ModelState.IsValid即使它不应该是?

Sta*_*tan 64 c# asp.net-web-api

我有API需要验证我的用户模型.我选择一种方法,为创建/编辑操作创建不同的类,以避免质量分配和划分验证和实际模型分开.

我不知道为什么,但ModelState.IsValid即使它不应该返回真实.难道我做错了什么?

调节器

public HttpResponseMessage Post(UserCreate user)
{
    if (ModelState.IsValid) // It's valid even when user = null
    {
        var newUser = new User
        {
            Username = user.Username,
            Password = user.Password,
            Name = user.Name
        };
        _db.Users.Add(newUser);
        _db.SaveChanges();
        return Request.CreateResponse(HttpStatusCode.Created, new { newUser.Id, newUser.Username, newUser.Name });
    }
    return Request.CreateErrorResponse(HttpStatusCode.BadRequest, ModelState);
}
Run Code Online (Sandbox Code Playgroud)

模型

public class UserCreate
{
    [Required]
    public string Username { get; set; }
    [Required]
    public string Password { get; set; }
    [Required]
    public string Name { get; set; }
}
Run Code Online (Sandbox Code Playgroud)

调试证明

证明

nem*_*esv 73

ModelState.IsValid内部检查Values.All(modelState => modelState.Errors.Count == 0)的表达.

因为没有输入,Values集合将是空的,所以ModelState.IsValid将是true.

所以你需要用以下方法明确处理这种情况:

if (user != null && ModelState.IsValid)
{

}
Run Code Online (Sandbox Code Playgroud)

无论这是一个好的还是坏的设计决定,如果你什么都不验证它将是真的是一个不同的问题......

  • @nemesv我不确定我是否同意你的观点.你要求的是一个特定的模型,如果你取代那个模型,那么它就不是模型了.那么,如果模型不存在,该模型怎么可能有效? (11认同)
  • 我认为框架不应该为你处理这种情况,因为这是参数为"null"的有效方案.你可以创建一个动作过滤器,例如处理参数不能为"null"的动作过滤器...... (4认同)

Jos*_*Ch. 25

这是一个动作过滤器,用于检查空模型或无效模型.(所以你不必在每个动作上写支票)

using System;
using System.Collections.Generic;
using System.Linq;
using System.Net;
using System.Net.Http;
using System.Web.Http.Controllers;
using System.Web.Http.Filters;

namespace Studio.Lms.TrackingServices.Filters
{
    public class ValidateViewModelAttribute : ActionFilterAttribute
    {
        public override void OnActionExecuting(HttpActionContext actionContext)
        {
            if (actionContext.ActionArguments.Any(kv => kv.Value == null)) {
                actionContext.Response = actionContext.Request.CreateErrorResponse(HttpStatusCode.BadRequest, "Arguments cannot be null");
            }

            if (actionContext.ModelState.IsValid == false) {
                actionContext.Response = actionContext.Request.CreateErrorResponse(HttpStatusCode.BadRequest, actionContext.ModelState);
            }
        }
    }
}
Run Code Online (Sandbox Code Playgroud)

您可以在全球注册:

config.Filters.Add(new ValidateViewModelAttribute());
Run Code Online (Sandbox Code Playgroud)

或者在类/动作上按需使用它

 [ValidateViewModel]
 public class UsersController : ApiController
 { ...
Run Code Online (Sandbox Code Playgroud)

  • 如果操作具有可选参数,则返回Bad Request,例如`Get(string id,string something = null)`。 (2认同)

Mic*_*tov 12

我编写了一个自定义过滤器,它不仅确保传递所有非可选对象属性,还检查模型状态是否有效:

[AttributeUsage (AttributeTargets.Class | AttributeTargets.Method, AllowMultiple = false)]
public sealed class ValidateModelAttribute : ActionFilterAttribute
{
    private static readonly ConcurrentDictionary<HttpActionDescriptor, IList<string>> NotNullParameterNames =
        new ConcurrentDictionary<HttpActionDescriptor, IList<string>> ();


    /// <summary>
    /// Occurs before the action method is invoked.
    /// </summary>
    /// <param name="actionContext">The action context.</param>
    public override void OnActionExecuting (HttpActionContext actionContext)
    {
        var not_null_parameter_names = GetNotNullParameterNames (actionContext);
        foreach (var not_null_parameter_name in not_null_parameter_names)
        {
            object value;
            if (!actionContext.ActionArguments.TryGetValue (not_null_parameter_name, out value) || value == null)
                actionContext.ModelState.AddModelError (not_null_parameter_name, "Parameter \"" + not_null_parameter_name + "\" was not specified.");
        }


        if (actionContext.ModelState.IsValid == false)
            actionContext.Response = actionContext.Request.CreateErrorResponse (HttpStatusCode.BadRequest, actionContext.ModelState);
    }


    private static IList<string> GetNotNullParameterNames (HttpActionContext actionContext)
    {
        var result = NotNullParameterNames.GetOrAdd (actionContext.ActionDescriptor,
                                                     descriptor => descriptor.GetParameters ()
                                                                             .Where (p => !p.IsOptional && p.DefaultValue == null &&
                                                                                          !p.ParameterType.IsValueType &&
                                                                                          p.ParameterType != typeof (string))
                                                                             .Select (p => p.ParameterName)
                                                                             .ToList ());

        return result;
    }
}
Run Code Online (Sandbox Code Playgroud)

我把它放在所有Web API操作的全局过滤器中:

config.Filters.Add (new ValidateModelAttribute ());
Run Code Online (Sandbox Code Playgroud)


Jam*_*Law 5

对于asp.net核心略有更新...

[AttributeUsage(AttributeTargets.Method)]
public sealed class CheckRequiredModelAttribute : ActionFilterAttribute
{
    public override void OnActionExecuting(ActionExecutingContext context)
    {
        var requiredParameters = context.ActionDescriptor.Parameters.Where(
            p => ((ControllerParameterDescriptor)p).ParameterInfo.GetCustomAttribute<RequiredModelAttribute>() != null).Select(p => p.Name);

        foreach (var argument in context.ActionArguments.Where(a => requiredParameters.Contains(a.Key, StringComparer.Ordinal)))
        {
            if (argument.Value == null)
            {
                context.ModelState.AddModelError(argument.Key, $"The argument '{argument.Key}' cannot be null.");
            }
        }

        if (!context.ModelState.IsValid)
        {
            var errors = context.ModelState.Values.SelectMany(v => v.Errors).Select(e => e.ErrorMessage);
            context.Result = new BadRequestObjectResult(errors);
            return;
        }

        base.OnActionExecuting(context);
    }
}

[AttributeUsage(AttributeTargets.Parameter)]
public sealed class RequiredModelAttribute : Attribute
{
}

services.AddMvc(options =>
{
    options.Filters.Add(typeof(CheckRequiredModelAttribute));
});

public async Task<IActionResult> CreateAsync([FromBody][RequiredModel]RequestModel request, CancellationToken cancellationToken)
{
    //...
}
Run Code Online (Sandbox Code Playgroud)