5

当我运行这个 url 时:/api/users/1它只在我使用 HttpDelete-Attribute 时映射到 Delete 操作。这种行为的原因是什么?

否则我会收到他的消息:请求的资源不支持 HTTP 方法 GET

[RoutePrefix("api/users")]
public class UserController : ApiController
{
    private readonly IUserService _userService;
    public UserController(IUserService userService)
    {
        _userService = userService;
    }

    [Route("")]
    public HttpResponseMessage Get()
    {
        return Request.CreateResponse<IEnumerable<UserDTO>>(HttpStatusCode.OK, _userService.GetUsers());
    } 

    [Route("{id:int}")]
    [HttpDelete]
    public HttpResponseMessage Delete(int id)
    {
        _userService.Delete(id);
        return Request.CreateResponse(HttpStatusCode.OK, "User was deleted successfully");
    }
}

这些是我的路线:

 config.MapHttpAttributeRoutes();

            config.Routes.MapHttpRoute(
               name: "ActionApi",
               routeTemplate: "api/{controller}/{id}",
               defaults: new { id = RouteParameter.Optional }
           );

            config.Routes.MapHttpRoute(
                name: "DefaultApi",
                routeTemplate: "api/{controller}/{id}",
                defaults: new { controller = "Home", action = "Start", id = RouteParameter.Optional }
            );
4

1 回答 1

17

按照约定,HTTP 动词将匹配以该 HTTP 动词为前缀的操作名称。

因此,它抱怨您没有针对 HTTP GET 的操作,这是您使用浏览器发出简单请求时使用的动词。您需要一个类似以下名称的操作:

public HttpResponseMessage Get(int id)

甚至

public HttpResponseMessage GetUser(int id)

显然,如果您使用 DELETE 发出请求,它将映射到您定义的删除操作。

参考:http ://www.asp.net/web-api/overview/web-api-routing-and-actions/routing-in-aspnet-web-api

“要查找操作,Web API 会查看 HTTP 方法,然后查找名称以该 HTTP 方法名称开头的操作。例如,对于 GET 请求,Web API 会查找以“Get.. .”,例如“GetContact”或“GetAllContacts”。此约定仅适用于 GET、POST、PUT 和 DELETE 方法。您可以通过使用控制器上的属性来启用其他 HTTP 方法。稍后我们将看到一个示例。”

于 2014-01-09T19:31:18.050 回答