美文网首页
react-native性能优化的考虑

react-native性能优化的考虑

作者: Kris_lee | 来源:发表于2017-06-04 21:53 被阅读198次

性能优化的学习

React Component的性能考虑

1 createClass 和 extends React.component

es5的写法 。。。es6的写法。没有绝对的性能好坏之分,只不过createClass支持定义PureRenderMixin,这种写法官方已经不再推荐,而是建议使用PureComponent。

2 Component 和 PureComponent

shouldComponentUpdate(nextProps,nextState){ if(this.state.disenter !== nextState.disenter){ return true } return false; }
shouldComponentUpdate通过判断 state.disenter是否发生变化来决定需不需要重新渲染组件,当然在组件中加上这种简单判断,显得有些多余和样板化,于是React就提供了PureComponent来自动帮我们做这件事。这样就不需要手动来写shouldComponentUpdate了。

class CounterButton extends React.PureComponent {
constructor(props) {
super(props); this.state = {count: 1}; }

render() {
return (
<button color={this.props.color} onClick={() => this.setState(state => ({count: state.count + 1}))}> Count: {this.state.count} </button>
); } }
大多数请客下,我们使用PureComponent能够简化代码,并且提高性能,但是PureComponent的自动为我们添加的shouldComponentUpdate,只是对props和state进行浅比较。

当props或者state本身是嵌套对象或者数组等时,浅比较并不能得到预期的结果。这会导致实际 的props和state发生了变化,但组件却没有更新的问题。

例如:
class WordAdder extends React.Component {
constructor(props) {
super(props);
this.state = {
words: ['marklar']
}; this.handleClick = this.handleClick.bind(this); }

handleClick() {
// 这个地方导致了bug
const words = this.state.words;
words.push('marklar');
this.setState({words: words}); }
这种情况下,PureComponent只会对this.props.words进行一次浅比较,虽然数组里面新增了元素,但是this.props.words与nextProps.words指向的仍是同一个数组,因此this.props.words !== nextProps.words 返回的便是flase,从而导致ListOfWords组件没有重新渲染,笔者之前就因为对此不太了解,而随意使用PureComponent,导致state发生变化,而视图就是不更新,调了好久找不到原因。
最简单避免上述情况的方式,就是避免使用可变对象作为props和state,取而代之的是每次返回一个全新的对象,如下通过concat来返回新的数组:

handleClick(){
 this.setState(prevState=>({
    disenter:prevState.disenter.concat(['nothing'])
}))}

可以考虑使用immutable.js来创建不可变对象,通过它来简化对象比较,提高性能,这里还要提到的一点是虽然这里使用Pure这个词,但是PureComponent并不是纯的,因为对于纯的函数或组件应该是没有内部状态,对于stateless component更符合纯的定义。

3 Component 和 Stateless Functional component

createClass Component PureComponent都是通过创建包含状态和用户交互的复杂组件,当组件本身只是用来展示,所有数据都是通过props传入的时候,我们可以使用Stateless Functional component来快速创建组件,

const DAY =({
    min,
    second,     
})=>{
    return(
        <View>
            <Text>{min}:{second}</Text>
        </View>
    )
}

这种组件,没有自身的状态,相同的props输入,必然会获得完全相同的组件展示,因为不需要关心组件的一些生命周期函数和渲染的钩子。让代码显得更加简洁。

总结:在平时的开发的时候,多考虑React的生命周期

eg:

class LifeCycle extends React.Component {
constructor(props) { super(props); alert("Initial render"); alert("constructor"); this.state = {str: "hello"}; }

componentWillMount() {
    alert("componentWillMount");
}

componentDidMount() {
    alert("componentDidMount");
}

componentWillReceiveProps(nextProps) {
    alert("componentWillReceiveProps");
}

shouldComponentUpdate() {
    alert("shouldComponentUpdate");
    return true;        // 记得要返回true
}

componentWillUpdate() {
    alert("componentWillUpdate");
}

componentDidUpdate() {
    alert("componentDidUpdate");
}

componentWillUnmount() {
    alert("componentWillUnmount");
}

setTheState() {
    let s = "hello";
    if (this.state.str === s) {
        s = "HELLO";
    }
    this.setState({
        str: s
    });
}

forceItUpdate() {
    this.forceUpdate();
}

render() {
    alert("render");
    return(
        <div>
            <span>{"Props:"}<h2>{parseInt(this.props.num)}</h2></span>
            <br />
            <span>{"State:"}<h2>{this.state.str}</h2></span>
        </div>
    );
}

}

class Container extends React.Component { constructor(props) { super(props); this.state = { num: Math.random() * 100 };
}

propsChange() {
    this.setState({
        num: Math.random() * 100
    });
}

setLifeCycleState() {
    this.refs.rLifeCycle.setTheState();
}

forceLifeCycleUpdate() {
    this.refs.rLifeCycle.forceItUpdate();
}

unmountLifeCycle() {
    // 这里卸载父组件也会导致卸载子组件
    React.unmountComponentAtNode(document.getElementById("container"));
}

parentForceUpdate() {
    this.forceUpdate();
}

render() {
    return (
        <div>
            <a href="javascript:;" className="weui_btn weui_btn_primary" onClick={this.propsChange.bind(this)}>propsChange</a>
            <a href="javascript:;" className="weui_btn weui_btn_primary" onClick={this.setLifeCycleState.bind(this)}>setState</a>
            <a href="javascript:;" className="weui_btn weui_btn_primary" onClick={this.forceLifeCycleUpdate.bind(this)}>forceUpdate</a>
            <a href="javascript:;" className="weui_btn weui_btn_primary" onClick={this.unmountLifeCycle.bind(this)}>unmount</a>
            <a href="javascript:;" className="weui_btn weui_btn_primary" onClick={this.parentForceUpdate.bind(this)}>parentForceUpdateWithoutChange</a>
            <LifeCycle ref="rLifeCycle" num={this.state.num}></LifeCycle>
        </div>
    );
}

}

ReactDom.render( <Container></Container>, document.getElementById('container') );

运行该例子,可以发现生活周期的运行顺序为:

initial render---
constructor----
componentWillMount----
render---
componentDidMount----
render

初始状态下,加载页面所走的流程。

(propsChange)
componentWillReceiveProps
shouldComponentUpdate
componentWillUpdate
render
componentDidUpdate

属性的改变。所走的生命周期

(setState)
shouldComponentUpdate
componentWillUpdate
render
componentDidUpdate

这是我们在平时开发中,正常会使用state来更改渲染

(forceUpdate)
componentWillUpdate
render
componentDidUpdate

当我们开发中出现不渲染的情况,可以使用forceUpdate。因为在shouldComponentUpdate正常来说,是返回为true,当前state,和nextState,或者当前props和nextProps的时候,会因为state,props嵌套在数组或对象中,而指向同一个数组或对象,这时候,可以使用forceUpdate, 即:-->组件不走‘shouldComponentUpdate’

(unmount)
componentWillUnmount

卸载。通常有定时器或者监听的时候需要在此方法内卸载。

(parentForceUpdateWithoutChange)
componentWillReceiveProps
shouldComponentUpdate
componentWillUpdate
render
componentDidUpdate


相关文章

