step1(function(value1) {
step2(value1, function(value2) {
step3(value2, function(value3) {
step4(value3, function(value4) {
step5(value4, function(value5) {
// value5를 사용하는 처리
});
});
});
});
});
step1();
step1()
이 콜스택에 쌓임step1()
이 콜스택에서 pop(콜스택에서는 다음 코드 실행)step2()
가 Task Queue에서 대기중step2()
를 넣고 실행, 이렇게 반복try {
setTimeout(() => { throw new Error('Error!'); }, 1000);
} catch (e) {
console.log('에러를 캐치하지 못한다..');
console.log(e);
}
setTimeout()
은 호출 스택에서 사라진 상태로 콜백함수인 throw new Error
가 호출 스택에서 수행 되어서 setTimeout()
이 throw new Error
를 호출안한걸로 처리됨, 즉 try문안에서 에러를 내도 캐치 못함function getImage(file) {
// Promise 객체를 리턴
return new Promise((resolve, reject) => {
try {
const data = readFile(file); // 파일 읽어오기 시도
resolve(data); // 성공하면 resolve 함수 호출(보통 결과 값 인자로)
// resolve 함수 호출되면 fulfilled 상태로
} catch {
reject(new Error(err)); // 에러나면 reject 함수 호출(보통 에러 객체 인자로)
// reject 함수 호출되면 rejected 상태로
}
});
}
// 실행 부
getImage(file)
.then(data => console.log("성공함", data)) // then계속 이어쓰면서 콜백헬 대신 사용
.catch(error => console.log(error)) // 이전 then에서 난 에러 받음
.finally(() => console.log('Done!'));
PromiseState
: 프로미스 객체의 상태(비동기 처리 상태)Promise
객체를 반환하도록 만들고, 이때 Promise
생성시 비동기 처리를 수행할 콜백함수를 인자로 준다.Promise
객체에 then, catch, finally
를 사용해 콜백 함수를 대신 사용const resolvedPromise = Promise.resolve([1, 2, 3]);
// 이 코드와 동일
// const resolvedPromise = new Promise(resolve => resolve([1, 2, 3]));
resolvedPromise.then(console.log); // [ 1, 2, 3 ]
const rejectedPromise = Promise.reject(new Error('Error!'));
// 이 코드와 동일
const rejectedPromise = new Promise((resolve, reject) => reject(new Error('Error!')));
rejectedPromise.catch(console.log); // Error: Error!
프로미스가 담긴 이터러블을 인자로 받고 모든 프로미스를 병렬로 처리, 모든 프로미스가 처리완료 까지 기다린 후 결과 반환, 모두 성공 OR 하나 이상 실패
모든 프로미스 성공시 각각의 프로미스가 resolve
한 결과를 배열에 담고 이 배열을 resolve
하는 새로운 Promise
반환, 이때 처리 완료 순서와 상관없이 처음 코드의 배열 순서를 유지
Promise.all([
new Promise(resolve => setTimeout(() => resolve(1), 3000)), // 1
new Promise(resolve => setTimeout(() => resolve(2), 2000)), // 2
new Promise(resolve => setTimeout(() => resolve(3), 1000)) // 3
]).then(console.log) // [ 1, 2, 3 ]
.catch(console.log);
Promise
반환Promise.all([
new Promise((resolve, reject) => setTimeout(() => reject(new Error('Error 1!')), 3000)),
new Promise((resolve, reject) => setTimeout(() => reject(new Error('Error 2!')), 2000)),
new Promise((resolve, reject) => setTimeout(() => reject(new Error('Error 3!')), 1000))
]).then(console.log)
.catch(console.log); // Error: Error 3!
Promise.resolve
로 래핑Promise.all([
1, // => Promise.resolve(1)
2, // => Promise.resolve(2)
3 // => Promise.resolve(3)
]).then(console.log) // [1, 2, 3]
.catch(console.log);
Promise.all
과 유사, 모두 성공한 경우에는 가장 먼저 처리된 프로미스의 resolve
한 처리 결과를 resolve
하는 새로운 Promise
반환Promise.race([
new Promise(resolve => setTimeout(() => resolve(1), 3000)), // 1
new Promise(resolve => setTimeout(() => resolve(2), 2000)), // 2
new Promise(resolve => setTimeout(() => resolve(3), 1000)) // 3
]).then(console.log) // 3
.catch(console.log);
Promise
들의 결과가 담김Promise
가 포함되어도 에러로 빠지지 않고 fulfilled
상태가 되면서 실패한 Promise
는 실패정보를 담고 있음console.log('Start!');
setTimeout(() => {
console.log('Timeout!');
}, 0);
Promise.resolve('Promise!')
.then(res => console.log(res));
console.log('End!');
setTimeout
만나서 WEB API로 넘김Promise.resolve('Hello!');
// 위 코드는 아래 코드와 같다.
async function greet() {
return 'Hello!'
}
const one = () => Promise.resolve('One!');
async function myFunc() {
console.log('In function!');
const res = await one();
console.log(res); // await은 이거를 기다려주는 거임
}
console.log('Before function!');
myFunc();
console.log('After function!'); // 이건 기다려주지 않음
await
만나서 해당 async
함수를 MicroTask Queue로async
함수를 콜스택으로 보내고 남은 부분 실행출처 : https://poiemaweb.com/es6-promise, https://pozafly.github.io/javascript/event-loop-and-async/