在 ASP.NET Core 中配置证书身份验证Configure certificate authentication in ASP.NET Core

本文内容

Microsoft.AspNetCore.Authentication.Certificate 包含类似于 ASP.NET Core证书身份验证的实现。证书身份验证发生在 TLS 级别,在它被 ASP.NET Core 之前。更准确地说,这是验证证书的身份验证处理程序,然后向你提供可将该证书解析到 ClaimsPrincipal的事件。

主机配置为使用证书进行身份验证,如 IIS、Kestrel、Azure Web 应用,或者其他任何所用的。

代理和负载均衡器方案Proxy and load balancer scenarios

证书身份验证是一种有状态方案,主要用于代理或负载均衡器不处理客户端和服务器之间的流量。如果使用代理或负载平衡器,则仅当代理或负载均衡器:

  • 处理身份验证。
  • 将用户身份验证信息传递给应用程序(例如,在请求标头中),该信息对身份验证信息起作用。

使用代理和负载平衡器的环境中证书身份验证的替代方法是使用 OpenID Connect (OIDC) Active Directory 联合服务(ADFS)。

入门Get started

获取并应用 HTTPS 证书,并将主机配置为需要证书。

在 web 应用中,添加对 Microsoft.AspNetCore.Authentication.Certificate 包的引用。然后,在 Startup.ConfigureServices 方法中,使用你的选项调用 services.AddAuthentication(CertificateAuthenticationDefaults.AuthenticationScheme).AddCertificate(…);,并为 OnCertificateValidated 提供一个委托,以便在与请求一起发送的客户端证书上执行任何补充验证。将该信息转换为 ClaimsPrincipal,并在 context.Principal 属性上对其进行设置。

如果身份验证失败,则此处理程序将返回 403 (Forbidden) 响应,而不是 401 (Unauthorized),如你所料。原因是,在初次 TLS 连接期间应进行身份验证。当它到达处理程序时,它的时间太晚。无法将连接从匿名连接升级到证书。

此外,还可以在 Startup.Configure 方法中添加 app.UseAuthentication();否则,不会将 HttpContext.User 设置为从证书创建 ClaimsPrincipal例如:

  1. public void ConfigureServices(IServiceCollection services)
  2. {
  3. services.AddAuthentication(
  4. CertificateAuthenticationDefaults.AuthenticationScheme)
  5. .AddCertificate();
  6. // All the other service configuration.
  7. }
  8. public void Configure(IApplicationBuilder app, IHostingEnvironment env)
  9. {
  10. app.UseAuthentication();
  11. // All the other app configuration.
  12. }

前面的示例演示了添加证书身份验证的默认方法。处理程序使用通用证书属性构造用户主体。

配置证书验证Configure certificate validation

CertificateAuthenticationOptions 处理程序具有一些内置的验证,这些验证是你应在证书上执行的最小验证。默认情况下,将启用这些设置中的每一个。

AllowedCertificateTypes = 链式、SelfSigned 或 All (链式 |SelfSigned)AllowedCertificateTypes = Chained, SelfSigned, or All (Chained | SelfSigned)

默认值:30CertificateTypes.Chained

此检查将验证是否只允许使用适当的证书类型。如果应用使用自签名证书,则需要将此选项设置为 CertificateTypes.AllCertificateTypes.SelfSigned

ValidateCertificateUseValidateCertificateUse

默认值:30true

此检查将验证客户端提供的证书是否具有客户端身份验证扩展密钥使用(EKU),或者根本没有 Eku。如规范所示,如果未指定 EKU,则所有 Eku 均视为有效。

ValidateValidityPeriodValidateValidityPeriod

默认值:30true

此检查将验证证书是否在其有效期内。对于每个请求,处理程序将确保在其在其当前会话期间提供的证书过期时,该证书是有效的。

RevocationFlagRevocationFlag

默认值:30X509RevocationFlag.ExcludeRoot

一个标志,该标志指定将检查链中的哪些证书进行吊销。

仅当证书链接到根证书时才执行吊销检查。

RevocationModeRevocationMode

默认值:30X509RevocationMode.Online

指定如何执行吊销检查的标志。

