Skip to content
Docs Try Aspire

Multi-language integrations

Preview feature

Aspire hosting integrations are C# libraries that extend the AppHost with new resource types. By default, these integrations are only available in C# AppHosts. To make them available in TypeScript AppHosts, you annotate your APIs with ATS (Aspire Type System) attributes.

This guide walks you through the process of exporting your integration for multi-language use.

When a TypeScript AppHost adds your integration, the Aspire CLI:

  1. Loads your integration assembly
  2. Scans for ATS attributes on methods, types, and properties, such as [AspireExport].
  3. Generates a typed TypeScript SDK with matching methods
  4. The generated SDK communicates with your C# code via JSON-RPC at runtime

Your C# code runs as-is — the TypeScript SDK is a thin client that calls into it. You don’t need to rewrite anything in TypeScript.

The 📦 Aspire.Hosting.Integration.Analyzers package provides build-time validation that catches common export mistakes. Add it to your integration project:

XML — MyIntegration.csproj
<PackageReference Include="Aspire.Hosting.Integration.Analyzers" Version="13.2.0">
<PrivateAssets>all</PrivateAssets>
<IncludeAssets>runtime; build; native; contentfiles; analyzers</IncludeAssets>
</PackageReference>

The analyzer reports diagnostics that help you get your exports right before users encounter runtime errors. Common scenarios include detecting incompatible parameter types, missing export annotations on public methods, duplicate export IDs, and synchronous callbacks that could deadlock in multi-language app hosts.

Suppress the experimental diagnostic in your project file:

XML — MyIntegration.csproj
<PropertyGroup>
<NoWarn>$(NoWarn);ASPIREATS001</NoWarn>
</PropertyGroup>

Then annotate your extension methods with [AspireExport]:

C# — MyDatabaseBuilderExtensions.cs
[AspireExport("addMyDatabase", Description = "Adds a MyDatabase container resource")]
public static IResourceBuilder<MyDatabaseResource> AddMyDatabase(
this IDistributedApplicationBuilder builder,
[ResourceName] string name,
int? port = null)
{
// Your existing implementation...
}
[AspireExport("addDatabase", Description = "Adds a database to the MyDatabase server")]
public static IResourceBuilder<MyDatabaseDatabaseResource> AddDatabase(
this IResourceBuilder<MyDatabaseResource> builder,
[ResourceName] string name,
string? databaseName = null)
{
// Your existing implementation...
}
[AspireExport("withDataVolume", Description = "Adds a data volume to the MyDatabase server")]
public static IResourceBuilder<MyDatabaseResource> WithDataVolume(
this IResourceBuilder<MyDatabaseResource> builder,
string? name = null)
{
// Your existing implementation...
}

This generates the following highlighted TypeScript APIs:

TypeScript — Generated SDK
import { createBuilder } from './.modules/aspire.js';
const builder = await createBuilder();
const db = await builder
.addMyDatabase("db", { port: 5432 })
.addDatabase("mydata")
.withDataVolume();
const app = await builder.build();
await app.run();

Mark your resource types with [AspireExport] so the TypeScript SDK can reference them as typed handles. Set ExposeProperties = true to make the resource’s properties accessible as get/set capabilities — most resources should include this:

C# — MyDatabaseResource.cs
[AspireExport(ExposeProperties = true)]
public sealed class MyDatabaseResource(string name)
: ContainerResource(name), IResourceWithConnectionString
{
/// <summary>
/// Gets the primary endpoint for the database.
/// </summary>
public EndpointReference PrimaryEndpoint => new(this, "tcp");
/// <summary>
/// Internal implementation detail — not exported.
/// </summary>
[AspireExportIgnore]
public string InternalConnectionPool { get; set; } = "";
}
[AspireExport]
public sealed class MyDatabaseDatabaseResource(string name, MyDatabaseResource parent)
: Resource(name)
{
// Your existing implementation...
}

When ExposeProperties = true, each public property becomes a capability in the generated SDK. Use [AspireExportIgnore] on properties that shouldn’t be exposed.

You can also set ExposeMethods = true to export public instance methods as capabilities:

C# — Context type with exposed methods
[AspireExport(ExposeProperties = true, ExposeMethods = true)]
public class EnvironmentCallbackContext
{
public Dictionary<string, object> EnvironmentVariables { get; }
public void AddEnvironmentVariable(string key, string value)
{
EnvironmentVariables[key] = value;
}
}

If your integration accepts structured configuration, mark the options class with [AspireDto]. DTOs are serialized as JSON between the TypeScript AppHost and the .NET runtime:

C# — MyDatabaseOptions.cs
[AspireDto]
public sealed class AddMyDatabaseOptions
{
public required string Name { get; init; }
public int? Port { get; init; }
public string? ImageTag { get; init; }
}

Some C# overloads use types that can’t be represented in TypeScript (e.g., Action<T> delegates with non-serializable contexts, interpolated string handlers, or C#-specific types). Mark these with [AspireExportIgnore]:

