A dedicated tool server decouples the creation of specialized tools (e.g., for retrieving data from specific knowledge sources) from agent development. This separation enables different teams to contribute and manage tools independently. Agents can then be rapidly configured—by simply specifying a prompt and a set of accessible tools. This streamlined approach simplifies authentication and authorization and accelerates the deployment of agents into production.
Users working in a local environment that need MCP, can enable MCP support. In comparison to MCP, this specification uses stateless connection which makes it suitable for web deployment.
- 🌐 Stateless Web Deployment: Deploy as a web server without the need for persistent connections, allowing easy autoscaling and load balancing.
- 📡 Simple REST Protocol: Leverage a straightforward REST API.
- 🔐 Built-In Authentication: Out-of-the-box auth support, ensuring only authorized users can access tools.
- 🛠️ Decoupled Tool Creation: In an enterprise setting, decouple the creation of specialized tools (like data retrieval from specific knowledge sources) from the agent configuration.
- ⚙️ Works with LangChain tools: You can integrate existing LangChain tools with minimal effort.
pip install langchain-tool-server open-tool-client
Add a server.py file to your project and define your tools with type hints.
from typing import Annotated
from starlette.requests import Request
from langchain_tool_server.tools import InjectedRequest
from langchain_tool_server import Server, Auth
app = Server()
auth = Auth()
app.add_auth(auth)
@auth.authenticate
async def authenticate(authorization: str) -> dict:
"""Authenticate incoming requests."""
api_key = authorization
# Replace this with actual authentication logic.
api_key_to_user = {
"1": {"permissions": ["authenticated", "group1"], "identity": "some-user"},
"2": {"permissions": ["authenticated", "group2"], "identity": "another-user"},
}
# This is just an example. You should replace this with an actual
# implementation.
if not api_key or api_key not in api_key_to_user:
raise auth.exceptions.HTTPException(detail="Not authorized")
return api_key_to_user[api_key]
# Define tools using @tool decorator from langchain_core
from langchain_core.tools import tool
@tool
async def echo(msg: str) -> str:
"""Echo a message."""
return msg + "!"
@tool
async def who_am_i(request: Annotated[Request, InjectedRequest]) -> str:
"""Get the user identity."""
return request.user.identity
@tool
async def say_hello() -> str:
"""Say hello."""
return "Hello"
# Register all tools with the server
app.add_tool(echo, permissions=["group1"])
app.add_tool(who_am_i, permissions=["authenticated"])
app.add_tool(say_hello, permissions=["group2"])
Add a client.py file to your project and define your client.
import asyncio
from langchain_tool_client import get_async_client
async def main():
if len(sys.argv) < 2:
print(
"Usage: uv run client.py url of langchain-tool-server (i.e. http://localhost:8080/)>"
)
sys.exit(1)
url = sys.argv[1]
client = get_async_client(url=url)
# Check server status
print(await client.ok()) # "OK"
print(await client.info()) # Server version and other information
# List tools
print(await client.tools.list()) # List of tools
# Call a tool
print(await client.tools.call("add", {"x": 1, "y": 2})) # 3
# Get as langchain tools
select_tools = ["echo", "add"]
tools = await client.tools.as_langchain_tools(select_tools)
# Async
print(await tools[0].ainvoke({"msg": "Hello"})) # "Hello!"
print(await tools[1].ainvoke({"x": 1, "y": 3})) # 4
if __name__ == "__main__":
import sys
asyncio.run(main())
If you need a synchronous client, you can use the get_sync_client
function.
from langchain_tool_client import get_sync_client
If you have existing LangChain tools, you can expose them via the API by using the add_tool
method which will add the tool to the server.
This also gives you the option to add Authentication to an existing LangChain tool.
from langchain_tool_server import Server
from langchain_core.tools import tool
app = Server()
# Say you have some existing langchain tool
@tool
async def say_hello() -> str:
"""Say hello."""
return "Hello"
# This is how you expose it via the API
app.add_tool(
say_hello,
# You can include permissions if you're setting up Auth
permissions=["group2"]
)
Here's an example of how you can use the Open Tool Server with a prebuilt LangGraph react agent.
pip install langchain-anthropic langgraph
import os
from langchain_anthropic import ChatAnthropic
from langgraph.prebuilt import create_react_agent
from langchain_tool_client import get_sync_client
if "ANTHROPIC_API_KEY" not in os.environ:
raise ValueError("Please set ANTHROPIC_API_KEY in the environment.")
tool_server = get_sync_client(
url=... # URL of the tool server
# headers=... # If you enabled auth
)
# Get tool definitions from the server
tools = tool_server.tools.as_langchain_tools()
print("Loaded tools:", tools)
model = ChatAnthropic(model="claude-3-5-sonnet-20240620")
agent = create_react_agent(model, tools=tools)
print()
user_message = "What is the temperature in Paris?"
messages = agent.invoke({"messages": [{"role": "user", "content": user_message}]})[
"messages"
]
for message in messages:
message.pretty_print()
You can enable support for the MCP SSE protocol by passing enable_mcp=True
to the Server constructor.
Important
Auth is not supported when using MCP SSE. So if you try to use auth and enable MCP, the server will raise an exception by design.
from langchain_tool_server import Server
from langchain_core.tools import tool
app = Server(enable_mcp=True)
@tool
async def echo(msg: str) -> str:
"""Echo a message."""
return msg + "!"
app.add_tool(echo)
This will mount an MCP SSE app at /mcp/sse. You can use the MCP client to connect to the server.
Use MCP client to connect to the server. The url should be the same as the server url with /mcp/sse
appended.
from mcp import ClientSession
from mcp.client.sse import sse_client
async def main() -> None:
# Please replace [host] with the actual host
# IMPORTANT: Add /mcp/sse to the url!
url = "[host]/mcp/sse"
async with sse_client(url=url) as streams:
async with ClientSession(streams[0], streams[1]) as session:
await session.initialize()
tools = await session.list_tools()
print(tools)
result = await session.call_tool("echo", {"msg": "Hello, world!"})
print(result)
A tool is a function that can be called by the client. It can be a simple function or a coroutine. The function signature should have type hints. The server will use these type hints to validate the input and output of the tool.
from langchain_core.tools import tool
@tool
async def add(x: int, y: int) -> int:
"""Add two numbers."""
return x + y
app.add_tool(add)
You can specify permissions
for a tool. The client must have the required permissions to call the tool. If the client does not have the required permissions, the server will return a 403 Forbidden error.
from langchain_core.tools import tool
@tool
async def add(x: int, y: int) -> int:
"""Add two numbers."""
return x + y
app.add_tool(add, permissions=["group1"])
A client must have all the required permissions to call the tool rather than a subset of the permissions.
A tool can request access to Starlette's Request
object by using the InjectedRequest
type hint. This can be useful for getting information about the request, such as the user's identity.
from typing import Annotated
from langchain_core.tools import tool
from langchain_tool_server import InjectedRequest
from starlette.requests import Request
@tool
async def who_am_i(request: Annotated[Request, InjectedRequest]) -> str:
"""Return the user's identity"""
# The `user` attribute can be used to retrieve the user object.
# This object corresponds to the return value of the authentication function.
return request.user.identity
app.add_tool(who_am_i, permissions=["group1"])
A client can list all available tools by calling the tools.list
method. The server will return a list of tools with their names and descriptions.
The client will only see tools for which they have the required permissions.
from langchain_tool_client import get_async_client
async def get_tools():
# Headers are entirely dependent on how you implement your authentication
# (see Auth section)
client = get_async_client(url="http://localhost:8080/", headers={"authorization": "api key"})
tools = await client.tools.list()
# If you need langchain tools you can use the as_langchain_tools method
langchain_tools = await client.tools.as_langchain_tools()
# Do something
...
You can add authentication to the server by defining an authentication function.
Tutorial
If you want to add realistic authentication to your server, you can follow the 3rd tutorial in the Connecting an Authentication Provider series for LangGraph Platform. It's a separate project, but the tutorial has useful information for setting up authentication in your server.
The authentication function is a coroutine that can request any of the following parameters:
Parameter | Description |
---|---|
request |
The HTTP request object that encapsulates all details of the incoming client request, including metadata and routing info. |
authorization |
A token or set of credentials used to authenticate the requestor and ensure secure access to the API or resource. |
headers |
A dictionary of HTTP headers providing essential metadata (e.g., content type, encoding, user-agent) associated with the request. |
body |
The payload of the request containing the data sent by the client, which may be formatted as JSON, XML, or form data. |
The function should either:
- Return a user object if the request is authenticated.
- Raise an
auth.exceptions.HTTPException
if the request cannot be authenticated.
from langchain_tool_server import Auth
auth = Auth()
@auth.authenticate
async def authenticate(headers: dict[bytes, bytes]) -> dict:
"""Authenticate incoming requests."""
is_authenticated = ... # Your authentication logic here
if not is_authenticated:
raise auth.exceptions.HTTPException(detail="Not authorized")
return {
"identity": "some-user",
"permissions": ["authenticated", "group1"],
# Add any other user information here
"foo": "bar",
}
- LangChain's example tool server with example tool to access github, hackernews, reddit.
Would like to contribute your server to this list? Open a PR!