Demo Server
Click on "Install Server".
Wait a few minutes for the server to deploy. Once ready, it will show a "Started" state.
In the chat, type
@followed by the MCP server name and your instructions, e.g., "@Demo Serveradd 15 and 27"
That's it! The server will respond to your query, and you can continue using it as needed.
Here is a step-by-step guide with screenshots.
Building a Simple MCP Server in Python Using the MCP Python SDK
The Model Context Protocol (MCP) is a standardized way to supply context to large language models (LLMs). Using the MCP Python SDK, you can build servers that expose data (resources), functionality (tools), and interaction templates (prompts) to LLM applications in a secure and modular fashion. In this tutorial, we’ll build a simple MCP server in Python step by step.
Introduction
The Model Context Protocol (MCP) standardizes the interface between applications and LLMs. With MCP, you can separate the concerns of providing context, executing code, and managing user interactions. The MCP Python SDK implements the full MCP specification, allowing you to:
Expose Resources: Deliver data to LLMs (similar to GET endpoints).
Define Tools: Provide functionality that performs actions or computations (like POST endpoints).
Create Prompts: Offer reusable, templated interactions.
MCP Primitives
Every MCP server can implement three core primitives. These define who controls the invocation and what role each primitive plays:
Primitive | Control | Description | Example Use |
Prompts | User‑controlled | Interactive templates invoked by user choice | Slash commands, menu options |
Resources | Application‑controlled | Contextual data managed by the client application | File contents, API responses |
Tools | Model‑controlled | Functions exposed to the LLM to take actions | API calls, data updates |
Prompts let you define structured conversation starters.
Resources are like read‑only data endpoints for the LLM’s context.
Tools enable the LLM to do things—calculate, fetch, update.
Server Capabilities
During initialization, an MCP server advertises which features it supports. Clients (and front‑ends) can adapt dynamically based on these flags:
Capability | Feature Flag | Description |
prompts |
| Prompt template management |
resources |
| Resource exposure and live updates |
tools |
| Tool discovery and execution |
logging | – | Server logging configuration |
completion | – | Argument completion suggestions |
listChangedsignals that the set of available prompts/resources/tools can change at runtime.subscribelets clients register for updates when resource data changes.loggingandcompletionare simple toggles for debug output and autocomplete help.
This tutorial will guide you through creating a simple MCP server using the MCP Python SDK.
Prerequisites
Before you begin, ensure you have the following installed:
uv – the fast Python package manager (
curl -LsSf https://astral.sh/uv/install.sh | sh)Node.js 18.x (optional, required if you want to use the MCP Inspector GUI)
We use uv for dependency management because it handles setting up the right Python version and virtual environments automatically.
Setting Up Your Environment
Option 1: Using uv (Recommended)
Simply run the following command in the project root:
uv syncThis will automatically create a virtual environment (.venv) and install all required dependencies including the MCP SDK.
Option 2: Using the install.sh Script (Ubuntu/Debian)
For a completely automated setup on Debian-based systems that also installs Node.js for the Inspector, you can run the provided script:
chmod +x install.sh
bash install.shWith your environment set up, you're ready to create and run your MCP server!
Setting Up Your Project
Create a new directory for your project and navigate into it. Then, create a file called server.py in the root of your project.
Your project structure should look like this:
mcp-server/
├── server.py
└── (other files such as .env, README.md, etc. as needed)Creating Your MCP Server
In this section, we will create a simple MCP server that exposes a calculator tool and a dynamic greeting resource. You can later extend this to add more functionality using prompts or additional tools.
Defining Tools
Tools are functions that perform computations or side effects. In this example, we’ll define a simple addition tool.
Open server.py and add the following code:
# server.py
from mcp.server.fastmcp import FastMCP
# Create an MCP server instance with a custom name.
mcp = FastMCP("Demo Server")
# Add a calculator tool: a simple function to add two numbers.
@mcp.tool()
def add(a: int, b: int) -> int:
"""
Add two numbers together.
:param a: First number.
:param b: Second number.
:return: Sum of the numbers.
"""
return a + bExposing Resources
Resources provide data that can be loaded into an LLM’s context. Here, we define a resource that returns a personalized greeting.
Add the following code to server.py:
# Expose a greeting resource that dynamically constructs a personalized greeting.
@mcp.resource("greeting://{name}")
def get_greeting(name: str) -> str:
"""
Return a greeting for the given name.
:param name: The name to greet.
:return: A personalized greeting.
"""
return f"Hello, {name}!"Adding Prompts (Optional)
Prompts allow you to supply reusable templates for interactions. For example, you can add a prompt to review code.
Add the following code if desired:
from mcp.server.fastmcp.prompts import base
@mcp.prompt()
def review_code(code: str) -> str:
"""
Provide a template for reviewing code.
:param code: The code to review.
:return: A prompt that asks the LLM to review the code.
"""
return f"Please review this code:\n\n{code}"Running Your MCP Server
First, ensure your environment is loaded seamlessly using uv:
uv run mcp-server/server.py# from the root folder
uv run mcp-server/server.pyWith your server defined in server.py, you can now run it. There are several ways to run an MCP server depending on your goals — development, debugging, integration, or deployment.
The Best Way to Run and Test Your Server: Use mcp dev
The easiest way to interact with your MCP server is using the built-in MCP Inspector, which gives you a visual UI in the browser.
For development and testing, the MCP Development Inspector provides an intuitive web interface to interact with your server.
1. Start Your Server in Development Mode
In your terminal, run:
uvx mcp dev mcp-server/server.pyThis command launches your MCP server and typically opens the Inspector in your web browser. You'll see your "Demo Server" and the exposed tools (add), resources (greeting), and prompts (review_code).
Start your server with the Inspector:
uvx mcp dev mcp-server/server.pyIt performs several important tasks:
Starts your MCP server using the default STDIO transport.
Enables live reloading, so your code updates are applied immediately without needing to restart the server.
Launches the MCP Inspector interface, a web-based UI available at
http://localhost:6274/, where you can explore and test all the functionalities of your server.
After running the command, your terminal output should resemble:

This output confirms that the Inspector is active and ready for interaction.
In the UI, you can:
Test the
add(a, b)toolUse
greeting://Johnto test the resourceReview code with the
review_codeprompt

💡 If any packages are missing,
mcp devwill help you install them automatically.
Navigating the MCP Inspector Interface
2. Interact Through the Inspector
When you open the Inspector in your browser, you will notice several key sections designed to facilitate server testing.
Go to the top of the MCP Inspector interface where it shows:
Transport Type: STDIO
Command: uv
Arguments: run mcp-server/server.pyDue to our server.py being a standalone script, we need to correct the configuration in the MCP Inspector to ensure it uses uv:
Transport Type: STDIO
Command: uv
Arguments: run mcp-server/server.pyThen click Connect and our server will be launched properly using the Python interpreter managed by uv.

Example Usage: Testing the "Add" Tool
Call a Tool (
add): Navigate to theaddtool in the Inspector.
Consider the following scenario while working with our example (which registers an addition tool, a greeting resource, and a code review prompt):
Accessing the Tools Tab:
With the MCP Inspector loaded, navigate to the Tools tab. ClickList Tools. Here, you will see a list of all registered tools from your server. In our case, one of the entries is theaddtool.Testing the "Add" Functionality:
Click on theaddtool from the list. The Inspector displays the input schema for the tool, prompting you for two numbers (for example, parametersaandb).Input Parameters: Enter
a = 10andb = 15.Execution: Click the execute button in the Inspector’s execution panel.
Reviewing the Output:
Once executed, the Inspector immediately displays the result of the operation. You should see that the sum is returned as25.
This immediate feedback loop shows how you can quickly verify that your tool’s logic is working as expected without leaving the development interface.

Using the review_code Prompt via the MCP Inspector
In the Inspector’s sidebar, expand Prompts → List prompts.
You should see
review_codelisted:review_code
In the prompt pane you’ll find a form or JSON editor ready to accept arguments.
Supply the
codeparameter. For example:
print(1+1)Hit Run Tool .
Viewing the Generated Prompt
The Inspector will display the output:
{
"messages": [
{
"role": "user",
"content": {
"type": "text",
"text": "Please review this code:\n\nprint(1+1)"
}
}
]
}
Accessing a Resource (greeting://Alice)
Once your server is up and running in the Inspector (using the setup from above), you can invoke any registered resource by its URI:
1. Open the Resource Interaction Pane
In the MCP Inspector sidebar, click Resources → Resource Templates. click
List templatesand selectget_greeting
2. Enter the Resource URI
In the input field name, type:
Alice3. Invoke the Resource
Click Read Resource.
The Inspector will send that URI to your
@mcp.resource("greeting://{name}")handler.
4. View the Response
You should see:
{
"contents": [
{
"uri": "greeting://Alice",
"mimeType": "text/plain",
"text": "Hello, Alice!"
}
]
}This confirms your dynamic greeting resource is wired up correctly and returns personalized output on demand.

The MCP Inspector acts as a user-friendly client, handling the underlying protocol communication for you.
What’s Happening with python server.py
Your code is correct, but when you run:
uv run mcp-server/server.py…it looks like nothing happens. That’s because your server is using stdio (standard input/output) as the default transport, and it just sits silently waiting for a client to connect and send it a request.
This is normal! But you need the right interface to interact with it.
🐍 Using a Python MCP Client (client.py)
For programmatic interaction, you can use the mcp Python SDK to create a client. Your provided client.py is a correct example of this:
# client.py
import asyncio
from mcp import ClientSession, StdioServerParameters
from mcp.client.stdio import stdio_client
async def main():
import sys
server_params = StdioServerParameters(
command=sys.executable,
args=["mcp-server/server.py"],
)
async with stdio_client(server_params) as (reader, writer):
async with ClientSession(reader, writer) as session:
await session.initialize()
result = await session.call_tool("add", arguments={"a": 3, "b": 4})
print(f"Result of add tool: {result}")
if __name__ == "__main__":
asyncio.run(main())To run this client:
Start your server (optional, mostly the client invokes it via params):
uv run mcp-server/server.pyRun the client in a separate terminal:
uv run mcp-server/client.pyThe output will be:
[your log output indicating the tool call]
Result of add tool: meta=None content=[TextContent(type='text', text='7', annotations=None)] isError=FalseThis demonstrates how a Python client can connect to your server and invoke tools programmatically.
Conclusion
In this tutorial, we built a simple MCP server in Python using the MCP Python SDK. We:
Set up our project and installed the MCP SDK.
Created an MCP server that exposes a calculator tool and a dynamic greeting resource.
The MCP Python SDK empowers you to build robust and modular servers that provide data, functionality, and reusable interaction templates to LLM applications. As you expand your server, consider adding more complex tools, resources, and prompts to fully leverage the power of the Model Context Protocol.
Resources
Unclaimed servers have limited discoverability.
Looking for Admin?
If you are the server author, to access and configure the admin panel.
Tools
- addA
Latest Blog Posts
MCP directory API
We provide all the information about MCP servers via our MCP API.
curl -X GET 'https://glama.ai/api/mcp/v1/servers/yashrbankar/MCP'
If you have feedback or need assistance with the MCP directory API, please join our Discord server