在可用于以下中间件的中间件中定义变量

时间:2016-11-15 15:38:32

标签: asp.net-core asp.net-core-middleware

我正在使用asp.net核心,我想在调用完整的Web应用程序之前从请求中获取几个数据。

所以我创建了一个中间件来做到这一点。我找到了一种检查我想要的东西的方法,但我不知道如何将变量传递给以下中间件

app.Use(async (context, next) => {
    var requestInfo = GetRequestInfo(context.Request);
    if(requestInfo == null)
    {
        context.Response.StatusCode = 404;
        return;
    }

    // How do I make the request info available to the following middlewares ?

    await next();
});

app.Run(async (context) =>
{
    // var requestInfo =  ???
    await context.Response.WriteAsync("Hello World! - " + env.EnvironmentName);
});

是否有将数据从中间件传递给其他人的好方法? (这里我使用app.Run,但我希望将所有这些都放在MVC中)

2 个答案:

答案 0 :(得分:4)

我找到了解决方案:上下文包含IFeatureCollectionit is documented here

我们只需要创建一个包含所有数据的类:

public class RequestInfo
{
    public String Info1 { get; set; }
    public int Info2 { get; set; }
}

我们将其添加到context.Features

app.Use(async (context, next) => {
    RequestInfo requestInfo = GetRequestInfo(context.Request);
    if(requestInfo == null)
    {
        context.Response.StatusCode = 404;
        return;
    }

    // We add it to the Features collection
    context.Features.Set(requestInfo)

    await next();
});

现在可供其他中间件使用:

app.Run(async (context) =>
{
    var requestInfo = context.Features.Get<RequestInfo>();
});

答案 1 :(得分:3)

除了功能之外,还有另一个 - 我认为更简单 - 解决方案:HttpContext.Items,如here所述。根据{{​​3}},它专门用于存储单个请求范围的数据。

您的实施将如下所示:

// Set data:
context.Items["RequestInfo"] = requestInfo;

// Read data:
var requestInfo = (RequestInfo)context.Items["RequestInfo"];