0

我正在使用 WebAPI oData。要求是更新实体的导航属性。

public class Question
{
    public int QuestionId { get; set; }
    public string QuestionTitle { get; set; }
    public string QuestionBody { get; set; }
    public List<Response> Responses { get; set; } //navigation property
}

public class Response
{
    public string ResponseId { get; set; }
    public int QuestionId { get; set; } //fk
    public string ResponseBody { get; set; }
}

现在,如果我使用以下链接来获取它在 oData Webapi 中工作的响应

GET - /odata/questions(1)/responses ----成功。在控制器中,我添加了一个操作来处​​理这个请求:

public IQueryable<Response> GetResponses([FromODataUri] Guid key)
{
    //
}

POST - /odata/questions(1)/responses ----这不起作用;错误消息是:此服务不支持“~/entityset/key/navigation”形式的 OData 请求

我在控制器中添加的方法是:

public List<Responses> CreateResponses([FromODataUri] Guid key, List<Response> responses)
{
     //
}

如何支持在 oData WebAPI 中添加/更新导航属性

4

1 回答 1

1

您需要自定义路由约定来处理 POST 到导航属性。下面的代码,

// routing convention to handle POST requests to navigation properties.
public class CreateNavigationPropertyRoutingConvention : EntitySetRoutingConvention
{
    public override string SelectAction(ODataPath odataPath, HttpControllerContext controllerContext, ILookup<string, HttpActionDescriptor> actionMap)
    {
        if (odataPath.PathTemplate == "~/entityset/key/navigation" && controllerContext.Request.Method == HttpMethod.Post)
        {
            IEdmNavigationProperty navigationProperty = (odataPath.Segments[2] as NavigationPathSegment).NavigationProperty;
            controllerContext.RouteData.Values["key"] = (odataPath.Segments[1] as KeyValuePathSegment).Value; // set the key for model binding.
            return "PostTo" + navigationProperty.Name;
        }

        return null;
    }
}

注册路由约定,

var routingConventions = ODataRoutingConventions.CreateDefault();
routingConventions.Insert(0, new CreateNavigationPropertyRoutingConvention());
server.Configuration.Routes.MapODataRoute("odata", "", GetEdmModel(), new DefaultODataPathHandler(), routingConventions);

完整的示例在这里

于 2013-07-01T17:52:04.333 回答