Skip to content

Conversation

@twsouthwick
Copy link
Member

@twsouthwick twsouthwick commented Jun 12, 2025

This change adds a new way to configure the framework application for use with incremental migration that unlocks a lot of goodness from Aspire.

Here's an example of traces showing the incremental migration steps:

Screenshot 2025-06-11 164411

Here's a screen shot of the metrics gathered on the framework application:

image

This is enabled by the following:

  • An IHostApplicationBuilder-derived HttpApplicationHostBuilder following the pattern of the WebApplicationBuilder
  • An IHost-derived HttpApplicationHost following the pattern of WebApplication

Once these are available (and hooked up), then a lot of the APIs for the Aspire-related ServiceDefaults becomes available (at least for the stuff that supports .NET Standard/.NET Framework). To see how the samples make use of this, see:

public static class SampleServiceExtensions
{
public static TBuilder AddServiceDefaults<TBuilder>(this TBuilder builder) where TBuilder : IHostApplicationBuilder
{
builder.ConfigureOpenTelemetry();
builder.AddDefaultHealthChecks();
#if NET
builder.Services.AddServiceDiscovery();
#endif
builder.Services.ConfigureHttpClientDefaults(http =>
{
// Turn on resilience by default
http.AddStandardResilienceHandler();
#if NET
// Turn on service discovery by default
http.AddServiceDiscovery();
#endif
});
// Uncomment the following to restrict the allowed schemes for service discovery.
// builder.Services.Configure<ServiceDiscoveryOptions>(options =>
// {
// options.AllowedSchemes = ["https"];
// });
return builder;
}
public static TBuilder ConfigureOpenTelemetry<TBuilder>(this TBuilder builder) where TBuilder : IHostApplicationBuilder
{
builder.Logging.AddOpenTelemetry(logging =>
{
logging.IncludeFormattedMessage = true;
logging.IncludeScopes = true;
});
builder.Services.AddOpenTelemetry()
.WithMetrics(metrics =>
{
metrics
#if NET
.AddAspNetCoreInstrumentation()
#else
.AddAspNetInstrumentation()
#endif
.AddSqlClientInstrumentation()
.AddHttpClientInstrumentation()
.AddRuntimeInstrumentation();
})
.WithTracing(tracing =>
{
tracing.AddSource(builder.Environment.ApplicationName)
#if NET
.AddAspNetCoreInstrumentation()
#else
.AddAspNetInstrumentation()
#endif
.AddSqlClientInstrumentation()
.AddHttpClientInstrumentation();
});
builder.AddOpenTelemetryExporters();
return builder;
}
private static TBuilder AddOpenTelemetryExporters<TBuilder>(this TBuilder builder) where TBuilder : IHostApplicationBuilder
{
var otlpEndpoint = builder.Configuration["OTEL_EXPORTER_OTLP_ENDPOINT"];
var useOtlpExporter = !string.IsNullOrWhiteSpace(otlpEndpoint);
if (useOtlpExporter)
{
builder.Services.AddOpenTelemetry().UseOtlpExporter();
}
// Uncomment the following lines to enable the Azure Monitor exporter (requires the Azure.Monitor.OpenTelemetry.AspNetCore package)
//if (!string.IsNullOrEmpty(builder.Configuration["APPLICATIONINSIGHTS_CONNECTION_STRING"]))
//{
// builder.Services.AddOpenTelemetry()
// .UseAzureMonitor();
//}
return builder;
}
public static TBuilder AddDefaultHealthChecks<TBuilder>(this TBuilder builder) where TBuilder : IHostApplicationBuilder
{
builder.Services.AddHealthChecks()
// Add a default liveness check to ensure app is responsive
.AddCheck("self", () => HealthCheckResult.Healthy(), ["live"]);
return builder;
}
#if NET
public static WebApplication MapDefaultEndpoints(this WebApplication app)
{
// Adding health checks endpoints to applications in non-development environments has security implications.
// See https://aka.ms/dotnet/aspire/healthchecks for details before enabling these endpoints in non-development environments.
if (app.Environment.IsDevelopment())
{
// All health checks must pass for app to be considered ready to accept traffic after starting
app.MapHealthChecks("/health");
// Only health checks tagged with the "live" tag must pass for app to be considered alive
app.MapHealthChecks("/alive", new HealthCheckOptions
{
Predicate = r => r.Tags.Contains("live")
});
}
return app;
}
#endif
}

This adds a HttpApplication-derived type that facillitates building with the IHostApplicationBuilder. This allows a lot of the patterns used in modern ASP.NET Core applications to be available in ASP.NET Framework, including simplified hooking up of Aspire components/telemetry/etc.
@twsouthwick
Copy link
Member Author

