LlmTornado 3.8.1

Prefix Reserved
There is a newer version of this package available.
See the version list below for details.
dotnet add package LlmTornado --version 3.8.1
                    
NuGet\Install-Package LlmTornado -Version 3.8.1
                    
This command is intended to be used within the Package Manager Console in Visual Studio, as it uses the NuGet module's version of Install-Package.
<PackageReference Include="LlmTornado" Version="3.8.1" />
                    
For projects that support PackageReference, copy this XML node into the project file to reference the package.
<PackageVersion Include="LlmTornado" Version="3.8.1" />
                    
Directory.Packages.props
<PackageReference Include="LlmTornado" />
                    
Project file
For projects that support Central Package Management (CPM), copy this XML node into the solution Directory.Packages.props file to version the package.
paket add LlmTornado --version 3.8.1
                    
#r "nuget: LlmTornado, 3.8.1"
                    
#r directive can be used in F# Interactive and Polyglot Notebooks. Copy this into the interactive tool or source code of the script to reference the package.
#:package LlmTornado@3.8.1
                    
#:package directive can be used in C# file-based apps starting in .NET 10 preview 4. Copy this into a .cs file before any lines of code to reference the package.
#addin nuget:?package=LlmTornado&version=3.8.1
                    
Install as a Cake Addin
#tool nuget:?package=LlmTornado&version=3.8.1
                    
Install as a Cake Tool

LlmTornado LlmTornado.Agents LlmTornado.Mcp LlmTornado.Contrib

🌪️ LLM Tornado

Build AI agents and multi-agent systems in minutes with one toolkit and the broadest Provider support.

Key Features:

  • Use Any Provider: All you need to know is the model's name; we handle the rest. Built-in: Anthropic, Azure, Cohere, DeepInfra, DeepSeek, Google, Groq, Mistral, MoonshotAI, OpenAI, OpenRouter, Perplexity, Voyage, xAI, Z.ai. Check the full Feature Matrix here.
  • First-class Local Deployments: Run with vLLM, Ollama, or LocalAI with integrated support for request transformations.
  • Multi-Agent Systems: Toolkit for the orchestration of multiple collaborating specialist agents.
  • Rapid Development: Write workflows once, execute with any provider. Non-standard features from all major Providers are carefully mapped, documented, and ready to use via strongly-typed code.
  • Fully Multimodal: Text, images, videos, documents, URLs, and audio inputs are supported.
  • Cutting Edge Protocols:
    • MCP: Connect agents to data sources, tools, and workflows via Model Context Protocol with LlmTornado.Mcp.
    • A2A: Enable seamless collaboration between AI agents across different platforms with LlmTornado.A2A.
  • Integrated: Built-in support for Microsoft.Extensions.AI enables plugging Tornado in Semantic Kernel applications, granting instant access to 100+ Cloud Providers with LlmTornado.Microsoft.Extensions.AI.
  • Enterprise Proven: Preview any request before committing to it. Automatic redaction of secrets in outputs. Stable APIs.

⭐ You Can Easily:

... and a lot more! Now, instead of relying on one LLM provider, you can combine the unique strengths of many.

⚡Getting Started

Install LLM Tornado via NuGet:

dotnet add package LlmTornado

Optional addons:

dotnet add package LlmTornado.Agents # Agentic framework, higher-level abstractions
dotnet add package LlmTornado.Mcp # Model Context Protocol (MCP) integration
dotnet add package LlmTornado.A2A # Agent2Agent (A2A) integration
dotnet add package LlmTornado.Microsoft.Extensions.AI # Semantic Kernel interoperability
dotnet add package LlmTornado.Contrib # productivity, quality of life enhancements

🪄 Quick Inference

Inferencing across multiple providers is as easy as changing the ChatModel argument. Tornado instance can be constructed with multiple API keys, the correct key is then used based on the model automatically:

