On each question component, I am trying to clear the time out. So on componentWillMount()
I will start the timer and then on componentDidUpdate()
I will clear the timeout. The timer does not seem to be working.After the timer expires I will push the user back to the home page. Any idea why the using clearTimeout()
isnt working?
class Questions extends Component {
constructor(props){
super(props);
this.state ={
error: false,
position: null,
redirect: false
}
this.error = this.error.bind(this);
this.errorFalse = this.errorFalse.bind(this);
this.timer = this.timer.bind(this);
}
timer=()=>{
setTimeout(() => {
console.log('this ran')
this.setState({
redirect: true
})
}, 5000)
}
componentWillMount(){
this.setState({
error: false
})
this.timer();
}
componentDidUpdate(prevProps, prevState, snapshot, timer){
console.log('updated')
clearTimeout(this.timer);
}
When you use setTimeout()
it returns a timeoutID
, which you use to clear the timeout.
To use it in your component, you need to store the timeoutID
that was returned from the timer
method:
class Questions extends Component {
constructor(props) {
super(props)
this.state = {
error: false,
position: null,
redirect: false
}
this.error = this.error.bind(this);
this.errorFalse = this.errorFalse.bind(this);
// this.timer = this.timer.bind(this); // don't bind an arrow function
}
timer = () => setTimeout(() => { // return the timeoutID
console.log('this ran')
this.setState({
redirect: true
})
}, 5000);
componentWillMount() {
this.setState({
error: false
})
this.timeoutID = this.timer(); // cache the timeoutID
}
componentDidUpdate(prevProps, prevState, snapshot, timer) {
console.log('updated')
clearTimeout(this.timeoutID); // clear the timeoutID
}