如何更新React中的嵌套状态属性

时间:2017-03-27 07:51:38

标签: javascript reactjs ecmascript-6 setstate

我正在尝试使用这样的嵌套属性来组织我的状态:

this.state = {
   someProperty: {
      flag:true
   }
}

但是像这样更新状态,

this.setState({ someProperty.flag: false });

不起作用。如何才能正确完成?

32 个答案:

答案 0 :(得分:262)

为了setState嵌套对象,您可以按照以下方法进行操作,因为我认为setState不会处理嵌套更新。

var someProperty = {...this.state.someProperty}
someProperty.flag = true;
this.setState({someProperty})

想法是创建一个虚拟对象对其执行操作,然后用更新的对象替换组件的状态

现在,spread运算符只创建对象的一个​​级别嵌套副本。如果您的州高度嵌套,如:

this.state = {
   someProperty: {
      someOtherProperty: {
          anotherProperty: {
             flag: true
          }
          ..
      }
      ...
   }
   ...
}

你可以在每个级别使用spread运算符setState,如

this.setState(prevState => ({
    ...prevState,
    someProperty: {
        ...prevState.someProperty,
        someOtherProperty: {
            ...prevState.someProperty.someOtherProperty, 
            anotherProperty: {
               ...prevState.someProperty.someOtherProperty.anotherProperty,
               flag: false
            }
        }
    }
}))

然而,随着状态变得越来越嵌套,上面的语法变得丑陋,因此我建议你使用immutability-helper包更新状态。

请参阅此答案,了解如何使用immutability helper更新状态。

答案 1 :(得分:93)

将其写在一行

this.setState({ someProperty: { ...this.state.someProperty, flag: false} });

答案 2 :(得分:52)

有时候直接答案不是最好的答案:)

简短版本:

此代码

this.state = {
    someProperty: {
        flag: true
    }
}

应简化为类似

this.state = {
    somePropertyFlag: true
}

长版:

当前您不希望在React中使用嵌套状态。因为React不适合与嵌套状态一起使用,并且这里提出的所有解决方案看起来都是骇客。他们不使用框架而是与之抗争。他们建议编写不太清晰的代码,以便对某些属性进行分组。因此,它们作为应对挑战的方法非常有趣,但实际上没有用。

让我们想象一下以下状态:

{
    parent: {
        child1: 'value 1',
        child2: 'value 2',
        ...
        child100: 'value 100'
    }
}

如果仅更改child1的值会发生什么? React不会重新渲染视图,因为它使用浅表比较,并且会发现parent属性没有改变。通常,BTW直接更改状态对象被认为是一种不好的做法。

因此,您需要重新创建整个parent对象。但是在这种情况下,我们将遇到另一个问题。 React会认为所有孩子都改变了他们的价值观,并将重新渲染他们的所有价值观。当然,这对性能不利。

仍然可以通过在shouldComponentUpdate()中编写一些复杂的逻辑来解决该问题,但我宁愿在此停止并使用简短版本中的简单解决方案。

答案 3 :(得分:37)

声明

  

React中的嵌套状态是错误的设计

     

阅读this excellent answer

  

这个答案背后的推理:

     

React的setState只是一个内置的便利,但你很快就意识到了   它有其局限性。使用自定义属性和智能使用   forceUpdate为您提供更多。   例如:

