How is async/await working in serial and parallel?

后端 未结 3 1344
野性不改
野性不改 2021-02-14 14:45

I have two async functions. Both of them are waiting for two 3 seconds function calls. But the second one is faster than the first. I think the faster one is runnin

相关标签:
3条回答
  • 2021-02-14 15:16

    Frxstream already has an excellent answer. To build on that, and provide some perspective:

    The first thing to recognize is that Promises are created "hot" - that is, by the time you have a promise object, it is already "in progress".

    The second important concept is that await is like an "asynchronous wait" - that is, it pauses the execution of the function until that promise completes.

    So, the serial function calls sleep, gets a promise back, and then (asynchronously) waits for that promise to complete. After that promise completes 3 seconds later, serial again calls sleep, gets a promise back, and then (asynchronously) waits for that promise to complete. After that promise completes 3 seconds later, serial completes.

    The parallel function calls sleep and stores its promise in a, and then calls sleep and stores its promise in b, and then (asynchronously) waits for a to complete. After a completes 3 seconds later, parallel (asynchronously) waits for b to complete. After b completes practically immediately, parallel completes.

    0 讨论(0)
  • 2021-02-14 15:16

    It's clearer if you write your serial function like this:

    async function serial() {
      var a = sleep(); //
      await a;         // await sleep();
    
      var b = sleep(); //
      await b;         // await sleep();
    }
    
    async function parallel() {
      var a = sleep();
      var b = sleep();
      await a;
      await b;
    }
    

    Here you can clearly see that in the serial function, the second sleep() is only called after the first sleep() has completed, while in parallel it's called immediately, before the first has completed, and then it waits for both to complete. So while they may look functionally identical, they are subtly different.

    0 讨论(0)
  • 2021-02-14 15:18

    Because thesleep()function is a synchronous function, it just return a asynchronous promise, eg:

    function sleep (time) {
        return new Promise((resolve) => setTimeout(resolve, time));
    }
    

    In parallel(), the two sleep() synchronously init two promise,they wait to be resolved meanwhile, it's going to be about 3s.

    However, in serial(), the two await sleep() means that the second sleep() promise must wait for the first sleep() to be resolved, so it's going to be about 6s.

    0 讨论(0)
提交回复
热议问题