From 100323a4257fbc0d6d82836ba65a6561eaf08438 Mon Sep 17 00:00:00 2001 From: David Soria Parra Date: Thu, 21 Nov 2024 21:37:19 +0000 Subject: [PATCH 1/2] Reworking the git server --- src/git/README.md | 57 ++- src/git/pyproject.toml | 2 +- src/git/src/mcp_server_git/__init__.py | 497 +------------------------ src/git/src/mcp_server_git/server.py | 228 ++++++++++++ src/git/uv.lock | 2 +- 5 files changed, 284 insertions(+), 502 deletions(-) create mode 100644 src/git/src/mcp_server_git/server.py diff --git a/src/git/README.md b/src/git/README.md index c5a2dd10..35885439 100644 --- a/src/git/README.md +++ b/src/git/README.md @@ -1,5 +1,7 @@ # mcp-server-git: A git MCP server +## Overview + A Model Context Protocol server for Git repository interaction and automation. This server provides tools to read, search, and manipulate Git repositories via Large Language Models. Please note that mcp-server-git is currently in early development. The functionality and available tools are subject to change and expansion as we continue to develop and improve the server. @@ -8,17 +10,13 @@ Please note that mcp-server-git is currently in early development. The functiona The current list of tools includes: -- `git_read_file`: Read contents of a file at a specific Git reference -- `git_list_files`: List all files in a repository or subdirectory -- `git_file_history`: Get commit history for a specific file -- `git_commit`: Create Git commits with messages and specified files -- `git_search_code`: Search repository content with pattern matching -- `git_get_diff`: View diffs between Git references -- `git_get_repo_structure`: View repository file structure -- `git_list_repos`: List available Git repositories -- `git_log`: Retrieve commit log for the repository -- `git_list_branches`: List all branches in the repository -- `git_list_tags`: List all tags in the repository +- `git_status`: Shows the working tree status +- `git_diff_unstaged`: Shows changes in the working directory that are not yet staged +- `git_diff_staged`: Shows changes that are staged for commit +- `git_commit`: Records changes to the repository +- `git_add`: Adds file contents to the staging area +- `git_reset`: Unstages all staged changes +- `git_log`: Shows the commit logs This list is expected to grow as we add more functionality to the server. We welcome contributions from the community to expand and enhance the available tools. @@ -44,10 +42,14 @@ python -m mcp_server_git ``` ## Configuration + ### Configure for Claude.app Add to your Claude settings: +
+Using uvx + ```json "mcpServers": { "git": { @@ -56,8 +58,10 @@ Add to your Claude settings: } } ``` +
-Alternatively, if using pip installation: +
+Using pip installation ```json "mcpServers": { @@ -67,11 +71,15 @@ Alternatively, if using pip installation: } } ``` +
### Configure for Zed Add to your Zed settings.json: +
+Using uvx + ```json "context_servers": [ "mcp-server-git": { @@ -80,18 +88,35 @@ Add to your Zed settings.json: } ], ``` +
-Alternatively, if using pip installation: +
+Using pip installation ```json "context_servers": { "mcp-server-git": { "command": "python", - "args": ["-m", "mcp-server-git"] + "args": ["-m", "mcp_server_git"] } }, ``` +
+ +## Debugging + +You can use the MCP inspector to debug the server. For uvx installations: + +``` +npx @modelcontextprotocol/inspector uvx mcp-server-git +``` +Or if you've installed the package in a specific directory or are developing on it: + +``` +cd path/to/servers/src/git +npx @modelcontextprotocol/inspector uv run mcp-server-git +``` ## Contributing @@ -101,3 +126,7 @@ For examples of other MCP servers and implementation patterns, see: https://github.com/modelcontextprotocol/servers Pull requests are welcome! Feel free to contribute new ideas, bug fixes, or enhancements to make mcp-server-git even more powerful and useful. + +## License + +mcp-server-git is licensed under the MIT License. This means you are free to use, modify, and distribute the software, subject to the terms and conditions of the MIT License. For more details, please see the LICENSE file in the project repository. diff --git a/src/git/pyproject.toml b/src/git/pyproject.toml index f82e9dc2..6475eebb 100644 --- a/src/git/pyproject.toml +++ b/src/git/pyproject.toml @@ -1,5 +1,5 @@ [project] -name = "mcp-server-git" +name="mcp-server-git" version = "0.3.0" description = "A Model Context Protocol server providing tools to read, search, and manipulate Git repositories programmatically via LLMs" readme = "README.md" diff --git a/src/git/src/mcp_server_git/__init__.py b/src/git/src/mcp_server_git/__init__.py index 25c85d50..2dfb6e5c 100644 --- a/src/git/src/mcp_server_git/__init__.py +++ b/src/git/src/mcp_server_git/__init__.py @@ -1,500 +1,25 @@ -import logging -import json -import sys import click -import anyio -import anyio.lowlevel +from functools import partial from pathlib import Path -from git.types import Sequence -from mcp.server import Server -from mcp.server.session import ServerSession -from mcp.server.stdio import stdio_server -from mcp.types import ( - ClientCapabilities, - TextContent, - Tool, - EmbeddedResource, - ImageContent, - ListRootsResult, - RootsCapability, -) -from enum import Enum -import git -from git.objects import Blob, Tree - -from pydantic import BaseModel, Field -from typing import List, Optional - - -class ReadFileInput(BaseModel): - repo_path: str - file_path: str - ref: str = "HEAD" - - -class ListFilesInput(BaseModel): - repo_path: str - path: str = "" - ref: str = "HEAD" - - -class FileHistoryInput(BaseModel): - repo_path: str - file_path: str - max_entries: int = 10 - - -class CommitInput(BaseModel): - repo_path: str - message: str - files: Optional[List[str]] = Field( - None, - description="List of files to stage and commit. If omitted, all changes will be staged.", - ) - - -class SearchCodeInput(BaseModel): - repo_path: str - query: str - file_pattern: str = "*" - ref: str = "HEAD" - - -class GetDiffInput(BaseModel): - repo_path: str - ref1: str - ref2: str - file_path: Optional[str] = None - - -class GetRepoStructureInput(BaseModel): - repo_path: str - ref: str = "HEAD" - - -class ListReposInput(BaseModel): - pass - - -class GitLogInput(BaseModel): - repo_path: str - max_count: int = 10 - ref: str = "HEAD" - - -class ListBranchesInput(BaseModel): - repo_path: str - - -class ListTagsInput(BaseModel): - repo_path: str - - -class GitTools(str, Enum): - READ_FILE = "git_read_file" - LIST_FILES = "git_list_files" - FILE_HISTORY = "git_file_history" - COMMIT = "git_commit" - SEARCH_CODE = "git_search_code" - GET_DIFF = "git_get_diff" - GET_REPO_STRUCTURE = "git_get_repo_structure" - LIST_REPOS = "git_list_repos" - GIT_LOG = "git_log" - LIST_BRANCHES = "git_list_branches" - LIST_TAGS = "git_list_tags" - - -def git_read_file(repo: git.Repo, file_path: str, ref: str = "HEAD") -> str: - tree = repo.commit(ref).tree - blob = tree / file_path - try: - return blob.data_stream.read().decode("utf-8", errors="replace") - except UnicodeDecodeError: - # If it's a binary file, return a message indicating that - return "[Binary file content not shown]" - - -def git_list_files(repo: git.Repo, path: str = "", ref: str = "HEAD") -> Sequence[str]: - tree = repo.commit(ref).tree - if path: - tree = tree / path - # Use traverse() and isinstance() to get only blobs (files) recursively - return [str(o.path) for o in tree.traverse() if isinstance(o, Blob)] - - -def git_file_history( - repo: git.Repo, file_path: str, max_entries: int = 10 -) -> Sequence[str]: - commits = list(repo.iter_commits(paths=file_path, max_count=max_entries)) - history = [] - for commit in commits: - history.append( - f"Commit: {commit.hexsha}\n" - f"Author: {commit.author}\n" - f"Date: {commit.authored_datetime}\n" - f"Message: {commit.message}\n" - ) - return history - - -def git_commit(repo: git.Repo, message: str, files: list[str] | None = None) -> str: - if files is not None: - repo.index.add(files) - else: - repo.index.add("*") # Stage all changes - commit = repo.index.commit(message) - return f"Changes committed successfully with hash {commit.hexsha}" - - -def git_search_code( - repo: git.Repo, query: str, file_pattern: str = "*", ref: str = "HEAD" -) -> list[str]: - results = [] - tree = repo.commit(ref).tree - for blob in tree.traverse(): - if isinstance(blob, Blob) and Path(blob.path).match(file_pattern): - try: - content = blob.data_stream.read().decode("utf-8", errors="replace") - for i, line in enumerate(content.splitlines()): - if query in line: - results.append(f"{blob.path}:{i+1}: {line}") - except UnicodeDecodeError: - # Skip binary files - continue - return results - - -def git_get_diff( - repo: git.Repo, ref1: str, ref2: str, file_path: str | None = None -) -> str: - if file_path: - return repo.git.diff(ref1, ref2, "--", file_path) - return repo.git.diff(ref1, ref2) - - -def git_get_repo_structure(repo: git.Repo, ref: str = "HEAD") -> str: - tree = repo.commit(ref).tree - - def build_tree(tree_obj: Tree) -> dict: - result = {} - for item in tree_obj: - if isinstance(item, Tree): - result[item.name] = build_tree(item) - else: - result[item.name] = item.type - return result - - structure = build_tree(tree) - return str(structure) - - -def git_log(repo: git.Repo, max_count: int = 10, ref: str = "HEAD") -> list[str]: - commits = list(repo.iter_commits(ref, max_count=max_count)) - log = [] - for commit in commits: - log.append( - f"Commit: {commit.hexsha}\n" - f"Author: {commit.author}\n" - f"Date: {commit.authored_datetime}\n" - f"Message: {commit.message}\n" - ) - return log - - -def git_list_branches(repo: git.Repo) -> list[str]: - return [str(branch) for branch in repo.branches] - - -def git_list_tags(repo: git.Repo) -> list[str]: - return [str(tag) for tag in repo.tags] - - -async def serve(repository: Path | None) -> None: - # Set up logging - logger = logging.getLogger(__name__) - - if repository is not None: - try: - git.Repo(repository) - logger.info(f"Using repository at {repository}") - except git.InvalidGitRepositoryError: - logger.error(f"{repository} is not a valid Git repository") - return - - # Create server - server = Server("mcp-git") - - @server.list_tools() - async def list_tools() -> list[Tool]: - return [ - Tool( - name=GitTools.READ_FILE, - description="Retrieves and returns the content of a specified file from " - "a Git repository at a given reference (commit, branch, or tag). This " - "allows you to view file contents at any point in the repository's " - "history.", - inputSchema=ReadFileInput.schema(), - ), - Tool( - name=GitTools.LIST_FILES, - description="Enumerates all files in a Git repository or a specific " - "directory within the repository. This tool can be used to explore the " - "file structure of a project at a particular reference.", - inputSchema=ListFilesInput.schema(), - ), - Tool( - name=GitTools.FILE_HISTORY, - description="Retrieves the commit history for a specific file, showing " - "how it has changed over time. This includes commit hashes, authors, " - "dates, and commit messages, allowing you to track the evolution of a " - "file.", - inputSchema=FileHistoryInput.schema(), - ), - Tool( - name=GitTools.COMMIT, - description="Commits changes to the repository. You can " - "specify particular files to commit or commit all staged changes. This " - "tool allows you to create new snapshots of your project with " - "descriptive commit messages.", - inputSchema=CommitInput.schema(), - ), - Tool( - name=GitTools.SEARCH_CODE, - description="Searches for specific patterns or text across all files in " - "the repository. This powerful tool allows you to find occurrences of " - "code, comments, or any text within your project, optionally filtering " - "by file patterns and at a specific reference.", - inputSchema=SearchCodeInput.schema(), - ), - Tool( - name=GitTools.GET_DIFF, - description="Computes and displays the differences between two Git " - "references (commits, branches, or tags). This tool is crucial for " - "understanding changes between different versions of your codebase, " - "optionally focusing on a specific file.", - inputSchema=GetDiffInput.schema(), - ), - Tool( - name=GitTools.GET_REPO_STRUCTURE, - description="Generates a representation of the repository's file and " - "directory structure at a given reference. This provides a high-level " - "overview of your project's organization, helping you understand the " - "layout of your codebase.", - inputSchema=GetRepoStructureInput.schema(), - ), - Tool( - name=GitTools.LIST_REPOS, - description="Enumerates all available Git repositories from the " - "specified roots. This tool helps you manage and navigate multiple " - "repositories, providing a comprehensive list of Git projects " - "accessible to the current session.", - inputSchema=ListReposInput.schema(), - ), - Tool( - name=GitTools.GIT_LOG, - description="Retrieves the commit log for the repository, showing the " - "history of commits including commit hashes, authors, dates, and " - "commit messages. This tool provides an overview of the project's " - "development history.", - inputSchema=GitLogInput.schema(), - ), - Tool( - name=GitTools.LIST_BRANCHES, - description="Lists all branches in the Git repository. This tool " - "provides an overview of the different lines of development in the " - "project.", - inputSchema=ListBranchesInput.schema(), - ), - Tool( - name=GitTools.LIST_TAGS, - description="Lists all tags in the Git repository. This tool " - "provides an overview of the tagged versions or releases in the " - "project.", - inputSchema=ListTagsInput.schema(), - ), - ] - - async def list_repos() -> Sequence[str]: - async def by_roots() -> Sequence[str]: - if not isinstance(server.request_context.session, ServerSession): - raise TypeError( - "server.request_context.session must be a ServerSession" - ) - - if not server.request_context.session.check_client_capability( - ClientCapabilities(roots=RootsCapability()) - ): - return [] - - roots_result: ListRootsResult = ( - await server.request_context.session.list_roots() - ) - logger.debug(f"Roots result: {roots_result}") - repo_paths = [] - for root in roots_result.roots: - path = root.uri.path - try: - # Verify this is a git repo - git.Repo(path) - repo_paths.append(str(path)) - except git.InvalidGitRepositoryError: - pass - return repo_paths - - def by_commandline() -> Sequence[str]: - return [str(repository)] if repository is not None else [] - - cmd_repos = by_commandline() - root_repos = await by_roots() - return [*root_repos, *cmd_repos] - - @server.call_tool() - async def call_tool( - name: str, arguments: dict - ) -> list[TextContent | ImageContent | EmbeddedResource]: - if name == GitTools.LIST_REPOS: - result = await list_repos() - logging.debug(f"repos={result}") - return [ - TextContent( - type="text", - text=f"Here is some JSON that contains a list of git repositories: {json.dumps(result)}", - ) - ] - - repo_path = Path(arguments["repo_path"]) - repo = git.Repo(repo_path) - - match name: - case GitTools.READ_FILE: - content = git_read_file( - repo, arguments["file_path"], arguments.get("ref", "HEAD") - ) - return [ - TextContent( - type="text", - text=f"Here is some JSON that contains the contents of a file: {json.dumps({'content': content})}", - ) - ] - - case GitTools.LIST_FILES: - files = git_list_files( - repo, arguments.get("path", ""), arguments.get("ref", "HEAD") - ) - return [ - TextContent( - type="text", - text=f"Here is some JSON that contains a list of files: {json.dumps({'files': list(files)})}", - ) - ] - - case GitTools.FILE_HISTORY: - history = git_file_history( - repo, arguments["file_path"], arguments.get("max_entries", 10) - ) - return [ - TextContent( - type="text", - text=f"Here is some JSON that contains a file's history: {json.dumps({'history': list(history)})}", - ) - ] - - case GitTools.COMMIT: - result = git_commit(repo, arguments["message"], arguments.get("files")) - return [ - TextContent( - type="text", - text=f"Here is some JSON that contains the commit result: {json.dumps({'result': result})}", - ) - ] - - case GitTools.SEARCH_CODE: - results = git_search_code( - repo, - arguments["query"], - arguments.get("file_pattern", "*"), - arguments.get("ref", "HEAD"), - ) - return [ - TextContent( - type="text", - text=f"Here is some JSON that contains code search matches: {json.dumps({'matches': results})}", - ) - ] - - case GitTools.GET_DIFF: - diff = git_get_diff( - repo, - arguments["ref1"], - arguments["ref2"], - arguments.get("file_path"), - ) - return [ - TextContent( - type="text", - text=f"Here is some JSON that contains a diff: {json.dumps({'diff': diff})}", - ) - ] - - case GitTools.GET_REPO_STRUCTURE: - structure = git_get_repo_structure(repo, arguments.get("ref", "HEAD")) - return [ - TextContent( - type="text", - text=f"Here is some JSON that contains the repository structure: {json.dumps({'structure': structure})}", - ) - ] - - case GitTools.GIT_LOG: - log = git_log( - repo, arguments.get("max_count", 10), arguments.get("ref", "HEAD") - ) - return [ - TextContent( - type="text", - text=f"Here is some JSON that contains the git log: {json.dumps({'log': log})}", - ) - ] - - case GitTools.LIST_BRANCHES: - branches = git_list_branches(repo) - return [ - TextContent( - type="text", - text=f"Here is some JSON that contains a list of branches: {json.dumps({'branches': branches})}", - ) - ] - - case GitTools.LIST_TAGS: - tags = git_list_tags(repo) - return [ - TextContent( - type="text", - text=f"Here is some JSON that contains a list of tags: {json.dumps({'tags': tags})}", - ) - ] - - case _: - raise ValueError(f"Unknown tool: {name}") - - # Run the server - options = server.create_initialization_options() - async with stdio_server() as (read_stream, write_stream): - await server.run(read_stream, write_stream, options, raise_exceptions=True) - +import logging +import sys +from .server import serve @click.command() -@click.option("-r", "--repository", type=click.Path(path_type=Path, dir_okay=True)) +@click.option("--repository", "-r", type=Path, help="Git repository path") @click.option("-v", "--verbose", count=True) -def main(repository: Path | None, verbose: int): +def main(repository: Path | None, verbose: bool) -> None: + """MCP Git Server - Git functionality for MCP""" + import asyncio + logging_level = logging.WARN if verbose == 1: logging_level = logging.INFO elif verbose >= 2: logging_level = logging.DEBUG - logging.basicConfig(level=logging_level, stream=sys.stderr) - anyio.run(serve, repository) + logging.basicConfig(level=logging_level, stream=sys.stderr) + asyncio.run(serve(repository)) if __name__ == "__main__": main() diff --git a/src/git/src/mcp_server_git/server.py b/src/git/src/mcp_server_git/server.py new file mode 100644 index 00000000..d4fe3328 --- /dev/null +++ b/src/git/src/mcp_server_git/server.py @@ -0,0 +1,228 @@ +import logging +import json +from pathlib import Path +from typing import Sequence +from mcp.server import Server +from mcp.server.session import ServerSession +from mcp.server.stdio import stdio_server +from mcp.types import ( + ClientCapabilities, + TextContent, + Tool, + ListRootsResult, + RootsCapability, +) +from enum import Enum +import git +from pydantic import BaseModel, Field +from typing import List, Optional + +class GitStatus(BaseModel): + repo_path: str + +class GitDiffUnstaged(BaseModel): + repo_path: str + +class GitDiffStaged(BaseModel): + repo_path: str + +class GitCommit(BaseModel): + repo_path: str + message: str + +class GitAdd(BaseModel): + repo_path: str + files: List[str] + +class GitReset(BaseModel): + repo_path: str + +class GitLog(BaseModel): + repo_path: str + max_count: int = 10 + +class GitTools(str, Enum): + STATUS = "git_status" + DIFF_UNSTAGED = "git_diff_unstaged" + DIFF_STAGED = "git_diff_staged" + COMMIT = "git_commit" + ADD = "git_add" + RESET = "git_reset" + LOG = "git_log" + +def git_status(repo: git.Repo) -> str: + return repo.git.status() + +def git_diff_unstaged(repo: git.Repo) -> str: + return repo.git.diff() + +def git_diff_staged(repo: git.Repo) -> str: + return repo.git.diff("--cached") + +def git_commit(repo: git.Repo, message: str) -> str: + commit = repo.index.commit(message) + return f"Changes committed successfully with hash {commit.hexsha}" + +def git_add(repo: git.Repo, files: list[str]) -> str: + repo.index.add(files) + return "Files staged successfully" + +def git_reset(repo: git.Repo) -> str: + repo.index.reset() + return "All staged changes reset" + +def git_log(repo: git.Repo, max_count: int = 10) -> list[str]: + commits = list(repo.iter_commits(max_count=max_count)) + log = [] + for commit in commits: + log.append( + f"Commit: {commit.hexsha}\n" + f"Author: {commit.author}\n" + f"Date: {commit.authored_datetime}\n" + f"Message: {commit.message}\n" + ) + return log + +async def serve(repository: Path | None) -> None: + logger = logging.getLogger(__name__) + + if repository is not None: + try: + git.Repo(repository) + logger.info(f"Using repository at {repository}") + except git.InvalidGitRepositoryError: + logger.error(f"{repository} is not a valid Git repository") + return + + server = Server("mcp-git") + + @server.list_tools() + async def list_tools() -> list[Tool]: + return [ + Tool( + name=GitTools.STATUS, + description="Shows the working tree status", + inputSchema=GitStatus.schema(), + ), + Tool( + name=GitTools.DIFF_UNSTAGED, + description="Shows changes in the working directory that are not yet staged", + inputSchema=GitDiffUnstaged.schema(), + ), + Tool( + name=GitTools.DIFF_STAGED, + description="Shows changes that are staged for commit", + inputSchema=GitDiffStaged.schema(), + ), + Tool( + name=GitTools.COMMIT, + description="Records changes to the repository", + inputSchema=GitCommit.schema(), + ), + Tool( + name=GitTools.ADD, + description="Adds file contents to the staging area", + inputSchema=GitAdd.schema(), + ), + Tool( + name=GitTools.RESET, + description="Unstages all staged changes", + inputSchema=GitReset.schema(), + ), + Tool( + name=GitTools.LOG, + description="Shows the commit logs", + inputSchema=GitLog.schema(), + ), + ] + + async def list_repos() -> Sequence[str]: + async def by_roots() -> Sequence[str]: + if not isinstance(server.request_context.session, ServerSession): + raise TypeError("server.request_context.session must be a ServerSession") + + if not server.request_context.session.check_client_capability( + ClientCapabilities(roots=RootsCapability()) + ): + return [] + + roots_result: ListRootsResult = await server.request_context.session.list_roots() + logger.debug(f"Roots result: {roots_result}") + repo_paths = [] + for root in roots_result.roots: + path = root.uri.path + try: + git.Repo(path) + repo_paths.append(str(path)) + except git.InvalidGitRepositoryError: + pass + return repo_paths + + def by_commandline() -> Sequence[str]: + return [str(repository)] if repository is not None else [] + + cmd_repos = by_commandline() + root_repos = await by_roots() + return [*root_repos, *cmd_repos] + + @server.call_tool() + async def call_tool(name: str, arguments: dict) -> list[TextContent]: + repo_path = Path(arguments["repo_path"]) + repo = git.Repo(repo_path) + + match name: + case GitTools.STATUS: + status = git_status(repo) + return [TextContent( + type="text", + text=f"Repository status:\n{status}" + )] + + case GitTools.DIFF_UNSTAGED: + diff = git_diff_unstaged(repo) + return [TextContent( + type="text", + text=f"Unstaged changes:\n{diff}" + )] + + case GitTools.DIFF_STAGED: + diff = git_diff_staged(repo) + return [TextContent( + type="text", + text=f"Staged changes:\n{diff}" + )] + + case GitTools.COMMIT: + result = git_commit(repo, arguments["message"]) + return [TextContent( + type="text", + text=result + )] + + case GitTools.ADD: + result = git_add(repo, arguments["files"]) + return [TextContent( + type="text", + text=result + )] + + case GitTools.RESET: + result = git_reset(repo) + return [TextContent( + type="text", + text=result + )] + + case GitTools.LOG: + log = git_log(repo, arguments.get("max_count", 10)) + return [TextContent( + type="text", + text="Commit history:\n" + "\n".join(log) + )] + + case _: + raise ValueError(f"Unknown tool: {name}") + + options = server.create_initialization_options() + async with stdio_server() as (read_stream, write_stream): + await server.run(read_stream, write_stream, options, raise_exceptions=True) diff --git a/src/git/uv.lock b/src/git/uv.lock index f35f8157..8301144f 100644 --- a/src/git/uv.lock +++ b/src/git/uv.lock @@ -167,7 +167,7 @@ wheels = [ [[package]] name = "mcp-server-git" -version = "0.2.0" +version = "0.3.0" source = { editable = "." } dependencies = [ { name = "click" }, From 4f7b8ec4e918619dcf05de01a09682a5e7ef5c62 Mon Sep 17 00:00:00 2001 From: David Soria Parra Date: Thu, 21 Nov 2024 23:17:16 +0000 Subject: [PATCH 2/2] bump version --- src/git/pyproject.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/src/git/pyproject.toml b/src/git/pyproject.toml index 6475eebb..a462dfb5 100644 --- a/src/git/pyproject.toml +++ b/src/git/pyproject.toml @@ -1,6 +1,6 @@ [project] name="mcp-server-git" -version = "0.3.0" +version = "0.3.1" description = "A Model Context Protocol server providing tools to read, search, and manipulate Git repositories programmatically via LLMs" readme = "README.md" requires-python = ">=3.10"