Search code examples
javascripttypescriptvalidationnestjsclass-validator

Is it possible to validate that one of 2 parameters are present using class-validator?


Using class-validator along with NestJS I want to validate that a user provides either propertyA or a propertyB but they don't need to provide both.

Currently, I'm doing something like:

export class TestDto {
  @ValidateIf(obj => !obj.propertyB)
  @IsString()
  @IsNotEmpty()
  propertyA

  @ValidateIf(obj => !obj.propertyA)
  @IsString()
  @IsNotEmpty()
  propertyB
}

If they provide none of the parameters there will be multiple errors saying that propertyA and propertyB are required and should be strings etc.

In the case that they provide neither property, I would want only a single error saying something like: "You must provide propertyA or propertyB."

Can this be accomplished using NestJS/class-validator?


Solution

  • Don't know whether this functionality exists in class-validator or not but you can simply achieve this scenario using Pipes

    Just create a custom pipe and then define the logic over there

    import { PipeTransform, Injectable, ArgumentMetadata, BadRequestException } from '@nestjs/common';
    
    @Injectable()
    export class CustomValidationPipe implements PipeTransform {
      transform(value: TestDto , metadata: ArgumentMetadata) {
        if(value.porpertyA && value.porpertyB) throw new BadRequestException("You must provide propertyA or propertyB")
        else return value;
      }
    }
    
    

    After That, you can use that Pipe over the controller

      @Post()
      create(@Body( new CustomValidationPipe()) testDto: TestDto) {
        return "create Resource"
      }
    
    

    You can also use it in combination with a builtIn Validation Pipe just like this. In this case, your class validator logic will be executed first and then your custom pipe will execute

      @Post()
      create(@Body(ValidationPipe ,  new CustomValidationPipe()) testDto: TestDto) {
        return "create Resource"
      }
    
    
    

    Hope This Helps