美文网首页
ES6中对象新增的方法

ES6中对象新增的方法

作者: HalShaw | 来源:发表于2019-08-25 16:08 被阅读0次
    Object

    一、概览

    1. Object.is()
    2. Object.assign()
    3. Object.getOwnPropertyDescriptors()
    4. __proto__属性
    5. Object.getPrototypeOf()
    6. Object.setPrototypeOf()
    7. Object.keys()
    8. Object.values()
    9. Object.entries()
    10. Object.fromEntries()

    Object.is()

    ES5中的=====都可以用来判断两个值是否相等,但是都有缺陷,==会自动进行隐式类型转换,===NaN不等于自身及+0不等于-0
    Object.is()引入的目的就是为了保证在所有环境中,只要两个值是一样的,它们就应该相等,其行为与===基本一致,用来比较两个值是否严格相等。

    Object.is('foo', 'foo')
    // true
    Object.is({}, {})
    // false
    

    有两个不同之处:一是+0不等于-0,二是NaN等于自身。

    +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()

    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}
    

    基本用法

    • 后面的属性会覆盖前面相同的属性:
    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"
    
    • 由于undefinednull无法转成对象,所以如果它们作为参数,就会报错:
    Object.assign(undefined) // 报错
    Object.assign(null) // 报错
    
    • 但是如果undefinednull都不在首参数,就不会报错:
    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,所以这个属性并没有被拷贝进去。

    • 属性名为 Symbol 值的属性,也会被拷贝:
    Object.assign({ a: 'b' }, { [Symbol('c')]: 'd' })
    // { a: 'b', Symbol(c): 'd' }
    

    注意点

    • 浅拷贝
    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' } }这样的结果。

    • 数组的处理
    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);
      // ...
    }
    

    Object.getOwnPropertyDescriptors()

    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,
      })
    );
    
    • 实现Mixin(混入)模式
    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()

    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()

    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
    

    由于undefinednull无法转为对象,所以如果第一个参数是undefinednull,就会报错。

    Object.setPrototypeOf(undefined, {})
    // TypeError: Object.setPrototypeOf called on null or undefined
    
    Object.setPrototypeOf(null, {})
    // TypeError: Object.setPrototypeOf called on null or undefined
    

    Object.keys()

    返回一个成员是参数对象自身的(不含继承的)所有可遍历(enumerable)属性的键名的数组:

    var obj = { foo: 'bar', baz: 42 };
    Object.keys(obj)
    // ["foo", "baz"]
    

    Object.keys配套的Object.valuesObject.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()

    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默认是falseObject.values不会返回这个属性。只要把enumerable改成trueObject.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()

    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.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" }
    

    参考

    http://es6.ruanyifeng.com/#docs/object-methods#Object-is

    相关文章

      网友评论

          本文标题:ES6中对象新增的方法

          本文链接:https://www.haomeiwen.com/subject/cowosctx.html