我正在阅读an example of the React-dnd project:
moveCard(dragIndex, hoverIndex) {
const { cards } = this.state;
const dragCard = cards[dragIndex];
this.setState(update(this.state, {
cards: {
$splice: [
[dragIndex, 1],
[hoverIndex, 0, dragCard]
]
}
}));}
这个$ splice是否与on this page解释的相同?
有人可以解释这段代码的作用吗? $splice
函数对我来说非常困惑。
答案 0 :(得分:19)
它基本上是普通拼接功能的不可变版本,例如
newcards.splice(dragIndex, 1); // removing what you are dragging.
newcards.splice(hoverIndex, 0, dragCard); // inserting it into hoverIndex.
这些不变性助手不是直接操纵目标数组,而是通过创建和分配新状态来帮助您更新状态。
答案 1 :(得分:1)
花点时间让我理解。这是常规箭头功能中的逐步说明
moveCard = (dragIndex, hoverIndex) => {
// list of cards
let newcards = this.state.cards;
// dragCard is card we are dragging
let dragCard = newcards[dragIndex];
// removing this dragCard from array
newcards.splice(dragIndex, 1);
// insert dragCard at hover position
newcards.splice(hoverIndex, 0, dragCard);
// update State
this.setState({
cards: newcards
});
};