作者热门文章
- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
谁能解释一下这两者的区别:
const arr = users;
arr.push({ firstName, email })
setUsers((prevState) => arr)
还有这个:
setUsers(prevState => [...prevState, { firstName, email }])
最佳答案
答案是引用和对象相等...
Array.prototype.push()
就地改变数组,这意味着它的对象引用不会改变。
const prevState = [1,2,3];
const nextState = prevState;
nextState.push(4);
nextState === prevState; // true
[...prevState, { firstName, email }]
创建一个不等于 prevState
的新数组。
const prevState = [1,2,3];
const nextState = [...prevState, 4];
nextState === prevState; // false
根据 React 的状态变化检测规则...
If you return the same value from a Reducer Hook as the current state, React will bail out without rendering the children or firing effects. (React uses the
Object.is
comparison algorithm.)
使用 .push()
并将状态更新为相同的值意味着 React 将退出重新渲染,您将看不到所做的更改。
users.push({
firstName: "Bob",
email: "bob@example.com"
});
setUsers(users);
创建一个新数组并使更改可见
setUsers((prev) => [
...prev,
{
firstName: "Bob",
email: "bob@example.com"
}
]);
关于javascript - 在 ReactJS 中使用 useState 时 [...arr, addThisElement] 和 arr.push(addThisElement) 有什么区别?,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/71934847/
谁能解释一下这两者的区别: const arr = users; arr.push({ firstName, email }) setUsers((prevState) => arr) 还有这个: s
我是一名优秀的程序员,十分优秀!