import { useEffect, useState } from "react";
import "./App.css";
function App() {
const [count, setCount] = useState(0);
useEffect(() => {
const timer = setInterval(() => {
setCount((prev) => prev + 1);
}, 1000);
return () => {
clearInterval(timer);
};
}, []);
return (
<div className="App">
<h1>{count}</h1>
</div>
);
}
export default App;
위 소스는 1초마다 카운트를 1 씩 올려주는 코드입니다.
업데이트 함수인 setState를 사용해서 상태 변경에서는 count 업데이트를 할 수 있지만 props가 변경된 경우에는 타이머 함수가 실행되지 않습니다.
useEffect 두 번째 인자에 빈 배열을 넣어 timer함수를 한 번만 세팅했기 때문입니다.
import { useEffect, useRef, useState } from "react";
import "./App.css";
function App() {
const timerRef = useRef();
const [count, setCount] = useState(0);
const handleCount = () => {
setCount(count + 1);
};
const handleRestart = () => {
if (!timerRef.current) {
timerRef.current = setInterval(handleCount, 1000);
}
};
const handleStop = () => {
if (timerRef.current) {
clearInterval(timerRef.current);
timerRef.current = null;
}
};
useEffect(() => {
timerRef.current = setInterval(handleCount, 1000);
return () => {
clearInterval(timerRef.current);
};
});
return (
<div className="App">
<h1>{count}</h1>
<button onClick={handleRestart}>restart</button>
<button onClick={handleStop}>stop</button>
</div>
);
}
export default App;
timerRef.current에 timer를 저장하여 타이머를 정지하는 stop버튼과 다시 시작하는 restart 버튼을 추가하여 구현하였습니다.