1. 使用React.Fragment #

import React, { Component } from 'react';
import ReactDOM from 'react-dom';
class Users extends React.Component {
  render() {
    return (
      <React.Fragment>
        <div>用户1</div>
        <div>用户2</div>
      </React.Fragment>
    );
  }
}
ReactDOM.render(<Users />, document.querySelector('#root'));

2. 使用 React.Lazy 延迟加载组件 #

import React, { Component,lazy, Suspense } from 'react'
import ReactDOM from 'react-dom';
import Loading from './components/Loading';
const AppTitle  = lazy(()=>import(/* webpackChunkName: "title" */'./components/Title'))

class App extends Component{
    state = {visible:false}
    show = ()=>{
        this.setState({visible:true});
    }
    render() {
        return (
            <>
             {this.state.visible&&(
                 <Suspense fallback={<Loading/>}>
                    <AppTitle/>
                 </Suspense>
             )}
             <button onClick={this.show}>加载</button>
            </>
        )
    }
}
ReactDOM.render(<App />, document.querySelector('#root'));

3. 错误边界(Error Boundaries) #

import React, { Component,lazy, Suspense } from 'react'
import ReactDOM from 'react-dom';
import Loading from './components/Loading';
const AppTitle  = lazy(()=>import(/* webpackChunkName: "title" */'./components/Title'))

class App extends Component{
    state = {visible:false,isError: false}
    show = ()=>{
        this.setState({visible:true});
    }

    static getDerivedStateFromError(error) {
      return { isError: true };
    }

    componentDidCatch (err, info) {
      console.log(err, info)
    }
    render() {
        if (this.state.isError) {
            return (<div>error</div>)
        }
        return (
            <>
             {this.state.visible&&(
                 <Suspense fallback={<Loading/>}>
                    <AppTitle/>
                 </Suspense>
             )}
             <button onClick={this.show}>加载</button>
            </>
        )
    }
}
ReactDOM.render(<App />, document.querySelector('#root'));

4. PureComponent #

3.1 App.js #

import React from 'react';
import {Button,message} from 'antd';
import PureComponent from './PureComponent';
export default class App extends PureComponent{
  state = {
    title:'计数器',
    number:0
  }
  add = ()=>{
    this.setState({number:this.state.number+parseInt(this.amount.value)});
  }
  render(){
    console.log('App render');
    return (
      <div>
        <Title2 title={this.state.title}/>
        <Counter number={this.state.number}/>
        <input ref={inst=>this.amount = inst}/>
        <button onClick={this.add}>+</button>
      </div>
    )
  }
}
class Counter extends PureComponent{
  render(){
    console.log('Counter render');
    return (
     <p>{this.props.number}</p>
    )
  }
}
//类组件可以用继承
class Title extends PureComponent{
  render(){
    console.log('Title render');
    return (
     <p>{this.props.title}</p>
    )
  }
}
//函数组件可以和memo
const Title2 = React.memo(props=>{
  console.log('Title2 render');
  return  <p>{props.title}</p>;
});

//memo的实现
function memo(func){
  class Proxy extends PureComponent{
    render(){
      return func(this.props);
    }
  }
  return Proxy;
}
//memo的另一种实现 接收一个函数组件
function memo2(Func){
  class Proxy extends PureComponent{
    render(){
      return <Func {...this.props}/>
    }
  }
  return Proxy;
}

3.2 PureComponent #

import React from 'react';
function shallowEqual(obj1,obj2){
    if(obj1 === obj2){
        return true;
    }
    if(typeof obj1 != 'object' || obj1 === null ||typeof obj2 != 'object' || obj2 === null ){
        return false;
    }
    let keys1 = Object.keys(obj1);
    let keys2 = Object.keys(obj2);
    if(keys1.length != keys2.length){
        return false;
    }
    for(let key of keys1){
        if(!obj2.hasOwnProperty(key) || obj1[key] !== obj2[key]){
            return false;
        }
    }
    return true;
}
export default class PureComponent extends React.Component{
    isPureReactComponent = true
    shouldComponentUpdate(nextProps,nextState){
        return !shallowEqual(this.props,nextProps)||!shallowEqual(this.state,nextState)
    }
}

