我正在使用class-validator
andnestjs
对我的 Http 请求进行验证。我遇到了一个有趣的边缘情况,我不确定这是一个错误还是我的实现有问题。
我有两个端点:1)使用有效的电话号码创建数据,2)通过路由参数中的电话号码检索数据。似乎路由参数具有更严格的验证。我正在使用'US'
国际代码,因为我的应用程序还不支持国际号码。这是我的实现:
使用电话号码创建数据
/* contact.dto.ts */
export class ContactDto {
@IsPhoneNumber('US')
public phoneNumber: string;
@IsNotEmpty()
@IsString()
public name: string;
}
/* contract.controller.ts */
@Controller('contacts')
export class ContactsController {
@Post()
async createContact (
@Req() request: Request,
@Res() response: Response,
@Body() newContact: ContactDto
) {
// save the data
}
// other methods
}
在@Body()
注释中,我可以传入有效的 10 位或 11 位电话号码(带或不带标点符号)。例如:
// all pass in @Body()
{ "phoneNumber": "18005550000", "name": "..." }
{ "phoneNumber": "8005550000", "name": "..." }
{ "phoneNumber": "1 (800) 555-0000", "name": "..." }
// don't pass in @Body()
{ "phoneNumber": "12345678", "name": "..." }
{ "phoneNumber": "123456789012", "name": "..." }
从电话号码获取数据
/* phonenumber.models.ts */
export class FindPhoneNumberParam {
@IsPhoneNumber('US')
public phoneNumber: string;
}
/* phone-numbers.controller.ts */
@Controller('phone-numbers')
export class PhoneNumbersController {
@Get(':phoneNumber')
async getPhoneNumber (
@Req() request: Request,
@Res() response: Response,
@Param() phoneNumber: FindPhoneNumberParam
) {
// look up and return phone number resource
}
// other methods
}
@Param()
注解中必须为11位,以'US'
国际码为1
开头。
// all pass in @Param()
{api}/phone-numbers/18005550000
{api}/phone-numbers/1(800)5550000
// don't pass in @Param()
{api}/phone-numbers/8005550000
{api}/phone-numbers/12345678
{api}/phone-numbers/123456789012
{api}/phone-numbers/98005550000
我想这是有道理的,它需要我在程序中传递11
数字'US'
代码1
,但对我来说这似乎很奇怪,@Body()
并且@Param()
即使它们使用相同的class-validators
注释也会有不同的行为 - @IsPhoneNumber
。有谁知道为什么会这样?