componentDidUpdate()中的setState()

时间:2015-05-29 11:24:06

标签: javascript reactjs ecmascript-6

我正在编写一个脚本,根据下拉的高度和屏幕上输入的位置,在输入下方或上方移动下拉列表。另外,我想根据其方向将修改器设置为下拉列表。 但是在setState内使用componentDidUpdate会产生无限循环(很明显)

我找到了使用getDOMNode并直接将classname设置为下拉列表的解决方案,但我觉得使用React工具应该有更好的解决方案。有人能帮助我吗?

以下是getDOMNode的工作代码的一部分(i 一点点被忽略的定位逻辑来简化代码)

let SearchDropdown = React.createClass({
    componentDidUpdate(params) {
        let el = this.getDOMNode();
        el.classList.remove('dropDown-top');
        if(needToMoveOnTop(el)) {
            el.top = newTopValue;
            el.right = newRightValue;
            el.classList.add('dropDown-top');
        }
    },
    render() {
        let dataFeed = this.props.dataFeed;
        return (
            <DropDown >
                {dataFeed.map((data, i) => {
                    return (<DropDownRow key={response.symbol} data={data}/>);
                })}
            </DropDown>
        );
    }
});

这里是setstate的代码(创建一个无限循环)

let SearchDropdown = React.createClass({
    getInitialState() {
        return {
            top: false
        };
    },
    componentDidUpdate(params) {
        let el = this.getDOMNode();
        if (this.state.top) {
           this.setState({top: false});
        }
        if(needToMoveOnTop(el)) {
            el.top = newTopValue;
            el.right = newRightValue;
            if (!this.state.top) {
              this.setState({top: true});
           }
        }
    },
    render() {
        let dataFeed = this.props.dataFeed;
        let class = cx({'dropDown-top' : this.state.top});
        return (
            <DropDown className={class} >
                {dataFeed.map((data, i) => {
                    return (<DropDownRow key={response.symbol} data={data}/>);
                })}
            </DropDown>
        );
    }
});

8 个答案:

答案 0 :(得分:79)

您可以在setState内使用componentDidUpdate。问题是,你创造了一个无限循环,因为没有中断条件。

