Skip to content

Commit 89b429b

Browse files
authored
Merge branch 'main' into main
2 parents e9a94c2 + 04586f8 commit 89b429b

Some content is hidden

Large Commits have some content hidden by default. Use the searchbox below for content that may be hidden.

44 files changed

+1113
-283
lines changed

README.md

+162-67
Large diffs are not rendered by default.

RELEASE.md

+6-8
Original file line numberDiff line numberDiff line change
@@ -2,14 +2,12 @@
22

33
## Bumping Dependencies
44

5-
1. Change dependency
6-
2. Upgrade lock with `uv lock --resolution lowest-direct
5+
1. Change dependency version in `pyproject.toml`
6+
2. Upgrade lock with `uv lock --resolution lowest-direct`
77

88
## Major or Minor Release
99

10-
1. Create a release branch named `vX.Y.Z` where `X.Y.Z` is the version.
11-
2. Bump version number on release branch.
12-
3. Create an annotated, signed tag: `git tag -s -a vX.Y.Z`
13-
4. Create a github release using `gh release create` and publish it.
14-
5. Have the release flow being reviewed.
15-
7. Bump version number on `main` to the next version followed by `.dev`, e.g. `v0.4.0.dev`.
10+
Create a GitHub release via UI with the tag being `vX.Y.Z` where `X.Y.Z` is the version,
11+
and the release title being the same. Then ask someone to review the release.
12+
13+
The package version will be set automatically from the tag.

examples/clients/simple-chatbot/mcp_simple_chatbot/main.py

+1-1
Original file line numberDiff line numberDiff line change
@@ -23,7 +23,7 @@ class Configuration:
2323
def __init__(self) -> None:
2424
"""Initialize configuration with environment variables."""
2525
self.load_env()
26-
self.api_key = os.getenv("GROQ_API_KEY")
26+
self.api_key = os.getenv("LLM_API_KEY")
2727

2828
@staticmethod
2929
def load_env() -> None:

pyproject.toml

+25-3
Original file line numberDiff line numberDiff line change
@@ -1,6 +1,6 @@
11
[project]
22
name = "mcp"
3-
version = "1.4.0.dev0"
3+
dynamic = ["version"]
44
description = "Model Context Protocol SDK"
55
readme = "README.md"
66
requires-python = ">=3.10"
@@ -35,6 +35,7 @@ dependencies = [
3535
[project.optional-dependencies]
3636
rich = ["rich>=13.9.4"]
3737
cli = ["typer>=0.12.4", "python-dotenv>=1.0.0"]
38+
ws = ["websockets>=15.0.1"]
3839

3940
[project.scripts]
4041
mcp = "mcp.cli:app [cli]"
@@ -48,12 +49,21 @@ dev-dependencies = [
4849
"trio>=0.26.2",
4950
"pytest-flakefinder>=1.1.0",
5051
"pytest-xdist>=3.6.1",
52+
"pytest-examples>=0.0.14",
5153
]
5254

5355
[build-system]
54-
requires = ["hatchling"]
56+
requires = ["hatchling", "uv-dynamic-versioning"]
5557
build-backend = "hatchling.build"
5658

59+
[tool.hatch.version]
60+
source = "uv-dynamic-versioning"
61+
62+
[tool.uv-dynamic-versioning]
63+
vcs = "git"
64+
style = "pep440"
65+
bump = true
66+
5767
[project.urls]
5868
Homepage = "https://modelcontextprotocol.io"
5969
Repository = "https://github.com/modelcontextprotocol/python-sdk"
@@ -66,9 +76,11 @@ packages = ["src/mcp"]
6676
include = ["src/mcp", "tests"]
6777
venvPath = "."
6878
venv = ".venv"
79+
strict = ["src/mcp/**/*.py"]
80+
exclude = ["src/mcp/types.py"]
6981

7082
[tool.ruff.lint]
71-
select = ["E", "F", "I"]
83+
select = ["E", "F", "I", "UP"]
7284
ignore = []
7385

7486
[tool.ruff]
@@ -84,3 +96,13 @@ members = ["examples/servers/*"]
8496

8597
[tool.uv.sources]
8698
mcp = { workspace = true }
99+
100+
[tool.pytest.ini_options]
101+
xfail_strict = true
102+
filterwarnings = [
103+
"error",
104+
# This should be fixed on Uvicorn's side.
105+
"ignore::DeprecationWarning:websockets",
106+
"ignore:websockets.server.WebSocketServerProtocol is deprecated:DeprecationWarning",
107+
"ignore:Returning str or bytes.*:DeprecationWarning:mcp.server.lowlevel"
108+
]

src/mcp/cli/claude.py

+7-4
Original file line numberDiff line numberDiff line change
@@ -1,8 +1,10 @@
11
"""Claude app integration utilities."""
22

33
import json
4+
import os
45
import sys
56
from pathlib import Path
7+
from typing import Any
68

79
from mcp.server.fastmcp.utilities.logging import get_logger
810

@@ -17,6 +19,10 @@ def get_claude_config_path() -> Path | None:
1719
path = Path(Path.home(), "AppData", "Roaming", "Claude")
1820
elif sys.platform == "darwin":
1921
path = Path(Path.home(), "Library", "Application Support", "Claude")
22+
elif sys.platform.startswith("linux"):
23+
path = Path(
24+
os.environ.get("XDG_CONFIG_HOME", Path.home() / ".config"), "Claude"
25+
)
2026
else:
2127
return None
2228

@@ -111,10 +117,7 @@ def update_claude_config(
111117
# Add fastmcp run command
112118
args.extend(["mcp", "run", file_spec])
113119

114-
server_config = {
115-
"command": "uv",
116-
"args": args,
117-
}
120+
server_config: dict[str, Any] = {"command": "uv", "args": args}
118121

119122
# Add environment variables if specified
120123
if env_vars:

src/mcp/cli/cli.py

+6-7
Original file line numberDiff line numberDiff line change
@@ -294,15 +294,14 @@ def run(
294294
) -> None:
295295
"""Run a MCP server.
296296
297-
The server can be specified in two ways:
298-
1. Module approach: server.py - runs the module directly, expecting a server.run()
299-
call
300-
2. Import approach: server.py:app - imports and runs the specified server object
297+
The server can be specified in two ways:\n
298+
1. Module approach: server.py - runs the module directly, expecting a server.run() call.\n
299+
2. Import approach: server.py:app - imports and runs the specified server object.\n\n
301300
302301
Note: This command runs the server directly. You are responsible for ensuring
303-
all dependencies are available. For dependency management, use mcp install
304-
or mcp dev instead.
305-
"""
302+
all dependencies are available.\n
303+
For dependency management, use `mcp install` or `mcp dev` instead.
304+
""" # noqa: E501
306305
file, server_object = _parse_file_path(file_spec)
307306

308307
logger.debug(

src/mcp/client/__main__.py

+6-1
Original file line numberDiff line numberDiff line change
@@ -5,10 +5,12 @@
55
from urllib.parse import urlparse
66

77
import anyio
8+
from anyio.streams.memory import MemoryObjectReceiveStream, MemoryObjectSendStream
89

910
from mcp.client.session import ClientSession
1011
from mcp.client.sse import sse_client
1112
from mcp.client.stdio import StdioServerParameters, stdio_client
13+
from mcp.types import JSONRPCMessage
1214

1315
if not sys.warnoptions:
1416
import warnings
@@ -29,7 +31,10 @@ async def receive_loop(session: ClientSession):
2931
logger.info("Received message from server: %s", message)
3032

3133

32-
async def run_session(read_stream, write_stream):
34+
async def run_session(
35+
read_stream: MemoryObjectReceiveStream[JSONRPCMessage | Exception],
36+
write_stream: MemoryObjectSendStream[JSONRPCMessage],
37+
):
3338
async with (
3439
ClientSession(read_stream, write_stream) as session,
3540
anyio.create_task_group() as tg,

src/mcp/client/session.py

+38-15
Original file line numberDiff line numberDiff line change
@@ -24,6 +24,13 @@ async def __call__(
2424
) -> types.ListRootsResult | types.ErrorData: ...
2525

2626

27+
class LoggingFnT(Protocol):
28+
async def __call__(
29+
self,
30+
params: types.LoggingMessageNotificationParams,
31+
) -> None: ...
32+
33+
2734
async def _default_sampling_callback(
2835
context: RequestContext["ClientSession", Any],
2936
params: types.CreateMessageRequestParams,
@@ -43,7 +50,15 @@ async def _default_list_roots_callback(
4350
)
4451

4552

46-
ClientResponse = TypeAdapter(types.ClientResult | types.ErrorData)
53+
async def _default_logging_callback(
54+
params: types.LoggingMessageNotificationParams,
55+
) -> None:
56+
pass
57+
58+
59+
ClientResponse: TypeAdapter[types.ClientResult | types.ErrorData] = TypeAdapter(
60+
types.ClientResult | types.ErrorData
61+
)
4762

4863

4964
class ClientSession(
@@ -62,6 +77,7 @@ def __init__(
6277
read_timeout_seconds: timedelta | None = None,
6378
sampling_callback: SamplingFnT | None = None,
6479
list_roots_callback: ListRootsFnT | None = None,
80+
logging_callback: LoggingFnT | None = None,
6581
) -> None:
6682
super().__init__(
6783
read_stream,
@@ -72,20 +88,15 @@ def __init__(
7288
)
7389
self._sampling_callback = sampling_callback or _default_sampling_callback
7490
self._list_roots_callback = list_roots_callback or _default_list_roots_callback
91+
self._logging_callback = logging_callback or _default_logging_callback
7592

7693
async def initialize(self) -> types.InitializeResult:
77-
sampling = (
78-
types.SamplingCapability() if self._sampling_callback is not None else None
79-
)
80-
roots = (
81-
types.RootsCapability(
82-
# TODO: Should this be based on whether we
83-
# _will_ send notifications, or only whether
84-
# they're supported?
85-
listChanged=True,
86-
)
87-
if self._list_roots_callback is not None
88-
else None
94+
sampling = types.SamplingCapability()
95+
roots = types.RootsCapability(
96+
# TODO: Should this be based on whether we
97+
# _will_ send notifications, or only whether
98+
# they're supported?
99+
listChanged=True,
89100
)
90101

91102
result = await self.send_request(
@@ -219,7 +230,7 @@ async def unsubscribe_resource(self, uri: AnyUrl) -> types.EmptyResult:
219230
)
220231

221232
async def call_tool(
222-
self, name: str, arguments: dict | None = None
233+
self, name: str, arguments: dict[str, Any] | None = None
223234
) -> types.CallToolResult:
224235
"""Send a tools/call request."""
225236
return await self.send_request(
@@ -258,7 +269,9 @@ async def get_prompt(
258269
)
259270

260271
async def complete(
261-
self, ref: types.ResourceReference | types.PromptReference, argument: dict
272+
self,
273+
ref: types.ResourceReference | types.PromptReference,
274+
argument: dict[str, str],
262275
) -> types.CompleteResult:
263276
"""Send a completion/complete request."""
264277
return await self.send_request(
@@ -323,3 +336,13 @@ async def _received_request(
323336
return await responder.respond(
324337
types.ClientResult(root=types.EmptyResult())
325338
)
339+
340+
async def _received_notification(
341+
self, notification: types.ServerNotification
342+
) -> None:
343+
"""Handle notifications from the server."""
344+
match notification.root:
345+
case types.LoggingMessageNotification(params=params):
346+
await self._logging_callback(params)
347+
case _:
348+
pass

src/mcp/client/sse.py

+4
Original file line numberDiff line numberDiff line change
@@ -98,6 +98,10 @@ async def sse_reader(
9898
continue
9999

100100
await read_stream_writer.send(message)
101+
case _:
102+
logger.warning(
103+
f"Unknown SSE event: {sse.event}"
104+
)
101105
except Exception as exc:
102106
logger.error(f"Error in sse_reader: {exc}")
103107
await read_stream_writer.send(exc)

src/mcp/client/stdio.py

+8-3
Original file line numberDiff line numberDiff line change
@@ -1,7 +1,8 @@
11
import os
22
import sys
33
from contextlib import asynccontextmanager
4-
from typing import Literal
4+
from pathlib import Path
5+
from typing import Literal, TextIO
56

67
import anyio
78
import anyio.lowlevel
@@ -66,6 +67,9 @@ class StdioServerParameters(BaseModel):
6667
If not specified, the result of get_default_environment() will be used.
6768
"""
6869

70+
cwd: str | Path | None = None
71+
"""The working directory to use when spawning the process."""
72+
6973
encoding: str = "utf-8"
7074
"""
7175
The text encoding used when sending/receiving messages to the server
@@ -83,7 +87,7 @@ class StdioServerParameters(BaseModel):
8387

8488

8589
@asynccontextmanager
86-
async def stdio_client(server: StdioServerParameters):
90+
async def stdio_client(server: StdioServerParameters, errlog: TextIO = sys.stderr):
8791
"""
8892
Client transport for stdio: this will connect to a server by spawning a
8993
process and communicating with it over stdin/stdout.
@@ -100,7 +104,8 @@ async def stdio_client(server: StdioServerParameters):
100104
process = await anyio.open_process(
101105
[server.command, *server.args],
102106
env=server.env if server.env is not None else get_default_environment(),
103-
stderr=sys.stderr,
107+
stderr=errlog,
108+
cwd=server.cwd,
104109
)
105110

106111
async def stdout_reader():

0 commit comments

Comments
 (0)