__proto__屬性
ES5中的==
和===
均可以用來判斷兩個值是否相等,可是都有缺陷,==
會自動進行隱式類型轉換,===
的NaN
不等於自身及+0
不等於-0
。 Object.is()
引入的目的就是爲了保證在全部環境中,只要兩個值是同樣的,它們就應該相等,其行爲與===
基本一致,用來比較兩個值是否嚴格相等。html
Object.is('foo', 'foo')
// true
Object.is({}, {})
// false
複製代碼
有兩個不一樣之處:一是+0
不等於-0
,二是NaN
等於自身。es6
+0 === -0 //true
NaN === NaN // false
Object.is(+0, -0) // false
Object.is(NaN, NaN) // true
複製代碼
在ES5中,可使用如下代碼實現Object.is
:數組
Object.defineProperty(Object, 'is', {
value: function(x, y) {
if (x === y) {
// 針對+0 不等於 -0的狀況
return x !== 0 || 1 / x === 1 / y;
}
// 針對NaN的狀況
return x !== x && y !== y;
},
configurable: true,
enumerable: false,
writable: true
});
複製代碼
Object.assign
用於對象的合併,將源對象(source)的全部可枚舉屬性,複製到目標對象(target)上:瀏覽器
const target = { a: 1 };
const source1 = { b: 2 };
const source2 = { c: 3 };
Object.assign(target, source1, source2);
target // {a:1, b:2, c:3}
複製代碼
基本用法bash
const target = { a: 1, b: 1 };
const source1 = { b: 2, c: 2 };
const source2 = { c: 3 };
Object.assign(target, source1, source2);
target // {a:1, b:2, c:3}
複製代碼
const obj = {a: 1};
Object.assign(obj) === obj // true
複製代碼
typeof Object.assign(2) // "object"
複製代碼
undefined
和null
沒法轉成對象,因此若是它們做爲參數,就會報錯:Object.assign(undefined) // 報錯
Object.assign(null) // 報錯
複製代碼
undefined
和null
都不在首參數,就不會報錯:let obj = {a: 1};
Object.assign(obj, undefined) === obj // true
Object.assign(obj, null) === obj // true
複製代碼
const v1 = 'abc';
const v2 = true;
const v3 = 10;
const obj = Object.assign({}, v1, v2, v3);
console.log(obj); // { "0": "a", "1": "b", "2": "c" }
複製代碼
上述代碼中數值和布爾值都會被忽略。這是由於只有字符串的包裝對象,會產生可枚舉屬性。數據結構
Object(true) // {[[PrimitiveValue]]: true}
Object(10) // {[[PrimitiveValue]]: 10}
Object('abc') // {0: "a", 1: "b", 2: "c", length: 3, [[PrimitiveValue]]: "abc"}
複製代碼
上面代碼中,布爾值、數值、字符串分別轉成對應的包裝對象,能夠看到它們的原始值都在包裝對象的內部屬性[[PrimitiveValue]]
上面,這個屬性是不會被Object.assign
拷貝的。只有字符串的包裝對象,會產生可枚舉的實義屬性,那些屬性則會被拷貝。函數
Object.assign
只拷貝源對象的自身屬性(不拷貝繼承屬性),也不拷貝不可枚舉的屬性(enumerable: false
):Object.assign({b: 'c'},
Object.defineProperty({}, 'invisible', {
enumerable: false,
value: 'hello'
})
)
// { b: 'c' }
複製代碼
上述須要拷貝的對象只有一個不可枚舉屬性invisible,因此這個屬性並無被拷貝進去。ui
Symbol
值的屬性,也會被拷貝:Object.assign({ a: 'b' }, { [Symbol('c')]: 'd' })
// { a: 'b', Symbol(c): 'd' }
複製代碼
注意點this
const obj1 = {a: {b: 1}};
const obj2 = Object.assign({}, obj1);
obj1.a.b = 2;
obj2.a.b // 2
複製代碼
const target = { a: { b: 'c', d: 'e' } }
const source = { a: { b: 'hello' } }
Object.assign(target, source)
// { a: { b: 'hello' } }
複製代碼
上述代碼中,a
被整個替換,不會獲得{ a: { b: 'hello', d: 'e' } }
這樣的結果。es5
Object.assign([1, 2, 3], [4, 5])
// [4, 5, 3]
複製代碼
上述代碼中,之後一個數組的值替換了目標數組中對應下標的值。
Object.assign
只能進行值的複製,若是要複製的值是一個取值函數,那麼將求值後再複製:const source = {
get foo() { return 1 }
};
const target = {};
Object.assign(target, source)
// { foo: 1 }
複製代碼
常見用途
class Point {
constructor(x, y) {
Object.assign(this, {x, y});
}
}
複製代碼
Object.assign(SomeClass.prototype, {
someMethod(arg1, arg2) {
···
},
anotherMethod() {
···
}
});
// 等同於下面的寫法
SomeClass.prototype.someMethod = function (arg1, arg2) {
···
};
SomeClass.prototype.anotherMethod = function () {
···
};
複製代碼
function clone(origin) {
return Object.assign({}, origin);
}
複製代碼
上面代碼將原始對象拷貝到一個空對象,就獲得了原始對象的克隆,可是隻能克隆原始對象自身的值,不能克隆它繼承的值,下面的代碼能夠實現克隆繼承的值:
function clone(origin) {
let originProto = Object.getPrototypeOf(origin);
return Object.assign(Object.create(originProto), origin);
}
複製代碼
const merge =
(target, ...sources) => Object.assign(target, ...sources);
//合併後返回一個新對象
const merge =
(...sources) => Object.assign({}, ...sources);
複製代碼
const DEFAULTS = {
logLevel: 0,
outputFormat: 'html'
};
function processContent(options) {
options = Object.assign({}, DEFAULTS, options);
console.log(options);
// ...
}
複製代碼
ES5 的Object.getOwnPropertyDescriptor()
方法會返回某個對象屬性的描述對象(descriptor)。ES2017 引入了Object.getOwnPropertyDescriptors()
方法,返回指定對象全部自身屬性(非繼承屬性)的描述對象。
const obj = {
foo: 123,
get bar() { return 'abc' }
};
Object.getOwnPropertyDescriptors(obj)
// { foo:
// { value: 123,
// writable: true,
// enumerable: true,
// configurable: true },
// bar:
// { get: [Function: get bar],
// set: undefined,
// enumerable: true,
// configurable: true } }
複製代碼
上面代碼中,Object.getOwnPropertyDescriptors()
方法返回一個對象,全部原對象的屬性名都是該對象的屬性名,對應的屬性值就是該屬性的描述對象。 該方法的實現:
function getOwnPropertyDescriptors(obj) {
const result = {};
for (let key of Reflect.ownKeys(obj)) {
result[key] = Object.getOwnPropertyDescriptor(obj, key);
}
return result;
}
複製代碼
Object.getOwnPropertyDescriptors()
方法的引入就是爲了解決Object.assign()
沒法正確拷貝get屬性和set屬性的問題。const source = {
set foo(value) {
console.log(value);
}
};
const target1 = {};
Object.assign(target1, source);
Object.getOwnPropertyDescriptor(target1, 'foo')
// { value: undefined,
// writable: true,
// enumerable: true,
// configurable: true }
複製代碼
上述代碼中,使用Object.assign
拷貝source
對象到target1
對象,可是set
方法並無被成功拷貝,其值變成了undefined
,這是由於Object.assign
只拷貝屬性的值,而不拷貝賦值方法或取值方法。 可是,使用Object.getOwnPropertyDescriptors()
方法配合Object.defineProperties()
方法,就能夠實現正確拷貝:
const source = {
set foo(value) {
console.log(value);
}
};
const target2 = {};
Object.defineProperties(target2, Object.getOwnPropertyDescriptors(source));
Object.getOwnPropertyDescriptor(target2, 'foo')
// { get: undefined,
// set: [Function: set foo],
// enumerable: true,
// configurable: true }
複製代碼
以上代碼兩個對象的合併可簡化:
const shallowMerge = (target, source) => Object.defineProperties(
target,
Object.getOwnPropertyDescriptors(source)
);
複製代碼
Object.getOwnPropertyDescriptors()
方法的另外一個用處,是配合Object.create()
方法,將對象屬性克隆到一個新對象,屬於淺拷貝。
const clone = Object.create(Object.getPrototypeOf(obj),
Object.getOwnPropertyDescriptors(obj));
// 或者
const shallowClone = (obj) => Object.create(
Object.getPrototypeOf(obj),
Object.getOwnPropertyDescriptors(obj)
);
複製代碼
const obj = {
__proto__: prot,
foo: 123,
};
複製代碼
ES6 規定__proto__只有瀏覽器要部署,其餘環境不用部署。若是去除__proto__,上面代碼就要改爲下面這樣。
const obj = Object.create(prot);
obj.foo = 123;
// 或者
const obj = Object.assign(
Object.create(prot),
{
foo: 123,
}
);
複製代碼
Object.getOwnPropertyDescriptors()
寫法:
const obj = Object.create(
prot,
Object.getOwnPropertyDescriptors({
foo: 123,
})
);
複製代碼
let mix = (object) => ({
with: (...mixins) => mixins.reduce(
(c, mixin) => Object.create(
c, Object.getOwnPropertyDescriptors(mixin)
), object)
});
// multiple mixins example
let a = {a: 'a'};
let b = {b: 'b'};
let c = {c: 'c'};
let d = mix(c).with(a, b);
d.c // "c"
d.b // "b"
d.a // "a"
複製代碼
上面代碼返回一個新的對象d,表明了對象a和b被混入了對象c的操做。
__proto__屬性
// es5 的寫法
const obj = {
method: function() { ... }
};
obj.__proto__ = someOtherObj;
// es6 的寫法
var obj = Object.create(someOtherObj);
obj.method = function() { ... };
複製代碼
標準明確規定,只有瀏覽器必須部署這個屬性,其餘運行環境不必定須要部署,並且新的代碼最好認爲這個屬性是不存在的。所以,不管從語義的角度,仍是從兼容性的角度,都不要使用這個屬性,而是使用下面的Object.setPrototypeOf()(寫操做)、Object.getPrototypeOf()(讀操做)、Object.create()(生成操做)代替。 具體實現上,__proto__
調用的是Object.prototype.__proto__
,具體實現以下:
Object.defineProperty(Object.prototype, '__proto__', {
get() {
let _thisObj = Object(this);
return Object.getPrototypeOf(_thisObj);
},
set(proto) {
if (this === undefined || this === null) {
throw new TypeError();
}
if (!isObject(this)) {
return undefined;
}
if (!isObject(proto)) {
return undefined;
}
let status = Reflect.setPrototypeOf(this, proto);
if (!status) {
throw new TypeError();
}
},
});
function isObject(value) {
return Object(value) === value;
}
複製代碼
Object.getPrototypeOf()
用於讀取一個對象的原型對象:
function Rectangle() {
// ...
}
const rec = new Rectangle();
Object.getPrototypeOf(rec) === Rectangle.prototype
// true
Object.setPrototypeOf(rec, Object.prototype);
Object.getPrototypeOf(rec) === Rectangle.prototype
// false
複製代碼
若是參數不是對象,會被自動轉爲對象:
// 等同於 Object.getPrototypeOf(Number(1))
Object.getPrototypeOf(1)
// Number {[[PrimitiveValue]]: 0}
// 等同於 Object.getPrototypeOf(String('foo'))
Object.getPrototypeOf('foo')
// String {length: 0, [[PrimitiveValue]]: ""}
// 等同於 Object.getPrototypeOf(Boolean(true))
Object.getPrototypeOf(true)
// Boolean {[[PrimitiveValue]]: false}
Object.getPrototypeOf(1) === Number.prototype // true
Object.getPrototypeOf('foo') === String.prototype // true
Object.getPrototypeOf(true) === Boolean.prototype // true
複製代碼
若是參數是undefined或null,它們沒法轉爲對象,因此會報錯:
Object.getPrototypeOf(null)
// TypeError: Cannot convert undefined or null to object
Object.getPrototypeOf(undefined)
// TypeError: Cannot convert undefined or null to object
複製代碼
Object.setPrototypeOf
方法的做用與__proto__
相同,用來設置一個對象的prototype
對象,返回參數對象自己。它是 ES6 正式推薦的設置原型對象的方法:
// 格式
Object.setPrototypeOf(object, prototype)
// 用法
const o = Object.setPrototypeOf({}, null);
複製代碼
該方法等同於下面的函數:
function setPrototypeOf(obj, proto) {
obj.__proto__ = proto;
return obj;
}
複製代碼
例子:
let proto = {};
let obj = { x: 10 };
Object.setPrototypeOf(obj, proto);
proto.y = 20;
proto.z = 40;
obj.x // 10
obj.y // 20
obj.z // 40
複製代碼
上面代碼將proto
對象設爲obj
對象的原型,因此從obj
對象能夠讀取proto
對象的屬性。
若是第一個參數不是對象,會自動轉爲對象。可是因爲返回的仍是第一個參數,因此這個操做不會產生任何效果。
Object.setPrototypeOf(1, {}) === 1 // true
Object.setPrototypeOf('foo', {}) === 'foo' // true
Object.setPrototypeOf(true, {}) === true // true
複製代碼
因爲undefined
和null
沒法轉爲對象,因此若是第一個參數是undefined
或null
,就會報錯。
Object.setPrototypeOf(undefined, {})
// TypeError: Object.setPrototypeOf called on null or undefined
Object.setPrototypeOf(null, {})
// TypeError: Object.setPrototypeOf called on null or undefined
複製代碼
返回一個成員是參數對象自身的(不含繼承的)全部可遍歷(enumerable)屬性的鍵名的數組:
var obj = { foo: 'bar', baz: 42 };
Object.keys(obj)
// ["foo", "baz"]
複製代碼
Object.keys
配套的Object.values
和Object.entries
,做爲遍歷一個對象的補充手段,供for...of
循環使用:
let {keys, values, entries} = Object;
let obj = { a: 1, b: 2, c: 3 };
for (let key of keys(obj)) {
console.log(key); // 'a', 'b', 'c'
}
for (let value of values(obj)) {
console.log(value); // 1, 2, 3
}
for (let [key, value] of entries(obj)) {
console.log([key, value]); // ['a', 1], ['b', 2], ['c', 3]
}
複製代碼
Object.values
方法返回一個數組,成員是參數對象自身的(不含繼承的)全部可遍歷(enumerable)屬性的鍵值:
const obj = { foo: 'bar', baz: 42 };
Object.values(obj)
// ["bar", 42]
複製代碼
Object.values
只返回對象自身的可遍歷屬性:
const obj = Object.create({}, {p: {value: 42}});
Object.values(obj) // []
複製代碼
上面代碼中,Object.create
方法的第二個參數添加的對象屬性(屬性p),若是不顯式聲明,默認是不可遍歷的,由於p
的屬性描述對象的enumerable
默認是false
,Object.values
不會返回這個屬性。只要把enumerable
改爲true
,Object.values
就會返回屬性p
的值。
const obj = Object.create({}, {p:
{
value: 42,
enumerable: true
}
});
Object.values(obj) // [42]
複製代碼
Object.values
會過濾屬性名爲 Symbol
值的屬性:
Object.values({ [Symbol()]: 123, foo: 'abc' });
// ['abc']
複製代碼
若是Object.values
方法的參數是一個字符串,會返回各個字符組成的一個數組。
Object.values('foo')
// ['f', 'o', 'o']
複製代碼
若是參數不是對象,Object.values
會先將其轉爲對象。因爲數值和布爾值的包裝對象,都不會爲實例添加非繼承的屬性。因此,Object.values
會返回空數組:
Object.values(42) // []
Object.values(true) // []
複製代碼
Object.entries()
方法返回一個數組,成員是參數對象自身的(不含繼承的)全部可遍歷(enumerable)屬性的鍵值對數組。
const obj = { foo: 'bar', baz: 42 };
Object.entries(obj)
// [ ["foo", "bar"], ["baz", 42] ]
複製代碼
除了返回值不同,該方法的行爲與Object.values
基本一致。
Object.entries
的基本用途是遍歷對象的屬性。
let obj = { one: 1, two: 2 };
for (let [k, v] of Object.entries(obj)) {
console.log(
`${JSON.stringify(k)}: ${JSON.stringify(v)}`
);
}
// "one": 1
// "two": 2
複製代碼
Object.entries
方法的另外一個用處是,將對象轉爲真正的Map
結構。
const obj = { foo: 'bar', baz: 42 };
const map = new Map(Object.entries(obj));
map // Map { foo: "bar", baz: 42 }
複製代碼
本身實現Object.entries
:
// Generator函數的版本
function* entries(obj) {
for (let key of Object.keys(obj)) {
yield [key, obj[key]];
}
}
// 非Generator函數的版本
function entries(obj) {
let arr = [];
for (let key of Object.keys(obj)) {
arr.push([key, obj[key]]);
}
return arr;
}
複製代碼
Object.fromEntries()
方法是Object.entries()
的逆操做,用於將一個鍵值對數組轉爲對象。
Object.fromEntries([
['foo', 'bar'],
['baz', 42]
])
// { foo: "bar", baz: 42 }
複製代碼
該方法的主要目的,是將鍵值對的數據結構還原爲對象,所以特別適合將 Map
結構轉爲對象。
// 例一
const entries = new Map([
['foo', 'bar'],
['baz', 42]
]);
Object.fromEntries(entries)
// { foo: "bar", baz: 42 }
// 例二
const map = new Map().set('foo', true).set('bar', false);
Object.fromEntries(map)
// { foo: true, bar: false }
複製代碼
該方法的一個用處是配合URLSearchParams
對象,將查詢字符串轉爲對象。
Object.fromEntries(new URLSearchParams('foo=bar&baz=qux'))
// { foo: "bar", baz: "qux" }
複製代碼