我遇到了这样一种情况,即我的 Web API 控制器中的 HttpGet 操作有多种方法可以根据查询字符串中指定的参数进行调用。
我需要能够处理以下 GET 请求:
~/businesses/{businessId}
~/businesses?hasOwnProperty={propertyName}
~/businesses?latitude={lat}&longitude={long}&hasOwnProperty={propertyName}
代码示例 1:
[HttpGet]
public HttpResponseMessage Get(string hasOwnProperty, ODataQueryOptions<Core.Models.Entities.Business> query)
{
var businessesREST = _businessRepo.Gets(hasOwnProperty, query);
response = Request.CreateResponse(HttpStatusCode.OK, businessesREST);
response.Headers.Location = new Uri(businessesREST.Href);
return response;
}
[HttpGet]
public HttpResponseMessage Get(double latitude, double longitude, string hasOwnProperty, ODataQueryOptions<Core.Models.Entities.Business> query)
{
var businessesREST = _businessRepo.GetsByLatLong(latitude, longitude, hasOwnProperty, query);
response = Request.CreateResponse(HttpStatusCode.OK, businessesREST);
response.Headers.Location = new Uri(businessesREST.Href);
return response;
}
[HttpGet]
public HttpResponseMessage GetBusiness(string businessId, ODataQueryOptions<Core.Models.Entities.Business> query)
{
var businessREST = _businessRepo.Get(businessId, query);
response = Request.CreateResponse(HttpStatusCode.OK, businessREST);
response.Headers.Location = new Uri(businessREST.Href);
return response;
}
有人建议我将这些方法组合如下。
代码示例 2:
[HttpGet]
public HttpResponseMessage Get(string businessId, double latitude, double longitude, string hasOwnProperty, ODataQueryOptions<Core.Models.Entities.Business> query)
{
if (!String.IsNullOrEmpty(businessId))
{
//GET ~/businesses/{businessId}
var businessREST = _businessRepo.Get(businessId, query);
response = Request.CreateResponse(HttpStatusCode.OK, businessREST);
response.Headers.Location = new Uri(businessREST.Href);
}
else
{
//GET ~/businesses?hasOwnProperty={propertyName}
//GET ~/businesses?latitude={lat}&longitude={long}&hasOwnProperty={propertyName}
var businessesREST = (latitude == double.MinValue || longitude == double.MinValue)
? _businessRepo.Gets(hasOwnProperty, query)
: _businessRepo.GetsByLatLong(latitude, longitude, hasOwnProperty, query);
response = Request.CreateResponse(HttpStatusCode.OK, businessesREST);
response.Headers.Location = new Uri(businessesREST.Href);
}
return response;
}
我很好奇当前被广泛接受的最佳实践是关于动作定义的,以及它们背后的推理。