02. 리액트 동작 원리

      02. 리액트 동작 원리에 댓글 없음

02-1 가상 DOM 이해하기

리액트 프레임워크를 구성하는 3요소 – 가상 DOM(Virtual DOM), JSX(JavaScript XML), 컴포넌트(Component)

React.StrictMode – 코드가 잘못되었는지 판단하여 오류 메세지를 보여주는 컴포넌트

reportWebVitals – 앱의 성능을 측정

react와 react-dom 패키지

react – 앱이 동작하는 환경과 무관하게 공통으로 사용하는 기능(컴포넌트, JSX, 리액트 훅 등)
Virtual DOM
  • react-dom/client – CSR(Client side Rendering) 방식
  • react-dom/server – SSR(Server side Rendering) 방식
  • react-native – 앱이 동장하는 플랫폼에 종속적인 방식

XML이나 HTML문서는 element로 구성되어 있으며, 그것들의 트리구조(tree structure) 또는 계단 구조(cascading tree)로 되어 있다.

DOM – document object model

자바스크립트 엔진
  • window – 웹 브라우저의 특정 웹 페이지를 의미하는 객체. BOM(browser object model)
  • document – HTML문서(요소)를 의미하는 객체. window.document로 접근
  • document.head, document.body – head와 body 요소를 의미
  • HTMLElement -> Element -> Node -> EventTarget
let element = document.createElement(localName [, options]);
let p = document.createElement("p");    // <p>요소 생성
document.body.appendChild(p);    // 렌더링
리액트를 사용하는 프런트엔드 개발(가상DOM)
import React from 'react'
import ReactDOM from 'react-dom/clinet'

const pVirtualDOM = React.createElement('p', null, 'Hello world!');
const root = ReactDOM.createRoot(document.getElementById('root') as HTMLElement);

root.render(pVirtualDOM);

root.render() 메서드 – 가상 DOM을 물리 DOM으로 전환해 준다.

물리 DOM의 HTMLElement의 id 문제(중복 등.) 때문에 리액트에서는 가상 DOM을 사용한다.

02-2 JSX 구문 이해하기

React.createElement 호출의 복잡성 문제를 해결하기 위하여 JSX사용.

자바스크립트 문법에 새로운 문법을 추가한 언어 확장(language extension).

JavaScript + XML

import ReactDOM from 'react-dom/client'

const rootVirtualDOM = (
  <ul>
    <li>
      <a href="http://www.google.com" target="_blank">
        <p>go to Google</p>
      </a>
    </li>
  </ul>
)

const root = ReactDOM.createRoot(document.getElementById('root') as HTMLElement)
root.render(rootVirtualDOM)

중괄호를 이용하여 자바스크립트 코드를 감싸는 형태의 문법.

return 없이 값을 반환해야 함. => 표현식(expression)

실행문(execution statement)은 넣을 수 없음.

<p>
  {/* string must be wrapped by Text */}
</p>

배열 사용 가능. 단, 부모 요소 없이는 사용 불가.

02-3 컴포넌트 이해하기

컴포넌트(Component) – 화면UI를 처리하는 클래스

리액트 훅(react hooks) – 단순한 함수 형태로 컴포넌트를 구현하는 새로운 메커니즘

리액트 컴포넌트와 사용자 컴포넌트

리액트 컴포넌트 – 리액트 프레임워크가 제공하는 컴포넌트. (예: <h1></h1>)

사용자 컴포넌트 – 가상 DOM 생성 코드를 사용자 컴포넌트 쪽으로 이동하여 코드를 간결하게 한다.

클래스 방식 컴포넌트 – ComponentClass<P>

속성

클래스의 멤버 변수

부모 컴포넌트가 자식 컴포넌트 쪽에 정보를 전달하는 목적으로 사용됨.

리액트에서의 속성은 상태(state)라고도 한다.

값(속성)이 변하면 해당 컴포넌트를 다시 렌더링하여 화면에 반영한다.

import {Component} from 'react'

