3 回答
data:image/s3,"s3://crabby-images/4e780/4e780e466e33da355d91b3529a412c397c566343" alt="?"
TA贡献1829条经验 获得超13个赞
这可能更适合代码审查,但如果问题只是“如何使其更简洁”,我会建议如下所示:
const shelf = [{
"categoryPrice": "2",
"categoryTitle": "Flyer",
"articleList": [{
"id": "1",
"articleTitle": "Green",
}, {
"id": "2",
"articleTitle": "Blue",
}],
}, {
"categoryPrice": "3",
"categoryTitle": "Post card",
"articleList": [{
"id": "3",
"articleTitle": "Purple"
}, {
"id": "4",
"articleTitle": "Yellow",
}]
}]
const findItem = function(shelves, id) {
return shelves.flatMap((shelf) => shelf.articleList).find((article) => article.id == id) || null;
}
console.log(findItem(shelf, 1));
console.log(findItem(shelf, 3));
上面的示例连接所有文章列表,然后在该数组中搜索具有提供的 ID 的文章。
性能方面?不是最好的,但您要求一些简洁的东西,这大约是给定数据结构所希望的尽可能简洁。
data:image/s3,"s3://crabby-images/b1995/b199587b03f0845eb0f56d951bf8fe84a542e2fc" alt="?"
TA贡献1856条经验 获得超5个赞
这段代码的复杂度是 O(1),这意味着查找 perarticle.id是常数。但是它会使用更多内存。为了节省内存,我使用了WeakMap,只要你使用同一个shelf变量,它就不会重新计算它。但一旦替换它,它也会从缓存中消失。
const shelf = [{
"categoryPrice": "2",
"categoryTitle": "Flyer",
"articleList": [{
"id": "1",
"articleTitle": "Green",
}, {
"id": "2",
"articleTitle": "Blue",
}, {
"id": "3", // Added
"articleTitle": "Violet",
}],
}, {
"categoryPrice": "3",
"categoryTitle": "Post card",
"articleList": [{
"id": "3",
"articleTitle": "Purple"
}, {
"id": "4",
"articleTitle": "Yellow",
}],
}];
const findItems = function(shelves, id) {
if (!findItems._map) {
// Create computation cache holder
// Weak map will make sure, that if the object is disposed, it can be garbage collected, with it will be gone its cache too! (That is awsome!)
findItems._map = new WeakMap();
}
if (!findItems._map.has(shelves)) {
// For every shelves object, we will create a new Map containing all mapped values.
const map = new Map();
findItems._map.set(shelves, map);
shelves.forEach(shelf => {
shelf.articleList.forEach(article => {
if (!map.has(article.id)) {
// If list is not yet created create it with the article
return map.set(article.id, [ article ]);
}
// If it exists, add to it
map.get(article.id).push(article);
});
});
}
return findItems._map.get(shelves).get(id);
}
console.log(findItems(shelf, "1"));
console.log(findItems(shelf, "3"));
data:image/s3,"s3://crabby-images/00b0c/00b0cfd13cec1c2ac465b9e3fc35547bce4eaa0c" alt="?"
TA贡献1811条经验 获得超4个赞
你可以通过循环两次来逃脱。一次用于外部数组,一次用于articleList数组
const findItem = (id) =>
shelf.reduce((acc, current) => {
const found = current.articleList.find((x) => x.id === id);
if (found) return [...acc, found];
return acc;
}, []);
添加回答
举报