指定联机检查可能会导致长时间延迟,同时与证书颁发机构联系。

仅当证书链接到根证书时才执行吊销检查。

我是否可以将我的应用程序配置为只需要特定路径上的证书?Can I configure my app to require a certificate only on certain paths?

这是不可能的。请记住,证书交换已完成 HTTPS 会话的启动,在该连接上收到第一个请求之前,服务器会完成此操作,因此无法基于任何请求字段进行作用域。

处理程序事件Handler events

处理程序有两个事件:

  • 如果在身份验证过程中发生异常,则调用 OnAuthenticationFailed –,并允许您做出反应。
  • 验证证书后调用 OnCertificateValidated –,已创建验证,已创建默认主体。此事件允许你执行自己的验证并增加或替换主体。例如:
    • 确定你的服务是否知道该证书。
    • 构造自己的主体。请看下面 Startup.ConfigureServices 中的示例:
  1. services.AddAuthentication(
  2. CertificateAuthenticationDefaults.AuthenticationScheme)
  3. .AddCertificate(options =>
  4. {
  5. options.Events = new CertificateAuthenticationEvents
  6. {
  7. OnCertificateValidated = context =>
  8. {
  9. var claims = new[]
  10. {
  11. new Claim(
  12. ClaimTypes.NameIdentifier,
  13. context.ClientCertificate.Subject,
  14. ClaimValueTypes.String,
  15. context.Options.ClaimsIssuer),
  16. new Claim(ClaimTypes.Name,
  17. context.ClientCertificate.Subject,
  18. ClaimValueTypes.String,
  19. context.Options.ClaimsIssuer)
  20. };
  21. context.Principal = new ClaimsPrincipal(
  22. new ClaimsIdentity(claims, context.Scheme.Name));
  23. context.Success();
  24. return Task.CompletedTask;
  25. }
  26. };
  27. });

如果发现入站证书不能满足额外的验证,请调用 context.Fail("failure reason") 失败原因。

对于实际功能,你可能需要调用在依赖关系注入中注册的服务,该服务连接到数据库或其他类型的用户存储。使用传递到委托中的上下文访问你的服务。请看下面 Startup.ConfigureServices 中的示例:

  1. services.AddAuthentication(
  2. CertificateAuthenticationDefaults.AuthenticationScheme)
  3. .AddCertificate(options =>
  4. {
  5. options.Events = new CertificateAuthenticationEvents
  6. {
  7. OnCertificateValidated = context =>
  8. {
  9. var validationService =
  10. context.HttpContext.RequestServices
  11. .GetService<ICertificateValidationService>();
  12. if (validationService.ValidateCertificate(
  13. context.ClientCertificate))
  14. {
  15. var claims = new[]
  16. {
  17. new Claim(
  18. ClaimTypes.NameIdentifier,
  19. context.ClientCertificate.Subject,
  20. ClaimValueTypes.String,
  21. context.Options.ClaimsIssuer),
  22. new Claim(
  23. ClaimTypes.Name,
  24. context.ClientCertificate.Subject,
  25. ClaimValueTypes.String,
  26. context.Options.ClaimsIssuer)
  27. };
  28. context.Principal = new ClaimsPrincipal(
  29. new ClaimsIdentity(claims, context.Scheme.Name));
  30. context.Success();
  31. }
  32. return Task.CompletedTask;
  33. }
  34. };
  35. });

从概念上讲,验证证书是一种授权问题。例如,在授权策略中添加一个颁发者或指纹(而不是 OnCertificateValidated)是完全可以接受的。

将主机配置为需要证书Configure your host to require certificates

KestrelKestrel

Program.cs中,按如下所示配置 Kestrel:

  1. public static void Main(string[] args)
  2. {
  3. CreateHostBuilder(args).Build().Run();
  4. }
  5. public static IHostBuilder CreateHostBuilder(string[] args)
  6. {
  7. return Host.CreateDefaultBuilder(args)
  8. .ConfigureWebHostDefaults(webBuilder =>
  9. {
  10. webBuilder.UseStartup<Startup>();
  11. webBuilder.ConfigureKestrel(o =>
  12. {
  13. o.ConfigureHttpsDefaults(o =>
  14. o.ClientCertificateMode =
  15. ClientCertificateMode.RequireCertificate);
  16. });
  17. });
  18. }

