React può aggiornare in batch, quindi l'approccio corretto è fornire a setState una funzione che esegua l'aggiornamento.
Per il componente aggiuntivo di aggiornamento React, funzionerà in modo affidabile:
this.setState( state => update(state, {array: {$push: [4]}}) );
o per concat ():
this.setState( state => ({
array: state.array.concat([4])
}));
Quanto segue mostra cosa https://jsbin.com/mofekakuqi/7/edit?js, come esempio di cosa succede se si sbaglia.
L'invocazione setTimeout () aggiunge correttamente tre elementi perché React non eseguirà il batch batch degli aggiornamenti in un callback setTimeout (consultare https://groups.google.com/d/msg/reactjs/G6pljvpTGX0/0ihYw2zK9dEJ ).
Il buggy onClick aggiungerà solo "Terzo", ma quello fisso aggiungerà F, S e T come previsto.
class List extends React.Component {
constructor(props) {
super(props);
this.state = {
array: []
}
setTimeout(this.addSome, 500);
}
addSome = () => {
this.setState(
update(this.state, {array: {$push: ["First"]}}));
this.setState(
update(this.state, {array: {$push: ["Second"]}}));
this.setState(
update(this.state, {array: {$push: ["Third"]}}));
};
addSomeFixed = () => {
this.setState( state =>
update(state, {array: {$push: ["F"]}}));
this.setState( state =>
update(state, {array: {$push: ["S"]}}));
this.setState( state =>
update(state, {array: {$push: ["T"]}}));
};
render() {
const list = this.state.array.map((item, i) => {
return <li key={i}>{item}</li>
});
console.log(this.state);
return (
<div className='list'>
<button onClick={this.addSome}>add three</button>
<button onClick={this.addSomeFixed}>add three (fixed)</button>
<ul>
{list}
</ul>
</div>
);
}
};
ReactDOM.render(<List />, document.getElementById('app'));