TornadoApi api = new TornadoApi([
    // note: delete lines with providers you won't be using
    new (LLmProviders.OpenAi, "OPEN_AI_KEY"),
    new (LLmProviders.Anthropic, "ANTHROPIC_KEY"),
    new (LLmProviders.Cohere, "COHERE_KEY"),
    new (LLmProviders.Google, "GOOGLE_KEY"),
    new (LLmProviders.Groq, "GROQ_KEY"),
    new (LLmProviders.DeepSeek, "DEEP_SEEK_KEY"),
    new (LLmProviders.Mistral, "MISTRAL_KEY"),
    new (LLmProviders.XAi, "XAI_KEY"),
    new (LLmProviders.Perplexity, "PERPLEXITY_KEY"),
    new (LLmProviders.Voyage, "VOYAGE_KEY"),
    new (LLmProviders.DeepInfra, "DEEP_INFRA_KEY"),
    new (LLmProviders.OpenRouter, "OPEN_ROUTER_KEY")
]);

// this sample iterates a bunch of models, gives each the same task, and prints results.
List<ChatModel> models = [
    ChatModel.OpenAi.O3.Mini, ChatModel.Anthropic.Claude37.Sonnet,
    ChatModel.Cohere.Command.RPlus, ChatModel.Google.Gemini.Gemini2Flash001,
    ChatModel.Groq.Meta.Llama370B, ChatModel.DeepSeek.Models.Chat,
    ChatModel.Mistral.Premier.MistralLarge, ChatModel.XAi.Grok.Grok2241212,
    ChatModel.Perplexity.Sonar.Default
];

foreach (ChatModel model in models)
{
    string? response = await api.Chat.CreateConversation(model)
        .AppendSystemMessage("You are a fortune teller.")
        .AppendUserInput("What will my future bring?")
        .GetResponse();

    Console.WriteLine(response);
}

💡 Instead of passing in a strongly typed model, you can pass a string instead: await api.Chat.CreateConversation("gpt-4o"), Tornado will automatically resolve the provider.

❄️ Vendor Extensions

Tornado has a powerful concept of VendorExtensions which can be applied to various endpoints and are strongly typed. Many Providers offer unique/niche APIs, often enabling use cases otherwise unavailable. For example, let's set a reasoning budget for Anthropic's Claude 3.7:

public static async Task AnthropicSonnet37Thinking()
{
    Conversation chat = Program.Connect(LLmProviders.Anthropic).Chat.CreateConversation(new ChatRequest
    {
        Model = ChatModel.Anthropic.Claude37.Sonnet,
        VendorExtensions = new ChatRequestVendorExtensions(new ChatRequestVendorAnthropicExtensions
        {
            Thinking = new AnthropicThinkingSettings
            {
                BudgetTokens = 2_000,
                Enabled = true
            }
        })
    });
    
    chat.AppendUserInput("Explain how to solve differential equations.");

    ChatRichResponse blocks = await chat.GetResponseRich();

    if (blocks.Blocks is not null)
    {
        foreach (ChatRichResponseBlock reasoning in blocks.Blocks.Where(x => x.Type is ChatRichResponseBlockTypes.Reasoning))
        {
            Console.ForegroundColor = ConsoleColor.DarkGray;
            Console.WriteLine(reasoning.Reasoning?.Content);
            Console.ResetColor();
        }

        foreach (ChatRichResponseBlock reasoning in blocks.Blocks.Where(x => x.Type is ChatRichResponseBlockTypes.Message))
        {
            Console.WriteLine(reasoning.Message);
        }
    }
}

🔮 Self-Hosted/Custom Providers

Instead of consuming commercial APIs, one can easily roll their inference servers with a plethora of available tools. Here is a simple demo for streaming response with Ollama, but the same approach can be used for any custom provider:

public static async Task OllamaStreaming()
{
    TornadoApi api = new TornadoApi(new Uri("http://localhost:11434")); // default Ollama port, API key can be passed in the second argument if needed
    
    await api.Chat.CreateConversation(new ChatModel("falcon3:1b")) // <-- replace with your model
        .AppendUserInput("Why is the sky blue?")
        .StreamResponse(Console.Write);
}

If you need more control over requests, for example, custom headers, you can create an instance of a built-in Provider. This is useful for custom deployments like Amazon Bedrock, Vertex AI, etc.

TornadoApi tornadoApi = new TornadoApi(new AnthropicEndpointProvider
{
    Auth = new ProviderAuthentication("ANTHROPIC_API_KEY"),
    // {0} = endpoint, {1} = action, {2} = model's name
    UrlResolver = (endpoint, url, ctx) => "https://api.anthropic.com/v1/{0}{1}",
    RequestResolver = (request, data, streaming) =>
    {
        // by default, providing a custom request resolver omits beta headers
        // request is HttpRequestMessage, data contains the payload
    },
    RequestSerializer = (data, ctx) =>
    {
       // data is JObject, which can be modified before
       // being serialized into a string.
    }
});