export type ClassComponentProps = {
  href: string
  text: string
}
export default class ClassComponent extends Component<ClassComponentProps> {
  render() {
    const {href, text} = this.props
    return (
      <li>
        <a href={href}>
          <p>{text}</p>
        </a>
      </li>
    )
  }
}

함수 방식 컴포넌트 – FunctionComponent<P>

상용구(boilerplate) 코드가 없기 때문에 컴포넌트를 간결하게 구현할 수 있다. 클래스 방식보다 선호된다.

구현방법 – function 키워드 방식과 화살표(=>) 함수 방식(익명형 람다?)

export default function App() {
  return <h1>function component</h1>
}
import type {FC} from 'react'

export type ArrowComponentProps = {
  href: string
  text: string
}
const ArrowComponent: FC<ArrowComponentProps> = props => {
  const {href, text} = props // 속성을 this.props가 아니라 함수 매개변수로 얻을 수 있다.
  return (
    <li>
      <a href={href}>
        <p>{text}</p>
      </a>
    </li>
  )
}
export default ArrowComponent

* 타입스크립트에서 타입은 자바스크립트로 컴파일할 때만 필요한 정보이다. 클래스는 자바스크립트로 컴파일되어도 그대로 남는다.

import type {FC} from 'react' // FC는 컴파일되면 사라지는 정보이다.
import {Component} from 'react'

02-4 key와 children 속성 이해하기

key 속성 – 중복되지 않는 키 값 설정

export default function App() {
  const texts = [<p key="1">hello</p>, < key="2">world</p>]
  return <div>{texts}</div>
}
export default function App() {
  const texts = ['hello', 'world'].map((text, index) =>
    <p key={index}>{text}</p>)
  return <div>{texts}</div>
}

* map((item, index) => {} ) 으로 사용가능한 메서드

children 속성 – 자식 요소를 포함할 수 있는 컴포넌트에서만 사용 가능

export default function App() {
  const texts = ['hello', 'world'].map((text, index) =>
    <p key={index} children={texts}/>)
  return <div children={texts} />
}
  
import type {FC, ReactNode} from 'react'

export type PProps = {
  children?: ReactNode
}

const P: FC<PProps> = props => {
  const {children} = props
  return <p children={children} />
}

PropsWithChildren

import type {FC, ReactNode} from 'react'

export type PProps = {
  children?: ReactNode | undefined
}
const P: FC<PProps> = props => {
  return <p {...props} />
}
export default P

02-5 이벤트 속성 이해하기

이벤트 – 사용자 행위가 일어날 때

Event

  • type : 이벤트의 이름. 대소문자 구분X
  • isTrusted : 이벤트가 웹브라우저에서 발생했으면 true, 프로그래밍으로 발생했으면 false
  • target : 이벤트가 처음 발생한 HTML 요소
  • currentTarget : 이벤트의 현재 대상, 이벤트 버블링 중에서 이벤트가 현재 위치한 객체
  • bubbles : 이벤트가 DOM을 타고 버블링될지 여부

addEventListener – 이벤트에 이벤트 처리기를 추가한다.

DOM_객체.addEventListener(이벤트_이름: string, 콜백_함수: (e: Event) => void)

on-이벤트명 메서드 – 가장 마지막에 설정된 콜백 함수를 호출한다.

리액트 프레임워크의 이벤트 속성

소문자로 시작하는 카멜 표기법을 사용 (onClick, onMouseEnter)

콜백함수의 매개변수 e : BaseSyntheticEvent 를 상속받은 SyntheticEvent 타입

interface BaseSyntheticEvent<E = object, C = any, T = any> {
  nativeEvent: E; // 물리 DOM에서 발생하는 Event 타입
  currentTarget: C; // 이벤트를 수신한 DOM 객체
  target: T; // 이벤트를 처음 발생시킨 DOM 객체
  preventDefault(): void; // 브라우저의 기본 동작을 중지
  stopPropagation(): void; // 이벤트 전파를 중지 (event stop propagation)
}

03 컴포넌트 CSS 스타일링

[…은 생략. 굳이 테일윈드까지 책에서??]

답글 남기기

이메일 주소는 공개되지 않습니다. 필수 필드는 *로 표시됩니다