使用.net core

时间:2016-08-01 20:00:12

标签: c# dependency-injection asp.net-core .net-core

我看到很多关于如何在.NET Core中使用DI的代码示例,但是没有一个使用构造函数参数。

例如:

  • 创建授权服务
  • 在构造函数
  • 中注入当前HTTP标头(X-Api-Key)
  • 在实施中检查我是否有权访问

在这里,我不仅需要在IAuthorizationService上使用DI,还需要在构造函数中注入令牌。我知道如何在Ninject中完成它,但是没有.NET Core DI的经验。

以下是我的例子。

public void ConfigureServices(IServiceCollection services)
{
    services.AddMvc();
    services.AddEntityFrameworkSqlite();
    services.AddDbContext<MainDbContext>();
    services.AddScoped<IAuthorizationService, AuthorizationService>(); // Inject current HttpContext header value as a constructor?
}

1 个答案:

答案 0 :(得分:7)

我通常通过一个服务来传递这些值,其中数据是在一个中间件中设置的。例如:

可以注入的访问者类:

public class ApiKeyAccessor
{
    public string ApiKey { get; set; }
}

一个在请求开头设置API密钥的中间件:

public class ApiKeyMiddleware
{
    private readonly RequestDelegate _next;

    public ApiKeyMiddleware(RequestDelegate next)
    {
        _next = next;
    }

    public Task Invoke(HttpContext context, ApiKeyAccessor apiKeyAccessor)
    {
        StringValues key;
        if (context.Request.Headers.TryGetValue("X-Api-Key", out key))
        {
            apiKeyAccessor.ApiKey = key;
            return _next(context);
        }

        // todo: throw exception, etc..
    }
}

现在我们只需要将ApiKeyAccessor添加到DI容器中,并使用作用域生存期,并将ApiKeyMiddleware添加到请求执行管道中,最好尽快

如果配置正确,我们可以在控制器或服务中注入ApiKeyAccessor实例:

public class AuthorizationService
{
   private readonly string _apiKey;

   public AuthorizationService(ApiKeyAccessor apiKeyAccessor)
   {
      _apiKey = apiKeyAccessor.ApiKey;
   }
}