登录
首页 >  文章 >  前端

使用 Yup 在 TypeScript 中动态生成接口和验证模式

时间:2025-01-24 23:01:12 266浏览 收藏

亲爱的编程学习爱好者,如果你点开了这篇文章,说明你对《使用 Yup 在 TypeScript 中动态生成接口和验证模式》很感兴趣。本篇文章就来给大家详细解析一下,主要介绍一下,希望所有认真读完的童鞋们,都有实质性的提高。

本文介绍如何在TypeScript项目中使用Yup库动态生成接口和验证模式,尤其是在处理具有动态定义键的对象时,并确保至少一个键具有有效值。

使用 Yup 在 TypeScript 中动态生成接口和验证模式

挑战: 我们需要验证一个对象,其键是动态定义的,并且需要确保至少一个键的值有效。有效的键及其类型存储在一个元数据映射中:

const metadataMap = {
  userId: Number,
  utmSource: String,
  utmMedium: String,
  utmCampaign: String,
};

解决方案: 我们分三个步骤解决这个问题:

步骤一:生成TypeScript接口

为了动态生成TypeScript接口,我们利用键入映射和keyof类型:

type Metadata = {
  [k in keyof typeof metadataMap]?: typeof metadataMap[k] extends NumberConstructor ? number : string;
};

这确保了Metadata接口会根据metadataMap的更新自动调整。生成的接口如下所示:

interface Metadata {
  userId?: number;
  utmSource?: string;
  utmMedium?: string;
  utmCampaign?: string;
}

步骤二:动态生成Yup模式

我们使用object.keysreduce方法动态创建Yup模式,将每个键映射到相应的Yup验证器:

const metadataSchema = yup.object().shape(
  Object.keys(metadataMap).reduce((schema, key) => {
    const type = metadataMap[key as keyof typeof metadataMap];
    if (type === Number) {
      schema[key] = yup.number().optional();
    } else if (type === String) {
      schema[key] = yup.string().optional();
    }
    return schema;
  }, {} as Record<string, any>)
);

这避免了硬编码,并确保模式会随着metadataMap的变化而自动更新。

步骤三:添加“至少一个键”规则

为了确保至少一个键具有有效值,我们在Yup模式中添加.test方法:

metadataSchema.test(
  'atLeastOneKey',
  'Metadata must have at least one valid key.',
  (value) => {
    if (!value || typeof value !== 'object') return false;
    const validKeys = Object.keys(metadataMap) as (keyof typeof metadataMap)[];
    return validKeys.some((key) => value[key] !== undefined);
  }
);

这个测试会:

  1. 检查对象是否有效。
  2. metadataMap动态获取有效键。
  3. 验证至少一个键的值不为undefined

结果:

以下示例展示了最终模式的行为:

const exampleMetadata = {
  userId: undefined,
  utmSource: 'Google',
  extField: 'invalid', // This key is ignored
};

metadataSchema.validate(exampleMetadata)
  .then(() => console.log('Validation successful!'))
  .catch((err) => console.error('Validation failed:', err));

在这个例子中,验证成功,因为utmSource是一个有效键且值不为undefined,即使userIdundefinedextField也不在metadataMap中。 这个方法有效地结合了TypeScript的静态类型检查和Yup的运行时验证,提供了灵活且健壮的数据验证方案。

理论要掌握,实操不能落!以上关于《使用 Yup 在 TypeScript 中动态生成接口和验证模式》的详细介绍,大家都掌握了吧!如果想要继续提升自己的能力,那么就来关注golang学习网公众号吧!

相关阅读
更多>
最新阅读
更多>
课程推荐
更多>