备注

通过在调用 Listen 之前调用 创建的终结点将不会应用默认值。ConfigureHttpsDefaults

IISIIS

在 IIS 管理器中完成以下步骤:

  • 从 "连接" 选项卡中选择你的站点。
  • 双击 "功能视图" 窗口中的 " SSL 设置" 选项。
  • 选中 "需要 SSL " 复选框,并选择 "客户端证书" 部分中的 "要求" 单选按钮。
    IIS 中的客户端证书设置

Azure 和自定义 web 代理Azure and custom web proxies

有关如何配置证书转发中间件的详细说明,请参阅托管和部署文档

在 Azure Web 应用中使用证书身份验证Use certificate authentication in Azure Web Apps

Azure 不需要转发配置。此设置已在证书转发中间件中进行设置。

备注

这要求存在 CertificateForwardingMiddleware。

在自定义 web 代理中使用证书身份验证Use certificate authentication in custom web proxies

AddCertificateForwarding 方法用于指定:

  • 客户端标头名称。
  • 如何加载证书(使用 HeaderConverter 属性)。

在自定义 web 代理中,证书作为自定义请求标头(例如 X-SSL-CERT)传递。若要使用它,请在 Startup.ConfigureServices中配置证书转发:

  1. public void ConfigureServices(IServiceCollection services)
  2. {
  3. services.AddCertificateForwarding(options =>
  4. {
  5. options.CertificateHeader = "X-SSL-CERT";
  6. options.HeaderConverter = (headerValue) =>
  7. {
  8. X509Certificate2 clientCertificate = null;
  9. if(!string.IsNullOrWhiteSpace(headerValue))
  10. {
  11. byte[] bytes = StringToByteArray(headerValue);
  12. clientCertificate = new X509Certificate2(bytes);
  13. }
  14. return clientCertificate;
  15. };
  16. });
  17. }
  18. private static byte[] StringToByteArray(string hex)
  19. {
  20. int NumberChars = hex.Length;
  21. byte[] bytes = new byte[NumberChars / 2];
  22. for (int i = 0; i < NumberChars; i += 2)
  23. {
  24. bytes[i / 2] = Convert.ToByte(hex.Substring(i, 2), 16);
  25. }
  26. return bytes;
  27. }

然后 Startup.Configure 方法添加中间件。在调用 UseAuthenticationUseAuthorization之前调用 UseCertificateForwarding

  1. public void Configure(IApplicationBuilder app, IWebHostEnvironment env)
  2. {
  3. ...
  4. app.UseRouting();
  5. app.UseCertificateForwarding();
  6. app.UseAuthentication();
  7. app.UseAuthorization();
  8. app.UseEndpoints(endpoints =>
  9. {
  10. endpoints.MapControllers();
  11. });
  12. }

单独的类可用于实现验证逻辑。由于本示例中使用了相同的自签名证书,因此请确保只能使用证书。验证客户端证书和服务器证书的指纹是否匹配,否则,任何证书都可以使用,并且足以进行身份验证。这会在 AddCertificate 方法中使用。如果使用的是中间证书或子证书,也可以在此处验证使用者或颁发者。

  1. using System.IO;
  2. using System.Security.Cryptography.X509Certificates;
  3. namespace AspNetCoreCertificateAuthApi
  4. {
  5. public class MyCertificateValidationService
  6. {
  7. public bool ValidateCertificate(X509Certificate2 clientCertificate)
  8. {
  9. // Do not hardcode passwords in production code
  10. // Use thumbprint or key vault
  11. var cert = new X509Certificate2(
  12. Path.Combine("sts_dev_cert.pfx"), "1234");
  13. if (clientCertificate.Thumbprint == cert.Thumbprint)
  14. {
  15. return true;
  16. }
  17. return false;
  18. }
  19. }
  20. }

使用证书和 HttpClientHandler 实现 HttpClientImplement an HttpClient using a certificate and the HttpClientHandler

