Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

feat(examples): Add Gitpod MCP server example #60

Open
wants to merge 5 commits into
base: main
Choose a base branch
from
Open
Changes from all 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
1 change: 1 addition & 0 deletions .gitignore
Original file line number Diff line number Diff line change
@@ -13,4 +13,5 @@ dist
.env
.envrc
codegen.log
gitpod_mcp.log
Brewfile.lock.json
106 changes: 106 additions & 0 deletions examples/mcp-server/README.md
Original file line number Diff line number Diff line change
@@ -0,0 +1,106 @@
# Gitpod MCP Server Example

A Modal Context Protocol (MCP) server that enables Claude Desktop to interact with Gitpod's API. This integration allows Claude to create Gitpod environments, check identity information, and perform other Gitpod-related tasks directly through natural language commands.

## 🌟 Features

- 🔐 **Secure Authentication**: Uses Gitpod API tokens for secure access
- 🔄 **Real-time Integration**: Direct integration with Gitpod's API
- 🤖 **Natural Language Interface**: Interact with Gitpod using natural language through Claude
- 📝 **Comprehensive Logging**: Detailed logging for debugging and monitoring
- 🚀 **Environment Management**: Create and manage Gitpod environments easily
- ⚡ **Command Execution**: Run commands in your environments directly

## 🚀 Available Tools

1. **get-identity**
- Get authenticated identity information from Gitpod
- No additional parameters required

