-
Notifications
You must be signed in to change notification settings - Fork 789
.NET: Background responses sample #1821
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
Closed
markwallace-microsoft
wants to merge
6
commits into
microsoft:main
from
SergeyMenshykh:background-responses-sample
Closed
Changes from all commits
Commits
Show all changes
6 commits
Select commit
Hold shift + click to select a range
0020241
add samples that demonstrate background responses with function calli…
SergeyMenshykh a7a988f
update readme
SergeyMenshykh d851eaf
update sample description
SergeyMenshykh 560dffd
rename sample project
SergeyMenshykh f5bd85d
remove unnecessary namespace and ysed task delay instead thread sleep…
SergeyMenshykh ee618e4
Merge branch 'main' into background-responses-sample
SergeyMenshykh 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
65 changes: 65 additions & 0 deletions
65
...gStarted/Agents/Agent_Step20_BackgroundResponsesWithToolsAndPersistence/AgentFunctions.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,65 @@ | ||
| // Copyright (c) Microsoft. All rights reserved. | ||
|
|
||
| using System.ComponentModel; | ||
| using Microsoft.Extensions.AI; | ||
|
|
||
| internal sealed class AgentFunctions | ||
| { | ||
| /// <summary> | ||
| /// Researches relevant space facts. | ||
| /// </summary> | ||
| /// <param name="topic">The specific space-related topic to research (e.g., "galaxy formation", "space travel", "astronaut training").</param> | ||
| /// <returns>Research findings about the specified space topic.</returns> | ||
| [Description("Researches relevant space facts and scientific information for writing a science fiction novel")] | ||
| public async Task<string> ResearchSpaceFactsAsync(string topic) | ||
| { | ||
| Console.WriteLine($"[ResearchSpaceFacts] Researching topic: {topic}"); | ||
|
|
||
| // Simulate a research operation | ||
| await Task.Delay(TimeSpan.FromSeconds(10)); | ||
|
|
||
| string result = topic.ToUpperInvariant() switch | ||
| { | ||
| var t when t.Contains("GALAXY") => "Research findings: Galaxies contain billions of stars. Uncharted galaxies may have unique stellar formations, exotic matter, and unexplored phenomena like dark energy concentrations.", | ||
| var t when t.Contains("SPACE") || t.Contains("TRAVEL") => "Research findings: Interstellar travel requires advanced propulsion systems. Challenges include radiation exposure, life support, and navigation through unknown space.", | ||
| var t when t.Contains("ASTRONAUT") => "Research findings: Astronauts undergo rigorous training in zero-gravity environments, emergency protocols, spacecraft systems, and team dynamics for long-duration missions.", | ||
| _ => $"Research findings: General space exploration facts related to {topic}. Deep space missions require advanced technology, crew resilience, and contingency planning for unknown scenarios." | ||
| }; | ||
|
|
||
| Console.WriteLine("[ResearchSpaceFacts] Research complete"); | ||
| return result; | ||
| } | ||
|
|
||
| /// <summary> | ||
| /// Generates detailed character profiles for the main characters. | ||
| /// </summary> | ||
| /// <returns>Detailed character profiles including background, personality traits, and role in the story.</returns> | ||
| [Description("Generates character profiles for the main astronaut characters in the novel")] | ||
| public async Task<IEnumerable<string>> GenerateCharacterProfilesAsync() | ||
| { | ||
| Console.WriteLine("[GenerateCharacterProfiles] Generating character profiles..."); | ||
|
|
||
| // Simulate a character generation operation | ||
| await Task.Delay(TimeSpan.FromSeconds(10)); | ||
|
|
||
| string[] profiles = [ | ||
| "Captain Elena Voss: A seasoned mission commander with 15 years of experience. Strong-willed and decisive, she struggles with the weight of responsibility for her crew. Former military pilot turned astronaut.", | ||
| "Dr. James Chen: Chief science officer and astrophysicist. Brilliant but socially awkward, he finds solace in data and discovery. His curiosity often pushes the mission into uncharted territory.", | ||
| "Lieutenant Maya Torres: Navigation specialist and youngest crew member. Optimistic and tech-savvy, she brings fresh perspective and innovative problem-solving to challenges.", | ||
| "Commander Marcus Rivera: Chief engineer with expertise in spacecraft systems. Pragmatic and resourceful, he can fix almost anything with limited resources. Values crew safety above all.", | ||
| "Dr. Amara Okafor: Medical officer and psychologist. Empathetic and observant, she helps maintain crew morale and mental health during the long journey. Expert in space medicine." | ||
| ]; | ||
|
|
||
| Console.WriteLine($"[GenerateCharacterProfiles] Generated {profiles.Length} character profiles"); | ||
| return profiles; | ||
| } | ||
|
|
||
| /// <summary> | ||
| /// Returns the functions as AI tools. | ||
| /// </summary> | ||
| public IEnumerable<AITool> AsAITools() | ||
| { | ||
| yield return AIFunctionFactory.Create(this.ResearchSpaceFactsAsync); | ||
| yield return AIFunctionFactory.Create(this.GenerateCharacterProfilesAsync); | ||
| } | ||
| } | ||
25 changes: 25 additions & 0 deletions
25
...Started/Agents/Agent_Step20_BackgroundResponsesWithToolsAndPersistence/AgentStateStore.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,25 @@ | ||
| // Copyright (c) Microsoft. All rights reserved. | ||
|
|
||
| using System.Text.Json; | ||
| using Microsoft.Agents.AI; | ||
| using Microsoft.Extensions.AI; | ||
|
|
||
| internal sealed class AgentStateStore | ||
| { | ||
| private readonly Dictionary<string, JsonElement?> _agentStateStore = new(); | ||
|
|
||
| public void PersistAgentState(AgentThread thread, object? continuationToken) | ||
| { | ||
| this._agentStateStore["thread"] = thread.Serialize(); | ||
| this._agentStateStore["continuationToken"] = JsonSerializer.SerializeToElement(continuationToken, AgentAbstractionsJsonUtilities.DefaultOptions.GetTypeInfo(typeof(ResponseContinuationToken))); | ||
| } | ||
|
|
||
| public void RestoreAgentState(AIAgent agent, out AgentThread thread, out object? continuationToken) | ||
| { | ||
| JsonElement serializedThread = this._agentStateStore["thread"] ?? throw new InvalidOperationException("No serialized thread found in state store."); | ||
| JsonElement? serializedToken = this._agentStateStore["continuationToken"]; | ||
|
|
||
| thread = agent.DeserializeThread(serializedThread); | ||
| continuationToken = serializedToken?.Deserialize(AgentAbstractionsJsonUtilities.DefaultOptions.GetTypeInfo(typeof(ResponseContinuationToken))); | ||
| } | ||
| } |
20 changes: 20 additions & 0 deletions
20
...sesWithToolsAndPersistence/Agent_Step20_BackgroundResponsesWithToolsAndPersistence.csproj
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,20 @@ | ||
| <Project Sdk="Microsoft.NET.Sdk"> | ||
|
|
||
| <PropertyGroup> | ||
| <OutputType>Exe</OutputType> | ||
| <TargetFramework>net9.0</TargetFramework> | ||
|
|
||
| <Nullable>enable</Nullable> | ||
| <ImplicitUsings>enable</ImplicitUsings> | ||
| </PropertyGroup> | ||
|
|
||
| <ItemGroup> | ||
| <PackageReference Include="Azure.AI.OpenAI" /> | ||
| <PackageReference Include="Azure.Identity" /> | ||
| </ItemGroup> | ||
|
|
||
| <ItemGroup> | ||
| <ProjectReference Include="..\..\..\..\src\Microsoft.Agents.AI.OpenAI\Microsoft.Agents.AI.OpenAI.csproj" /> | ||
| </ItemGroup> | ||
|
|
||
| </Project> |
51 changes: 51 additions & 0 deletions
51
.../GettingStarted/Agents/Agent_Step20_BackgroundResponsesWithToolsAndPersistence/Program.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,51 @@ | ||||||
| // Copyright (c) Microsoft. All rights reserved. | ||||||
|
|
||||||
| // This sample demonstrates how to use background responses with ChatClientAgent and AzureOpenAI Responses for long-running operations. | ||||||
| // It shows polling for completion using continuation tokens, function calling during background operations, | ||||||
| // and persisting/restoring agent state between polling cycles. | ||||||
|
|
||||||
| #pragma warning disable CA1050 // Declare types in namespaces | ||||||
|
|
||||||
| using Azure.AI.OpenAI; | ||||||
| using Azure.Identity; | ||||||
| using Microsoft.Agents.AI; | ||||||
| using Microsoft.Extensions.AI; | ||||||
| using OpenAI; | ||||||
|
|
||||||
| var endpoint = Environment.GetEnvironmentVariable("AZURE_OPENAI_ENDPOINT") ?? throw new InvalidOperationException("AZURE_OPENAI_ENDPOINT is not set."); | ||||||
| var deploymentName = Environment.GetEnvironmentVariable("AZURE_OPENAI_DEPLOYMENT_NAME") ?? "gpt-5"; | ||||||
|
|
||||||
| var stateStore = new AgentStateStore(); | ||||||
|
|
||||||
| AIAgent agent = new AzureOpenAIClient( | ||||||
| new Uri(endpoint), | ||||||
| new AzureCliCredential()) | ||||||
| .GetOpenAIResponseClient(deploymentName) | ||||||
| .CreateAIAgent( | ||||||
| name: "SpaceNovelWriter", | ||||||
| instructions: "You are a space novel writer. Always research relevant facts and generate character profiles for the main characters before writing novels." + | ||||||
| "Write complete chapters without asking for approval or feedback. Do not ask the user about tone, style, pace, or format preferences - just write the novel based on the request.", | ||||||
| tools: [.. new AgentFunctions().AsAITools()]); | ||||||
|
Member
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. Instead of returning an
Suggested change
|
||||||
|
|
||||||
| // Enable background responses (only supported by {Azure}OpenAI Responses at this time). | ||||||
| AgentRunOptions options = new() { AllowBackgroundResponses = true }; | ||||||
|
|
||||||
| AgentThread thread = agent.GetNewThread(); | ||||||
|
|
||||||
| // Start the initial run. | ||||||
| AgentRunResponse response = await agent.RunAsync("Write a very long novel about a team of astronauts exploring an uncharted galaxy.", thread, options); | ||||||
|
|
||||||
| // Poll for background responses until complete. | ||||||
| while (response.ContinuationToken is not null) | ||||||
| { | ||||||
| stateStore.PersistAgentState(thread, response.ContinuationToken); | ||||||
|
|
||||||
| await Task.Delay(TimeSpan.FromSeconds(10)); | ||||||
|
|
||||||
| stateStore.RestoreAgentState(agent, out thread, out object? continuationToken); | ||||||
|
|
||||||
| options.ContinuationToken = continuationToken; | ||||||
| response = await agent.RunAsync(thread, options); | ||||||
| } | ||||||
|
|
||||||
| Console.WriteLine(response.Text); | ||||||
25 changes: 25 additions & 0 deletions
25
...tarted/Agents/Agent_Step20_BackgroundResponsesWithToolsAndPersistence/README.md
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,25 @@ | ||
| # What This Sample Shows | ||
|
|
||
| This sample demonstrates how to use background responses with ChatCompletionAgent and AzureOpenAI Responses for long-running operations. Background responses support: | ||
|
|
||
| - **Polling for completion** - Non-streaming APIs can start a background operation and return a continuation token. Poll with the token until the response completes. | ||
| - **Function calling** - Functions can be called during background operations. | ||
| - **State persistence** - Thread and continuation token can be persisted and restored between polling cycles. | ||
|
|
||
| > **Note:** Background responses are currently only supported by OpenAI Responses. | ||
|
|
||
| For more information, see the [official documentation](https://learn.microsoft.com/en-us/agent-framework/user-guide/agents/agent-background-responses?pivots=programming-language-csharp). | ||
|
|
||
| # Prerequisites | ||
|
|
||
| Before you begin, ensure you have the following prerequisites: | ||
|
|
||
| - .NET 8.0 SDK or later | ||
| - OpenAI api key | ||
|
|
||
| Set the following environment variables: | ||
|
|
||
| ```powershell | ||
| $env:AZURE_OPENAI_ENDPOINT="https://your-resource.openai.azure.com/" # Replace with your Azure OpenAI resource endpoint | ||
| $env:AZURE_OPENAI_DEPLOYMENT_NAME="gpt-5" # Optional, defaults to gpt-5 | ||
| ``` |
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.
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.
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.