O zod é muito útil mesmo, ainda mais lidando com types grandes e complexos.
Também é possível fazer validações simples criando type guards usando type predicates e typeof
:
type MyData = {
name: string;
age: number;
};
// https://www.typescriptlang.org/docs/handbook/2/narrowing.html#using-type-predicates
function isMyDataType(data: any): data is MyData {
if (typeof data?.name !== "string") return false;
if (typeof data?.age !== "number") return false;
return true;
}
const json1 = '{ "name": "John", "age": 30 }';
const data1 = JSON.parse(json1);
if (isMyDataType(data1)) {
console.log("`data1` is valid:", data1);
} else {
console.log("`data1` is not valid");
}
const json2 = '{ "firstName": "John", "yearOfBirth": 1994 }';
const data2 = JSON.parse(json2);
if (isMyDataType(data2)) {
console.log("`data2` is valid:", data2);
} else {
console.log("`data2` is not valid");
}
// output:
// `data1` is valid: { name: 'John', age: 30 }
// `data2` is not valid
Depois de checar o type, sabe-se que é o type certo dentro do if
:
data:image/s3,"s3://crabby-images/9a760/9a76012fb0ec01ac3c6343e66dcfd36ead546f66" alt=""
data:image/s3,"s3://crabby-images/61de1/61de1868ce5b8884a0d431bcf6d07c484e88e16e" alt=""
data:image/s3,"s3://crabby-images/e1ee1/e1ee105cede415d02d30af5a7d30abf68908226d" alt=""
Ou, por exemplo, fora do if
com throw
:
data:image/s3,"s3://crabby-images/55f4f/55f4ffbc6a542deae077d6c5fc992491249ff217" alt=""
Também é possível incorporar o zod no type guard, algo como:
function isComplexDataType(data: any): data is MyComplexData {
const result = complexSchema.safeParse(data);
return result.success;
}