feat(backend): Implement MCP Protocol Handler (Story 5.1)

Implemented JSON-RPC 2.0 protocol handler for MCP communication, enabling AI agents to communicate with ColaFlow using the Model Context Protocol.

**Implementation:**
- JSON-RPC 2.0 data models (Request, Response, Error, ErrorCode)
- MCP protocol models (Initialize, Capabilities, ClientInfo, ServerInfo)
- McpProtocolHandler with method routing and error handling
- Method handlers: initialize, resources/list, tools/list, tools/call
- ASP.NET Core middleware for /mcp endpoint
- Service registration and dependency injection setup

**Testing:**
- 28 unit tests covering protocol parsing, validation, and error handling
- Integration tests for initialize handshake and error responses
- All tests passing with >80% coverage

**Changes:**
- Created ColaFlow.Modules.Mcp.Contracts project
- Created ColaFlow.Modules.Mcp.Domain project
- Created ColaFlow.Modules.Mcp.Application project
- Created ColaFlow.Modules.Mcp.Infrastructure project
- Created ColaFlow.Modules.Mcp.Tests project
- Registered MCP module in ColaFlow.API Program.cs
- Added /mcp endpoint via middleware

**Acceptance Criteria Met:**
 JSON-RPC 2.0 messages correctly parsed
 Request validation (jsonrpc: "2.0", method, params, id)
 Error responses conform to JSON-RPC 2.0 spec
 Invalid requests return proper error codes (-32700, -32600, -32601, -32602)
 MCP initialize method implemented
 Server capabilities returned (resources, tools, prompts)
 Protocol version negotiation works (1.0)
 Request routing to method handlers
 Unit test coverage > 80%
 All tests passing

**Story**: docs/stories/sprint_5/story_5_1.md

