This enables Azure Functions to render OpenAPI document and Swagger UI. The more details around the Swagger UI on Azure Functions can be found on this blog post.
NOTE: This extension supports both OpenAPI 2.0 (aka Swagger) and OpenAPI 3.0.1 spec.
- Swagger UI version used for this library is v3.44.0 under the Apache 2.0 license.
While using this library, if you find any issue, please raise a ticket on the Issue page.
In order for your Azure Functions app to enable OpenAPI capability, download the following NuGet package into your Azure Functions project.
dotnet add <PROJECT> package Microsoft.Azure.WebJobs.Extensions.OpenApi.OpenApi.CoreIn order to include HTTP endpoints into the OpenAPI document, use attribute classes (decorators) like:
[FunctionName(nameof(AddDummy))]
[OpenApiOperation("addDummy", "dummy")]
[OpenApiSecurity("function_key", SecuritySchemeType.ApiKey, Name = "code", In = OpenApiSecurityLocationType.Query)]
[OpenApiRequestBody("application/json", typeof(DummyRequestModel))]
[OpenApiResponseBody(HttpStatusCode.OK, "application/json", typeof(DummyResponseModel))]
public static async Task<IActionResult> AddDummy(
[HttpTrigger(AuthorizationLevel.Function, "post", Route = "dummies")] HttpRequest req,
ILogger log)
{
...
}This key is only required if:
- The Function app is deployed to Azure, and
- The OpenAPI related endpoints has the
AuthorizationLevelvalue other thanAnonymous.
If the above conditions are met, add the following key to your local.settings.json or App Settings blade on Azure.
OpenApi__ApiKey: either the host key value or the master key value.
NOTE: It is NOT required if your OpenAPI related endpoints are set to the authorisation level of
Anonymous.
To generate an OpenAPI document, OpenApiInfo object needs to be defined. It's totally optional, but if you want, you can implement the IOpenApiConfigurationOptions interface within your Azure Functions project to provide OpenAPI metadata like below:
public class MyOpenApiConfigurationOptions : IOpenApiConfigurationOptions
{
public OpenApiInfo Info { get; set; } = new OpenApiInfo()
{
Version = "1.0.0",
Title = "OpenAPI Document on Azure Functions",
Description = "HTTP APIs that run on Azure Functions using OpenAPI specification.",
TermsOfService = new Uri("https://github.com/Azure/azure-functions-openapi-extension"),
Contact = new OpenApiContact()
{
Name = "Contoso",
Email = "azfunc-openapi@contoso.com",
Url = new Uri("https://github.com/Azure/azure-functions-openapi-extension/issues"),
},
License = new OpenApiLicense()
{
Name = "MIT",
Url = new Uri("http://opensource.org/licenses/MIT"),
}
};
public List<OpenApiServer> Servers { get; set; } = new List<OpenApiServer>();
public OpenApiVersionType OpenApiVersion { get; set; } = OpenApiVersionType.V2;
}It's often required for the API app to have more than one base URL, with different hostname. To have additional server URL information, declare the OpenApi__HostNames value with comma delimited base URLs. Then, it will automatically sets up your base URLs.
Find the Configuration section for the full list of the app settings keys.
Alternatively, add OpenApiServer details to the Servers property like:
public class MyOpenApiConfigurationOptions : IOpenApiConfigurationOptions
{
...
public List<OpenApiServer> Servers { get; set; } = new List<OpenApiServer>()
{
new OpenApiServer() { Url = "https://contoso.com/api/" },
new OpenApiServer() { Url = "https://fabrikam.com/api/" },
};
...
}NOTE:
- If no base URL is declared, the Azure Functions app's URL will be added as a default.
- The OpenAPI v2 (Swagger) document only shows the the first server name on both UI and document, while the OpenAPI v3 document shows the first server name on the UI and all server names on the document.
The default version of OpenAPI document rendered is V2 (AKA Swagger). However, you can override the default rendering behaviour by implementing the OpenApiVersion property.
public class MyOpenApiConfigurationOptions : IOpenApiConfigurationOptions
{
...
public OpenApiVersionType OpenApiVersion { get; set; } = OpenApiVersionType.V3;
...
}NOTE: If you use the Linux Dedicated Plan, you can consider this HTTP/HTTPS enforcement settings.
If you want to force either HTTP or HTTPS, configure the following properties on the IOpenApiConfigurationOptions interface.
public class MyOpenApiConfigurationOptions : IOpenApiConfigurationOptions
{
...
public bool ForceHttps { get; set; } = true;
public bool ForceHttp { get; set; } = true;
...
}You can set either property to true, and based on the combination of both, your Swagger UI renders contents through either HTTP or HTTPS. However, if you set both properties to true, HTTPS takes precedence.
Instead of implementing IOpenApiConfigurationOptions, you can inherit DefaultOpenApiConfigurationOptions. As Info, Servers and OpenApiVersion properties have the modifier of virtual, you can freely override them or leave them as default.
public class MyOpenApiConfigurationOptions : DefaultOpenApiConfigurationOptions
{
public override OpenApiInfo Info { get; set; } = new OpenApiInfo()
{
Version = "1.0.0",
Title = "OpenAPI Document on Azure Functions",
Description = "HTTP APIs that run on Azure Functions using OpenAPI specification.",
TermsOfService = new Uri("https://github.com/Azure/azure-functions-openapi-extension"),
Contact = new OpenApiContact()
{
Name = "Contoso",
Email = "azfunc-openapi@contoso.com",
Url = new Uri("https://github.com/Azure/azure-functions-openapi-extension/issues"),
},
License = new OpenApiLicense()
{
Name = "MIT",
Url = new Uri("http://opensource.org/licenses/MIT"),
}
};
public override List<OpenApiServer> Servers { get; set; } = new List<OpenApiServer>()
{
new OpenApiServer() { Url = "https://contoso.com/api/" },
new OpenApiServer() { Url = "https://fabrikam.com/api/" },
};
public override OpenApiVersionType OpenApiVersion { get; set; } = OpenApiVersionType.V3;
// Consider Linux Dedicated Plan only.
public override bool ForceHttps { get; set; } = true;
}You may want to inject the OpenApiConfigurationOptions instance during startup:
Suppose you want to customise the look and feels of the Swagger UI page. In this case, there are two options you can choose.
-
Add
custom.cssandcustom.jsunder thedistdirectory of your Functions app project. Then, update your.csprojfile to embed both files like:<ItemGroup> <EmbeddedResource Include="dist\custom.css" /> <EmbeddedResource Include="dist\custom.js" /> </ItemGroup>
-
You can inherit
DefaultOpenApiCustomUIOptionsto put additional control from your end such as changing the custom CSS and JavaScript file names or change behaviours of handing CSS and JavaScript.public class MyOpenApiCustomUIOptions : DefaultOpenApiCustomUIOptions { public MyOpenApiCustomUIOptions(Assembly assembly) : base(assembly) { } // Declare if you want to change the custom CSS file name. public override string CustomStylesheetPath { get; set; } = "dist.my-custom.css"; // Declare if you want to change the custom JavaScript file name. public override string CustomJavaScriptPath { get; set; } = "dist.my-custom.js"; // Declare if you want to change the behaviours of handling the custom CSS file. public override async Task<string> GetStylesheetAsync() { // DO SOMETHING BEFORE CALLING THE BASE METHOD base.GetStylesheetAsync(); // DO SOMETHING AFTER CALLING THE BASE METHOD } // Declare if you want to change the behaviours of handling the custom JavaScript file. public override async Task<string> GetJavaScriptAsync() { // DO SOMETHING BEFORE CALLING THE BASE METHOD base.GetJavaScriptAsync(); // DO SOMETHING AFTER CALLING THE BASE METHOD } }
Alternatively, you can use both CSS and JavaScript files from CDN, which is from the Internet.
public class MyOpenApiCustomUIOptions : DefaultOpenApiCustomUIOptions
{
public MyOpenApiCustomUIOptions(Assembly assembly)
: base(assembly)
{
}
// Declare if you want to change the custom CSS file name.
public override string CustomStylesheetPath { get; set; }
= "https://raw.githubusercontent.com/Azure/azure-functions-openapi-extension/main/samples/Microsoft.Azure.WebJobs.Extensions.OpenApi.FunctionApp.V3Static/dist/my-custom.css";
// Declare if you want to change the custom JavaScript file name.
public override string CustomJavaScriptPath { get; set; }
= "https://raw.githubusercontent.com/Azure/azure-functions-openapi-extension/main/samples/Microsoft.Azure.WebJobs.Extensions.OpenApi.FunctionApp.V3Static/dist/my-custom.js";
// Declare if you want to change the behaviours of handling the custom CSS file.
public override async Task<string> GetStylesheetAsync()
{
// DO SOMETHING BEFORE CALLING THE BASE METHOD
base.GetStylesheetAsync();
// DO SOMETHING AFTER CALLING THE BASE METHOD
}
// Declare if you want to change the behaviours of handling the custom JavaScript file.
public override async Task<string> GetJavaScriptAsync()
{
// DO SOMETHING BEFORE CALLING THE BASE METHOD
base.GetJavaScriptAsync();
// DO SOMETHING AFTER CALLING THE BASE METHOD
}
}Either way, your customised CSS and JavaScript will be applied to the Swagger UI page.
You may want to inject the OpenApiCustomUIOptions instance during startup:
Often, custom response headers need to be added. You can use IOpenApiCustomResponseHeader to add the custom response headers.
// Custom response header type
public class CustomResponseHeader : IOpenApiCustomResponseHeader
{
public Dictionary<string, OpenApiHeader> Headers { get; set; } =
new Dictionary<string, OpenApiHeader>()
{
{
"x-custom-header",
new OpenApiHeader()
{
Description = "Custom response header",
Schema = new OpenApiSchema() { Type = "string" }
}
}
};
}
public static class CustomResponseHeaderHttpTrigger
{
[FunctionName(nameof(CustomResponseHeaderHttpTrigger))]
...
[OpenApiResponseWithBody(... HeaderType = typeof(CustomResponseHeader))]
[OpenApiResponseWithoutBody(... HeaderType = typeof(CustomResponseHeader))]
public static async Task<IActionResult> Run(
[HttpTrigger(AuthorizationLevel.Function, "GET", Route = null)] HttpRequest req,
ILogger log)
{
...
}
}In order to render OpenAPI document, this uses attribute classes (decorators).
NOTE: Not all OpenAPI specs have been implemented.
If there is any HTTP trigger that you want to exclude from the OpenAPI document, use this decorator. Typically this is used for the endpoints that render OpenAPI document and Swagger UI.
[FunctionName(nameof(RenderSwaggerDocument))]
[OpenApiIgnore] // This HTTP endpoint is excluded from the OpenAPI document.
public static async Task<IActionResult> RenderSwaggerDocument(
[HttpTrigger(AuthorizationLevel.Function, "get", Route = "swagger.{extension}")] HttpRequest req,
string extension,
ILogger log)
{
...
}This decorator implements a part of Operation object spec.
[FunctionName(nameof(GetSample))]
[OpenApiOperation(operationId: "list", tags: new[] { "sample" })]
...
public static async Task<IActionResult> GetSample(
[HttpTrigger(AuthorizationLevel.Anonymous, "get", Route = "samples")] HttpRequest req,
ILogger log)
{
...
}OperationId: is the ID of the operation. If this is omitted, a combination of function name and verb is considered as the operation ID. eg)Get_GetSampleTags: are the list of tags of operation.Summary: is the summary of the operation.Description: is the description of the operation.Visibility: indicates how the operation is visible in Azure Logic Apps –important,advancedorinternal. Default value isundefined.Deprecated: indicates whether the operation is deprecated or not. Default isfalse.
This decorator implements the Parameter object spec.
[FunctionName(nameof(GetSample))]
[OpenApiParameter(name: "name", In = ParameterLocation.Query, Required = true, Type = typeof(string))]
...
public static async Task<IActionResult> GetSample(
[HttpTrigger(AuthorizationLevel.Anonymous, "get", Route = "samples")] HttpRequest req,
ILogger log)
{
...
}Name: is the name of the parameter.Summary: is the summary of the parameter.Description: is the description of the parameter.Type: defines the parameter type. Default value istypeof(string).In: identifies where the parameter is located –header,path,queryorcookie. Default value ispath.CollectionDelimiter: identifies the delimiter when a query parameter accepts multiple values –comma,spaceorpipe. Default value iscomma.Explode: indicates whether a query parameter is used multiple times (eg.foo=bar1&foo=bar2&foo=bar3) or not (eg.foo=bar1,bar2,bar3). Default value isfalse.Required: indicates whether the parameter is required or not. Default value isfalse.Visibility: indicates how the parameter is visible in Azure Logic Apps –important,advancedorinternal. Default value isundefined.Deprecated: indicates whether the parameter is deprecated or not. Default isfalse. If this is set totrue, this parameter won't be showing up the UI and OpenAPI document.
This decorator implements both Security Requirement Object and Security Scheme Object spec.
// API Key Auth
public static class DummyHttpTrigger
{
[FunctionName(nameof(DummyHttpTrigger.Update))]
[OpenApiSecurity("function_key", SecuritySchemeType.ApiKey, Name = "x-functions-key", In = OpenApiSecurityLocationType.Header)]
public static async Task<IActionResult> Update(
[HttpTrigger(AuthorizationLevel.Function, "PUT", Route = "dummies")] HttpRequest req,
ILogger log)
{
...
}
}
// Basic HTTP Auth
public static class DummyHttpTrigger
{
[FunctionName(nameof(DummyHttpTrigger.Update))]
[OpenApiSecurity("basic_auth", SecuritySchemeType.Http, Scheme = OpenApiSecuritySchemeType.Basic)]
public static async Task<IActionResult> Update(
[HttpTrigger(AuthorizationLevel.Function, "PUT", Route = "dummies")] HttpRequest req,
ILogger log)
{
...
}
}
// OAuth Auth
public class PetStoreAuth : OpenApiOAuthSecurityFlows
{
public PetStoreAuth()
{
this.Implicit = new OpenApiOAuthFlow()
{
AuthorizationUrl = new Uri("http://petstore.swagger.io/oauth/dialog"),
Scopes = { { "write:pets", "modify pets in your account" }, { "read:pets", "read your pets" } }
};
}
}
public static class DummyHttpTrigger
{
[FunctionName(nameof(DummyHttpTrigger.Update))]
[OpenApiSecurity("petstore_auth", SecuritySchemeType.OAuth2, Flows = typeof(PetStoreAuth))]
public static async Task<IActionResult> Update(
[HttpTrigger(AuthorizationLevel.Function, "PUT", Route = "dummies")] HttpRequest req,
ILogger log)
{
...
}
}SchemeName: defines the name of the security scheme.SchemeType: is the type of the security scheme. Valid values areSecuritySchemeType.ApiKey,SecuritySchemeType.Http,SecuritySchemeType.OAuth2, andSecuritySchemeType.OpenIdConnect.Description: is a short description for security scheme.Name: is the name of the header, query or cookie parameter to be used. This MUST be provided when theSchemeTypeis set toSecuritySchemeType.ApiKey.In: is the location of the API key. This MUST be provided when theSchemeTypeis set toSecuritySchemeType.ApiKey. Valid values areOpenApiSecurityLocationType.Query,OpenApiSecurityLocationType.Header, andOpenApiSecurityLocationType.Cookie.Scheme: is the name of the authorisation scheme. This MUST be provided when theSchemeTypeis set toSecuritySchemeType.Http. Valid values areOpenApiSecuritySchemeType.BasicandOpenApiSecuritySchemeType.Bearer.BearerFormat: is the hint to the client to identify how the bearer token is formatted. This MUST be provided when theSchemeTypeis set toSecuritySchemeType.Http.Flows: defines the configuration information for the flow types supported. This MUST be the type inheritingOpenApiOAuthSecurityFlows. This MUST be provided when theSchemeTypeis set toSecuritySchemeType.OAuth2.OpenIdConnectUrl: is the OpenId Connect URL to discover OAuth2 configuration values. This MUST be provided when theSchemeTypeis set toSecuritySchemeType.OpenIdConnect.OpenIdConnectScopes: is the comma delimited list of scopes of OpenId Connect. This MUST be provided when theSchemeTypeis set toSecuritySchemeType.OpenIdConnect.
This decorator implements the Request Body object spec.
// Example
public class SampleRequestModelExample : OpenApiExample<SampleRequestModel>
{
public override IOpenApiExample<SampleRequestModel> Build(NamingStrategy namingStrategy = null)
{
this.Examples.Add(
OpenApiExampleResolver.Resolve(
"sample1",
new SampleRequestModel() { Title = "Hello World", Value = 1234 },
namingStrategy
));
return this;
}
}
[FunctionName(nameof(PostSample))]
[OpenApiRequestBody(contentType: "application/json", bodyType: typeof(SampleRequestModel), Example = typeof(SampleRequestModelExample))]
...
public static async Task<IActionResult> PostSample(
[HttpTrigger(AuthorizationLevel.Function, "post", Route = "samples")] HttpRequest req,
ILogger log)
{
...
}ContentType: defines the content type of the request body payload. eg)application/jsonortext/xmlBodyType: defines the type of the request payload.Description: is the description of the request payload.Required: indicates whether the request payload is mandatory or not.Deprecated: indicates whether the request body is deprecated or not. Default isfalse. If this is set totrue, this request body won't be showing up the UI and OpenAPI document.Example: defines the type of the request payload example. It SHOULD inheritOpenApiExample<T>or implementIOpenApiExample<T>.
This decorator implements the Response object spec.
// Example
public class SampleResponseModelExample : OpenApiExample<SampleResponseModel>
{
public override IOpenApiExample<SampleResponseModel> Build(NamingStrategy namingStrategy = null)
{
this.Examples.Add(
OpenApiExampleResolver.Resolve(
"sample1",
new SampleResponseModel() { Title = "Hello World", Value = 1234 },
namingStrategy
));
return this;
}
}
// Response header type
public class SampleResponseHeaderType : IOpenApiResponseHeaderType
{
public Dictionary<string, OpenApiHeader> Headers { get; set; } = new Dictionary<string, OpenApiHeader>()
{
{ "x-sample-header", new OpenApiHeader() { Description = "Sample header", Schema = new OpenApiSchema() { Type = "string" } } }
};
}
public static class DummyHttpTrigger
{
[FunctionName(nameof(PostSample))]
[OpenApiResponseWithBody(statusCode: HttpStatusCode.OK, contentType: "application/json", bodyType: typeof(SampleResponseModel), Example = typeof(SampleResponseModelExample), HeaderType = typeof(SampleResponseHeaderType))]
...
public static async Task<IActionResult> PostSample(
[HttpTrigger(AuthorizationLevel.Function, "post", Route = "samples")] HttpRequest req,
ILogger log)
{
...
}
}StatusCode: defines the HTTP status code. eg)HttpStatusCode.OKHeaderType: defines the collection of custom response headers. eg)x-custom-headerContentType: defines the content type of the response payload. eg)application/jsonortext/xmlBodyType: defines the type of the response payload.Summary: is the summary of the response.Description: is the description of the response.Deprecated: indicates whether the response body is deprecated or not. Default isfalse. If this is set totrue, this response body won't be showing up the UI and OpenAPI document.Example: defines the type of the response payload example. It SHOULD inheritOpenApiExample<T>or implementIOpenApiExample<T>.
This decorator implements the Response object spec.
// Response header type
public class SampleResponseHeaderType : IOpenApiResponseHeaderType
{
public Dictionary<string, OpenApiHeader> Headers { get; set; } = new Dictionary<string, OpenApiHeader>()
{
{ "x-sample-header", new OpenApiHeader() { Description = "Sample header", Schema = new OpenApiSchema() { Type = "string" } } }
};
}
public static class DummyHttpTrigger
{
[FunctionName(nameof(PostSample))]
[OpenApiResponseWithoutBody(statusCode: HttpStatusCode.OK, HeaderType = typeof(SampleResponseHeaderType))]
...
public static async Task<IActionResult> PostSample(
[HttpTrigger(AuthorizationLevel.Function, "post", Route = "samples")] HttpRequest req,
ILogger log)
{
...
}
}StatusCode: defines the HTTP status code. eg)HttpStatusCode.OKHeaderType: defines the collection of custom response headers. eg)x-custom-headerSummary: is the summary of the response.Description: is the description of the response.
This decorator implements the example attribute defined in the Schema object section.
// Example
public class CatExample : OpenApiExample<Cat>
{
public override IOpenApiExample<Cat> Build(NamingStrategy namingStrategy = null)
{
this.Examples.Add(OpenApiExampleResolver.Resolve("nabi", new Cat() { Id = 123, Name = "Nabi" }, namingStrategy));
return this;
}
}
// Model
[OpenApiExample(typeof(CatExample))]
public class Cat
{
public int Id { get; set; }
public string Name { get; set; }
}
// This will result in:
// {
// "components": {
// "schemas": {
// "cat": {
// "type": "object",
// "properties": {
// "id": {
// "type": "integer"
// "format": "int32"
// },
// "name": {
// "type": "string"
// }
// },
// "example": "{\"id\":123,\"name\":\"Nabi\"}"
// }
// }
// }
// }This decorator is a part of extended property for custom connectors of Azure Logic Apps and Power Platform.
public class MyResponse
{
[OpenApiSchemaVisibility(OpenApiVisibilityType.Advanced)]
public string MyProperty { get; set; }
}
// This will result in:
// {
// "myResponse": {
// "myProperty": {
// "type": "string",
// "x-ms-visibility": "advanced"
// }
// }
// }This decorator provides model properties with description, default value, nullable flag and deprecated flag.
public class MyModel
{
[OpenApiProperty(Nullable = true, Default = 10, Description = "The number value")]
public int Number { get; set; }
[OpenApiProperty(Nullable = true, Default = "Hello World", Description = "The text value")]
public string Text { get; set; }
[OpenApiProperty(Default = "Deprecated", Description = "The deprecated text value", Deprecated = true)]
public string Value { get; set; }
}
// This will result in:
// {
// "myModel": {
// "number": {
// "type": "integer",
// "format": "int32",
// "nullable": true,
// "description": "The number value",
// "default": 10
// },
// "text": {
// "type": "string",
// "nullable": true,
// "description": "The text value",
// "default": "Hello World"
// },
// "value": {
// "type": "string",
// "description": "The deprecated text value",
// "default": "Deprecated",
// "deprecated": true
// }
// }
// }Important
If you use C# 8.0 or later for your Azure Functions app development, you MUST use this decorator to describe the string data type to be nullable or not.
Nullable: defines a value indicating whether the property is nullable or not. This value takes precedence regardless the property itself is nullable value type or not.Default: defines the default value of the property.Description: defines the description of the property.Deprecated: defines a value indicating whether the property is deprecated or not.
Use this decorator, if you want to display string values on your enum decorated with Newtonsoft.Json.Converters.StringEnumConverter.
You can also use the
System.Runtime.Serialization.EnumMemberAttributedecorator together. Make sure that this decorator takes precedence to theDisplayAttributedecorator.
using System.Runtime.Serialization;
using Newtonsoft.Json;
using Newtonsoft.Json.Converters;
namespace Contoso
{
[JsonConverter(typeof(StringEnumConverter))]
public enum StringEnum
{
Zero = 0,
[Display("hana")]
One = 1,
[EnumMember(Value = "dul")]
Two = 2,
[Display("set")]
[EnumMember(Value = "sam")]
Three = 3,
}
}
// This will result in
// "stringEnum": {
// "type": "string",
// "enum": [
// "zero",
// "hana",
// "dul",
// "sam"
// ],
// "default": "zero"
// }Some of ValidationAttribute classes from System.ComponentModel.DataAnnotations are supported for payload definition.
Properties decorated with the DataTypeAttribute class impacts on the OpenApiSchema.Format value.
DataType.DateTime:date-timeDataType.Date:dateDataType.Time:timeDataType.Duration:durationDataType.PhoneNumber:telDataType.Currency:currencyDataType.Text:stringDataType.Html:htmlDataType.MultilineText:multilineDataType.EmailAddress:emailDataType.Password:passwordDataType.Url:uriDataType.ImageUrl:uriDataType.CreditCard:credit-cardDataType.PostalCode:postal-code
Properties decorated with the RegularExpressionAttribute class impacts on the OpenApiSchema.Pattern value.
Properties decorated with the StringLengthAttribute class impacts on both OpenApiSchema.MinLengthand OpenApiSchema.MaxLength values.
Properties decorated with the RangeAttribute class impacts on both OpenApiSchema.Minimum and OpenApiSchema.Maximum value.
Properties decorated with the MinLengthAttribute class impacts on either OpenApiSchema.MinItems or OpenApiSchema.MinLength value.
- If
OpenApiSchema.Typeisarray:OpenApiSchema.MinItems - If
OpenApiSchema.Typeis NOTarray:OpenApiSchema.MinLength
Properties decorated with the MaxLengthAttribute class impacts on either OpenApiSchema.MaxItems or OpenApiSchema.MaxLength value.
- If
OpenApiSchema.Typeisarray:OpenApiSchema.MaxItems - If
OpenApiSchema.Typeis NOTarray:OpenApiSchema.MaxLength
Properties decorated with the RequiredAttribute class impacts on the OpenApiSchema.Required value of parent schema. In addition to this, if RequiredAttribute.AllowEmptyString is false and the property is of type string, the OpenApiSchema.MinLength will be set to 1, if a larger value has not already been set.
Some attribute classes from System.Runtime.Serialization are supported for payload definition.
Properties decorated with DataMemberAttribute attribute class will use DataMember.Name value instead of their property names.
Those attribute classes from Json.NET are supported for payload definitions.
Properties decorated with the JsonIgnoreAttribute attribute class will not be included in the response.
Properties decorated with JsonPropertyAttribute attribute class will use JsonProperty.Name value instead of their property names. In addition to this, if JsonProperty.Required property has Required.Always or Required.AllowNull, the property will be recognised as the required field.
Properties decorated with JsonRequiredAttribute attribute class will be recognised as the required field.
Enums types decorated with [JsonConverter(typeof(StringEnumConverter))] will appear in the document with their string names (names mangled based on default property naming standard).