是否可以解构到现有对象上? (Javascript ES6)

Is it possible to destructure onto an existing object? (Javascript ES6)

例如,如果我有两个对象:

var foo = {
  x: "bar",
  y: "baz"
}

var oof = {}

我想将 x 和 y 值从 foo 转移到 oof。有没有办法使用 es6 解构语法来做到这一点?

可能是这样的:

oof{x,y} = foo

不,解构目前不支持简写形式的成员表达式,但仅支持普通的属性名称。 esdiscuss 上有 have been talks 此类内容,但没有提案将其纳入 ES6。

您也许可以使用 Object.assign 但是 - 如果您不需要所有自己的属性,您仍然可以使用

var foo = …,
    oof = {};
{
    let {x, y} = foo;
    Object.assign(oof, {x, y})
}

这适用于 chrome 53.0.2785.89

    let foo = {
      x: "bar",
      y: "baz"
    };
    
    let oof = {x, y} = foo;
    
    console.log(`oof: ${JSON.stringify(oof)}`);
    
    //prints oof: { "x": "bar", "y": "baz"}

除了 Object.assign,还有 object spread syntax,这是 ECMAScript 的第 2 阶段提案。

    var foo = {
      x: "bar",
      y: "baz"
    }
    
    var oof = { z: "z" }
    
    oof =  {...oof, ...foo }
    
    console.log(oof)

    /* result 
    {
      "x": "bar",
      "y": "baz",
      "z": "z"
    }
    */

但要使用此功能,您需要使用 stage-2transform-object-rest-spread babel 插件。这是一个demo on babel with stage-2

虽然丑陋且有点重复,但您可以做到

({x: oof.x, y: oof.y} = foo);

这将读取 foo 对象的两个值,并将它们写入 oof 对象上各自的位置。

就我个人而言,我还是更愿意阅读

oof.x = foo.x;
oof.y = foo.y;

['x', 'y'].forEach(prop => oof[prop] = foo[prop]);

虽然。

我想到了这个方法:

exports.pick = function pick(src, props, dest={}) {
    return Object.keys(props).reduce((d,p) => {
        if(typeof props[p] === 'string') {
            d[props[p]] = src[p];
        } else if(props[p]) {
            d[p] = src[p];
        }
        return d;
    },dest);
};

你可以这样使用:

let cbEvents = util.pick(this.props.events, {onFocus:1,onBlur:1,onCheck:'onChange'});
let wrapEvents = util.pick(this.props.events, {onMouseEnter:1,onMouseLeave:1});

也就是说,你可以选择你想要的属性并将它们放入一个新对象中。与 _.pick 不同,您还可以同时重命名它们。

如果您想将道具复制到现有对象上,只需设置 dest 参数。

这有点作弊,但你可以这样做...

const originalObject = {
  hello: 'nurse',
  meaningOfLife: 42,
  your: 'mom',
};

const partialObject = (({ hello, your }) => {
  return { hello, your };
})(originalObject);

console.log(partialObject); // ​​​​​{ hello: 'nurse', your: 'mom' }​​​​​

在实践中,我认为您很少想使用它。下面是更清楚的...但不是很有趣。

const partialObject = {
  hello: originalObject.hello,
  your: originalObject.your,
};

另一条完全不同的路线,其中包括破坏原型(现在要小心......):

if (!Object.prototype.pluck) {
  Object.prototype.pluck = function(...props) {
    return props.reduce((destObj, prop) => {
      destObj[prop] = this[prop];

      return destObj;
    }, {});
  }
}

const originalObject = {
  hello: 'nurse',
  meaningOfLife: 42,
  your: 'mom',
};

const partialObject2 = originalObject.pluck('hello', 'your');

console.log(partialObject2); // { hello: 'nurse', your: 'mom' }

你可以return箭头函数中的解构对象,然后使用Object.assign()将其赋值给一个变量。

const foo = {
  x: "bar",
  y: "baz"
}

const oof = Object.assign({}, () => ({ x, y } = foo));

IMO 这是完成您所寻找的最简单的方法:

let { prop1, prop2, prop3 } = someObject;
let data = { prop1, prop2, prop3 };

  // data === { prop1: someObject.prop1, ... }

基本上,解构为变量,然后使用初始化程序 shorthand 创建一个新对象。不需要 Object.assign

无论如何,我认为这是最易读的方式。您可以在此 select 从 someObject 中选择您想要的确切道具。如果您有一个现有的对象,您只想将道具合并到其中,请执行以下操作:

let { prop1, prop2, prop3 } = someObject;
let data = Object.assign(otherObject, { prop1, prop2, prop3 });
    // Makes a new copy, or...
Object.assign(otherObject, { prop1, prop2, prop3 });
    // Merges into otherObject

另一种可以说更简洁的写法是:

let { prop1, prop2, prop3 } = someObject;
let newObject = { prop1, prop2, prop3 };