@CZEMacLeod I'd appreciate any of your thoughts here. It was partially inspired by some of your work - but wanted it minimize any specialized overloads that need to be configured to keep it pretty open

@twsouthwick twsouthwick requested review from joperezr and mjrousos June 12, 2025 00:21
@CZEMacLeod
Copy link
Contributor

This all looks pretty good. Will have to try it out and see how it compares to my implementation, and if my scope per request, webapi and mvc dependency injection providers can hook up easily to this.

I feel like IHost and (or at least) IServiceProvider could be added to the application state when the host starts.
Also perhaps an extension method for GetApplicationServices() => HttpApplicationHost.Current.Services on httpcontext?
It's a pity that the new c# 14 extension properties won't work for net48 - as it would be lovely to have ApplicationServices and RequestServices to match the aspnet core versions.

I don't think you need to have the abstract check in WebObjectActivator - the inbuilt code doesn't do the check when WOA is not set - it would just throw. I would also special case IServiceProvider and IKeyedServiceProvider, so they don't resolve through the serviceprovider but just return it.

    public object? GetService(Type serviceType)
    {
        if (serviceType == typeof(IServiceProvider))
        {
            return (object?)serviceProvider;
        }
        if (serviceType == typeof(IKeyedServiceProvider))
        {
            return serviceProvider as IKeyedServiceProvider ?? serviceProvider.GetService(serviceType);
        }
        return serviceProvider.GetService(serviceType) ??
            // The implementation of dependency injection in System.Web expects to be able to create instances
            // of non-public and unregistered types.
            Activator.CreateInstance(
            serviceType,
            BindingFlags.Instance | BindingFlags.NonPublic | BindingFlags.Public | BindingFlags.CreateInstance,
            null,
            null,
            null);
    }
public static partial class HttpApplicationDependencyInjectionExtensions
{
#if NET48_OR_GREATER
    public readonly static string ServiceProviderKey = typeof(IServiceProvider).FullName!;

    private static IServiceProvider? GetDefaultServiceProvider() =>
        HttpRuntime.WebObjectActivator?.GetService<IServiceProvider>();

    public static IServiceProvider? GetServiceProvider(this HttpApplication application) =>
        application.Application.GetServiceProvider() ?? GetDefaultServiceProvider();

    private static IServiceProvider? GetServiceProvider(this HttpApplicationState state) =>
        state[ServiceProviderKey] as IServiceProvider ?? GetDefaultServiceProvider();

    public static void SetServiceProvider(this HttpApplication application, IServiceProvider serviceProvider) =>
        application.Application.SetServiceProvider(serviceProvider);

    public static void SetServiceProvider(this HttpApplicationState state, IServiceProvider serviceProvider)
    {
        if (serviceProvider is null)
        {
            throw new ArgumentNullException(nameof(serviceProvider));
        }

        state[ServiceProviderKey] = serviceProvider;
        HttpRuntime.WebObjectActivator = new WebObjectActivator(serviceProvider);
    }

    public static void ClearServiceProvider(this HttpApplicationState state)
    {
        state.Remove(ServiceProviderKey);
        HttpRuntime.WebObjectActivator = null;
    }
#endif
#if NET8_0_OR_GREATER
    public static IServiceProvider? GetServiceProvider(this HttpApplication application) => 
        HttpRuntime.WebObjectActivator;
#endif
}

@CZEMacLeod
Copy link
Contributor

In your HttpApplicationHostBuilder, you might want to copy the web.config settings into the IConfiguration - either automatically, or provide an easy mechanism for it.

using Microsoft.Extensions.Configuration;
using System;
using System.Collections.Generic;
using System.Collections.Specialized;
using System.Configuration;
using System.Linq;

namespace C3D.Extensions.Configuration;

public static class ConfigurationBuilderNameValueExtensions
{
    public static IConfigurationBuilder AddNameValueCollection(this IConfigurationBuilder builder,
        NameValueCollection collection) =>
            builder.AddInMemoryCollection(
                collection.AllKeys.Select(key => new KeyValuePair<string, string?>(key, collection[key])));

    public static IConfigurationBuilder AddAppSettings(this IConfigurationBuilder builder) =>
        builder
            .AddNameValueCollection(System.Configuration.ConfigurationManager.AppSettings);

