.net 6 获取jwt 过滤Bearer
时间: 2024-03-13 08:46:52 浏览: 73
在.NET 6中,你可以使用ASP.NET Core的Authorization中间件来过滤Bearer Token。
以下是一个示例代码,展示了如何在ASP.NET Core应用程序中获取JWT并验证它:
```csharp
using Microsoft.AspNetCore.Authorization;
using Microsoft.AspNetCore.Mvc;
namespace YourApp.Controllers
{
[ApiController]
[Route("[controller]")]
[Authorize]
public class MyController : ControllerBase
{
[HttpGet]
public IActionResult Get()
{
// 获取当前用户的ID
var userId = User.FindFirstValue(ClaimTypes.NameIdentifier);
// 在这里添加你的业务逻辑
return Ok();
}
}
}
```
在此代码中,我们在控制器上添加了[Authorize]特性,以确保只有经过身份验证的用户可以访问该动作。当客户端发送请求时,Authorization中间件会自动解析Bearer Token,并将其附加到HttpContext.User属性中。你可以使用User对象来获取当前用户的信息,例如ID。
注意:在使用Authorization中间件之前,你需要在Startup.cs文件中配置身份验证方案。例如,你可以使用JWT身份验证方案:
```csharp
services.AddAuthentication(JwtBearerDefaults.AuthenticationScheme)
.AddJwtBearer(options =>
{
options.Authority = "https://your-auth-server.com";
options.Audience = "your-audience";
});
```
在此代码中,我们使用AddAuthentication方法添加JWT身份验证方案,并指定其Authority和Audience属性。Authority属性指定用于验证令牌的身份验证服务器的URL,Audience属性指定使用令牌的受众。
阅读全文