我创建了一个过滤器,用于从接收模型作为参数的操作中使用。我们的想法是在请求到达操作本身之前返回400.
这是过滤器:
public class ValidateModelAttribute : ActionFilterAttribute
{
private static readonly ILog Log = LogManager.GetLogger(System.Reflection.MethodBase.GetCurrentMethod().DeclaringType);
public override void OnActionExecuting(HttpActionContext actionContext)
{
Log.Debug("");
var _return = new BaseReturn<object>();
_return.Success = false;
try
{
if (actionContext.ModelState.IsValid && actionContext.ActionArguments[actionContext.ActionArguments.Keys.First()] != null)
return;
if (actionContext.ModelState.Values.Count == 0)
_return.Message = "Model not sent";
if (actionContext.ModelState.Values.Count > 0 && actionContext.ModelState.Values.Any(c => c.Errors.Count > 0))
_return.Message = actionContext.ModelState.Values.First(c => c.Errors.Count > 0).Errors[0].ErrorMessage;
}
catch (Exception ex)
{
_return.Message = ex.Message;
}
if (_return.Message == null)
_return.Message = "Model is not valid";
actionContext.Response = actionContext.Request.CreateResponse<BaseReturn<object>>(HttpStatusCode.BadRequest, _return);
}
}
这是我的行动:
[HttpPost]
[Route("api/Devices/{id}/SendOrder")]
[ValidateModel]
public BaseReturn<bool> SendNotificationToDevice(string id, OrderNotification model)
{
}
这里的问题是ModelState只是试图验证{id}参数。如果我从方法声明中删除{id},确实验证我的模型。
有没有办法让ModelState验证这两个参数?
嗯......似乎ModelState 确实在方法声明中使用{id}来验证模型。唯一的问题是,如果发送了OrderNotification模型,我无法找到(在OnActionExecuting方法中)发现的方法。
当我发送空JSON时,ModelState.Values.Count为1,并且由于{id}存在于URL中,因此ModelState.IsValid为true。
答案 0 :(得分:1)
默认情况下,在ASP.NET Web API中,null
对象参数值不会被视为无效。如果您希望将这些视为无效,则可以更新过滤器以首先处理参数以确保它们具有值集:
foreach (var parameter in actionContext.ActionDescriptor.GetParameters())
{
object parameterValue;
if (!parameter.IsOptional
&& parameter.ParameterType.IsClass
&& actionContext.ActionArguments.TryGetValue(parameter.ParameterName,
out parameterValue))
{
if (parameterValue == null)
{
ModelState.AddModelError(parameter.ParameterName, "");
}
}
}
答案 1 :(得分:0)
parameter-binding-in-aspnet-web-api
要强制Web API从URI中读取复杂类型,请添加
[FromUri]
属性为参数
您是否尝试在参数中添加[FromUri]
属性?
[HttpPost]
[Route("api/Devices/{id}/SendOrder")]
[ValidateModel]
public BaseReturn<bool> SendNotificationToDevice(string id, [FromUri]OrderNotification model)
{
}