我编写了一个自定义委派处理程序,可以在响应和附件中添加自定义标题。检查请求。
我在WebAPi配置中添加了句柄
config.MessageHandlers.Add(new customHandler());
但问题适用于所有控制器。我需要应用特定于控制器的自定义标头。是否可以添加特定于控制器的自定义处理程序?
答案 0 :(得分:17)
在本文的最后,它解释了如何仅将处理程序应用于某些路由:http://www.asp.net/web-api/overview/working-with-http/http-message-handlers。您可能必须为控制器创建一个唯一的处理程序,以便它仅应用于该控制器。
config.Routes.MapHttpRoute(
name: "MyCustomHandlerRoute",
routeTemplate: "api/MyController/{id}",
defaults: new { controller = "MyController", id = RouteParameter.Optional },
constraints: null,
handler: HttpClientFactory.CreatePipeline(new HttpControllerDispatcher(config), new MyCustomDelegatingMessageHandlerA());
);
关于每个路由消息处理程序的管道如何,您可以查看here。
答案 1 :(得分:6)
您可以使用per-route消息处理程序,但请注意这一点。正如@Nick在其答案中链接的文章,您可以链接处理程序并确保涉及HttpControllerDispatcher
。否则,您将无法进入Controller管道。
我喜欢的另一个选项是使用HttpControllerDispatcher
作为自定义处理程序的基类:
public class CustomerOrdersDispatcher : HttpControllerDispatcher {
public CustomerOrdersDispatcher(HttpConfiguration config)
: base(config) {
}
protected override Task<HttpResponseMessage> SendAsync(
HttpRequestMessage request,
CancellationToken cancellationToken) {
// Do some stuff here...
return base.SendAsync(request, cancellationToken);
}
}
在这里,您将如何注册:
protected void Application_Start(object sender, EventArgs e) {
var config = GlobalConfiguration.Configuration;
config.Routes.MapHttpRoute(
name: "CustomerOrdersHttpRoute",
routeTemplate: "api/customers/{customerKey}/orders/{key}",
defaults: new { controller = "CustomerOrders", key = RouteParameter.Optional },
constraints: null,
handler: new CustomerOrdersDispatcher(config)
);
config.MessageHandlers.Add(new SomeOtherHandler1());
config.MessageHandlers.Add(new SomeOtherHandler2());
}
执行SomeOtherHandler1
和SomeOtherHandler2
后,您的CustomerOrdersDispatcher
将针对 CustomerOrdersHttpRoute 路由执行。因此,您可以看到保留默认处理程序行为并设置一些全局处理程序,同时还有一个特定于路径的处理程序。
以下是我的CustomerOrdersDispatcher
:https://github.com/tugberkugurlu/AdvancedWebAPI/blob/master/PerRouteMHOwnershipSample/Dispatcher/CustomerOrdersDispatcher.cs的完整实施。
您也可以查看完整的示例应用程序源代码,了解它的工作原理:https://github.com/tugberkugurlu/AdvancedWebAPI/tree/master/PerRouteMHOwnershipSample