Skip to content

Commit 83a3853

Browse files
committed
fix: respect resource mime type in responses
The server was ignoring mime types set on resources, defaulting to text/plain for strings and application/octet-stream for bytes. Now properly preserves the specified mime type in both FastMCP and low-level server implementations. Reported-by: eiseleMichael
1 parent 2108ecf commit 83a3853

File tree

6 files changed

+80
-29
lines changed

6 files changed

+80
-29
lines changed

CLAUDE.md

+24
Original file line numberDiff line numberDiff line change
@@ -23,6 +23,30 @@ This file is intended to be used by an LLM such as Claude.
2323
git commit -am "\"fix: my commit message\""
2424
```
2525

26+
- For commits fixing bugs or adding features based on user reports add:
27+
```bash
28+
git commit --trailer "Reported-by:<name>"
29+
```
30+
Where `<name>` is the name of the user.
31+
32+
- For commits related to a Github issue, add
33+
```bash
34+
git commit --trailer "Github-Issue:<number>"
35+
```
36+
- NEVER ever mention a `co-authored-by` or similar aspects. In particular, never
37+
mention the tool used to create the commit message or PR.
38+
39+
## Pull Requests
40+
41+
- Create a detailed message of what changed. Focus on the high level description of
42+
the problem it tries to solve, and how it is solved. Don't go into the specifics of the
43+
code unless it adds clarity.
44+
45+
- Always add `jerome3o-anthropic` and `jspahrsummers` as reviewer.
46+
47+
- NEVER ever mention a `co-authored-by` or similar aspects. In particular, never
48+
mention the tool used to create the commit message or PR.
49+
2650
## Python Tools
2751

2852
### Ruff

src/mcp/server/fastmcp/server.py

+5-3
Original file line numberDiff line numberDiff line change
@@ -197,14 +197,16 @@ async def list_resource_templates(self) -> list[MCPResourceTemplate]:
197197
for template in templates
198198
]
199199

200-
async def read_resource(self, uri: AnyUrl | str) -> str | bytes:
200+
async def read_resource(self, uri: AnyUrl | str) -> tuple[str | bytes, str]:
201201
"""Read a resource by URI."""
202+
202203
resource = await self._resource_manager.get_resource(uri)
203204
if not resource:
204205
raise ResourceError(f"Unknown resource: {uri}")
205206

206207
try:
207-
return await resource.read()
208+
content = await resource.read()
209+
return (content, resource.mime_type)
208210
except Exception as e:
209211
logger.error(f"Error reading resource {uri}: {e}")
210212
raise ResourceError(str(e))
@@ -606,7 +608,7 @@ async def report_progress(
606608
progress_token=progress_token, progress=progress, total=total
607609
)
608610

609-
async def read_resource(self, uri: str | AnyUrl) -> str | bytes:
611+
async def read_resource(self, uri: str | AnyUrl) -> tuple[str | bytes, str]:
610612
"""Read a resource by URI.
611613
612614
Args:

src/mcp/server/lowlevel/server.py

+42-19
Original file line numberDiff line numberDiff line change
@@ -252,32 +252,55 @@ async def handler(_: Any):
252252
return decorator
253253

254254
def read_resource(self):
255-
def decorator(func: Callable[[AnyUrl], Awaitable[str | bytes]]):
255+
def decorator(
256+
func: Callable[[AnyUrl], Awaitable[str | bytes | tuple[str | bytes, str]]],
257+
):
256258
logger.debug("Registering handler for ReadResourceRequest")
257259

258260
async def handler(req: types.ReadResourceRequest):
259261
result = await func(req.params.uri)
262+
263+
def create_content(data: str | bytes, mime_type: str):
264+
match data:
265+
case str() as data:
266+
return types.TextResourceContents(
267+
uri=req.params.uri,
268+
text=data,
269+
mimeType=mime_type,
270+
)
271+
case bytes() as data:
272+
import base64
273+
274+
return types.BlobResourceContents(
275+
uri=req.params.uri,
276+
blob=base64.urlsafe_b64encode(data).decode(),
277+
mimeType=mime_type,
278+
)
279+
260280
match result:
261-
case str(s):
262-
content = types.TextResourceContents(
263-
uri=req.params.uri,
264-
text=s,
265-
mimeType="text/plain",
281+
case str() | bytes() as data:
282+
default_mime = (
283+
"text/plain"
284+
if isinstance(data, str)
285+
else "application/octet-stream"
266286
)
267-
case bytes(b):
268-
import base64
269-
270-
content = types.BlobResourceContents(
271-
uri=req.params.uri,
272-
blob=base64.urlsafe_b64encode(b).decode(),
273-
mimeType="application/octet-stream",
287+
content = create_content(data, default_mime)
288+
return types.ServerResult(
289+
types.ReadResourceResult(
290+
contents=[content],
291+
)
292+
)
293+
case (data, mime_type):
294+
content = create_content(data, mime_type)
295+
return types.ServerResult(
296+
types.ReadResourceResult(
297+
contents=[content],
298+
)
299+
)
300+
case _:
301+
raise ValueError(
302+
f"Unexpected return type from read_resource: {type(result)}"
274303
)
275-
276-
return types.ServerResult(
277-
types.ReadResourceResult(
278-
contents=[content],
279-
)
280-
)
281304

282305
self.request_handlers[types.ReadResourceRequest] = handler
283306
return func

tests/issues/test_152_resource_mime_type.py

+2-2
Original file line numberDiff line numberDiff line change
@@ -98,9 +98,9 @@ async def handle_list_resources():
9898
@server.read_resource()
9999
async def handle_read_resource(uri: AnyUrl):
100100
if str(uri) == "test://image":
101-
return base64_string
101+
return (base64_string, "image/png")
102102
elif str(uri) == "test://image_bytes":
103-
return image_bytes
103+
return (bytes(image_bytes), "image/png")
104104
raise Exception(f"Resource not found: {uri}")
105105

106106
# Test that resources are listed with correct mime type

tests/server/fastmcp/servers/test_file_server.py

+5-3
Original file line numberDiff line numberDiff line change
@@ -88,7 +88,9 @@ async def test_list_resources(mcp: FastMCP):
8888

8989
@pytest.mark.anyio
9090
async def test_read_resource_dir(mcp: FastMCP):
91-
files = await mcp.read_resource("dir://test_dir")
91+
files, mime_type = await mcp.read_resource("dir://test_dir")
92+
assert mime_type == "text/plain"
93+
9294
files = json.loads(files)
9395

9496
assert sorted([Path(f).name for f in files]) == [
@@ -100,7 +102,7 @@ async def test_read_resource_dir(mcp: FastMCP):
100102

101103
@pytest.mark.anyio
102104
async def test_read_resource_file(mcp: FastMCP):
103-
result = await mcp.read_resource("file://test_dir/example.py")
105+
result, _ = await mcp.read_resource("file://test_dir/example.py")
104106
assert result == "print('hello world')"
105107

106108

@@ -117,5 +119,5 @@ async def test_delete_file_and_check_resources(mcp: FastMCP, test_dir: Path):
117119
await mcp.call_tool(
118120
"delete_file", arguments=dict(path=str(test_dir / "example.py"))
119121
)
120-
result = await mcp.read_resource("file://test_dir/example.py")
122+
result, _ = await mcp.read_resource("file://test_dir/example.py")
121123
assert result == "File not found"

tests/server/fastmcp/test_server.py

+2-2
Original file line numberDiff line numberDiff line change
@@ -563,8 +563,8 @@ def test_resource() -> str:
563563

564564
@mcp.tool()
565565
async def tool_with_resource(ctx: Context) -> str:
566-
data = await ctx.read_resource("test://data")
567-
return f"Read resource: {data}"
566+
data, mime_type = await ctx.read_resource("test://data")
567+
return f"Read resource: {data} with mime type {mime_type}"
568568

569569
async with client_session(mcp._mcp_server) as client:
570570
result = await client.call_tool("tool_with_resource", {})

0 commit comments

Comments
 (0)