3

我想做一个如下所示的 Web Api 服务器请求:

localhost:8080/GetByCoordinates/[[100,90],[180,90],[180,50],[100,50]]

如您所见,有一个坐标数组。每个坐标有两个点,我想提出这样的要求。我无法弄清楚我的 Web Api 路由配置应该是什么样子,以及方法签名应该是什么样子。

你能帮忙吗?谢谢 !

4

2 回答 2

1

最简单的方法可能是使用“catch-all”路由并在控制器操作中解析它。例如

config.Routes.MapHttpRoute(
            name: "GetByCoordinatesRoute",
            routeTemplate: "/GetByCoordinatesRoute/{*coords}",
            defaults: new { controller = "MyController", action = "GetByCoordinatesRoute" }

public ActionResult GetByCoordinatesRoute(string coords)
{
    int[][] coordArray = RegEx.Matches("\[(\d+),(\d+)\]")
                              .Cast<Match>()
                              .Select(m => new int[] 
                                      {
                                          Convert.ToInt32(m.Groups[1].Value),
                                          Convert.ToInt32(m.Groups[2].Value)
                                      })
                              .ToArray();
}

注意:我的解析代码仅作为示例提供。它比您要求的要宽容得多,您可能需要对其添加更多检查。

但是,更优雅的解决方案是使用自定义IModelBinder.

public class CoordinateModelBinder : IModelBinder
{
    public object BindModel(ControllerContext controllerContext, ModelBindingContext bindingContext)
    {
        int[][] result;
        // similar parsing code as above
        return result;
    }
}

public ActionResult GetByCoordinatesRoute([ModelBinder(typeof(CoordinateModelBinder))]int[][] coords)
{
    ...
}
于 2013-03-19T10:28:58.707 回答
0

显而易见的问题是,为什么您希望该信息出现在 URL 中?它看起来像 JSON 更好地处理。

所以你可以做localhost:8080/GetByCoordinates/?jsonPayload={"coords": [[100,90],[180,90],[180,50],[100,50]]}

于 2013-03-19T11:09:30.573 回答