这是我的代码
const Res = await fetch(`https://foo0022.firebaseio.com/.json`);
const ResObj = await Res.json();
if (!Res.ok || !ResObj) {
throw new Error("Page Not Found 404");
}
const ResArr = await Object.values(ResObj)
.map(v => Object.values(v).flat())//error
.flat()
.filter(({ title }) => title.includes(Search))
在行中的行中,我会收到此错误" .map(v => object.values(v).flat())“我得到类型’unknown’的错误参数不可分配给类型’{}‘的参数这个问题如何解决?
答案
这里的问题是您需要帮助打字稿了解要处理的对象的类型。这fetch
API 无法提前知道返回对象的形状,因此您必须定义它并断言结果符合它。
看什么https://foo0022.firebaseio.com/.json,我建议如下:
interface ResObj {
Mens: {
Hat: Clothing[];
Jacket: Clothing[];
Pants: Clothing[];
Shoes: Clothing[];
Suit: Clothing[];
};
New: Clothing[];
}
interface Clothing {
agility: boolean[];
alt: string;
color: string[][];
id: string;
location?: string; // fix this
Location?: string; // fix this
material: string;
price: string[][];
prodState: string;
saiz: string[][];
shipping: string;
sold: string;
src: string[][];
title: string;
to: string;
}
但是当然,这是否准确取决于某种API文档。假设是正确的,您可以进一步走:
const Res = await fetch(`https://foo0022.firebaseio.com/.json`);
const ResObj: ResObj | undefined = await Res.json();
if (!Res.ok || !ResObj) {
throw new Error("Page Not Found 404");
}
现在ResObj
将被称为类型ResObj
您可以开始操纵它。一个问题是标准库的打字Object.values()
和Array.prototype.flat()
不要反映你正在和他们一起做什么。
// return an array of all object values...
// if the object is already an array, the output is the same type.
// otherwise it's the union of all the known property types
function vals<T extends object>(
arr: T
): Array<T extends Array<infer U> ? U : T[keyof T]> {
return Object.values(arr); // need es2017 lib for this
}
// Flatten an array by one level...
function flat<T>(
arr: Array<T>
): Array<Extract<T, any[]>[number] | Exclude<T, any[]>> {
return arr.flat(); // need esnext lib for this
}
如果您以前从未使用过 TypeScript,这些函数类型可能会令人困惑,特别是因为它们依赖于条件类型取消数组属性。
然后,我们可以这样重写您的代码:
const ResArr = flat(vals(ResObj).map(v => flat(vals(v)))).filter(
({ title }) => title.includes(Search)
);
并且没有错误,并且编译器理解ResArr
是一个数组Clothing
对象。
好的,希望有帮助;祝你好运!