使用数据注解在 ASP.NET MVC 中验证多个属性的组合长度
在 ASP.NET MVC 中,使用 StringLength
注解验证单个属性的长度是一种常见做法。但是,在某些情况下,您需要验证多个属性的组合长度。本文探讨了使用数据注解实现此目标的符合 MVC 的方法。
自定义验证属性
要验证多个属性的组合长度,您可以创建一个自定义验证属性。这是一个示例:
<code class="language-csharp">public class CombinedMinLengthAttribute : ValidationAttribute { public CombinedMinLengthAttribute(int minLength, params string[] propertyNames) { this.PropertyNames = propertyNames; this.MinLength = minLength; } public string[] PropertyNames { get; private set; } public int MinLength { get; private set; } protected override ValidationResult IsValid(object value, ValidationContext validationContext) { var properties = this.PropertyNames.Select(validationContext.ObjectType.GetProperty); var values = properties.Select(p => p.GetValue(validationContext.ObjectInstance, null)).OfType<string>(); var totalLength = values.Sum(x => x?.Length ?? 0) + (value?.ToString()?.Length ?? 0); //处理空值情况 if (totalLength < MinLength) { return new ValidationResult(FormatErrorMessage(validationContext.DisplayName)); } return ValidationResult.Success; } }</code>
使用方法
要使用此自定义属性,您可以使用它来装饰视图模型中的属性:
<code class="language-csharp">public class MyViewModel { [CombinedMinLength(20, "Bar", "Baz", ErrorMessage = "Foo, Bar 和 Baz 属性的组合最小长度应大于 20")] public string Foo { get; set; } public string Bar { get; set; } public string Baz { get; set; } }</code>
当验证模型时,将调用自定义属性的 IsValid
方法,并且将指定属性的组合长度与已装饰属性的值一起针对指定的最小长度进行验证。 改进后的代码加入了空值处理,避免了潜在的 NullReferenceException
。
以上是如何使用数据注释验证 ASP.NET MVC 中多个属性的组合长度?的详细内容。更多信息请关注PHP中文网其他相关文章!