基于在呈现组件时需要浏览器提供的值这一事实,我认为您使用componentDidUpdate的方法是正确的,它只需要更好地处理触发{{{ 1}}。

答案 1 :(得分:49)

如果您在setState内使用componentDidUpdate,则会更新该组件,从而调用componentDidUpdate,然后再次调用setState,从而导致无限循环。您应该有条件地呼叫setState并确保违反呼叫的条件最终发生,例如:

componentDidUpdate: function() {
    if (condition) {
        this.setState({..})
    } else {
        //do something else
    }
}

如果您只是通过向其发送道具来更新组件(它没有被setState更新,除了componentDidUpdate中的情况),您可以在setState内调用componentWillReceiveProps而不是{ {1}}。

答案 2 :(得分:41)

componentDidUpdate签名为void::componentDidUpdate(previousProps, previousState)。通过这种方式,您将能够测试哪些道具/状态是脏的,并相应地调用setState

实施例

componentDidUpdate(previousProps, previousState) {
    if (previousProps.data !== this.props.data) {
        this.setState({/*....*/})
    }
}

答案 3 :(得分:5)

此示例将帮助您了解反应生命周期挂钩

您可以在setState方法(即getDerivedStateFromProps)中使用static,并在componentDidUpdate中更改道具后触发该方法。

componentDidUpdate中,您将获得第3 个参数,该参数从getSnapshotBeforeUpdate返回。

您可以选中此codesandbox link

// Child component
class Child extends React.Component {
  // First thing called when component loaded
  constructor(props) {
    console.log("constructor");
    super(props);
    this.state = {
      value: this.props.value,
      color: "green"
    };
  }

  // static method
  // dont have access of 'this'
  // return object will update the state
  static getDerivedStateFromProps(props, state) {
    console.log("getDerivedStateFromProps");
    return {
      value: props.value,
      color: props.value % 2 === 0 ? "green" : "red"
    };
  }

  // skip render if return false
  shouldComponentUpdate(nextProps, nextState) {
    console.log("shouldComponentUpdate");
    // return nextState.color !== this.state.color;
    return true;
  }

  // In between before real DOM updates (pre-commit)
  // has access of 'this'
  // return object will be captured in componentDidUpdate
  getSnapshotBeforeUpdate(prevProps, prevState) {
    console.log("getSnapshotBeforeUpdate");
    return { oldValue: prevState.value };
  }

  // Calls after component updated
  // has access of previous state and props with snapshot
  // Can call methods here
  // setState inside this will cause infinite loop
  componentDidUpdate(prevProps, prevState, snapshot) {
    console.log("componentDidUpdate: ", prevProps, prevState, snapshot);
  }

  static getDerivedStateFromError(error) {
    console.log("getDerivedStateFromError");
    return { hasError: true };
  }

  componentDidCatch(error, info) {
    console.log("componentDidCatch: ", error, info);
  }

  // After component mount
  // Good place to start AJAX call and initial state
  componentDidMount() {
    console.log("componentDidMount");
    this.makeAjaxCall();
  }

  makeAjaxCall() {
    console.log("makeAjaxCall");
  }

  onClick() {
    console.log("state: ", this.state);
  }

  render() {
    return (
      <div style={{ border: "1px solid red", padding: "0px 10px 10px 10px" }}>
        <p style={{ color: this.state.color }}>Color: {this.state.color}</p>
        <button onClick={() => this.onClick()}>{this.props.value}</button>
      </div>
    );
  }
}

// Parent component
class Parent extends React.Component {
  constructor(props) {
    super(props);
    this.state = { value: 1 };

    this.tick = () => {
      this.setState({
        date: new Date(),
        value: this.state.value + 1
      });
    };
  }

  componentDidMount() {
    setTimeout(this.tick, 2000);
  }

  render() {
    return (
      <div style={{ border: "1px solid blue", padding: "0px 10px 10px 10px" }}>
        <p>Parent</p>
        <Child value={this.state.value} />
      </div>
    );
  }
}

function App() {
  return (
    <React.Fragment>
      <Parent />
    </React.Fragment>
  );
}

const rootElement = document.getElementById("root");
ReactDOM.render(<App />, rootElement);
<div id="root"></div>
<script src="https://cdnjs.cloudflare.com/ajax/libs/react/16.6.3/umd/react.production.min.js"></script>
<script src="https://cdnjs.cloudflare.com/ajax/libs/react-dom/16.6.3/umd/react-dom.production.min.js"></script>

答案 4 :(得分:1)

我会说您需要检查状态是否已经具有您尝试设置的相同值。如果它相同,则没有必要再次为相同的值设置状态。

确保将您的状态设置为:

let top = newValue /*true or false*/
if(top !== this.state.top){
    this.setState({top});
}

答案 5 :(得分:0)

我有一个类似的问题,我必须使工具提示居中。 componentDidUpdate中的React setState确实让我处于无限循环中,我试过条件它有效。但我发现在ref回调中使用给了我更简单和干净的解决方案,如果你使用内联函数进行ref回调,你将面临每个组件更新的null问题。因此在ref回调中使用函数引用并在那里设置状态,这将启动重新渲染

答案 6 :(得分:0)

您可以在 componentDidUpdate 中使用 setState

答案 7 :(得分:0)

this.setState 在 ComponentDidUpdate 中使用时会在循环中没有中断条件时创建一个无限循环。 您可以使用 redux 在 if 语句中设置变量 true ,然后在条件中设置变量 false ,然后它就可以工作了。

类似的东西。

if(this.props.route.params.resetFields){

        this.props.route.params.resetFields = false;
        this.setState({broadcastMembersCount: 0,isLinkAttached: false,attachedAffiliatedLink:false,affilatedText: 'add your affiliate link'});
        this.resetSelectedContactAndGroups();
        this.hideNext = false;
        this.initialValue_1 = 140;
        this.initialValue_2 = 140;
        this.height = 20
    }