hanzo-mcp 0.2.0__py3-none-any.whl → 0.3.3__py3-none-any.whl
This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
Potentially problematic release.
This version of hanzo-mcp might be problematic. Click here for more details.
- hanzo_mcp/__init__.py +1 -1
- hanzo_mcp/cli.py +138 -25
- hanzo_mcp/server.py +26 -4
- hanzo_mcp/tools/agent/base_provider.py +73 -0
- hanzo_mcp/tools/agent/litellm_provider.py +45 -0
- hanzo_mcp/tools/agent/lmstudio_agent.py +385 -0
- hanzo_mcp/tools/agent/lmstudio_provider.py +219 -0
- hanzo_mcp/tools/agent/provider_registry.py +120 -0
- hanzo_mcp/tools/common/error_handling.py +86 -0
- hanzo_mcp/tools/common/logging_config.py +115 -0
- hanzo_mcp/tools/shell/command_executor.py +3 -0
- {hanzo_mcp-0.2.0.dist-info → hanzo_mcp-0.3.3.dist-info}/METADATA +20 -3
- {hanzo_mcp-0.2.0.dist-info → hanzo_mcp-0.3.3.dist-info}/RECORD +17 -10
- {hanzo_mcp-0.2.0.dist-info → hanzo_mcp-0.3.3.dist-info}/WHEEL +0 -0
- {hanzo_mcp-0.2.0.dist-info → hanzo_mcp-0.3.3.dist-info}/entry_points.txt +0 -0
- {hanzo_mcp-0.2.0.dist-info → hanzo_mcp-0.3.3.dist-info}/licenses/LICENSE +0 -0
- {hanzo_mcp-0.2.0.dist-info → hanzo_mcp-0.3.3.dist-info}/top_level.txt +0 -0
|
@@ -0,0 +1,120 @@
|
|
|
1
|
+
"""Provider registry for agent delegation.
|
|
2
|
+
|
|
3
|
+
Manages different model providers for agent delegation.
|
|
4
|
+
"""
|
|
5
|
+
|
|
6
|
+
import logging
|
|
7
|
+
from typing import Any, Dict, List, Optional, Tuple, Type
|
|
8
|
+
|
|
9
|
+
from hanzo_mcp.tools.agent.base_provider import BaseModelProvider
|
|
10
|
+
|
|
11
|
+
logger = logging.getLogger(__name__)
|
|
12
|
+
|
|
13
|
+
|
|
14
|
+
class ProviderRegistry:
|
|
15
|
+
"""Registry for model providers."""
|
|
16
|
+
|
|
17
|
+
_instance = None
|
|
18
|
+
|
|
19
|
+
def __new__(cls):
|
|
20
|
+
"""Singleton pattern to ensure only one registry instance exists."""
|
|
21
|
+
if cls._instance is None:
|
|
22
|
+
cls._instance = super(ProviderRegistry, cls).__new__(cls)
|
|
23
|
+
cls._instance._initialized = False
|
|
24
|
+
return cls._instance
|
|
25
|
+
|
|
26
|
+
def __init__(self):
|
|
27
|
+
"""Initialize the provider registry."""
|
|
28
|
+
if self._initialized:
|
|
29
|
+
return
|
|
30
|
+
|
|
31
|
+
self.providers = {}
|
|
32
|
+
self.provider_classes = {}
|
|
33
|
+
self._initialized = True
|
|
34
|
+
logger.info("Provider registry initialized")
|
|
35
|
+
|
|
36
|
+
def register_provider_class(self, provider_type: str, provider_class: Type[BaseModelProvider]) -> None:
|
|
37
|
+
"""Register a provider class with the registry.
|
|
38
|
+
|
|
39
|
+
Args:
|
|
40
|
+
provider_type: The type identifier for the provider
|
|
41
|
+
provider_class: The provider class to register
|
|
42
|
+
"""
|
|
43
|
+
self.provider_classes[provider_type] = provider_class
|
|
44
|
+
logger.info(f"Registered provider class: {provider_type}")
|
|
45
|
+
|
|
46
|
+
async def get_provider(self, provider_type: str) -> BaseModelProvider:
|
|
47
|
+
"""Get or create a provider instance for the given type.
|
|
48
|
+
|
|
49
|
+
Args:
|
|
50
|
+
provider_type: The type identifier for the provider
|
|
51
|
+
|
|
52
|
+
Returns:
|
|
53
|
+
A provider instance
|
|
54
|
+
|
|
55
|
+
Raises:
|
|
56
|
+
ValueError: If the provider type is not registered
|
|
57
|
+
"""
|
|
58
|
+
# Check if we already have an instance
|
|
59
|
+
if provider_type in self.providers:
|
|
60
|
+
return self.providers[provider_type]
|
|
61
|
+
|
|
62
|
+
# Check if we have a class for this type
|
|
63
|
+
if provider_type not in self.provider_classes:
|
|
64
|
+
raise ValueError(f"Unknown provider type: {provider_type}")
|
|
65
|
+
|
|
66
|
+
# Create a new instance
|
|
67
|
+
provider_class = self.provider_classes[provider_type]
|
|
68
|
+
provider = provider_class()
|
|
69
|
+
|
|
70
|
+
# Initialize the provider
|
|
71
|
+
await provider.initialize()
|
|
72
|
+
|
|
73
|
+
# Store and return the provider
|
|
74
|
+
self.providers[provider_type] = provider
|
|
75
|
+
logger.info(f"Created and initialized provider: {provider_type}")
|
|
76
|
+
return provider
|
|
77
|
+
|
|
78
|
+
async def shutdown_all(self) -> None:
|
|
79
|
+
"""Shutdown all providers."""
|
|
80
|
+
for provider_type, provider in self.providers.items():
|
|
81
|
+
try:
|
|
82
|
+
await provider.shutdown()
|
|
83
|
+
logger.info(f"Provider shut down: {provider_type}")
|
|
84
|
+
except Exception as e:
|
|
85
|
+
logger.error(f"Failed to shut down provider {provider_type}: {str(e)}")
|
|
86
|
+
|
|
87
|
+
self.providers = {}
|
|
88
|
+
logger.info("All providers shut down")
|
|
89
|
+
|
|
90
|
+
async def shutdown_provider(self, provider_type: str) -> None:
|
|
91
|
+
"""Shutdown a specific provider.
|
|
92
|
+
|
|
93
|
+
Args:
|
|
94
|
+
provider_type: The type identifier for the provider
|
|
95
|
+
"""
|
|
96
|
+
if provider_type not in self.providers:
|
|
97
|
+
logger.warning(f"Provider not found: {provider_type}")
|
|
98
|
+
return
|
|
99
|
+
|
|
100
|
+
try:
|
|
101
|
+
await self.providers[provider_type].shutdown()
|
|
102
|
+
del self.providers[provider_type]
|
|
103
|
+
logger.info(f"Provider shut down: {provider_type}")
|
|
104
|
+
except Exception as e:
|
|
105
|
+
logger.error(f"Failed to shut down provider {provider_type}: {str(e)}")
|
|
106
|
+
|
|
107
|
+
|
|
108
|
+
# Create a singleton instance
|
|
109
|
+
registry = ProviderRegistry()
|
|
110
|
+
|
|
111
|
+
# Register LiteLLM provider
|
|
112
|
+
from hanzo_mcp.tools.agent.litellm_provider import LiteLLMProvider
|
|
113
|
+
registry.register_provider_class("litellm", LiteLLMProvider)
|
|
114
|
+
|
|
115
|
+
# Try to register LM Studio provider if available
|
|
116
|
+
try:
|
|
117
|
+
from hanzo_mcp.tools.agent.lmstudio_provider import LMStudioProvider
|
|
118
|
+
registry.register_provider_class("lmstudio", LMStudioProvider)
|
|
119
|
+
except ImportError:
|
|
120
|
+
logger.warning("LM Studio provider not available. Install the package if needed.")
|
|
@@ -0,0 +1,86 @@
|
|
|
1
|
+
"""Error handling utilities for MCP tools.
|
|
2
|
+
|
|
3
|
+
This module provides utility functions for better error handling in MCP tools.
|
|
4
|
+
"""
|
|
5
|
+
|
|
6
|
+
import logging
|
|
7
|
+
import traceback
|
|
8
|
+
from functools import wraps
|
|
9
|
+
from typing import Any, Callable, TypeVar, Awaitable, cast
|
|
10
|
+
|
|
11
|
+
from mcp.server.fastmcp import Context as MCPContext
|
|
12
|
+
|
|
13
|
+
# Setup logger
|
|
14
|
+
logger = logging.getLogger(__name__)
|
|
15
|
+
|
|
16
|
+
# Type variables for generic function signatures
|
|
17
|
+
T = TypeVar('T')
|
|
18
|
+
F = TypeVar('F', bound=Callable[..., Awaitable[Any]])
|
|
19
|
+
|
|
20
|
+
|
|
21
|
+
async def log_error(ctx: MCPContext, error: Exception, message: str) -> None:
|
|
22
|
+
"""Log an error to both the logger and the MCP context.
|
|
23
|
+
|
|
24
|
+
Args:
|
|
25
|
+
ctx: The MCP context
|
|
26
|
+
error: The exception that occurred
|
|
27
|
+
message: A descriptive message about the error
|
|
28
|
+
"""
|
|
29
|
+
error_message = f"{message}: {str(error)}"
|
|
30
|
+
stack_trace = "".join(traceback.format_exception(type(error), error, error.__traceback__))
|
|
31
|
+
|
|
32
|
+
# Log to system logger
|
|
33
|
+
logger.error(error_message)
|
|
34
|
+
logger.debug(stack_trace)
|
|
35
|
+
|
|
36
|
+
# Log to MCP context if available
|
|
37
|
+
try:
|
|
38
|
+
await ctx.error(error_message)
|
|
39
|
+
except Exception as e:
|
|
40
|
+
logger.error(f"Failed to log error to MCP context: {str(e)}")
|
|
41
|
+
|
|
42
|
+
|
|
43
|
+
def tool_error_handler(func: F) -> F:
|
|
44
|
+
"""Decorator for handling errors in tool execution.
|
|
45
|
+
|
|
46
|
+
This decorator wraps a tool function to catch and properly handle exceptions,
|
|
47
|
+
ensuring they are logged and proper error messages are returned.
|
|
48
|
+
|
|
49
|
+
Args:
|
|
50
|
+
func: The async tool function to wrap
|
|
51
|
+
|
|
52
|
+
Returns:
|
|
53
|
+
Wrapped function with error handling
|
|
54
|
+
"""
|
|
55
|
+
@wraps(func)
|
|
56
|
+
async def wrapper(*args: Any, **kwargs: Any) -> Any:
|
|
57
|
+
try:
|
|
58
|
+
# Extract the MCP context from arguments
|
|
59
|
+
ctx = None
|
|
60
|
+
for arg in args:
|
|
61
|
+
if isinstance(arg, MCPContext):
|
|
62
|
+
ctx = arg
|
|
63
|
+
break
|
|
64
|
+
|
|
65
|
+
if not ctx and 'ctx' in kwargs:
|
|
66
|
+
ctx = kwargs['ctx']
|
|
67
|
+
|
|
68
|
+
if not ctx:
|
|
69
|
+
logger.warning("No MCP context found in tool arguments, error handling will be limited")
|
|
70
|
+
|
|
71
|
+
# Call the original function
|
|
72
|
+
return await func(*args, **kwargs)
|
|
73
|
+
except Exception as e:
|
|
74
|
+
# Log the error
|
|
75
|
+
error_message = f"Error in tool execution: {func.__name__}"
|
|
76
|
+
if ctx:
|
|
77
|
+
await log_error(ctx, e, error_message)
|
|
78
|
+
else:
|
|
79
|
+
stack_trace = "".join(traceback.format_exception(type(e), e, e.__traceback__))
|
|
80
|
+
logger.error(f"{error_message}: {str(e)}")
|
|
81
|
+
logger.debug(stack_trace)
|
|
82
|
+
|
|
83
|
+
# Return a friendly error message
|
|
84
|
+
return f"Error executing {func.__name__}: {str(e)}"
|
|
85
|
+
|
|
86
|
+
return cast(F, wrapper)
|
|
@@ -0,0 +1,115 @@
|
|
|
1
|
+
"""Logging configuration for Hanzo MCP.
|
|
2
|
+
|
|
3
|
+
This module sets up logging for the Hanzo MCP project.
|
|
4
|
+
"""
|
|
5
|
+
|
|
6
|
+
import logging
|
|
7
|
+
import os
|
|
8
|
+
import sys
|
|
9
|
+
from datetime import datetime
|
|
10
|
+
from pathlib import Path
|
|
11
|
+
from typing import Optional
|
|
12
|
+
|
|
13
|
+
|
|
14
|
+
def setup_logging(
|
|
15
|
+
log_level: str = "INFO",
|
|
16
|
+
log_to_file: bool = True,
|
|
17
|
+
log_to_console: bool = False, # Changed default to False
|
|
18
|
+
transport: Optional[str] = None,
|
|
19
|
+
testing: bool = False
|
|
20
|
+
) -> None:
|
|
21
|
+
"""Set up logging configuration.
|
|
22
|
+
|
|
23
|
+
Args:
|
|
24
|
+
log_level: The logging level ("DEBUG", "INFO", "WARNING", "ERROR", "CRITICAL")
|
|
25
|
+
log_to_file: Whether to log to a file in addition to the console (default: True)
|
|
26
|
+
log_to_console: Whether to log to the console (default: False to avoid stdio transport conflicts)
|
|
27
|
+
transport: The transport mechanism being used ("stdio" or "sse")
|
|
28
|
+
testing: Set to True to disable file operations for testing
|
|
29
|
+
"""
|
|
30
|
+
# Convert string log level to logging constant
|
|
31
|
+
numeric_level = getattr(logging, log_level.upper(), None)
|
|
32
|
+
if not isinstance(numeric_level, int):
|
|
33
|
+
raise ValueError(f"Invalid log level: {log_level}")
|
|
34
|
+
|
|
35
|
+
# Create logs directory if needed
|
|
36
|
+
log_dir = Path.home() / ".hanzo" / "logs"
|
|
37
|
+
if log_to_file and not testing:
|
|
38
|
+
log_dir.mkdir(parents=True, exist_ok=True)
|
|
39
|
+
|
|
40
|
+
# Generate log filename based on current date
|
|
41
|
+
current_time = datetime.now().strftime("%Y-%m-%d")
|
|
42
|
+
log_file = log_dir / f"hanzo-mcp-{current_time}.log"
|
|
43
|
+
|
|
44
|
+
# Base configuration
|
|
45
|
+
handlers = []
|
|
46
|
+
|
|
47
|
+
# Console handler - Always use stderr to avoid interfering with stdio transport
|
|
48
|
+
# Disable console logging when using stdio transport to avoid protocol corruption
|
|
49
|
+
if log_to_console and (transport != "stdio"):
|
|
50
|
+
console = logging.StreamHandler(sys.stderr)
|
|
51
|
+
console.setLevel(numeric_level)
|
|
52
|
+
console_formatter = logging.Formatter('%(asctime)s - %(name)s - %(levelname)s - %(message)s')
|
|
53
|
+
console.setFormatter(console_formatter)
|
|
54
|
+
handlers.append(console)
|
|
55
|
+
|
|
56
|
+
# File handler (if enabled)
|
|
57
|
+
if log_to_file and not testing:
|
|
58
|
+
file_handler = logging.FileHandler(log_file)
|
|
59
|
+
file_handler.setLevel(numeric_level)
|
|
60
|
+
file_formatter = logging.Formatter(
|
|
61
|
+
'%(asctime)s - %(name)s - %(levelname)s - %(filename)s:%(lineno)d - %(message)s'
|
|
62
|
+
)
|
|
63
|
+
file_handler.setFormatter(file_formatter)
|
|
64
|
+
handlers.append(file_handler)
|
|
65
|
+
|
|
66
|
+
# Configure root logger
|
|
67
|
+
logging.basicConfig(
|
|
68
|
+
level=numeric_level,
|
|
69
|
+
handlers=handlers,
|
|
70
|
+
force=True # Overwrite any existing configuration
|
|
71
|
+
)
|
|
72
|
+
|
|
73
|
+
# Set specific log levels for third-party libraries
|
|
74
|
+
logging.getLogger("urllib3").setLevel(logging.WARNING)
|
|
75
|
+
logging.getLogger("asyncio").setLevel(logging.WARNING)
|
|
76
|
+
|
|
77
|
+
# Log startup message
|
|
78
|
+
root_logger = logging.getLogger()
|
|
79
|
+
root_logger.info(f"Logging initialized at level {log_level}")
|
|
80
|
+
if log_to_file and not testing:
|
|
81
|
+
root_logger.info(f"Log file: {log_file}")
|
|
82
|
+
if not log_to_console or transport == "stdio":
|
|
83
|
+
root_logger.info("Console logging disabled")
|
|
84
|
+
|
|
85
|
+
|
|
86
|
+
def get_log_files() -> list[str]:
|
|
87
|
+
"""Get a list of all log files.
|
|
88
|
+
|
|
89
|
+
Returns:
|
|
90
|
+
List of log file paths
|
|
91
|
+
"""
|
|
92
|
+
log_dir = Path.home() / ".hanzo" / "logs"
|
|
93
|
+
if not log_dir.exists():
|
|
94
|
+
return []
|
|
95
|
+
|
|
96
|
+
log_files = [str(f) for f in log_dir.glob("hanzo-mcp-*.log")]
|
|
97
|
+
return sorted(log_files, reverse=True)
|
|
98
|
+
|
|
99
|
+
|
|
100
|
+
def get_current_log_file() -> Optional[str]:
|
|
101
|
+
"""Get the path to the current log file.
|
|
102
|
+
|
|
103
|
+
Returns:
|
|
104
|
+
The path to the current log file, or None if no log file exists
|
|
105
|
+
"""
|
|
106
|
+
log_dir = Path.home() / ".hanzo" / "logs"
|
|
107
|
+
if not log_dir.exists():
|
|
108
|
+
return None
|
|
109
|
+
|
|
110
|
+
current_time = datetime.now().strftime("%Y-%m-%d")
|
|
111
|
+
log_file = log_dir / f"hanzo-mcp-{current_time}.log"
|
|
112
|
+
|
|
113
|
+
if log_file.exists():
|
|
114
|
+
return str(log_file)
|
|
115
|
+
return None
|
|
@@ -1,12 +1,12 @@
|
|
|
1
1
|
Metadata-Version: 2.4
|
|
2
2
|
Name: hanzo-mcp
|
|
3
|
-
Version: 0.
|
|
3
|
+
Version: 0.3.3
|
|
4
4
|
Summary: MCP implementation of Hanzo capabilities
|
|
5
5
|
Author-email: Hanzo Industries Inc <dev@hanzo.ai>
|
|
6
6
|
License: MIT
|
|
7
7
|
Project-URL: Homepage, https://github.com/hanzoai/mcp
|
|
8
8
|
Project-URL: Bug Tracker, https://github.com/hanzoai/mcp/issues
|
|
9
|
-
Project-URL: Documentation, https://github.com/hanzoai/mcp/
|
|
9
|
+
Project-URL: Documentation, https://github.com/hanzoai/mcp/tree/main/docs
|
|
10
10
|
Keywords: mcp,claude,hanzo,code,agent
|
|
11
11
|
Classifier: Programming Language :: Python :: 3
|
|
12
12
|
Classifier: License :: OSI Approved :: MIT License
|
|
@@ -25,6 +25,9 @@ Requires-Dist: pytest>=7.0.0; extra == "dev"
|
|
|
25
25
|
Requires-Dist: pytest-cov>=4.1.0; extra == "dev"
|
|
26
26
|
Requires-Dist: ruff>=0.1.0; extra == "dev"
|
|
27
27
|
Requires-Dist: black>=23.3.0; extra == "dev"
|
|
28
|
+
Requires-Dist: sphinx>=8.0.0; extra == "dev"
|
|
29
|
+
Requires-Dist: sphinx-rtd-theme>=1.3.0; extra == "dev"
|
|
30
|
+
Requires-Dist: myst-parser>=2.0.0; extra == "dev"
|
|
28
31
|
Provides-Extra: test
|
|
29
32
|
Requires-Dist: pytest>=7.0.0; extra == "test"
|
|
30
33
|
Requires-Dist: pytest-cov>=4.1.0; extra == "test"
|
|
@@ -93,7 +96,7 @@ uv pip install hanzo-mcp
|
|
|
93
96
|
pip install hanzo-mcp
|
|
94
97
|
```
|
|
95
98
|
|
|
96
|
-
For detailed installation and configuration instructions, please refer to [
|
|
99
|
+
For detailed installation and configuration instructions, please refer to the [documentation](./docs/).
|
|
97
100
|
|
|
98
101
|
Of course, you can also read [USEFUL_PROMPTS](./doc/USEFUL_PROMPTS.md) for some inspiration on how to use hanzo-mcp.
|
|
99
102
|
|
|
@@ -106,6 +109,20 @@ This implementation follows best practices for securing access to your filesyste
|
|
|
106
109
|
- Input validation and sanitization
|
|
107
110
|
- Proper error handling and reporting
|
|
108
111
|
|
|
112
|
+
## Documentation
|
|
113
|
+
|
|
114
|
+
Comprehensive documentation is available in the [docs](./docs/) directory. You can build and view the documentation locally:
|
|
115
|
+
|
|
116
|
+
```bash
|
|
117
|
+
# Build the documentation
|
|
118
|
+
make docs
|
|
119
|
+
|
|
120
|
+
# Start a local server to view the documentation
|
|
121
|
+
make docs-serve
|
|
122
|
+
```
|
|
123
|
+
|
|
124
|
+
Then open http://localhost:8000/ in your browser to view the documentation.
|
|
125
|
+
|
|
109
126
|
## Development
|
|
110
127
|
|
|
111
128
|
### Setup Development Environment
|
|
@@ -1,14 +1,21 @@
|
|
|
1
|
-
hanzo_mcp/__init__.py,sha256=
|
|
2
|
-
hanzo_mcp/cli.py,sha256=
|
|
3
|
-
hanzo_mcp/server.py,sha256=
|
|
1
|
+
hanzo_mcp/__init__.py,sha256=TGjXG3-jW-pduEg0z6QzesvTiXw58D44bYgp8m_9qdc,89
|
|
2
|
+
hanzo_mcp/cli.py,sha256=Z_N1ziVdFmgl8SDEG4Dce07brbNzdx3nUR7KgAVcoY8,12557
|
|
3
|
+
hanzo_mcp/server.py,sha256=bV4ywWOgm7BwZrbZwv1qoRKbAsMYT08aCGQwuFS8raM,6678
|
|
4
4
|
hanzo_mcp/tools/__init__.py,sha256=9LbWAPfSntDwLaAex3dagsHO4BgZQHKj5E6UX-Gmyb4,3496
|
|
5
5
|
hanzo_mcp/tools/agent/__init__.py,sha256=0eyQqqdAy7WCZEqUfV6xh66bDpQI9neB6iDjWf0_pJI,2189
|
|
6
6
|
hanzo_mcp/tools/agent/agent_tool.py,sha256=qXu62ZRGM0o9mxOiRVFy-ABIZtEJ8z03DqAXshKAieI,19180
|
|
7
|
+
hanzo_mcp/tools/agent/base_provider.py,sha256=dd1J75Q0wl_t_Gcuwc8Ft3PWxeDsmf0B3ybhRsUEgmA,2080
|
|
8
|
+
hanzo_mcp/tools/agent/litellm_provider.py,sha256=6mVOLSNpfjAJKj6aBMflyYU6DRJpEqIxgu8wSzeRmxU,1334
|
|
9
|
+
hanzo_mcp/tools/agent/lmstudio_agent.py,sha256=c4-VIDRXksv39HYpXzqwyF1PisoNd73R3Txa8Mkzibg,14510
|
|
10
|
+
hanzo_mcp/tools/agent/lmstudio_provider.py,sha256=-gX8fxebyWaC7bqmZERR6QQc62Paj62IIDIu_rBu0wM,7876
|
|
7
11
|
hanzo_mcp/tools/agent/prompt.py,sha256=jmYRI4Sm2D3LwEdC2qWakpqupgfGg8CT6grmx4NEDaA,4431
|
|
12
|
+
hanzo_mcp/tools/agent/provider_registry.py,sha256=A-Wd5B5hLBznQV4wWbxE-yyvBPnbuUL2OtSJUz2K_H0,4236
|
|
8
13
|
hanzo_mcp/tools/agent/tool_adapter.py,sha256=g9NKfIET0WOsm0r28xEXsibsprpI1C6ripcM6QwU-rI,2172
|
|
9
14
|
hanzo_mcp/tools/common/__init__.py,sha256=felrGAEqLWOa8fuHjTCS7khqtlA-izz8k865ky7R-f8,797
|
|
10
15
|
hanzo_mcp/tools/common/base.py,sha256=O7Lgft0XiC9Iyi3fYsmoWWrvKDK2Aa-FJLxPgnNJRJY,7341
|
|
11
16
|
hanzo_mcp/tools/common/context.py,sha256=ReIfcm37j5qnLQ8G_-d88ad5uC1OKkjQZKG9HdJPybI,13145
|
|
17
|
+
hanzo_mcp/tools/common/error_handling.py,sha256=rluaHpXV89pjcf8JxgYB6EdqVkcxihb3pyEO2gN-u7w,2789
|
|
18
|
+
hanzo_mcp/tools/common/logging_config.py,sha256=664VEaV671t3_PG9qPMf_twVCQYendeQAqm-NuS32dU,3931
|
|
12
19
|
hanzo_mcp/tools/common/permissions.py,sha256=4YCfA2PJUOl-z_47n5uaRXO8gAZ_shMaPhpi1dilgRE,7594
|
|
13
20
|
hanzo_mcp/tools/common/session.py,sha256=csX5ZhgBjO2bdXXXPpsUPzOCc7Tib-apYe01AP8sh8k,2774
|
|
14
21
|
hanzo_mcp/tools/common/think_tool.py,sha256=I-O6ipM-PUofkNoMMzv37Y_2Yfx9mh7F1upTTsfRN4M,4046
|
|
@@ -34,13 +41,13 @@ hanzo_mcp/tools/project/base.py,sha256=CniLAsjum5vC3cgvF9AqU-_ZY_0Nf9uaF2L_xV2ob
|
|
|
34
41
|
hanzo_mcp/tools/project/project_analyze.py,sha256=6GLE_JcSiCy6kKdee0sMI5T2229A-Vpp98s2j_JD6yI,5711
|
|
35
42
|
hanzo_mcp/tools/shell/__init__.py,sha256=lKgh0WXds4tZJ1tIL9MJbyMSzP6A9uZQALjGGBvyYc4,1679
|
|
36
43
|
hanzo_mcp/tools/shell/base.py,sha256=OxKNWMp-fB-vozzWOE_hHvr5M_pFKSMIYfOX0dEOWzA,4836
|
|
37
|
-
hanzo_mcp/tools/shell/command_executor.py,sha256=
|
|
44
|
+
hanzo_mcp/tools/shell/command_executor.py,sha256=sNQEiU0qGVJQuq8HqMFD5h1N3CmOfSuoHj5UMpSnaBY,32707
|
|
38
45
|
hanzo_mcp/tools/shell/run_command.py,sha256=r7HBw0lqabgkGnVsDXmLnrTo0SU9g8gLvzpa-9n-cmM,6891
|
|
39
46
|
hanzo_mcp/tools/shell/run_script.py,sha256=CLYnDc0Ze8plkXU6d98RgE4UrBg-fwaMVdcn9Fc6Ixw,7432
|
|
40
47
|
hanzo_mcp/tools/shell/script_tool.py,sha256=s63tawIZBvwgm_kU9P7A3D4v2ulVw7j4l_rpsa_zGuc,8680
|
|
41
|
-
hanzo_mcp-0.
|
|
42
|
-
hanzo_mcp-0.
|
|
43
|
-
hanzo_mcp-0.
|
|
44
|
-
hanzo_mcp-0.
|
|
45
|
-
hanzo_mcp-0.
|
|
46
|
-
hanzo_mcp-0.
|
|
48
|
+
hanzo_mcp-0.3.3.dist-info/licenses/LICENSE,sha256=mf1qZGFsPGskoPgytp9B-RsahfKvXsBpmaAbTLGTt8Y,1063
|
|
49
|
+
hanzo_mcp-0.3.3.dist-info/METADATA,sha256=OyTlavBJpC_-79IRKfQo5aaHYsV2q9OMSsbO7kEcHS4,8029
|
|
50
|
+
hanzo_mcp-0.3.3.dist-info/WHEEL,sha256=CmyFI0kx5cdEMTLiONQRbGQwjIoR1aIYB7eCAQ4KPJ0,91
|
|
51
|
+
hanzo_mcp-0.3.3.dist-info/entry_points.txt,sha256=aRKOKXtuQr-idSr-yH4efnRl2v8te94AcgN3ysqqSYs,49
|
|
52
|
+
hanzo_mcp-0.3.3.dist-info/top_level.txt,sha256=eGFANatA0MHWiVlpS56fTYRIShtibrSom1uXI6XU0GU,10
|
|
53
|
+
hanzo_mcp-0.3.3.dist-info/RECORD,,
|
|
File without changes
|
|
File without changes
|
|
File without changes
|
|
File without changes
|