10

我有一个字典列表,其中包含一个字段中的另一个列表。我想“展平”该列表,因此它为每个子元素提供了从父项复制到其中的一个字段(或一些字段)。例子:

源数据:

[
    {
        "name": "A",
        "foo": "x",
        "bar": 1,
        "subelements": [
            {
                "baz": "xyz",
                "foobar": "abc"
            },
            {
                "baz": "zzz",
                "foobar": "def"
            }
        ]
    },
    {
        "name": "B",
        "foo": "Y",
        "bar": 4,
        "subelements": [
            {
                "baz": "yyy",
                "foobar": "aaa"
            },
            {
                "baz": "xxx",
                "foobar": "bbb"
            },
            {
                "baz": "www",
                "foobar": "bbb"
            }
        ]
    }
]

预期结果:

[
    {
        "baz": "xyz",
        "foobar": "abc",
        "foo": "x"
    },
    {
        "baz": "zzz",
        "foobar": "def",
        "foo": "x"
    },
    {
        "baz": "yyy",
        "foobar": "aaa",
        "foo": "Y"
    },
    {
        "baz": "xxx",
        "foobar": "bbb",
        "foo": "Y"
    },
    {
        "baz": "www",
        "foobar": "bbb",
        "foo": "Y"
    }
]
4

2 回答 2

4

如果没有父节点引用,目前无法做到这一点。父节点访问仍列为功能请求

于 2018-10-16T10:29:02.400 回答
-1

你必须使用 JMESPath 吗?在 Vanilla JS 中执行此操作并不复杂:

ans = [];
input.forEach(elem =>
    elem["subelements"].forEach(subElem => {
        ans.push(Object.assign({
            foo: a["foo"]
        }, subElem))
    })
);

或者,如果你喜欢更多的 FP,

ans = Array.prototype.concat.apply([], input.map(elem =>
    elem["subelements"].map(subElem =>
        Object.assign({
            foo: a["foo"]
        }, subElem)
    )
));

如果您是 ECMAScript 2018 的服务器端或正在对其进行填充,那么您可以替换Object.assign({foo: a["foo"]}, elem){foo: a["foo"], ...elem}. ECMAScript 2015 让您可以[].concat(...input.map(_))使用第二种解决方案。

于 2018-10-16T21:18:58.753 回答