I am generating multiple swagger documents with my ASP.NET Core web service. I have some filters that I want to only apply to one document, but it appears that they apply to all documents.
I have an IDocumentFilter
, IOperationFilter
, IParameterFilter
, and ISchemaFilter
that I only want to apply in one case. When I load the swagger pages for the other document types, my filters are applied. I can debug and see that the filters are appended (probably, the debugger won't show me the types but the number of filters go up) onto a single SwaggerGenOptions
in AddSwaggerGen
.
Below is what I use in my startup code. The OpenApiConfigOptions
is just a singleton set up elsewhere that has some info like the API name and description.
I thought since the SwaggerDoc
extension method does set up multiple documents that it would be using a new SwaggerGenOptions
for each document. Is there something I'm missing in my setup?
I also don't see a way to, within the filter itself, check which document is being loaded and skip the filter if it isn't the right document. That would not be an ideal solution but could be a workaround if I could find that value inside of the filter.
using Microsoft.Extensions.DependencyInjection;
using Microsoft.OpenApi.Models;
namespace Microsoft.Extensions.DependencyInjection
{
public static class ServiceCollectionExtensions
{
public static IServiceCollection RegisterMyOpenApi<TExamplesAssembly>(this IServiceCollection services, OpenApiConfigOptions options)
{
services.RegisterOpenApiDocument(options, "BASIC");
var scheme = new OpenApiSecurityScheme()
{
Description = "basic authentication",
Type = SecuritySchemeType.Http,
Scheme = "basic"
};
services.AddFilteredSecurityScheme("BASIC", "basic", scheme);
services.RegisterOpenApiDocument(options, "ANONYMOUS");
services.RegisterOpenApiDocument(options, "MYSPECIALTYPE");
return services;
}
private static void RegisterOpenApiDocument(this IServiceCollection services, OpenApiConfigOptions options, string type)
{
services.AddSwaggerGen(c =>
{
var info = new OpenApiInfo
{
Title = options.ServiceTitle,
Description = options.ServiceDescription,
Version = options.Version
};
c.SwaggerDoc(type.ToLowerInvariant(), info);
if (type == "MYSPECIALTYPE")
{
// Azure APIM does not understand reference types for enums
c.UseInlineDefinitionsForEnums();
c.DocumentFilter<MySpecialDocumentFilter>(options);
c.OperationFilter<MySpecialOperationFilter>();
c.ParameterFilter<MySpecialParameterFilter>();
c.SchemaFilter<MySpecialSchemaFilter>();
}
});
}
}
}