C# — Exclude incompatible overloads
// This overload works in TypeScript — simple parameters
[AspireExport("withConnectionStringLimit", Description = "Sets connection limit")]
public static IResourceBuilder<MyDatabaseResource> WithConnectionStringLimit(
this IResourceBuilder<MyDatabaseResource> builder,
int maxConnections)
{
// ...
}
// This overload uses a C#-specific type — exclude it
[AspireExportIgnore(Reason = "ForwarderConfig is not ATS-compatible. Use the DTO-based overload.")]
public static IResourceBuilder<MyDatabaseResource> WithConnectionStringLimit(
this IResourceBuilder<MyDatabaseResource> builder,
ForwarderConfig config)
{
// ...
}

When a parameter accepts multiple types, use [AspireUnion] to declare the valid options:

C# — Union type parameter
[AspireExport("withEnvironment", Description = "Sets an environment variable")]
public static IResourceBuilder<T> WithEnvironment<T>(
this IResourceBuilder<T> builder,
string name,
[AspireUnion(typeof(string), typeof(ReferenceExpression), typeof(EndpointReference))]
object value)
where T : IResourceWithEnvironment
{
// ...
}

All types in the union must be ATS-compatible. The analyzer (ASPIREEXPORT005, ASPIREEXPORT006) validates union declarations at build time.

The Aspire.Hosting.Integration.Analyzers package reports these diagnostics:

IDSeverityDescription
ASPIREEXPORT001Error[AspireExport] method must be static
ASPIREEXPORT002ErrorInvalid export ID format (must match [a-zA-Z][a-zA-Z0-9.]*)
ASPIREEXPORT003ErrorReturn type is not ATS-compatible
ASPIREEXPORT004ErrorParameter type is not ATS-compatible
ASPIREEXPORT005Warning[AspireUnion] requires at least 2 types
ASPIREEXPORT006WarningUnion type is not ATS-compatible
ASPIREEXPORT007WarningDuplicate export ID for the same target type
ASPIREEXPORT008WarningPublic extension method on exported type missing [AspireExport] or [AspireExportIgnore]
ASPIREEXPORT009WarningExport name may collide with other integrations
ASPIREEXPORT010WarningSynchronous callback invoked inline — may deadlock in multi-language app hosts

A clean build with zero analyzer warnings means your integration is ready for multi-language use.

You can test your integration locally without publishing to a NuGet feed. In your TypeScript AppHost’s aspire.config.json, set the package value to a .csproj path instead of a version number:

JSON — aspire.config.json
{
"appHost": {
"path": "apphost.ts",
"language": "typescript/nodejs"
},
"packages": {
"Aspire.Hosting.Redis": "13.2.0",
"MyCompany.Hosting.MyDatabase": "../src/MyCompany.Hosting.MyDatabase/MyCompany.Hosting.MyDatabase.csproj"
}
}

When the CLI detects a .csproj path, it builds the project locally and generates the TypeScript SDK from the resulting assemblies. This lets you iterate on your exports without publishing to a feed.

  1. Create a TypeScript AppHost for testing:

    Create test AppHost
    mkdir test-apphost && cd test-apphost
    aspire init --language typescript
  2. Add your integration via project reference in aspire.config.json:

    JSON — aspire.config.json (packages section)
    {
    "packages": {
    "MyCompany.Hosting.MyDatabase": "../src/MyCompany.Hosting.MyDatabase/MyCompany.Hosting.MyDatabase.csproj"
    }
    }
  3. Run aspire run to generate the TypeScript SDK:

    Generate SDK and start
    aspire run
  4. Check the generated .modules/ directory for your integration’s TypeScript types. Verify that your exported methods appear with the correct signatures.

  5. Use the generated API in apphost.ts:

    TypeScript — apphost.ts
    import { createBuilder } from './.modules/aspire.js';
    const builder = await createBuilder();
    const db = await builder
    .addMyDatabase('db', { port: 5432 })
    .addDatabase('mydata')
    .withDataVolume();
    await builder.build().run();

The following types are ATS-compatible and can be used in exported method signatures:

CategoryTypes
Primitivesstring, bool, int, long, float, double, decimal
Value typesDateTime, TimeSpan, Guid, Uri
EnumsAny enum type
HandlesIResourceBuilder<T>, IDistributedApplicationBuilder, resource types marked with [AspireExport]
DTOsClasses/structs marked with [AspireDto]
CollectionsList<T>, Dictionary<string, T>, arrays — where T is ATS-compatible
DelegatesAction<T>, Func<T>, and other delegate types (use RunSyncOnBackgroundThread = true for synchronous delegates invoked inline)
ServicesILogger, IServiceProvider, IConfiguration (already exported by the core framework)
SpecialParameterResource, ReferenceExpression, EndpointReference, CancellationToken
NullableAny of the above as nullable (T?)

Types that are not ATS-compatible include: interpolated string handlers and custom complex types without [AspireExport] or [AspireDto].