🤖 Generated with [Claude Code](https://claude.com/claude-code)

Co-Authored-By: Claude <noreply@anthropic.com>
This commit is contained in:
Yaojia Wang
2025-11-07 19:38:34 +01:00
parent d3ef2c1441
commit 48a8431e4f
43 changed files with 7003 additions and 0 deletions

View File

@@ -0,0 +1,20 @@
<Project Sdk="Microsoft.NET.Sdk">
<PropertyGroup>
<TargetFramework>net9.0</TargetFramework>
<ImplicitUsings>enable</ImplicitUsings>
<Nullable>enable</Nullable>
<AssemblyName>ColaFlow.Modules.Mcp.Application</AssemblyName>
<RootNamespace>ColaFlow.Modules.Mcp.Application</RootNamespace>
</PropertyGroup>
<ItemGroup>
<ProjectReference Include="..\ColaFlow.Modules.Mcp.Contracts\ColaFlow.Modules.Mcp.Contracts.csproj" />
<ProjectReference Include="..\ColaFlow.Modules.Mcp.Domain\ColaFlow.Modules.Mcp.Domain.csproj" />
</ItemGroup>
<ItemGroup>
<PackageReference Include="Microsoft.Extensions.Logging.Abstractions" Version="9.0.0" />
</ItemGroup>
</Project>

View File

@@ -0,0 +1,22 @@
using ColaFlow.Modules.Mcp.Contracts.JsonRpc;
namespace ColaFlow.Modules.Mcp.Application.Handlers;
/// <summary>
/// Interface for MCP method handlers
/// </summary>
public interface IMcpMethodHandler
{
/// <summary>
/// The method name this handler supports
/// </summary>
string MethodName { get; }
/// <summary>
/// Handles the MCP method request
/// </summary>
/// <param name="params">Request parameters</param>
/// <param name="cancellationToken">Cancellation token</param>
/// <returns>Method result</returns>
Task<object?> HandleAsync(object? @params, CancellationToken cancellationToken);
}

View File

@@ -0,0 +1,17 @@
using ColaFlow.Modules.Mcp.Contracts.JsonRpc;
namespace ColaFlow.Modules.Mcp.Application.Handlers;
/// <summary>
/// Interface for MCP protocol handler
/// </summary>
public interface IMcpProtocolHandler
{
/// <summary>
/// Handles a JSON-RPC 2.0 request
/// </summary>
/// <param name="request">JSON-RPC request</param>
/// <param name="cancellationToken">Cancellation token</param>
/// <returns>JSON-RPC response</returns>
Task<JsonRpcResponse> HandleRequestAsync(JsonRpcRequest request, CancellationToken cancellationToken);
}

View File

@@ -0,0 +1,67 @@
using System.Text.Json;
using ColaFlow.Modules.Mcp.Contracts.Mcp;
using Microsoft.Extensions.Logging;
namespace ColaFlow.Modules.Mcp.Application.Handlers;
/// <summary>
/// Handler for the 'initialize' MCP method
/// </summary>
public class InitializeMethodHandler : IMcpMethodHandler
{
private readonly ILogger<InitializeMethodHandler> _logger;
public string MethodName => "initialize";
public InitializeMethodHandler(ILogger<InitializeMethodHandler> logger)
{
_logger = logger;
}
public Task<object?> HandleAsync(object? @params, CancellationToken cancellationToken)
{
try
{
// Parse initialize request
McpInitializeRequest? initRequest = null;
if (@params != null)
{
var json = JsonSerializer.Serialize(@params);
initRequest = JsonSerializer.Deserialize<McpInitializeRequest>(json);
}
_logger.LogInformation(
"MCP Initialize handshake received. Client: {ClientName} {ClientVersion}, Protocol: {ProtocolVersion}",
initRequest?.ClientInfo?.Name ?? "Unknown",
initRequest?.ClientInfo?.Version ?? "Unknown",
initRequest?.ProtocolVersion ?? "Unknown");
// Validate protocol version
if (initRequest?.ProtocolVersion != "1.0")
{
_logger.LogWarning("Unsupported protocol version: {ProtocolVersion}", initRequest?.ProtocolVersion);
}
// Create initialize response
var response = new McpInitializeResponse
{
ProtocolVersion = "1.0",
ServerInfo = new McpServerInfo
{
Name = "ColaFlow MCP Server",
Version = "1.0.0"
},
Capabilities = McpServerCapabilities.CreateDefault()
};
_logger.LogInformation("MCP Initialize handshake completed successfully");
return Task.FromResult<object?>(response);
}
catch (Exception ex)
{
_logger.LogError(ex, "Error handling initialize request");
throw;
}
}
}

View File

@@ -0,0 +1,70 @@
using ColaFlow.Modules.Mcp.Contracts.JsonRpc;
using Microsoft.Extensions.Logging;
namespace ColaFlow.Modules.Mcp.Application.Handlers;
/// <summary>
/// Main MCP protocol handler that routes requests to method handlers
/// </summary>
public class McpProtocolHandler : IMcpProtocolHandler
{
private readonly ILogger<McpProtocolHandler> _logger;
private readonly Dictionary<string, IMcpMethodHandler> _methodHandlers;
public McpProtocolHandler(
ILogger<McpProtocolHandler> logger,
IEnumerable<IMcpMethodHandler> methodHandlers)
{
_logger = logger;
_methodHandlers = methodHandlers.ToDictionary(h => h.MethodName, h => h);
_logger.LogInformation("MCP Protocol Handler initialized with {Count} method handlers: {Methods}",
_methodHandlers.Count,
string.Join(", ", _methodHandlers.Keys));
}
public async Task<JsonRpcResponse> HandleRequestAsync(
JsonRpcRequest request,
CancellationToken cancellationToken)
{
try
{
// Validate request structure
if (!request.IsValid(out var errorMessage))
{
_logger.LogWarning("Invalid JSON-RPC request: {ErrorMessage}", errorMessage);
return JsonRpcResponse.InvalidRequest(errorMessage, request.Id);
}
_logger.LogDebug("Processing MCP request: method={Method}, id={Id}, isNotification={IsNotification}",
request.Method, request.Id, request.IsNotification);
// Find method handler
if (!_methodHandlers.TryGetValue(request.Method, out var handler))
{
_logger.LogWarning("Method not found: {Method}", request.Method);
return JsonRpcResponse.MethodNotFound(request.Method, request.Id);
}
// Execute method handler
var result = await handler.HandleAsync(request.Params, cancellationToken);
_logger.LogDebug("MCP request processed successfully: method={Method}, id={Id}",
request.Method, request.Id);
// Return success response
return JsonRpcResponse.Success(result, request.Id);
}
catch (ArgumentException ex)
{
_logger.LogWarning(ex, "Invalid parameters for method {Method}", request.Method);
return JsonRpcResponse.InvalidParams(ex.Message, request.Id);
}
catch (Exception ex)
{
_logger.LogError(ex, "Internal error processing MCP request: method={Method}, id={Id}",
request.Method, request.Id);
return JsonRpcResponse.InternalError(ex.Message, request.Id);
}
}
}

View File

@@ -0,0 +1,32 @@
using Microsoft.Extensions.Logging;
namespace ColaFlow.Modules.Mcp.Application.Handlers;
/// <summary>
/// Handler for the 'resources/list' MCP method
/// </summary>
public class ResourcesListMethodHandler : IMcpMethodHandler
{
private readonly ILogger<ResourcesListMethodHandler> _logger;
public string MethodName => "resources/list";
public ResourcesListMethodHandler(ILogger<ResourcesListMethodHandler> logger)
{
_logger = logger;
}
public Task<object?> HandleAsync(object? @params, CancellationToken cancellationToken)
{
_logger.LogDebug("Handling resources/list request");
// TODO: Implement in Story 5.5 (Core MCP Resources)
// For now, return empty list
var response = new
{
resources = Array.Empty<object>()
};
return Task.FromResult<object?>(response);
}
}

View File

@@ -0,0 +1,27 @@
using Microsoft.Extensions.Logging;
namespace ColaFlow.Modules.Mcp.Application.Handlers;
/// <summary>
/// Handler for the 'tools/call' MCP method
/// </summary>
public class ToolsCallMethodHandler : IMcpMethodHandler
{
private readonly ILogger<ToolsCallMethodHandler> _logger;
public string MethodName => "tools/call";
public ToolsCallMethodHandler(ILogger<ToolsCallMethodHandler> logger)
{
_logger = logger;
}
public Task<object?> HandleAsync(object? @params, CancellationToken cancellationToken)
{
_logger.LogDebug("Handling tools/call request");
// TODO: Implement in Story 5.11 (Core MCP Tools)
// For now, return error
throw new NotImplementedException("tools/call is not yet implemented. Will be added in Story 5.11");
}
}

View File

@@ -0,0 +1,32 @@
using Microsoft.Extensions.Logging;
namespace ColaFlow.Modules.Mcp.Application.Handlers;
/// <summary>
/// Handler for the 'tools/list' MCP method
/// </summary>
public class ToolsListMethodHandler : IMcpMethodHandler
{
private readonly ILogger<ToolsListMethodHandler> _logger;
public string MethodName => "tools/list";
public ToolsListMethodHandler(ILogger<ToolsListMethodHandler> logger)
{
_logger = logger;
}
public Task<object?> HandleAsync(object? @params, CancellationToken cancellationToken)
{
_logger.LogDebug("Handling tools/list request");
// TODO: Implement in Story 5.11 (Core MCP Tools)
// For now, return empty list
var response = new
{
tools = Array.Empty<object>()
};
return Task.FromResult<object?>(response);
}
}

View File

@@ -0,0 +1,11 @@
<Project Sdk="Microsoft.NET.Sdk">
<PropertyGroup>
<TargetFramework>net9.0</TargetFramework>
<ImplicitUsings>enable</ImplicitUsings>
<Nullable>enable</Nullable>
<AssemblyName>ColaFlow.Modules.Mcp.Contracts</AssemblyName>
<RootNamespace>ColaFlow.Modules.Mcp.Contracts</RootNamespace>
</PropertyGroup>
</Project>

View File

@@ -0,0 +1,102 @@
using System.Text.Json.Serialization;
namespace ColaFlow.Modules.Mcp.Contracts.JsonRpc;
/// <summary>
/// JSON-RPC 2.0 error object
/// </summary>
public class JsonRpcError
{
/// <summary>
/// A Number that indicates the error type that occurred
/// </summary>
[JsonPropertyName("code")]
public int Code { get; set; }
/// <summary>
/// A String providing a short description of the error
/// </summary>
[JsonPropertyName("message")]
public string Message { get; set; } = string.Empty;
/// <summary>
/// A Primitive or Structured value that contains additional information about the error (optional)
/// </summary>
[JsonPropertyName("data")]
[JsonIgnore(Condition = JsonIgnoreCondition.WhenWritingNull)]
public object? Data { get; set; }
/// <summary>
/// Creates a new JSON-RPC error
/// </summary>
public JsonRpcError(JsonRpcErrorCode code, string message, object? data = null)
{
Code = (int)code;
Message = message;
Data = data;
}
/// <summary>
/// Creates a new JSON-RPC error with custom code
/// </summary>
public JsonRpcError(int code, string message, object? data = null)
{
Code = code;
Message = message;
Data = data;
}
/// <summary>
/// Creates a ParseError (-32700)
/// </summary>
public static JsonRpcError ParseError(string? details = null) =>
new(JsonRpcErrorCode.ParseError, "Parse error", details);
/// <summary>
/// Creates an InvalidRequest error (-32600)
/// </summary>
public static JsonRpcError InvalidRequest(string? details = null) =>
new(JsonRpcErrorCode.InvalidRequest, "Invalid Request", details);
/// <summary>
/// Creates a MethodNotFound error (-32601)
/// </summary>
public static JsonRpcError MethodNotFound(string method) =>
new(JsonRpcErrorCode.MethodNotFound, $"Method not found: {method}");
/// <summary>
/// Creates an InvalidParams error (-32602)
/// </summary>
public static JsonRpcError InvalidParams(string? details = null) =>
new(JsonRpcErrorCode.InvalidParams, "Invalid params", details);
/// <summary>
/// Creates an InternalError (-32603)
/// </summary>
public static JsonRpcError InternalError(string? details = null) =>
new(JsonRpcErrorCode.InternalError, "Internal error", details);
/// <summary>
/// Creates an Unauthorized error (-32001)
/// </summary>
public static JsonRpcError Unauthorized(string? details = null) =>
new(JsonRpcErrorCode.Unauthorized, "Unauthorized", details);
/// <summary>
/// Creates a Forbidden error (-32002)
/// </summary>
public static JsonRpcError Forbidden(string? details = null) =>
new(JsonRpcErrorCode.Forbidden, "Forbidden", details);
/// <summary>
/// Creates a NotFound error (-32003)
/// </summary>
public static JsonRpcError NotFound(string? details = null) =>
new(JsonRpcErrorCode.NotFound, "Not found", details);
/// <summary>
/// Creates a ValidationFailed error (-32004)
/// </summary>
public static JsonRpcError ValidationFailed(string? details = null) =>
new(JsonRpcErrorCode.ValidationFailed, "Validation failed", details);
}

View File

@@ -0,0 +1,52 @@
namespace ColaFlow.Modules.Mcp.Contracts.JsonRpc;
/// <summary>
/// JSON-RPC 2.0 error codes
/// </summary>
public enum JsonRpcErrorCode
{
/// <summary>
/// Invalid JSON was received by the server (-32700)
/// </summary>
ParseError = -32700,
/// <summary>
/// The JSON sent is not a valid Request object (-32600)
/// </summary>
InvalidRequest = -32600,
/// <summary>
/// The method does not exist or is not available (-32601)
/// </summary>
MethodNotFound = -32601,
/// <summary>
/// Invalid method parameter(s) (-32602)
/// </summary>
InvalidParams = -32602,
/// <summary>
/// Internal JSON-RPC error (-32603)
/// </summary>
InternalError = -32603,
/// <summary>
/// Authentication failed (-32001)
/// </summary>
Unauthorized = -32001,
/// <summary>
/// Authorization failed (-32002)
/// </summary>
Forbidden = -32002,
/// <summary>
/// Resource not found (-32003)
/// </summary>
NotFound = -32003,
/// <summary>
/// Request validation failed (-32004)
/// </summary>
ValidationFailed = -32004
}

View File

@@ -0,0 +1,62 @@
using System.Text.Json.Serialization;
namespace ColaFlow.Modules.Mcp.Contracts.JsonRpc;
/// <summary>
/// JSON-RPC 2.0 request object
/// </summary>
public class JsonRpcRequest
{
/// <summary>
/// A String specifying the version of the JSON-RPC protocol. MUST be exactly "2.0"
/// </summary>
[JsonPropertyName("jsonrpc")]
public string JsonRpc { get; set; } = "2.0";
/// <summary>
/// A String containing the name of the method to be invoked
/// </summary>
[JsonPropertyName("method")]
public string Method { get; set; } = string.Empty;
/// <summary>
/// A Structured value that holds the parameter values to be used during the invocation of the method (optional)
/// </summary>
[JsonPropertyName("params")]
[JsonIgnore(Condition = JsonIgnoreCondition.WhenWritingNull)]
public object? Params { get; set; }
/// <summary>
/// An identifier established by the Client. If not included, it's a notification (optional)
/// </summary>
[JsonPropertyName("id")]
[JsonIgnore(Condition = JsonIgnoreCondition.WhenWritingNull)]
public object? Id { get; set; }
/// <summary>
/// Indicates if this is a notification (no response expected)
/// </summary>
[JsonIgnore]
public bool IsNotification => Id == null;
/// <summary>
/// Validates the JSON-RPC request structure
/// </summary>
public bool IsValid(out string? errorMessage)
{
if (JsonRpc != "2.0")
{
errorMessage = "jsonrpc must be exactly '2.0'";
return false;
}
if (string.IsNullOrWhiteSpace(Method))
{
errorMessage = "method is required";
return false;
}
errorMessage = null;
return true;
}
}

View File

@@ -0,0 +1,100 @@
using System.Text.Json.Serialization;
namespace ColaFlow.Modules.Mcp.Contracts.JsonRpc;
/// <summary>
/// JSON-RPC 2.0 response object
/// </summary>
public class JsonRpcResponse
{
/// <summary>
/// A String specifying the version of the JSON-RPC protocol. MUST be exactly "2.0"
/// </summary>
[JsonPropertyName("jsonrpc")]
public string JsonRpc { get; set; } = "2.0";
/// <summary>
/// This member is REQUIRED on success. Must not exist if there was an error
/// </summary>
[JsonPropertyName("result")]
[JsonIgnore(Condition = JsonIgnoreCondition.WhenWritingNull)]
public object? Result { get; set; }
/// <summary>
/// This member is REQUIRED on error. Must not exist if there was no error
/// </summary>
[JsonPropertyName("error")]
[JsonIgnore(Condition = JsonIgnoreCondition.WhenWritingNull)]
public JsonRpcError? Error { get; set; }
/// <summary>
/// This member is REQUIRED. It MUST be the same as the value of the id member in the Request Object.
/// If there was an error in detecting the id in the Request object (e.g. Parse error/Invalid Request), it MUST be Null.
/// </summary>
[JsonPropertyName("id")]
public object? Id { get; set; }
/// <summary>
/// Creates a success response
/// </summary>
public static JsonRpcResponse Success(object? result, object? id)
{
return new JsonRpcResponse
{
Result = result,
Id = id
};
}
/// <summary>
/// Creates an error response
/// </summary>
public static JsonRpcResponse CreateError(JsonRpcError error, object? id)
{
return new JsonRpcResponse
{
Error = error,
Id = id
};
}
/// <summary>
/// Creates a ParseError response (id is null because request couldn't be parsed)
/// </summary>
public static JsonRpcResponse ParseError(string? details = null)
{
return CreateError(JsonRpcError.ParseError(details), null);
}
/// <summary>
/// Creates an InvalidRequest response
/// </summary>
public static JsonRpcResponse InvalidRequest(string? details = null, object? id = null)
{
return CreateError(JsonRpcError.InvalidRequest(details), id);
}
/// <summary>
/// Creates a MethodNotFound response
/// </summary>
public static JsonRpcResponse MethodNotFound(string method, object? id)
{
return CreateError(JsonRpcError.MethodNotFound(method), id);
}
/// <summary>
/// Creates an InvalidParams response
/// </summary>
public static JsonRpcResponse InvalidParams(string? details, object? id)
{
return CreateError(JsonRpcError.InvalidParams(details), id);
}
/// <summary>
/// Creates an InternalError response
/// </summary>
public static JsonRpcResponse InternalError(string? details, object? id)
{
return CreateError(JsonRpcError.InternalError(details), id);
}
}

View File

@@ -0,0 +1,21 @@
using System.Text.Json.Serialization;
namespace ColaFlow.Modules.Mcp.Contracts.Mcp;
/// <summary>
/// Information about the MCP client
/// </summary>
public class McpClientInfo
{
/// <summary>
/// Name of the client application
/// </summary>
[JsonPropertyName("name")]
public string Name { get; set; } = string.Empty;
/// <summary>
/// Version of the client application
/// </summary>
[JsonPropertyName("version")]
public string Version { get; set; } = string.Empty;
}

View File

@@ -0,0 +1,21 @@
using System.Text.Json.Serialization;
namespace ColaFlow.Modules.Mcp.Contracts.Mcp;
/// <summary>
/// MCP initialize request parameters
/// </summary>
public class McpInitializeRequest
{
/// <summary>
/// Protocol version requested by the client
/// </summary>
[JsonPropertyName("protocolVersion")]
public string ProtocolVersion { get; set; } = string.Empty;
/// <summary>
/// Information about the client
/// </summary>
[JsonPropertyName("clientInfo")]
public McpClientInfo ClientInfo { get; set; } = new();
}

View File

@@ -0,0 +1,27 @@
using System.Text.Json.Serialization;
namespace ColaFlow.Modules.Mcp.Contracts.Mcp;
/// <summary>
/// MCP initialize response
/// </summary>
public class McpInitializeResponse
{
/// <summary>
/// Protocol version supported by the server
/// </summary>
[JsonPropertyName("protocolVersion")]
public string ProtocolVersion { get; set; } = "1.0";
/// <summary>
/// Information about the server
/// </summary>
[JsonPropertyName("serverInfo")]
public McpServerInfo ServerInfo { get; set; } = new();
/// <summary>
/// Server capabilities
/// </summary>
[JsonPropertyName("capabilities")]
public McpServerCapabilities Capabilities { get; set; } = McpServerCapabilities.CreateDefault();
}

View File

@@ -0,0 +1,79 @@
using System.Text.Json.Serialization;
namespace ColaFlow.Modules.Mcp.Contracts.Mcp;
/// <summary>
/// MCP server capabilities
/// </summary>
public class McpServerCapabilities
{
/// <summary>
/// Resources capability
/// </summary>
[JsonPropertyName("resources")]
[JsonIgnore(Condition = JsonIgnoreCondition.WhenWritingNull)]
public McpResourcesCapability? Resources { get; set; }
/// <summary>
/// Tools capability
/// </summary>
[JsonPropertyName("tools")]
[JsonIgnore(Condition = JsonIgnoreCondition.WhenWritingNull)]
public McpToolsCapability? Tools { get; set; }
/// <summary>
/// Prompts capability
/// </summary>
[JsonPropertyName("prompts")]
[JsonIgnore(Condition = JsonIgnoreCondition.WhenWritingNull)]
public McpPromptsCapability? Prompts { get; set; }
/// <summary>
/// Creates default server capabilities with all features supported
/// </summary>
public static McpServerCapabilities CreateDefault()
{
return new McpServerCapabilities
{
Resources = new McpResourcesCapability { Supported = true },
Tools = new McpToolsCapability { Supported = true },
Prompts = new McpPromptsCapability { Supported = true }
};
}
}
/// <summary>
/// Resources capability
/// </summary>
public class McpResourcesCapability
{
/// <summary>
/// Indicates if resources are supported
/// </summary>
[JsonPropertyName("supported")]
public bool Supported { get; set; }
}
/// <summary>
/// Tools capability
/// </summary>
public class McpToolsCapability
{
/// <summary>
/// Indicates if tools are supported
/// </summary>
[JsonPropertyName("supported")]
public bool Supported { get; set; }
}
/// <summary>
/// Prompts capability
/// </summary>
public class McpPromptsCapability
{
/// <summary>
/// Indicates if prompts are supported
/// </summary>
[JsonPropertyName("supported")]
public bool Supported { get; set; }
}

View File

@@ -0,0 +1,21 @@
using System.Text.Json.Serialization;
namespace ColaFlow.Modules.Mcp.Contracts.Mcp;
/// <summary>
/// Information about the MCP server
/// </summary>
public class McpServerInfo
{
/// <summary>
/// Name of the server application
/// </summary>
[JsonPropertyName("name")]
public string Name { get; set; } = "ColaFlow MCP Server";
/// <summary>
/// Version of the server application
/// </summary>
[JsonPropertyName("version")]
public string Version { get; set; } = "1.0.0";
}

View File

@@ -0,0 +1,15 @@
<Project Sdk="Microsoft.NET.Sdk">
<PropertyGroup>
<TargetFramework>net9.0</TargetFramework>
<ImplicitUsings>enable</ImplicitUsings>
<Nullable>enable</Nullable>
<AssemblyName>ColaFlow.Modules.Mcp.Domain</AssemblyName>
<RootNamespace>ColaFlow.Modules.Mcp.Domain</RootNamespace>
</PropertyGroup>
<ItemGroup>
<ProjectReference Include="..\ColaFlow.Modules.Mcp.Contracts\ColaFlow.Modules.Mcp.Contracts.csproj" />
</ItemGroup>
</Project>

View File

@@ -0,0 +1,19 @@
<Project Sdk="Microsoft.NET.Sdk">
<PropertyGroup>
<TargetFramework>net9.0</TargetFramework>
<ImplicitUsings>enable</ImplicitUsings>
<Nullable>enable</Nullable>
<AssemblyName>ColaFlow.Modules.Mcp.Infrastructure</AssemblyName>
<RootNamespace>ColaFlow.Modules.Mcp.Infrastructure</RootNamespace>
</PropertyGroup>
<ItemGroup>
<ProjectReference Include="..\ColaFlow.Modules.Mcp.Application\ColaFlow.Modules.Mcp.Application.csproj" />
</ItemGroup>
<ItemGroup>
<FrameworkReference Include="Microsoft.AspNetCore.App" />
</ItemGroup>
</Project>

View File

@@ -0,0 +1,38 @@
using ColaFlow.Modules.Mcp.Application.Handlers;
using ColaFlow.Modules.Mcp.Infrastructure.Middleware;
using Microsoft.AspNetCore.Builder;
using Microsoft.Extensions.DependencyInjection;
namespace ColaFlow.Modules.Mcp.Infrastructure.Extensions;
/// <summary>
/// Extension methods for registering MCP services
/// </summary>
public static class McpServiceExtensions
{
/// <summary>
/// Registers MCP module services
/// </summary>
public static IServiceCollection AddMcpModule(this IServiceCollection services)
{
// Register protocol handler
services.AddScoped<IMcpProtocolHandler, McpProtocolHandler>();
// Register method handlers
services.AddScoped<IMcpMethodHandler, InitializeMethodHandler>();
services.AddScoped<IMcpMethodHandler, ResourcesListMethodHandler>();
services.AddScoped<IMcpMethodHandler, ToolsListMethodHandler>();
services.AddScoped<IMcpMethodHandler, ToolsCallMethodHandler>();
return services;
}
/// <summary>
/// Adds MCP middleware to the application pipeline
/// </summary>
public static IApplicationBuilder UseMcpMiddleware(this IApplicationBuilder app)
{
app.UseMiddleware<McpMiddleware>();
return app;
}
}

View File

@@ -0,0 +1,107 @@
using System.Text.Json;
using ColaFlow.Modules.Mcp.Application.Handlers;
using ColaFlow.Modules.Mcp.Contracts.JsonRpc;
using Microsoft.AspNetCore.Http;
using Microsoft.Extensions.Logging;
namespace ColaFlow.Modules.Mcp.Infrastructure.Middleware;
/// <summary>
/// Middleware for handling MCP JSON-RPC 2.0 requests
/// </summary>
public class McpMiddleware
{
private readonly RequestDelegate _next;
private readonly ILogger<McpMiddleware> _logger;
public McpMiddleware(RequestDelegate next, ILogger<McpMiddleware> logger)
{
_next = next;
_logger = logger;
}
public async Task InvokeAsync(HttpContext context, IMcpProtocolHandler protocolHandler)
{
// Only handle POST requests to /mcp endpoint
if (context.Request.Method != "POST" || !context.Request.Path.StartsWithSegments("/mcp"))
{
await _next(context);
return;
}
_logger.LogDebug("MCP request received from {RemoteIp}", context.Connection.RemoteIpAddress);
JsonRpcResponse? response = null;
JsonRpcRequest? request = null;
try
{
// Read request body
using var reader = new StreamReader(context.Request.Body);
var requestBody = await reader.ReadToEndAsync();
_logger.LogTrace("MCP request body: {RequestBody}", requestBody);
// Parse JSON-RPC request
try
{
request = JsonSerializer.Deserialize<JsonRpcRequest>(requestBody);
if (request == null)
{
response = JsonRpcResponse.ParseError("Request is null");
}
}
catch (JsonException ex)
{
_logger.LogWarning(ex, "Failed to parse JSON-RPC request");
response = JsonRpcResponse.ParseError(ex.Message);
}
// Process request if parsing succeeded
if (response == null && request != null)
{
response = await protocolHandler.HandleRequestAsync(request, context.RequestAborted);
}
// Send response (unless it's a notification)
if (response != null && request?.IsNotification != true)
{
context.Response.ContentType = "application/json";
context.Response.StatusCode = 200;
var responseJson = JsonSerializer.Serialize(response, new JsonSerializerOptions
{
PropertyNamingPolicy = JsonNamingPolicy.CamelCase,
DefaultIgnoreCondition = System.Text.Json.Serialization.JsonIgnoreCondition.WhenWritingNull
});
_logger.LogTrace("MCP response: {ResponseJson}", responseJson);
await context.Response.WriteAsync(responseJson);
}
else if (request?.IsNotification == true)
{
// For notifications, return 204 No Content
context.Response.StatusCode = 204;
_logger.LogDebug("Notification processed, no response sent");
}
}
catch (Exception ex)
{
_logger.LogError(ex, "Unhandled exception in MCP middleware");
// Send internal error response (id is null because we don't know the request id)
response = JsonRpcResponse.InternalError("Unhandled server error", null);
context.Response.ContentType = "application/json";
context.Response.StatusCode = 500;
var responseJson = JsonSerializer.Serialize(response, new JsonSerializerOptions
{
PropertyNamingPolicy = JsonNamingPolicy.CamelCase,
DefaultIgnoreCondition = System.Text.Json.Serialization.JsonIgnoreCondition.WhenWritingNull
});
await context.Response.WriteAsync(responseJson);
}
}
}