python3 中 array_column 的等价物是什么

What is the equivalent of array_column in python3

我有一个字典列表,我只想从每个字典中获取一个特定的项目。我的数据模式是:

data = [
    {
        "_id": "uuid",
        "_index": "my_index",
        "_score": 1,
        "_source": {
            "id" : 1,
            "price": 100
        }
    },
    {
        "_id": "uuid",
        "_index": "my_index",
        "_score": 1,
        "_source": {
            "id" : 2,
            "price": 150
        }
    },
    {
        "_id": "uuid",
        "_index": "my_index",
        "_score": 1,
        "_source": {
            "id" : 3,
            "price": 90
        }
    }
]

我想要的输出:

formatted_data = [
    {
        "id": 1,
        "price": 100
    },
    {
        "id": 2,
        "price": 150
    },
    {
        "id": 3,
        "price": 90
    }
]

为了形成数据,我使用了像

这样的迭代(for
formatted_data = []
for item in data:
    formatted_data.append(item['_source'])

在 PHP 中我可以使用 array_column() 而不是 for 循环。那么在我的情况下 python3 中 for 的替代方案是什么? 提前致谢。

您可以使用列表理解:

In [11]: [e['_source'] for e in data]
Out[11]: [{'id': 1, 'price': 100}, {'id': 2, 'price': 150}, {'id': 3, 'price': 90}]