将字典转换为Python中的元组列表

从一种收集类型转换为另一种收集类型在python中非常常见。根据数据处理的需要,我们可能必须将字典中存在的键值对转换为代表列表中元组的对。在本文中,我们将看到实现这一目标的方法。

这是一种简单的方法,我们只考虑

示例

Adict = {30:'Mon',11:'Tue',19:'Fri'}

# Given dictionary
print("The given dictionary: ",Adict)

# Using in
Alist = [(key, val) for key, val in Adict.items()]

# Result
print("The list of tuples: ",Alist)

输出结果

运行上面的代码给我们以下结果-

The given dictionary: {30: 'Mon', 11: 'Tue', 19: 'Fri'}
The list of tuples: [(30, 'Mon'), (11, 'Tue'), (19, 'Fri')]

带拉链

zip函数将传递给它的项目组合为参数。因此,我们将字典的键和值作为zip函数的参数,并将结果放在list函数下。键值对成为列表的元组。

示例

Adict = {30:'Mon',11:'Tue',19:'Fri'}

# Given dictionary
print("The given dictionary: ",Adict)

# Using zip
Alist = list(zip(Adict.keys(), Adict.values()))

# Result
print("The list of tuples: ",Alist)

输出结果

运行上面的代码给我们以下结果-

The given dictionary: {30: 'Mon', 11: 'Tue', 19: 'Fri'}
The list of tuples: [(30, 'Mon'), (11, 'Tue'), (19, 'Fri')]

带附加

在这种方法中,我们采用一个空列表并将每个键值对附加为元组。for循环用于将键值对转换为元组。

示例

Adict = {30:'Mon',11:'Tue',19:'Fri'}

# Given dictionary
print("The given dictionary: ",Adict)

Alist = []

# Uisng append
for x in Adict:
k = (x, Adict[x])
Alist.append(k)

# Result
print("The list of tuples: ",Alist)

输出结果

运行上面的代码给我们以下结果-

The given dictionary: {30: 'Mon', 11: 'Tue', 19: 'Fri'}
The list of tuples: [(30, 'Mon'), (11, 'Tue'), (19, 'Fri')]