1. 內置對象數組
const a = '123'; // Output: 123 輸出值類型 123,是基本數據類型
const b = new String('123'); // Output: String {'123'} 輸出對象類型, 是複雜數據類型
Object.getPrototypeOf(a) === Object.getPrototypeOf(b); // true, a和b的原型都是同樣的,都指向String內置對象
複製代碼
const s1 = 'jiaxin';
const s2 = s1.substring(2);
複製代碼
const s1 = new String('jiaxin');
const s2 = s1.substring(2);
s1 = null;
複製代碼
1. 語法bash
new Object(a) // a可爲數據類型,如 number, string, Object函數
2. 特徵測試
// 如下建立的二者是同樣的
new Object(1);
new Number(1);
複製代碼
// 再舉個栗子, 也是一致的
new Object('111');
new String('111');
複製代碼
new Object(null);
new Object(undefined);
new Object({
name: 'jiaxin',
age: 18
});
複製代碼
// instanceof運算符用於測試構造函數的prototype屬性是否出如今對象的原型鏈中的任何位置
new Object('foo') instanceof String; // true
new Object(true) instanceof Boolean; // true
複製代碼
function Foo () {};
new Object(Foo) === Foo; // true 若是Object的參數是一個對象,則返回原對象
複製代碼
1. 語法ui
Object.create(proto, [propertiesObject])this
const Girl = {
name: 'jiaxin',
age: 18,
sayHello: function() {
console.log(`Hello, I am ${this.name}`);
}
}
let girl1 = Object.create(Girl); // Output: {}
girl1.__proto__ === Girl; // true 建立出來的對象的原型指向其指定的對象Girl
複製代碼
2. 實現原理spa
function Foo() {};
const foo = Object.create(Foo);
const fn = function() {};
fn.prototype = Foo;
const foo = new fn()
複製代碼
3. 用new Object()實現Object.create()prototype
function Foo() {};
const fn = Object.create(Foo.prototype);
// 等價於
const fn = new Object();
fn.__proto__ = Foo.prototype;
複製代碼