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:
@@ -0,0 +1,223 @@
|
||||
using ColaFlow.Modules.Mcp.Application.Handlers;
|
||||
using ColaFlow.Modules.Mcp.Contracts.JsonRpc;
|
||||
using FluentAssertions;
|
||||
using Microsoft.Extensions.Logging;
|
||||
using NSubstitute;
|
||||
|
||||
namespace ColaFlow.Modules.Mcp.Tests.Handlers;
|
||||
|
||||
/// <summary>
|
||||
/// Unit tests for McpProtocolHandler
|
||||
/// </summary>
|
||||
public class McpProtocolHandlerTests
|
||||
{
|
||||
private readonly ILogger<McpProtocolHandler> _logger;
|
||||
private readonly List<IMcpMethodHandler> _methodHandlers;
|
||||
private readonly McpProtocolHandler _sut;
|
||||
|
||||
public McpProtocolHandlerTests()
|
||||
{
|
||||
_logger = Substitute.For<ILogger<McpProtocolHandler>>();
|
||||
_methodHandlers = new List<IMcpMethodHandler>();
|
||||
_sut = new McpProtocolHandler(_logger, _methodHandlers);
|
||||
}
|
||||
|
||||
[Fact]
|
||||
public async Task HandleRequestAsync_WithInvalidJsonRpc_ReturnsInvalidRequest()
|
||||
{
|
||||
// Arrange
|
||||
var request = new JsonRpcRequest
|
||||
{
|
||||
JsonRpc = "1.0", // Invalid version
|
||||
Method = "test"
|
||||
};
|
||||
|
||||
// Act
|
||||
var response = await _sut.HandleRequestAsync(request, CancellationToken.None);
|
||||
|
||||
// Assert
|
||||
response.Should().NotBeNull();
|
||||
response.JsonRpc.Should().Be("2.0");
|
||||
response.Error.Should().NotBeNull();
|
||||
response.Error!.Code.Should().Be((int)JsonRpcErrorCode.InvalidRequest);
|
||||
response.Result.Should().BeNull();
|
||||
}
|
||||
|
||||
[Fact]
|
||||
public async Task HandleRequestAsync_WithMissingMethod_ReturnsInvalidRequest()
|
||||
{
|
||||
// Arrange
|
||||
var request = new JsonRpcRequest
|
||||
{
|
||||
JsonRpc = "2.0",
|
||||
Method = "" // Empty method
|
||||
};
|
||||
|
||||
// Act
|
||||
var response = await _sut.HandleRequestAsync(request, CancellationToken.None);
|
||||
|
||||
// Assert
|
||||
response.Should().NotBeNull();
|
||||
response.Error.Should().NotBeNull();
|
||||
response.Error!.Code.Should().Be((int)JsonRpcErrorCode.InvalidRequest);
|
||||
}
|
||||
|
||||
[Fact]
|
||||
public async Task HandleRequestAsync_WithUnknownMethod_ReturnsMethodNotFound()
|
||||
{
|
||||
// Arrange
|
||||
var request = new JsonRpcRequest
|
||||
{
|
||||
JsonRpc = "2.0",
|
||||
Method = "unknown_method",
|
||||
Id = 1
|
||||
};
|
||||
|
||||
// Act
|
||||
var response = await _sut.HandleRequestAsync(request, CancellationToken.None);
|
||||
|
||||
// Assert
|
||||
response.Should().NotBeNull();
|
||||
response.JsonRpc.Should().Be("2.0");
|
||||
response.Id.Should().Be(1);
|
||||
response.Error.Should().NotBeNull();
|
||||
response.Error!.Code.Should().Be((int)JsonRpcErrorCode.MethodNotFound);
|
||||
response.Error.Message.Should().Contain("unknown_method");
|
||||
response.Result.Should().BeNull();
|
||||
}
|
||||
|
||||
[Fact]
|
||||
public async Task HandleRequestAsync_WithValidMethod_ReturnsSuccess()
|
||||
{
|
||||
// Arrange
|
||||
var mockHandler = Substitute.For<IMcpMethodHandler>();
|
||||
mockHandler.MethodName.Returns("test_method");
|
||||
mockHandler.HandleAsync(Arg.Any<object?>(), Arg.Any<CancellationToken>())
|
||||
.Returns(Task.FromResult<object?>(new { result = "success" }));
|
||||
|
||||
var handler = new McpProtocolHandler(_logger, new[] { mockHandler });
|
||||
|
||||
var request = new JsonRpcRequest
|
||||
{
|
||||
JsonRpc = "2.0",
|
||||
Method = "test_method",
|
||||
Id = 1
|
||||
};
|
||||
|
||||
// Act
|
||||
var response = await handler.HandleRequestAsync(request, CancellationToken.None);
|
||||
|
||||
// Assert
|
||||
response.Should().NotBeNull();
|
||||
response.JsonRpc.Should().Be("2.0");
|
||||
response.Id.Should().Be(1);
|
||||
response.Error.Should().BeNull();
|
||||
response.Result.Should().NotBeNull();
|
||||
}
|
||||
|
||||
[Fact]
|
||||
public async Task HandleRequestAsync_WhenHandlerThrowsArgumentException_ReturnsInvalidParams()
|
||||
{
|
||||
// Arrange
|
||||
var mockHandler = Substitute.For<IMcpMethodHandler>();
|
||||
mockHandler.MethodName.Returns("test_method");
|
||||
mockHandler.HandleAsync(Arg.Any<object?>(), Arg.Any<CancellationToken>())
|
||||
.Returns<object?>(_ => throw new ArgumentException("Invalid parameter"));
|
||||
|
||||
var handler = new McpProtocolHandler(_logger, new[] { mockHandler });
|
||||
|
||||
var request = new JsonRpcRequest
|
||||
{
|
||||
JsonRpc = "2.0",
|
||||
Method = "test_method",
|
||||
Id = 1
|
||||
};
|
||||
|
||||
// Act
|
||||
var response = await handler.HandleRequestAsync(request, CancellationToken.None);
|
||||
|
||||
// Assert
|
||||
response.Should().NotBeNull();
|
||||
response.Error.Should().NotBeNull();
|
||||
response.Error!.Code.Should().Be((int)JsonRpcErrorCode.InvalidParams);
|
||||
}
|
||||
|
||||
[Fact]
|
||||
public async Task HandleRequestAsync_WhenHandlerThrowsException_ReturnsInternalError()
|
||||
{
|
||||
// Arrange
|
||||
var mockHandler = Substitute.For<IMcpMethodHandler>();
|
||||
mockHandler.MethodName.Returns("test_method");
|
||||
mockHandler.HandleAsync(Arg.Any<object?>(), Arg.Any<CancellationToken>())
|
||||
.Returns<object?>(_ => throw new InvalidOperationException("Something went wrong"));
|
||||
|
||||
var handler = new McpProtocolHandler(_logger, new[] { mockHandler });
|
||||
|
||||
var request = new JsonRpcRequest
|
||||
{
|
||||
JsonRpc = "2.0",
|
||||
Method = "test_method",
|
||||
Id = 1
|
||||
};
|
||||
|
||||
// Act
|
||||
var response = await handler.HandleRequestAsync(request, CancellationToken.None);
|
||||
|
||||
// Assert
|
||||
response.Should().NotBeNull();
|
||||
response.Error.Should().NotBeNull();
|
||||
response.Error!.Code.Should().Be((int)JsonRpcErrorCode.InternalError);
|
||||
}
|
||||
|
||||
[Fact]
|
||||
public async Task HandleRequestAsync_WithStringId_PreservesIdInResponse()
|
||||
{
|
||||
// Arrange
|
||||
var mockHandler = Substitute.For<IMcpMethodHandler>();
|
||||
mockHandler.MethodName.Returns("test_method");
|
||||
mockHandler.HandleAsync(Arg.Any<object?>(), Arg.Any<CancellationToken>())
|
||||
.Returns(Task.FromResult<object?>(new { result = "success" }));
|
||||
|
||||
var handler = new McpProtocolHandler(_logger, new[] { mockHandler });
|
||||
|
||||
var request = new JsonRpcRequest
|
||||
{
|
||||
JsonRpc = "2.0",
|
||||
Method = "test_method",
|
||||
Id = "abc-123"
|
||||
};
|
||||
|
||||
// Act
|
||||
var response = await handler.HandleRequestAsync(request, CancellationToken.None);
|
||||
|
||||
// Assert
|
||||
response.Id.Should().Be("abc-123");
|
||||
}
|
||||
|
||||
[Fact]
|
||||
public async Task HandleRequestAsync_WithParams_PassesParamsToHandler()
|
||||
{
|
||||
// Arrange
|
||||
var mockHandler = Substitute.For<IMcpMethodHandler>();
|
||||
mockHandler.MethodName.Returns("test_method");
|
||||
mockHandler.HandleAsync(Arg.Any<object?>(), Arg.Any<CancellationToken>())
|
||||
.Returns(Task.FromResult<object?>(new { result = "success" }));
|
||||
|
||||
var handler = new McpProtocolHandler(_logger, new[] { mockHandler });
|
||||
|
||||
var testParams = new { param1 = "value1", param2 = 42 };
|
||||
var request = new JsonRpcRequest
|
||||
{
|
||||
JsonRpc = "2.0",
|
||||
Method = "test_method",
|
||||
Params = testParams,
|
||||
Id = 1
|
||||
};
|
||||
|
||||
// Act
|
||||
await handler.HandleRequestAsync(request, CancellationToken.None);
|
||||
|
||||
// Assert
|
||||
await mockHandler.Received(1).HandleAsync(testParams, Arg.Any<CancellationToken>());
|
||||
}
|
||||
}
|
||||
Reference in New Issue
Block a user