setState更新完成后可以执行函数吗?

Can I execute a function after setState is finished updating?

我是 ReactJS 的新手(今天才开始)。我不太明白 setState 是如何工作的。我正在结合 React 和 Easel JS 来根据用户输入绘制网格。这是我的 JS bin: http://jsbin.com/zatula/edit?js,output

代码如下:

    var stage;
   
    var Grid = React.createClass({
        getInitialState: function() {
            return {
                rows: 10,
                cols: 10
            }
        },
        componentDidMount: function () {
            this.drawGrid();
        },
        drawGrid: function() {
            stage = new createjs.Stage("canvas");
            var rectangles = [];
            var rectangle;
            //Rows
            for (var x = 0; x < this.state.rows; x++)
            {
                // Columns
                for (var y = 0; y < this.state.cols; y++)
                {
                    var color = "Green";
                    rectangle = new createjs.Shape();
                    rectangle.graphics.beginFill(color);
                    rectangle.graphics.drawRect(0, 0, 32, 44);
                    rectangle.x = x * 33;
                    rectangle.y = y * 45;

                    stage.addChild(rectangle);

                    var id = rectangle.x + "_" + rectangle.y;
                    rectangles[id] = rectangle;
                }
            }
            stage.update();
        },
        updateNumRows: function(event) {
            this.setState({ rows: event.target.value });
            this.drawGrid();
        },
        updateNumCols: function(event) {
            this.setState({ cols: event.target.value });
            this.drawGrid();
        },
        render: function() {
            return (
                <div>
                    <div className="canvas-wrapper">
                        <canvas id="canvas" width="400" height="500"></canvas>
                        <p>Rows: { this.state.rows }</p>
                        <p>Columns: {this.state.cols }</p>
                    </div>
                    <div className="array-form">
                        <form>
                            <label>Number of Rows</label>
                            <select id="numRows" value={this.state.rows} onChange={ this.updateNumRows }>
                                <option value="1">1</option>
                                <option value="2">2</option>
                                <option value ="5">5</option>
                                <option value="10">10</option>
                                <option value="12">12</option>
                                <option value="15">15</option>
                                <option value="20">20</option>
                            </select>
                            <label>Number of Columns</label>
                            <select id="numCols" value={this.state.cols} onChange={ this.updateNumCols }>
                                <option value="1">1</option>
                                <option value="2">2</option>
                                <option value="5">5</option>
                                <option value="10">10</option>
                                <option value="12">12</option>
                                <option value="15">15</option>
                                <option value="20">20</option>
                            </select>
                        </form>
                    </div>    
                </div>
            );
        }
    });
    ReactDOM.render(
        <Grid />,
        document.getElementById("container")
    );

您可以在 JSbin 中看到,当您使用其中一个下拉菜单更改行数或列数时,第一次不会发生任何事情。下次您更改下拉值时,网格将绘制到先前状态的行和列值。我猜这是因为我的 this.drawGrid() 函数在 setState 完成之前执行。也许还有其他原因?

感谢您的宝贵时间和帮助!

render 将在每次 setState 到 re-render 组件发生更改时被调用。如果您将调用移到 drawGrid 那里而不是在您的 update* 方法中调用它,您应该没有问题。

如果这对您不起作用,还有一个 setState 的重载,它将回调作为第二个参数。你应该能够利用它作为最后的手段。

当接收到新的 props 或状态时(比如你在这里调用 setState),React 将调用一些函数,这些函数被称为 componentWillUpdatecomponentDidUpdate

在你的情况下,只需添加一个 componentDidUpdate 函数来调用 this.drawGrid()

这里是 JS Bin

中的工作代码

正如我提到的,在代码中,componentDidUpdate 将在 this.setState(...)

之后被调用

然后componentDidUpdate里面要调用this.drawGrid()

详细了解 React 中的组件 生命周期 https://facebook.github.io/react/docs/component-specs.html#updating-componentwillupdate

setState(updater[, callback]) 是一个异步函数:

https://facebook.github.io/react/docs/react-component.html#setstate

您可以在 setState 完成后使用第二个参数 callback 执行函数,例如:

this.setState({
    someState: obj
}, () => {
    this.afterSetStateFinished();
});

React 函数式组件中的 hooks 也可以这样做:

https://github.com/the-road-to-learn-react/use-state-with-callback#usage

看看useStateWithCallbackLazy:

import { useStateWithCallbackLazy } from 'use-state-with-callback';

const [count, setCount] = useStateWithCallbackLazy(0);

setCount(count + 1, () => {
   afterSetCountFinished();
});

制作setStatereturn一个Promise

除了将 callback 传递给 setState() 方法外,您还可以将其包装在 async 函数周围并使用 then() 方法——在某些情况下可能会产生更清晰的代码:

