python将dict列表转换为元组列表

Tob*_*s K 1 python tuples list-comprehension

如何将 dict 列表转换为元组列表?输入:

[{'x': 0.4711900100474648, 'y': 0.6294374442355883}, {'x': 0.4732473419066774, 'y': 0.629306809190704}, {'x': 0.47373722332499346, 'y': 0.6274779185623242}, {'x': 0.47363924704133026, 'y': 0.6273908285324014}, {'x': 0.4731493656230142, 'y': 0.6261715681134813}, {'x': 0.4722349203088243, 'y': 0.6252571227992915}, {'x': 0.47210428526394, 'y': 0.62521357778433}, {'x': 0.4709285698599815, 'y': 0.6253442128292143}, {'x': 0.47024273587433907, 'y': 0.62612802309852}, {'x': 0.4706019822477708, 'y': 0.6283052738465912}]
Run Code Online (Sandbox Code Playgroud)

我要这个:

[(0,47..., 0.62...),(...,...)]
Run Code Online (Sandbox Code Playgroud)

我试过这个:

tupleList = [tuple(val['x'], val['y']) for dic in listOfDict for key,val in dic.items()]
Run Code Online (Sandbox Code Playgroud)

我收到错误 TypeError: 'float' object is not subscriptable

Or *_*r Y 5

list_of_points = [{'x': 0.4711900100474648, 'y': 0.6294374442355883}, {'x': 0.4732473419066774, 'y': 0.629306809190704}, {'x': 0.47373722332499346, 'y': 0.6274779185623242}, {'x': 0.47363924704133026, 'y': 0.6273908285324014}, {'x': 0.4731493656230142, 'y': 0.6261715681134813}, {'x': 0.4722349203088243, 'y': 0.6252571227992915}, {'x': 0.47210428526394, 'y': 0.62521357778433}, {'x': 0.4709285698599815, 'y': 0.6253442128292143}, {'x': 0.47024273587433907, 'y': 0.62612802309852}, {'x': 0.4706019822477708, 'y': 0.6283052738465912}]

points_tuples = [(p['x'], p['y']) for p in list_of_points] 
Run Code Online (Sandbox Code Playgroud)


Pat*_*ner 5

如果您使用的是 python 3.7+ 并按 x,y 顺序插入键(就像这里所做的那样),您可以简单地使用dict.values()每个内部字典的 。value() 也将按键(==输入)顺序排列:

data = [{'x': 0.4711900100474648, 'y': 0.6294374442355883}, 
        {'x': 0.4732473419066774, 'y': 0.629306809190704}, 
        {'x': 0.47373722332499346, 'y': 0.6274779185623242}, 
        {'x': 0.47363924704133026, 'y': 0.6273908285324014}, 
        {'x': 0.4731493656230142, 'y': 0.6261715681134813}, 
        {'x': 0.4722349203088243, 'y': 0.6252571227992915}, 
        {'x': 0.47210428526394, 'y': 0.62521357778433}, 
        {'x': 0.4709285698599815, 'y': 0.6253442128292143}, 
        {'x': 0.47024273587433907, 'y': 0.62612802309852}, 
        {'x': 0.4706019822477708, 'y': 0.6283052738465912}]

tup = [tuple(d.values()) for d in data]
Run Code Online (Sandbox Code Playgroud)

输出:

[(0.4711900100474648, 0.6294374442355883), (0.4732473419066774, 0.629306809190704), 
 (0.47373722332499346, 0.6274779185623242), (0.47363924704133026, 0.6273908285324014), 
 (0.4731493656230142, 0.6261715681134813), (0.4722349203088243, 0.6252571227992915), 
 (0.47210428526394, 0.62521357778433), (0.4709285698599815, 0.6253442128292143), 
 (0.47024273587433907, 0.62612802309852), (0.4706019822477708, 0.6283052738465912)]
Run Code Online (Sandbox Code Playgroud)

  • @Jan 使用 pyhton 3.8 字典中键的顺序保证是插入顺序 - 因此,如果您将它们输入为 x 那么 y 如果您对该字典使用values(),它们将保持这种方式 (2认同)