Event Loop & Async Execution Flashcards

1
Q

What happens if a microtask keeps adding more microtasks?

A

JavaScript will continue processing microtasks indefinitely until no more microtasks are scheduled. This can cause the event loop to stall, preventing macrotasks (like setTimeout) from executing.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
2
Q

Why do microtasks run before macrotasks?

A

Microtasks allow JavaScript to immediately handle updates (e.g., resolved Promises) before rendering. This ensures higher-priority tasks are handled before timers and I/O operations.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
3
Q

Guess the output of the following code:
~~~
console.log(‘Start’);

setTimeout(() => console.log(‘Timeout 1’), 0);
setTimeout(() => console.log(‘Timeout 2’), 0);

Promise.resolve().then(() => {
console.log(‘Promise 1’);
return Promise.resolve();
}).then(() => console.log(‘Promise 2’));

console.log(‘End’);
~~~

A

Start
End
Promise 1
Promise 2
Timeout 1
Timeout 2

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
4
Q

Why does ‘Promise 1’ run before ‘Timeout 1’?

A

Sync code runs first (Start, End). Microtasks (Promise.then()) execute before macrotasks (setTimeout).

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
5
Q

What’s wrong with this async function?

  setTimeout(() => {
    return 'Data';
  }, 1000);
}

fetchData().then(data => console.log(data));
A

setTimeout does not return a Promise, so fetchData() immediately resolves to undefined.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
6
Q

How can you fix the async function ‘fetchData’ to return data after a delay?

A

Wrap setTimeout in a Promise:

async function fetchData() {
  return new Promise(resolve => {
    setTimeout(() => resolve('Data'), 1000);
  });
}
How well did you know this?
1
Not at all
2
3
4
5
Perfectly