(async () => new Promise(resolve => this.setState({dummy: true}), resolve)()
    .then(() => { console.log('state:', this.state) });

在这里你可以更进一步,制作一个可重用的 setState 函数,我认为它比上面的版本更好:

const promiseState = async state =>
    new Promise(resolve => this.setState(state, resolve));

promiseState({...})
    .then(() => promiseState({...})
    .then(() => {
        ...  // other code
        return promiseState({...});
    })
    .then(() => {...});

这在 React 16.4 中工作正常,但我还没有在 React 的早期版本中测试它。

还值得一提的是,将 回调 代码保留在 componentDidUpdate 方法中在大多数情况下都是更好的做法 - 可能是所有情况。

在 React 16.8 及更高版本中使用 hooks,使用 useEffect

可以轻松做到这一点

我创建了一个 CodeSandbox 来演示这一点。

useEffect(() => {
  // code to be run when state variables in
  // dependency array changes
}, [stateVariables, thatShould, triggerChange])

基本上,useEffect 与状态变化同步,这可用于渲染 canvas

import React, { useState, useEffect, useRef } from "react";
import { Stage, Shape } from "@createjs/easeljs";
import "./styles.css";

export default function App() {
  const [rows, setRows] = useState(10);
  const [columns, setColumns] = useState(10);
  let stage = useRef()

  useEffect(() => {
    stage.current = new Stage("canvas");
    var rectangles = [];
    var rectangle;
    //Rows
    for (var x = 0; x < rows; x++) {
      // Columns
      for (var y = 0; y < columns; y++) {
        var color = "Green";
        rectangle = new Shape();
        rectangle.graphics.beginFill(color);
        rectangle.graphics.drawRect(0, 0, 32, 44);
        rectangle.x = y * 33;
        rectangle.y = x * 45;

        stage.current.addChild(rectangle);

        var id = rectangle.x + "_" + rectangle.y;
        rectangles[id] = rectangle;
      }
    }
    stage.current.update();
  }, [rows, columns]);

  return (
    <div>
      <div className="canvas-wrapper">
        <canvas id="canvas" width="400" height="300"></canvas>
        <p>Rows: {rows}</p>
        <p>Columns: {columns}</p>
      </div>
      <div className="array-form">
        <form>
          <label>Number of Rows</label>
          <select
            id="numRows"
            value={rows}
            onChange={(e) => setRows(e.target.value)}
          >
            {getOptions()}
          </select>
          <label>Number of Columns</label>
          <select
            id="numCols"
            value={columns}
            onChange={(e) => setColumns(e.target.value)}
          >
            {getOptions()}
          </select>
        </form>
      </div>
    </div>
  );
}

const getOptions = () => {
  const options = [1, 2, 5, 10, 12, 15, 20];
  return (
    <>
      {options.map((option) => (
        <option key={option} value={option}>
          {option}
        </option>
      ))}
    </>
  );
};

我必须在更新状态后 运行 一些功能,而不是在每次更新状态时。
我的场景:

const [state, setState] = useState({
        matrix: Array(9).fill(null),
        xIsNext: true,
    });

...
...

setState({
    matrix: squares,
    xIsNext: !state.xIsNext,
})
sendUpdatedStateToServer(state);

这里sendUpdatedStateToServer()是更新状态后运行需要的函数。 我不想使用 useEffect() 因为我不想在每次状态更新后 运行 sendUpdatedStateToServer()

对我有用的:

const [state, setState] = useState({
        matrix: Array(9).fill(null),
        xIsNext: true,
    });

...
...
const newObj = {
    matrix: squares,
    xIsNext: !state.xIsNext,
}
setState(newObj);
sendUpdatedStateToServer(newObj);

我刚刚创建了一个新对象,该对象在状态更新后 运行 函数需要,并简单地使用了它。这里 setState 函数将继续更新状态,sendUpdatedStateToServer() 将接收更新后的状态,这正是我想要的。

这是一个更好的实现

import * as React from "react";

const randomString = () => Math.random().toString(36).substr(2, 9);

const useStateWithCallbackLazy = (initialValue) => {
  const callbackRef = React.useRef(null);
  const [state, setState] = React.useState({
    value: initialValue,
    revision: randomString(),
  });

  /**
   *  React.useEffect() hook is not called when setState() method is invoked with same value(as the current one)
   *  Hence as a workaround, another state variable is used to manually retrigger the callback
   *  Note: This is useful when your callback is resolving a promise or something and you have to call it after the state update(even if UI stays the same)
   */
  React.useEffect(() => {
    if (callbackRef.current) {
      callbackRef.current(state.value);

      callbackRef.current = null;
    }
  }, [state.revision, state.value]);

  const setValueWithCallback = React.useCallback((newValue, callback) => {
    callbackRef.current = callback;

    return setState({
      value: newValue,
      // Note: even if newValue is same as the previous value, this random string will re-trigger useEffect()
      // This is intentional
      revision: randomString(),
    });
  }, []);

  return [state.value, setValueWithCallback];
};

用法:

const [count, setCount] = useStateWithCallbackLazy(0);

setCount(count + 1, () => {
   afterSetCountFinished();
});