Conditional Validation using Fluent Validation

C#.Netasp.net MvcValidationFluentvalidation

C# Problem Overview


What I need is a way to conditionally validate fields depending on if other fields are filled in.

Ex. I have a dropdown and a date field that are related. If none of the fields are set then the form should pass validation. However, if one of the two fields are set but the other isn't then the validation should fire, requiring the other field to be set.

I have written custom validation classes but it seems that it is validates on single fields. Is there a way to set up the validation that I need using the built in validators? If not, Is there a good way to connect two fields using a custom validator?

C# Solutions


Solution 1 - C#

Fluent validation supports conditional validation, just use the When clause to check the value of the secondary field:

https://docs.fluentvalidation.net/en/latest/conditions.html

> Specifying a condition with When/Unless The When and Unless methods can be used to specify conditions that control when the rule > should execute. For example, this rule on the CustomerDiscount > property will only execute when IsPreferredCustomer is true: >

RuleFor(customer => customer.CustomerDiscount)
    .GreaterThan(0)
    .When(customer => customer.IsPreferredCustomer);

> > > The Unless method is simply the opposite of When.

You may also be able to use the .SetValidator operation to define a custom validator that operates on the NotEmpty condition.

RuleFor(customer => customer.CustomerDiscount)
    .GreaterThan(0)
    .SetValidator(New MyCustomerDiscountValidator);

> If you need to specify the same condition for multiple rules then you > can call the top-level When method instead of chaining the When call > at the end of the rule:

When(customer => customer.IsPreferred, () => {
   RuleFor(customer => customer.CustomerDiscount).GreaterThan(0);
   RuleFor(customer => customer.CreditCardNumber).NotNull();
});

> This time, the condition will be applied to both rules. You can also > chain a call to Otherwise which will invoke rules that don’t match the > condition:

When(customer => customer.IsPreferred, () => {
   RuleFor(customer => customer.CustomerDiscount).GreaterThan(0);
   RuleFor(customer => customer.CreditCardNumber).NotNull();
}).Otherwise(() => {
  RuleFor(customer => customer.CustomerDiscount).Equal(0);
});

Attributions

All content for this solution is sourced from the original question on Stackoverflow.

The content on this page is licensed under the Attribution-ShareAlike 4.0 International (CC BY-SA 4.0) license.

Content TypeOriginal AuthorOriginal Content on Stackoverflow
QuestionThe Sheek GeekView Question on Stackoverflow
Solution 1 - C#Denis PitcherView Answer on Stackoverflow