    public static IConfigurationBuilder AddConnectionStrings(this IConfigurationBuilder builder,
        string? providerFilter = null,
        Func<ConnectionStringSettings, string>? extractConnectionString = null)
    {
        var connections = System.Configuration.ConfigurationManager.ConnectionStrings;

        extractConnectionString ??= static cnn => cnn.ConnectionString;

        return builder.AddInMemoryCollection(
                connections
                    .OfType<ConnectionStringSettings>()
                    .Where(cnn => providerFilter is null || cnn.ProviderName == providerFilter)
                    .Select(cnn => new KeyValuePair<string, string?>("ConnectionStrings:" + cnn.Name, extractConnectionString(cnn)))
                );
    }
}

Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

The AddVirtualizedContentDirectories should probably become a <TBuilder>(this TBuilder builder) where TBuilder : IHostApplicationBuilder style extension method.

Copy link
Member Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

I had it start off in the samples to see how useful it is

@@ -0,0 +1,53 @@
// Licensed to the .NET Foundation under one or more agreements.
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

It would actually be really nice to have this as a separate package, perhaps with some of the DI stuff, and maybe even the ContentFile sample extensions in it, that could be used in an ASP.Net 4.x project without SWA at all.
I guess there isn't a huge overhead of pulling in the whole Microsoft.AspNetCore.SystemWebAdapters.FrameworkServices package, but if you simply wanted to use the aspire integration part it might be nice to have.

Copy link
Member Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

I agree. For now, I'm going to merge this in to be able to test it out, but agree that a separate package may make sense.

@twsouthwick
Copy link
Member Author

I feel like IHost and (or at least) IServiceProvider could be added to the application state when the host starts.
Also perhaps an extension method for GetApplicationServices() => HttpApplicationHost.Current.Services on httpcontext?
It's a pity that the new c# 14 extension properties won't work for net48 - as it would be lovely to have ApplicationServices and RequestServices to match the aspnet core versions.

I agree the C# 14 extensions would be really nice that :(

I'm not sure what you mean about "adding to the application state" - I was following the pattern of a lot of other registering patterns like bundling/routes/etc by just using a static property. Is that the same?

I would imagine something like this would help surface the services/scope:

using Microsoft.AspNetCore.SystemWebAdapters.Hosting;
using Microsoft.Extensions.DependencyInjection;

namespace System.Web;

public static class HttpApplicationServiceExtensions
{
    private static readonly object _key = new();

    public static IServiceProvider GetApplicationServices(this HttpContext context)
    {
        if (context is null)
        {
            throw new ArgumentNullException(nameof(context));
        }

        return HttpApplicationHost.Current.Services;
    }

    public static IServiceProvider GetRequestServices(this HttpContext context)
    {
        if (context is null)
        {
            throw new ArgumentNullException(nameof(context));
        }

        if (context.Items[_key] is IServiceScope existing)
        {
            return existing.ServiceProvider;
        }

        var scope = HttpApplicationHost.Current.Services.GetRequiredService<IServiceScopeFactory>().CreateScope();
        context.Items[_key] = scope;

        context.AddOnRequestCompleted(context =>
        {
            if (context.Items[_key] is IServiceScope scope)
            {
                scope.Dispose();
            }
        });

        return scope.ServiceProvider;
    }
}

<Import Project="$([MSBuild]::GetPathOfFileAbove('Directory.Build.props', '$(MSBuildThisFileDirectory)../'))" />

<PropertyGroup>
<SuppressTfmSupportBuildWarnings>true</SuppressTfmSupportBuildWarnings>
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Not sure I'm following why this is now needed.

<PropertyGroup>
<OutputType>Exe</OutputType>
<TargetFramework>net9.0-windows</TargetFramework>
<TargetFramework>net10.0-windows</TargetFramework>
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Note that there are currently some issues people have reported around using Aspire with .NET 10. Typically most of these are during startup so if it's working well for you and things are booting up then it is likely you are not impacted.

Copy link
Member Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

yeah, I was actually having issues in the repo with targeting net9.0-windows and net10.0-windows seems to work.

.AddAuthenticationServer();
HttpApplicationHost.RegisterHost(builder =>
{
builder.AddServiceDefaults();
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

One other typical thing that is done when you add aspire to an app is to call abb.MapDefaultEndpoints() which would get things like healthchecks working. That would obviously not go here but just mentioning it in case you want to add that as well.


builder.AddDefaultHealthChecks();

#if NET
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

As FYI, we have an issue tracking making service discovery work against .nET Standard which would fix this.

Copy link
Member

@joperezr joperezr left a comment

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Changes look good to me, thanks Taylor!

@twsouthwick twsouthwick merged commit b7a60a8 into main Jun 17, 2025
5 checks passed
Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment

Labels

None yet

Projects

None yet

Development

Successfully merging this pull request may close these issues.

3 participants