// Merges your selected props into otherObject
Object.assign(otherObject, newObject);

我经常将它用于 POST 请求,而我只需要一些离散数据。但是,我同意应该有一个衬垫来做到这一点。

编辑:P.S。 - 我最近了解到您可以在第一步中使用超级解构来从复杂对象中提取嵌套值!例如...

let { prop1, 
      prop2: { somethingDeeper }, 
      prop3: { 
         nested1: {
            nested2
         } 
      } = someObject;
let data = { prop1, somethingDeeper, nested2 };

此外,您可以在创建新对象时使用展开运算符而不是 Object.assign:

const { prop1, prop2, prop3 } = someObject;
let finalObject = {...otherObject, prop1, prop2, prop3 };

或者……

const { prop1, prop2, prop3 } = someObject;
const intermediateObject = { prop1, prop2, prop3 };
const finalObject = {...otherObject, ...intermediateObject };

您可以像这样使用重构:

const foo = {x:"a", y:"b"};
const {...oof} = foo; // {x:"a", y:"b"} 

如果 oof 有值,则合并两个对象:

const foo = {x:"a", y:"b"};
let oof = {z:"c"}
oof = Object.assign({}, oof, foo)

这是我能想到的最易读且最短的解决方案:

let props = { 
  isValidDate: 'yes',
  badProp: 'no!',
};

let { isValidDate } = props;
let newProps = { isValidDate };

console.log(newProps);

会输出{ isValidDate: 'yes' }

如果有一天能说出类似 let newProps = ({ isValidDate } = props) 的东西就好了,但不幸的是,ES6 不支持它。

BabelJS 插件

如果您使用 BabelJS you can now activate my plugin babel-plugin-transform-object-from-destructuring (see npm package for installation and usage).

我遇到了此线程中描述的相同问题,当您从解构表达式创建对象时,对我来说非常累人,尤其是当您必须重命名、添加或删除 属性 时。使用此插件维护此类场景对您来说变得更加容易。

对象示例

let myObject = {
  test1: "stringTest1",
  test2: "stringTest2",
  test3: "stringTest3"
};
let { test1, test3 } = myObject,
  myTest = { test1, test3 };

可以写成:

let myTest = { test1, test3 } = myObject;

数组示例

let myArray = ["stringTest1", "stringTest2", "stringTest3"];
let [ test1, , test3 ] = myArray,
  myTest = [ test1, test3 ];

可以写成:

let myTest = [ test1, , test3 ] = myArray;

完全有可能。只是不是在一个声明中。

var foo = {
    x: "bar",
    y: "baz"
};
var oof = {};
({x: oof.x, y: oof.y} = foo); // {x: "bar", y: "baz"}

(请注意语句周围的括号。) 但请记住,易读性比 code-golfing :).

更重要

来源:http://exploringjs.com/es6/ch_destructuring.html#sec_assignment-targets

试试看

    var a = {a1:1, a2: 2, a3: 3};
    var b = {b1:1, b2: 2, b3: 3};
    
    const newVar = (() => ({a1, a2, b1, b2})).bind({...a, ...b});
    const val = newVar();
    console.log({...val});
    // print: Object { a1: 1, a2: 2, b1: 1, b2: 2 }

    console.log({...(() => ({a1, a2, b1, b2})).bind({...a, ...b})()});

这种方式不是很美,我也不推荐,但是这种方式是可以的,学习一下。

   const myObject = {
      name: 'foo',
      surname: 'bar',
      year: 2018
    };

    const newObject = ['name', 'surname'].reduce(
      (prev, curr) => (prev[curr] = myObject[curr], prev),
      {},
    );

    console.log(JSON.stringify(newObject)); // {"name":"foo","surname":"bar"}

您可以销毁直接分配给另一个对象属性的对象。

工作示例:

let user = {};
[user.name, user.username] = "Stack Overflow".split(' ');
document.write(`
1st attr: ${user.name} <br /> 
2nd attr: ${user.username}`);

您可以使用与您要捕获的对象属性同名的变量进行解构,这样您就不需要这样做:

let user = { name: 'Mike' }
let { name: name } = user;

这样使用:

let user = { name: 'Mike' }
let { name } = user;

如果对象结构具有相同的属性名称,您可以使用同样的方法为对象结构设置新值。

看看这个工作示例:

// The object to be destructed
let options = {
  title: "Menu",
  width: 100,
  height: 200
};

// Destructing
let {width: w, height: h, title} = options;

// Feedback
document.write(title + "<br />");  // Menu
document.write(w + "<br />");      // 100
document.write(h);                 // 200

可以使用JSONclass方法实现如下

const foo = {
   x: "bar",
   y: "baz"
};

const oof = JSON.parse(JSON.stringify(foo, ['x','y']));
// output -> {x: "bar", y: "baz"}

将需要添加到结果对象的属性作为数组格式的第二个参数传递给 stringify 函数。

MDN Doc for JSON.stringify