5. 长列表优化 #

<!DOCTYPE html>
<html lang="en">
  <head>
    <meta charset="UTF-8" />
    <meta name="viewport" content="width=device-width, initial-scale=1.0" />
    <meta http-equiv="X-UA-Compatible" content="ie=edge" />
    <title>长列表优化</title>
    <style>
    *{
        margin: 0;
        padding: 0;
    }
    ul,li{
        list-style: none;
    }
    </style>
  </head>
  <body>
    <div id="container" style="height:150px;overflow:auto">
      <ul id="list"></ul>
      <div id="content-placeholder"></div>
    </div>
    <script>
      const ITEM_HEIGHT = 30;
      const ITEM_COUNT = 10;

      window.onload = function() {
        const container = document.querySelector("#container");
        const containerHeight = container.clientHeight;
        const list = document.querySelector("#list");
        list.style.height = containerHeight+'px';
        const visibleCount = Math.ceil(containerHeight / ITEM_HEIGHT);
        const placeholder = document.querySelector("#content-placeholder");
        list.appendChild(renderNodes(0, visibleCount));
        placeholder.style.height = (ITEM_COUNT * ITEM_HEIGHT -containerHeight) + "px";
        container.addEventListener("scroll", function() {
          list.style.webkitTransform = `translateY(${container.scrollTop}px)`;
          list.innerHTML = "";
          const firstIndex = Math.floor(container.scrollTop / ITEM_HEIGHT);
          list.appendChild(renderNodes(firstIndex, firstIndex + visibleCount));
        });
      };

      function renderNodes(from, to) {
        const fragment = document.createDocumentFragment();
        for (let i = from; i < to; i++) {
          const el = document.createElement("li");
          el.style.height='30px';
          el.innerHTML = i + 1;
          fragment.appendChild(el);
        }
        return fragment;
      }
    </script>
  </body>
</html>

import React, { Component, lazy, Suspense } from "react";
import ReactDOM from "react-dom";
import { FixedSizeList as List } from 'react-window';

const Row = ({ index, style }) => (
  <div style={style}>Row {index}</div>
);

const Container = () => (
  <List
    height={150}
    itemCount={1000}
    itemSize={35}
    width={300}
  >
    {Row}
  </List>
);
ReactDOM.render(<Container/>, document.querySelector("#root"));

import React, { Component, lazy, Suspense } from "react";
import ReactDOM from "react-dom";
//import { FixedSizeList as List } from 'react-window';
class List extends React.Component{
    state = {start:1}
    constructor(){
        super();
        this.containerRef = React.createRef();
    }
    componentDidMount(){
        this.containerRef.current.addEventListener('scroll',()=>{
            let scrollTop = this.containerRef.current.scrollTop;
            let start = Math.floor(scrollTop/this.props.itemSize);//起始的索引
            this.setState({start});
        });
    }
    render(){
        let {width,height,itemCount,itemSize} = this.props;
        let containerStyle = {height,width,position:'relative',border:'1px solid red',overflow:'auto'};
        let itemStyle = {height:itemSize,width:'100%',position:'absolute',left:0,top:0};
        let render = this.props.children;
        let children = [];
        let size = Math.floor(height/itemSize)+1;//每页的条数
        for(let index=this.state.start;index<=this.state.start+size;index++){
            let style = {...itemStyle,top:(index-1)*itemSize};
            children.push(render({index,style}));
        }
        let topStyle = {width:'100%',height:itemSize*this.start};
        return (
            <div style={containerStyle} ref={this.containerRef}>
                <div style={{width:'100%',height:itemSize*itemCount}}>
                    {children}
                </div>
            </div>
        )
    }
}
const Row = ({ index, style }) => (
  <div key={index} style={style}>Row{index}</div>
);

const Container = () => (
  <List
    height={150}
    itemCount={100}
    itemSize={30}
    width={300}
  >
    {Row}
  </List>
);
ReactDOM.render(<Container/>, document.querySelector("#root"));

6. react devtool #