关于asp.net mvc:如何在Error.cshtml视图中使用过滤器放入ViewBag的数据?

How can I use data placed into a ViewBag by a filter in my Error.cshtml view?

我有一个操作过滤器,负责将一些公共信息放入视图包中,供shared layout.cshtml文件中的所有视图使用。

1
2
3
4
5
6
7
8
9
10
11
12
public class ProductInfoFilterAttribute : ActionFilterAttribute
{
    public override void
    OnActionExecuting(ActionExecutingContext filterContext)
    {
        //  build product info
        //  ... (code omitted)

        dynamic viewBag = filterContext.Controller.ViewBag;
        viewBag.ProductInfo = info;
    }
}

在shared layout.cshtml文件中,我使用已放入viewbag的信息。

1
2
3
...
@ViewBag.ProductInfo.Name
...

如果在处理控制器操作时发生异常,标准handleErrorAttribute应该显示我的shared error.cshtml视图,这在我在上面引入操作筛选器并开始使用viewbag中的新值layout.cshtml之前起作用。现在我得到的是标准的ASP.NET运行时错误页,而不是我的自定义error.cshtml视图。

我已经跟踪到这样一个事实,即在呈现错误视图时,Layout.cshtml中使用viewBag.productInfo.name时会引发runtimeBinderException("无法对空引用执行运行时绑定")。

看起来,即使在引发原始异常之前,我的操作筛选器已成功地在ViewBag中设置了值,在呈现我的error.cshtml视图时,仍将使用一个带有空ViewBag的新上下文。

是否有任何方法可以获取由操作筛选器创建的数据以供自定义错误视图使用?


通过添加另一个过滤器,我得出了自己的解决方案。

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
public class PreserveViewDataOnExceptionFilter : IExceptionFilter
{
    public void
    OnException(ExceptionContext filterContext)
    {
        //  copy view data contents from controller to result view
        ViewResult viewResult = filterContext.Result as ViewResult;
        if ( viewResult != null )
        {
            foreach ( var value in filterContext.Controller.ViewData )
            {
                if ( ! viewResult.ViewData.ContainsKey(value.Key) )
                {
                    viewResult.ViewData[value.Key] = value.Value;
                }
            }
        }
    }

    public static void
    Register()
    {
        FilterProviders.Providers.Add(new FilterProvider());
    }

    private class FilterProvider : IFilterProvider
    {
        public IEnumerable<Filter>
        GetFilters(ControllerContext controllerContext, ActionDescriptor actionDescriptor)
        {
            //  attach filter as"first" for all controllers / actions; note: exception filters run in reverse order
            //  so this really causes the filter to be the last filter to execute
            yield return new Filter(new PreserveViewDataOnExceptionFilter(), FilterScope.First, null);
        }
    }
}

需要通过调用PreserveViewDataOnExceptionFilter.Register()在global.asax.cs Application_Start()方法中全局挂接此筛选器。

我在这里所做的是在handleErrorAttribute筛选器运行之后,设置一个最后运行的新异常筛选器,并将可用于引发异常的控制器的viewData集合的内容复制到handleErrorAttribute筛选器创建的结果中。