如何在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中文網其他相關文章!