-
Notifications
You must be signed in to change notification settings - Fork 961
.NET: Add LoggingAgent wrapper for ILogger-based observability #2701
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
Merged
Merged
Changes from all commits
Commits
Show all changes
13 commits
Select commit
Hold shift + click to select a range
a914692
Initial plan
Copilot 81dd7ac
Add LoggingAgent class and UseLogging extension method
Copilot d8410c3
Add unit tests for LoggingAgent and fix JSON serialization error hand…
Copilot d38aa0f
Add comments explaining unreachable code in test async iterators
Copilot 8657e4c
Fix file encoding - add UTF-8 BOM to all C# files
Copilot 071589c
Address Format issues
rogerbarreto 337c17b
Addres format
rogerbarreto cdc5c07
Merge branch 'main' into copilot/add-logging-agent-wrapper
rogerbarreto 806d622
Break up extensions in dedicated files
rogerbarreto 270f5e5
Adjust class names
rogerbarreto 5e369fe
Add xmldoc info
rogerbarreto 3a82ce1
Merge branch 'main' into copilot/add-logging-agent-wrapper
rogerbarreto 3e71653
Merge branch 'main' into copilot/add-logging-agent-wrapper
rogerbarreto File filter
Filter by extension
Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
There are no files selected for viewing
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
52 changes: 52 additions & 0 deletions
52
dotnet/src/Microsoft.Agents.AI/FunctionInvocationDelegatingAgentBuilderExtensions.cs
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
| Original file line number | Diff line number | Diff line change |
|---|---|---|
| @@ -0,0 +1,52 @@ | ||
| // Copyright (c) Microsoft. All rights reserved. | ||
|
|
||
| using System; | ||
| using System.Threading; | ||
| using System.Threading.Tasks; | ||
| using Microsoft.Extensions.AI; | ||
| using Microsoft.Shared.Diagnostics; | ||
|
|
||
| namespace Microsoft.Agents.AI; | ||
|
|
||
| /// <summary> | ||
| /// Provides extension methods for configuring and customizing <see cref="AIAgentBuilder"/> instances. | ||
| /// </summary> | ||
| public static class FunctionInvocationDelegatingAgentBuilderExtensions | ||
| { | ||
| /// <summary> | ||
| /// Adds function invocation callbacks to the <see cref="AIAgent"/> pipeline that intercepts and processes <see cref="AIFunction"/> calls. | ||
| /// </summary> | ||
| /// <param name="builder">The <see cref="AIAgentBuilder"/> to which the function invocation callback is added.</param> | ||
| /// <param name="callback"> | ||
| /// A delegate that processes function invocations. The delegate receives the <see cref="AIAgent"/> instance, | ||
| /// the function invocation context, and a continuation delegate representing the next callback in the pipeline. | ||
| /// It returns a task representing the result of the function invocation. | ||
| /// </param> | ||
| /// <returns>The <see cref="AIAgentBuilder"/> instance with the function invocation callback added, enabling method chaining.</returns> | ||
| /// <exception cref="ArgumentNullException"><paramref name="builder"/> or <paramref name="callback"/> is <see langword="null"/>.</exception> | ||
| /// <remarks> | ||
| /// <para> | ||
| /// The callback must call the provided continuation delegate to proceed with the function invocation, | ||
| /// unless it intends to completely replace the function's behavior. | ||
| /// </para> | ||
| /// <para> | ||
| /// The inner agent or the pipeline wrapping it must include a <see cref="FunctionInvokingChatClient"/>. If one does not exist, | ||
| /// the <see cref="AIAgent"/> added to the pipline by this method will throw an exception when it is invoked. | ||
| /// </para> | ||
| /// </remarks> | ||
| public static AIAgentBuilder Use(this AIAgentBuilder builder, Func<AIAgent, FunctionInvocationContext, Func<FunctionInvocationContext, CancellationToken, ValueTask<object?>>, CancellationToken, ValueTask<object?>> callback) | ||
| { | ||
| _ = Throw.IfNull(builder); | ||
| _ = Throw.IfNull(callback); | ||
| return builder.Use((innerAgent, _) => | ||
| { | ||
| // Function calling requires a ChatClientAgent inner agent. | ||
| if (innerAgent.GetService<FunctionInvokingChatClient>() is null) | ||
| { | ||
| throw new InvalidOperationException($"The function invocation middleware can only be used with decorations of a {nameof(AIAgent)} that support usage of FunctionInvokingChatClient decorated chat clients."); | ||
| } | ||
|
|
||
| return new FunctionInvocationDelegatingAgent(innerAgent, callback); | ||
| }); | ||
| } | ||
| } |
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
| Original file line number | Diff line number | Diff line change |
|---|---|---|
| @@ -0,0 +1,209 @@ | ||
| // Copyright (c) Microsoft. All rights reserved. | ||
|
|
||
| using System; | ||
| using System.Collections.Generic; | ||
| using System.Runtime.CompilerServices; | ||
| using System.Text.Json; | ||
| using System.Threading; | ||
| using System.Threading.Tasks; | ||
| using Microsoft.Extensions.AI; | ||
| using Microsoft.Extensions.Logging; | ||
| using Microsoft.Shared.Diagnostics; | ||
| using LogLevel = Microsoft.Extensions.Logging.LogLevel; | ||
|
|
||
| namespace Microsoft.Agents.AI; | ||
|
|
||
| /// <summary> | ||
| /// A delegating AI agent that logs agent operations to an <see cref="ILogger"/>. | ||
| /// </summary> | ||
| /// <remarks> | ||
| /// <para> | ||
| /// The provided implementation of <see cref="AIAgent"/> is thread-safe for concurrent use so long as the | ||
| /// <see cref="ILogger"/> employed is also thread-safe for concurrent use. | ||
| /// </para> | ||
| /// <para> | ||
| /// When the employed <see cref="ILogger"/> enables <see cref="LogLevel.Trace"/>, the contents of | ||
| /// messages, options, and responses are logged. These may contain sensitive application data. | ||
| /// <see cref="LogLevel.Trace"/> is disabled by default and should never be enabled in a production environment. | ||
| /// Messages and options are not logged at other logging levels. | ||
| /// </para> | ||
| /// </remarks> | ||
| public sealed partial class LoggingAgent : DelegatingAIAgent | ||
| { | ||
| /// <summary>An <see cref="ILogger"/> instance used for all logging.</summary> | ||
| private readonly ILogger _logger; | ||
|
|
||
| /// <summary>The <see cref="JsonSerializerOptions"/> to use for serialization of state written to the logger.</summary> | ||
| private JsonSerializerOptions _jsonSerializerOptions; | ||
|
|
||
| /// <summary>Initializes a new instance of the <see cref="LoggingAgent"/> class.</summary> | ||
| /// <param name="innerAgent">The underlying <see cref="AIAgent"/>.</param> | ||
| /// <param name="logger">An <see cref="ILogger"/> instance that will be used for all logging.</param> | ||
| /// <exception cref="ArgumentNullException"><paramref name="innerAgent"/> or <paramref name="logger"/> is <see langword="null"/>.</exception> | ||
| public LoggingAgent(AIAgent innerAgent, ILogger logger) | ||
| : base(innerAgent) | ||
| { | ||
| this._logger = Throw.IfNull(logger); | ||
| this._jsonSerializerOptions = AgentJsonUtilities.DefaultOptions; | ||
| } | ||
|
|
||
| /// <summary>Gets or sets JSON serialization options to use when serializing logging data.</summary> | ||
| public JsonSerializerOptions JsonSerializerOptions | ||
| { | ||
| get => this._jsonSerializerOptions; | ||
| set => this._jsonSerializerOptions = Throw.IfNull(value); | ||
| } | ||
|
|
||
| /// <inheritdoc/> | ||
| public override async Task<AgentRunResponse> RunAsync( | ||
| IEnumerable<ChatMessage> messages, AgentThread? thread = null, AgentRunOptions? options = null, CancellationToken cancellationToken = default) | ||
| { | ||
| if (this._logger.IsEnabled(LogLevel.Debug)) | ||
| { | ||
| if (this._logger.IsEnabled(LogLevel.Trace)) | ||
| { | ||
| this.LogInvokedSensitive(nameof(RunAsync), this.AsJson(messages), this.AsJson(options), this.AsJson(this.GetService<AIAgentMetadata>())); | ||
| } | ||
| else | ||
| { | ||
| this.LogInvoked(nameof(RunAsync)); | ||
| } | ||
| } | ||
|
|
||
| try | ||
| { | ||
| AgentRunResponse response = await base.RunAsync(messages, thread, options, cancellationToken).ConfigureAwait(false); | ||
|
|
||
| if (this._logger.IsEnabled(LogLevel.Debug)) | ||
| { | ||
| if (this._logger.IsEnabled(LogLevel.Trace)) | ||
| { | ||
| this.LogCompletedSensitive(nameof(RunAsync), this.AsJson(response)); | ||
| } | ||
| else | ||
| { | ||
| this.LogCompleted(nameof(RunAsync)); | ||
| } | ||
| } | ||
|
|
||
| return response; | ||
| } | ||
| catch (OperationCanceledException) | ||
| { | ||
| this.LogInvocationCanceled(nameof(RunAsync)); | ||
| throw; | ||
| } | ||
| catch (Exception ex) | ||
| { | ||
| this.LogInvocationFailed(nameof(RunAsync), ex); | ||
| throw; | ||
| } | ||
| } | ||
|
|
||
| /// <inheritdoc/> | ||
| public override async IAsyncEnumerable<AgentRunResponseUpdate> RunStreamingAsync( | ||
| IEnumerable<ChatMessage> messages, AgentThread? thread = null, AgentRunOptions? options = null, [EnumeratorCancellation] CancellationToken cancellationToken = default) | ||
| { | ||
| if (this._logger.IsEnabled(LogLevel.Debug)) | ||
| { | ||
| if (this._logger.IsEnabled(LogLevel.Trace)) | ||
| { | ||
| this.LogInvokedSensitive(nameof(RunStreamingAsync), this.AsJson(messages), this.AsJson(options), this.AsJson(this.GetService<AIAgentMetadata>())); | ||
| } | ||
| else | ||
| { | ||
| this.LogInvoked(nameof(RunStreamingAsync)); | ||
| } | ||
| } | ||
|
|
||
| IAsyncEnumerator<AgentRunResponseUpdate> e; | ||
| try | ||
| { | ||
| e = base.RunStreamingAsync(messages, thread, options, cancellationToken).GetAsyncEnumerator(cancellationToken); | ||
| } | ||
| catch (OperationCanceledException) | ||
| { | ||
| this.LogInvocationCanceled(nameof(RunStreamingAsync)); | ||
| throw; | ||
| } | ||
| catch (Exception ex) | ||
| { | ||
| this.LogInvocationFailed(nameof(RunStreamingAsync), ex); | ||
| throw; | ||
| } | ||
|
|
||
| try | ||
| { | ||
| AgentRunResponseUpdate? update = null; | ||
| while (true) | ||
| { | ||
| try | ||
| { | ||
| if (!await e.MoveNextAsync().ConfigureAwait(false)) | ||
| { | ||
| break; | ||
| } | ||
|
|
||
| update = e.Current; | ||
| } | ||
| catch (OperationCanceledException) | ||
| { | ||
| this.LogInvocationCanceled(nameof(RunStreamingAsync)); | ||
| throw; | ||
| } | ||
| catch (Exception ex) | ||
| { | ||
| this.LogInvocationFailed(nameof(RunStreamingAsync), ex); | ||
| throw; | ||
| } | ||
|
|
||
| if (this._logger.IsEnabled(LogLevel.Trace)) | ||
| { | ||
| this.LogStreamingUpdateSensitive(this.AsJson(update)); | ||
| } | ||
|
|
||
| yield return update; | ||
| } | ||
|
|
||
| this.LogCompleted(nameof(RunStreamingAsync)); | ||
| } | ||
| finally | ||
| { | ||
| await e.DisposeAsync().ConfigureAwait(false); | ||
| } | ||
| } | ||
|
|
||
| private string AsJson<T>(T value) | ||
| { | ||
| try | ||
| { | ||
| return JsonSerializer.Serialize(value, this._jsonSerializerOptions.GetTypeInfo(typeof(T))); | ||
| } | ||
| catch | ||
| { | ||
| // If serialization fails, return a simple string representation | ||
| return value?.ToString() ?? "null"; | ||
| } | ||
rogerbarreto marked this conversation as resolved.
Show resolved
Hide resolved
|
||
| } | ||
|
|
||
| [LoggerMessage(LogLevel.Debug, "{MethodName} invoked.")] | ||
| private partial void LogInvoked(string methodName); | ||
|
|
||
| [LoggerMessage(LogLevel.Trace, "{MethodName} invoked: {Messages}. Options: {Options}. Metadata: {Metadata}.")] | ||
| private partial void LogInvokedSensitive(string methodName, string messages, string options, string metadata); | ||
|
|
||
| [LoggerMessage(LogLevel.Debug, "{MethodName} completed.")] | ||
| private partial void LogCompleted(string methodName); | ||
|
|
||
| [LoggerMessage(LogLevel.Trace, "{MethodName} completed: {Response}.")] | ||
| private partial void LogCompletedSensitive(string methodName, string response); | ||
|
|
||
| [LoggerMessage(LogLevel.Trace, "RunStreamingAsync received update: {Update}")] | ||
| private partial void LogStreamingUpdateSensitive(string update); | ||
|
|
||
| [LoggerMessage(LogLevel.Debug, "{MethodName} canceled.")] | ||
| private partial void LogInvocationCanceled(string methodName); | ||
|
|
||
| [LoggerMessage(LogLevel.Error, "{MethodName} failed.")] | ||
| private partial void LogInvocationFailed(string methodName, Exception error); | ||
| } | ||
66 changes: 66 additions & 0 deletions
66
dotnet/src/Microsoft.Agents.AI/LoggingAgentBuilderExtensions.cs
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
| Original file line number | Diff line number | Diff line change |
|---|---|---|
| @@ -0,0 +1,66 @@ | ||
| // Copyright (c) Microsoft. All rights reserved. | ||
|
|
||
| using System; | ||
| using Microsoft.Extensions.DependencyInjection; | ||
| using Microsoft.Extensions.Logging; | ||
| using Microsoft.Extensions.Logging.Abstractions; | ||
| using Microsoft.Shared.Diagnostics; | ||
| using LogLevel = Microsoft.Extensions.Logging.LogLevel; | ||
|
|
||
| namespace Microsoft.Agents.AI; | ||
|
|
||
| /// <summary> | ||
| /// Provides extension methods for adding logging support to <see cref="AIAgentBuilder"/> instances. | ||
| /// </summary> | ||
| public static class LoggingAgentBuilderExtensions | ||
| { | ||
| /// <summary> | ||
| /// Adds logging to the agent pipeline, enabling detailed observability of agent operations. | ||
| /// </summary> | ||
| /// <param name="builder">The <see cref="AIAgentBuilder"/> to which logging support will be added.</param> | ||
| /// <param name="loggerFactory"> | ||
| /// An optional <see cref="ILoggerFactory"/> used to create a logger with which logging should be performed. | ||
| /// If not supplied, a required instance will be resolved from the service provider. | ||
rogerbarreto marked this conversation as resolved.
Show resolved
Hide resolved
|
||
| /// </param> | ||
| /// <param name="configure"> | ||
| /// An optional callback that provides additional configuration of the <see cref="LoggingAgent"/> instance. | ||
| /// This allows for fine-tuning logging behavior such as customizing JSON serialization options. | ||
| /// </param> | ||
| /// <returns>The <see cref="AIAgentBuilder"/> with logging support added, enabling method chaining.</returns> | ||
| /// <exception cref="ArgumentNullException"><paramref name="builder"/> is <see langword="null"/>.</exception> | ||
| /// <remarks> | ||
| /// <para> | ||
| /// When the employed <see cref="ILogger"/> enables <see cref="LogLevel.Trace"/>, the contents of | ||
| /// messages, options, and responses are logged. These may contain sensitive application data. | ||
| /// <see cref="LogLevel.Trace"/> is disabled by default and should never be enabled in a production environment. | ||
| /// Messages and options are not logged at other logging levels. | ||
| /// </para> | ||
| /// <para> | ||
| /// If the resolved or provided <see cref="ILoggerFactory"/> is <see cref="NullLoggerFactory"/>, this will be a no-op where | ||
| /// logging will be effectively disabled. In this case, the <see cref="LoggingAgent"/> will not be added. | ||
| /// </para> | ||
| /// </remarks> | ||
| public static AIAgentBuilder UseLogging( | ||
| this AIAgentBuilder builder, | ||
| ILoggerFactory? loggerFactory = null, | ||
| Action<LoggingAgent>? configure = null) | ||
| { | ||
| _ = Throw.IfNull(builder); | ||
|
|
||
| return builder.Use((innerAgent, services) => | ||
| { | ||
| loggerFactory ??= services.GetRequiredService<ILoggerFactory>(); | ||
|
|
||
| // If the factory we resolve is for the null logger, the LoggingAgent will end up | ||
| // being an expensive nop, so skip adding it and just return the inner agent. | ||
| if (loggerFactory == NullLoggerFactory.Instance) | ||
| { | ||
| return innerAgent; | ||
| } | ||
|
|
||
| LoggingAgent agent = new(innerAgent, loggerFactory.CreateLogger(nameof(LoggingAgent))); | ||
| configure?.Invoke(agent); | ||
| return agent; | ||
| }); | ||
| } | ||
| } | ||
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Oops, something went wrong.
Oops, something went wrong.
Add this suggestion to a batch that can be applied as a single commit.
This suggestion is invalid because no changes were made to the code.
Suggestions cannot be applied while the pull request is closed.
Suggestions cannot be applied while viewing a subset of changes.
Only one suggestion per line can be applied in a batch.
Add this suggestion to a batch that can be applied as a single commit.
Applying suggestions on deleted lines is not supported.
You must change the existing code in this line in order to create a valid suggestion.
Outdated suggestions cannot be applied.
This suggestion has been applied or marked resolved.
Suggestions cannot be applied from pending reviews.
Suggestions cannot be applied on multi-line comments.
Suggestions cannot be applied while the pull request is queued to merge.
Suggestion cannot be applied right now. Please check back later.
Uh oh!
There was an error while loading. Please reload this page.