HttpClientHandler 可以直接添加到 HttpClient 类的构造函数中。创建 HttpClient 的实例时应格外小心。然后,HttpClient 将随每个请求发送证书。

  1. private async Task<JsonDocument> GetApiDataUsingHttpClientHandler()
  2. {
  3. var cert = new X509Certificate2(Path.Combine(_environment.ContentRootPath, "sts_dev_cert.pfx"), "1234");
  4. var handler = new HttpClientHandler();
  5. handler.ClientCertificates.Add(cert);
  6. var client = new HttpClient(handler);
  7. var request = new HttpRequestMessage()
  8. {
  9. RequestUri = new Uri("https://localhost:44379/api/values"),
  10. Method = HttpMethod.Get,
  11. };
  12. var response = await client.SendAsync(request);
  13. if (response.IsSuccessStatusCode)
  14. {
  15. var responseContent = await response.Content.ReadAsStringAsync();
  16. var data = JsonDocument.Parse(responseContent);
  17. return data;
  18. }
  19. throw new ApplicationException($"Status code: {response.StatusCode}, Error: {response.ReasonPhrase}");
  20. }

使用证书和 IHttpClientFactory 中的命名 HttpClient 实现 HttpClientImplement an HttpClient using a certificate and a named HttpClient from IHttpClientFactory

在下面的示例中,使用处理程序中的 ClientCertificates 属性将客户端证书添加到 HttpClientHandler 中。然后,可以使用 ConfigurePrimaryHttpMessageHandler 方法在 HttpClient 的命名实例中使用此处理程序。这是在 ConfigureServices 方法中的 Startup 类中设置的。

  1. var clientCertificate =
  2. new X509Certificate2(
  3. Path.Combine(_environment.ContentRootPath, "sts_dev_cert.pfx"), "1234");
  4. var handler = new HttpClientHandler();
  5. handler.ClientCertificates.Add(clientCertificate);
  6. services.AddHttpClient("namedClient", c =>
  7. {
  8. }).ConfigurePrimaryHttpMessageHandler(() => handler);

然后,可以使用 IHttpClientFactory 通过处理程序和证书获取命名实例。使用 Startup 类中定义的客户端名称的 CreateClient 方法来获取实例。可根据需要使用客户端发送 HTTP 请求。

  1. private readonly IHttpClientFactory _clientFactory;
  2. public ApiService(IHttpClientFactory clientFactory)
  3. {
  4. _clientFactory = clientFactory;
  5. }
  6. private async Task<JsonDocument> GetApiDataWithNamedClient()
  7. {
  8. var client = _clientFactory.CreateClient("namedClient");
  9. var request = new HttpRequestMessage()
  10. {
  11. RequestUri = new Uri("https://localhost:44379/api/values"),
  12. Method = HttpMethod.Get,
  13. };
  14. var response = await client.SendAsync(request);
  15. if (response.IsSuccessStatusCode)
  16. {
  17. var responseContent = await response.Content.ReadAsStringAsync();
  18. var data = JsonDocument.Parse(responseContent);
  19. return data;
  20. }
  21. throw new ApplicationException($"Status code: {response.StatusCode}, Error: {response.ReasonPhrase}");
  22. }

如果将正确的证书发送到服务器,则返回数据。如果未发送证书或证书不正确,则返回 HTTP 403 状态代码。

在 PowerShell 中创建证书Create certificates in PowerShell

创建证书是最难设置此流的部分。可以使用 New-SelfSignedCertificate PowerShell cmdlet 创建根证书。创建证书时,请使用强密码。添加 KeyUsageProperty 参数和 KeyUsage 参数非常重要,如下所示。

创建根 CACreate root CA

  1. New-SelfSignedCertificate -DnsName "root_ca_dev_damienbod.com", "root_ca_dev_damienbod.com" -CertStoreLocation "cert:\LocalMachine\My" -NotAfter (Get-Date).AddYears(20) -FriendlyName "root_ca_dev_damienbod.com" -KeyUsageProperty All -KeyUsage CertSign, CRLSign, DigitalSignature
  2. $mypwd = ConvertTo-SecureString -String "1234" -Force -AsPlainText
  3. Get-ChildItem -Path cert:\localMachine\my\"The thumbprint..." | Export-PfxCertificate -FilePath C:\git\root_ca_dev_damienbod.pfx -Password $mypwd
  4. Export-Certificate -Cert cert:\localMachine\my\"The thumbprint..." -FilePath root_ca_dev_damienbod.crt

