useState 공식문서 예재 분석하기

forestream·2024년 4월 4일
0
let componentHooks = [];
let currentHookIndex = 0;

// How useState works inside React (simplified).
function useState(initialState) { // ★6. 인수: 0
  // ★23. 인수: 0;
  // ★30. 인수: false, 훅 인덱스: 1;
  let pair = componentHooks[currentHookIndex]; // ★7. pair = componentHooks[0] = [][0] = undefined
  // ★24. pair = componentHooks[0] = [1, setState] (18번에서 저장된 값) 
  // ★24-1. 현재 시점 componentHooks = [[1, setState], [false, setState](13번에서 설정된 값)]
  // ★31. pair = componentHooks[1] = [false, setState]
  // ★45. pair = componentHooks[0] = [1, setState]
  // ★48. pair = componentHooks[1] = [true, setState]
  if (pair) { // ★25. 페어값이 트루시하므로 조건문 실행
    // ★32. 페어값이 트루시하므로 조건문 실행
    // This is not the first render,
    // so the state pair already exists.
    // Return it and prepare for next Hook call.
    currentHookIndex++; // ★26. 훅 인덱스: 1
    // ★33. 훅 인덱스: 2
    // ★45-1. 훅 인덱스: 1
    return pair; // ★27. [1, setState] 반환, 갤러리 함수로 복귀
    // ★34. [false, setState] 반환, 갤러리 함수로 복귀
    // ★46. [1, setState] 반환, 갤러리 함수로 복귀
    // ★49. [true, setState] 반환, 갤러리 함수로 복귀
  }

  // This is the first time we're rendering,
  // so create a state pair and store it.
  pair = [initialState, setState]; // ★8. pair = [0, setState];
  // ★8. 이때 페어에 할당되는 배열 안의 setState 함수는 아래에 작성되어 있지만
  // useState의 함수 몸체가 실행되기 전 정의되어서(함수 호이스팅) 할당이 가능하다.
  // 자바스크립트 함수는 정의될 때 스코프가 결정된다. (렉시컬 스코프) (반대: 호출될 때 스코프를 결정)
  // 즉,
  // setIndex로 호출할 때와
  // setShowMore로 호출할 때에
  // 같은 setState 함수가 호출되지만
  // 두 경우 각각 useState가 호출될 때 (그에 따라 setState 함수가 정의되어서 스코프가 결정될 때)
  // currentHookIndex에 담긴 값이 다르기 때문에 
  // (setIndex를 호출할 때는 0, setShowMore를 호출할 때는 1)
  // setState 몸체 내부의 pair의 참조값도 다르고 
  // pair[0]의 값도 다르다.
  
  function setState(nextState) { // ★17. setIndex(0 + 1)
    // ★39. setShowMore(!showMore = true)
    // When the user requests a state change,
    // put the new value into the pair.
    pair[0] = nextState; // ★18. pair = componentHooks[0] = [1, setState]
    // ★40. pair = [true, setState]
    updateDOM(); // ★19. 돔 업데이트 함수 호출
    // ★41. 돔 업데이트 함수 호출
  }

  // Store the pair for future renders
  // and prepare for the next Hook call.
  componentHooks[currentHookIndex] = pair; // ★9. componentHooks[0] = [0, setState];
  // ★9. componentHooks = [[0, setState]];
  // 이제 useState 함수에서 상태값을 관리 가능
  // ★13-1. componentHooks = [[0, setState], [false, setState]]
  currentHookIndex++; // ★10. 현재 훅 인덱스: 1
  return pair; // ★11. 배열 반환
}

function Gallery() { // ★4. 현재 훅 인덱스: 0
  // Each useState() call will get the next pair.
  const [index, setIndex] = useState(0); // ★5. useState 실행.
  // ★22. 유즈스테이트 호출
  // ★44. 유즈스테이트 호출
  // ★12. const [index, setIndex] = [0, setState]
  // ★28. const [index, setIndex] = [1, setState]
  
  const [showMore, setShowMore] = useState(false); // ★13. 과정 생략. 
  // ★29. 유즈스테이트 호출
  // ★47. 유즈스테이트 호출
  // ★ const [showMore, setShowMore] = [false, setState]
  // ★35. const [showMore, setShowMore] = [false, setState]
  // ★49. const [showMore, setShowMore] = [true, setState]

  function handleNextClick() { // ★16-1. Next 버튼 클릭 시 setIndex 함수 호출
    setIndex(index + 1);
  }

  function handleMoreClick() { // ★38-1. setShowMore 함수 호출
    setShowMore(!showMore);
  }

  let sculpture = sculptureList[index];
  // This example doesn't use React, so
  // return an output object instead of JSX.
  return { // ★14. 반환, updateDOM() 함수로 복귀
    // ★36. 반환, updateDOM() 함수로 복귀
    // ★50. 반환, updateDOM() 함수로 복귀
    onNextClick: handleNextClick,
    onMoreClick: handleMoreClick,
    header: `${sculpture.name} by ${sculpture.artist}`,
    counter: `${index + 1} of ${sculptureList.length}`,
    more: `${showMore ? 'Hide' : 'Show'} details`,
    description: showMore ? sculpture.description : null,
    imageSrc: sculpture.url,
    imageAlt: sculpture.alt
  };
}

