我开发了一个自定义验证器Attribute类,用于检查模型类中的Integer值。但问题是这堂课不起作用。我调试了我的代码但是在调试代码期间没有遇到断点。这是我的代码:
public class ValidateIntegerValueAttribute : ValidationAttribute
{
protected override ValidationResult IsValid(object value, ValidationContext validationContext)
{
if (value != null)
{
int output;
var isInteger = int.TryParse(value.ToString(), out output);
if (!isInteger)
{
return new ValidationResult("Must be a Integer number");
}
}
return ValidationResult.Success;
}
}
我还在应用程序请求管道中全局模型验证的Filter类。这是我的代码:
public class MyModelValidatorFilter: IActionFilter
{
public void OnActionExecuting(ActionExecutingContext context)
{
if (context.ModelState.IsValid)
return;
var errors = new Dictionary<string, string[]>();
foreach (var err in actionContext.ModelState)
{
var itemErrors = new List<string>();
foreach (var error in err.Value.Errors){
itemErrors.Add(error.Exception.Message);
}
errors.Add(err.Key, itemErrors.ToArray());
}
actionContext.Result = new OkObjectResult(new MyResponse
{
Errors = errors
});
}
}
具有验证的模型类如下:
public class MyModelClass
{
[ValidateIntegerValue(ErrorMessage = "{0} must be a Integer Value")]
[Required(ErrorMessage = "{0} is required")]
public int Level { get; set; }
}
任何人都可以让我知道为什么属性整数验证类不起作用。
答案 0 :(得分:4)
模型验证在从请求反序列化模型后发挥作用。如果模型包含整数字段Level
并且您发送的值无法反序列化为整数(例如“abc”),则模型甚至不会反序列化。因此,也不会调用验证属性 - 没有验证模型。
考虑到这一点,实施这样的ValidateIntegerValueAttribute
没有多大意义。在这种情况下,这种验证已由解串器JSON.Net执行。您可以通过检查控制器操作中的模型状态来验证这一点ModelState.IsValid
将设置为false
,ModelState
错误包将包含以下错误:
Newtonsoft.Json.JsonReaderException:无法将字符串转换为 整数:abc。路径'级别',...
要添加的另一件事:为了正确处理Required
验证属性,您应该使基础属性可以为空。如果没有这个,属性将在模型反序列化后保留其默认值(0
)。模型验证无法区分错过的值和等于默认值的值。因此,对于Required
属性的正确工作,使属性可以为空:
public class MyModelClass
{
[Required(ErrorMessage = "{0} is required")]
public int? Level { get; set; }
}