Effect Hook 이란?
- 함수형 컴포넌트에서 사이드 이펙트를 만들 수 있도록 해주는 리액트 훅이다.
useEffect()
와 같은 함수를 이용해 만들 수 있다.- 기본적으로 DOM 리랜더링이 일어날 때마다 사이드 이펙트가 작동하며 컴포넌트가 화면에서 사라지면
return
에 작성해둔clean up
함수가 실행된다. - 두번째 파라미터에 배열로 state 값의 인자를 주면, 해당 값이 바뀌어 리랜더링이 될 때만 사이드 이펙트가 동작한다.
- 기존 클래스형 컴포넌트 라이프 사이클에서
componentDidMount
가 가지던 효과와 비슷하다.
Effect Hook 과거와 현재 비교하기
카운트가 증가할 때마다, useEffect()
의 사이드이펙트에 의해 title
도 함께 수정되는 예제를 작성해본 것이다.
예전의 클래스 컴포넌트를 사용한다면?
class Example extends React.Component {
constructor(props) {
super(props);
this.state = {
count: 0,
};
}
componentDidMount() {
document.title = `You clicked ${this.state.count} times`;
}
componentDidUpdate() {
document.title = `You clicked ${this.state.count} times`;
}
render() {
return (
<div>
<p>You clicked {this.state.count} times</p>
<button onClick={() => this.setState({ count: this.state.count + 1 })}>
Click me
</button>
</div>
);
}
}
함수형 컴포넌트와 Effect Hook 을 사용한다면?
import React, { useState, useEffect } from "react";
function Example() {
const [count, setCount] = useState(0);
// Similar to componentDidMount and componentDidUpdate:
useEffect(() => {
// Update the document title using the browser API
document.title = `You clicked ${count} times`;
});
return (
<div>
<p>You clicked {count} times</p>
<button onClick={() => setCount(count + 1)}>Click me</button>
</div>
);
}
간접적으로 useEffect
는 componentDidMount
와 componentDidUpdate
두개를 합친 역할을 한다는 것을 알 수 있다.
useEffect
는componentDidMount
나componentDidUpdate
와 같이 스크린 업데이트를 블록하지 않으므로, 사용성이 더 좋게 느껴질 수 있다. 왜냐하면 대부분의 effect 는 동기적으로 수행될 필요가 없기 때문이다.
Effect Hook with Cleanup
때때로는 컴포넌트가 마운트될 때, 사이드이펙트가 등록되고 컴포넌트가 언마운트될 때 사이드이펙트가 해제되어야 하는 경우도 있다.
아래는 ChatAPI 를 구독하며 실시간으로 친구의 상태를 관찰하는 컴포넌트의 예제이다. 이 컴포넌트가 unmount
되는 경우에는 구독이 해제되어야 한다.
예전의 클래스 컴포넌트를 사용한다면?
class FriendStatus extends React.Component {
constructor(props) {
super(props);
this.state = { isOnline: null };
this.handleStatusChange = this.handleStatusChange.bind(this);
}
componentDidMount() {
ChatAPI.subscribeToFriendStatus(
this.props.friend.id,
this.handleStatusChange
);
}
componentWillUnmount() {
ChatAPI.unsubscribeFromFriendStatus(
this.props.friend.id,
this.handleStatusChange
);
}
handleStatusChange(status) {
this.setState({
isOnline: status.isOnline,
});
}
render() {
if (this.state.isOnline === null) {
return "Loading...";
}
return this.state.isOnline ? "Online" : "Offline";
}
}
componentDidMount()
와 componentWillUnmount()
라이프사이클을 이용하여 이벤트를 구독하고 구독해지하도록 구성했다.
함수형 컴포넌트의 Effect Hook 을 사용한다면?
import React, { useState, useEffect } from "react";
function FriendStatus(props) {
const [isOnline, setIsOnline] = useState(null);
useEffect(() => {
function handleStatusChange(status) {
setIsOnline(status.isOnline);
}
ChatAPI.subscribeToFriendStatus(props.friend.id, handleStatusChange);
// Specify how to clean up after this effect:
return function cleanup() {
ChatAPI.unsubscribeFromFriendStatus(props.friend.id, handleStatusChange);
};
});
if (isOnline === null) {
return "Loading...";
}
return isOnline ? "Online" : "Offline";
}
useEffect()
콜백 함수 내부에서 cleanup()
콜백 함수를 반환함으로써, 클래스형 컴포넌트의 라이프사이클 중 하나인 componentWillUnmount()
와 같은 역할을 하도록 구성했다.
해당 함수형 컴포넌트가 언마운트 되는 시점에 구독이 해지될 것이다. 또한 리액트는 다음 동작을 수행 전에도 cleanup()
콜백 함수를 실행할 것이다.
Effect Hook 장점
관심사에 대한 분리 가능
class FriendStatusWithCounter extends React.Component {
constructor(props) {
super(props);
this.state = { count: 0, isOnline: null };
this.handleStatusChange = this.handleStatusChange.bind(this);
}
componentDidMount() {
document.title = `You clicked ${this.state.count} times`;
ChatAPI.subscribeToFriendStatus(
this.props.friend.id,
this.handleStatusChange
);
}
componentDidUpdate() {
document.title = `You clicked ${this.state.count} times`;
}
componentWillUnmount() {
ChatAPI.unsubscribeFromFriendStatus(
this.props.friend.id,
this.handleStatusChange
);
}
handleStatusChange(status) {
this.setState({
isOnline: status.isOnline
});
}
클래스형 컴포넌트의 예제는 이벤트 기반이라 코드가 관심사에 따라 나누어졌다고 보기보다는 타이밍에 따라 나누어졌다.
function FriendStatusWithCounter(props) {
const [count, setCount] = useState(0);
useEffect(() => {
document.title = `You clicked ${count} times`;
});
const [isOnline, setIsOnline] = useState(null);
useEffect(() => {
function handleStatusChange(status) {
setIsOnline(status.isOnline);
}
ChatAPI.subscribeToFriendStatus(props.friend.id, handleStatusChange);
return () => {
ChatAPI.unsubscribeFromFriendStatus(props.friend.id, handleStatusChange);
};
});
}
함수형 컴포넌트의 useEffect()
는 여러 개를 관심사에 따라 나눠서 작성할 수 있다.
변화가 있을 때만 사이드 이펙트가 작동하게 만들기 쉽다.
componentDidUpdate(prevProps, prevState) {
if (prevState.count !== this.state.count) {
document.title = `You clicked ${this.state.count} times`;
}
}
클래스형 컴포넌트에서 카운트가 이전 값에서 바뀌었는지 확인하려면 props
를 전달해주어야 한다.
useEffect(() => {
document.title = `You clicked ${count} times`;
}, [count]); // Only re-run the effect if count changes
함수형 컴포넌트 useEffect()
에서는 해당 이펙트를 실행시키기 위해 변화를 관찰할 값을 넣어 dependencies
배열만 조정해주면 된다.
useEffect(() => {
function handleStatusChange(status) {
setIsOnline(status.isOnline);
}
ChatAPI.subscribeToFriendStatus(props.friend.id, handleStatusChange);
return () => {
ChatAPI.unsubscribeFromFriendStatus(props.friend.id, handleStatusChange);
};
}, [props.friend.id]); // Only re-subscribe if props.friend.id changes
위도 같은 예제이다.
실수하기 쉬운 부분
const App = () => {
const [number, setNumber] = useState(0);
useEffect(() => {
console.log("component did mount with useEffect!");
return () => {
console.log("component will unmount");
};
}, [number]);
return (
<div>
<h2>number is {number}</h2>
<button
onClick={() => {
setNumber(number + 1);
}}
>
Increment
</button>
</div>
);
};
위와 같이 코드를 작성하면, 매번 number
가 바뀔 때마다 "component will unmount"
라는 콘솔 로그를 함께 보게될 것이다. 그 이유는 dependencies
때문에 number
값을 관찰하기 때문이다. 마운트, 언마운트 시 한 번만 수행할 작업은 dependencies
를 걸지 않아야 정상동작할 것이다.
레퍼런스
'프론트엔드 > React' 카테고리의 다른 글
리액트 컴포넌트 밖 변수 선언의 의미 (Feat. 리액트에서 절대 하면 안되는 것 1가지) (0) | 2022.10.14 |
---|---|
React 컴포넌트 어떻게 나누고 재사용할 것인가? (0) | 2022.07.24 |
React Hook Form 이 해결하는 문제들과 사용법 (0) | 2022.07.02 |
React Hook Form 소개 (0) | 2022.07.02 |