ASP.NET Web API 操作筛选器示例

本文关键字:筛选 操作 NET Web API ASP | 更新日期: 2023-09-27 18:32:05

我是整个MVC的新手,正在考虑使用 ASP.NET Web API重新实现一些WCF服务。作为其中的一部分,我想实现一个操作过滤器来记录所有操作和异常以及计时,所以我想我会从动作过滤器开始,但是过滤器不会被调用。

public class MyTrackingActionFilter : ActionFilterAttribute, IExceptionFilter 
{
    private Stopwatch stopwatch = new Stopwatch();
    public void OnException(ExceptionContext filterContext)
    {
           ...
    }
    public override void OnActionExecuted(ActionExecutedContext filterContext)
    {
           ...
    }
    public override void OnActionExecuting(ActionExecutingContext filterContext)
    {
        this.stopwatch.Start();
        Trace.TraceInformation(" Entering {0}", filterContext.RouteData);
    }
}

在控制器上,我有

[MyTrackingActionFilter]
public class MyResourceController : ApiController
{
  ...
}

路由在 Global.asax 中使用如下调用进行设置:

var routeTemplate = ...
var defaults = new { controller = controllerName, action = methodName };
var constraints = new { httpMethod = new HttpMethodConstraint(myHTTPMethods.Split(',')) };
routes.MapHttpRoute(methodName, routeTemplate, defaults, constraints);

问题是 MyResourceController 上的操作按预期调用并成功运行。客户端能够向服务器查询必要的信息,并且所有行为都很好,除了没有调用任何操作筛选器方法。

我的理解是,其余的都是"自动"发生的。这显然还不够 - 关于什么是错误的?我需要在某个地方注册这些吗?

ASP.NET Web API 操作筛选器示例

您必须

确保您的代码使用 System.Web.Http.Filters 命名空间中的ActionFilterAttribute,而不是 System.Web.Mvc 命名空间中的。

因此,请检查您是否有

 using System.Web.Http.Filters;

正如Sander提到的,我尝试了下面的代码,它的动作过滤器正在执行。

public class WebAPIActionFilterAttribute : System.Web.Http.Filters.ActionFilterAttribute
{
    public override void OnActionExecuted(HttpActionExecutedContext actionExecutedContext)
    {
        PersonController.Messages.Add("OnActionExecuted");
    }
    public override void OnActionExecuting(HttpActionContext actionContext)
    {
        PersonController.Messages.Add("OnActionExecuting");
    }
}
public class WebAPIExceptionFilter : System.Web.Http.Filters.ExceptionFilterAttribute
{
    public override void OnException(HttpActionExecutedContext actionExecutedContext)
    {
        PersonController.Messages.Add("OnException");
        actionExecutedContext.Response = new HttpResponseMessage(HttpStatusCode.NotFound) { Content = new StringContent("Something went wrong") };
    }
}

PersonController.Messages是一个静态字符串列表。 如果你想检查OnActionExecute是否被执行,你可以再次调用相同的API方法,你会在消息列表中看到"OnActionExecuted"。