class MyClass extends React.Component {
    myState = someObject
    inputValue = 42
...
     例如,MobX完全抛弃状态并使用自定义可观察属性   Use Observables instead of state in React components.

你痛苦的答案 - see example here

还有另一种 更短的 方式来更新任何嵌套属性。

this.setState(state => {
  state.nested.flag = false
  state.another.deep.prop = true
  return state
})

在一行

this.setState(state => (state.nested.flag = false, state))

这实际上与

相同
this.state.nested.flag = false
this.forceUpdate()

有关forceUpdatesetState之间此上下文的细微差别,请参阅链接示例。

当然这是滥用一些核心原则,因为state应该是只读的,但由于你立即丢弃旧状态并用新状态替换它,所以完全可以。

警告

即使包含状态的组件将正确地更新并重新呈现except this gotcha,道具也将失败传播给孩子们(见下面的Spymaster评论)。如果你知道自己在做什么,只能使用这种技术。

例如,您可以传递更改并轻松传递的更改的扁平道具。

render(
  //some complex render with your nested state
  <ChildComponent complexNestedProp={this.state.nested} pleaseRerender={Math.random()}/>
)

现在即使complexNestedProp的引用没有改变(shouldComponentUpdate

this.props.complexNestedProp === nextProps.complexNestedProp
每当父组件更新时,组件重新呈现,这是在父母中调用this.setStatethis.forceUpdate之后的情况。

改变状态的影响

使用嵌套状态并直接改变状态是危险的,因为不同的对象可能会(有意或无意地)保持对状态的不同(较旧)引用,并且可能不一定知道何时更新(例如,当使用PureComponent或实施shouldComponentUpdate时返回false旨在显示旧数据,如下例所示。

  

想象一下,应该渲染历史数据的时间轴,改变手下的数据会导致意外行为,因为它也会改变以前的项目。

state-flow state-flow-nested

无论如何,你可以看到Nested PureChildClass由于道具未能传播而没有被重新渲染。

答案 4 :(得分:20)

如果您使用的是ES2015,则可以访问Object.assign。您可以按如下方式使用它来更新嵌套对象。

this.setState({
  someProperty: Object.assign({}, this.state.someProperty, {flag: false})
});

您将更新的属性与现有属性合并,并使用返回的对象更新状态。

编辑:在assign函数中添加一个空对象作为目标,以确保状态不会像carkod指出的那样直接变异。

答案 5 :(得分:13)

有很多图书馆可以帮助解决这个问题。例如,使用immutability-helper

import update from 'immutability-helper';

const newState = update(this.state, {
  someProperty: {flag: {$set: false}},
};
this.setState(newState);

使用lodash/fp设置:

import {set} from 'lodash/fp';

const newState = set(["someProperty", "flag"], false, this.state);

使用lodash/fp合并:

import {merge} from 'lodash/fp';

const newState = merge(this.state, {
  someProperty: {flag: false},
});

答案 6 :(得分:10)

使用ES6:

this.setState({...this.state, property: {nestedProperty: "new value"}})

相当于:

const newState = Object.assign({}, this.state);
newState.property.nestedProperty = "new value";
this.setState(newState);

答案 7 :(得分:6)

我们使用Immer https://github.com/mweststrate/immer处理此类问题。

只需在我们的组件之一中替换此代码

this.setState(prevState => ({
   ...prevState,
        preferences: {
            ...prevState.preferences,
            [key]: newValue
        }
}));

有了这个

import produce from 'immer';

this.setState(produce(draft => {
    draft.preferences[key] = newValue;
}));

通过沉浸式处理,您可以将状态视为“正常对象”。 魔术发生在代理对象的幕后。

答案 8 :(得分:5)

以下是此主题中给出的第一个答案的变体,它不需要任何额外的包,库或特殊功能。

state = {
  someProperty: {
    flag: 'string'
  }
}

handleChange = (value) => {
  const newState = {...this.state.someProperty, flag: value}
  this.setState({ someProperty: newState })
}

为了设置特定嵌套字段的状态,您已设置整个对象。我这样做是通过创建一个变量newState并使用ES2015 spread operator将当前状态的内容扩展到 first 中。然后,我将this.state.flag的值替换为新值(因为我在之后设置flag: value 我将当前状态扩展到对象中,flag字段位于当前状态被覆盖)。然后,我只需将someProperty的状态设置为我的newState对象。

答案 9 :(得分:3)

我使用了这个解决方案。

如果你有这样的嵌套状态:

   this.state = {
          formInputs:{
            friendName:{
              value:'',
              isValid:false,
              errorMsg:''
            },
            friendEmail:{
              value:'',
              isValid:false,
              errorMsg:''
            }
}

你可以声明复制当前状态的handleChange函数并用更改的值重新赋值

handleChange(el) {
    let inputName = el.target.name;
    let inputValue = el.target.value;

    let statusCopy = Object.assign({}, this.state);
    statusCopy.formInputs[inputName].value = inputValue;

    this.setState(statusCopy);
  }

这里是带有事件监听器的html

<input type="text" onChange={this.handleChange} " name="friendName" />

答案 10 :(得分:2)

尚未提及的其他两个选项:

  1. 如果您具有深层嵌套的状态,请考虑是否可以重组子对象以使其位于根目录。这使数据更易于更新。
  2. 有许多方便的库可用于处理不可变状态listed in the Redux docs。我建议使用Immer,因为它允许您以可变的方式编写代码,但可以处理后台的必要克隆。它还会冻结生成的对象,以便您以后不会意外对其进行突变。

答案 11 :(得分:2)

创建状态副本:
let someProperty = JSON.parse(JSON.stringify(this.state.someProperty))

对此对象进行更改:
someProperty.flag = "false"

现在更新状态     
this.setState({someProperty})

答案 12 :(得分:2)

我非常重视already voiced与创建组件状态的完整副本有关的问题。话虽如此,我强烈建议 Immer

import produce from 'immer';

<Input
  value={this.state.form.username}
  onChange={e => produce(this.state, s => { s.form.username = e.target.value }) } />

这应该适用于React.PureComponent(即React的浅层状态比较),因为Immer巧妙地使用了代理对象来有效地复制任意深层的状态树。与Immutability Helper之类的库相比,Immer还具有更好的类型安全性,是Javascript和Typescript用户的理想选择。


打字稿实用程序功能

function setStateDeep<S>(comp: React.Component<any, S, any>, fn: (s: 
Draft<Readonly<S>>) => any) {
  comp.setState(produce(comp.state, s => { fn(s); }))
}

onChange={e => setStateDeep(this, s => s.form.username = e.target.value)}

答案 13 :(得分:1)

如果你想动态设置状态


以下示例动态设置表单的状态,其中状态中的每个键都是对象

 onChange(e:React.ChangeEvent<HTMLInputElement | HTMLTextAreaElement>) {
    this.setState({ [e.target.name]: { ...this.state[e.target.name], value: e.target.value } });
  }

答案 14 :(得分:1)

尽管您询问了基于类的React组件的状态,但useState钩子也存在相同的问题。更糟糕的是:useState钩子不接受部分更新。因此,当引入useState挂钩时,这个问题变得非常重要。

我已决定发布以下答案,以确保问题涵盖使用useState挂钩的更现代的方案:

如果您有:

const [state, setState] = useState({ someProperty: { flag: true, otherNestedProp: 1 }, otherProp: 2 })

您可以通过克隆当前数据并修补所需的数据段来设置嵌套属性,例如:

setState(current => { ...current, someProperty: { ...current.someProperty, flag: false } });

或者您可以使用Immer库简化对象的克隆和修补。

或者您可以使用Hookstate library(免责声明:我是作者)来简单地完全管理复杂的(本地和全局)状态数据并提高性能(请阅读:不用担心渲染优化):< / p>

import { useStateLink } from '@hookstate/core' 
const state = useStateLink({ someProperty: { flag: true, otherNestedProp: 1 }, otherProp: 2 })

获取要渲染的字段:

state.nested.someProperty.nested.flag.get()
// or 
state.get().someProperty.flag

设置嵌套字段:

state.nested.someProperty.nested.flag.set(false)

这里是Hookstate的示例,其中该状态深深/递归地嵌套在tree-like data structure中。

答案 15 :(得分:1)

尽管嵌套并不是您应该如何对待组件状态的方法,有时对于单层嵌套来说还是很容易的。

对于这样的状态

state = {
 contact: {
  phone: '888-888-8888',
  email: 'test@test.com'
 }
 address: {
  street:''
 },
 occupation: {
 }
}

我使用的可重用方法IVE如下所示。

handleChange = (obj) => e => {
  let x = this.state[obj];
  x[e.target.name] = e.target.value;
  this.setState({ [obj]: x });
};

然后为您要寻址的每个嵌套传递obj名称...

<TextField
 name="street"
 onChange={handleChange('address')}
 />

答案 16 :(得分:0)

我知道这是一个老问题,但仍然想分享我是如何实现的。假设构造函数中的状态如下所示:

  constructor(props) {
    super(props);

    this.state = {
      loading: false,
      user: {
        email: ""
      },
      organization: {
        name: ""
      }
    };

    this.handleChange = this.handleChange.bind(this);
  }

我的handleChange函数是这样的:

  handleChange(e) {
    const names = e.target.name.split(".");
    const value = e.target.type === "checkbox" ? e.target.checked : e.target.value;
    this.setState((state) => {
      state[names[0]][names[1]] = value;
      return {[names[0]]: state[names[0]]};
    });
  }

并确保您相应地命名输入:

<input
   type="text"
   name="user.email"
   onChange={this.handleChange}
   value={this.state.user.firstName}
   placeholder="Email Address"
/>

<input
   type="text"
   name="organization.name"
   onChange={this.handleChange}
   value={this.state.organization.name}
   placeholder="Organization Name"
/>

答案 17 :(得分:0)

像这样的东西就足够了,

const isObject = (thing) => {
    if(thing && 
        typeof thing === 'object' &&
        typeof thing !== null
        && !(Array.isArray(thing))
    ){
        return true;
    }
    return false;
}

/*
  Call with an array containing the path to the property you want to access
  And the current component/redux state.

  For example if we want to update `hello` within the following obj
  const obj = {
     somePrimitive:false,
     someNestedObj:{
        hello:1
     }
  }

  we would do :
  //clone the object
  const cloned = clone(['someNestedObj','hello'],obj)
  //Set the new value
  cloned.someNestedObj.hello = 5;

*/
const clone = (arr, state) => {
    let clonedObj = {...state}
    const originalObj = clonedObj;
    arr.forEach(property => {
        if(!(property in clonedObj)){
            throw new Error('State missing property')
        }

        if(isObject(clonedObj[property])){
            clonedObj[property] = {...originalObj[property]};
            clonedObj = clonedObj[property];
        }
    })
    return originalObj;
}

const nestedObj = {
    someProperty:true,
    someNestedObj:{
        someOtherProperty:true
    }
}

const clonedObj = clone(['someProperty'], nestedObj);
console.log(clonedObj === nestedObj) //returns false
console.log(clonedObj.someProperty === nestedObj.someProperty) //returns true
console.log(clonedObj.someNestedObj === nestedObj.someNestedObj) //returns true

console.log()
const clonedObj2 = clone(['someProperty','someNestedObj','someOtherProperty'], nestedObj);
console.log(clonedObj2 === nestedObj) // returns false
console.log(clonedObj2.someNestedObj === nestedObj.someNestedObj) //returns false
//returns true (doesn't attempt to clone because its primitive type)
console.log(clonedObj2.someNestedObj.someOtherProperty === nestedObj.someNestedObj.someOtherProperty) 

答案 18 :(得分:0)

stateUpdate = () => {
    let obj = this.state;
    if(this.props.v12_data.values.email) {
      obj.obj_v12.Customer.EmailAddress = this.props.v12_data.values.email
    }
    this.setState(obj)
}

答案 19 :(得分:0)

我使用 reduce 搜索来嵌套更新:

示例:

处于状态的嵌套变量:

state = {
    coords: {
        x: 0,
        y: 0,
        z: 0
    }
}

功能:

handleChange = nestedAttr => event => {
  const { target: { value } } = event;
  const attrs = nestedAttr.split('.');

  let stateVar = this.state[attrs[0]];
  if(attrs.length>1)
    attrs.reduce((a,b,index,arr)=>{
      if(index==arr.length-1)
        a[b] = value;
      else if(a[b]!=null)
        return a[b]
      else
        return a;
    },stateVar);
  else
    stateVar = value;

  this.setState({[attrs[0]]: stateVar})
}

使用:

<input
value={this.state.coords.x}
onChange={this.handleTextChange('coords.x')}
/>

答案 20 :(得分:0)

为了使事情变得通用,我研究了@ShubhamKhatri和@Qwerty的答案。

状态对象

this.state = {
  name: '',
  grandParent: {
    parent1: {
      child: ''
    },
    parent2: {
      child: ''
    }
  }
};

输入控件

<input
  value={this.state.name}
  onChange={this.updateState}
  type="text"
  name="name"
/>
<input
  value={this.state.grandParent.parent1.child}
  onChange={this.updateState}
  type="text"
  name="grandParent.parent1.child"
/>
<input
  value={this.state.grandParent.parent2.child}
  onChange={this.updateState}
  type="text"
  name="grandParent.parent2.child"
/>

updateState方法

将setState设置为@ShubhamKhatri的答案

updateState(event) {
  const path = event.target.name.split('.');
  const depth = path.length;
  const oldstate = this.state;
  const newstate = { ...oldstate };
  let newStateLevel = newstate;
  let oldStateLevel = oldstate;

  for (let i = 0; i < depth; i += 1) {
    if (i === depth - 1) {
      newStateLevel[path[i]] = event.target.value;
    } else {
      newStateLevel[path[i]] = { ...oldStateLevel[path[i]] };
      oldStateLevel = oldStateLevel[path[i]];
      newStateLevel = newStateLevel[path[i]];
    }
  }
  this.setState(newstate);
}

setState作为@Qwerty的答案

updateState(event) {
  const path = event.target.name.split('.');
  const depth = path.length;
  const state = { ...this.state };
  let ref = state;
  for (let i = 0; i < depth; i += 1) {
    if (i === depth - 1) {
      ref[path[i]] = event.target.value;
    } else {
      ref = ref[path[i]];
    }
  }
  this.setState(state);
}

注意:以上这些方法不适用于数组

答案 21 :(得分:0)

这是我的initialState

    const initialStateInput = {
        cabeceraFamilia: {
            familia: '',
            direccion: '',
            telefonos: '',
            email: ''
        },
        motivoConsulta: '',
        fechaHora: '',
        corresponsables: [],
    }

该钩子,或者您可以将其替换为状态(类组件)

const [infoAgendamiento, setInfoAgendamiento] = useState(initialStateInput);

handleChange的方法

const actualizarState = e => {
    const nameObjects = e.target.name.split('.');
    const newState = setStateNested(infoAgendamiento, nameObjects, e.target.value);
    setInfoAgendamiento({...newState});
};

使用嵌套状态设置状态的方法

const setStateNested = (state, nameObjects, value) => {
    let i = 0;
    let operativeState = state;
    if(nameObjects.length > 1){
        for (i = 0; i < nameObjects.length - 1; i++) {
            operativeState = operativeState[nameObjects[i]];
        }
    }
    operativeState[nameObjects[i]] = value;
    return state;
}

最后这是我使用的输入

<input type="text" className="form-control" name="cabeceraFamilia.direccion" placeholder="Dirección" defaultValue={infoAgendamiento.cabeceraFamilia.direccion} onChange={actualizarState} />

答案 22 :(得分:0)

如果您在项目中使用formik,则有一些简单的方法可以处理这些问题。这是使用Formik最简单的方法。

首先在formik initivalues属性或react中设置您的初始值。状态

这里,初始值是在反应状态下定义的

   state = { 
     data: {
        fy: {
            active: "N"
        }
     }
   }

在formik initiValues属性内为formik字段定义上述initialValues

<Formik
 initialValues={this.state.data}
 onSubmit={(values, actions)=> {...your actions goes here}}
>
{({ isSubmitting }) => (
  <Form>
    <Field type="checkbox" name="fy.active" onChange={(e) => {
      const value = e.target.checked;
      if(value) setFieldValue('fy.active', 'Y')
      else setFieldValue('fy.active', 'N')
    }}/>
  </Form>
)}
</Formik>

让控制台检查更新为string而不是boolean formik setFieldValue函数的状态来设置状态,或使用react调试器工具查看formik状态中的更改值。

答案 23 :(得分:0)

尝试此代码:

this.setState({ someProperty: {flag: false} });

答案 24 :(得分:0)

这显然不是正确或最佳的方法,但根据我的观点,它更干净:

this.state.hugeNestedObject = hugeNestedObject; 
this.state.anotherHugeNestedObject = anotherHugeNestedObject; 

this.setState({})

但是,React本身应该迭代思想嵌套的对象,并相应地更新尚不存在的状态和DOM。

答案 25 :(得分:0)

你可以通过对象传播来做到这一点 代码:

 this.setState((state)=>({ someProperty:{...state.someProperty,flag:false}})

这适用于更多的嵌套属性

答案 26 :(得分:0)

用于多输入控件和动态嵌套名称

<input type="text" name="title" placeholder="add title" onChange={this.handleInputChange} />
<input type="checkbox" name="chkusein" onChange={this.handleInputChange} />
<textarea name="body" id="" cols="30" rows="10" placeholder="add blog content" onChange={this.handleInputChange}></textarea>

代码可读性很强

处理程序

handleInputChange = (event) => {
        const target = event.target;
        const value = target.type === 'checkbox' ? target.checked : target.value;
        const name = target.name;
        const newState = { ...this.state.someProperty, [name]: value }
        this.setState({ someProperty: newState })
    }

答案 27 :(得分:0)

还有另一种选择,如果对象列表中有多个项目,这会起作用:使用 this.state.Obj 将对象复制到变量(比如 temp),使用 filter() 方法遍历对象并抓取要更改为一个对象的特定元素(将其命名为 updateObj),并将剩余的对象列表更改为另一个对象(将其命名为 restObj)。现在编辑要更新的对象的内容,创建一个新项目(比如 newItem)。然后调用 this.setUpdate() 并使用扩展运算符将新的对象列表分配给父对象。

this.state = {someProperty: { flag:true, }}


var temp=[...this.state.someProperty]
var restObj = temp.filter((item) => item.flag !== true);
var updateObj = temp.filter((item) => item.flag === true);

var newItem = {
  flag: false
};
this.setState({ someProperty: [...restObj, newItem] });

答案 28 :(得分:0)

根据框架的标准,不确定这在技术上是否正确,但有时您只需要更新嵌套对象。这是我使用钩子的解决方案。

setInputState({
                ...inputState,
                [parentKey]: { ...inputState[parentKey], [childKey]: value },
            });

答案 29 :(得分:0)

我看到每个人都给出了基于类的组件状态更新解决方案,这是预期的,因为他要求这样做,但我正在尝试为钩子提供相同的解决方案。

const [state, setState] = useState({
    state1: false,
    state2: 'lorem ipsum'
})

现在,如果您只想更改嵌套对象键 state1,那么您可以执行以下任一操作:

流程 1

let oldState = state;
oldState.state1 = true
setState({...oldState);

流程 2

setState(prevState => ({
    ...prevState,
    state1: true
}))

我最喜欢过程 2。

答案 30 :(得分:0)

我发现这对我有用,在我的情况下有一个项目表单,例如你有一个id,一个名字,我宁愿维护一个嵌套项目的状态。

return (
  <div>
      <h2>Project Details</h2>
      <form>
        <Input label="ID" group type="number" value={this.state.project.id} onChange={(event) => this.setState({ project: {...this.state.project, id: event.target.value}})} />
        <Input label="Name" group type="text" value={this.state.project.name} onChange={(event) => this.setState({ project: {...this.state.project, name: event.target.value}})} />
      </form> 
  </div>
)

让我知道!

答案 31 :(得分:-4)

我在一本书中看到以下内容:

this.setState(state => state.someProperty.falg = false);

但是我不确定是否正确。