  • react-native性能优化的考虑

    性能优化的学习 React Component的性能考虑 1 createClass 和 extends Reac...

  • React Native 知识点整理

    2018.5.2更新:React-Native通用化建设与性能优化:https://ivweb.io/topic/...

  • web前端开发编码规范及性能优化

    代码优化 这个部分仅仅将代码优化本身,不考虑性能,关于代码部分的性能优化在 页面渲染 部分 代码优化 中 HTML...

  • 简述http缓存

    简介 网站性能第一优化定律:优先考虑使用缓存优化性能。合理的使用缓存,对网站的性能优化的意义重大。以下对于缓存,都...

  • Nginx性能优化

    1.性能优化概述 基于Nginx性能优化,我们将分为如下⼏个⽅⾯来做介绍1.⾸先我们需要了解性能优化要考虑哪些⽅⾯...

  • App页面性能优化 -- Core Animation篇

    写在前面 什么时候需要考虑页面性能问题 如何进行页面性能评估 如何具体实施性能优化 PS: 任何提前优化都是魔鬼 ...

  • Android知识点总结

    面试会被问到;性能优化往哪些方面考虑?内存优化?布局优化?Listview优化?webview与html5 js...

  • react-native性能优化

    使用React Native替代基于WebView的框架来开发App的一个强有力的理由,就是为了使App可以达到每...

  • react-native 性能优化

    什么样的app才是一个优秀的app呢? 安装包的体积小 启动速度快 使用流畅、不卡顿 用户交互友好 报错或者闪退次...

  • react-native 性能优化

    拆包优化网络优化列表优化

网友评论

      本文标题:react-native性能优化的考虑

      本文链接:https://www.haomeiwen.com/subject/xeebfxtx.html