可变性是改变值的能力。可变值可以更改,不可变值则无法更改。 一个常见的误解是“const”关键字使变量不可变。
实际上,“const”仅阻止重新分配。对于非对象类型,值只能通过重新分配来更改,因此用“const”声明它们实际上使它们不可变。 例如,考虑以下代码:
const num = 5; num = 7; // illegal reassignment of const variable
这段代码中没有办法改变 num 的值。请注意,使用 ++ 或 -- 仍然被视为重新分配,如果我们尝试在使用 const 声明的变量上使用它们,错误消息中会指出这一点。
const num = 5; num++;//illegal reassignment of constant
产生的错误是:
uncaught typeerror: assignment to constant variable.
对象在可变性方面有着根本的不同,因为它们的值可以在不重新分配变量的情况下改变。请注意,“const”不会阻止属性的重新分配。仅阻止变量名称重新分配。
const obj = {num: 5}; obj.num = 7; //legal obj = {num: 7}; //illegal reassignment
对象也可以有改变内部值的方法。
const obj = { num: 5, increment(){ this.num++; } } obj.increment(); console.log(obj.num); //6
通过使用“const”声明对象并使用 object.freeze() 可以使对象实际上不可变。
const obj = {num: 5}; object.freeze(obj); obj.num = 7; // doesn't change console.log(obj.num);// still 5
请注意,如果我们使用严格模式,尝试更改 num 值实际上会导致崩溃,并显示以下错误消息:
cannot assign to read only property 'num'
使用不带“const”的 object.freeze() 已经足以使该对象不可变。但是,它并不使变量名称不可变。
let obj = {num: 5}; object.freeze(obj); obj = {num: 5}; // new object with old name obj.num = 7; // changes successfully console.log(obj.num);// 7
此版本代码中发生的情况是 obj 被重新分配。 freeze() 应用于共享相同名称的前一个对象,但新对象从未被冻结,因此它是可变的。
有时您可能希望允许对象中的值发生更改,但又不想允许添加或删除属性。 这可以通过使用 object.seal() 来实现。
let obj = {num: 5}; object.seal(obj); obj.num = 7; // changes console.log(obj.num);// 7 obj.newvalue = 42; //cannot add new property to sealed object console.log(obj.newvalue);//undefined delete obj.num; //cannot delete property from sealed object console.log(obj.num);// still exists and is 7
冷冻和密封适用于整个物体。如果您想使特定属性不可变,可以使用defineproperty() 或defineproperties() 来完成。这两者之间的选择取决于您想要影响单个属性还是多个属性。
const obj = {}; Object.defineProperty(obj, 'num',{ value: 5, writable: false, configurable: false }); obj.num = 7; // Cannot change value because writable is false delete obj.num; // Cannot delete because configurable is false console.log(obj.num);//Still exists and is 5
本例中定义了一个新属性,但defineproperty()也可以用于现有属性。 请注意,如果“configurable”之前设置为 false,则无法更改为 true,但如果原来为 true,则可以设置为 false,因为此更改算作一种配置。
在大多数情况下,您不需要保证对象是不可变的。当出现这种需要时,通常冻结对象就足够了,但是如果出现这种需要,我们还有其他选项可以进行更精细的控制。
立即学习“Java免费学习笔记(深入)”;