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

Add McpLogger/McpLoggerProvider for server logs #71

Draft
wants to merge 2 commits into
base: main
Choose a base branch
from
Draft
Show file tree
Hide file tree
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
13 changes: 13 additions & 0 deletions src/ModelContextProtocol/Client/McpClientExtensions.cs
Original file line number Diff line number Diff line change
Expand Up @@ -13,6 +13,19 @@ namespace ModelContextProtocol.Client;
/// </summary>
public static class McpClientExtensions
{
/// <summary>
/// A request from the client to the server, to enable or adjust logging.
/// </summary>
/// <param name="client">The client.</param>
/// <param name="loggingLevel">The logging level severity to set.</param>
/// <param name="cancellationToken">A token to cancel the operation.</param>
/// <returns></returns>
public static Task SetLogLevelAsync(this IMcpClient client, LoggingLevel loggingLevel, CancellationToken cancellationToken = default)
{
Throw.IfNull(client);
return client.SendNotificationAsync("logging/setLevel", new SetLevelRequestParams { Level = loggingLevel }, cancellationToken);
}

/// <summary>
/// Sends a notification to the server with parameters.
/// </summary>
Expand Down
42 changes: 42 additions & 0 deletions src/ModelContextProtocol/Logging/McpLogger.cs
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;
Copy link
Collaborator

@PederHP PederHP Mar 28, 2025

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.


[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)
Copy link
Collaborator

Choose a reason for hiding this comment

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

Probably not for a first version but the spec states:

Servers SHOULD:

  • Rate limit log messages

{
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
Copy link
Contributor

Choose a reason for hiding this comment

The 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.

Copy link
Contributor

Choose a reason for hiding this comment

The 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 _writeLock.

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 _writeLock.

Copy link
Contributor

Choose a reason for hiding this comment

The 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?

Yes. We should do so for both client and server.

{
Data = element,
Level = logLevel.ToLoggingLevel(),
Logger = categoryName
});
}
}
30 changes: 30 additions & 0 deletions src/ModelContextProtocol/Logging/McpLoggerProvider.cs
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()
{
}
}
}
29 changes: 29 additions & 0 deletions src/ModelContextProtocol/Logging/McpLoggingLevelExtensions.cs
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,
};
}
5 changes: 5 additions & 0 deletions src/ModelContextProtocol/Server/IMcpServer.cs
Original file line number Diff line number Diff line change
Expand Up @@ -28,6 +28,11 @@ public interface IMcpServer : IAsyncDisposable
/// </summary>
IServiceProvider? ServiceProvider { get; }

/// <summary>
/// Current Logging level
/// </summary>
LoggingLevel LoggingLevel { get; }

/// <summary>
/// Adds a handler for client notifications of a specific method.
/// </summary>
Expand Down
19 changes: 19 additions & 0 deletions src/ModelContextProtocol/Server/McpServer.cs
Copy link
Collaborator

@PederHP PederHP Mar 24, 2025

Choose a reason for hiding this comment

The 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
Expand Up @@ -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;
Expand All @@ -44,6 +48,7 @@ public McpServer(ITransport transport, McpServerOptions options, ILoggerFactory?
IsInitialized = true;
return Task.CompletedTask;
});
AddLoggingLevelNotificationHandler(options);

SetInitializeHandler(options);
SetCompletionHandler(options);
Expand All @@ -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})";
Expand Down Expand Up @@ -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)
Copy link
Collaborator

@PederHP PederHP Mar 28, 2025

Choose a reason for hiding this comment

The 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?
@stephentoub

{
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)
Expand Down
16 changes: 16 additions & 0 deletions src/ModelContextProtocol/Server/McpServerExtensions.cs
Original file line number Diff line number Diff line change
Expand Up @@ -10,6 +10,22 @@ namespace ModelContextProtocol.Server;
/// <inheritdoc />
public static class McpServerExtensions
{
/// <summary>
/// Sends a logging message notification to the client.
/// </summary>
/// <param name="server">The server instance that will handle the log notification request.</param>
/// <param name="loggingMessageNotification">Contains the details of the log message to be sent.</param>
/// <param name="cancellationToken">Allows the operation to be canceled if needed.</param>
/// <returns>Returns a task representing the asynchronous operation.</returns>
public static Task SendLogNotificationAsync(this IMcpServer server, LoggingMessageNotificationParams loggingMessageNotification, CancellationToken cancellationToken = default)
{
Throw.IfNull(server);
Throw.IfNull(loggingMessageNotification);
return server.SendRequestAsync<EmptyResult>(
new JsonRpcRequest { Method = "notifications/message", Params = loggingMessageNotification },
cancellationToken);
}

/// <summary>
/// Requests to sample an LLM via the client.
/// </summary>
Expand Down
Loading