最新 React 的生命周期
生命周期方法介绍
constructor(props)
constructor(props) {
super(props);
// Don't call this.setState() here!
this.state = { counter: 0 };
this.handleClick = this.handleClick.bind(this);
}
React组件的构造方法,函数中主要完成对state的初始化,以及绑定事件处理的方法。
static getDerivedStateFromProps(props, state)
该方法当属性改变或者状态改变时都会触发,不建议使用异步处理获取数据,应为一个纯函数,返回值是一个state对象
componentWillMount()
在组件挂载之前调用且整个组件生命周期中只调用一次
该方法中可以执行setState,且不会触发重新渲染。
该生命周期在React v16.3 废弃,将在v17 之后彻底弃用,可以替换为 UNSAFE_componentWillMount(),当static getDerivedStateFromProps(),getSnapshotBeforeUpdate() 生命周期存在时,该方法将不起作用
render()
reander 是必须定义的一个生命周期,渲染dom,在该方法中不可直接执行setState。
componentDidMount()
在组件挂载之后调用且整个组件生命周期中只调用一次
该方法中可以发起异步请求,可以执行setState
该方法可以使用refs获取真实dom元素,进行dom相关操作
componentWillReceiveProps(nextProps)
当组件props发生变化时或者父组件重新渲染时触发
该方法中可通过参数nextProps获取变化后的props,可通过this.props访问变化之前的props。
该方法中可以执行setState
该生命周期在React v16.3 废弃,将在v17 之后彻底弃用,可以替换为 UNSAFE_componentWillReceiveProps(),当static getDerivedStateFromProps(),getSnapshotBeforeUpdate() 生命周期存在时,该方法将不起作用
shouldComponentUpdate(nextProps, nextState)
当组件重新渲染时会触发
该方法返回true或者false,当返回true进行重新渲染,当返回false时将阻止重新渲染
该方法可用来优化组件,通过判断true or false, 减少组件的重复渲染
componentWillUpdate()
组件更新之前当shouldComponentUpdate方法返回true时调用
该方法中不可执行setState
该生命周期在React v16.3 废弃,将在v17 之后彻底弃用,可以替换为 UNSAFE_componentWillUpdate(),当static getDerivedStateFromProps(),getSnapshotBeforeUpdate() 生命周期存在时,该方法将不起作用
getSnapshotBeforeUpdate(prevProps, prevState)
class ScrollingList extends React.Component {
constructor(props) {
super(props);
this.listRef = React.createRef();
}
getSnapshotBeforeUpdate(prevProps, prevState) {
// Are we adding new items to the list?
// Capture the scroll position so we can adjust scroll later.
if (prevProps.list.length < this.props.list.length) {
const list = this.listRef.current;
return list.scrollHeight - list.scrollTop;
}
return null;
}
componentDidUpdate(prevProps, prevState, snapshot) {
// If we have a snapshot value, we've just added new items.
// Adjust scroll so these new items don't push the old ones out of view.
// (snapshot here is the value returned from getSnapshotBeforeUpdate)
if (snapshot !== null) {
const list = this.listRef.current;
list.scrollTop = list.scrollHeight - snapshot;
}
}
render() {
return (
<div ref={this.listRef}>{/* ...contents... */}</div>
);
}
}
componentDidUpdate(prevProps, prevState, snapshot)
组件更新之后调用,和componentDidMount类似
componentWillUnmount()
组件将被销毁时触发
该方法中可以进行清理操作。