词汇环境如何处理承诺?
来自, 我看到了帖子的第一个块代码日志错误值,而代码日志的第二个块正确值。
实用程序的功能是错误和正确版本的功能
function getBlogPosts() {
const posts = [
{ id: 1, title: 'Post One', body: 'A blog post!' },
{ id: 2, title: 'Post Two', body: 'Another blog post!' },
{ id: 3, title: 'Post Three', body: 'A third blog post!' },
];
return new Promise((resolve) => {
setTimeout(() => resolve(posts), 200);
});
}
function getBlogComments(postId) {
const comments = [
{ postId: 1, comment: 'Great post!' },
{ postId: 2, comment: 'I like it.' },
{ postId: 1, comment: 'You make interesting points.' },
{ postId: 3, comment: 'Needs more corgis.' },
{ postId: 2, comment: 'Nice work!' },
];
// get comments for the given post
const postComments = comments.filter((comment) => comment.postId === postId);
return new Promise((resolve) => {
setTimeout(() => resolve(postComments), 300);
});
}
错误版本 ...帖子总是包含第三帖的详细信息,即使评论来自帖子1和2
function loadContent() {
getBlogPosts().then((posts) => {
for (post of posts) {
getBlogComments(post.id).then((comments) => {
console.log({ ...post, comments });
});
}
});
}
loadContent();
正确的版本 post 1和2的评论分别与帖子合适地存储在一起,
async function loadContent() {
const posts = await getBlogPosts();
// instead of awaiting this call, create an array of Promises
const promises = posts.map((post) => {
return getBlogComments(post.id).then((comments) => {
return { ...post, comments };
});
});
// use await on Promise.all so the Promises execute in parallel
const postsWithComments = await Promise.all(promises);
console.log(postsWithComments);
}
loadContent();
- 为什么错误的版本不log log循环变量的正确帖子?理想情况下,解释可以集中于词汇环境如何与承诺一起工作,假设与此错误相关,
- 是否可以在没有地图的情况下修复错误的版本? 也许出于某种原因,我无法并行运行,地图 + Promise.All模式都可以。
如果你对这篇内容有疑问,欢迎到本站社区发帖提问 参与讨论,获取更多帮助,或者扫码二维码加入 Web 技术交流群。
data:image/s3,"s3://crabby-images/d5906/d59060df4059a6cc364216c4d63ceec29ef7fe66" alt="扫码二维码加入Web技术交流群"
绑定邮箱获取回复消息
由于您还没有绑定你的真实邮箱,如果其他用户或者作者回复了您的评论,将不能在第一时间通知您!
发布评论
评论(1)
1。“错误的版本”未记录所需的结果,因为
post
变量定义为全局变量,而不是块分布的变量然后,
处理程序被称为POST> POST
变量变量为已经从数组中设置为第三篇文章。这是一个更详细的示例: https://whistlr.info/2021/async-and-2021/async---------- -tasks/您可以通过记录帖子来验证它:
这应该插入严格模式。
2。修复将是使用
Let/const
代替post
变量声明:请注意,即使在严格的模式下,也使用
var
var modifier不会有帮助,因为它范围范围 Let/const 相比,封闭功能范围不是块范围。此处的更多上下文: https://javascript.info/var
1. The "wrong version" does not log the desired result because
the
post
variable is defined as a global variable rather a block-scoped variableby the time
then
handlers get called thepost
variable is already set to the third post from the array. Here is a more detailed example explained: https://whistlr.info/2021/async-and-tasks/You can verify it by logging post after all:
This should throw in strict mode.
2. The fix would be to use
let/const
in place of thepost
variable declaration e.g.:Note that even in strict mode using
var
modifier won't help as it is scoped to the enclosing function scope not a block scope compared tolet/const
.More context here: https://javascript.info/var