实现一个组件,需求如下:
第一步,实现点击按钮卸载组件
因为render调用次数是n+1,每次更新都会重新渲染,所以定时器不适合写在render里面
render有个兄弟事件,在组件挂载到实例完成时调用,且只调用一次
一个新的错误,组件卸载之后还有数据在更新状态
第三步,点击按钮进行定时器清除,防止还在更新组件状态
第四步,在react组件将要卸载的时候自动帮忙卸载定时器。
生命周期就是在一些关键时间点去做有些事,react生命周期就是在一些关键时间去调用一些特殊函数。
react生命周期有这些同名:
案例,使用生命周期方法:componentDidMount
class MyComponent extends React.Component {
constructor(props) {
super(props);
this.state = {
activeUsers: null
};
}
componentDidMount() {
setTimeout( () => {
this.setState({
activeUsers: 1274
});
}, 2500);
}
render() {
return (
<div>
<h1>Active Users: { this.state.activeUsers }</h1>
</div>
);
}
};
案例,在react生命周期使用事件监听addEventListener()来实现键盘回车功能
class MyComponent extends React.Component {
constructor(props) {
super(props);
this.state = {
message: ''
};
this.handleEnter = this.handleEnter.bind(this);
this.handleKeyPress = this.handleKeyPress.bind(this);
}
// change code below this line
componentDidMount() {
document.addEventListener("keydown", this.handleKeyPress)
}
componentWillUnmount() {
document.removeEventListener("keydown", this.handleKeyPress)
}
// change code above this line
handleEnter() {
this.setState({
message: this.state.message + 'You pressed the enter key! '
});
}
handleKeyPress(event) {
if (event.keyCode === 13) {
this.handleEnter();
}
}
render() {
return (
<div>
<h1>{this.state.message}</h1>
</div>
);
}
};
实现按下enter键,在页面上显示字符串
案例3
React:使用生命周期方法管理更新
另一个生命周期方法是componentWillReceiveProps(),只要组件将要接收新的 props 就会调用它。此方法接收新的 props(通常写为nextProps)作为参数。你可以使用此参数并与this.props进行比较,并在组件更新之前执行操作。
class Dialog extends React.Component {
constructor(props) {
super(props);
}
componentWillUpdate() {
console.log('Component is about to update...');
}
// change code below this line
componentWillReceiveProps(nextProps){
console.log('componentWillReceiveProps:',nextProps,this.props)
}
componentDidUpdate(value1,value2){
console.log('componentWillUpdate:',value1,value2)
}
// change code above this line
render() {
return <h1>{this.props.message}</h1>
}
};
class Controller extends React.Component {
constructor(props) {
super(props);
this.state = {
message: 'First Message'
};
this.changeMessage = this.changeMessage.bind(this);
}
changeMessage() {
this.setState({
message: 'Second Message'
});
}
render() {
return (
<div>
<button onClick={this.changeMessage}>Update</button>
<Dialog message={this.state.message}/>
</div>
);
}
};
点击按钮后: