1

我有一个对象数组,例如:

const data: any[] = [
     { x: 1, y: 1 },
     { x: 2, y: 2 },
     { x: 3, y: 4 },
     { x: 4, y: 6 }
];

// get x as array
from(d).pipe(map(m => m.x), toArray()).subscribe(x => ...);

并想将其映射到下面的内容以使用它Plotly

{
  x: [1,2,3,4],
  y: [1,2,4,6]
}

当然,我可以复制上面的管道来获取 y 值,但这将是不同的订阅。还有其他方法可以解决这个问题吗?

4

3 回答 3

3

与 RxJS 无关,它只是普通的 JS。

使用reduce如下:

const data = [
     { x: 1, y: 1 },
     { x: 2, y: 2 },
     { x: 3, y: 4 },
     { x: 4, y: 6 }
];

const plotly = data.reduce((p, n) => ({ 
  x: [...p.x, n.x], 
  y: [...p.y, n.y]
}), { 
  x: [], 
  y: []
});

console.log(plotly);

于 2019-04-10T09:17:41.147 回答
0

改用rxjs reduce

from(this.data).pipe(
  reduce((acc, m) => {
    acc.x.push(m.x);
    acc.y.push(m.y);
    return acc
  }, {x: [], y: []})).subscribe(x => console.log(x));

https://stackblitz.com/edit/angular-gldpxy

于 2019-04-10T09:16:56.487 回答
0

让我们在这里使用一些 ES6 魔法。我们将使用扩展语法Object.assign。在某种程度上,我们是在转置这个对象数组。

const data = [
     { x: 1, y: 1 },
     { x: 2, y: 2 },
     { x: 3, y: 4 },
     { x: 4, y: 6 }
];

const result = Object.assign(...Object.keys(data[0]).map(key =>
  ({ [key]: data.map( o => o[key] ) })
));

console.log(result)

于 2019-04-10T09:18:53.327 回答