我使用内置的 NestJS ValidationPipe 以及 class-validator 和 class-transformer 来验证和清理入站 JSON 正文有效负载。我面临的一种情况是入站 JSON 对象中大小写属性名称的混合。我想纠正这些属性并将其映射到我们新的 TypeScript NestJS API 中的标准驼峰模型,这样我就不会将遗留系统中的不匹配模式与我们的新 API 和新标准结合起来,主要是使用 @Transform 中的DTO 作为应用程序其余部分的隔离机制。例如,入站 JSON 对象的属性:
"propertyone",
"PROPERTYTWO",
"PropertyThree"
应该映射到
"propertyOne",
"propertyTwo",
"propertyThree"
我想使用@Transform 来完成此操作,但我认为我的方法不正确。我想知道是否需要编写自定义 ValidationPipe。这是我目前的方法。
控制器:
import { Body, Controller, Post, UsePipes, ValidationPipe } from '@nestjs/common';
import { TestMeRequestDto } from './testmerequest.dto';
@Controller('test')
export class TestController {
constructor() {}
@Post()
@UsePipes(new ValidationPipe({ transform: true }))
async get(@Body() testMeRequestDto: TestMeRequestDto): Promise<TestMeResponseDto> {
const response = do something useful here... ;
return response;
}
}
测试我模型:
import { IsNotEmpty } from 'class-validator';
export class TestMeModel {
@IsNotEmpty()
someTestProperty!: string;
}
TestMeRequestDto:
import { IsNotEmpty, ValidateNested } from 'class-validator';
import { Transform, Type } from 'class-transformer';
import { TestMeModel } from './testme.model';
export class TestMeRequestDto {
@IsNotEmpty()
@Transform((propertyone) => propertyone.valueOf())
propertyOne!: string;
@IsNotEmpty()
@Transform((PROPERTYTWO) => PROPERTYTWO.valueOf())
propertyTwo!: string;
@IsNotEmpty()
@Transform((PropertyThree) => PropertyThree.valueOf())
propertyThree!: string;
@ValidateNested({ each: true })
@Type(() => TestMeModel)
simpleModel!: TestMeModel
}
用于 POST 到控制器的示例有效负载:
{
"propertyone": "test1",
"PROPERTYTWO": "test2",
"PropertyThree": "test3",
"simpleModel": { "sometestproperty": "test4" }
}
我遇到的问题:
- 转换似乎没有效果。类验证器告诉我这些属性中的每一个都不能为空。例如,如果我将“propertyone”更改为“propertyOne”,那么类验证器验证对于该属性来说是可以的,例如它会看到值。其他两个属性也一样。如果我将它们骆驼化,那么类验证器会很高兴。这是在验证发生之前转换未运行的症状吗?
- 这个很奇怪。当我调试和评估 TestMeRequestDto 对象时,我可以看到 simpleModel 属性包含一个包含属性名称“sometestproperty”的对象,即使 TestMeModel 的类定义有一个驼峰式“someTestProperty”。为什么 @Type(() => TestMeModel) 不尊重该属性名称的正确大小写?“test4”的值存在于该属性中,因此它知道如何理解该值并分配它。
- 仍然很奇怪,TestMeModel 上的“someTestProperty”属性的@IsNotEmpty() 验证没有失败,例如它看到“test4”值并感到满意,即使示例 JSON 有效负载中的入站属性名称是“sometestproperty” ,都是小写。
来自社区的任何见解和指导将不胜感激。谢谢!