我正在尝试让客户端验证适用于使用编辑器模板的页面。
我的视图模型的简化示例是:。
[Validator(typeof(ValidationTestModelValidator))]
public class ValidationTestModel
{
public string Name { get; set; }
public string Age { get; set; }
public ChildModel Child { get; set; }
}
儿童模型例如:
public class ChildModel
{
public string ChildName { get; set; }
public string ChildAge { get; set; }
}
我的验证员是例如:
public class ValidationTestModelValidator : AbstractValidator<ValidationTestModel>
{
public ValidationTestModelValidator()
{
RuleFor(m => m.Name)
.NotEmpty()
.WithMessage("Please enter the name");
RuleFor(m => m.Age)
.NotEmpty()
.WithMessage("Please enter the age");
RuleFor(m => m.Age)
.Matches(@"\d*")
.WithMessage("Must be a number");
RuleFor(m => m.Child)
.SetValidator(new ChildModelValidator());
}
}
儿童模型验证器就是例如:
public class ChildModelValidator : AbstractValidator<ChildModel>
{
public ChildModelValidator()
{
RuleFor(m => m.ChildName)
.NotEmpty()
.WithMessage("Please enter the name");
RuleFor(m => m.ChildAge)
.NotEmpty()
.WithMessage("Please enter the age");
RuleFor(m => m.ChildAge)
.Matches(@"\d*")
.WithMessage("Must be a number");
}
}
我通过在Application_Start()中添加以下内容,在MVC3中注册了FluentValidation.Net:
// Register FluentValidation.Net
FluentValidationModelValidatorProvider.Configure();
这为两个属性Name和Age完美地生成了不引人注意的客户端验证,但是对于ChildModel上的属性没有任何内容。
我在这里做错了什么想法?
更新:如果我只使用Validator属性注释ChildModel似乎工作正常,但我想有条件地应用验证,因此使用SetValidator()。
答案 0 :(得分:1)
我尝试分析文档http://fluentvalidation.codeplex.com/wikipage?title=mvc&referringTitle=Documentation。它声明MVC集成默认情况下基于属性工作,因为它的验证器工厂使用该属性来实例化适当的验证器。显然它确实验证了主模型上属性引用的ChildModel,但这可能只是模型结构的自动递归遍历,以生成客户端验证代码。因此,它可能使用相同的机制来为ChildModel类型定位适当的验证器。你可以测试一下如果删除SetValidator规则会发生什么(但保留ChildModel的属性),它是否仍然会根据属性生成验证器?
客户端支持验证器的明确列表,但不幸的是,那里没有提到(或解释)SetValidator,这是一个不好的标志。
该文档还声明客户端不支持使用条件的规则,因此很可能您无法使用SetValidator解决此问题(如您在更新中所述)。
另请参阅有关客户端条件规则的讨论:http://fluentvalidation.codeplex.com/discussions/393596。建议使用jQuery Validation在JS中实现条件规则,但是,如果您有一个应该有条件地添加的复杂验证,这可能会很复杂。
如何让它添加带有属性的验证器,但之后会以某种方式抑制它们?例如。之后从元素中删除不显眼的属性?
答案 1 :(得分:1)
正如您在更新中指出的那样,如果要发出不显眼的标记,则需要使用验证器修饰子类型。然后,您可以通过包装if块或使用FluentValidation的When()方法来使用表达式,在“父”验证器类中使用此有条件。
另请注意,您还可以链接属性规则(即使用流畅的界面):
RuleFor(m => m.ChildName)
.NotEmpty()
.WithMessage("Please enter the name")
.Matches(@"\d*")
.WithMessage("Must be a number");
答案 2 :(得分:0)
如果其他人遇到同样的问题:
您还需要在ChildModel
上添加验证器属性
[Validator(typeof(ChildModelValidator))]
public class ChildModel
并保留所有其他代码,然后它在客户端
工作