redux-saga를 찾아보다 사가는 generator를 통해서 비동기 처리를 하고 있을 것을 알게 됐다.

js의 generator를 알지 못해서 알아보려고 시작했다.

기초

next 함수에 대해서

function* sumGenerator() {
  console.log('### IN GENERATOR - sumGenerator이 시작.');
  let a = yield;
  console.log('### IN GENERATOR - a값을 받았다.', a); // a는 11 반환
  let b = yield;
  console.log('### IN GENERATOR - b값을 받았다.', a, b); // a는 11, b는 22 반환
  yield a + b;
}

const sum = sumGenerator();

// sum.next() 결과: sumGenerator 시작
console.log('# sum.next() 결과: ', sum.next()); //{value: undefined, done: false}

// sum.next(11) 결과: a값을 받았다.
console.log('# sum.next(11) 결과: ', sum.next(11)); //{value: undefined, done: false}

// sum.next(22) 결과: b값을 받았다.
console.log('# sum.next(22) 결과: ', sum.next(22)); //{value: 33, done: false}

액션 모니터링

function* watchGenerator() {
  console.log('모니터링 시작!');
  while (true) {
    const action = yield;
    if (action.type === 'HELLO') {
      console.log('안녕하세요?');
    }
    if (action.type === 'BYE') {
      console.log('안녕히가세요.');
    }
  }
}

const watch = watchGenerator();
watch.next(); // 모니터링 시작!
watch.next({ type: 'HELLO' }); // 안녕하세요?
watch.next({ type: 'BYE' }); // 안녕히가세요.