公式によれば、componentWillUnmount()
メソッドは、DOMから削除されるときに呼び出されるものとされています。
ここでいう「DOMから削除される」という意味についての質問です。
下記コードのAppコンポーネントは60秒のタイマーを実行するものですが、componentWillUnmount()
メソッド内のclearInterval
関数は、具体的にはどういったタイミングで実行されているのでしょうか?
タイマー自体は見た目上削除されているわけではないので、「コンポーネントがDOMから削除される」ということの意味がよく分からない状態です。
初歩的な質問ですが、ご教授いただけると幸いです。
tsx
1import React, { Component } from 'react'; 2import { Button, Card, Icon, Statistic } from 'semantic-ui-react'; 3 4import './App.css'; 5 6const LIMIT = 60; 7 8interface AppState { 9 timeLeft: number; 10} 11 12class App extends Component<{}, AppState> { 13 timerId?: NodeJS.Timer; 14 15 constructor(props: {}) { 16 super(props); 17 this.state = { timeLeft: LIMIT }; 18 } 19 20 reset = () => { 21 this.setState({ timeLeft: LIMIT }); 22 }; 23 24 tick = () => { 25 this.setState(prevState => ({ timeLeft: prevState.timeLeft - 1 })); 26 }; 27 28 componentDidMount = () => { 29 this.timerId = setInterval(this.tick, 1000); 30 }; 31 32 componentDidUpdate = () => { 33 const { timeLeft } = this.state; 34 if (timeLeft === 0) { 35 this.reset(); 36 } 37 }; 38 39 componentWillUnmount = () => { 40 clearInterval(this.timerId as NodeJS.Timer); 41 }; 42 43 render() { 44 const { timeLeft } = this.state; 45 46 return ( 47 <div className="container"> 48 <header> 49 <h1>タイマー</h1> 50 </header> 51 <Card> 52 <Statistic className="number-board"> 53 <Statistic.Label>time</Statistic.Label> 54 <Statistic.Value>{timeLeft}</Statistic.Value> 55 </Statistic> 56 <Card.Content> 57 <Button color="red" fluid onClick={this.reset}> 58 <Icon name="redo" /> 59 Reset 60 </Button> 61 </Card.Content> 62 </Card> 63 </div> 64 ); 65 } 66} 67 68export default App; 69 70
あなたの回答
tips
プレビュー