동기(synchronous)적 방식이란?
현재 실행중인 코드가 끝나야 다음 코드를 실행하는 방식
비동기(asynchronous)적 방식이란?
실행중인 코드의 완료 여부와 무관하게 즉시 다음 코드로 넘어가는 방식
1. setTimeout, add EventListner 등
2. 별도의 요청, 실행, 대기, 보류 등과 관련된 코드는 모두 비동기적 코드
3. 대표적으로 서버 통신과 관련된 로직들 포함
비동기적 프로그래밍을 하다 보면, 콜백지옥과 마주할 수 있다.
이를 해결하기 위해 ES6에서 Promise 객체가 소개되었다.
비동기 작업이 맞이할 미래의 완료 또는 실패와 그 결과 값을 나타낸다.
then ~ catch (ES6)
// http://api.naver.com/weather/today 로 요청을 한다고 가정.
axios.get('http://api.naver.com/weather/today') // Promise 객체
.then(response => {
console.log('정상처리 되었습니다 : ' + response);
})
.catch(error => {
console.log('오류가 발생하였습니다 : ' + error);
})
.finally(()=>{
console.log('항상 실행되는 부분입니다!')
})
async / await (ES7)
const getWeather = async () => {
try {
const response = await axios. get('http://api.naver.com/weather/today');
// await를 입력해주면 이 문장이 끝날때까지 밑으로 넘어가지 않음
console. log('정상처리 되었습니다 : ' + response);
} catch (error) {
console.log('오류가 발생하였습니다 : ' + error);
}
}