function updateDOM() {
  // Reset the current Hook index
  // before rendering the component.
  currentHookIndex = 0; // ★2. 훅 인덱스 초기화
  // ★20. 훅 인덱스 초기화
  // ★42. 훅 인덱스: 2 -> 0 (33번 값을 0으로 재할당)
  let output = Gallery(); // ★3. Gellery 함수 실행. 리액트를 쓰지 않는 예제라 객체에 렌더 내용을 할당할 예정.
  // ★21. 갤러리 함수 호출
  // ★43. 갤러리 함수 호출

  // Update the DOM to match the output.
  // This is the part React does for you.
  // ★15. 렌더
  // ★37. 렌더
  // ★51. 렌더
  nextButton.onclick = output.onNextClick;
  header.textContent = output.header;
  moreButton.onclick = output.onMoreClick;
  moreButton.textContent = output.more;
  image.src = output.imageSrc;
  image.alt = output.imageAlt;
  if (output.description !== null) {
    description.textContent = output.description;
    description.style.display = '';
  } else {
    description.style.display = 'none';
  }
}

let nextButton = document.getElementById('nextButton');
let header = document.getElementById('header');
let moreButton = document.getElementById('moreButton');
let description = document.getElementById('description');
let image = document.getElementById('image');
let sculptureList = [{
  name: 'Homenaje a la Neurocirugía',
  artist: 'Marta Colvin Andrade',
  description: 'Although Colvin is predominantly known for abstract themes that allude to pre-Hispanic symbols, this gigantic sculpture, an homage to neurosurgery, is one of her most recognizable public art pieces.',
  url: 'https://i.imgur.com/Mx7dA2Y.jpg',
  alt: 'A bronze statue of two crossed hands delicately holding a human brain in their fingertips.'  
}, {
  name: 'Floralis Genérica',
  artist: 'Eduardo Catalano',
  description: 'This enormous (75 ft. or 23m) silver flower is located in Buenos Aires. It is designed to move, closing its petals in the evening or when strong winds blow and opening them in the morning.',
  url: 'https://i.imgur.com/ZF6s192m.jpg',
  alt: 'A gigantic metallic flower sculpture with reflective mirror-like petals and strong stamens.'
}, {
  name: 'Eternal Presence',
  artist: 'John Woodrow Wilson',
  description: 'Wilson was known for his preoccupation with equality, social justice, as well as the essential and spiritual qualities of humankind. This massive (7ft. or 2,13m) bronze represents what he described as "a symbolic Black presence infused with a sense of universal humanity."',
  url: 'https://i.imgur.com/aTtVpES.jpg',
  alt: 'The sculpture depicting a human head seems ever-present and solemn. It radiates calm and serenity.'
}, {
  name: 'Moai',
  artist: 'Unknown Artist',
  description: 'Located on the Easter Island, there are 1,000 moai, or extant monumental statues, created by the early Rapa Nui people, which some believe represented deified ancestors.',
  url: 'https://i.imgur.com/RCwLEoQm.jpg',
  alt: 'Three monumental stone busts with the heads that are disproportionately large with somber faces.'
}, {
  name: 'Blue Nana',
  artist: 'Niki de Saint Phalle',
  description: 'The Nanas are triumphant creatures, symbols of femininity and maternity. Initially, Saint Phalle used fabric and found objects for the Nanas, and later on introduced polyester to achieve a more vibrant effect.',
  url: 'https://i.imgur.com/Sd1AgUOm.jpg',
  alt: 'A large mosaic sculpture of a whimsical dancing female figure in a colorful costume emanating joy.'
}, {
  name: 'Ultimate Form',
  artist: 'Barbara Hepworth',
  description: 'This abstract bronze sculpture is a part of The Family of Man series located at Yorkshire Sculpture Park. Hepworth chose not to create literal representations of the world but developed abstract forms inspired by people and landscapes.',
  url: 'https://i.imgur.com/2heNQDcm.jpg',
  alt: 'A tall sculpture made of three elements stacked on each other reminding of a human figure.'
}, {
  name: 'Cavaliere',
  artist: 'Lamidi Olonade Fakeye',
  description: "Descended from four generations of woodcarvers, Fakeye's work blended traditional and contemporary Yoruba themes.",
  url: 'https://i.imgur.com/wIdGuZwm.png',
  alt: 'An intricate wood sculpture of a warrior with a focused face on a horse adorned with patterns.'
}, {
  name: 'Big Bellies',
  artist: 'Alina Szapocznikow',
  description: "Szapocznikow is known for her sculptures of the fragmented body as a metaphor for the fragility and impermanence of youth and beauty. This sculpture depicts two very realistic large bellies stacked on top of each other, each around five feet (1,5m) tall.",
  url: 'https://i.imgur.com/AlHTAdDm.jpg',
  alt: 'The sculpture reminds a cascade of folds, quite different from bellies in classical sculptures.'
}, {
  name: 'Terracotta Army',
  artist: 'Unknown Artist',
  description: 'The Terracotta Army is a collection of terracotta sculptures depicting the armies of Qin Shi Huang, the first Emperor of China. The army consisted of more than 8,000 soldiers, 130 chariots with 520 horses, and 150 cavalry horses.',
  url: 'https://i.imgur.com/HMFmH6m.jpg',
  alt: '12 terracotta sculptures of solemn warriors, each with a unique facial expression and armor.'
}, {
  name: 'Lunar Landscape',
  artist: 'Louise Nevelson',
  description: 'Nevelson was known for scavenging objects from New York City debris, which she would later assemble into monumental constructions. In this one, she used disparate parts like a bedpost, juggling pin, and seat fragment, nailing and gluing them into boxes that reflect the influence of Cubism’s geometric abstraction of space and form.',
  url: 'https://i.imgur.com/rN7hY6om.jpg',
  alt: 'A black matte sculpture where the individual elements are initially indistinguishable.'
}, {
  name: 'Aureole',
  artist: 'Ranjani Shettar',
  description: 'Shettar merges the traditional and the modern, the natural and the industrial. Her art focuses on the relationship between man and nature. Her work was described as compelling both abstractly and figuratively, gravity defying, and a "fine synthesis of unlikely materials."',
  url: 'https://i.imgur.com/okTpbHhm.jpg',
  alt: 'A pale wire-like sculpture mounted on concrete wall and descending on the floor. It appears light.'
}, {
  name: 'Hippos',
  artist: 'Taipei Zoo',
  description: 'The Taipei Zoo commissioned a Hippo Square featuring submerged hippos at play.',
  url: 'https://i.imgur.com/6o5Vuyu.jpg',
  alt: 'A group of bronze hippo sculptures emerging from the sett sidewalk as if they were swimming.'
}];

