如何在 React 中使用 setState 更新嵌套状态中的对象
在 React 中,经常会遇到需要目标的嵌套状态对象根据用户输入进行更新。考虑以下代码片段:
var DynamicForm = React.createClass({ getInitialState: function() { var items = {}; items[1] = { name: 'field 1', populate_at: 'web_start', same_as: 'customer_name', autocomplete_from: 'customer_name', title: '' }; items[2] = { name: 'field 2', populate_at: 'web_end', same_as: 'user_name', autocomplete_from: 'user_name', title: '' }; return { items }; }, render: function() { var _this = this; return ( <div> { Object.keys(this.state.items).map(function (key) { var item = _this.state.items[key]; return ( <div> <PopulateAtCheckboxes this={this} checked={item.populate_at} id={key} populate_at={data.populate_at} /> </div> ); }, this)} <button onClick={this.newFieldEntry}>Create a new field</button> <button onClick={this.saveAndContinue}>Save and Continue</button> </div> ); } });
在此组件中,状态由嵌套对象 items 组成,其中包含按其位置索引的项目。但是,目标是在用户交互时更新 items 对象中的特定项目。
var PopulateAtCheckboxes = React.createClass({ handleChange: function (e) { item = this.state.items[1]; item.name = 'newName'; items[1] = item; this.setState({items: items}); }, render: function() { var populateAtCheckbox = this.props.populate_at.map(function(value) { return ( <label for={value}> <input type="radio" name={'populate_at'+this.props.id} value={value} onChange={this.handleChange} checked={this.props.checked == value} ref="populate-at"/> {value} </label> ); }, this); return ( <div className="populate-at-checkboxes"> {populateAtCheckbox} </div> ); } });
虽然上述方法尝试更新状态,但不推荐在 React 中改变嵌套状态对象的方法。为了确保不变性并防止不必要的副作用,正确的方法是创建状态对象的浅表副本,然后修改该副本,最后将状态设置为修改后的副本。
handleChange: function (e) { // 1. Make a shallow copy of the items let items = [...this.state.items]; // 2. Make a shallow copy of the item you want to mutate let item = {...items[1]}; // 3. Replace the property you're interested in item.name = 'newName'; // 4. Put it back into our array. N.B. we *are* mutating the array here, // but that's why we made a copy first items[1] = item; // 5. Set the state to our new copy this.setState({items}); },
或者,如果您喜欢更简洁的方法,您可以使用扩展语法在一行中获得相同的结果:
this.setState(({items}) => ({ items: [ ...items.slice(0,1), { ...items[1], name: 'newName', }, ...items.slice(2) ] }));
以上是如何使用 setState 更新 React 中的 State 内的嵌套对象?的详细内容。更多信息请关注PHP中文网其他相关文章!