Notice
Recent Posts
Recent Comments
Link
일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
1 | 2 | 3 | 4 | |||
5 | 6 | 7 | 8 | 9 | 10 | 11 |
12 | 13 | 14 | 15 | 16 | 17 | 18 |
19 | 20 | 21 | 22 | 23 | 24 | 25 |
26 | 27 | 28 | 29 | 30 | 31 |
Tags
- cpu
- BFS
- computerscience
- nodejs
- LinkSnap
- 야놀자
- CS
- github
- 코딩테스트
- html/css/js
- 자바스크립트
- git
- CSS
- Javascript
- 국비지원취업
- 백준
- 패스트캠퍼스
- DFS
- 프론트엔드개발자
- 컴퓨터과학
- 국비지원
- KAKAO
- 그리디
- 부트캠프
- 코테
- 너비우선탐색
- 컴퓨터공학
- js
- 알고리즘
- 호이스팅
Archives
- Today
- Total
My Boundary As Much As I Experienced
클래스형 컴포넌트 vs 함수형 컴포넌트 본문
클래스형 컴포넌트
import { Component } from 'react';
export default class MyComponent extends Component {
constructor(props) {
super(props);
this.handleClick = this.handleClick.bind(this);
this.state = {
count: 0,
};
}
handleClick() {
this.setState({ count: this.state.count + 1 });
}
render() {
const { count } = this.state;
return (
<div>
<div>{count}</div>
<button onClick={this.handleClick}>클릭해보세요!</button>
</div>
);
}
}
- react 라이브러리에서 제공하는 Component를 import 받아와서 상속 관계를 맺어주었음.
- 따라서, react에서 만든 Component라는 class의 프로터피와 메서드를 사용할 수 있다.
- super는 class의 constructor에서 부모의 constructor 메서드를 실행시킨다.
- 만약 생략하면 constructor() {} 가 자동으로 생성되며, 자식 클래스에서 생략하면 constructor(...args) { super(...args) } 가 암묵적으로 생성되기 때문에 생략도 가능하다.
- 자식 클래스에서는, constructor에 인스턴스 프로퍼티를 사용하기 위해서 this를 사용해야 하는데, this를 사용하기 전 항상 super 키워드를 붙여 주도록 되어있다. ECMAScript에서 고정시켜두었음.
- 여기서 super(props) 를 넘기는데 이는 React.Component에 그렇게 하도록 되어있기 때문이다.
- render 메서드 선언
- class 컴포넌트는 반드시 render 메서드가 존재해야 하고, 렌더링 하고 싶은 jsx를 return 하면 된다.
- return 문 안에는 button에 onClick이 있고, 클릭 시 실행되는 handleClick이 () 실행문이 붙지 않은 상태로 함수 자체를 넘겨주고 있다.
함수형 컴포넌트
import { useState } from 'react';
export default function MyComponent(props) {
const [count, setCount] = useState(0);
const handleClick = () => {
setCount(count + 1);
};
return (
<div>
<div>{count}</div>
<button onClick={handleClick}>클릭해보세요!</button>
</div>
);
}
- return 문 안에는 jsx가 사용되었다.
- onClick에는 여전히 () 실행하는 것이 아닌 선언되어 있는 함수 자체가 반환되었다. react 내부적으로 어디에선가 실행될 것이다.
- 함수 내부에 값으로 선언된 함수이기 때문에 this를 붙여서 넘겨줄 필요가 없다.
'FrontEnd > React' 카테고리의 다른 글
React) 메모이제이션 (0) | 2023.10.17 |
---|---|
React) Key Props를 사용하는 이유 (0) | 2023.10.17 |
React의 Props Drilling (0) | 2023.10.10 |
리액트 훅(React Hook)이란 (0) | 2023.10.05 |
리액트의 라이프 사이클 (0) | 2023.09.12 |