如果你有一个数组作为你的状态的一部分,并且该数组包含对象,那么通过更改其中一个对象来更新状态是一种简单的方法吗?
示例,从反馈教程中修改:
var CommentBox = React.createClass({
getInitialState: function() {
return {data: [
{ id: 1, author: "john", text: "foo" },
{ id: 2, author: "bob", text: "bar" }
]};
},
handleCommentEdit: function(id, text) {
var existingComment = this.state.data.filter({ function(c) { c.id == id; }).first();
var updatedComments = ??; // not sure how to do this
this.setState({data: updatedComments});
}
}
答案 0 :(得分:33)
在更新状态时,关键部分是将其视为不可变。如果你能保证,任何解决方案都可以正常工作。
以下是我使用immutability-helper的解决方案:
jsFiddle:http://jsfiddle.net/eLmwf14a/
var update = require('immutability-helper');
handleCommentEdit: function(id, text) {
var data = this.state.data;
var commentIndex = data.findIndex(function(c) {
return c.id == id;
});
var updatedComment = update(data[commentIndex], {text: {$set: text}});
var newData = update(data, {
$splice: [[commentIndex, 1, updatedComment]]
});
this.setState({data: newData});
},
关于状态数组的以下问题也可能会有所帮助:
答案 1 :(得分:29)
我非常喜欢使用Object.assign而不是不变的助手。
handleCommentEdit: function(id, text) {
this.setState({
data: this.state.data.map(el => (el.id === id ? Object.assign({}, el, { text }) : el))
});
}
我认为这比拼接更简洁,不需要知道索引或明确处理未找到的案例。
如果你感觉所有的ES2018,你也可以通过传播来代替Object.assign
this.setState({
data: this.state.data.map(el => (el.id === id ? {...el, text} : el))
});
答案 2 :(得分:7)
尝试清理/更好地解释如何执行此操作以及正在进行的操作。
update
该索引处的元素setState
import update from 'immutability-helper';
// this.state = { employees: [{id: 1, name: 'Obama'}, {id: 2, name: 'Trump'}] }
updateEmployee(employee) {
const index = this.state.employees.findIndex((emp) => emp.id === employee.id);
const updatedEmployees = update(this.state.employees, {$splice: [[index, 1, employee]]}); // array.splice(start, deleteCount, item1)
this.setState({employees: updatedEmployees});
}
const index = this.state.employees.findIndex(emp => emp.id === employee.id),
employees = [...this.state.employees] // important to create a copy, otherwise you'll modify state outside of setState call
employees[index] = employee;
this.setState({employees});
答案 3 :(得分:4)
你可以用多种方式做到这一点,我将告诉你我最常用的。当我在反应中使用数组时,我通常会传递一个带有当前索引值的自定义属性,在下面的示例中,我已经传递了data-index属性,data-是html 5约定。
例如:
//handleChange method.
handleChange(e){
const {name, value} = e,
index = e.target.getAttribute('data-index'), //custom attribute value
updatedObj = Object.assign({}, this.state.arr[i],{[name]: value});
//update state value.
this.setState({
arr: [
...this.state.arr.slice(0, index),
updatedObj,
...this.state.arr.slice(index + 1)
]
})
}