在整个流程上的优化
<Com1 action={()=>doSomething()}/>
尽量把style提到组件之外,不要直接写在JSX里面。因为如果style里直接定义样式对象,会导致组件每次渲染都要创建一个新的style对象。
// bad
render(){
return (<div style={{color: 'red'}}>hello</div>)
}
// good
const style = {color: 'red'}
...
render(){
return (<div>hello</div>)
}
函数组件可以利用React.memo
实现shouldComponentUpdate
优化,同样是浅比较。
利用shouldComponentUpdate
优化更新条件
适当时使用React.PureComponent
,其自带shouldComponentUpdate
优化,会对props进行浅比较。
const MyComponent = React.memo(props => {
/* render using props */
return (
<div>{props.name}</div>
);
});
函数组件可以利用React.memo实现shouldComponentUpdate优化,同样是浅比较。
class Comp extends React.Component {
render(){
return (<div>{this.props.name}</div>)
}
}
利用useMemo
缓存复杂计算的值,利用useCallback
缓存函数
// useMemo
// 使用useMemo来执行昂贵的计算,然后将计算值返回,并且将count作为依赖值传递进去。
// 这样,就只会在count改变的时候触发expensive执行,在修改val的时候,返回上一次缓存的值。
export default function WithMemo() {
const [count, setCount] = useState(1);
const [val, setValue] = useState('');
const expensive = useMemo(() => {
console.log('compute');
let sum = 0;
for (let i = 0; i < count * 100; i++) {
sum += i;
}
return sum;
}, [count]);
return <div>
<h4>{count}-{expensive}</h4>
{val}
<div>
<button onClick={() => setCount(count + 1)}>+c1</button>
<input value={val} onChange={event => setValue(event.target.value)}/>
</div>
</div>;
}
// useCallback
// 借助useCallback来返回函数,然后把这个函数作为props传递给子组件;
// 这样,子组件就能避免不必要的更新。
import React, { useState, useCallback, useEffect } from 'react';
function Parent() {
const [count, setCount] = useState(1);
const [val, setVal] = useState('');
const callback = useCallback(() => {
return count;
}, [count]);
return <div>
<h4>{count}</h4>
<Child callback={callback}/>
<div>
<button onClick={() => setCount(count + 1)}>+</button>
<input value={val} onChange={event => setVal(event.target.value)}/>
</div>
</div>;
}
function Child({ callback }) {
const [count, setCount] = useState(() => callback());
useEffect(() => {
setCount(callback());
}, [callback]);
return <div>
{count}
</div>
}
React官方建议把state当作不可变对象。当组件的状态都是不可变对象时,shouldComponentUpdate
只需浅比较就可以判断状态是否真的改变,从而避免不必要的render调用。
状态类型是array,创建新的数组返回(concat, slice, filter, map 会返回一个新数组):
// add
this.setState({
books: [...preState.books, 'New book']
})
// remove
this.setState({
books: preState.books.slice(1, 3)
})
// filter
this.setState({
books: preState.books.filter(item=>item !== 'React)
})
状态类型是不可变类型 - number, string, boolean, null, undefined
状态类型是object,创建新的对象返回(Object.assign,对象扩展语法,或者Immutable库)
this.setState({
owner: Object.assgin({}, preState.owner, {name: 'Jason'})
})
this.setState({
owner: {...preState.owner, name: 'Jason'}
})