Why Async & Non-blocking
Synchronous 동기적인
Asynchronous 비동기적인
통신 요청이나 오래 걸리는 작업은 비동기로 작동시킬 수 있다.
Callback
//callback 함수로 표현하기
const fetchData = (cb) => {
setTimeout(()=>{
cb('Done!');
}, 2000)
};
setTimeout(()=>{
console.log('Timer is done!');
fetchData((text)=>{
console.log(text);
});
}, 2000);
console.log('first log');
console.log('second log');
//first log
//second log
//Timer is done!
//Done!
//Promise로 표현하기
const fetchData = () => {
const promise = new Promise((resolve,reject) => {
setTimeout(()=>{
resolve('RESOLVED');
}, 2000)
});
}
setTimeout(()=>{
console.log('Timer is done!');
fetchData()
.then(res => {
console.log(res);
return fetchData();
})
.then(res => {
console.log(res);
});
}, 2000);
console.log('first log');
console.log('second log');
//first log
//second log
//Timer is done!
//RESOLVED!
//RESOLVED!
Promise
const printString = (string)=>{
return new Promise((resolve,reject)=>{
setTimeout(
()=>{
console.log(string);
resolve()
},
Math.floor(Math.random()*100)+1
)
})
}
const printAll = ()=>{
printString("A")
.then(()=>{
return printString("B") //이 부분을 통해 .then으로 이어서 프로미스 객체를 사용할 수 있다
})
.then(()=>{
return printString("c") //이 부분을 통해 .then으로 이어서 프로미스 객체를 사용할 수 있다
})
}
printAll();
fetch API
//인자가 1개인 경우 (GET)
fetch('http://example.com/movies.json')
.then(response => response.json())
.then(data => console.log(data)); //fetch한 response가 객체형태로 콘솔에 찍힌다.
//POST
fetch('주소',{
method: "POST",
headers: {
"Content-Type":"application/json"
},
body: JSON.stringify({
title: "hello"
body: "hello world",
userId: 1,
}),
})
.then(response => response.json())
.then(data => console.log(data)); //추가한 body의 내용이 객체 형태로 콘솔에 찍힌다
//PATCH
fetch('topics/2',{
method: "PUT",
headers: {
"Content-Type":"application/json"
},
body: JSON.stringify({
title: "hi"
})
})
.then(response=> response.json())
.then(data => console.log(data));
// topics라는 collection의 두 번째 element의 title만 바뀐다
// body에서 전송하지 않은 데이터는 삭제되지 않는다
//PUT
fetch('topics/2',{
method:"PUT",
headers: {
"Content-Type":"application/json"
},
body: JSON.stringify({
title: "hi"
})
})
.then(response => response.json())
.then(data => console.log(data));
// topics라는 collection의 두 번째 element의 title만 바뀐다
// body에서 전송하지 않은 데이터는 삭제된다
//DELETE
fetch('주소',{
method:"DELETE",
})
.then(response => response.json())
.then(data => console.log(data)); //콘솔에 빈객체 {}가 찍힌다
async await
async, await를 2번 활용하여 /data/latest 의 응답 내용과 /data/weather 응답 내용을 합친 새로운 객체를 리턴시켜라
var newsURL = "http://localhost:5000/data/latestNews";
var weatherURL = "http://localhost:5000/data/weather";
async function getNewsAndWeatherAsync() {
//fetch API로 주소로부터 뉴스정보를 GET해서 Response를 변수에 담을때까지 기다린다.
const news = await fetch(newsURL);
//fetch API로 주소로부터 날씨정보를 GET해서 Response를 변수에 담을때까지 기다린다.
const weather = await fetch(weatherURL);
let obj = {};
return news
.json()
.then(response => {
obj.news = response.data
return weather.json() //json메소드는 프로미스 객체를 리턴한다
})
.then(weatherData => {
obj.weather = weatherData;
return obj
});
}