Promise为什么要执行呼叫堆栈?
function main() {
console.log("S-1");
setTimeout(() => {
console.log("setTimeout");
}, 0);
new Promise((resolve, reject) => {
for (let i = 0; i < 10000000000; i++) {}
resolve("Promise");
}).then((res) => console.log(res));
console.log("S-2");
}
// Invoke function
main();
当我运行main()函数时,我将获得的输出是:
'S-1'
'S-2'
'Promise'
'setTimeout'
登录“ S-1”后,存在很大的时间差距,然后几秒钟后,其余的,剩下的时间都会立即记录。 记录“ S-2”之后的时间差距不应该发生吗?
function main() {
console.log("S-1");
setTimeout(() => {
console.log("setTimeout");
}, 0);
new Promise((resolve, reject) => {
for (let i = 0; i < 10000000000; i++) {}
resolve("Promise");
}).then((res) => console.log(res));
console.log("S-2");
}
// Invoke function
main();
When I run the main() function, the output I get is:
'S-1'
'S-2'
'Promise'
'setTimeout'
After 'S-1' is logged, there is a big time gap, and then after few seconds, the rest gets logged, at once.
Shouldn't the time gap occur after logging 'S-2'?
如果你对这篇内容有疑问,欢迎到本站社区发帖提问 参与讨论,获取更多帮助,或者扫码二维码加入 Web 技术交流群。
data:image/s3,"s3://crabby-images/d5906/d59060df4059a6cc364216c4d63ceec29ef7fe66" alt="扫码二维码加入Web技术交流群"
绑定邮箱获取回复消息
由于您还没有绑定你的真实邮箱,如果其他用户或者作者回复了您的评论,将不能在第一时间通知您!
发布评论
评论(2)
承诺构造函数内部的函数同步运行,与脚本的其余部分相同(又是)主线程。构建承诺不会导致创建单独的线程。
如果您立即在承诺构造函数内进行一些重型处理,那么重型处理将必须在控制流回到承诺构造器的外部之前完成。在这种情况下,这意味着循环的许多迭代必须在以下之前完成:
以获取您想要或期望的输出而不移动日志,您必须将昂贵的代码卸载到其他环境中,例如a
The function inside the Promise constructor runs synchronously, on the same (and only) main thread as the rest of the script. Constructing a Promise doesn't result in a separate thread being created.
If you do some heavy processing immediately inside a Promise constructor, that heavy processing will have to complete before control flow is yielded back to the outside of the Promise constructor. In this case, it means that the many iterations of the loop must finish before:
.then
handler attached to itconsole.log("S-2");
line runsTo get the output you're desiring or expecting without moving the logs around, you'd have to offload the expensive code to a different environment, such as to a worker or a server (using a network request).
正如@cleantionperformance所说,JavaScript只能处理一个呼叫堆。它需要一劳永逸地完成此线程。为了承诺和超时,它使用工作和任务队列。事件循环将作业队列和任务队列确定优先级。
让我们尝试了解您在呼叫堆和队列方面写的内容。
如果您想将其作为回调。
Reference: https://medium.com/@idineshgarg/let- US-CONSIDER-AN-AXAMPE-A58BB1C11F55
As @CertainPerformance had said, Javascript can only handle one call-stack. It needs to finish this thread once and for all. For promises and timeouts, it uses the job and task queues. The event loop prioritizes the job queue and then the task queue.
Lets try to understand what you wrote in terms of call-stack and queues.
If you want to make it a callback.
Reference: https://medium.com/@idineshgarg/let-us-consider-an-example-a58bb1c11f55