diff --git a/configuration/toc.yml b/configuration/toc.yml index 7a9c7e9..60a90d6 100644 --- a/configuration/toc.yml +++ b/configuration/toc.yml @@ -1,8 +1,5 @@ - name: Introduction href: index.md -- name: Token setup and API validation - href: token-setup-and-validation.md - - name: Application permissions href: application-permissions.md \ No newline at end of file diff --git a/configuration/token-setup-and-validation.md b/configuration/token-setup-and-validation.md deleted file mode 100644 index 568e64b..0000000 --- a/configuration/token-setup-and-validation.md +++ /dev/null @@ -1,404 +0,0 @@ -# Token setup and validation - -For an overview of the different token formats, see: [here](../guide/token-formats.md) - -In OpenID Connect there are three types of tokens: access tokens, id tokens, and refresh tokens [See spec](https://openid.net/specs/openid-connect-core-1_0.html#Introduction). When this guide refers to _tokens_ it is referring to access tokens. - -Authorization servers are responsible for token generation. Clients (server app or web app) request tokens and then use tokens to request resources. For example, a javascript web application may make API calls that require authorization, so the token is sent along in the header of every request. - -Token validation needs to be configured for servers that have API endpoints that require authorization. This could be authorization servers or standalone servers, called resource servers. An example authorization server API endpoint may be '/api/User' that returns the current user. A resource server API endpoint for a note-taking app may be '/notes' that returns the user's notes. - -Below shows code snippets for token generation and token validation for each token format. - - -# Default configuration: Opaque tokens - - -## Default token generation - -### Authorization server -```csharp -// Startup.cs - -public void ConfigureServices(IServiceCollection services) -{ - //If tokens need to be validated in a separate resource server, configure a shared ASP.NET Core DataProtection with shared key store and application name - //See https://docs.microsoft.com/en-us/aspnet/core/security/data-protection/configuration/overview?view=aspnetcore-2.1&tabs=aspnetcore2x#setapplicationname - services.AddDataProtection() - .PersistKeysToFileSystem(new System.IO.DirectoryInfo(@"[UNC PATH]")) - .SetApplicationName("[APP NAME]"); - - // Register the OpenIddict services. - // Additional configuration is only needed if using Introspection on resource servers - services.AddOpenIddict() - .AddCore(...) - - .AddServer(options => - { - //... - //This is required if using introspection on resource servers - //This is not needed if resource servers will use shared ASP.NET Core DataProtection - //options.EnableIntrospectionEndpoint("/connect/introspect"); - }) -} - -public void Configure(IApplicationBuilder app, IHostingEnvironment env, ILoggerFactory loggerFactory) -{ - //... - - //must come before using MVC - app.UseAuthentication(); - - //... -} -``` - -## Default token validation - -### Authorization server -```csharp -// Startup.cs - -public void ConfigureServices(IServiceCollection services) -{ - services.AddOpenIddict() - .AddCore(...) - - .AddServer(...) - - .AddValidation(); -} - -public void Configure(IApplicationBuilder app, IHostingEnvironment env, ILoggerFactory loggerFactory) -{ - //... - //must come before using MVC - app.UseAuthentication(); - //... -} -``` - -### Resource server shared ASP.NET Core DataProtection -```csharp -// Startup.cs - -public void ConfigureServices(IServiceCollection services) -{ - //If tokens need to be validated in a separate resource server, configure a shared ASP.NET Core DataProtection with shared key store and application name - //See https://docs.microsoft.com/en-us/aspnet/core/security/data-protection/configuration/overview?view=aspnetcore-2.1&tabs=aspnetcore2x#setapplicationname - services.AddDataProtection() - .PersistKeysToFileSystem(new System.IO.DirectoryInfo(@"[UNC PATH]")) - .SetApplicationName("[APP NAME]"); - - services.AddOpenIddict() - //This adds a "Bearer" authentication scheme - .AddValidation(); - - //Optionally set Bearer token authentication as default - //services.AddAuthentication(options => - //{ - // options.DefaultAuthenticateScheme = OpenIddictValidationDefaults.AuthenticationScheme; - // options.DefaultChallengeScheme = OpenIddictValidationDefaults.AuthenticationScheme; - //}); -} - -public void Configure(IApplicationBuilder app, IHostingEnvironment env, ILoggerFactory loggerFactory) -{ - //... - //must come before using MVC - app.UseAuthentication(); - //... -} -``` -### Resource server - introspection -```csharp -// Introspection requires a request to auth server for every token so shared ASP.NET Core DataProtection is preferred. -// To use introspection, you need to create a new client application and grant it the introspection endpoint permission. -// Startup.cs - -public void ConfigureServices(IServiceCollection services) -{ - services.AddAuthentication(options => - { - options.DefaultScheme = OAuthIntrospectionDefaults.AuthenticationScheme; - }) - .AddOAuthIntrospection(options => - { - //example settings - options.Authority = new Uri("http://localhost:12345/"); - options.Audiences.Add("resource-server-1"); - options.ClientId = "resource-server-1"; - options.ClientSecret = "846B62D0-DEF9-4215-A99D-86E6B8DAB342"; - options.RequireHttpsMetadata = false; - - // Note: you can override the default name and role claims: - // options.NameClaimType = "custom_name_claim"; - // options.RoleClaimType = "custom_role_claim"; - }); - - //Optionally set Bearer token authentication as default - //services.AddAuthentication(options => - //{ - // options.DefaultAuthenticateScheme = OAuthIntrospectionDefaults.AuthenticationScheme; - // options.DefaultChallengeScheme = OAuthIntrospectionDefaults.AuthenticationScheme; - //}); -} - -public void Configure(IApplicationBuilder app, IHostingEnvironment env, ILoggerFactory loggerFactory) -{ - //... - //must come before using MVC - app.UseAuthentication(); - //... -} -``` - -### Api controller -```csharp -//specify "Bearer" authentication scheme if it's not set as default -[Authorize(AuthenticationSchemes = OpenIddictValidationDefaults.AuthenticationScheme)] -//or if using introspection on resource server: -// [Authorize(AuthenticationSchemes = OAuthIntrospectionDefaults.AuthenticationScheme)] -public class MyController : Controller -``` - - -# Reference token format - -## Reference token generation - -### Authorization server - -```c# -// Startup.cs - -public void ConfigureServices(IServiceCollection services) -{ - // Register OpenIddict stores - services.AddDbContext(options => - { - options.UseSqlServer(Configuration.GetConnectionString("DefaultConnection")); - options.UseOpenIddict(); - }); - - // Register the OpenIddict services. - services.AddOpenIddict() - .AddCore(options => - { - options.UseEntityFrameworkCore() - .UseDbContext(); - }) - - .AddServer(options => - { - //... - options.UseReferenceTokens(); - }); - -public void Configure(IApplicationBuilder app, IHostingEnvironment env, ILoggerFactory loggerFactory) -{ - //... - //must come before using MVC - app.UseAuthentication(); - //... -} -``` - -## Reference token validation - -### Authorization server -```c# -// Startup.cs - -public void ConfigureServices(IServiceCollection services) -{ - services.AddOpenIddict() - .AddCore(...) //see above - - .AddServer(...) // see above - - .AddValidation(options => - { - options.UseReferenceTokens(); - }); - -public void Configure(IApplicationBuilder app, IHostingEnvironment env, ILoggerFactory loggerFactory) -{ - //... - //must come before using MVC - app.UseAuthentication(); - //... -} -``` - -### Resource server -```c# -// Startup.cs - -public void ConfigureServices(IServiceCollection services) -{ - // Register OpenIddict stores - services.AddDbContext(options => - { - options.UseSqlServer(Configuration.GetConnectionString("AuthServerConnection")); - options.UseOpenIddict(); - }); - - - services.AddOpenIddict() - .AddCore(options => - { - // Register the Entity Framework entities and stores. - options.UseEntityFrameworkCore() - .UseDbContext(); - }) - - //This adds a "Bearer" authentication scheme - .AddValidation(options => - { - options.UseReferenceTokens(); - }); - - //Optionally set Bearer token authentication as default - //services.AddAuthentication(options => - //{ - // options.DefaultAuthenticateScheme = OpenIddictValidationDefaults.AuthenticationScheme; - // options.DefaultChallengeScheme = OpenIddictValidationDefaults.AuthenticationScheme; - //}); - -public void Configure(IApplicationBuilder app, IHostingEnvironment env, ILoggerFactory loggerFactory) -{ - //... - //must come before using MVC - app.UseAuthentication(); - //... -} -``` - -### Api controller -```c# -// Note: both OpenIddictValidationDefaults.AuthenticationScheme and JwtBearerDefaults.AuthenticationScheme are "Bearer" -//If you did not set the default authentication scheme then specify it here. -//If you get a 302 redirect to login page instead of a 401 Unauthorized then Cookie authentication is handling the request -//so scheme must be specified -[Authorize(AuthenticationSchemes = OpenIddictValidationDefaults.AuthenticationScheme)] -public class MyController : Controller -``` - -# JWTs - -## JWT generation - -### Authorization server -```c# -// Startup.cs - -public void ConfigureServices(IServiceCollection services) -{ - services.AddOpenIddict() - .AddCore(...) - - .AddServer(options => - { - //... - options.UseJsonWebTokens(); - //JWTs must be signed by a self-signing certificate or a symmetric key - //Here a certificate is used. I used IIS to create a self-signed certificate - //and saved it in /FolderName folder. See below for .csproj configuration - options.AddSigningCertificate( - assembly: typeof(Startup).GetTypeInfo().Assembly, - resource: "AppName.FolderName.certname.pfx", - password: "anypassword"); - - }); -} - -public void Configure(IApplicationBuilder app, IHostingEnvironment env, ILoggerFactory loggerFactory) -{ - //... - //must come before using MVC - app.UseAuthentication(); - //... -} - -// .csproj -// if using a certificate and its stored in your app's Resources then make sure it's published -// -// -// -``` - -## JWT validation - -### Authorization server -> [!WARNING] -> Remember, this is only needed if you have API endpoints that require token authorization. If your authorization server generates tokens that are only used by separate resource servers, then this is not needed. - -```c# -// Startup.cs - -public void ConfigureServices(IServiceCollection services) -{ - //this must come after registering ASP.NET Core Identity - JwtSecurityTokenHandler.DefaultInboundClaimTypeMap.Clear(); - JwtSecurityTokenHandler.DefaultOutboundClaimTypeMap.Clear(); - services.AddAuthentication() - .AddJwtBearer(options => - { - //Authority must be a url. It does not have a default value. - options.Authority = "this server's url, e.g. http://localhost:5051/ or https://auth.example.com/"; - options.Audience = "example: auth_server_api"; //This must be included in ticket creation - options.RequireHttpsMetadata = false; - options.IncludeErrorDetails = true; // - options.TokenValidationParameters = new TokenValidationParameters() - { - NameClaimType = OpenIdConnectConstants.Claims.Subject, - RoleClaimType = OpenIdConnectConstants.Claims.Role, - }; - }); -} - -public void Configure(IApplicationBuilder app, IHostingEnvironment env, ILoggerFactory loggerFactory) -{ - //... - //must come before using MVC - app.UseAuthentication(); - //... -} -``` - -### Resource server -```c# -// Startup.cs - -public void ConfigureServices(IServiceCollection services) -{ - JwtSecurityTokenHandler.DefaultInboundClaimTypeMap.Clear(); - JwtSecurityTokenHandler.DefaultOutboundClaimTypeMap.Clear(); - //Add authentication and set default authentication scheme - services.AddAuthentication(JwtBearerDefaults.AuthenticationScheme) //same as "Bearer" - .AddJwtBearer(options => - { - //Authority must be a url. It does not have a default value. - options.Authority = "auth server's url, e.g. http://localhost:5051/ or https://auth.example.com/"; - options.Audience = "example: api_server_1"; //This must be included in ticket creation - options.RequireHttpsMetadata = false; - options.IncludeErrorDetails = true; // - options.TokenValidationParameters = new TokenValidationParameters() - { - NameClaimType = OpenIdConnectConstants.Claims.Subject, - RoleClaimType = OpenIdConnectConstants.Claims.Role, - }; - }); -} -``` - -### Api controller -```c# -// Note: both OpenIddictValidationDefaults.AuthenticationScheme and JwtBearerDefaults.AuthenticationScheme are "Bearer" -//If you didn't set the default authentication scheme then specify it here. -//If you get a 302 redirect to login page instead of a 401 Unauthorized then Cookie authentication is handling the request -//so scheme must be specified -[Authorize(AuthenticationSchemes = JwtBearerDefaults.AuthenticationScheme)] -public class MyController : Controller -``` diff --git a/docfx.json b/docfx.json index c3a3bc5..b9ab07a 100644 --- a/docfx.json +++ b/docfx.json @@ -9,6 +9,7 @@ "exclude": [ "appveyor.yml", "README.md", + "SECURITY.md", "obj/**", "_site/**" ] diff --git a/guide/toc.yml b/guide/toc.yml index e8fbc17..4552ad0 100644 --- a/guide/toc.yml +++ b/guide/toc.yml @@ -8,7 +8,4 @@ href: samples.md - name: Migration guide - href: migration.md - -- name: Understanding the different token formats - href: token-formats.md \ No newline at end of file + href: migration.md \ No newline at end of file diff --git a/guide/token-formats.md b/guide/token-formats.md deleted file mode 100644 index 538e9da..0000000 --- a/guide/token-formats.md +++ /dev/null @@ -1,74 +0,0 @@ -# Understanding the different token formats - -OpenIddict can be configured to use three access token formats: - -- opaque tokens (default) -- reference tokens -- JWTs (Json Web Tokens) - -Tokens differ in what they look like and how they are validated. The default tokens will work fine in most use cases. There are times, however, where the other token formats would be preferred or required. - -> **Note: Identity tokens are always JWTs, according to spec.** - -## Opaque tokens (default) - -The default access tokens are opaque tokens. They are encrypted and signed by the authorization server using the ASP.NET Core Data Protection stack. Their contents can only be inspected by the authorization server or another server sharing the same ASP.NET Core Data Protection configuration. - -These are "proprietary" tokens that are not meant to be read or verified by a third-party, as the token format is not standard and necessarily relies on symmetric signing and encryption. - -We use this format for authorization codes and refresh tokens. They are only meant to be consumed by OpenIddict itself. - -### Benefits -- No additional configuration required -- Uses OpenIddict's built-in validation -- Resource servers can validate tokens without having to contact authorization server if using shared ASP.NET Core DataProtection -- Tokens are encrypted so no one can inspect the token, e.g. if tokens somehow end up in your logs somewhere or are intercepted somehow - -### Drawbacks -- Proprietary format, so if you add non .NET Core resource servers in the future you need to switch to JWTs for direct validation or use introspection for indirect validation -- Claims are stored within the token, which is convenient but token size could get large if there are a lot of claims (probably not an issue in real-world scenarios) -- Token expiration is in the token itself, so even if users sign out their tokens will still be valid until they reach their expiration - -### Setup and API validation configuration -[Here](../configuration/token-setup-and-validation.md#default-configuration-opaque-tokens) - ---- - -## Reference tokens -When using reference token format, authorization codes, access tokens and refresh tokens are stored as ciphertext in the database and a crypto-secure random identifier is returned to the client application. - -### Benefits -- Minimal configuration required -- Uses OpenIddict's built-in validation -- Resource servers can validate tokens without having to contact authorization server -- Token sizes are very small regardless of number of claims because they only contain ids -- Issued tokens are tracked in data store -- Can immediately be revoked - -### Drawbacks -- .NET Core validation only (although someone could write it for other platforms) -- Requires a connection to OpenIddict's data store, e.g. Entity Framework DataContext. Resource servers may not want to have to reference OpenIddict's database -- Because only ids are in the access tokens, a call to the database is required for every request - -### Setup and API validation configuration -[Here](../configuration/token-setup-and-validation.md#reference-token-format) - ---- - -## JWTs (JSON Web Tokens) -These are standard tokens verifiable by third parties, used by Azure Active Directory, Auth0, and other valid OAuth 2.0 service. They are signed by the authorization server but their contents are not encrypted so they can be read by anyone. - -### Benefits -- Good to be familiar with JWTs because they are a commonly used access token type in OAuth 2.0 and are also `id token` type -- Plenty of platforms include JWT validation libraries (.NET, PHP, Node, Python, etc) -- Future proof - -### Drawbacks -- Anyone can inspect contents (see https://jwt.io/), so if token is hanging around in a log somewhere or intercepted somehow all claims or other information in the token can be read, even if token is expired -- Claims are stored within the token, which is convenient but token size could get large if there are a lot of claims (probably not an issue in real-world scenarios) -- Token expiration is in the token itself, so even if users sign out their tokens will still be valid until they reach their expiration - -### Setup and API validation configuration -[Here](../configuration/token-setup-and-validation.md#jwts) - -