备注

-DnsName 参数值必须与应用的部署目标匹配。例如,用于开发的 "localhost"。

在受信任的根中安装Install in the trusted root

根证书需要在主机系统上受信任。默认情况下,不信任证书颁发机构创建的根证书。下面的链接说明了如何在 Windows 上完成此操作:

https://social.msdn.microsoft.com/Forums/SqlServer/5ed119ef-1704-4be4-8a4f-ef11de7c8f34/a-certificate-chain-processed-but-terminated-in-a-root-certificate-which-is-not-trusted-by-the

中间证书Intermediate certificate

现在可以从根证书创建中间证书。这并不是所有用例所必需的,但你可能需要创建多个证书,或者需要激活或禁用证书组。需要 TextExtension 参数以设置证书的基本约束中的路径长度。

然后,可以将中间证书添加到 Windows 主机系统中的受信任中间证书。

  1. $mypwd = ConvertTo-SecureString -String "1234" -Force -AsPlainText
  2. $parentcert = ( Get-ChildItem -Path cert:\LocalMachine\My\"The thumbprint of the root..." )
  3. New-SelfSignedCertificate -certstorelocation cert:\localmachine\my -dnsname "intermediate_dev_damienbod.com" -Signer $parentcert -NotAfter (Get-Date).AddYears(20) -FriendlyName "intermediate_dev_damienbod.com" -KeyUsageProperty All -KeyUsage CertSign, CRLSign, DigitalSignature -TextExtension @("2.5.29.19={text}CA=1&pathlength=1")
  4. Get-ChildItem -Path cert:\localMachine\my\"The thumbprint..." | Export-PfxCertificate -FilePath C:\git\AspNetCoreCertificateAuth\Certs\intermediate_dev_damienbod.pfx -Password $mypwd
  5. Export-Certificate -Cert cert:\localMachine\my\"The thumbprint..." -FilePath intermediate_dev_damienbod.crt

从中间证书创建子证书Create child certificate from intermediate certificate

可以从中间证书创建子证书。这是最终实体,不需要创建更多的子证书。

  1. $parentcert = ( Get-ChildItem -Path cert:\LocalMachine\My\"The thumbprint from the Intermediate certificate..." )
  2. New-SelfSignedCertificate -certstorelocation cert:\localmachine\my -dnsname "child_a_dev_damienbod.com" -Signer $parentcert -NotAfter (Get-Date).AddYears(20) -FriendlyName "child_a_dev_damienbod.com"
  3. $mypwd = ConvertTo-SecureString -String "1234" -Force -AsPlainText
  4. Get-ChildItem -Path cert:\localMachine\my\"The thumbprint..." | Export-PfxCertificate -FilePath C:\git\AspNetCoreCertificateAuth\Certs\child_a_dev_damienbod.pfx -Password $mypwd
  5. Export-Certificate -Cert cert:\localMachine\my\"The thumbprint..." -FilePath child_a_dev_damienbod.crt

从根证书创建子证书Create child certificate from root certificate

还可以直接从根证书创建子证书。

  1. $rootcert = ( Get-ChildItem -Path cert:\LocalMachine\My\"The thumbprint from the root cert..." )
  2. New-SelfSignedCertificate -certstorelocation cert:\localmachine\my -dnsname "child_a_dev_damienbod.com" -Signer $rootcert -NotAfter (Get-Date).AddYears(20) -FriendlyName "child_a_dev_damienbod.com"
  3. $mypwd = ConvertTo-SecureString -String "1234" -Force -AsPlainText
  4. Get-ChildItem -Path cert:\localMachine\my\"The thumbprint..." | Export-PfxCertificate -FilePath C:\git\AspNetCoreCertificateAuth\Certs\child_a_dev_damienbod.pfx -Password $mypwd
  5. Export-Certificate -Cert cert:\localMachine\my\"The thumbprint..." -FilePath child_a_dev_damienbod.crt

