Mar 10 2025
public class OllamaEmbeddingGenerator(Uri ollamaUrl, string modelId = "mistral") : IEmbeddingGenerator
{
private readonly HttpClient _httpClient = new();
private readonly Uri _ollamaUrl = ollamaUrl;
private readonly string _modelId = modelId;
public async Task<float[]> GenerateEmbeddingAsync(string text)
{
var requestBody = new { model = _modelId, prompt = text };
var response = await _httpClient.PostAsync(
new Uri(_ollamaUrl, "/api/embeddings"),
new StringContent(JsonSerializer.Serialize(requestBody), Encoding.UTF8, "application/json"));
if (!response.IsSuccessStatusCode)
{
throw new Exception($"Ollama API error: {await response.Content.ReadAsStringAsync()}");
}
var responseJson = await response.Content.ReadAsStringAsync();
Console.WriteLine("Ollama Response: " + responseJson);
var serializationOptions = new JsonSerializerOptions { PropertyNameCaseInsensitive = true };
var embeddingResponse = JsonSerializer.Deserialize<OllamaEmbeddingResponse>(responseJson, serializationOptions);
if (embeddingResponse?.Embedding == null || embeddingResponse.Embedding.Length == 0)
{
throw new Exception("Failed to generate embedding.");
}
return embeddingResponse.Embedding;
}
}
public interface IEmbeddingGenerator
{
Task<float[]> GenerateEmbeddingAsync(string text);
}
public class OllamaEmbeddingResponse
{
[JsonPropertyName("embedding")]
public float[] Embedding { get; set; } = [];
}
public class TextRepository(string connectionString, IEmbeddingGenerator embeddingGenerator)
{
private readonly string _connectionString = connectionString;
private readonly IEmbeddingGenerator _embeddingGenerator = embeddingGenerator;
public async Task StoreTextAsync(string content)
{
var embedding = await _embeddingGenerator.GenerateEmbeddingAsync(content);
using var conn = new NpgsqlConnection(_connectionString);
await conn.OpenAsync();
string query = "INSERT INTO text_contexts (content, embedding) VALUES (@content, @embedding)";
using var cmd = new NpgsqlCommand(query, conn);
cmd.Parameters.AddWithValue("content", content);
cmd.Parameters.AddWithValue("embedding", embedding);
await cmd.ExecuteNonQueryAsync();
}
public async Task<List<string>> RetrieveRelevantText(string query)
{
var queryEmbedding = await _embeddingGenerator.GenerateEmbeddingAsync(query);
using var conn = new NpgsqlConnection(_connectionString);
await conn.OpenAsync();
string querySql = @" SELECT content FROM text_contexts WHERE embedding <-> CAST(@queryEmbedding AS vector) > 0.7 ORDER BY embedding <-> CAST(@queryEmbedding AS vector) LIMIT 5";
using var cmd = new NpgsqlCommand(querySql, conn);
string embeddingString = $"[{string.Join(",", queryEmbedding.Select(v => v.ToString("G", CultureInfo.InvariantCulture)))}]";
cmd.Parameters.AddWithValue("queryEmbedding", embeddingString);
return results.Any() ? results : new List<string> { "No relevant context found." };
}
}
public class TextContext
{
public int Id { get; set; }
public string Content { get; set; } = string.Empty;
public float[] Embedding { get; set; } = [];
}
public class RagService(TextRepository retriever, Uri ollamaUrl, string modelId = "mistral")
{
private readonly TextRepository _textRepository = retriever;
private readonly HttpClient _httpClient = new();
private readonly Uri _ollamaUrl = ollamaUrl;
private readonly string _modelId = modelId;
public async Task<object> GetAnswerAsync(string query)
{
// Retrieve multiple relevant texts
List<string> contexts = await _textRepository.RetrieveRelevantText(query);
// Combine multiple contexts into one string
string combinedContext = string.Join("\n\n---\n\n", contexts);
// If no relevant context is found, return a strict message
if (contexts.Count == 1 && contexts[0] == "No relevant context found.")
{
return new
{
Context = "No relevant data found in the database.",
Response = "I don't know."
};
}
var requestBody = new
{
model = _modelId,
prompt = $"""
You are a strict AI assistant. You MUST answer ONLY using the provided context.
If the answer is not in the context, respond with "I don't know. No relevant data found."
Context:
{combinedContext}
Question: {query}
""",
stream = false
};
var response = await _httpClient.PostAsync(
new Uri(_ollamaUrl, "/api/generate"),
new StringContent(JsonSerializer.Serialize(requestBody), Encoding.UTF8, "application/json"));
if (!response.IsSuccessStatusCode)
{
return new
{
Context = combinedContext,
Response = "Error: Unable to generate response."
};
}
var responseJson = await response.Content.ReadAsStringAsync();
var serializationOptions = new JsonSerializerOptions { PropertyNameCaseInsensitive = true };
var completionResponse = JsonSerializer.Deserialize<OllamaCompletionResponse>(responseJson, serializationOptions);
return new
{
Context = combinedContext,
Response = completionResponse?.Response ?? "I don't know. No relevant data found."
};
}
}
public class Program
{
public static void Main(string[] args)
{
var builder = WebApplication.CreateBuilder(args);
var configuration = builder.Configuration;
// Load settings from appsettings.json
var connectionString = configuration.GetConnectionString("PostgreSQL");
if (string.IsNullOrEmpty(connectionString))
{
throw new InvalidOperationException("Required configuration settings are missing.");
}
// Register services
builder.Services.AddSingleton(sp =>
new OllamaEmbeddingGenerator(new Uri("http://127.0.0.1:11434"), "mistral"));
builder.Services.AddSingleton(sp =>
new TextRepository(connectionString, sp.GetRequiredService<IEmbeddingGenerator>()));
builder.Services.AddSingleton(sp =>
new RagService(sp.GetRequiredService<TextRepository>(), new Uri("http://127.0.0.1:11434"), "mistral"));
var app = builder.Build();
// Minimal API endpoints
app.MapPost("/add-text", async (TextRepository textRepository, HttpContext context) =>
{
var request = await context.Request.ReadFromJsonAsync<AddTextRequest>();
if (string.IsNullOrWhiteSpace(request?.Content))
{
return Results.BadRequest("Content is required.");
}
});
app.Run();
}
}
1. Design Patterns that Deliver
This isn’t just another design patterns book. Dive into real-world examples and practical solutions to real problems in real applications.Check out it here.
Go-to resource for understanding the core concepts of design patterns without the overwhelming complexity. In this concise and affordable ebook, I've distilled the essence of design patterns into an easy-to-digest format. It is a Beginner level. Check out it here.
Every Monday morning, I share 1 actionable tip on C#, .NET & Arcitecture topic, that you can use right away.
Join 15,250+ subscribers to improve your .NET Knowledge.
Subscribe to the TheCodeMan.net and be among the 15,250+ subscribers gaining practical tips and resources to enhance your .NET expertise.