1
0
mirror of https://github.com/jbranchaud/til synced 2026-01-09 18:18:02 +00:00

Add Create Union Type Of Nearly Identical Objects as a Zod TIL

This commit is contained in:
jbranchaud
2022-10-03 20:55:59 -05:00
parent fecf11684a
commit a09c515b2e
2 changed files with 54 additions and 1 deletions

View File

@@ -0,0 +1,48 @@
# Create Union Type Of Nearly Identical Objects
Let's say I have a data layer that can return data in two nearly identical
shapes. Either shape has all of the same keys except one has an `_id` key and
the other has a `key` key. I want a Zod schema that can validate either of
these shapes and produce a union type.
Let's start with an intermediate Zod object that holds all possible keys.
```typescript
const intermediateObject = z.object({
_id: z.string(),
key: z.string(),
name: z.string(),
age: z.number()
// any other shared keys
})
```
I can then manipulate this into the desired schema using
[`or()`](https://github.com/colinhacks/zod#unions) and
[`omit()`](https://github.com/colinhacks/zod#pickomit).
```typescript
const objectWithoutId = intermediateObject.omit({ _id: true })
const objectWithoutKey = intermediateObject.omit({ key: true })
const unionSchema = objectWithoutId.or(objectWithoutKey)
```
And this produces the schema and union type I was looking for:
```typescript
type Union = z.infer<typeof unionSchema>;
/*
type Union = {
key: string;
name: string;
age: number;
} | {
_id: string;
name: string;
age: number;
}
*/
```
[source](https://twitter.com/jbrancha/status/1572357904266850305)