示例根中间证书证书Example root - intermediate certificate - certificate

  1. $mypwdroot = ConvertTo-SecureString -String "1234" -Force -AsPlainText
  2. $mypwd = ConvertTo-SecureString -String "1234" -Force -AsPlainText
  3. New-SelfSignedCertificate -DnsName "root_ca_dev_damienbod.com", "root_ca_dev_damienbod.com" -CertStoreLocation "cert:\LocalMachine\My" -NotAfter (Get-Date).AddYears(20) -FriendlyName "root_ca_dev_damienbod.com" -KeyUsageProperty All -KeyUsage CertSign, CRLSign, DigitalSignature
  4. Get-ChildItem -Path cert:\localMachine\my\0C89639E4E2998A93E423F919B36D4009A0F9991 | Export-PfxCertificate -FilePath C:\git\root_ca_dev_damienbod.pfx -Password $mypwdroot
  5. Export-Certificate -Cert cert:\localMachine\my\0C89639E4E2998A93E423F919B36D4009A0F9991 -FilePath root_ca_dev_damienbod.crt
  6. $rootcert = ( Get-ChildItem -Path cert:\LocalMachine\My\0C89639E4E2998A93E423F919B36D4009A0F9991 )
  7. New-SelfSignedCertificate -certstorelocation cert:\localmachine\my -dnsname "child_a_dev_damienbod.com" -Signer $rootcert -NotAfter (Get-Date).AddYears(20) -FriendlyName "child_a_dev_damienbod.com" -KeyUsageProperty All -KeyUsage CertSign, CRLSign, DigitalSignature -TextExtension @("2.5.29.19={text}CA=1&pathlength=1")
  8. Get-ChildItem -Path cert:\localMachine\my\BA9BF91ED35538A01375EFC212A2F46104B33A44 | Export-PfxCertificate -FilePath C:\git\AspNetCoreCertificateAuth\Certs\child_a_dev_damienbod.pfx -Password $mypwd
  9. Export-Certificate -Cert cert:\localMachine\my\BA9BF91ED35538A01375EFC212A2F46104B33A44 -FilePath child_a_dev_damienbod.crt
  10. $parentcert = ( Get-ChildItem -Path cert:\LocalMachine\My\BA9BF91ED35538A01375EFC212A2F46104B33A44 )
  11. New-SelfSignedCertificate -certstorelocation cert:\localmachine\my -dnsname "child_b_from_a_dev_damienbod.com" -Signer $parentcert -NotAfter (Get-Date).AddYears(20) -FriendlyName "child_b_from_a_dev_damienbod.com"
  12. Get-ChildItem -Path cert:\localMachine\my\141594A0AE38CBBECED7AF680F7945CD51D8F28A | Export-PfxCertificate -FilePath C:\git\AspNetCoreCertificateAuth\Certs\child_b_from_a_dev_damienbod.pfx -Password $mypwd
  13. Export-Certificate -Cert cert:\localMachine\my\141594A0AE38CBBECED7AF680F7945CD51D8F28A -FilePath child_b_from_a_dev_damienbod.crt

使用根证书、中间证书或子证书时,可以根据需要使用指纹或 PublicKey 来验证证书。

  1. using System.Collections.Generic;
  2. using System.IO;
  3. using System.Security.Cryptography.X509Certificates;
  4. namespace AspNetCoreCertificateAuthApi
  5. {
  6. public class MyCertificateValidationService
  7. {
  8. public bool ValidateCertificate(X509Certificate2 clientCertificate)
  9. {
  10. return CheckIfThumbprintIsValid(clientCertificate);
  11. }
  12. private bool CheckIfThumbprintIsValid(X509Certificate2 clientCertificate)
  13. {
  14. var listOfValidThumbprints = new List<string>
  15. {
  16. "141594A0AE38CBBECED7AF680F7945CD51D8F28A",
  17. "0C89639E4E2998A93E423F919B36D4009A0F9991",
  18. "BA9BF91ED35538A01375EFC212A2F46104B33A44"
  19. };
  20. if (listOfValidThumbprints.Contains(clientCertificate.Thumbprint))
  21. {
  22. return true;
  23. }
  24. return false;
  25. }
  26. }
  27. }