如何在 Web API 中使用 FluentValidation 执行异步 ModelState 验证?

How to perform async ModelState validation with FluentValidation in Web API?

我设置了一个 Web api 项目来使用 FluentValidation,使用 webapi integration package for FluentValidation。然后我创建了一个验证器,它使用 CustomAsync(...) 到 运行 查询数据库。

问题是在等待数据库任务时验证似乎死锁了。我做了一些调查,似乎 MVC ModelState API 是同步的,它调用了一个同步 Validate(...) 方法,使 FluentValidation 调用 task.Result,导致死锁。

假设异步调用不能很好地与 webapi 集成验证一起工作是否正确?

如果是这样,还有什么选择呢? WebApi ActionFilters 似乎支持异步处理。我是否需要构建自己的过滤器来手动处理验证,或者是否已经存在一些我没有看到的东西?

我最终创建了一个自定义过滤器并完全跳过了内置验证:

public class WebApiValidationAttribute : ActionFilterAttribute
{
    public WebApiValidationAttribute(IValidatorFactory factory)
    {
        _factory = factory;
    }

    IValidatorFactory _factory;

    public override async Task OnActionExecutingAsync(HttpActionContext actionContext, CancellationToken cancellationToken)
    {
        if (actionContext.ActionArguments.Count > 0)
        {
            var allErrors = new Dictionary<string, object>();

            foreach (var arg in actionContext.ActionArguments)
            {
                // skip null values
                if (arg.Value == null)
                    continue;

                var validator = _factory.GetValidator(arg.Value.GetType());

                // skip objects with no validators
                if (validator == null)
                    continue;

                // validate
                var result = await validator.ValidateAsync(arg.Value);

                // if there are errors, copy to the response dictonary
                if (!result.IsValid)
                {
                    var dict = new Dictionary<string, string>();

                    foreach (var e in result.Errors)
                        dict[e.PropertyName] = e.ErrorMessage;

                    allErrors.Add(arg.Key, dict);
                }
            }

            // if any errors were found, set the response
            if (allErrors.Count > 0)
            {
                actionContext.Response = actionContext.Request.CreateResponse(HttpStatusCode.BadRequest, allErrors);
                actionContext.Response.ReasonPhrase = "Validation Error";
            }
        }
    }
}