NodeJS Zod模式中的self数组

nwwlzxa7  于 2023-06-22  发布在  Node.js
关注(0)|答案(1)|浏览(163)

我想实现以下目标:

export const MediaResponseSchema = z.object({
    mediaId: z.number(),
    childMedias: z.array(z.object(MediaResponseSchema)),
});

也就是说,childMedia应该被解析为我声明的模式的数组。

z18hc3ub

z18hc3ub1#

我认为提到递归类型的评论是正确的,但为了充分说明其意图,您可以使用z.lazy,然后从其定义中引用模式。您的示例将变为:

import { z } from "zod";

// Zod won't be able to infer the type because it is recursive.
// if you want to infer as much as possible you could consider using a
// base schema with the non-recursive fields and then a schema just for
// the recursive parts of your schema and use `z.union` to join then together.
interface IMediaResponse {
  mediaId: number;
  childMedias: IMediaResponse[];
}

const MediaResponseSchema: z.ZodType<IMediaResponse> = z.lazy(() =>
  z.object({
    mediaId: z.number(),
    childMedias: z.array(MediaResponseSchema)
  })
);

请参阅GitHub上的Zod文档,尽管我认为这应该等同于链接的内容。
只是为了回应这条评论:
这和复制粘贴整个zod对象有什么区别?
一个关键的区别是,这将无限期地递归。childMedia可以与自己的子媒体任意嵌套。如果你只是复制和粘贴,那么你最终只会得到一个额外的递归级别,当你试图决定把什么放入你粘贴的childMedias时,你会遇到同样的问题。

相关问题