{ console.log("immediate"); }); process.nextTick(() => { console.log("nextTick"); }); console.log("current event loop"); // current event loop // nextTick // timeout // immediate"> { console.log("immediate"); }); process.nextTick(() => { console.log("nextTick"); }); console.log("current event loop"); // current event loop // nextTick // timeout // immediate"> { console.log("immediate"); }); process.nextTick(() => { console.log("nextTick"); }); console.log("current event loop"); // current event loop // nextTick // timeout // immediate">
setTimeout(() => {
  console.log("timeout");
}, 0);

setImmediate(() => {
  console.log("immediate");
});

process.nextTick(() => {
  console.log("nextTick");
});

console.log("current event loop");

// current event loop
// nextTick
// timeout
// immediate

처리되는 단계

setTimeout(), setInterval()Timers 단계 에서 처리

setImmediate()Check 단계 에서 처리.

process.nextTick()이벤트 루프 시작 시이벤트 루프의 각 단계 사이 에서 처리.

process.nextTick() 재귀 호출 시 이벤트 루프 block

주어진 단계에서 process.nextTick()이 호출되면 이벤트 루프가 계속되기 전에 process.nextTick()에 전달된 모든 콜백이 해결됩니다. 이렇게 process.nextTick()이 재귀적으로 호출하면 이벤트 루프를 차단하게 됩니다.

let count = 0;

const cb = () => {
  console.log(`Processing nextTick cb ${++count}`);
};

setImmediate(() => console.log("setImmediate is called"));
setTimeout(() => console.log("setTimeout executed"), 100);

process.nextTick(cb);

console.log("Start");

// Start
// Processing nextTick cb 1
// setImmediate is called
// setTimeout executed

Untitled

Start Processing nextTick cb 1 Processing nextTick cb 2 Processing nextTick cb 3 . . .

보시다시피 process.nextTick()에 대한 재귀 호출은 지속적으로 처리되고 event loop가 차단됐습니다.

따라서 setImmediate()setTimeout() 콜백은 실행되지 않습니다.

setImmediate() 재귀 호출 시

let count = 0;
const cb = () => {
  if (count < 2000) {
    console.log(`Processing setImmediate cb ${++count}`);
    setImmediate(cb);
  }
};
setImmediate(cb);
setTimeout(() => console.log("setTimeout executed"), 50);
console.log("Start");

// Start
// ...
// Processing setImmediate cb 1381
// Processing setImmediate cb 1382
// setTimeout executed
// Processing setImmediate cb 1383
// Processing setImmediate cb 1384
// ...
// Processing setImmediate cb 2000

Untitled

여기서 setImmediate()가 재귀적으로 호출되더라도 이벤트 루프를 차단하지 않으며 지정된 시간 초과 후에 setTimeout() 콜백이 실행됩니다.

setImmediate & nextTick 이름

Untitled

기본적으로 서로의 이름이 바뀌어야 합니다.

왜냐하면 process.nextTick()setImmediate()보다 더 즉시 발생하기 때문이다. 그렇지만 현재는 이 둘의 이름을 바꿀 수는 없습니다. 왜냐하면 이 둘의 이름을 바꾼다면 이 둘을 사용하고 있는 대다수의 npm 패키지가 망가질 수도 있기 때문이고, 매일 새로운 모듈이 더해지고 있으므로 잠재적으로 더 많은 npm 패키지가 깨질 수가 있습니다. 그래서 이 둘의 이름은 바뀔 수가 없습니다.

모든 경우에 setImmediate()를 사용하기를 추천하는데, 사용하기 쉽고 browser 등의 다양한 환경에서 호환이 더 잘 되기 때문입니다.