diff --git a/src/frontend/config/sidebar/docs.topics.ts b/src/frontend/config/sidebar/docs.topics.ts
index 0d2791c6e..26b80ad52 100644
--- a/src/frontend/config/sidebar/docs.topics.ts
+++ b/src/frontend/config/sidebar/docs.topics.ts
@@ -808,6 +808,30 @@ export const docsTopics: StarlightSidebarTopicsUserConfig = {
ja: '実行可能リソース',
},
},
+ {
+ label: 'Console and worker apps',
+ slug: 'app-host/console-apps',
+ translations: {
+ en: 'Console and worker apps',
+ ja: 'コンソール アプリとワーカー アプリ',
+ },
+ },
+ {
+ label: 'Resource naming',
+ slug: 'app-host/resource-naming',
+ translations: {
+ en: 'Resource naming',
+ ja: 'リソースの名前付け',
+ },
+ },
+ {
+ label: 'CORS configuration',
+ slug: 'app-host/cors-configuration',
+ translations: {
+ en: 'CORS configuration',
+ ja: 'CORS の構成',
+ },
+ },
{
label: 'Migrate from Docker Compose',
translations: {
diff --git a/src/frontend/src/content/docs/app-host/console-apps.mdx b/src/frontend/src/content/docs/app-host/console-apps.mdx
new file mode 100644
index 000000000..3b078315b
--- /dev/null
+++ b/src/frontend/src/content/docs/app-host/console-apps.mdx
@@ -0,0 +1,229 @@
+---
+title: Console and worker apps
+description: Learn how to integrate console applications and background worker services into Aspire, including service discovery, resource references, and interactive console patterns.
+---
+
+import { Aside, Steps, Tabs, TabItem } from '@astrojs/starlight/components';
+import LearnMore from '@components/LearnMore.astro';
+
+Aspire can orchestrate more than just ASP.NET Core web applications. You can add console applications and background worker services to the AppHost, allowing them to participate in service discovery, receive connection strings, and benefit from centralized orchestration alongside the rest of your application.
+
+## Adding a console app to the AppHost
+
+Any .NET project — including console applications and Worker Service projects — can be added to the AppHost using `AddProject`. The project doesn't need to be a web app. For non-.NET apps (Python, Node.js, or arbitrary executables), use `AddExecutable`, `AddPythonApp`, or `AddNodeApp` instead.
+
+
+ For more information on adding non-.NET apps, see [Executable resources](/app-host/executable-resources/), [Python integration](/integrations/frameworks/python/), and [JavaScript integration](/integrations/frameworks/javascript/).
+
+
+```csharp title="C# — AppHost.cs"
+var builder = DistributedApplication.CreateBuilder(args);
+
+var redis = builder.AddRedis("cache");
+
+// Add a console app project to the AppHost
+var processor = builder.AddProject("processor")
+ .WithReference(redis);
+
+builder.Build().Run();
+```
+
+The `processor` project receives the `ConnectionStrings__cache` environment variable at runtime, just like any other project type.
+
+
+
+## Service discovery in console apps
+
+Non-ASP.NET Core console apps can use the same service discovery infrastructure as web apps. Add the appropriate packages and configure them during startup.
+
+
+
+1. Add the required packages to your console app:
+
+ ```xml title="XML — MyConsoleApp.csproj"
+
+ ```
+
+ Or reference the service defaults project from your solution:
+
+ ```xml title="XML — MyConsoleApp.csproj"
+
+ ```
+
+2. Configure the host in your console app's _Program.cs_:
+
+ ```csharp title="C# — Program.cs"
+ using Microsoft.Extensions.Hosting;
+
+ var builder = Host.CreateApplicationBuilder(args);
+
+ // Add service defaults (telemetry, health checks, service discovery)
+ builder.AddServiceDefaults();
+
+ // Register your services
+ builder.Services.AddHttpClient(
+ client => client.BaseAddress = new Uri("https+http://catalog"));
+
+ var app = builder.Build();
+ await app.RunAsync();
+ ```
+
+3. In the AppHost, reference the services this app depends on:
+
+ ```csharp title="C# — AppHost.cs"
+ var builder = DistributedApplication.CreateBuilder(args);
+
+ var catalog = builder.AddProject("catalog");
+
+ var processor = builder.AddProject("processor")
+ .WithReference(catalog)
+ .WaitFor(catalog);
+
+ builder.Build().Run();
+ ```
+
+
+
+The `WithReference(catalog)` call injects service discovery configuration so `processor` can resolve `https+http://catalog` to the running catalog service endpoint.
+
+## Background worker services
+
+Worker Service projects are the recommended pattern for long-running background tasks with Aspire. They use `IHostedService` (or `BackgroundService`) and integrate naturally with the .NET Generic Host.
+
+### Creating a Worker Service
+
+```csharp title="C# — DataProcessor.cs"
+public class DataProcessor : BackgroundService
+{
+ private readonly ILogger _logger;
+ private readonly IServiceProvider _services;
+
+ public DataProcessor(ILogger logger, IServiceProvider services)
+ {
+ _logger = logger;
+ _services = services;
+ }
+
+ protected override async Task ExecuteAsync(CancellationToken stoppingToken)
+ {
+ while (!stoppingToken.IsCancellationRequested)
+ {
+ _logger.LogInformation("Processing data at: {Time}", DateTimeOffset.UtcNow);
+
+ await DoWorkAsync(stoppingToken);
+
+ await Task.Delay(TimeSpan.FromSeconds(10), stoppingToken);
+ }
+ }
+
+ private async Task DoWorkAsync(CancellationToken stoppingToken)
+ {
+ // Your background work here
+ }
+}
+```
+
+```csharp title="C# — Program.cs"
+var builder = Host.CreateApplicationBuilder(args);
+
+builder.AddServiceDefaults();
+
+// Register resource connections
+builder.AddRedisClient("cache");
+
+// Register the background worker
+builder.Services.AddHostedService();
+
+var app = builder.Build();
+await app.RunAsync();
+```
+
+### Adding to the AppHost
+
+```csharp title="C# — AppHost.cs"
+var builder = DistributedApplication.CreateBuilder(args);
+
+var cache = builder.AddRedis("cache");
+var db = builder.AddPostgres("postgres").AddDatabase("app-db");
+
+var worker = builder.AddProject("data-worker")
+ .WithReference(cache)
+ .WithReference(db)
+ .WaitFor(db);
+
+builder.Build().Run();
+```
+
+
+ For more information on the Redis and PostgreSQL hosting integrations, see [Redis integration](/integrations/caching/redis/) and [PostgreSQL integration](/integrations/databases/postgres/postgres-get-started/).
+
+
+## Explicit start and console interaction
+
+By default, all resources start automatically when the AppHost runs. For console apps that require interactive input (reading from stdin), or that should only run on demand, use `WithExplicitStart`.
+
+```csharp title="C# — AppHost.cs"
+var builder = DistributedApplication.CreateBuilder(args);
+
+var interactiveTool = builder.AddProject("tool")
+ .WithExplicitStart();
+
+builder.Build().Run();
+```
+
+With `WithExplicitStart`, the resource appears in the Aspire dashboard but doesn't start automatically. You can start it manually from the dashboard or programmatically.
+
+
+
+## Viewing console output
+
+Aspire captures stdout and stderr from all managed resources and displays them in the dashboard's **Console logs** page. Console apps output is fully visible, including colored text (ANSI escape codes are rendered).
+
+
+ For more information, see [Console logs page](/dashboard/explore/#console-logs-page).
+
+
+For structured logging in console apps, use `ILogger` instead of `Console.Write`:
+
+```csharp title="C# — Program.cs"
+// Prefer structured logging
+logger.LogInformation("Processing item {ItemId}", itemId);
+
+// Instead of
+Console.WriteLine($"Processing item {itemId}");
+```
+
+Structured logs appear in both the **Console** and **Structured logs** tabs of the dashboard, making them easier to search and filter.
+
+## Using connection strings without service defaults
+
+If you can't use the service defaults project (for example, in a minimal console app without a host), you can access connection strings directly from environment variables:
+
+```csharp title="C# — Program.cs"
+// For .NET apps, read from configuration
+using Microsoft.Extensions.Configuration;
+
+var config = new ConfigurationBuilder()
+ .AddEnvironmentVariables()
+ .Build();
+
+var redisConnection = config.GetConnectionString("cache");
+// Or equivalently:
+var redisConnection2 = Environment.GetEnvironmentVariable("ConnectionStrings__cache");
+```
+
+
+
+## See also
+
+- [Service defaults](/fundamentals/service-defaults/)
+- [Service discovery](/fundamentals/service-discovery/)
+- [Resource naming conventions](/app-host/resource-naming/)
+- [Executable resources](/app-host/executable-resources/)
+- [.NET Worker Service](https://learn.microsoft.com/dotnet/core/extensions/workers)
diff --git a/src/frontend/src/content/docs/app-host/cors-configuration.mdx b/src/frontend/src/content/docs/app-host/cors-configuration.mdx
new file mode 100644
index 000000000..64a5075ae
--- /dev/null
+++ b/src/frontend/src/content/docs/app-host/cors-configuration.mdx
@@ -0,0 +1,277 @@
+---
+title: CORS configuration
+description: Learn when and how to configure Cross-Origin Resource Sharing (CORS) in Aspire applications, covering development and production scenarios.
+---
+
+import { Aside, Tabs, TabItem } from '@astrojs/starlight/components';
+
+Cross-Origin Resource Sharing (CORS) is a browser security feature that restricts how web pages can request resources from a different domain. This article explains when CORS is relevant in Aspire applications, and how to configure it correctly for development and production.
+
+## When does CORS matter with Aspire?
+
+CORS is only enforced by **browsers**. It applies when a web frontend (running in a user's browser) makes HTTP requests to an API on a different origin (different host, port, or scheme). Aspire doesn't add or remove any browser CORS restrictions.
+
+You need to configure CORS in your API when:
+
+- Your Blazor WebAssembly, React, Angular, or other browser-based frontend calls an API on a different port or host.
+- Your API is hosted separately from your frontend during development or production.
+- Your browser shows errors like `Access to fetch at 'http://localhost:5000' from origin 'http://localhost:3000' has been blocked by CORS policy`.
+
+You **don't** need to configure CORS when:
+
+- Your frontend is server-side rendered (Blazor Server, Razor Pages, MVC) — these run on the server, not the browser.
+- Your API and frontend share the same origin (same host and port).
+- Communication is between server-to-server (backend services calling other backend services).
+
+
+
+## Configuring CORS in development
+
+During development, the recommended approach is to allow your frontend's development server origin. Configure CORS with `AddCors` and `UseCors` in your API's `Program.cs`:
+
+```csharp title="C# — Program.cs (API)"
+var builder = WebApplication.CreateBuilder(args);
+
+builder.AddServiceDefaults();
+
+// Configure CORS for development
+builder.Services.AddCors(options =>
+{
+ options.AddDefaultPolicy(policy =>
+ {
+ policy.WithOrigins("http://localhost:3000") // Your frontend origin
+ .AllowAnyHeader()
+ .AllowAnyMethod();
+ });
+});
+
+var app = builder.Build();
+
+app.MapDefaultEndpoints();
+app.UseCors(); // Must be called before endpoint mapping
+app.MapGet("/", () => Results.Ok());
+
+app.Run();
+```
+
+
+
+### Using environment-based CORS configuration
+
+A better pattern is to read allowed origins from configuration, so you can easily change them per environment:
+
+```csharp title="C# — Program.cs (API)"
+var builder = WebApplication.CreateBuilder(args);
+
+builder.AddServiceDefaults();
+
+builder.Services.AddCors(options =>
+{
+ options.AddDefaultPolicy(policy =>
+ {
+ var allowedOrigins = builder.Configuration
+ .GetSection("Cors:AllowedOrigins")
+ .Get() ?? [];
+
+ policy.WithOrigins(allowedOrigins)
+ .AllowAnyHeader()
+ .AllowAnyMethod();
+ });
+});
+
+var app = builder.Build();
+
+app.MapDefaultEndpoints();
+app.UseCors();
+app.MapGet("/", () => Results.Ok());
+
+app.Run();
+```
+
+Then configure the allowed origins per environment:
+
+
+
+
+```json title="JSON — appsettings.Development.json"
+{
+ "Cors": {
+ "AllowedOrigins": [
+ "http://localhost:3000",
+ "https://localhost:7000"
+ ]
+ }
+}
+```
+
+
+
+
+```json title="JSON — appsettings.json"
+{
+ "Cors": {
+ "AllowedOrigins": [
+ "https://myapp.com",
+ "https://www.myapp.com"
+ ]
+ }
+}
+```
+
+
+
+
+## Using Aspire to inject the frontend URL
+
+When Aspire orchestrates your frontend and API together, you can use Aspire's environment variable injection to automatically provide the frontend URL to your API. This avoids hardcoding the origin:
+
+```csharp title="C# — AppHost.cs"
+var builder = DistributedApplication.CreateBuilder(args);
+
+var frontend = builder.AddNpmApp("frontend", "../frontend", "dev")
+ .WithHttpEndpoint(port: 3000, env: "PORT");
+
+var api = builder.AddProject("api")
+ .WithReference(frontend) // Injects services__frontend__http__0 into the API
+ .WithExternalHttpEndpoints();
+
+builder.Build().Run();
+```
+
+In the API project, read the injected frontend endpoint for CORS configuration:
+
+```csharp title="C# — Program.cs (API)"
+var builder = WebApplication.CreateBuilder(args);
+
+builder.AddServiceDefaults();
+
+builder.Services.AddCors(options =>
+{
+ options.AddDefaultPolicy(policy =>
+ {
+ // Read the frontend URL injected by Aspire via WithReference
+ var frontendUrl = builder.Configuration["services:frontend:http:0"];
+
+ if (!string.IsNullOrEmpty(frontendUrl))
+ {
+ // Extract just the origin (scheme://host:port)
+ var origin = new Uri(frontendUrl);
+ policy.WithOrigins($"{origin.Scheme}://{origin.Authority}")
+ .AllowAnyHeader()
+ .AllowAnyMethod();
+ }
+ else
+ {
+ // Fallback for when not running in Aspire
+ var allowedOrigins = builder.Configuration
+ .GetSection("Cors:AllowedOrigins")
+ .Get() ?? [];
+ policy.WithOrigins(allowedOrigins)
+ .AllowAnyHeader()
+ .AllowAnyMethod();
+ }
+ });
+});
+
+var app = builder.Build();
+
+app.MapDefaultEndpoints();
+app.UseCors();
+app.MapGet("/", () => Results.Ok());
+
+app.Run();
+```
+
+
+
+## Common CORS issues and solutions
+
+### Issue: CORS error despite configuring CORS middleware
+
+**Symptom**: Browser shows a CORS error even though you've added `AddCors` and `UseCors`.
+
+**Cause**: The order of middleware registration matters. `UseCors()` must be called **before** any endpoint mapping and before `UseAuthorization()` when authentication is used.
+
+**Solution**: Ensure middleware is ordered correctly:
+
+```csharp title="C# — Program.cs"
+app.UseCors(); // CORS must come before endpoint mapping
+app.MapGet("/", () => Results.Ok());
+```
+
+If you're using authentication and authorization, ensure CORS comes before them as well:
+
+```csharp title="C# — Program.cs"
+app.UseCors();
+app.UseAuthentication();
+app.UseAuthorization();
+app.MapGet("/secure", () => Results.Ok()).RequireAuthorization();
+```
+
+### Issue: Preflight requests failing
+
+**Symptom**: `OPTIONS` requests return 405 Method Not Allowed.
+
+**Cause**: The API doesn't handle `OPTIONS` requests, which browsers use for CORS preflight checks.
+
+**Solution**: `UseCors()` handles preflight automatically. Ensure it's in your middleware pipeline and called before endpoint mapping.
+
+### Issue: Credentials not sent with cross-origin requests
+
+**Symptom**: Cookies or Authorization headers aren't included in cross-origin requests.
+
+**Cause**: By default, browsers don't send credentials with cross-origin requests.
+
+**Solution**: Enable credentials on both the server and the client:
+
+```csharp title="C# — Program.cs (API)"
+options.AddDefaultPolicy(policy =>
+{
+ policy.WithOrigins("https://myapp.com")
+ .AllowAnyHeader()
+ .AllowAnyMethod()
+ .AllowCredentials(); // Enable credentials
+});
+```
+
+
+
+### Issue: CORS errors in production but not development
+
+**Symptom**: CORS works locally but fails in production.
+
+**Cause**: The production origin (e.g., `https://myapp.com`) is not in the allowed origins list, or the environment-specific configuration isn't deployed.
+
+**Solution**: Verify the allowed origins in your production configuration match the exact origin your frontend uses, including the scheme (`https://`) and any subdomain.
+
+## Dashboard CORS configuration
+
+The Aspire dashboard also uses CORS for browser telemetry. If you're accessing the dashboard from a different origin, configure the dashboard's allowed origins using the `ASPIRE_DASHBOARD_CORS_ALLOWED_ORIGINS` environment variable. Multiple origins are separated by commas:
+
+```
+ASPIRE_DASHBOARD_CORS_ALLOWED_ORIGINS=https://myapp.com,https://www.myapp.com
+```
+
+You can also use the `*` wildcard to allow any domain:
+
+```
+ASPIRE_DASHBOARD_CORS_ALLOWED_ORIGINS=*
+```
+
+For more information, see [Dashboard configuration](/dashboard/configuration/).
+
+## See also
+
+- [Inner-loop networking overview](/fundamentals/networking-overview/)
+- [Service defaults](/fundamentals/service-defaults/)
+- [Dashboard configuration](/dashboard/configuration/)
+- [Enable browser telemetry](/dashboard/enable-browser-telemetry/)
+- [Cross-Origin Resource Sharing (CORS) in ASP.NET Core](https://learn.microsoft.com/aspnet/core/security/cors)
diff --git a/src/frontend/src/content/docs/app-host/resource-naming.mdx b/src/frontend/src/content/docs/app-host/resource-naming.mdx
new file mode 100644
index 000000000..9a82b7d3a
--- /dev/null
+++ b/src/frontend/src/content/docs/app-host/resource-naming.mdx
@@ -0,0 +1,167 @@
+---
+title: Resource naming conventions
+description: Learn how Aspire resource names map to environment variables, including dash-to-underscore transformation rules, and best practices for naming resources.
+---
+
+import { Aside } from '@astrojs/starlight/components';
+
+When you define resources in an Aspire AppHost, their names play an important role in how configuration is surfaced to consuming services. This article explains how resource names map to environment variables, how special characters like dashes are handled, and naming best practices.
+
+## How resource names map to environment variables
+
+When a resource is referenced by another resource using `WithReference`, Aspire injects environment variables into the consuming resource. These environment variables follow the `ConnectionStrings__` pattern for connection strings, or `services______` for service discovery endpoints.
+
+
+
+### Connection string environment variables
+
+For connection strings, Aspire uses the following pattern:
+
+```
+ConnectionStrings__
+```
+
+For example, if you define a Redis resource named `cache`:
+
+```csharp title="C# — AppHost.cs"
+var builder = DistributedApplication.CreateBuilder(args);
+
+var cache = builder.AddRedis("cache");
+
+var api = builder.AddProject("api")
+ .WithReference(cache);
+
+builder.Build().Run();
+```
+
+The `api` project receives a `ConnectionStrings__cache` environment variable containing the Redis connection string.
+
+### Service discovery environment variables
+
+For service endpoints, Aspire injects variables following this pattern:
+
+```
+services______0
+```
+
+For example, a project named `catalog` with an `http` endpoint provides:
+
+```
+services__catalog__http__0=http://localhost:5123
+```
+
+Multiple endpoints are indexed starting from `0`:
+
+```
+services__catalog__http__0=http://localhost:5123
+services__catalog__https__0=https://localhost:7234
+```
+
+For more information, see [Service discovery](/fundamentals/service-discovery/).
+
+## Dash-to-underscore transformation
+
+Resource names containing dashes (`-`) are **automatically transformed to underscores (`_`)** when used in environment variable names. This transformation is necessary because dashes are not valid in many environment variable names across platforms.
+
+For example:
+
+```csharp title="C# — AppHost.cs"
+var builder = DistributedApplication.CreateBuilder(args);
+
+var db = builder.AddPostgres("my-database").AddDatabase("app-db");
+
+var api = builder.AddProject("my-api")
+ .WithReference(db);
+
+builder.Build().Run();
+```
+
+The environment variables injected into `my-api` use underscores:
+
+| Resource name | Environment variable |
+|---------------|---------------------|
+| `app-db` | `ConnectionStrings__app_db` |
+| `my-api` | `services__my_api__http__0` |
+
+
+
+### Accessing the connection string in consuming services
+
+In your .NET application, the configuration system maps double underscores (`__`) to the colon (`:`) separator used by `IConfiguration`. This means the environment variable `ConnectionStrings__app_db` is transformed to the configuration key `ConnectionStrings:app_db`:
+
+```csharp title="C# — Program.cs"
+// This resolves ConnectionStrings__app_db (injected by Aspire)
+var connectionString = builder.Configuration.GetConnectionString("app_db");
+```
+
+
+
+For Python and JavaScript services, the double-underscore format is used directly:
+
+```python title="Python — app.py"
+import os
+
+connection_string = os.environ.get("ConnectionStrings__app_db")
+```
+
+```javascript title="JavaScript — app.js"
+const connectionString = process.env["ConnectionStrings__app_db"];
+```
+
+## Naming best practices
+
+Follow these recommendations when naming resources in your AppHost:
+
+- **Use lowercase names**: Resource names are case-sensitive in service discovery. Use lowercase to avoid confusion.
+- **Use dashes as separators**: Dashes (`-`) are the conventional separator for multi-word resource names in Aspire, as they are commonly used in DNS names and container networking. Underscores are also valid but dashes are preferred for consistency.
+- **Keep names short and descriptive**: Resource names appear in the Aspire dashboard, in environment variables, and in logs. Short names reduce visual noise.
+- **Be consistent with related names**: If you name a server resource `postgres`, name related databases `postgres-appdb` rather than something unrelated.
+
+**Examples of good resource names:**
+
+```csharp title="C# — AppHost.cs"
+var builder = DistributedApplication.CreateBuilder(args);
+
+var postgres = builder.AddPostgres("postgres");
+var appDb = postgres.AddDatabase("app-db");
+var cache = builder.AddRedis("cache");
+var messageBus = builder.AddRabbitMQ("message-bus");
+
+var api = builder.AddProject("api")
+ .WithReference(appDb)
+ .WithReference(cache)
+ .WithReference(messageBus);
+
+builder.Build().Run();
+```
+
+**Examples to avoid:**
+
+```csharp title="C# — AppHost.cs"
+// Avoid: uppercase letters, inconsistent naming
+var Postgres = builder.AddPostgres("PostgresServer");
+var db = Postgres.AddDatabase("MyApp_Database");
+```
+
+## Resource name validation
+
+Aspire validates resource names at startup. Valid resource names:
+
+- Must be non-empty
+- Must start with a lowercase letter
+- May only contain lowercase letters, digits, dashes (`-`), and underscores (`_`)
+- Must not contain consecutive dashes (`--`)
+
+If a resource name is invalid, Aspire reports a diagnostic error at build time. For more information, see [ASPIRE006](/diagnostics/aspire006/).
+
+## See also
+
+- [Service discovery](/fundamentals/service-discovery/)
+- [Inner-loop networking overview](/fundamentals/networking-overview/)
+- [External parameters](/fundamentals/external-parameters/)
diff --git a/src/frontend/src/content/docs/fundamentals/networking-overview.mdx b/src/frontend/src/content/docs/fundamentals/networking-overview.mdx
index c61eb04b4..39e03c745 100644
--- a/src/frontend/src/content/docs/fundamentals/networking-overview.mdx
+++ b/src/frontend/src/content/docs/fundamentals/networking-overview.mdx
@@ -353,3 +353,169 @@ builder.AddProject("apiservice")
```
The preceding code adds a default HTTPS endpoint, as well as an `admin` endpoint on port 19227. However, the `admin` endpoint is excluded from the environment variables. This is useful when you want to expose an endpoint for internal use only.
+
+## Binding to all interfaces for LAN access
+
+By default, Aspire binds service endpoints to `localhost` (loopback), making them accessible only from the local machine. If you need to expose a service to other devices on your local network — for example, for testing on a mobile device or another machine — you need to configure the service to listen on all network interfaces (`0.0.0.0`).
+
+
+
+### For ASP.NET Core projects
+
+For ASP.NET Core projects, configure Kestrel to listen on all interfaces by updating the project's _appsettings.Development.json_:
+
+```json title="JSON — appsettings.Development.json"
+{
+ "Kestrel": {
+ "Endpoints": {
+ "Http": {
+ "Url": "http://0.0.0.0:5000"
+ }
+ }
+ }
+}
+```
+
+Alternatively, set the `ASPNETCORE_URLS` environment variable via the AppHost:
+
+```csharp title="C# — AppHost.cs"
+var builder = DistributedApplication.CreateBuilder(args);
+
+var api = builder.AddProject("api")
+ .WithEnvironment("ASPNETCORE_URLS", "http://0.0.0.0:5000");
+
+builder.Build().Run();
+```
+
+### For container resources
+
+For container resources, `WithHttpEndpoint` configures host-to-container port mapping via the DCP proxy on the host. The application inside the container must also be configured to listen on `0.0.0.0` — this is typically done via an environment variable or argument:
+
+```csharp title="C# — AppHost.cs"
+var builder = DistributedApplication.CreateBuilder(args);
+
+// Map host port 8080 to container port 80, and configure the app inside to bind on all interfaces
+builder.AddContainer("myapp", "myregistry/myapp")
+ .WithHttpEndpoint(port: 8080, targetPort: 80)
+ .WithEnvironment("ASPNETCORE_URLS", "http://0.0.0.0:80");
+
+builder.Build().Run();
+```
+
+### For executable resources
+
+For non-container executables, pass `0.0.0.0` as the bind address to the executable's arguments or via an environment variable:
+
+```csharp title="C# — AppHost.cs"
+var builder = DistributedApplication.CreateBuilder(args);
+
+builder.AddExecutable("api", "uvicorn", ".", "main:app", "--host", "0.0.0.0", "--port", "8000")
+ .WithHttpEndpoint(port: 8000);
+
+builder.Build().Run();
+```
+
+For executables that accept a listen address flag, you can pass `0.0.0.0` directly in the arguments:
+
+```csharp title="C# — AppHost.cs"
+var builder = DistributedApplication.CreateBuilder(args);
+
+builder.AddExecutable("frontend", "npx", ".", "serve", "-l", "tcp://0.0.0.0:3000")
+ .WithHttpEndpoint(port: 3000, env: "PORT");
+
+builder.Build().Run();
+```
+
+## Container-to-host networking
+
+When containers need to communicate with services running directly on the host (not in containers), the standard `localhost` address doesn't work from inside a container. Docker and Podman provide a special hostname for this purpose.
+
+### The host gateway address
+
+| Platform | Special hostname |
+|----------|-----------------|
+| Docker Desktop (Mac/Windows) | `host.docker.internal` |
+| Docker on Linux | `host-gateway` (requires `--add-host`) |
+| Podman | `host.containers.internal` |
+
+Aspire's `WithReference` API automatically resolves the correct host gateway address for the container runtime in use. When you reference a host-side project resource from a container, Aspire injects the appropriate address:
+
+```csharp title="C# — AppHost.cs"
+var builder = DistributedApplication.CreateBuilder(args);
+
+// Host-side project (runs on the developer machine, not in a container)
+var api = builder.AddProject("api");
+
+// The container can reach the host-side service via WithReference,
+// which automatically uses the correct host gateway address for the runtime
+var containerApp = builder.AddContainer("mycontainer", "myimage")
+ .WithReference(api);
+
+builder.Build().Run();
+```
+
+### Connecting container resources to host services
+
+A common scenario is a containerized application that needs to reach a SQL Server or other database running directly on the developer's machine.
+
+When using `AddSqlServer` or similar, the resource runs as a container that Aspire manages. However, if you have an existing SQL Server on the host machine and want containers to reach it, use the host gateway address:
+
+```csharp title="C# — AppHost.cs"
+var builder = DistributedApplication.CreateBuilder(args);
+
+// Reference an existing SQL Server running on the host machine
+var existingSqlServer = builder.AddConnectionString("sqlserver");
+
+var containerApp = builder.AddContainer("myapp", "myimage")
+ .WithReference(existingSqlServer);
+
+builder.Build().Run();
+```
+
+Then configure the connection string in the AppHost's _appsettings.json_ to use the host gateway:
+
+```json title="JSON — appsettings.json"
+{
+ "ConnectionStrings": {
+ "sqlserver": "Server=host.docker.internal,1433;Database=mydb;..."
+ }
+}
+```
+
+### Using KnownNetworkIdentifiers
+
+The `KnownNetworkIdentifiers` class provides constants for well-known network identifiers that work across container runtimes. Use it with the `GetEndpoint` API when you need to resolve an endpoint in a specific network context:
+
+```csharp title="C# — AppHost.cs"
+var builder = DistributedApplication.CreateBuilder(args);
+
+var api = builder.AddProject("api");
+
+// Get the endpoint URL as it would appear from the host (localhost)
+var hostEndpoint = api.GetEndpoint("http", KnownNetworkIdentifiers.LocalhostNetwork);
+
+// Get the endpoint URL as it would appear from inside a container
+// (e.g., host.docker.internal:port on Docker Desktop)
+var containerEndpoint = api.GetEndpoint("http", KnownNetworkIdentifiers.DefaultAspireContainerNetwork);
+
+var containerApp = builder.AddContainer("mycontainer", "myimage")
+ .WithEnvironment("API_URL", containerEndpoint);
+
+builder.Build().Run();
+```
+
+The predefined identifiers are:
+
+| Identifier | Description |
+|------------|-------------|
+| `KnownNetworkIdentifiers.LocalhostNetwork` | Resolves to `localhost` — use for host-side access |
+| `KnownNetworkIdentifiers.DefaultAspireContainerNetwork` | Resolves to the container host gateway address (e.g., `host.docker.internal`) — use when a container needs to call a host-side service |
+| `KnownNetworkIdentifiers.PublicInternet` | Resolves to the publicly accessible address |
+
+
+
+For more information, see [How container networks are managed](#how-container-networks-are-managed).
diff --git a/src/frontend/src/data/aspire-integrations.json b/src/frontend/src/data/aspire-integrations.json
index 5069a9733..07a16d521 100644
--- a/src/frontend/src/data/aspire-integrations.json
+++ b/src/frontend/src/data/aspire-integrations.json
@@ -2,7 +2,7 @@
{
"title": "Aspire.Azure.AI.Inference",
"description": "A client for Azure AI Inference SDK that integrates with Aspire, including logging and telemetry.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.azure.ai.inference/13.1.0-preview.1.25616.3/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.azure.ai.inference/13.1.1-preview.1.26105.8/icon",
"href": "https://www.nuget.org/packages/Aspire.Azure.AI.Inference",
"tags": [
"aspire",
@@ -15,13 +15,13 @@
"inference",
"ai-search"
],
- "downloads": 18661,
- "version": "13.1.0-preview.1.25616.3"
+ "downloads": 22507,
+ "version": "13.1.1-preview.1.26105.8"
},
{
"title": "Aspire.Azure.AI.OpenAI",
"description": "A client for Azure OpenAI that integrates with Aspire, including logging and telemetry.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.azure.ai.openai/13.1.0-preview.1.25616.3/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.azure.ai.openai/13.1.1-preview.1.26105.8/icon",
"href": "https://www.nuget.org/packages/Aspire.Azure.AI.OpenAI",
"tags": [
"aspire",
@@ -33,13 +33,13 @@
"ai",
"openai"
],
- "downloads": 447400,
- "version": "13.1.0-preview.1.25616.3"
+ "downloads": 464281,
+ "version": "13.1.1-preview.1.26105.8"
},
{
"title": "Aspire.Azure.Data.Tables",
"description": "A client for Azure Table Storage that integrates with Aspire, including health checks, logging, and telemetry.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.azure.data.tables/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.azure.data.tables/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.Azure.Data.Tables",
"tags": [
"aspire",
@@ -52,13 +52,13 @@
"table",
"storage"
],
- "downloads": 2250068,
- "version": "13.1.0"
+ "downloads": 3198133,
+ "version": "13.1.1"
},
{
"title": "Aspire.Azure.Messaging.EventHubs",
"description": "A client for Azure Event Hubs that integrates with Aspire, including logging and telemetry.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.azure.messaging.eventhubs/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.azure.messaging.eventhubs/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.Azure.Messaging.EventHubs",
"tags": [
"aspire",
@@ -72,13 +72,13 @@
"messaging",
"eventing"
],
- "downloads": 295259,
- "version": "13.1.0"
+ "downloads": 312122,
+ "version": "13.1.1"
},
{
"title": "Aspire.Azure.Messaging.ServiceBus",
"description": "A client for Azure Service Bus that integrates with Aspire, including health checks, logging and telemetry.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.azure.messaging.servicebus/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.azure.messaging.servicebus/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.Azure.Messaging.ServiceBus",
"tags": [
"aspire",
@@ -92,13 +92,13 @@
"messaging",
"eventing"
],
- "downloads": 729244,
- "version": "13.1.0"
+ "downloads": 780066,
+ "version": "13.1.1"
},
{
"title": "Aspire.Azure.Messaging.WebPubSub",
"description": "A service client for Azure Web PubSub that integrates with Aspire, including health checks, logging and telemetry.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.azure.messaging.webpubsub/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.azure.messaging.webpubsub/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.Azure.Messaging.WebPubSub",
"tags": [
"aspire",
@@ -112,13 +112,13 @@
"pubsub",
"messaging"
],
- "downloads": 31929,
- "version": "13.1.0"
+ "downloads": 33324,
+ "version": "13.1.1"
},
{
"title": "Aspire.Azure.Npgsql",
"description": "A client for Azure Database for PostgreSQL® that integrates with Aspire, including health checks, logging and telemetry.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.azure.npgsql/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.azure.npgsql/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.Azure.Npgsql",
"tags": [
"aspire",
@@ -134,13 +134,13 @@
"database",
"data"
],
- "downloads": 46053,
- "version": "13.1.0"
+ "downloads": 50344,
+ "version": "13.1.1"
},
{
"title": "Aspire.Azure.Npgsql.EntityFrameworkCore.PostgreSQL",
"description": "An Azure Database for PostgreSQL® provider for Entity Framework Core that integrates with Aspire, including connection pooling, health checks, logging, and telemetry.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.azure.npgsql.entityframeworkcore.postgresql/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.azure.npgsql.entityframeworkcore.postgresql/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.Azure.Npgsql.EntityFrameworkCore.PostgreSQL",
"tags": [
"aspire",
@@ -161,13 +161,13 @@
"npgsql",
"sql"
],
- "downloads": 97553,
- "version": "13.1.0"
+ "downloads": 107272,
+ "version": "13.1.1"
},
{
"title": "Aspire.Azure.Search.Documents",
"description": "A client for Azure AI Search that integrates with Aspire, including logging and telemetry.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.azure.search.documents/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.azure.search.documents/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.Azure.Search.Documents",
"tags": [
"aspire",
@@ -180,13 +180,13 @@
"ai",
"ai-search"
],
- "downloads": 213929,
- "version": "13.1.0"
+ "downloads": 228670,
+ "version": "13.1.1"
},
{
"title": "Aspire.Azure.Security.KeyVault",
"description": "A client for Azure Key Vault that integrates with Aspire, including health checks, logging and telemetry.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.azure.security.keyvault/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.azure.security.keyvault/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.Azure.Security.KeyVault",
"tags": [
"aspire",
@@ -199,13 +199,13 @@
"secrets",
"security"
],
- "downloads": 690043,
- "version": "13.1.0"
+ "downloads": 734973,
+ "version": "13.1.1"
},
{
"title": "Aspire.Azure.Storage.Blobs",
"description": "A client for Azure Blob Storage that integrates with Aspire, including health checks, logging and telemetry.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.azure.storage.blobs/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.azure.storage.blobs/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.Azure.Storage.Blobs",
"tags": [
"aspire",
@@ -218,13 +218,13 @@
"blobs",
"blob"
],
- "downloads": 2947948,
- "version": "13.1.0"
+ "downloads": 3548908,
+ "version": "13.1.1"
},
{
"title": "Aspire.Azure.Storage.Queues",
"description": "A client for Azure Queue Storage that integrates with Aspire, including health checks, logging and telemetry.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.azure.storage.queues/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.azure.storage.queues/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.Azure.Storage.Queues",
"tags": [
"aspire",
@@ -238,13 +238,13 @@
"queues",
"messaging"
],
- "downloads": 871359,
- "version": "13.1.0"
+ "downloads": 1259198,
+ "version": "13.1.1"
},
{
"title": "Aspire.Confluent.Kafka",
"description": "Confluent.Kafka based Kafka generic consumer and producer that integrates with Aspire, including healthchecks and metrics.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.confluent.kafka/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.confluent.kafka/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.Confluent.Kafka",
"tags": [
"aspire",
@@ -256,8 +256,8 @@
"messaging",
"eventing"
],
- "downloads": 1752015,
- "version": "13.1.0"
+ "downloads": 1954024,
+ "version": "13.1.1"
},
{
"title": "Aspire.Elastic.Clients.Elasticsearch",
@@ -272,13 +272,13 @@
"cloud",
"elasticsearch"
],
- "downloads": 40787,
+ "downloads": 44070,
"version": "13.1.0"
},
{
"title": "Aspire.Hosting.AWS",
"description": "Add support for provisioning AWS application resources and configuring the AWS SDK for .NET.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.aws/9.3.2/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.aws/9.4.0/icon",
"href": "https://www.nuget.org/packages/Aspire.Hosting.AWS",
"tags": [
"aspire",
@@ -286,13 +286,13 @@
"hosting",
"aws"
],
- "downloads": 231310,
- "version": "9.3.2"
+ "downloads": 252895,
+ "version": "9.4.0"
},
{
"title": "Aspire.Hosting.Azure.AIFoundry",
"description": "Azure AI Foundry resource types for Aspire.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.azure.aifoundry/13.1.0-preview.1.25616.3/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.azure.aifoundry/13.1.1-preview.1.26105.8/icon",
"href": "https://www.nuget.org/packages/Aspire.Hosting.Azure.AIFoundry",
"tags": [
"aspire",
@@ -306,13 +306,13 @@
"ai-search",
"cloud"
],
- "downloads": 26691,
- "version": "13.1.0-preview.1.25616.3"
+ "downloads": 30045,
+ "version": "13.1.1-preview.1.26105.8"
},
{
"title": "Aspire.Hosting.Azure.AppConfiguration",
"description": "Azure AppConfiguration resource types for Aspire.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.azure.appconfiguration/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.azure.appconfiguration/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.Hosting.Azure.AppConfiguration",
"tags": [
"aspire",
@@ -322,13 +322,13 @@
"configuration",
"cloud"
],
- "downloads": 177411,
- "version": "13.1.0"
+ "downloads": 190896,
+ "version": "13.1.1"
},
{
"title": "Aspire.Hosting.Azure.AppContainers",
"description": "Azure container apps resource types for Aspire.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.azure.appcontainers/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.azure.appcontainers/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.Hosting.Azure.AppContainers",
"tags": [
"aspire",
@@ -339,13 +339,13 @@
"cloud",
"appcontainers"
],
- "downloads": 365991,
- "version": "13.1.0"
+ "downloads": 397860,
+ "version": "13.1.1"
},
{
"title": "Aspire.Hosting.Azure.ApplicationInsights",
"description": "Azure Application Insights resource types for Aspire.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.azure.applicationinsights/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.azure.applicationinsights/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.Hosting.Azure.ApplicationInsights",
"tags": [
"aspire",
@@ -357,13 +357,13 @@
"cloud",
"applicationinsights"
],
- "downloads": 415196,
- "version": "13.1.0"
+ "downloads": 435487,
+ "version": "13.1.1"
},
{
"title": "Aspire.Hosting.Azure.AppService",
"description": "Azure app service resource types for Aspire.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.azure.appservice/13.1.0-preview.1.25616.3/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.azure.appservice/13.1.1-preview.1.26105.8/icon",
"href": "https://www.nuget.org/packages/Aspire.Hosting.Azure.AppService",
"tags": [
"aspire",
@@ -373,13 +373,13 @@
"cloud",
"appservice"
],
- "downloads": 17108,
- "version": "13.1.0-preview.1.25616.3"
+ "downloads": 19745,
+ "version": "13.1.1-preview.1.26105.8"
},
{
"title": "Aspire.Hosting.Azure.CognitiveServices",
"description": "Azure OpenAI resource types for Aspire.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.azure.cognitiveservices/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.azure.cognitiveservices/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.Hosting.Azure.CognitiveServices",
"tags": [
"aspire",
@@ -393,13 +393,13 @@
"services",
"cloud"
],
- "downloads": 434491,
- "version": "13.1.0"
+ "downloads": 451761,
+ "version": "13.1.1"
},
{
"title": "Aspire.Hosting.Azure.ContainerRegistry",
"description": "Azure Container Registry resource types for Aspire.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.azure.containerregistry/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.azure.containerregistry/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.Hosting.Azure.ContainerRegistry",
"tags": [
"aspire",
@@ -410,13 +410,13 @@
"registry",
"cloud"
],
- "downloads": 76356,
- "version": "13.1.0"
+ "downloads": 102565,
+ "version": "13.1.1"
},
{
"title": "Aspire.Hosting.Azure.CosmosDB",
"description": "Azure Cosmos DB resource types for Aspire.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.azure.cosmosdb/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.azure.cosmosdb/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.Hosting.Azure.CosmosDB",
"tags": [
"aspire",
@@ -429,13 +429,13 @@
"data",
"nosql"
],
- "downloads": 520909,
- "version": "13.1.0"
+ "downloads": 556485,
+ "version": "13.1.1"
},
{
"title": "Aspire.Hosting.Azure.EventHubs",
"description": "Azure Event Hubs resource types for Aspire.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.azure.eventhubs/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.azure.eventhubs/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.Hosting.Azure.EventHubs",
"tags": [
"aspire",
@@ -447,13 +447,13 @@
"eventing",
"cloud"
],
- "downloads": 157353,
- "version": "13.1.0"
+ "downloads": 171575,
+ "version": "13.1.1"
},
{
"title": "Aspire.Hosting.Azure.Functions",
"description": "Azure Functions resource types for Aspire.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.azure.functions/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.azure.functions/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.Hosting.Azure.Functions",
"tags": [
"aspire",
@@ -464,13 +464,13 @@
"serverless",
"cloud"
],
- "downloads": 563717,
- "version": "13.1.0"
+ "downloads": 607292,
+ "version": "13.1.1"
},
{
"title": "Aspire.Hosting.Azure.KeyVault",
"description": "Azure resource types for Aspire.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.azure.keyvault/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.azure.keyvault/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.Hosting.Azure.KeyVault",
"tags": [
"aspire",
@@ -482,13 +482,13 @@
"secrets",
"cloud"
],
- "downloads": 990922,
- "version": "13.1.0"
+ "downloads": 1077736,
+ "version": "13.1.1"
},
{
"title": "Aspire.Hosting.Azure.Kusto",
"description": "Azure Kusto support for Aspire.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.azure.kusto/13.1.0-preview.1.25616.3/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.azure.kusto/13.1.1-preview.1.26105.8/icon",
"href": "https://www.nuget.org/packages/Aspire.Hosting.Azure.Kusto",
"tags": [
"aspire",
@@ -500,13 +500,13 @@
"data",
"cloud"
],
- "downloads": 2629,
- "version": "13.1.0-preview.1.25616.3"
+ "downloads": 2851,
+ "version": "13.1.1-preview.1.26105.8"
},
{
"title": "Aspire.Hosting.Azure.OperationalInsights",
"description": "Azure Log Analytics resource types for Aspire.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.azure.operationalinsights/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.azure.operationalinsights/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.Hosting.Azure.OperationalInsights",
"tags": [
"aspire",
@@ -517,13 +517,13 @@
"observability",
"cloud"
],
- "downloads": 557097,
- "version": "13.1.0"
+ "downloads": 597526,
+ "version": "13.1.1"
},
{
"title": "Aspire.Hosting.Azure.PostgreSQL",
"description": "Azure PostgreSql Flexible Server resource types for Aspire.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.azure.postgresql/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.azure.postgresql/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.Hosting.Azure.PostgreSQL",
"tags": [
"aspire",
@@ -535,13 +535,13 @@
"data",
"cloud"
],
- "downloads": 251664,
- "version": "13.1.0"
+ "downloads": 269282,
+ "version": "13.1.1"
},
{
"title": "Aspire.Hosting.Azure.Redis",
"description": "Azure Redis resource types for Aspire.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.azure.redis/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.azure.redis/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.Hosting.Azure.Redis",
"tags": [
"aspire",
@@ -553,13 +553,13 @@
"caching",
"cloud"
],
- "downloads": 245492,
- "version": "13.1.0"
+ "downloads": 260083,
+ "version": "13.1.1"
},
{
"title": "Aspire.Hosting.Azure.Search",
"description": "Azure AI Search resource types for Aspire.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.azure.search/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.azure.search/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.Hosting.Azure.Search",
"tags": [
"aspire",
@@ -571,13 +571,13 @@
"ai-search",
"cloud"
],
- "downloads": 136277,
- "version": "13.1.0"
+ "downloads": 143443,
+ "version": "13.1.1"
},
{
"title": "Aspire.Hosting.Azure.ServiceBus",
"description": "Azure Service Bus resource types for Aspire.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.azure.servicebus/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.azure.servicebus/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.Hosting.Azure.ServiceBus",
"tags": [
"aspire",
@@ -589,13 +589,13 @@
"eventing",
"cloud"
],
- "downloads": 668921,
- "version": "13.1.0"
+ "downloads": 729917,
+ "version": "13.1.1"
},
{
"title": "Aspire.Hosting.Azure.SignalR",
"description": "Azure SignalR resource types for Aspire.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.azure.signalr/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.azure.signalr/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.Hosting.Azure.SignalR",
"tags": [
"aspire",
@@ -606,13 +606,13 @@
"realtime",
"cloud"
],
- "downloads": 90375,
- "version": "13.1.0"
+ "downloads": 95108,
+ "version": "13.1.1"
},
{
"title": "Aspire.Hosting.Azure.Sql",
"description": "Azure SQL Database resource types for Aspire.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.azure.sql/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.azure.sql/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.Hosting.Azure.Sql",
"tags": [
"aspire",
@@ -624,13 +624,13 @@
"data",
"cloud"
],
- "downloads": 349140,
- "version": "13.1.0"
+ "downloads": 371643,
+ "version": "13.1.1"
},
{
"title": "Aspire.Hosting.Azure.Storage",
"description": "Azure Storage resource types for Aspire.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.azure.storage/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.azure.storage/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.Hosting.Azure.Storage",
"tags": [
"aspire",
@@ -643,13 +643,13 @@
"table",
"cloud"
],
- "downloads": 2057852,
- "version": "13.1.0"
+ "downloads": 2202313,
+ "version": "13.1.1"
},
{
"title": "Aspire.Hosting.Azure.WebPubSub",
"description": "Azure WebPubSub resource types for Aspire.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.azure.webpubsub/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.azure.webpubsub/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.Hosting.Azure.WebPubSub",
"tags": [
"aspire",
@@ -662,26 +662,26 @@
"messaging",
"cloud"
],
- "downloads": 21501,
- "version": "13.1.0"
+ "downloads": 22361,
+ "version": "13.1.1"
},
{
"title": "Aspire.Hosting.DevTunnels",
"description": "DevTunnels support for Aspire.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.devtunnels/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.devtunnels/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.Hosting.DevTunnels",
"tags": [
"aspire",
"hosting",
"devtunnels"
],
- "downloads": 57414,
- "version": "13.1.0"
+ "downloads": 69476,
+ "version": "13.1.1"
},
{
"title": "Aspire.Hosting.Docker",
"description": "Docker Compose publishing for Aspire.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.docker/13.1.0-preview.1.25616.3/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.docker/13.1.1-preview.1.26105.8/icon",
"href": "https://www.nuget.org/packages/Aspire.Hosting.Docker",
"tags": [
"aspire",
@@ -689,8 +689,8 @@
"docker",
"docker-compose"
],
- "downloads": 190886,
- "version": "13.1.0-preview.1.25616.3"
+ "downloads": 208343,
+ "version": "13.1.1-preview.1.26105.8"
},
{
"title": "Aspire.Hosting.Elasticsearch",
@@ -703,13 +703,13 @@
"hosting",
"elasticsearch"
],
- "downloads": 110814,
+ "downloads": 123424,
"version": "13.1.0"
},
{
"title": "Aspire.Hosting.Garnet",
"description": "Garnet® support for Aspire.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.garnet/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.garnet/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.Hosting.Garnet",
"tags": [
"aspire",
@@ -719,13 +719,13 @@
"cache",
"caching"
],
- "downloads": 45881,
- "version": "13.1.0"
+ "downloads": 47857,
+ "version": "13.1.1"
},
{
"title": "Aspire.Hosting.GitHub.Models",
"description": "GitHub Models resource types for Aspire.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.github.models/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.github.models/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.Hosting.GitHub.Models",
"tags": [
"aspire",
@@ -735,13 +735,13 @@
"models",
"ai"
],
- "downloads": 7448,
- "version": "13.1.0"
+ "downloads": 8921,
+ "version": "13.1.1"
},
{
"title": "Aspire.Hosting.JavaScript",
"description": "JavaScript support for Aspire.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.javascript/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.javascript/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.Hosting.JavaScript",
"tags": [
"aspire",
@@ -753,13 +753,13 @@
"framework",
"runtime"
],
- "downloads": 209380,
- "version": "13.1.0"
+ "downloads": 285992,
+ "version": "13.1.1"
},
{
"title": "Aspire.Hosting.Kafka",
"description": "Kafka support for Aspire.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.kafka/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.kafka/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.Hosting.Kafka",
"tags": [
"aspire",
@@ -769,13 +769,13 @@
"messaging",
"eventing"
],
- "downloads": 427406,
- "version": "13.1.0"
+ "downloads": 461211,
+ "version": "13.1.1"
},
{
"title": "Aspire.Hosting.Keycloak",
"description": "Keycloak support for Aspire.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.keycloak/13.1.0-preview.1.25616.3/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.keycloak/13.1.1-preview.1.26105.8/icon",
"href": "https://www.nuget.org/packages/Aspire.Hosting.Keycloak",
"tags": [
"aspire",
@@ -786,39 +786,39 @@
"identity",
"security"
],
- "downloads": 287997,
- "version": "13.1.0-preview.1.25616.3"
+ "downloads": 307859,
+ "version": "13.1.1-preview.1.26105.8"
},
{
"title": "Aspire.Hosting.Kubernetes",
"description": "Kubernetes publishing for Aspire.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.kubernetes/13.1.0-preview.1.25616.3/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.kubernetes/13.1.1-preview.1.26105.8/icon",
"href": "https://www.nuget.org/packages/Aspire.Hosting.Kubernetes",
"tags": [
"aspire",
"hosting",
"kubernetes"
],
- "downloads": 38643,
- "version": "13.1.0-preview.1.25616.3"
+ "downloads": 44433,
+ "version": "13.1.1-preview.1.26105.8"
},
{
"title": "Aspire.Hosting.Maui",
"description": "MAUI integration for Aspire (local dev only)",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.maui/13.1.0-preview.1.25616.3/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.maui/13.1.1-preview.1.26105.8/icon",
"href": "https://www.nuget.org/packages/Aspire.Hosting.Maui",
"tags": [
"aspire",
"maui",
"hosting"
],
- "downloads": 6299,
- "version": "13.1.0-preview.1.25616.3"
+ "downloads": 7510,
+ "version": "13.1.1-preview.1.26105.8"
},
{
"title": "Aspire.Hosting.Milvus",
"description": "Milvus vector database support for Aspire.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.milvus/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.milvus/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.Hosting.Milvus",
"tags": [
"aspire",
@@ -831,13 +831,13 @@
"data",
"ai-search"
],
- "downloads": 8538,
- "version": "13.1.0"
+ "downloads": 8757,
+ "version": "13.1.1"
},
{
"title": "Aspire.Hosting.MongoDB",
"description": "MongoDB support for Aspire.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.mongodb/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.mongodb/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.Hosting.MongoDB",
"tags": [
"aspire",
@@ -847,13 +847,13 @@
"database",
"data"
],
- "downloads": 349101,
- "version": "13.1.0"
+ "downloads": 370375,
+ "version": "13.1.1"
},
{
"title": "Aspire.Hosting.MySql",
"description": "MySQL support for Aspire.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.mysql/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.mysql/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.Hosting.MySql",
"tags": [
"aspire",
@@ -863,13 +863,13 @@
"database",
"data"
],
- "downloads": 165525,
- "version": "13.1.0"
+ "downloads": 174143,
+ "version": "13.1.1"
},
{
"title": "Aspire.Hosting.Nats",
"description": "NATS support for Aspire.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.nats/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.nats/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.Hosting.Nats",
"tags": [
"aspire",
@@ -879,13 +879,13 @@
"messaging",
"eventing"
],
- "downloads": 57385,
- "version": "13.1.0"
+ "downloads": 61130,
+ "version": "13.1.1"
},
{
"title": "Aspire.Hosting.OpenAI",
"description": "OpenAI resource types for Aspire.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.openai/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.openai/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.Hosting.OpenAI",
"tags": [
"aspire",
@@ -894,13 +894,13 @@
"openai",
"ai"
],
- "downloads": 18090,
- "version": "13.1.0"
+ "downloads": 19334,
+ "version": "13.1.1"
},
{
"title": "Aspire.Hosting.Oracle",
"description": "Oracle Database support for Aspire.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.oracle/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.oracle/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.Hosting.Oracle",
"tags": [
"aspire",
@@ -911,13 +911,13 @@
"database",
"data"
],
- "downloads": 32556,
- "version": "13.1.0"
+ "downloads": 33896,
+ "version": "13.1.1"
},
{
"title": "Aspire.Hosting.Orleans",
"description": "Orleans support for Aspire.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.orleans/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.orleans/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.Hosting.Orleans",
"tags": [
"aspire",
@@ -927,13 +927,13 @@
"messaging",
"eventing"
],
- "downloads": 182726,
- "version": "13.1.0"
+ "downloads": 190839,
+ "version": "13.1.1"
},
{
"title": "Aspire.Hosting.PostgreSQL",
"description": "PostgreSQL® support for Aspire.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.postgresql/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.postgresql/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.Hosting.PostgreSQL",
"tags": [
"aspire",
@@ -946,13 +946,13 @@
"database",
"data"
],
- "downloads": 2348915,
- "version": "13.1.0"
+ "downloads": 2536204,
+ "version": "13.1.1"
},
{
"title": "Aspire.Hosting.Python",
"description": "Python support for Aspire.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.python/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.python/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.Hosting.Python",
"tags": [
"aspire",
@@ -962,13 +962,13 @@
"framework",
"runtime"
],
- "downloads": 127523,
- "version": "13.1.0"
+ "downloads": 135417,
+ "version": "13.1.1"
},
{
"title": "Aspire.Hosting.Qdrant",
"description": "Qdrant vector database support for Aspire.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.qdrant/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.qdrant/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.Hosting.Qdrant",
"tags": [
"aspire",
@@ -980,13 +980,13 @@
"ai-search",
"data"
],
- "downloads": 94758,
- "version": "13.1.0"
+ "downloads": 98833,
+ "version": "13.1.1"
},
{
"title": "Aspire.Hosting.RabbitMQ",
"description": "RabbitMQ support for Aspire.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.rabbitmq/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.rabbitmq/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.Hosting.RabbitMQ",
"tags": [
"aspire",
@@ -996,13 +996,13 @@
"messaging",
"eventing"
],
- "downloads": 1181450,
- "version": "13.1.0"
+ "downloads": 1250627,
+ "version": "13.1.1"
},
{
"title": "Aspire.Hosting.Redis",
"description": "Redis® support for Aspire.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.redis/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.redis/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.Hosting.Redis",
"tags": [
"aspire",
@@ -1012,13 +1012,13 @@
"cache",
"caching"
],
- "downloads": 2581196,
- "version": "13.1.0"
+ "downloads": 2758745,
+ "version": "13.1.1"
},
{
"title": "Aspire.Hosting.Seq",
"description": "Seq support for Aspire.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.seq/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.seq/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.Hosting.Seq",
"tags": [
"aspire",
@@ -1028,13 +1028,13 @@
"observability",
"logging"
],
- "downloads": 215184,
- "version": "13.1.0"
+ "downloads": 230556,
+ "version": "13.1.1"
},
{
"title": "Aspire.Hosting.SqlServer",
"description": "Microsoft SQL Server support for Aspire.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.sqlserver/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.sqlserver/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.Hosting.SqlServer",
"tags": [
"aspire",
@@ -1045,25 +1045,25 @@
"database",
"data"
],
- "downloads": 2867481,
- "version": "13.1.0"
+ "downloads": 3047696,
+ "version": "13.1.1"
},
{
"title": "Aspire.Hosting.Testing",
"description": "Testing support for the Aspire application model.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.testing/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.testing/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.Hosting.Testing",
"tags": [
"aspire",
"testing"
],
- "downloads": 2905254,
- "version": "13.1.0"
+ "downloads": 3091161,
+ "version": "13.1.1"
},
{
"title": "Aspire.Hosting.Valkey",
"description": "Valkey® support for Aspire.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.valkey/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.valkey/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.Hosting.Valkey",
"tags": [
"aspire",
@@ -1073,13 +1073,13 @@
"cache",
"caching"
],
- "downloads": 153451,
- "version": "13.1.0"
+ "downloads": 162652,
+ "version": "13.1.1"
},
{
"title": "Aspire.Hosting.Yarp",
"description": "YARP support for Aspire.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.yarp/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.hosting.yarp/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.Hosting.Yarp",
"tags": [
"aspire",
@@ -1089,13 +1089,13 @@
"reverse-proxy",
"api"
],
- "downloads": 88195,
- "version": "13.1.0"
+ "downloads": 101359,
+ "version": "13.1.1"
},
{
"title": "Aspire.Keycloak.Authentication",
"description": "Configures Keycloak as the authentication provider for ASP.NET Core applications.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.keycloak.authentication/13.1.0-preview.1.25616.3/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.keycloak.authentication/13.1.1-preview.1.26105.8/icon",
"href": "https://www.nuget.org/packages/Aspire.Keycloak.Authentication",
"tags": [
"aspire",
@@ -1108,22 +1108,22 @@
"identity",
"security"
],
- "downloads": 220917,
- "version": "13.1.0-preview.1.25616.3"
+ "downloads": 235283,
+ "version": "13.1.1-preview.1.26105.8"
},
{
"title": "Aspire.Microsoft.AspNetCore.SystemWebAdapters",
- "description": "Package Description",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.microsoft.aspnetcore.systemwebadapters/2.2.1-preview.1.25618.2/icon",
+ "description": "Aspire integration for Microsoft.AspNetCore.SystemWebAdapters to support incremental migration scenarios.",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.microsoft.aspnetcore.systemwebadapters/2.3.0-preview.1.26110.2/icon",
"href": "https://www.nuget.org/packages/Aspire.Microsoft.AspNetCore.SystemWebAdapters",
"tags": [],
- "downloads": 1375,
- "version": "2.2.1-preview.1.25618.2"
+ "downloads": 1463,
+ "version": "2.3.0-preview.1.26110.2"
},
{
"title": "Aspire.Microsoft.Azure.Cosmos",
"description": "A client for Azure Cosmos DB that integrates with Aspire, including logging and telemetry.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.microsoft.azure.cosmos/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.microsoft.azure.cosmos/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.Microsoft.Azure.Cosmos",
"tags": [
"aspire",
@@ -1139,13 +1139,13 @@
"db",
"nosql"
],
- "downloads": 647950,
- "version": "13.1.0"
+ "downloads": 688710,
+ "version": "13.1.1"
},
{
"title": "Aspire.Microsoft.Azure.StackExchangeRedis",
"description": "An Azure Cache for Redis® client that integrates with Aspire, including Azure AD authentication, health checks, logging and telemetry.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.microsoft.azure.stackexchangeredis/13.1.0-preview.1.25616.3/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.microsoft.azure.stackexchangeredis/13.1.1-preview.1.26105.8/icon",
"href": "https://www.nuget.org/packages/Aspire.Microsoft.Azure.StackExchangeRedis",
"tags": [
"aspire",
@@ -1158,13 +1158,13 @@
"cache",
"caching"
],
- "downloads": 16775,
- "version": "13.1.0-preview.1.25616.3"
+ "downloads": 20095,
+ "version": "13.1.1-preview.1.26105.8"
},
{
"title": "Aspire.Microsoft.Data.SqlClient",
"description": "A Microsoft SQL Server client that integrates with Aspire, including health checks, metrics and telemetry.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.microsoft.data.sqlclient/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.microsoft.data.sqlclient/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.Microsoft.Data.SqlClient",
"tags": [
"aspire",
@@ -1177,13 +1177,13 @@
"sqlserver",
"sql"
],
- "downloads": 986284,
- "version": "13.1.0"
+ "downloads": 1095880,
+ "version": "13.1.1"
},
{
"title": "Aspire.Microsoft.EntityFrameworkCore.Cosmos",
"description": "A Microsoft Azure Cosmos DB provider for Entity Framework Core that integrates with Aspire, including connection pooling, logging, and telemetry.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.microsoft.entityframeworkcore.cosmos/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.microsoft.entityframeworkcore.cosmos/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.Microsoft.EntityFrameworkCore.Cosmos",
"tags": [
"aspire",
@@ -1204,13 +1204,13 @@
"cosmosdb",
"nosql"
],
- "downloads": 107640,
- "version": "13.1.0"
+ "downloads": 113018,
+ "version": "13.1.1"
},
{
"title": "Aspire.Microsoft.EntityFrameworkCore.SqlServer",
"description": "A Microsoft SQL Server provider for Entity Framework Core that integrates with Aspire, including connection pooling, health check, logging, and telemetry.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.microsoft.entityframeworkcore.sqlserver/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.microsoft.entityframeworkcore.sqlserver/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.Microsoft.EntityFrameworkCore.SqlServer",
"tags": [
"aspire",
@@ -1229,13 +1229,13 @@
"sqlserver",
"sql"
],
- "downloads": 3019955,
- "version": "13.1.0"
+ "downloads": 3207390,
+ "version": "13.1.1"
},
{
"title": "Aspire.Microsoft.Extensions.Configuration.AzureAppConfiguration",
"description": "A client for Azure App Configuration that integrates with Aspire.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.microsoft.extensions.configuration.azureappconfiguration/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.microsoft.extensions.configuration.azureappconfiguration/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.Microsoft.Extensions.Configuration.AzureAppConfiguration",
"tags": [
"aspire",
@@ -1247,13 +1247,13 @@
"configuration",
"appconfiguration"
],
- "downloads": 95221,
- "version": "13.1.0"
+ "downloads": 114561,
+ "version": "13.1.1"
},
{
"title": "Aspire.Milvus.Client",
"description": "A Milvus client that integrates with Aspire, including logging.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.milvus.client/13.1.0-preview.1.25616.3/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.milvus.client/13.1.1-preview.1.26105.8/icon",
"href": "https://www.nuget.org/packages/Aspire.Milvus.Client",
"tags": [
"aspire",
@@ -1267,13 +1267,13 @@
"search",
"ai-search"
],
- "downloads": 6512,
- "version": "13.1.0-preview.1.25616.3"
+ "downloads": 6652,
+ "version": "13.1.1-preview.1.26105.8"
},
{
"title": "Aspire.MongoDB.Driver",
"description": "A generic MongoDB client that integrates with Aspire.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.mongodb.driver/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.mongodb.driver/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.MongoDB.Driver",
"tags": [
"aspire",
@@ -1285,13 +1285,13 @@
"database",
"mongodb"
],
- "downloads": 199977,
- "version": "13.1.0"
+ "downloads": 206812,
+ "version": "13.1.1"
},
{
"title": "Aspire.MongoDB.Driver.v2",
"description": "A generic MongoDB client (versions 2.x) that integrates with Aspire.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.mongodb.driver.v2/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.mongodb.driver.v2/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.MongoDB.Driver.v2",
"tags": [
"aspire",
@@ -1303,13 +1303,13 @@
"database",
"mongodb"
],
- "downloads": 1466,
- "version": "13.1.0"
+ "downloads": 1591,
+ "version": "13.1.1"
},
{
"title": "Aspire.MySqlConnector",
"description": "A MySQL client that integrates with Aspire, including health checks, metrics, logging, and telemetry.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.mysqlconnector/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.mysqlconnector/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.MySqlConnector",
"tags": [
"aspire",
@@ -1323,13 +1323,13 @@
"mysql",
"sql"
],
- "downloads": 2245196,
- "version": "13.1.0"
+ "downloads": 2314298,
+ "version": "13.1.1"
},
{
"title": "Aspire.NATS.Net",
"description": "A NATS client that integrates with Aspire, including health checks and logging.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.nats.net/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.nats.net/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.NATS.Net",
"tags": [
"aspire",
@@ -1341,13 +1341,13 @@
"messaging",
"eventing"
],
- "downloads": 61015,
- "version": "13.1.0"
+ "downloads": 64879,
+ "version": "13.1.1"
},
{
"title": "Aspire.Npgsql",
"description": "A PostgreSQL® client that integrates with Aspire, including health checks, metrics, logging, and telemetry.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.npgsql/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.npgsql/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.Npgsql",
"tags": [
"aspire",
@@ -1362,13 +1362,13 @@
"npgsql",
"sql"
],
- "downloads": 1769488,
- "version": "13.1.0"
+ "downloads": 2016361,
+ "version": "13.1.1"
},
{
"title": "Aspire.Npgsql.EntityFrameworkCore.PostgreSQL",
"description": "A PostgreSQL® provider for Entity Framework Core that integrates with Aspire, including connection pooling, health checks, logging, and telemetry.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.npgsql.entityframeworkcore.postgresql/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.npgsql.entityframeworkcore.postgresql/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.Npgsql.EntityFrameworkCore.PostgreSQL",
"tags": [
"aspire",
@@ -1389,13 +1389,13 @@
"npgsql",
"sql"
],
- "downloads": 3339200,
- "version": "13.1.0"
+ "downloads": 3565366,
+ "version": "13.1.1"
},
{
"title": "Aspire.OpenAI",
"description": "A client for OpenAI that integrates with Aspire, including metrics and telemetry.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.openai/13.1.0-preview.1.25616.3/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.openai/13.1.1-preview.1.26105.8/icon",
"href": "https://www.nuget.org/packages/Aspire.OpenAI",
"tags": [
"aspire",
@@ -1406,13 +1406,13 @@
"ai",
"openai"
],
- "downloads": 351044,
- "version": "13.1.0-preview.1.25616.3"
+ "downloads": 368149,
+ "version": "13.1.1-preview.1.26105.8"
},
{
"title": "Aspire.Oracle.EntityFrameworkCore",
"description": "An Oracle Database provider for Entity Framework Core that integrates with Aspire, including connection pooling, health check, logging, and telemetry.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.oracle.entityframeworkcore/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.oracle.entityframeworkcore/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.Oracle.EntityFrameworkCore",
"tags": [
"aspire",
@@ -1431,13 +1431,13 @@
"oracle",
"sql"
],
- "downloads": 172827,
- "version": "13.1.0"
+ "downloads": 183396,
+ "version": "13.1.1"
},
{
"title": "Aspire.Pomelo.EntityFrameworkCore.MySql",
"description": "A MySQL provider for Entity Framework Core that integrates with Aspire, including connection pooling, health checks, logging, and telemetry.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.pomelo.entityframeworkcore.mysql/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.pomelo.entityframeworkcore.mysql/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.Pomelo.EntityFrameworkCore.MySql",
"tags": [
"aspire",
@@ -1457,13 +1457,13 @@
"mysql",
"sql"
],
- "downloads": 289214,
- "version": "13.1.0"
+ "downloads": 310615,
+ "version": "13.1.1"
},
{
"title": "Aspire.Qdrant.Client",
"description": "A Qdrant client that integrates with Aspire, including logging.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.qdrant.client/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.qdrant.client/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.Qdrant.Client",
"tags": [
"aspire",
@@ -1476,13 +1476,13 @@
"database",
"ai-search"
],
- "downloads": 70533,
- "version": "13.1.0"
+ "downloads": 73768,
+ "version": "13.1.1"
},
{
"title": "Aspire.RabbitMQ.Client",
"description": "A RabbitMQ client that integrates with Aspire, including health checks, logging, and telemetry.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.rabbitmq.client/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.rabbitmq.client/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.RabbitMQ.Client",
"tags": [
"aspire",
@@ -1497,13 +1497,13 @@
"messaging",
"eventing"
],
- "downloads": 575781,
- "version": "13.1.0"
+ "downloads": 599846,
+ "version": "13.1.1"
},
{
"title": "Aspire.RabbitMQ.Client.v6",
"description": "A RabbitMQ client (versions 6.x) that integrates with Aspire, including health checks, logging, and telemetry.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.rabbitmq.client.v6/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.rabbitmq.client.v6/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.RabbitMQ.Client.v6",
"tags": [
"aspire",
@@ -1518,13 +1518,13 @@
"messaging",
"eventing"
],
- "downloads": 1587,
- "version": "13.1.0"
+ "downloads": 1714,
+ "version": "13.1.1"
},
{
"title": "Aspire.Seq",
"description": "A Seq client that connects an Aspire project's telemetry to Seq.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.seq/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.seq/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.Seq",
"tags": [
"aspire",
@@ -1536,13 +1536,13 @@
"observability",
"logging"
],
- "downloads": 301372,
- "version": "13.1.0"
+ "downloads": 311988,
+ "version": "13.1.1"
},
{
"title": "Aspire.StackExchange.Redis",
"description": "A generic Redis® client that integrates with Aspire, including health checks, logging, and telemetry.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.stackexchange.redis/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.stackexchange.redis/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.StackExchange.Redis",
"tags": [
"aspire",
@@ -1554,13 +1554,13 @@
"caching",
"redis"
],
- "downloads": 3593259,
- "version": "13.1.0"
+ "downloads": 4021430,
+ "version": "13.1.1"
},
{
"title": "Aspire.StackExchange.Redis.DistributedCaching",
"description": "A Redis® implementation for IDistributedCache that integrates with Aspire, including health checks, logging, and telemetry.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.stackexchange.redis.distributedcaching/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.stackexchange.redis.distributedcaching/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.StackExchange.Redis.DistributedCaching",
"tags": [
"aspire",
@@ -1574,13 +1574,13 @@
"distributedcache",
"redis"
],
- "downloads": 1452014,
- "version": "13.1.0"
+ "downloads": 1532319,
+ "version": "13.1.1"
},
{
"title": "Aspire.StackExchange.Redis.OutputCaching",
"description": "A Redis® implementation for ASP.NET Core Output Caching that integrates with Aspire, including health checks, logging, and telemetry.",
- "icon": "https://api.nuget.org/v3-flatcontainer/aspire.stackexchange.redis.outputcaching/13.1.0/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/aspire.stackexchange.redis.outputcaching/13.1.1/icon",
"href": "https://www.nuget.org/packages/Aspire.StackExchange.Redis.OutputCaching",
"tags": [
"aspire",
@@ -1595,13 +1595,13 @@
"outputcache",
"redis"
],
- "downloads": 526459,
- "version": "13.1.0"
+ "downloads": 551258,
+ "version": "13.1.1"
},
{
"title": "CommunityToolkit.Aspire.GoFeatureFlag",
"description": "A GO Feature Flag client that integrates with Aspire, including health checks, logging, and telemetry.",
- "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.gofeatureflag/13.1.2-beta.516/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.gofeatureflag/13.1.2-beta.518/icon",
"href": "https://www.nuget.org/packages/CommunityToolkit.Aspire.GoFeatureFlag",
"tags": [
"aspire",
@@ -1611,13 +1611,13 @@
"gofeatureflag",
"client"
],
- "downloads": 38856,
+ "downloads": 39998,
"version": "13.1.1"
},
{
"title": "CommunityToolkit.Aspire.Hosting.ActiveMQ",
"description": "An Aspire hosting package for hosting ActiveMQ.",
- "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.activemq/13.1.2-beta.516/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.activemq/13.1.2-beta.518/icon",
"href": "https://www.nuget.org/packages/CommunityToolkit.Aspire.Hosting.ActiveMQ",
"tags": [
"aspire",
@@ -1627,13 +1627,13 @@
"hosting",
"activemq"
],
- "downloads": 50743,
+ "downloads": 52228,
"version": "13.1.1"
},
{
"title": "CommunityToolkit.Aspire.Hosting.Adminer",
"description": "An Aspire integration for adminer hosting.",
- "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.adminer/13.1.2-beta.516/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.adminer/13.1.2-beta.518/icon",
"href": "https://www.nuget.org/packages/CommunityToolkit.Aspire.Hosting.Adminer",
"tags": [
"aspire",
@@ -1643,13 +1643,13 @@
"hosting",
"adminer"
],
- "downloads": 71405,
+ "downloads": 78324,
"version": "13.1.1"
},
{
"title": "CommunityToolkit.Aspire.Hosting.Azure.Dapr",
"description": "Azure Dapr support for Aspire.",
- "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.azure.dapr/13.1.2-beta.516/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.azure.dapr/13.1.2-beta.518/icon",
"href": "https://www.nuget.org/packages/CommunityToolkit.Aspire.Hosting.Azure.Dapr",
"tags": [
"aspire",
@@ -1660,13 +1660,13 @@
"dapr",
"azure"
],
- "downloads": 45456,
+ "downloads": 47667,
"version": "13.0.0"
},
{
"title": "CommunityToolkit.Aspire.Hosting.Azure.Dapr.Redis",
"description": "Package Description",
- "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.azure.dapr.redis/13.1.2-beta.516/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.azure.dapr.redis/13.1.2-beta.518/icon",
"href": "https://www.nuget.org/packages/CommunityToolkit.Aspire.Hosting.Azure.Dapr.Redis",
"tags": [
"aspire",
@@ -1674,13 +1674,13 @@
"communitytoolkit",
"dotnetcommunitytoolkit"
],
- "downloads": 36931,
+ "downloads": 37982,
"version": "13.0.0"
},
{
"title": "CommunityToolkit.Aspire.Hosting.Azure.DataApiBuilder",
"description": "An Aspire component leveraging the Data API Builder container.",
- "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.azure.dataapibuilder/13.1.2-beta.516/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.azure.dataapibuilder/13.1.2-beta.518/icon",
"href": "https://www.nuget.org/packages/CommunityToolkit.Aspire.Hosting.Azure.DataApiBuilder",
"tags": [
"aspire",
@@ -1691,9 +1691,26 @@
"dataapibuilder",
"hosting"
],
- "downloads": 53613,
+ "downloads": 55345,
"version": "13.1.1"
},
+ {
+ "title": "CommunityToolkit.Aspire.Hosting.Azure.Extensions",
+ "description": "Azure extensions support for Aspire.",
+ "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.azure.extensions/13.1.2-beta.518/icon",
+ "href": "https://www.nuget.org/packages/CommunityToolkit.Aspire.Hosting.Azure.Extensions",
+ "tags": [
+ "aspire",
+ "integration",
+ "communitytoolkit",
+ "dotnetcommunitytoolkit",
+ "hosting",
+ "azure",
+ "extensions"
+ ],
+ "downloads": 50,
+ "version": "13.1.2-beta.518"
+ },
{
"title": "CommunityToolkit.Aspire.Hosting.Azure.StaticWebApps",
"description": "A hosting package that wraps endpoints with the Azure Static Web Apps emulator.",
@@ -1708,13 +1725,13 @@
"staticwebapps",
"hosting"
],
- "downloads": 39230,
+ "downloads": 40285,
"version": "9.4.0"
},
{
"title": "CommunityToolkit.Aspire.Hosting.Bun",
"description": "An Aspire integration for hosting Bun apps.",
- "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.bun/13.1.2-beta.516/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.bun/13.1.2-beta.518/icon",
"href": "https://www.nuget.org/packages/CommunityToolkit.Aspire.Hosting.Bun",
"tags": [
"aspire",
@@ -1725,13 +1742,13 @@
"bun",
"javascript"
],
- "downloads": 57515,
+ "downloads": 59773,
"version": "13.1.1"
},
{
"title": "CommunityToolkit.Aspire.Hosting.Dapr",
"description": "Dapr support for Aspire.",
- "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.dapr/13.1.2-beta.516/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.dapr/13.1.2-beta.518/icon",
"href": "https://www.nuget.org/packages/CommunityToolkit.Aspire.Hosting.Dapr",
"tags": [
"aspire",
@@ -1741,7 +1758,7 @@
"hosting",
"dapr"
],
- "downloads": 290908,
+ "downloads": 308318,
"version": "13.0.0"
},
{
@@ -1755,13 +1772,13 @@
"communitytoolkit",
"dotnetcommunitytoolkit"
],
- "downloads": 3208,
+ "downloads": 3310,
"version": "9.1.1-beta.197"
},
{
"title": "CommunityToolkit.Aspire.Hosting.DbGate",
"description": "An Aspire integration for dbgate hosting.",
- "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.dbgate/13.1.2-beta.516/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.dbgate/13.1.2-beta.518/icon",
"href": "https://www.nuget.org/packages/CommunityToolkit.Aspire.Hosting.DbGate",
"tags": [
"aspire",
@@ -1771,13 +1788,13 @@
"hosting",
"dbgate"
],
- "downloads": 103869,
+ "downloads": 112232,
"version": "13.1.1"
},
{
"title": "CommunityToolkit.Aspire.Hosting.Deno",
"description": "An Aspire integration for hosting Deno apps.",
- "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.deno/13.1.2-beta.516/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.deno/13.1.2-beta.518/icon",
"href": "https://www.nuget.org/packages/CommunityToolkit.Aspire.Hosting.Deno",
"tags": [
"aspire",
@@ -1787,13 +1804,13 @@
"hosting",
"deno"
],
- "downloads": 51508,
+ "downloads": 52605,
"version": "13.1.1"
},
{
"title": "CommunityToolkit.Aspire.Hosting.Elasticsearch.Extensions",
"description": "An Aspire integration for extending Elasticsearch hosting.",
- "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.elasticsearch.extensions/13.1.2-beta.516/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.elasticsearch.extensions/13.1.2-beta.518/icon",
"href": "https://www.nuget.org/packages/CommunityToolkit.Aspire.Hosting.Elasticsearch.Extensions",
"tags": [
"aspire",
@@ -1804,13 +1821,13 @@
"elasticsearch",
"elasticvue"
],
- "downloads": 952,
+ "downloads": 1223,
"version": "13.1.1"
},
{
"title": "CommunityToolkit.Aspire.Hosting.Flagd",
"description": "flagd is a feature flag evaluation engine. Think of it as a ready-made, open source, OpenFeature-compliant feature flag backend system.",
- "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.flagd/13.1.2-beta.516/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.flagd/13.1.2-beta.518/icon",
"href": "https://www.nuget.org/packages/CommunityToolkit.Aspire.Hosting.Flagd",
"tags": [
"aspire",
@@ -1822,13 +1839,13 @@
"feature-flags",
"openfeature"
],
- "downloads": 8534,
+ "downloads": 9472,
"version": "13.1.1"
},
{
"title": "CommunityToolkit.Aspire.Hosting.Flyway",
"description": "An Aspire integration for Flyway database migration tool.",
- "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.flyway/13.1.2-beta.516/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.flyway/13.1.2-beta.518/icon",
"href": "https://www.nuget.org/packages/CommunityToolkit.Aspire.Hosting.Flyway",
"tags": [
"aspire",
@@ -1839,13 +1856,13 @@
"flyway",
"migration"
],
- "downloads": 2350,
+ "downloads": 3554,
"version": "13.1.1"
},
{
"title": "CommunityToolkit.Aspire.Hosting.GoFeatureFlag",
"description": "GO Feature Flag support for Aspire.",
- "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.gofeatureflag/13.1.2-beta.516/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.gofeatureflag/13.1.2-beta.518/icon",
"href": "https://www.nuget.org/packages/CommunityToolkit.Aspire.Hosting.GoFeatureFlag",
"tags": [
"aspire",
@@ -1855,13 +1872,13 @@
"hosting",
"gofeatureflag"
],
- "downloads": 37914,
+ "downloads": 39116,
"version": "13.1.1"
},
{
"title": "CommunityToolkit.Aspire.Hosting.Golang",
"description": "An Aspire integration for hosting Golang apps.",
- "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.golang/13.1.2-beta.516/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.golang/13.1.2-beta.518/icon",
"href": "https://www.nuget.org/packages/CommunityToolkit.Aspire.Hosting.Golang",
"tags": [
"aspire",
@@ -1871,13 +1888,13 @@
"hosting",
"golang"
],
- "downloads": 67354,
+ "downloads": 71620,
"version": "13.1.1"
},
{
"title": "CommunityToolkit.Aspire.Hosting.Java",
"description": "An Aspire integration for hosting Java apps using either the Java executable or container image.",
- "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.java/13.1.2-beta.516/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.java/13.1.2-beta.518/icon",
"href": "https://www.nuget.org/packages/CommunityToolkit.Aspire.Hosting.Java",
"tags": [
"aspire",
@@ -1887,13 +1904,13 @@
"hosting",
"java"
],
- "downloads": 56430,
+ "downloads": 57881,
"version": "13.1.1"
},
{
"title": "CommunityToolkit.Aspire.Hosting.JavaScript.Extensions",
"description": "An Aspire integration for hosting NodeJS apps using Vite, Yarn, PNPM, or NPM.",
- "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.javascript.extensions/13.1.2-beta.516/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.javascript.extensions/13.1.2-beta.518/icon",
"href": "https://www.nuget.org/packages/CommunityToolkit.Aspire.Hosting.JavaScript.Extensions",
"tags": [
"aspire",
@@ -1907,13 +1924,13 @@
"pnpm",
"npm"
],
- "downloads": 14473,
+ "downloads": 20441,
"version": "13.1.1"
},
{
"title": "CommunityToolkit.Aspire.Hosting.k6",
"description": "Grafana k6 support for Aspire.",
- "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.k6/13.1.2-beta.516/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.k6/13.1.2-beta.518/icon",
"href": "https://www.nuget.org/packages/CommunityToolkit.Aspire.Hosting.k6",
"tags": [
"aspire",
@@ -1923,13 +1940,13 @@
"hosting",
"k6"
],
- "downloads": 33651,
+ "downloads": 34821,
"version": "13.1.1"
},
{
"title": "CommunityToolkit.Aspire.Hosting.Keycloak.Extensions",
"description": "Aspire hosting extensions for Keycloak (includes PostgreSQL integration).",
- "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.keycloak.extensions/13.1.2-beta.516/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.keycloak.extensions/13.1.2-beta.518/icon",
"href": "https://www.nuget.org/packages/CommunityToolkit.Aspire.Hosting.Keycloak.Extensions",
"tags": [
"aspire",
@@ -1941,13 +1958,13 @@
"hosting",
"extensions"
],
- "downloads": 6201,
- "version": "13.1.2-beta.516"
+ "downloads": 6547,
+ "version": "13.1.2-beta.518"
},
{
"title": "CommunityToolkit.Aspire.Hosting.KurrentDB",
"description": "KurrentDB support for Aspire.",
- "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.kurrentdb/13.1.2-beta.516/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.kurrentdb/13.1.2-beta.518/icon",
"href": "https://www.nuget.org/packages/CommunityToolkit.Aspire.Hosting.KurrentDB",
"tags": [
"aspire",
@@ -1957,13 +1974,13 @@
"hosting",
"kurrentdb"
],
- "downloads": 6633,
+ "downloads": 6908,
"version": "13.1.1"
},
{
"title": "CommunityToolkit.Aspire.Hosting.LavinMQ",
"description": "An Aspire hosting package for hosting LavinMQ.",
- "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.lavinmq/13.1.2-beta.516/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.lavinmq/13.1.2-beta.518/icon",
"href": "https://www.nuget.org/packages/CommunityToolkit.Aspire.Hosting.LavinMQ",
"tags": [
"aspire",
@@ -1973,13 +1990,13 @@
"hosting",
"lavinmq"
],
- "downloads": 36038,
+ "downloads": 36826,
"version": "13.1.1"
},
{
"title": "CommunityToolkit.Aspire.Hosting.MailPit",
"description": "An Aspire component leveraging the MailPit container.",
- "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.mailpit/13.1.2-beta.516/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.mailpit/13.1.2-beta.518/icon",
"href": "https://www.nuget.org/packages/CommunityToolkit.Aspire.Hosting.MailPit",
"tags": [
"aspire",
@@ -1990,13 +2007,13 @@
"smtp",
"hosting"
],
- "downloads": 104239,
+ "downloads": 113870,
"version": "13.1.1"
},
{
"title": "CommunityToolkit.Aspire.Hosting.McpInspector",
"description": "An Aspire to run the MCP Inspector against a MCP server.",
- "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.mcpinspector/13.1.2-beta.516/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.mcpinspector/13.1.2-beta.518/icon",
"href": "https://www.nuget.org/packages/CommunityToolkit.Aspire.Hosting.McpInspector",
"tags": [
"aspire",
@@ -2008,13 +2025,13 @@
"debugging",
"hosting"
],
- "downloads": 26680,
+ "downloads": 28495,
"version": "13.1.1"
},
{
"title": "CommunityToolkit.Aspire.Hosting.Meilisearch",
"description": "Meilisearch support for Aspire.",
- "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.meilisearch/13.1.2-beta.516/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.meilisearch/13.1.2-beta.518/icon",
"href": "https://www.nuget.org/packages/CommunityToolkit.Aspire.Hosting.Meilisearch",
"tags": [
"aspire",
@@ -2024,13 +2041,13 @@
"hosting",
"meilisearch"
],
- "downloads": 51716,
+ "downloads": 53239,
"version": "13.1.1"
},
{
"title": "CommunityToolkit.Aspire.Hosting.Minio",
"description": "An Aspire hosting integration for MinIO",
- "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.minio/13.1.2-beta.516/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.minio/13.1.2-beta.518/icon",
"href": "https://www.nuget.org/packages/CommunityToolkit.Aspire.Hosting.Minio",
"tags": [
"aspire",
@@ -2042,13 +2059,13 @@
"cloud",
"storage"
],
- "downloads": 51644,
+ "downloads": 59054,
"version": "13.1.1"
},
{
"title": "CommunityToolkit.Aspire.Hosting.MongoDB.Extensions",
"description": "An Aspire integration for extending mongodb hosting.",
- "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.mongodb.extensions/13.1.2-beta.516/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.mongodb.extensions/13.1.2-beta.518/icon",
"href": "https://www.nuget.org/packages/CommunityToolkit.Aspire.Hosting.MongoDB.Extensions",
"tags": [
"aspire",
@@ -2059,13 +2076,13 @@
"mongodb",
"dbgate"
],
- "downloads": 45108,
+ "downloads": 46722,
"version": "13.1.1"
},
{
"title": "CommunityToolkit.Aspire.Hosting.MySql.Extensions",
"description": "An Aspire integration for extending mysql hosting.",
- "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.mysql.extensions/13.1.2-beta.516/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.mysql.extensions/13.1.2-beta.518/icon",
"href": "https://www.nuget.org/packages/CommunityToolkit.Aspire.Hosting.MySql.Extensions",
"tags": [
"aspire",
@@ -2076,13 +2093,13 @@
"mysql",
"dbgate"
],
- "downloads": 23312,
+ "downloads": 24315,
"version": "13.1.1"
},
{
"title": "CommunityToolkit.Aspire.Hosting.Ngrok",
"description": "An Aspire integration for exposing hosted applications via secure, public URLs using ngrok.",
- "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.ngrok/13.1.2-beta.516/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.ngrok/13.1.2-beta.518/icon",
"href": "https://www.nuget.org/packages/CommunityToolkit.Aspire.Hosting.Ngrok",
"tags": [
"aspire",
@@ -2093,13 +2110,13 @@
"ngrok",
"tunnels"
],
- "downloads": 62905,
+ "downloads": 66514,
"version": "13.1.1"
},
{
"title": "CommunityToolkit.Aspire.Hosting.Ollama",
"description": "An Aspire integration leveraging the Ollama container with support for downloading a model on startup.",
- "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.ollama/13.1.2-beta.516/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.ollama/13.1.2-beta.518/icon",
"href": "https://www.nuget.org/packages/CommunityToolkit.Aspire.Hosting.Ollama",
"tags": [
"aspire",
@@ -2110,13 +2127,13 @@
"ollama",
"ai"
],
- "downloads": 201065,
+ "downloads": 208707,
"version": "13.1.1"
},
{
"title": "CommunityToolkit.Aspire.Hosting.OpenTelemetryCollector",
"description": "An Aspire component to add an OpenTelemetry Collector into the OTLP pipeline",
- "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.opentelemetrycollector/13.1.2-beta.516/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.opentelemetrycollector/13.1.2-beta.518/icon",
"href": "https://www.nuget.org/packages/CommunityToolkit.Aspire.Hosting.OpenTelemetryCollector",
"tags": [
"aspire",
@@ -2126,13 +2143,13 @@
"opentelemetry",
"observability"
],
- "downloads": 12008,
+ "downloads": 13168,
"version": "13.1.1"
},
{
"title": "CommunityToolkit.Aspire.Hosting.PapercutSmtp",
"description": "An Aspire component leveraging Papercut SMTP container.",
- "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.papercutsmtp/13.1.2-beta.516/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.papercutsmtp/13.1.2-beta.518/icon",
"href": "https://www.nuget.org/packages/CommunityToolkit.Aspire.Hosting.PapercutSmtp",
"tags": [
"aspire",
@@ -2143,13 +2160,13 @@
"smtp",
"hosting"
],
- "downloads": 42102,
+ "downloads": 43649,
"version": "13.1.1"
},
{
"title": "CommunityToolkit.Aspire.Hosting.PostgreSQL.Extensions",
"description": "An Aspire integration for extending postgres hosting.",
- "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.postgresql.extensions/13.1.2-beta.516/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.postgresql.extensions/13.1.2-beta.518/icon",
"href": "https://www.nuget.org/packages/CommunityToolkit.Aspire.Hosting.PostgreSQL.Extensions",
"tags": [
"aspire",
@@ -2160,13 +2177,13 @@
"postgres",
"dbgate"
],
- "downloads": 55974,
+ "downloads": 58546,
"version": "13.1.1"
},
{
"title": "CommunityToolkit.Aspire.Hosting.PowerShell",
"description": "Run powershell scripts in-process with your Aspire AppHost, injecting aspire resources and/or object instances as variables, using the command lines tools of your choice like azure cli, azd, or any other terminal tools.",
- "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.powershell/13.1.2-beta.516/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.powershell/13.1.2-beta.518/icon",
"href": "https://www.nuget.org/packages/CommunityToolkit.Aspire.Hosting.PowerShell",
"tags": [
"aspire",
@@ -2179,13 +2196,13 @@
"script",
"hosting"
],
- "downloads": 27287,
+ "downloads": 29605,
"version": "13.1.1"
},
{
"title": "CommunityToolkit.Aspire.Hosting.Python.Extensions",
"description": "An Aspire integration for hosting Uvicorn apps.",
- "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.python.extensions/13.1.2-beta.516/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.python.extensions/13.1.2-beta.518/icon",
"href": "https://www.nuget.org/packages/CommunityToolkit.Aspire.Hosting.Python.Extensions",
"tags": [
"aspire",
@@ -2196,13 +2213,13 @@
"uvicorn",
"python"
],
- "downloads": 58009,
+ "downloads": 60251,
"version": "13.1.1"
},
{
"title": "CommunityToolkit.Aspire.Hosting.RavenDB",
"description": "An Aspire integration leveraging the RavenDB container.",
- "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.ravendb/13.1.2-beta.516/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.ravendb/13.1.2-beta.518/icon",
"href": "https://www.nuget.org/packages/CommunityToolkit.Aspire.Hosting.RavenDB",
"tags": [
"aspire",
@@ -2212,13 +2229,13 @@
"hosting",
"ravendb"
],
- "downloads": 48170,
+ "downloads": 49562,
"version": "13.1.1"
},
{
"title": "CommunityToolkit.Aspire.Hosting.Redis.Extensions",
"description": "An Aspire integration for extending redis hosting.",
- "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.redis.extensions/13.1.2-beta.516/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.redis.extensions/13.1.2-beta.518/icon",
"href": "https://www.nuget.org/packages/CommunityToolkit.Aspire.Hosting.Redis.Extensions",
"tags": [
"aspire",
@@ -2229,13 +2246,13 @@
"redis",
"dbgate"
],
- "downloads": 47926,
+ "downloads": 49917,
"version": "13.1.1"
},
{
"title": "CommunityToolkit.Aspire.Hosting.Rust",
"description": "An Aspire integration for hosting Rust apps.",
- "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.rust/13.1.2-beta.516/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.rust/13.1.2-beta.518/icon",
"href": "https://www.nuget.org/packages/CommunityToolkit.Aspire.Hosting.Rust",
"tags": [
"aspire",
@@ -2245,13 +2262,13 @@
"hosting",
"rust"
],
- "downloads": 49530,
+ "downloads": 50808,
"version": "13.1.1"
},
{
"title": "CommunityToolkit.Aspire.Hosting.Sftp",
"description": "Aspire hosting integration for the atmoz SFTP container image.",
- "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.sftp/13.1.2-beta.516/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.sftp/13.1.2-beta.518/icon",
"href": "https://www.nuget.org/packages/CommunityToolkit.Aspire.Hosting.Sftp",
"tags": [
"aspire",
@@ -2262,13 +2279,13 @@
"sftp",
"hosting"
],
- "downloads": 933,
+ "downloads": 1487,
"version": "13.1.1"
},
{
"title": "CommunityToolkit.Aspire.Hosting.Solr",
"description": "An Aspire hosting integration for Apache Solr.",
- "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.solr/13.1.2-beta.516/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.solr/13.1.2-beta.518/icon",
"href": "https://www.nuget.org/packages/CommunityToolkit.Aspire.Hosting.Solr",
"tags": [
"aspire",
@@ -2276,13 +2293,13 @@
"communitytoolkit",
"dotnetcommunitytoolkit"
],
- "downloads": 9639,
+ "downloads": 9845,
"version": "13.1.1"
},
{
"title": "CommunityToolkit.Aspire.Hosting.SqlDatabaseProjects",
"description": "An Aspire hosting integration capable of deploying SQL Server Database Projects as part of your AppHost.",
- "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.sqldatabaseprojects/13.1.2-beta.516/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.sqldatabaseprojects/13.1.2-beta.518/icon",
"href": "https://www.nuget.org/packages/CommunityToolkit.Aspire.Hosting.SqlDatabaseProjects",
"tags": [
"aspire",
@@ -2293,13 +2310,13 @@
"sql",
"sqlproj"
],
- "downloads": 129636,
+ "downloads": 137775,
"version": "13.1.1"
},
{
"title": "CommunityToolkit.Aspire.Hosting.Sqlite",
"description": "An Aspire hosting integration for providing a Sqlite database connection.",
- "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.sqlite/13.1.2-beta.516/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.sqlite/13.1.2-beta.518/icon",
"href": "https://www.nuget.org/packages/CommunityToolkit.Aspire.Hosting.Sqlite",
"tags": [
"aspire",
@@ -2310,13 +2327,13 @@
"sql",
"sqlite"
],
- "downloads": 55773,
+ "downloads": 57417,
"version": "13.1.1"
},
{
"title": "CommunityToolkit.Aspire.Hosting.SqlServer.Extensions",
"description": "An Aspire integration for extending sqlserver hosting.",
- "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.sqlserver.extensions/13.1.2-beta.516/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.sqlserver.extensions/13.1.2-beta.518/icon",
"href": "https://www.nuget.org/packages/CommunityToolkit.Aspire.Hosting.SqlServer.Extensions",
"tags": [
"aspire",
@@ -2327,13 +2344,13 @@
"sqlserver",
"dbgate"
],
- "downloads": 71720,
+ "downloads": 77459,
"version": "13.1.1"
},
{
"title": "CommunityToolkit.Aspire.Hosting.Stripe",
"description": "An Aspire integration for the Stripe CLI for local webhook forwarding and testing.",
- "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.stripe/13.1.2-beta.516/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.stripe/13.1.2-beta.518/icon",
"href": "https://www.nuget.org/packages/CommunityToolkit.Aspire.Hosting.Stripe",
"tags": [
"aspire",
@@ -2345,13 +2362,13 @@
"payments",
"webhooks"
],
- "downloads": 1060,
+ "downloads": 1199,
"version": "13.1.1"
},
{
"title": "CommunityToolkit.Aspire.Hosting.SurrealDb",
"description": "SurrealDB support for Aspire.",
- "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.surrealdb/13.1.2-beta.516/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.surrealdb/13.1.2-beta.518/icon",
"href": "https://www.nuget.org/packages/CommunityToolkit.Aspire.Hosting.SurrealDb",
"tags": [
"aspire",
@@ -2361,13 +2378,29 @@
"hosting",
"surrealdb"
],
- "downloads": 16081,
+ "downloads": 16435,
"version": "13.1.1"
},
+ {
+ "title": "CommunityToolkit.Aspire.Hosting.Umami",
+ "description": "Umami support for Aspire.",
+ "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.hosting.umami/13.1.2-beta.518/icon",
+ "href": "https://www.nuget.org/packages/CommunityToolkit.Aspire.Hosting.Umami",
+ "tags": [
+ "aspire",
+ "integration",
+ "communitytoolkit",
+ "dotnetcommunitytoolkit",
+ "hosting",
+ "umami"
+ ],
+ "downloads": 37,
+ "version": "13.1.2-beta.518"
+ },
{
"title": "CommunityToolkit.Aspire.KurrentDB",
"description": "A KurrentDB client that integrates with Aspire, including health checks, logging, and telemetry.",
- "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.kurrentdb/13.1.2-beta.516/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.kurrentdb/13.1.2-beta.518/icon",
"href": "https://www.nuget.org/packages/CommunityToolkit.Aspire.KurrentDB",
"tags": [
"aspire",
@@ -2377,13 +2410,13 @@
"kurrentdb",
"client"
],
- "downloads": 6597,
+ "downloads": 6899,
"version": "13.1.1"
},
{
"title": "CommunityToolkit.Aspire.MassTransit.RabbitMQ",
"description": "An Aspire client integration for MassTransit RabbitMQ.",
- "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.masstransit.rabbitmq/13.1.2-beta.516/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.masstransit.rabbitmq/13.1.2-beta.518/icon",
"href": "https://www.nuget.org/packages/CommunityToolkit.Aspire.MassTransit.RabbitMQ",
"tags": [
"aspire",
@@ -2394,13 +2427,13 @@
"masstransit",
"rabbitmq"
],
- "downloads": 58495,
+ "downloads": 60142,
"version": "13.1.1"
},
{
"title": "CommunityToolkit.Aspire.Meilisearch",
"description": "A Meilisearch client that integrates with Aspire, including health checks, logging, and telemetry.",
- "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.meilisearch/13.1.2-beta.516/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.meilisearch/13.1.2-beta.518/icon",
"href": "https://www.nuget.org/packages/CommunityToolkit.Aspire.Meilisearch",
"tags": [
"aspire",
@@ -2410,13 +2443,13 @@
"meilisearch",
"client"
],
- "downloads": 57776,
+ "downloads": 59667,
"version": "13.1.1"
},
{
"title": "CommunityToolkit.Aspire.Microsoft.Data.Sqlite",
"description": "An Aspire client integration for the Microsoft.Data.Sqlite.Core package.",
- "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.microsoft.data.sqlite/13.1.2-beta.516/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.microsoft.data.sqlite/13.1.2-beta.518/icon",
"href": "https://www.nuget.org/packages/CommunityToolkit.Aspire.Microsoft.Data.Sqlite",
"tags": [
"aspire",
@@ -2428,13 +2461,13 @@
"data",
"ado.net"
],
- "downloads": 42010,
+ "downloads": 43020,
"version": "13.1.1"
},
{
"title": "CommunityToolkit.Aspire.Microsoft.EntityFrameworkCore.Sqlite",
"description": "An Aspire client integration for the Microsoft.EntityFrameworkCore.Sqlite package.",
- "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.microsoft.entityframeworkcore.sqlite/13.1.2-beta.516/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.microsoft.entityframeworkcore.sqlite/13.1.2-beta.518/icon",
"href": "https://www.nuget.org/packages/CommunityToolkit.Aspire.Microsoft.EntityFrameworkCore.Sqlite",
"tags": [
"aspire",
@@ -2449,13 +2482,13 @@
"ef",
"orm"
],
- "downloads": 50926,
+ "downloads": 52221,
"version": "9.7.2"
},
{
"title": "CommunityToolkit.Aspire.Minio.Client",
"description": "An Aspire client integration for MinIO",
- "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.minio.client/13.1.2-beta.516/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.minio.client/13.1.2-beta.518/icon",
"href": "https://www.nuget.org/packages/CommunityToolkit.Aspire.Minio.Client",
"tags": [
"aspire",
@@ -2467,13 +2500,13 @@
"cloud",
"storage"
],
- "downloads": 28205,
+ "downloads": 32101,
"version": "13.1.1"
},
{
"title": "CommunityToolkit.Aspire.OllamaSharp",
"description": "An Aspire client integration for the OllamaSharp library.",
- "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.ollamasharp/13.1.2-beta.516/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.ollamasharp/13.1.2-beta.518/icon",
"href": "https://www.nuget.org/packages/CommunityToolkit.Aspire.OllamaSharp",
"tags": [
"aspire",
@@ -2485,13 +2518,13 @@
"ollamasharp",
"client"
],
- "downloads": 232801,
+ "downloads": 244440,
"version": "13.1.1"
},
{
"title": "CommunityToolkit.Aspire.RavenDB.Client",
"description": "An Aspire client integration for the RavenDB.Client library.",
- "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.ravendb.client/13.1.2-beta.516/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.ravendb.client/13.1.2-beta.518/icon",
"href": "https://www.nuget.org/packages/CommunityToolkit.Aspire.RavenDB.Client",
"tags": [
"aspire",
@@ -2501,13 +2534,13 @@
"client",
"ravendb"
],
- "downloads": 53919,
+ "downloads": 55334,
"version": "13.1.1"
},
{
"title": "CommunityToolkit.Aspire.Sftp",
"description": "An SFTP client that integrates with Aspire, including health checks, logging, and telemetry.",
- "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.sftp/13.1.2-beta.516/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.sftp/13.1.2-beta.518/icon",
"href": "https://www.nuget.org/packages/CommunityToolkit.Aspire.Sftp",
"tags": [
"aspire",
@@ -2517,13 +2550,13 @@
"sftp",
"client"
],
- "downloads": 763,
+ "downloads": 1046,
"version": "13.1.1"
},
{
"title": "CommunityToolkit.Aspire.SurrealDb",
"description": "A SurrealDB client that integrates with Aspire, including health checks, logging, and telemetry.",
- "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.surrealdb/13.1.2-beta.516/icon",
+ "icon": "https://api.nuget.org/v3-flatcontainer/communitytoolkit.aspire.surrealdb/13.1.2-beta.518/icon",
"href": "https://www.nuget.org/packages/CommunityToolkit.Aspire.SurrealDb",
"tags": [
"aspire",
@@ -2533,7 +2566,7 @@
"surrealdb",
"client"
],
- "downloads": 15751,
+ "downloads": 16104,
"version": "13.1.1"
}
]
\ No newline at end of file