3 回答
TA贡献1795条经验 获得超7个赞
这里有几件事。您不需要将 .then() 链接到 fetch() 上。fetch() 返回一个承诺。Array.prototype.map() 返回一个数组。总而言之,你最终会得到一系列的承诺。您可以使用 Promise.all(arrayOfPs) 解析 Promise 数组
编辑:在您发表评论并审查您的问题后,我重写了此内容,以便它从过滤后的存储库列表中检索技能。
const url = `https://api.github.com/users/RodrigoWebDev/repos?per_page=100&sort=created`;
(async() => {
// Final results
let results;
try {
// Get all repositories
const repos = await fetch(url).then((res) => res.json());
const responses = await Promise.all(
// Request file named 'build-with.json' from each repository
repos.map((item) => {
return fetch(
`https://raw.githubusercontent.com/${item.full_name}/master/built-with.json`
);
})
);
// Filter out all non-200 http response codes (essentially 404 errors)
const filteredResponses = responses.filter((res) => res.status === 200);
results = Promise.all(
// Get the project name from the URL and skills from the file
filteredResponses.map(async(fr) => {
const project = fr.url.match(/(RodrigoWebDev)\/(\S+)(?=\/master)/)[2];
const skills = await fr.json();
return {
project: project,
skills: skills
};
})
);
} catch (err) {
console.log("Error: ", err);
}
results.then((s) => console.log(s));
})();
TA贡献2039条经验 获得超7个赞
问题是提取没有被返回,因此 .map() 返回未定义。我可以建议使用 async-await 的解决方案吗?
const url = "https://api.github.com/users/RodrigoWebDev/repos?per_page=100&sort=created";
getData(url).then(data => console.log(data));
async function getData(url){
const response = await fetch(url);
const data = await response.json();
const arrOfPromises = data.map(item => fetch(`https://raw.githubusercontent.com/${item.full_name}/master/built-with.json`)
);
return Promise.all(arrOfPromises);
}
TA贡献1895条经验 获得超7个赞
您有多个问题:
在地图函数内部,您不返回任何结果
地图函数的结果实际上是另一个 Promise(因为内部有 fetch)。
那么你需要做什么:
从地图返回承诺 - 因此你将拥有一系列承诺
使用 Promise.all 等待第 1 点中的所有承诺
像这样的东西:
var url1 = "https://api.github.com/users/RodrigoWebDev/repos?per_page=100&sort=created";
var datum = fetch(url1)
.then((response) => response.json())
.then((data) => {
return Promise.all(data.map(item => {
//item.full_name returns the repositorie name
return fetch(`https://raw.githubusercontent.com/${item.full_name}/master/built-with.json`)
.then(data => {
item["filters"] = data
return item
})
}));
}).then(data => console.log(data))
添加回答
举报