在 JavaScript 中,包装类(Wrapper Objects) 是一种特殊的对象类型,用于将原始值(如字符串、数字、布尔值)临时转换为对象,以便可以调用对象的方法。JavaScript 提供了三种主要的包装类:

  1. String:用于包装字符串原始值。

  2. Number:用于包装数字原始值。

  3. Boolean:用于包装布尔原始值。


1. 包装类的作用

原始值(如 "hello"42true)本身不是对象,因此不能直接调用方法。包装类的作用是临时将原始值转换为对象,以便可以调用对象的方法。

例如:

const str = "hello";
console.log(str.toUpperCase()); // "HELLO"

在上面的代码中:

  • str 是一个字符串原始值。

  • 当调用 toUpperCase() 方法时,JavaScript 会临时将 str 转换为一个 String 对象,然后调用方法。

  • 方法调用结束后,临时对象会被丢弃。


2. 包装类的创建

你可以显式地使用包装类来创建对象:

const strObj = new String("hello"); // String 对象
const numObj = new Number(42);      // Number 对象
const boolObj = new Boolean(true); // Boolean 对象

这些对象的行为与原始值类似,但它们是对象类型(object),而不是原始类型(stringnumberboolean)。


3. 包装类与原始值的区别

包装类是对象,而原始值不是对象。它们的区别主要体现在类型和行为上:

类型

const str = "hello";
const strObj = new String("hello");

console.log(typeof str);    // "string"
console.log(typeof strObj); // "object"

行为

const str1 = "hello";
const str2 = new String("hello");

console.log(str1 === "hello"); // true
console.log(str2 === "hello"); // false
  • str1 是原始值,直接与 "hello" 比较时,值相等。

  • str2 是对象,与 "hello" 比较时,类型不同,结果为 false


4. 包装类的使用场景

包装类的主要用途是提供对原始值的方法调用支持。例如:

字符串方法

const str = "hello";
console.log(str.length); // 5
console.log(str.toUpperCase()); // "HELLO"

数字方法

const num = 42.567;
console.log(num.toFixed(2)); // "42.57"

布尔值方法

const bool = true;
console.log(bool.toString()); // "true"

在这些例子中,JavaScript 会临时将原始值转换为包装类对象,以便调用方法。


5. 注意事项

1. 不要显式使用包装类

通常情况下,不需要显式使用包装类(如 new String("hello")),因为 JavaScript 会自动处理原始值的方法调用。

2. 包装类对象的比较

包装类对象是对象,因此它们的比较是基于引用的,而不是值:

const str1 = new String("hello");
const str2 = new String("hello");

console.log(str1 === str2); // false
console.log(str1 == str2);  // false

3. 原始值的性能更好

原始值的性能比包装类对象更好,因为包装类对象需要额外的内存和计算资源。


6. 包装类的原型链

包装类的实例会继承对应包装类原型上的方法。例如:

const str = "hello";
console.log(str.__proto__ === String.prototype); // true
  • String.prototype 是 String 包装类的原型对象。

  • str 是一个字符串原始值,但它可以访问 String.prototype 上的方法(如 toUpperCaseslice等)。


7. 总结

  • 包装类(StringNumberBoolean)用于将原始值临时转换为对象,以便调用方法。

  • 通常情况下,不需要显式使用包装类,JavaScript 会自动处理原始值的方法调用。

  • 包装类对象是对象类型,与原始值有本质区别。

  • 原始值的性能更好,建议优先使用原始值。