为什么React中的SetState更新处理程序中的其他对象?

时间:2017-09-30 04:41:09

标签: javascript reactjs setstate

在onChange事件处理程序中,我只对userTxt进行setState()调用,但看起来它也设置了颜色对象的状态。对我来说很奇怪的是,这只发生在颜色对象上而不是年龄变量上。

想知道是否有人可以解释为什么会发生这种情况?Here is a link to my webpackbin example. As you write in the input, the state is changed on the color object.

我希望有人可以向我解释为什么会发生这种情况的机制。非常感谢你提前。

import React, { Component } from 'react';

export default class Hello extends Component {

  constructor() {
    super();
    this.handleMe = this.handleMe.bind(this);
    this.state = {
        age: 21,
        colors: {
            best: 'blue',
            second: 'green'
        },
        userTxt: ""
    }
  }
  handleMe(e) {
        let myAge = this.state.age;
        let myColors = this.state.colors;

        myAge = myAge + 1;
        myColors['best'] = 'mistyrose';
        myColors['second'] = 'red';

        this.setState({ userTxt: e.target.value });
    }

  render() {
    const { age, colors, userTxt} = this.state;
    return (
      <div>
        <form action="">
          <input type="text"onChange={this.handleMe}/>
          <div>Age: {age}</div>
          <div>Colors - best: {colors.best}</div>
          <div>Colors - second: {colors.second}</div>
          <div>UserTxt: {userTxt}</div>
        </form>
      </div>
    )
  }
}[enter link description here][1]


  [1]: https://www.webpackbin.com/bins/-KvFx-s7PpQMxLH0kg7m

2 个答案:

答案 0 :(得分:1)

这种情况正在发生,因为你在这里直接操纵状态。 myColors引用状态的颜色对象。

  handleMe(e) {
        let myAge = this.state.age;
        let myColors = this.state.colors;

        myAge = myAge + 1;
        //directly mutating the state with these 2 lines.
        myColors['best'] = 'mistyrose';
        myColors['second'] = 'red';

        this.setState({ userTxt: e.target.value });
    }

你需要复制this.state.colors,比如让myColors = Object.assign({},this.state.colors)

答案 1 :(得分:1)

状态中的颜色字段是存储为参考的对象。 age字段是一个整数,存储为原始值。

将颜色字段分配给myColors时,两个变量都引用同一个对象。因此,当您更新myColors时,状态中的colors字段会更新。

将年龄字段分配给myAge时,会将状态中年龄字段的值复制到myAge字段。因此,当您更新myAge时,它不会更新状态。

有关Primitive value vs Reference value

的详情

要防止出现这种意外的副作用,您应该创建一个新对象并将状态中的颜色值复制到该对象。您可以使用

执行此操作

let myColors = {...this.state.colors};

声明变量时。