我正在使用自定义HTTP控制器选择器来版本化我的API.
config.Services.Replace(typeof(IHttpControllerSelector), new NamespaceSelector(config));
以下是我的控制器的动作:
[RoutePrefix("api/v1/messages")]
public class MessagesController : ApiController
{
[Route("unreadall")] // api/v1/messages/unreadall
public IEnumerable<long> UnreadAll()
{
// Return value;
}
[Route("{type}/unreadall")] // api/v1/messages/{type}/unreadall
public IEnumerable<long> UnreadAll(string type)
{
// Return value;
}
[Route("unreadnext")] // api/v1/messages/unreadnext
public long UnreadNext()
{
// Return value;
}
[Route("{type/}unreadnext")] // api/v1/messages/{type}/unreadnext
public long UnreadNext(string type)
{
// Return value;
}
[Route("{id:long}/markasread")] // api/v1/messages/123/markasread
[HttpPut]
public string MarkAsRead(long id)
{
// Return value;
}
[Route("{id:long}")] // Default Action
public string Get(long id) // api/v1/messages/123
{
// Return value;
}
[Route("")] // Default Action
[HttpPost]
public long Post(string message) // api/v1/messages
{
// Return value;
}
}
以下是我的路线配置:
config.Routes.MapHttpRoute(
name: "DefaultApi1",
routeTemplate: "api/{version}/{controller}/{id}/{action}"
);
config.Routes.MapHttpRoute(
name: "DefaultApi2",
routeTemplate: "api/{version}/{controller}/{action}"
);
config.Routes.MapHttpRoute(
name: "DefaultApi",
routeTemplate: "api/{version}/{controller}/{id}",
defaults: new { id = RouteParameter.Optional }
);
当我测试我的路线时,以下工作.
/api/v1/messages/unreadall
/api/v1/messages/unreadnext
/api/v1/messages/123/markasread
但是下面的路线,也指向同样的行动.
/api/v1/messages/type/unreadall
/api/v1/messages/type/unreadnext
我的其他路线都出错了.
/api/v1/messages/123
Error:
{
"Message": "No HTTP resource was found that matches the request URI 'http://localhost:59411/api/v1/messages/123'.",
"MessageDetail": "No action was found on the controller 'MessagesController' that matches the name '123'."
}
POST: /api/v1/messages
Error:
{
"Message": "The requested resource does not support http method 'POST'."
}
有人可以告诉我的路线配置有什么问题吗?或者有人可以为我上面的场景发布工作路线配置吗?
感谢您的帮助 !
干杯,
最佳答案 你得到的是预期的行为:路由配置中定义的路由有效,而属性路由没有.
发生这种情况是因为request.GetRouteData()没有考虑属性路由.这当然是有道理的,因为路由指向的特定控制器没有特定的控制器,因为属性路由与方法有关,而不是控制器.
使用属性路由时,所有路由属性都将添加到没有名称的公共路由中.这是一个特殊路由,它是一个名为RouteCollectionRoute
的内部类的实例.此路由具有一组可以查询的子路由,包括所有属性路由.但是,如果您只想要为您的呼叫选择所选路线,您可以使用RouteData.Values简单地询问它:
var routeData = request.GetRouteData();
var subroutes = (IEnumerable<IHttpRouteData>)routeData.Values["MS_SubRoutes"];
var route = subroutes.First().Route;
资料来源:http://wildermuth.com/2013/11/12/Web_API_2_s_Attribute_Routing_Looking_Deeper