✨ Thinking
This commit is contained in:
137
DysonNetwork.Insight/Thought/README.md
Normal file
137
DysonNetwork.Insight/Thought/README.md
Normal file
@@ -0,0 +1,137 @@
|
||||
# DysonNetwork Insight Thought API
|
||||
|
||||
The Thought API provides conversational AI capabilities for users of the Solar Network. It allows users to engage in chat-like conversations with an AI assistant powered by semantic kernel and connected to various tools.
|
||||
|
||||
This service is handled by the Insight, when using with the Gateway, the `/api` should be replaced with `/insight`
|
||||
|
||||
## Features
|
||||
|
||||
- Streaming chat responses using Server-Sent Events (SSE)
|
||||
- Conversation context management with sequences
|
||||
- Caching for improved performance
|
||||
- Authentication required for all operations
|
||||
|
||||
## Endpoints
|
||||
|
||||
### POST /api/thought
|
||||
|
||||
Initiates or continues a chat conversation.
|
||||
|
||||
#### Parameters
|
||||
- `UserMessage` (string, required): The message from the user
|
||||
- `SequenceId` (Guid, optional): ID of existing conversation sequence. If not provided, a new sequence is created.
|
||||
|
||||
#### Response
|
||||
- Content-Type: `text/event-stream`
|
||||
- Streaming response with assistant messages
|
||||
- Status: 401 if not authenticated
|
||||
- Status: 403 if sequence doesn't belong to user
|
||||
|
||||
#### Example Usage
|
||||
```bash
|
||||
curl -X POST "http://localhost:5000/api/thought" \
|
||||
-H "Content-Type: application/json" \
|
||||
-d '{
|
||||
"UserMessage": "Hello, how can I help with the Solar Network?",
|
||||
"SequenceId": null
|
||||
}'
|
||||
```
|
||||
|
||||
### GET /api/thought/sequences
|
||||
|
||||
Lists all thinking sequences for the authenticated user.
|
||||
|
||||
#### Parameters
|
||||
- `offset` (int, default 0): Number of sequences to skip for pagination
|
||||
- `take` (int, default 20): Maximum number of sequences to return
|
||||
|
||||
#### Response
|
||||
- `200 OK`: Array of `SnThinkingSequence`
|
||||
- `401 Unauthorized`: If not authenticated
|
||||
- Headers:
|
||||
- `X-Total`: Total number of sequences before pagination
|
||||
|
||||
#### Example Usage
|
||||
```bash
|
||||
curl -X GET "http://localhost:5000/api/thought/sequences?take=10"
|
||||
```
|
||||
|
||||
### GET /api/thought/sequences/{sequenceId}
|
||||
|
||||
Retrieves all thoughts (messages) in a specific conversation sequence.
|
||||
|
||||
#### Parameters
|
||||
- `sequenceId` (Guid, path): ID of the sequence to retrieve
|
||||
|
||||
#### Response
|
||||
- `200 OK`: Array of `SnThinkingThought` ordered by creation date
|
||||
- `401 Unauthorized`: If not authenticated
|
||||
- `404 Not Found`: If sequence doesn't exist or doesn't belong to user
|
||||
|
||||
#### Example Usage
|
||||
```bash
|
||||
curl -X GET "http://localhost:5000/api/thought/sequences/12345678-1234-1234-1234-123456789abc"
|
||||
```
|
||||
|
||||
## Data Models
|
||||
|
||||
### StreamThinkingRequest
|
||||
```csharp
|
||||
{
|
||||
string UserMessage, // Required
|
||||
Guid? SequenceId // Optional
|
||||
}
|
||||
```
|
||||
|
||||
### SnThinkingSequence
|
||||
```csharp
|
||||
{
|
||||
Guid Id,
|
||||
string? Topic,
|
||||
Guid AccountId
|
||||
}
|
||||
```
|
||||
|
||||
### SnThinkingThought
|
||||
```csharp
|
||||
{
|
||||
Guid Id,
|
||||
string? Content,
|
||||
List<SnCloudFileReferenceObject> Files,
|
||||
ThinkingThoughtRole Role,
|
||||
Guid SequenceId,
|
||||
SnThinkingSequence Sequence
|
||||
}
|
||||
```
|
||||
|
||||
### ThinkingThoughtRole (enum)
|
||||
- `Assistant`
|
||||
- `User`
|
||||
|
||||
## Caching
|
||||
|
||||
The API uses Redis-based caching for conversation thoughts:
|
||||
- Thoughts are cached for 10 minutes with group-based invalidation
|
||||
- Cache is invalidated when new thoughts are added to a sequence
|
||||
- Improves performance for accessing conversation history
|
||||
|
||||
## Authentication
|
||||
|
||||
All endpoints require authentication through the current user session. Sequence access is validated against the authenticated user's account ID.
|
||||
|
||||
## Error Responses
|
||||
|
||||
- `401 Unauthorized`: Authentication required
|
||||
- `403 Forbidden`: Access denied (sequence ownership)
|
||||
- `404 Not Found`: Resource not found
|
||||
|
||||
## Streaming Details
|
||||
|
||||
The POST endpoint returns a stream of assistant responses using Server-Sent Events format. Clients should handle the streaming response and display messages incrementally.
|
||||
|
||||
## Implementation Notes
|
||||
|
||||
- Built with ASP.NET Core and Semantic Kernel
|
||||
- Uses PostgreSQL via Entity Framework Core
|
||||
- Integrated with Ollama for AI completion
|
||||
- Caching via Redis
|
||||
185
DysonNetwork.Insight/Thought/ThoughtController.cs
Normal file
185
DysonNetwork.Insight/Thought/ThoughtController.cs
Normal file
@@ -0,0 +1,185 @@
|
||||
using System.ComponentModel.DataAnnotations;
|
||||
using System.Text;
|
||||
using System.Text.Json;
|
||||
using DysonNetwork.Shared.Models;
|
||||
using DysonNetwork.Shared.Proto;
|
||||
using Microsoft.AspNetCore.Mvc;
|
||||
using Microsoft.SemanticKernel;
|
||||
using Microsoft.SemanticKernel.ChatCompletion;
|
||||
using Microsoft.SemanticKernel.Connectors.Ollama;
|
||||
|
||||
namespace DysonNetwork.Insight.Thought;
|
||||
|
||||
[ApiController]
|
||||
[Route("/api/thought")]
|
||||
public class ThoughtController(ThoughtProvider provider, ThoughtService service) : ControllerBase
|
||||
{
|
||||
public class StreamThinkingRequest
|
||||
{
|
||||
[Required] public string UserMessage { get; set; } = null!;
|
||||
public Guid? SequenceId { get; set; }
|
||||
}
|
||||
|
||||
[HttpPost]
|
||||
public async Task<ActionResult> Think([FromBody] StreamThinkingRequest request)
|
||||
{
|
||||
if (HttpContext.Items["CurrentUser"] is not Account currentUser) return Unauthorized();
|
||||
var accountId = Guid.Parse(currentUser.Id);
|
||||
|
||||
// Generate topic if creating new sequence
|
||||
string? topic = null;
|
||||
if (!request.SequenceId.HasValue)
|
||||
{
|
||||
// Use AI to summarize topic from user message
|
||||
var summaryHistory = new ChatHistory(
|
||||
"You are a helpful assistant. Summarize the following user message into a concise topic title (max 100 characters)."
|
||||
);
|
||||
summaryHistory.AddUserMessage(request.UserMessage);
|
||||
|
||||
var summaryResult = await provider.Kernel.GetRequiredService<IChatCompletionService>()
|
||||
.GetChatMessageContentAsync(summaryHistory);
|
||||
|
||||
topic = summaryResult.Content?.Substring(0, Math.Min(summaryResult.Content.Length, 4096));
|
||||
}
|
||||
|
||||
// Handle sequence
|
||||
var sequence = await service.GetOrCreateSequenceAsync(accountId, request.SequenceId, topic);
|
||||
if (sequence == null) return Forbid(); // or NotFound
|
||||
|
||||
// Save user thought
|
||||
await service.SaveThoughtAsync(sequence, request.UserMessage, ThinkingThoughtRole.User);
|
||||
|
||||
// Build chat history
|
||||
var chatHistory = new ChatHistory(
|
||||
"You're a helpful assistant on the Solar Network, a social network.\n" +
|
||||
"Your name is Sn-chan, a cute sweet heart with passion for almost everything.\n" +
|
||||
"When you talk to user, you can add some modal particles and emoticons to your response to be cute, but prevent use a lot of emojis." +
|
||||
"\n" +
|
||||
"Your aim is to helping solving questions for the users on the Solar Network.\n" +
|
||||
"And the Solar Network is the social network platform you live on.\n" +
|
||||
"When the user asks questions about the Solar Network (also known as SN and Solian), try use the tools you have to get latest and accurate data."
|
||||
);
|
||||
|
||||
// Add previous thoughts (excluding the current user thought, which is the last one)
|
||||
var previousThoughts = await service.GetPreviousThoughtsAsync(sequence);
|
||||
var count = previousThoughts.Count;
|
||||
for (var i = 0; i < count - 1; i++)
|
||||
{
|
||||
var thought = previousThoughts[i];
|
||||
switch (thought.Role)
|
||||
{
|
||||
case ThinkingThoughtRole.User:
|
||||
chatHistory.AddUserMessage(thought.Content ?? "");
|
||||
break;
|
||||
case ThinkingThoughtRole.Assistant:
|
||||
chatHistory.AddAssistantMessage(thought.Content ?? "");
|
||||
break;
|
||||
default:
|
||||
throw new ArgumentOutOfRangeException();
|
||||
}
|
||||
}
|
||||
chatHistory.AddUserMessage(request.UserMessage);
|
||||
|
||||
// Set response for streaming
|
||||
Response.Headers.Append("Content-Type", "text/event-stream");
|
||||
Response.StatusCode = 200;
|
||||
|
||||
var kernel = provider.Kernel;
|
||||
var chatCompletionService = kernel.GetRequiredService<IChatCompletionService>();
|
||||
|
||||
// Kick off streaming generation
|
||||
var accumulatedContent = new StringBuilder();
|
||||
await foreach (var chunk in chatCompletionService.GetStreamingChatMessageContentsAsync(
|
||||
chatHistory,
|
||||
new OllamaPromptExecutionSettings
|
||||
{
|
||||
FunctionChoiceBehavior = FunctionChoiceBehavior.Auto(
|
||||
options: new FunctionChoiceBehaviorOptions()
|
||||
{
|
||||
AllowParallelCalls = true,
|
||||
AllowConcurrentInvocation = true
|
||||
})
|
||||
},
|
||||
kernel: kernel
|
||||
))
|
||||
{
|
||||
// Write each chunk to the HTTP response as SSE
|
||||
var data = chunk.Content ?? "";
|
||||
accumulatedContent.Append(data);
|
||||
if (string.IsNullOrEmpty(data)) continue;
|
||||
|
||||
var bytes = Encoding.UTF8.GetBytes(data);
|
||||
await Response.Body.WriteAsync(bytes);
|
||||
await Response.Body.FlushAsync();
|
||||
}
|
||||
|
||||
// Save assistant thought
|
||||
var savedThought = await service.SaveThoughtAsync(sequence, accumulatedContent.ToString(), ThinkingThoughtRole.Assistant);
|
||||
|
||||
// Write the topic if it was newly set, then the thought object as JSON to the stream
|
||||
using (var streamBuilder = new MemoryStream())
|
||||
{
|
||||
await streamBuilder.WriteAsync("\n"u8.ToArray());
|
||||
if (topic != null)
|
||||
{
|
||||
await streamBuilder.WriteAsync(Encoding.UTF8.GetBytes($"<topic>{sequence.Topic ?? ""}</topic>\n"));
|
||||
}
|
||||
await streamBuilder.WriteAsync(Encoding.UTF8.GetBytes(JsonSerializer.Serialize(savedThought, GrpcTypeHelper.SerializerOptions)));
|
||||
var outputBytes = streamBuilder.ToArray();
|
||||
await Response.Body.WriteAsync(outputBytes);
|
||||
await Response.Body.FlushAsync();
|
||||
}
|
||||
|
||||
// Return empty result since we're streaming
|
||||
return new EmptyResult();
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
/// Retrieves a paginated list of thinking sequences for the authenticated user.
|
||||
/// </summary>
|
||||
/// <param name="offset">The number of sequences to skip for pagination.</param>
|
||||
/// <param name="take">The maximum number of sequences to return (default: 20).</param>
|
||||
/// <returns>
|
||||
/// Returns an ActionResult containing a list of thinking sequences.
|
||||
/// Includes an X-Total header with the total count of sequences before pagination.
|
||||
/// </returns>
|
||||
[HttpGet("sequences")]
|
||||
[ProducesResponseType(StatusCodes.Status200OK)]
|
||||
public async Task<ActionResult<List<SnThinkingSequence>>> ListSequences(
|
||||
[FromQuery] int offset = 0,
|
||||
[FromQuery] int take = 20
|
||||
)
|
||||
{
|
||||
if (HttpContext.Items["CurrentUser"] is not Account currentUser) return Unauthorized();
|
||||
var accountId = Guid.Parse(currentUser.Id);
|
||||
|
||||
var (totalCount, sequences) = await service.ListSequencesAsync(accountId, offset, take);
|
||||
|
||||
Response.Headers["X-Total"] = totalCount.ToString();
|
||||
|
||||
return Ok(sequences);
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
/// Retrieves the thoughts in a specific thinking sequence.
|
||||
/// </summary>
|
||||
/// <param name="sequenceId">The ID of the sequence to retrieve thoughts from.</param>
|
||||
/// <returns>
|
||||
/// Returns an ActionResult containing a list of thoughts in the sequence, ordered by creation date.
|
||||
/// </returns>
|
||||
[HttpGet("sequences/{sequenceId:guid}")]
|
||||
[ProducesResponseType(StatusCodes.Status200OK)]
|
||||
[ProducesResponseType(StatusCodes.Status404NotFound)]
|
||||
public async Task<ActionResult<List<SnThinkingThought>>> GetSequenceThoughts(Guid sequenceId)
|
||||
{
|
||||
if (HttpContext.Items["CurrentUser"] is not Account currentUser) return Unauthorized();
|
||||
var accountId = Guid.Parse(currentUser.Id);
|
||||
|
||||
var sequence = await service.GetOrCreateSequenceAsync(accountId, sequenceId);
|
||||
if (sequence == null) return NotFound();
|
||||
|
||||
var thoughts = await service.GetPreviousThoughtsAsync(sequence);
|
||||
|
||||
return Ok(thoughts);
|
||||
}
|
||||
}
|
||||
81
DysonNetwork.Insight/Thought/ThoughtProvider.cs
Normal file
81
DysonNetwork.Insight/Thought/ThoughtProvider.cs
Normal file
@@ -0,0 +1,81 @@
|
||||
using System.Text.Json;
|
||||
using DysonNetwork.Shared.Proto;
|
||||
using Microsoft.SemanticKernel;
|
||||
|
||||
namespace DysonNetwork.Insight.Thought;
|
||||
|
||||
public class ThoughtProvider
|
||||
{
|
||||
private readonly Kernel _kernel;
|
||||
private readonly PostService.PostServiceClient _postClient;
|
||||
private readonly AccountService.AccountServiceClient _accountClient;
|
||||
|
||||
public Kernel Kernel => _kernel;
|
||||
public string? ModelProviderType { get; private set; }
|
||||
public string? ModelDefault { get; private set; }
|
||||
|
||||
public ThoughtProvider(
|
||||
IConfiguration configuration,
|
||||
PostService.PostServiceClient postClient,
|
||||
AccountService.AccountServiceClient accountClient
|
||||
)
|
||||
{
|
||||
_postClient = postClient;
|
||||
_accountClient = accountClient;
|
||||
|
||||
_kernel = InitializeThinkingProvider(configuration);
|
||||
InitializeHelperFunctions();
|
||||
}
|
||||
|
||||
private Kernel InitializeThinkingProvider(IConfiguration configuration)
|
||||
{
|
||||
var cfg = configuration.GetSection("Thinking");
|
||||
ModelProviderType = cfg.GetValue<string>("Provider")?.ToLower();
|
||||
ModelDefault = cfg.GetValue<string>("Model");
|
||||
var endpoint = cfg.GetValue<string>("Endpoint");
|
||||
|
||||
var builder = Kernel.CreateBuilder();
|
||||
|
||||
switch (ModelProviderType)
|
||||
{
|
||||
case "ollama":
|
||||
builder.AddOllamaChatCompletion(ModelDefault!, new Uri(endpoint ?? "http://localhost:11434/api"));
|
||||
break;
|
||||
default:
|
||||
throw new IndexOutOfRangeException("Unknown thinking provider: " + ModelProviderType);
|
||||
}
|
||||
|
||||
return builder.Build();
|
||||
}
|
||||
|
||||
private void InitializeHelperFunctions()
|
||||
{
|
||||
// Add Solar Network tools plugin
|
||||
_kernel.ImportPluginFromFunctions("helper_functions", [
|
||||
KernelFunctionFactory.CreateFromMethod(async (string userId) =>
|
||||
{
|
||||
var request = new GetAccountRequest { Id = userId };
|
||||
var response = await _accountClient.GetAccountAsync(request);
|
||||
return JsonSerializer.Serialize(response, GrpcTypeHelper.SerializerOptions);
|
||||
}, "get_user_profile", "Get a user profile from the Solar Network."),
|
||||
KernelFunctionFactory.CreateFromMethod(async (string postId) =>
|
||||
{
|
||||
var request = new GetPostRequest { Id = postId };
|
||||
var response = await _postClient.GetPostAsync(request);
|
||||
return JsonSerializer.Serialize(response, GrpcTypeHelper.SerializerOptions);
|
||||
}, "get_post", "Get a single post by ID from the Solar Network."),
|
||||
KernelFunctionFactory.CreateFromMethod(async (string query) =>
|
||||
{
|
||||
var request = new SearchPostsRequest { Query = query, PageSize = 10 };
|
||||
var response = await _postClient.SearchPostsAsync(request);
|
||||
return JsonSerializer.Serialize(response.Posts, GrpcTypeHelper.SerializerOptions);
|
||||
}, "search_posts", "Search posts by query from the Solar Network."),
|
||||
KernelFunctionFactory.CreateFromMethod(async () =>
|
||||
{
|
||||
var request = new ListPostsRequest { PageSize = 10 };
|
||||
var response = await _postClient.ListPostsAsync(request);
|
||||
return JsonSerializer.Serialize(response.Posts, GrpcTypeHelper.SerializerOptions);
|
||||
}, "get_recent_posts", "Get recent posts from the Solar Network.")
|
||||
]);
|
||||
}
|
||||
}
|
||||
75
DysonNetwork.Insight/Thought/ThoughtService.cs
Normal file
75
DysonNetwork.Insight/Thought/ThoughtService.cs
Normal file
@@ -0,0 +1,75 @@
|
||||
using DysonNetwork.Shared.Cache;
|
||||
using DysonNetwork.Shared.Models;
|
||||
using Microsoft.EntityFrameworkCore;
|
||||
|
||||
namespace DysonNetwork.Insight.Thought;
|
||||
|
||||
public class ThoughtService(AppDatabase db, ICacheService cache)
|
||||
{
|
||||
public async Task<SnThinkingSequence?> GetOrCreateSequenceAsync(Guid accountId, Guid? sequenceId, string? topic = null)
|
||||
{
|
||||
if (sequenceId.HasValue)
|
||||
{
|
||||
var seq = await db.ThinkingSequences.FindAsync(sequenceId.Value);
|
||||
if (seq == null || seq.AccountId != accountId) return null;
|
||||
return seq;
|
||||
}
|
||||
else
|
||||
{
|
||||
var seq = new SnThinkingSequence { AccountId = accountId, Topic = topic };
|
||||
db.ThinkingSequences.Add(seq);
|
||||
await db.SaveChangesAsync();
|
||||
return seq;
|
||||
}
|
||||
}
|
||||
|
||||
public async Task<SnThinkingThought> SaveThoughtAsync(SnThinkingSequence sequence, string content, ThinkingThoughtRole role)
|
||||
{
|
||||
var thought = new SnThinkingThought
|
||||
{
|
||||
SequenceId = sequence.Id,
|
||||
Content = content,
|
||||
Role = role
|
||||
};
|
||||
db.ThinkingThoughts.Add(thought);
|
||||
await db.SaveChangesAsync();
|
||||
|
||||
// Invalidate cache for this sequence's thoughts
|
||||
await cache.RemoveGroupAsync($"sequence:{sequence.Id}");
|
||||
|
||||
return thought;
|
||||
}
|
||||
|
||||
public async Task<List<SnThinkingThought>> GetPreviousThoughtsAsync(SnThinkingSequence sequence)
|
||||
{
|
||||
var cacheKey = $"thoughts:{sequence.Id}";
|
||||
var (found, cachedThoughts) = await cache.GetAsyncWithStatus<List<SnThinkingThought>>(cacheKey);
|
||||
if (found && cachedThoughts != null)
|
||||
{
|
||||
return cachedThoughts;
|
||||
}
|
||||
|
||||
var thoughts = await db.ThinkingThoughts
|
||||
.Where(t => t.SequenceId == sequence.Id)
|
||||
.OrderBy(t => t.CreatedAt)
|
||||
.ToListAsync();
|
||||
|
||||
// Cache for 10 minutes
|
||||
await cache.SetWithGroupsAsync(cacheKey, thoughts, new[] { $"sequence:{sequence.Id}" }, TimeSpan.FromMinutes(10));
|
||||
|
||||
return thoughts;
|
||||
}
|
||||
|
||||
public async Task<(int total, List<SnThinkingSequence> sequences)> ListSequencesAsync(Guid accountId, int offset, int take)
|
||||
{
|
||||
var query = db.ThinkingSequences.Where(s => s.AccountId == accountId);
|
||||
var totalCount = await query.CountAsync();
|
||||
var sequences = await query
|
||||
.OrderByDescending(s => s.CreatedAt)
|
||||
.Skip(offset)
|
||||
.Take(take)
|
||||
.ToListAsync();
|
||||
|
||||
return (totalCount, sequences);
|
||||
}
|
||||
}
|
||||
Reference in New Issue
Block a user