2. **create-environment**
- Create a new Gitpod environment from a repository URL
- Optional parameter: `repository_url` (defaults to https://github.com/gitpod-io/empty)

3. **create-environment-with-command**
- Create a new Gitpod environment and run a command in it
- Required parameter: `command` (command to run in the environment)
- Optional parameter: `repository_url` (defaults to https://github.com/gitpod-io/empty)

## Prerequisites

- Python 3.8 or higher
- Claude Desktop application
- Gitpod flex account and API token

## Installation

1. Clone the repository and install dependencies:
```bash
git clone https://github.com/gitpod-io/gitpod-sdk-python
cd gitpod-sdk-python
./scripts/bootstrap
```

## Configuration

1. Get your Gitpod API token from [Gitpod Flex Dashboard](https://app.gitpod.io/settings/personal-access-tokens)

2. Configure Claude Desktop:
Create or update `~/Library/Application\ Support/Claude/claude_desktop_config.json`:

```json
{
"mcpServers": {
"gitpod-mcp": {
"command": "python",
"args": [
"/path/to/gitpod-sdk-python/examples/mcp-server/server.py"
],
"env": {
"GITPOD_LOG": "info",
"GITPOD_API_KEY": "your-gitpod-api-token-here"
}
}
}
}
```

## 🎯 Usage Examples

Here are some ways you can interact with the MCP server through Claude Desktop:

1. Check your Gitpod identity:
```
"Get my Gitpod identity"
```

2. Create a new environment:
```
"Create a Gitpod environment"
"Create a Gitpod environment for https://github.com/my/repo"
```

3. Create an environment and run a command:
```
"Create a Gitpod environment and run 'echo Hello World'"
"Create an environment from https://github.com/my/repo and run 'npm install'"
```

## 🔍 Troubleshooting

The server logs all activities to `gitpod_mcp.log` in the project directory. Common issues:

1. **Authentication Errors**
- Verify your Gitpod API token is valid
- Check if the token has the required scopes
- Look for authentication errors in the log

2. **Environment Creation Issues**
- Ensure the repository URL is accessible
- Check if you have an environment class available
- Verify your Gitpod account has available resources

3. **Command Execution Problems**
- Make sure the command is valid for the environment
- Check if the environment is fully initialized
- Look for command execution errors in the logs
213 changes: 213 additions & 0 deletions examples/mcp-server/server.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,213 @@
import os
import asyncio
import logging

import mcp.types as types
import mcp.server.stdio
from mcp.server import Server, NotificationOptions
from mcp.server.models import InitializationOptions

import gitpod.lib as util
from gitpod import AsyncGitpod
from gitpod.types.environment_spec_param import EnvironmentSpecParam
from gitpod.types.environment_initializer_param import Spec

# Configure logging with more detailed format
logging.basicConfig(
level=logging.INFO,
format='%(asctime)s - %(name)s - %(levelname)s - [%(threadName)s] %(message)s',
handlers=[
logging.FileHandler("gitpod_mcp.log", mode='a'), # 'a' for append mode
logging.StreamHandler()
]
)

# Add a logger instance for the module
logger = logging.getLogger(__name__)

# Define available tools
tools = [
"get-identity",
"create-environment",
"create-environment-with-command"
]

# Create the server instance
server = Server("gitpod-mcp")

class GitpodMCPServer:
def __init__(self):
self.client = self._setup_client()

def _setup_client(self) -> AsyncGitpod:
"""Initialize the Gitpod client with API key from environment."""
api_key = os.environ.get('GITPOD_API_KEY')
if not api_key:
raise ValueError("GITPOD_API_KEY environment variable is required")

return AsyncGitpod(bearer_token=api_key)

async def close(self):
"""Cleanup method to properly close the client"""
if self.client:
await self.client.close()

@server.list_tools()
async def handle_list_tools() -> list[types.Tool]:
"""List available tools that can be called."""
logger.debug("Listing available tools")
return [
types.Tool(
name="get-identity",
description="Get authenticated identity from Gitpod",
inputSchema={
"type": "object",
"properties": {},
"required": []
},
),
types.Tool(
name="create-environment",
description="Create a new Gitpod environment from a repository URL",
inputSchema={
"type": "object",
"properties": {
"repository_url": {
"type": "string",
"description": "Repository URL (defaults to https://github.com/gitpod-io/empty)"
}
}
},
),
types.Tool(
name="create-environment-with-command",
description="Create a new Gitpod environment and run a command",
inputSchema={
"type": "object",
"properties": {
"repository_url": {
"type": "string",
"description": "Repository URL (defaults to https://github.com/gitpod-io/empty)"
},
"command": {
"type": "string",
"description": "Command to run in the environment"
}
},
"required": ["command"]
},
)
]

@server.call_tool()
async def handle_call_tool(
name: str, arguments: dict | None
) -> list[types.TextContent | types.ImageContent]:
"""Handle tool execution requests."""
logger.info(f"Tool called: {name} with arguments: {arguments}")

if name not in tools:
raise ValueError(f"Unknown tool: {name}")

gitpod = GitpodMCPServer()
try:
if name == "get-identity":
response = await gitpod.client.identity.get_authenticated_identity()
return [
types.TextContent(
type="text",
text=f"Organization ID: {response.organization_id}"
)
]

elif name in ["create-environment", "create-environment-with-command"]:
repo_url = arguments.get("repository_url", "https://github.com/gitpod-io/empty")

# Get environment class
env_class = await util.find_most_used_environment_class(gitpod.client)
if not env_class:
return [types.TextContent(
type="text",
text="Error: No environment class found. Please create one first."
)]

# Create environment
spec: EnvironmentSpecParam = {
"desired_phase": "ENVIRONMENT_PHASE_RUNNING",
"machine": {"class": env_class.id},
"content": {
"initializer": {"specs": [Spec(
context_url={"url": repo_url}
)]}
}
}

environment = (await gitpod.client.environments.create(spec=spec)).environment
if not environment or not environment.id:
raise ValueError("Failed to create environment")

await util.wait_for_environment_ready(gitpod.client, environment.id)

# Handle command execution if needed
if name == "create-environment-with-command" and arguments.get("command"):
try:
async with asyncio.timeout(300): # 5 minute timeout
command_output = []
async for line in await util.run_command(
gitpod.client,
environment.id,
arguments["command"]
):
command_output.append(line)
if len(command_output) % 10 == 0:
await asyncio.sleep(0.1)

return [types.TextContent(
type="text",
text=f"Environment created and command executed:\nID: {environment.id}\nCommand output:\n{''.join(command_output)}"
)]
except asyncio.TimeoutError:
return [types.TextContent(
type="text",
text=f"Environment created but command timed out after 5 minutes.\nEnvironment ID: {environment.id}"
)]

return [types.TextContent(
type="text",
text=f"Environment created successfully:\nID: {environment.id}\nRepository: {repo_url}"
)]

except Exception as e:
logger.error(f"Error in {name}: {str(e)}", exc_info=True)
return [types.TextContent(type="text", text=f"Error: {str(e)}")]
finally:
await gitpod.close()

async def main():
logger.info("Starting Gitpod MCP server")
try:
# Run the server using stdin/stdout streams
async with mcp.server.stdio.stdio_server() as (read_stream, write_stream):
await server.run(
read_stream,
write_stream,
InitializationOptions(
server_name="gitpod-mcp",
server_version="0.1.0",
capabilities=server.get_capabilities(
notification_options=NotificationOptions(),
experimental_capabilities={},
),
),
)
except Exception as e:
logger.critical(f"Critical error in MCP server: {str(e)}", exc_info=True)
raise

if __name__ == "__main__":
try:
asyncio.run(main())
except KeyboardInterrupt:
logger.info("Server shutdown requested by user")
except Exception as e:
logger.critical(f"Unhandled exception during server runtime: {str(e)}", exc_info=True)
1 change: 1 addition & 0 deletions pyproject.toml
Copy link
Member Author

Choose a reason for hiding this comment

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

We need to bump, min. required python to 3.10 to make mcp work

Original file line number Diff line number Diff line change
@@ -58,6 +58,7 @@ dev-dependencies = [
"paramiko>=3.5.1",
"anthropic>=0.45.2",
"types-paramiko>=3.5.0.20240928",
"mcp>=1.2.1",
]

[tool.rye.scripts]
Loading
Oops, something went wrong.