Skip to content
Merged
Show file tree
Hide file tree
Changes from 6 commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
30 changes: 30 additions & 0 deletions README.md
Original file line number Diff line number Diff line change
Expand Up @@ -592,6 +592,36 @@ lost_baggage = SwarmAgent(

</details>

### Icons

You can add icons to your agents for better visualization in UIs that support it (e.g. Claude Desktop).
To do so, you can add an `icons` parameter to your `MCPApp` or `@app.tool` definitions.

```python
# load an icon from file and serve it as a data URI
icon_path = Path("my-icon.png")
icon_data = base64.standard_b64encode(icon_path.read_bytes()).decode()
icon_data_uri = f"data:image/png;base64,{icon_data}"
Comment on lines +602 to +604
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

The example is missing the required import for Path. Consider adding from pathlib import Path to the code example to ensure users can copy and run it without errors.

Suggested change
icon_path = Path("my-icon.png")
icon_data = base64.standard_b64encode(icon_path.read_bytes()).decode()
icon_data_uri = f"data:image/png;base64,{icon_data}"
from pathlib import Path
import base64
icon_path = Path("my-icon.png")
icon_data = base64.standard_b64encode(icon_path.read_bytes()).decode()
icon_data_uri = f"data:image/png;base64,{icon_data}"

Spotted by Graphite Agent

Fix in Graphite


Is this helpful? React 👍 or 👎 to let us know.

icon = Icon(src=icon_data_uri, mimeType="image/png", sizes=["64x64"])

# alternatively, one can use an external URL:
web_icon = Icon(src="https://example.com/my-icon.png", mimeType="image/png", sizes=["64x64"])

app = MCPApp(
name="my_app_with_icon",
description="Agent server with an icon",
icons=[icon],
# ...
)


@app.tool(icons=[icon])
async def my_tool(...) -> ...:
# ...
```

If you inject your own `FastMCP` instance into an `MCPApp`, you will have to add your icons there.

### App Config

Create an [`mcp_agent.config.yaml`](/schema/mcp-agent.config.schema.json) and define secrets via either a gitignored [`mcp_agent.secrets.yaml`](./examples/basic/mcp_basic_agent/mcp_agent.secrets.yaml.example) or a local [`.env`](./examples/basic/mcp_basic_agent/.env.example). In production, prefer `MCP_APP_SETTINGS_PRELOAD` to avoid writing plaintext secrets to disk.
Expand Down
Binary file added examples/mcp_agent_server/temporal/mag.png
Loading
Sorry, something went wrong. Reload?
Sorry, we cannot display this file.
Sorry, this file is invalid so it cannot be displayed.
9 changes: 8 additions & 1 deletion examples/mcp_agent_server/temporal/main.py
Original file line number Diff line number Diff line change
Expand Up @@ -9,8 +9,10 @@
"""

import asyncio
import base64
import logging
import os
from pathlib import Path

from mcp.types import Icon, ModelHint, ModelPreferences, SamplingMessage, TextContent
from temporalio.exceptions import ApplicationError
Expand Down Expand Up @@ -93,12 +95,17 @@ async def run(
return WorkflowResult(value=result)


icon_file = Path(__file__).parent / "mag.png"
icon_data = base64.standard_b64encode(icon_file.read_bytes()).decode()
icon_data_uri = f"data:image/png;base64,{icon_data}"
mag_icon = Icon(src=icon_data_uri, mimeType="image/png", sizes=["64x64"])

@app.tool(
name="finder_tool",
title="Finder Tool",
description="Run the Finder workflow synchronously.",
annotations={"idempotentHint": False},
icons=[Icon(src="emoji:mag")],
icons=[mag_icon],
meta={"category": "demo", "engine": "temporal"},
structured_output=False,
)
Expand Down
16 changes: 15 additions & 1 deletion src/mcp_agent/app.py
Original file line number Diff line number Diff line change
Expand Up @@ -22,7 +22,6 @@
from mcp import ServerSession
from mcp.server.fastmcp import FastMCP
from mcp.types import ToolAnnotations, Icon

from mcp_agent.core.context import Context, initialize_context, cleanup_context
from mcp_agent.config import Settings, get_settings
from mcp_agent.executor.signal_registry import SignalRegistry
Expand Down Expand Up @@ -53,6 +52,11 @@
P = ParamSpec("P")
R = TypeVar("R")

phetch = Icon(
src="https://s3.us-east-1.amazonaws.com/publicdata.lastmileai.com/phetch.png",
mimeType="image/png",
sizes=["48x48"],
)

class MCPApp:
"""
Expand Down Expand Up @@ -86,6 +90,7 @@ def __init__(
signal_notification: SignalWaitCallback | None = None,
upstream_session: Optional["ServerSession"] = None,
model_selector: ModelSelector | None = None,
icons: list[Icon] | None = None,
Copy link
Collaborator

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Should this be something configurable on the config as well?

Copy link
Contributor Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

We have to include it as a parameter to the @app.tool decorator, so including it in the MCPApp creator seemed more consistent. Also, the config would work well for external images, but not so much for embedded ones. (I suppose we could detect a file:// url and base64 encode it if we wanted to, but it still would be a bit inconsistent.) Open to changing it, though

):
"""
Initialize the application with a name and optional settings.
Expand Down Expand Up @@ -136,6 +141,10 @@ def __init__(
self._signal_notification = signal_notification
self._upstream_session = upstream_session
self._model_selector = model_selector
if icons:
self._icons = icons
else:
self._icons = [phetch]

self._workflows: Dict[str, Type["Workflow"]] = {} # id to workflow class
# Deferred tool declarations to register with MCP server when available
Expand Down Expand Up @@ -835,6 +844,8 @@ def decorator(fn: Callable[P, R]) -> Callable[P, R]:
icons_list.append(Icon(**icon))
else:
raise TypeError("icons entries must be Icon or mapping")
else:
icons_list = [phetch]

meta_payload: Dict[str, Any] | None = None
if meta is not None:
Expand Down Expand Up @@ -943,6 +954,8 @@ def decorator(fn: Callable[P, R]) -> Callable[P, R]:
icons_list.append(Icon(**icon))
else:
raise TypeError("icons entries must be Icon or mapping")
else:
icons_list = [phetch]

meta_payload: Dict[str, Any] | None = None
if meta is not None:
Expand All @@ -954,6 +967,7 @@ def decorator(fn: Callable[P, R]) -> Callable[P, R]:
description=description,
mark_sync_tool=False,
)

# Defer alias tool registration for run/get_status
self._declared_tools.append(
{
Expand Down
Binary file added src/mcp_agent/data/phetch.png
Loading
Sorry, something went wrong. Reload?
Sorry, we cannot display this file.
Sorry, this file is invalid so it cannot be displayed.
21 changes: 13 additions & 8 deletions src/mcp_agent/server/app_server.py
Original file line number Diff line number Diff line change
Expand Up @@ -2,7 +2,6 @@
MCPAgentServer - Exposes MCPApp as MCP server, and
mcp-agent workflows and agents as MCP tools.
"""

import json
from collections.abc import AsyncIterator
from contextlib import asynccontextmanager
Expand All @@ -12,12 +11,13 @@
import asyncio

from mcp.server.fastmcp import Context as MCPContext, FastMCP

from starlette.requests import Request
from starlette.responses import JSONResponse
from mcp.server.fastmcp.exceptions import ToolError
from mcp.server.fastmcp.tools import Tool as FastTool

from mcp_agent.app import MCPApp
from mcp_agent.app import MCPApp, phetch
from mcp_agent.agents.agent import Agent
from mcp_agent.core.context_dependent import ContextDependent
from mcp_agent.executor.workflow import Workflow
Expand Down Expand Up @@ -1039,6 +1039,9 @@ async def _internal_human_prompts(request: Request):
except Exception:
pass
else:
if "icons" not in kwargs and app._icons:
kwargs["icons"] = app._icons

mcp = FastMCP(
name=app.name or "mcp_agent_server",
# TODO: saqadri (MAC) - create a much more detailed description
Expand Down Expand Up @@ -1078,7 +1081,7 @@ async def _set_level(

# region Workflow Tools

@mcp.tool(name="workflows-list")
@mcp.tool(name="workflows-list", icons=[phetch])
def list_workflows(ctx: MCPContext) -> Dict[str, Dict[str, Any]]:
"""
List all available workflow types with their detailed information.
Expand Down Expand Up @@ -1121,7 +1124,7 @@ def list_workflows(ctx: MCPContext) -> Dict[str, Dict[str, Any]]:

return result

@mcp.tool(name="workflows-runs-list")
@mcp.tool(name="workflows-runs-list", icons=[phetch])
async def list_workflow_runs(
ctx: MCPContext,
limit: int = 100,
Expand Down Expand Up @@ -1178,7 +1181,7 @@ async def list_workflow_runs(

return workflow_statuses

@mcp.tool(name="workflows-run")
@mcp.tool(name="workflows-run", icons=[phetch])
async def run_workflow(
ctx: MCPContext,
workflow_name: str,
Expand All @@ -1205,7 +1208,7 @@ async def run_workflow(
pass
return await _workflow_run(ctx, workflow_name, run_parameters, **kwargs)

@mcp.tool(name="workflows-get_status")
@mcp.tool(name="workflows-get_status", icons=[phetch])
async def get_workflow_status(
ctx: MCPContext,
run_id: str | None = None,
Expand Down Expand Up @@ -1245,7 +1248,7 @@ async def get_workflow_status(
pass
return await _workflow_status(ctx, run_id=run_id, workflow_id=workflow_id)

@mcp.tool(name="workflows-resume")
@mcp.tool(name="workflows-resume", icons=[phetch])
async def resume_workflow(
ctx: MCPContext,
run_id: str | None = None,
Expand Down Expand Up @@ -1319,7 +1322,7 @@ async def resume_workflow(

return result

@mcp.tool(name="workflows-cancel")
@mcp.tool(name="workflows-cancel", icons=[phetch])
async def cancel_workflow(
ctx: MCPContext, run_id: str | None = None, workflow_id: str | None = None
) -> bool:
Expand Down Expand Up @@ -1572,6 +1575,7 @@ async def _await_task(task: asyncio.Task):
annotations = decl.get("annotations")
icons = decl.get("icons")
_meta = decl.get("meta")

# Bind per-iteration values to avoid late-binding closure bugs
name_local = name
wname_local = workflow_name
Expand Down Expand Up @@ -1803,6 +1807,7 @@ def _schema_fn_proxy(*args, **kwargs):

@mcp.tool(
name=f"workflows-{workflow_name}-run",
icons=[phetch],
description=f"""
Run the '{workflow_name}' workflow and get a dict with workflow_id and run_id back.
Workflow Description: {workflow_cls.__doc__}
Expand Down
Loading
Loading