https://github.com/user-attachments/assets/de62f0fe-93e0-448c-81d0-8ab7447ad780

🔎 Advanced Inference

Streaming

Tornado offers three levels of abstraction, trading more details for more complexity. The simple use cases where only plaintext is needed can be represented in a terse format:

await api.Chat.CreateConversation(ChatModel.Anthropic.Claude3.Sonnet)
    .AppendSystemMessage("You are a fortune teller.")
    .AppendUserInput("What will my future bring?")
    .StreamResponse(Console.Write);

The levels of abstraction are:

  • Response (string for chat, float[] for embeddings, etc.)
  • ResponseRich (tools, modalities, metadata such as usage)
  • ResponseRichSafe (same as level 2, guaranteed not to throw on network level, for example, if the provider returns an internal error or doesn't respond at all)

Streaming with Rich content (tools, images, audio..)

When plaintext is insufficient, switch to StreamResponseRich or GetResponseRich() APIs. Tools requested by the model can be resolved later and never returned to the model. This is useful in scenarios where we use the tools without intending to continue the conversation:

//Ask the model to generate two images, and stream the result:
public static async Task GoogleStreamImages()
{
    Conversation chat = api.Chat.CreateConversation(new ChatRequest
    {
        Model = ChatModel.Google.GeminiExperimental.Gemini2FlashImageGeneration,
        Modalities = [ ChatModelModalities.Text, ChatModelModalities.Image ]
    });
    
    chat.AppendUserInput([
        new ChatMessagePart("Generate two images: a lion and a squirrel")
    ]);
    
    await chat.StreamResponseRich(new ChatStreamEventHandler
    {
        MessagePartHandler = async (part) =>
        {
            if (part.Text is not null)
            {
                Console.Write(part.Text);
                return;
            }

            if (part.Image is not null)
            {
                // In our tests this executes Chafa to turn the raw base64 data into Sixels
                await DisplayImage(part.Image.Url);
            }
        },
        BlockFinishedHandler = (block) =>
        {
            Console.WriteLine();
            return ValueTask.CompletedTask;
        },
        OnUsageReceived = (usage) =>
        {
            Console.WriteLine();
            Console.WriteLine(usage);
            return ValueTask.CompletedTask;
        }
    });
}

Tools with immediate resolve

Tools requested by the model can be resolved and the results returned immediately. This has the benefit of automatically continuing the conversation:

Conversation chat = api.Chat.CreateConversation(new ChatRequest
{
    Model = ChatModel.OpenAi.Gpt4.O,
    Tools =
    [
        new Tool(new ToolFunction("get_weather", "gets the current weather", new
        {
            type = "object",
            properties = new
            {
                location = new
                {
                    type = "string",
                    description = "The location for which the weather information is required."
                }
            },
            required = new List<string> { "location" }
        }))
    ]
})
.AppendSystemMessage("You are a helpful assistant")
.AppendUserInput("What is the weather like today in Prague?");

ChatStreamEventHandler handler = new ChatStreamEventHandler
{
  MessageTokenHandler = (x) =>
  {
      Console.Write(x);
      return Task.CompletedTask;
  },
  FunctionCallHandler = (calls) =>
  {
      calls.ForEach(x => x.Result = new FunctionResult(x, "A mild rain is expected around noon.", null));
      return Task.CompletedTask;
  },
  AfterFunctionCallsResolvedHandler = async (results, handler) => { await chat.StreamResponseRich(handler); }
};

await chat.StreamResponseRich(handler);

Tools with deferred resolve

Instead of resolving the tool call, we can postpone/quit the conversation. This is useful for extractive tasks, where we care only for the tool call:

Conversation chat = api.Chat.CreateConversation(new ChatRequest
{
    Model = ChatModel.OpenAi.Gpt4.Turbo,
    Tools = new List<Tool>
    {
        new Tool
        {
            Function = new ToolFunction("get_weather", "gets the current weather")
        }
    },
    ToolChoice = new OutboundToolChoice(OutboundToolChoiceModes.Required)
});

chat.AppendUserInput("Who are you?"); // user asks something unrelated, but we force the model to use the tool
ChatRichResponse response = await chat.GetResponseRich(); // the response contains one block of type Function

GetResponseRichSafe() API is also available, which is guaranteed not to throw on the network level. The response is wrapped in a network-level wrapper, containing additional information. For production use cases, either use try {} catch {} on all the HTTP request-producing Tornado APIs, or use the safe APIs.

🌐 MCP

To use the Model Context Protocol, install the LlmTornado.Mcp adapter. After that, new interop methods will become available on the ModelContextProtocol types. The following example uses the GetForecast tool defined on an example MCP server:

[McpServerToolType]
public sealed class WeatherTools
{
    [McpServerTool, Description("Get weather forecast for a location.")]
    public static async Task<string> GetForecast(
        HttpClient client,
        [Description("Latitude of the location.")] double latitude,
        [Description("Longitude of the location.")] double longitude)
    {
        var pointUrl = string.Create(CultureInfo.InvariantCulture, $"/points/{latitude},{longitude}");
        using var jsonDocument = await client.ReadJsonDocumentAsync(pointUrl);
        var forecastUrl = jsonDocument.RootElement.GetProperty("properties").GetProperty("forecast").GetString()
            ?? throw new Exception($"No forecast URL provided by {client.BaseAddress}points/{latitude},{longitude}");

        using var forecastDocument = await client.ReadJsonDocumentAsync(forecastUrl);
        var periods = forecastDocument.RootElement.GetProperty("properties").GetProperty("periods").EnumerateArray();

        return string.Join("\n---\n", periods.Select(period => $"""
                {period.GetProperty("name").GetString()}
                Temperature: {period.GetProperty("temperature").GetInt32()}°F
                Wind: {period.GetProperty("windSpeed").GetString()} {period.GetProperty("windDirection").GetString()}
                Forecast: {period.GetProperty("detailedForecast").GetString()}
                """));
    }
}

The following is done by the client:

// your clientTransport, for example StdioClientTransport
await using IMcpClient mcpClient = await McpClientFactory.CreateAsync(clientTransport);

// 1. fetch tools
List<Tool> tools = await mcpClient.ListTornadoToolsAsync();

// 2. create a conversation, pass available tools
TornadoApi api = new TornadoApi(LLmProviders.OpenAi, apiKeys.OpenAi);
Conversation conversation = api.Chat.CreateConversation(new ChatRequest
{
    Model = ChatModel.OpenAi.Gpt41.V41,
    Tools = tools,
    // force any of the available tools to be used (use new OutboundToolChoice("toolName") to specify which if needed)
    ToolChoice = OutboundToolChoice.Required
});

// 3. let the model call the tool and infer arguments
await conversation
    .AddSystemMessage("You are a helpful assistant")
    .AddUserMessage("What is the weather like in Dallas?")
    .GetResponseRich(async calls =>
    {
        foreach (FunctionCall call in calls)
        {
            // retrieve arguments inferred by the model
            double latitude = call.GetOrDefault<double>("latitude");
            double longitude = call.GetOrDefault<double>("longitude");
            
            // call the tool on the MCP server, pass args
            await call.ResolveRemote(new
            {
                latitude = latitude,
                longitude = longitude
            });

            // extract the tool result and pass it back to the model
            if (call.Result?.RemoteContent is McpContent mcpContent)
            {
                foreach (IMcpContentBlock block in mcpContent.McpContentBlocks)
                {
                    if (block is McpContentBlockText textBlock)
                    {
                        call.Result.Content = textBlock.Text;
                    }
                }
            }
        }
    });

// stop forcing the client to call the tool
conversation.RequestParameters.ToolChoice = null;

// 4. stream final response
await conversation.StreamResponse(Console.Write);

A complete example is available here: client, server.

🧰 Toolkit

Tornado includes powerful abstractions in the LlmTornado.Toolkit package, allowing rapid development of applications, while avoiding many design pitfalls. Scalability and tuning-friendly code design are at the core of these abstractions.

ToolkitChat

ToolkitChat is a primitive for graph-based workflows, where edges move data and nodes execute functions. ToolkitChat supports streaming, rich responses, and chaining tool calls. Tool calls are provided via ChatFunction or ChatPlugin (an envelope with multiple tools). Many overloads accept a primary and a secondary model acting as a backup, this zig-zag strategy overcomes temporary downtime in APIs better than simple retrying of the same model. All tool calls are strongly typed and strict by default. For providers, where a strict JSON schema is not supported (Anthropic, for example), prefill with { is used as a fallback. Call can be marked as non-strict by simply changing a parameter.

class DemoAggregatedItem
{
    public string Name { get; set; }
    public string KnownName { get; set; }
    public int Quantity { get; set; }
}

string sysPrompt = "aggregate items by type";
string userPrompt = "three apples, one cherry, two apples, one orange, one orange";

await ToolkitChat.GetSingleResponse(Program.Connect(), ChatModel.Google.Gemini.Gemini25Flash, ChatModel.OpenAi.Gpt41.V41Mini, sysPrompt, new ChatFunction([
    new ToolParam("items", new ToolParamList("aggregated items", [
        new ToolParam("name", "name of the item", ToolParamAtomicTypes.String),
        new ToolParam("quantity", "aggregated quantity", ToolParamAtomicTypes.Int),
        new ToolParam("known_name", new ToolParamEnum("known name of the item", [ "apple", "cherry", "orange", "other" ]))
    ]))
], async (args, ctx) =>
{
    if (!args.ParamTryGet("items", out List<DemoAggregatedItem>? items) || items is null)
    {
        return new ChatFunctionCallResult(ChatFunctionCallResultParameterErrors.MissingRequiredParameter, "items");
    }
    
    Console.WriteLine("Aggregated items:");

    foreach (DemoAggregatedItem item in items)
    {
        Console.WriteLine($"{item.Name}: {item.Quantity}");
    }
    
    return new ChatFunctionCallResult();
}), userPrompt); // temp defaults to 0, output length to 8k

/*
Aggregated items:
apple: 5
cherry: 1
orange: 2
*/

👉 Why Tornado?

  • 50,000+ installs on NuGet (previous names Lofcz.Forks.OpenAI, OpenAiNg, currently LlmTornado).
  • Used in award-winning commercial projects, processing > 100B tokens monthly.
  • Covered by 250+ tests.
  • Great performance.
  • The license will never change.

📢 Built With Tornado

  • ScioBot - AI For Educators, 100k+ users.
  • ProseFlow - Your universal AI text processor, powered by local and cloud LLMs. Edit, refactor, and transform text in any application on Windows, macOS, and Linux.
  • NotT3Chat - The C# Answer to the T3 Stack.
  • ClaudeCodeProxy - Provider multiplexing proxy.
  • Semantic Search - AI semantic search where a query is matched by context and meaning.

Have you built something with Tornado? Let us know about it in the issues to get a spotlight!

🤝 Partners

<a href="https://www.scio.cz/prace-u-nas" target="_blank"> <figure> <img alt="Scio" width="300" alt="image" src="https://github.com/user-attachments/assets/6a5aa9b3-af8b-4194-8dbe-c3add79763e7" /> </figure> </a>

📚 Contributing

PRs are welcome! We are accepting new Provider implementations, contributions towards a 100 % green Feature Matrix, and, after public discussion, new abstractions.

License

This library is licensed under the MIT license. 💜

Product Compatible and additional computed target framework versions.
.NET net5.0 was computed.  net5.0-windows was computed.  net6.0 was computed.  net6.0-android was computed.  net6.0-ios was computed.  net6.0-maccatalyst was computed.  net6.0-macos was computed.  net6.0-tvos was computed.  net6.0-windows was computed.  net7.0 was computed.  net7.0-android was computed.  net7.0-ios was computed.  net7.0-maccatalyst was computed.  net7.0-macos was computed.  net7.0-tvos was computed.  net7.0-windows was computed.  net8.0 is compatible.  net8.0-android was computed.  net8.0-browser was computed.  net8.0-ios was computed.  net8.0-maccatalyst was computed.  net8.0-macos was computed.  net8.0-tvos was computed.  net8.0-windows was computed.  net9.0 was computed.  net9.0-android was computed.  net9.0-browser was computed.  net9.0-ios was computed.  net9.0-maccatalyst was computed.  net9.0-macos was computed.  net9.0-tvos was computed.  net9.0-windows was computed.  net10.0 was computed.  net10.0-android was computed.  net10.0-browser was computed.  net10.0-ios was computed.  net10.0-maccatalyst was computed.  net10.0-macos was computed.  net10.0-tvos was computed.  net10.0-windows was computed. 
.NET Core netcoreapp2.0 was computed.  netcoreapp2.1 was computed.  netcoreapp2.2 was computed.  netcoreapp3.0 was computed.  netcoreapp3.1 was computed. 
.NET Standard netstandard2.0 is compatible.  netstandard2.1 was computed. 
.NET Framework net461 was computed.  net462 is compatible.  net463 was computed.  net47 was computed.  net471 was computed.  net472 was computed.  net48 was computed.  net481 was computed. 
MonoAndroid monoandroid was computed. 
MonoMac monomac was computed. 
MonoTouch monotouch was computed. 
Tizen tizen40 was computed.  tizen60 was computed. 
Xamarin.iOS xamarinios was computed. 
Xamarin.Mac xamarinmac was computed. 
Xamarin.TVOS xamarintvos was computed. 
Xamarin.WatchOS xamarinwatchos was computed. 
Compatible target framework(s)
Included target framework(s) (in package)
Learn more about Target Frameworks and .NET Standard.

NuGet packages (12)

Showing the top 5 NuGet packages that depend on LlmTornado:

Package Downloads
LlmTornado.Toolkit

Package Description

LlmTornado.Contrib

Provides extra functionality to LlmTornado.

LombdaAiAgents

LombdaAgentSDK is a lightweight C# SDK designed to create and run modular "agents" that can execute tasks, manage state, and communicate with your custom infrastructure. Inspired by modern AI/automation agent patterns, it provides a framework for orchestrating workflows and modular logic with minimal overhead.

LlmTornado.Mcp

Package Description

LlmTornado.Internal.OpenRouter

Package Description

GitHub repositories

This package is not used by any popular GitHub repositories.

Version Downloads Last Updated
3.8.10 0 10/24/2025
3.8.9 234 10/19/2025
3.8.8 279 10/19/2025
3.8.7 221 10/17/2025
3.8.6 475 10/15/2025
3.8.5 272 10/14/2025
3.8.4 309 10/13/2025
3.8.3 306 10/13/2025
3.8.2 275 10/12/2025
3.8.1 215 10/12/2025
3.8.0 420 10/8/2025
3.7.47 184 10/7/2025
3.7.46 191 10/7/2025
3.7.45 331 10/2/2025
3.7.44 1,474 9/30/2025
3.7.43 296 9/25/2025
3.7.42 664 9/23/2025
3.7.41 285 9/20/2025
3.7.40 545 9/18/2025
3.7.39 328 9/17/2025
3.7.38 414 9/10/2025
3.7.37 275 9/10/2025
3.7.36 1,489 9/4/2025
3.7.35 305 9/2/2025
3.7.34 1,304 8/31/2025
3.7.33 310 8/28/2025
3.7.32 312 8/28/2025
3.7.31 427 8/22/2025
3.7.30 270 8/18/2025
3.7.29 355 8/17/2025
3.7.28 280 8/16/2025
3.7.27 2,372 8/8/2025
3.7.26 370 8/8/2025
3.7.25 344 8/6/2025
3.7.24 308 8/6/2025
3.7.23 332 8/6/2025
3.7.22 307 8/4/2025
3.7.21 309 7/31/2025
3.7.20 192 7/30/2025
3.7.19 207 7/30/2025
3.7.18 203 7/28/2025
3.7.17 207 7/27/2025
3.7.16 207 7/27/2025
3.7.15 203 7/27/2025
3.7.14 265 7/26/2025
3.7.13 712 7/22/2025
3.7.12 725 7/21/2025
3.7.10 610 7/21/2025
3.7.9 375 7/19/2025
3.7.8 192 7/19/2025
3.7.7 882 7/17/2025
3.7.6 268 7/16/2025
3.7.5 366 7/15/2025
3.7.4 390 7/14/2025
3.7.3 334 7/13/2025
3.7.2 441 7/11/2025
3.7.1 318 7/7/2025
3.7.0 617 7/7/2025
3.6.2 385 7/6/2025
3.6.1 549 7/1/2025
3.6.0 491 6/28/2025
3.5.26 265 6/28/2025
3.5.25 193 6/27/2025
3.5.24 309 6/26/2025
3.5.23 307 6/25/2025
3.5.22 310 6/24/2025
3.5.21 1,305 6/20/2025
3.5.20 272 6/19/2025
3.5.19 308 6/18/2025
3.5.18 377 6/16/2025
3.5.17 187 6/15/2025
3.5.16 168 6/15/2025
3.5.15 202 6/15/2025
3.5.14 474 6/11/2025
3.5.13 558 6/10/2025
3.5.12 177 6/6/2025
3.5.11 119 6/6/2025
3.5.10 161 6/6/2025
3.5.9 152 6/6/2025
3.5.8 203 6/4/2025
3.5.7 212 6/2/2025
3.5.6 221 6/2/2025
3.5.5 197 5/31/2025
3.5.4 574 5/23/2025
3.5.3 199 5/22/2025
3.5.2 222 5/21/2025
3.5.1 548 5/13/2025
3.5.0 972 5/9/2025
3.4.22 559 5/8/2025
3.4.21 203 5/6/2025
3.4.20 300 4/28/2025
3.4.19 289 4/24/2025
3.4.18 253 4/23/2025
3.4.17 370 4/19/2025
3.4.16 159 4/19/2025
3.4.15 251 4/16/2025
3.4.14 257 4/16/2025
3.4.13 227 4/16/2025
3.4.12 308 4/15/2025
3.4.11 244 4/13/2025
3.4.10 225 4/10/2025
3.4.9 158 4/5/2025
3.4.8 4,712 3/27/2025
3.4.7 8,044 3/21/2025
3.4.6 177 3/21/2025
3.4.5 201 3/20/2025
3.4.4 603 3/17/2025
3.4.3 194 3/15/2025
3.4.2 115 3/15/2025
3.4.1 94 3/15/2025
3.4.0 117 3/15/2025
3.3.2 429 3/9/2025
3.3.1 344 3/7/2025
3.3.0 286 3/2/2025
3.2.8 151 2/28/2025
3.2.7 165 2/26/2025
3.2.6 1,254 2/25/2025
3.2.5 179 2/20/2025
3.2.4 171 2/17/2025
3.2.3 578 2/10/2025
3.2.2 256 2/7/2025
3.2.1 126 2/6/2025
3.2.0 144 2/4/2025
3.1.35 140 2/2/2025
3.1.34 137 1/31/2025
3.1.33 217 1/24/2025
3.1.32 149 1/23/2025
3.1.31 203 1/22/2025
3.1.30 166 1/17/2025
3.1.29 209 12/19/2024
3.1.28 146 12/19/2024
3.1.27 215 12/14/2024
3.1.26 516 11/22/2024
3.1.25 128 11/22/2024
3.1.24 149 11/21/2024
3.1.23 140 11/20/2024
3.1.22 164 11/20/2024
3.1.21 169 11/18/2024
3.1.20 170 11/18/2024
3.1.19 165 11/17/2024
3.1.18 149 11/16/2024
3.1.17 208 11/5/2024
3.1.16 156 11/4/2024
3.1.15 279 10/22/2024
3.1.14 407 9/14/2024
3.1.13 215 9/1/2024
3.1.12 226 8/20/2024
3.1.11 179 8/18/2024
3.1.10 175 8/6/2024
3.1.9 160 8/6/2024
3.1.8 167 7/24/2024
3.1.7 119 7/24/2024
3.1.6 124 7/23/2024
3.1.5 187 7/19/2024
3.1.4 175 7/19/2024
3.1.3 214 6/23/2024
3.1.2 182 6/15/2024
3.1.1 166 6/15/2024
3.1.0 164 6/15/2024
3.0.17 148 6/8/2024
3.0.16 135 6/8/2024
3.0.15 208 5/21/2024
3.0.14 185 5/21/2024
3.0.13 171 5/20/2024
3.0.11 185 5/18/2024
3.0.10 174 5/15/2024
3.0.9 196 5/15/2024
3.0.8 176 5/9/2024
3.0.7 205 5/5/2024
3.0.6 147 5/2/2024
3.0.5 170 5/1/2024
3.0.4 184 5/1/2024
3.0.3 160 5/1/2024
3.0.2 159 5/1/2024
3.0.1 185 4/27/2024
3.0.0 183 4/27/2024