- 
                Notifications
    You must be signed in to change notification settings 
- Fork 546
Add McpLogger/McpLoggerProvider for server logs #71
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
Changes from all commits
File filter
Filter by extension
Conversations
Jump to
Diff view
Diff view
There are no files selected for viewing
| Original file line number | Diff line number | Diff line change | 
|---|---|---|
| @@ -0,0 +1,42 @@ | ||
| using Microsoft.Extensions.Logging; | ||
| using System; | ||
| using System.Collections.Generic; | ||
| using System.Collections.Concurrent; | ||
| using ModelContextProtocol.Protocol.Types; | ||
| using ModelContextProtocol.Server; | ||
| using System.Text.Json; | ||
| using System.Diagnostics.CodeAnalysis; | ||
|  | ||
| namespace ModelContextProtocol.Logging; | ||
|  | ||
| internal class McpLogger(string categoryName, IMcpServer mcpServer) : ILogger | ||
| { | ||
| public IDisposable? BeginScope<TState>(TState state) where TState : notnull | ||
| => default; | ||
|  | ||
| public bool IsEnabled(LogLevel logLevel) | ||
| => logLevel.ToLoggingLevel() <= mcpServer.LoggingLevel; | ||
|  | ||
| [UnconditionalSuppressMessage("Trimming", "IL2026:Members annotated with 'RequiresUnreferencedCodeAttribute' require dynamic access otherwise can break functionality when trimming application code", Justification = "<Pending>")] | ||
| [UnconditionalSuppressMessage("AOT", "IL3050:Calling members annotated with 'RequiresDynamicCodeAttribute' may break functionality when AOT compiling.", Justification = "<Pending>")] | ||
| public async void Log<TState>(LogLevel logLevel, EventId eventId, TState state, Exception? exception, Func<TState, Exception?, string> formatter) | ||
| There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. Probably not for a first version but the spec states: Servers SHOULD: 
 | ||
| { | ||
| if (!IsEnabled(logLevel)) | ||
| return; | ||
|  | ||
| var message = formatter(state, exception); | ||
| if (string.IsNullOrEmpty(message)) | ||
| return; | ||
|  | ||
| // Use JsonSerializer to properly escape the string for JSON and turn it into a JsonElement | ||
| var json = JsonSerializer.Serialize(message); | ||
| var element = JsonSerializer.Deserialize<JsonElement>(json); | ||
|  | ||
| await mcpServer.SendLogNotificationAsync(new LoggingMessageNotificationParams | ||
| There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. Just to call out one of the issues I hit and which needs to be addressed first, this ends up possibly completing asynchronously, which then means normal logging can result in erroneous concurrent use of these types. There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. Is the issue to address first here making McpJsonRpcEndpoint.SendMessageAsync and SendRequestAsync thread-safe? I think this serves as a good example why thread safety is desirable for this API. Sending things like notifications from a background thread often doesn't require any app-level synchronization. This is why SignalR's HubConnectionContext uses a SemaphoreSlim  Right now, it looks like McpJsonRpcEndpoint is already using ConcurrentDictionary and Interlocked to track pending requests, so as long as ITransport.SendMessageAsync is thread-safe, it should be too aside for request handler registration. SseResponseStreamTransport.SendMessageAsync should be thread-safe, since it passes all calls through a multi-writer channel, but I understand not wanting to put that burden on a transport and instead have McpJsonRpcEndpoint using something like SignalR's  There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. 
 Yes. We should do so for both client and server. | ||
| { | ||
| Data = element, | ||
| Level = logLevel.ToLoggingLevel(), | ||
| Logger = categoryName | ||
| }); | ||
| } | ||
| } | ||
| Original file line number | Diff line number | Diff line change | 
|---|---|---|
| @@ -0,0 +1,30 @@ | ||
| using Microsoft.Extensions.DependencyInjection; | ||
| using Microsoft.Extensions.Logging; | ||
| using ModelContextProtocol.Server; | ||
| using System; | ||
| using System.Collections.Concurrent; | ||
|  | ||
| namespace ModelContextProtocol.Logging | ||
| { | ||
| /// <summary> | ||
| /// Provides logging over MCP's notifications to send log messages to the client | ||
| /// </summary> | ||
| /// <param name="mcpServer">MCP Server.</param> | ||
| public class McpLoggerProvider(IMcpServer mcpServer) : ILoggerProvider | ||
| { | ||
| /// <summary> | ||
| /// Creates a new instance of an MCP logger | ||
| /// </summary> | ||
| /// <param name="categoryName">Logger Category Name</param> | ||
| /// <returns>New Logger instance</returns> | ||
| public ILogger CreateLogger(string categoryName) | ||
| => new McpLogger(categoryName, mcpServer); | ||
|  | ||
| /// <summary> | ||
| /// Dispose | ||
| /// </summary> | ||
| public void Dispose() | ||
| { | ||
| } | ||
| } | ||
| } | 
| Original file line number | Diff line number | Diff line change | 
|---|---|---|
| @@ -0,0 +1,29 @@ | ||
| using Microsoft.Extensions.Logging; | ||
| using ModelContextProtocol.Protocol.Types; | ||
|  | ||
| namespace ModelContextProtocol.Logging; | ||
|  | ||
| internal static class McpLoggingLevelExtensions | ||
| { | ||
| public static LogLevel ToLogLevel(this LoggingLevel level) | ||
| => level switch | ||
| { | ||
| LoggingLevel.Emergency or LoggingLevel.Alert or LoggingLevel.Critical => LogLevel.Critical, | ||
| LoggingLevel.Error => LogLevel.Error, | ||
| LoggingLevel.Warning => LogLevel.Warning, | ||
| LoggingLevel.Notice or LoggingLevel.Info => LogLevel.Information, | ||
| LoggingLevel.Debug => LogLevel.Debug, | ||
| _ => LogLevel.None, | ||
| }; | ||
|  | ||
| public static LoggingLevel ToLoggingLevel(this LogLevel level) | ||
| => level switch | ||
| { | ||
| LogLevel.Critical => LoggingLevel.Critical, | ||
| LogLevel.Error => LoggingLevel.Error, | ||
| LogLevel.Warning => LoggingLevel.Warning, | ||
| LogLevel.Information => LoggingLevel.Info, | ||
| LogLevel.Debug or LogLevel.Trace => LoggingLevel.Debug, | ||
| _ => LoggingLevel.Info, | ||
| }; | ||
| } | 
| There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. It looks like logging level is set in a server notification handler with the method name of the client side notification and not the request handler for setting logging level? The test I wrote for the raw handlers should be useful as reference. | 
| Original file line number | Diff line number | Diff line change | 
|---|---|---|
|  | @@ -35,6 +35,10 @@ public McpServer(ITransport transport, McpServerOptions options, ILoggerFactory? | |
|  | ||
| _serverTransport = transport as IServerTransport; | ||
| _options = options; | ||
|  | ||
| // Add the MCP Logger provider to send MCP notification messages to the client when logs occur | ||
| loggerFactory?.AddProvider(new McpLoggerProvider(this)); | ||
|  | ||
| _logger = (ILogger?)loggerFactory?.CreateLogger<McpServer>() ?? NullLogger.Instance; | ||
| ServerInstructions = options.ServerInstructions; | ||
| ServiceProvider = serviceProvider; | ||
|  | @@ -44,6 +48,7 @@ public McpServer(ITransport transport, McpServerOptions options, ILoggerFactory? | |
| IsInitialized = true; | ||
| return Task.CompletedTask; | ||
| }); | ||
| AddLoggingLevelNotificationHandler(options); | ||
|  | ||
| SetInitializeHandler(options); | ||
| SetCompletionHandler(options); | ||
|  | @@ -65,6 +70,8 @@ public McpServer(ITransport transport, McpServerOptions options, ILoggerFactory? | |
| /// <inheritdoc /> | ||
| public IServiceProvider? ServiceProvider { get; } | ||
|  | ||
| public LoggingLevel LoggingLevel { get; private set; } | ||
|  | ||
| /// <inheritdoc /> | ||
| public override string EndpointName => | ||
| $"Server ({_options.ServerInfo.Name} {_options.ServerInfo.Version}), Client ({ClientInfo?.Name} {ClientInfo?.Version})"; | ||
|  | @@ -140,6 +147,18 @@ options.GetCompletionHandler is { } handler ? | |
| (request, ct) => Task.FromResult(new CompleteResult() { Completion = new() { Values = [], Total = 0, HasMore = false } })); | ||
| } | ||
|  | ||
| private void AddLoggingLevelNotificationHandler(McpServerOptions options) | ||
| There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. Sorry for the brief review comment earlier. I was in transit, and thought I had enough time to elaborate and I didn't. This should be set based on "notifications/message". It should be set based in the "logging/setLevel" request handler. So SetLoggingLevelHandler should be called instead of this method. https://spec.modelcontextprotocol.io/specification/2025-03-26/server/utilities/logging/ The notification handler only makes sense client side. I wonder if we should actually throw an exception if registering a notification handler on the wrong side of Client/Server, in the cases where the spec clearly defines where to handle it? | ||
| { | ||
| AddNotificationHandler("notifications/message", notification => | ||
| { | ||
| if (notification.Params is LoggingMessageNotificationParams loggingMessageNotificationParams) | ||
| { | ||
| LoggingLevel = loggingMessageNotificationParams.Level; | ||
| } | ||
| return Task.CompletedTask; | ||
| }); | ||
| } | ||
|  | ||
| private void SetResourcesHandler(McpServerOptions options) | ||
| { | ||
| if (options.Capabilities?.Resources is not { } resourcesCapability) | ||
|  | ||
Uh oh!
There was an error while loading. Please reload this page.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
I think this needs to check for null as well. If the client hasn't sent a logging level request, the server must not send notifications. See Message Flow. Other parts of the spec seem to contradict this, by the way.