// Make UI match the initial state.
updateDOM(); // ★1. 함수 실행
<button id="nextButton"> <!-- ★16. Next 버튼 클릭 시 setIndex 함수 호출 -->
  Next
</button>
<h3 id="header"></h3>
<button id="moreButton"></button> <!-- ★38. 더보기 클릭 시 setShowMore 함수 호출 -->
<p id="description"></p>
<img id="image">

<style>
* { box-sizing: border-box; }
body { font-family: sans-serif; margin: 20px; padding: 0; }
button { display: block; margin-bottom: 10px; }
</style>

코드 출처: https://react.dev/learn/state-a-components-memory

이전 포스트 업데이트

const 와 useState에서 정리했던 내용은 폐기.
저 글을 쓴 후에도 const로 선언한 변수의 값이 바뀐다는 것이 이해가 가지 않았다.
오늘 공부해본 바 setState 함수를 쓰면 상수의 값이 재할당되는 게 아니었다.

  • setState 함수를 호출하면
  • 컴포넌트 외부에 setState의 인수로 전달한 값이 저장되고 (그 값은 리액트가 관리한다.)
  • 리액트가 바뀐 state 값을 비교하여 re-rendering 하고
  • DOM에 commit 한다. (화면이 다시 그려진다.)

이때,

  • 바뀐 컴포넌트와 그 자식 컴포넌트, 자식의 자식 컴포넌트 순으로 계속 재귀적으로 업데이트 된다.
  • 컴포넌트가 업데이트 된다는 것은, 컴포넌트 함수가 다시 호출된다는 것이고
  • 그 안의 const로 선언된 상수는 재할당되는 것이 아니라 처음부터 다시 선언, 할당 단계를 거치는 것이다.
  • const에 값을 할당하는 useState도 컴포넌트가 업데이트 될 때마다 호출된다.
  • 그렇다고 구조분해로 받는 state의 값이 useState에 인수로 전달한 초기값으로 매번 할당되는 것이 아니다.
    • 공식문서 예제에 나온 것처럼 useState를 호출할 때 이전에 이미 저장한 상태값이 있다면(componentHooks),
    • useState로 전달하는 인수는 아무런 역할을 수행하지 않고, 미리 저장되어 있던 값이 반환된다.
    • const [count, setCount] = useState(0);
      이라는 코드를 몇 번 반복하든 처음 렌더링 될 때만 인수로 전해준 0이 할당되고 그 후에는 setCount의 인수에 의해서만 count의 값이 정해진다.

후행 학습

예제 코드 ★8번 단계는
컴포넌트에서 useState를 여러번 쓸 때 setState 함수가 어떻게 매번 다른 상태를 유추할 수 있는지 나름 생각해본 것인데 사실 정확한지 모르겠고,
스코프와 클로저에 대해 더 공부해야 할 것 같다.

0개의 댓글