2

我有一个包含两个模型的 Web 项目 -IndicatorModelGranteeModel. 我还为每个 -IndicatorsControllerGranteesController. 我计划将此设置用于数据 API 以及我的实际 Web 项目,因此我在我的项目中创建了一个名为“Api”的新区域。在我的ApiAreaRegistration课堂上,我正在为这些控制器注册路由,如下所示:

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

基本上,一个请求http://myapp/api/indicators/123应该发送到 Indicators 控制器,并且它应该由一个接受整数参数的操作方法专门处理。我的控制器类设置如下,它运行良好:

public class IndicatorsController : ApiController
{
    // get: /api/indicators/{id}
    public IndicatorModel Get(int id)
    {
        Indicator indicator = ...// find indicator by id
        if (indicator == null)
        {
            throw new HttpResponseException(HttpStatusCode.NotFound);
        }
        return new IndicatorModel(indicator);
    }
}

我的GranteesController班级设置相同:

public class GranteesController : ApiController
{
    // get: /api/grantees/{id}
    public GranteeModel Get(int granteeId)
    {
        Grantee grantee = ... // find grantee by Id
        if (grantee == null)
        {
            throw new HttpResponseException(HttpStatusCode.NotFound);
        }
        return new GranteeModel(grantee);
    }
}

现在的问题 - 如果我尝试向 请求http://myapp/api/grantees/123,我得到一个 404 并且我 100% 肯定 404不是来自我的 Get 方法。一方面,我尝试过在该方法中调试和记录,但该方法实际上从未被命中。此外,请求的实际输出 (json) 如下所示:

{ 
  "Message": "No HTTP resource was found that matches the request URI 'http://myapp/api/grantees/25'.",
  "MessageDetail": "No action was found on the controller 'Grantees' that matches the request."
}

此外,我的 TraceWriter 日志的输出如下所示:

;;http://myapp/api/grantees/10
DefaultHttpControllerSelector;SelectController;Route='controller:grantees,id:10'
DefaultHttpControllerSelector;SelectController;Grantees
HttpControllerDescriptor;CreateController;
DefaultHttpControllerActivator;Create;
DefaultHttpControllerActivator;Create;MyApp.Areas.Api.Controllers.GranteesController
HttpControllerDescriptor;CreateController;MyApp.Areas.Api.Controllers.GranteesController
GranteesController;ExecuteAsync;
ApiControllerActionSelector;SelectAction;
DefaultContentNegotiator;Negotiate;Type='HttpError', formatters=[JsonMediaTypeFormatterTracer...

所以我的请求被正确路由 - 选择了正确的控制器,并且 Id 属性设置正确(10)。但是,ApiControllerActionSelector没有在控制器上找到匹配的方法。我也尝试将[HttpGet]属性添加到我的 Get 方法中,但没有成功。

有人对这里可能发生的事情有任何想法吗?我一生都无法弄清楚为什么动作选择器没有找到正确的动作。

4

1 回答 1

7

GranteesController 的 action 上的参数名称需要从 'granteeId' 修改为 'id':

公共 GranteeModel 获取(int id

于 2012-08-27T17:04:48.100 回答