我正在使用FluentValidation进行服务器端验证。现在我想使用 must 调用一个函数。
这是表单代码片段:
<form method="post"
asp-controller="Category"
asp-action="SaveSpecification"
role="form"
data-ajax="true"
data-ajax-loading="#Progress"
data-ajax-success="Specification_JsMethod">
<input asp-for="Caption" class="form-control" />
<input type="hidden" asp-for="CategoryId" />
<button class="btn btn-primary" type="submit"></button>
</form>
我应该对下面的代码进行哪些更改才能调用函数 SpecificationMustBeUnique?
public class SpecificationValidator : AbstractValidator<Specification>
{
public SpecificationValidator()
{
RuleFor(x => new { x.CategoryId, x.Caption}).Must(x => SpecificationMustBeUnique(x.CategoryId, x.Caption)).WithMessage("not unique");
}
private bool SpecificationMustBeUnique(int categoryId, string caption)
{
return true / false;
}
}
提示: 1 - CategoyId 和 Caption 的组合应该是唯一的 2 - 提交表单时未完成验证(提交表单时验证未运行(
棘手的部分是确定当验证规则应用于不同字段上的值组合时应验证哪个属性。我通常只是闭上眼睛,指着其中一个视图模型属性说"这是我将验证器附加到的属性"。几乎没有思考。当验证规则应用于单个属性时,FluentValidation 效果最佳,因此它知道哪个属性将显示验证消息。
因此,只需选择CategoryId
或Caption
并将验证器附加到其中:
RuleFor(x => x.CategoryId)
.Must(BeUniqueCategoryAndCaption)
.WithMessage("{PropertyName} and Caption must be unique.");
BeUniqueCategoryAndCaption
方法的签名如下所示:
private bool BeUniqueCategoryAndCaption(Specification model, int categoryId)
{
return true / false;
}
注意:我猜CategoryId
属性是一个int
,但您需要确保 BeUniqueCategoryAndCaption 的categoryId
参数与视图模型中的CategoryId
属性类型相同。