📜  Python|以索引为值的字典

📅  最后修改于: 2022-05-13 01:54:25.343000             🧑  作者: Mango

Python|以索引为值的字典

数据类型之间的相互转换非常流行,因此已经编写了许多文章来演示其解决方案的不同类型的问题。本文处理另一个将列表转换为字典的类似类型问题,其中值作为元素出现的索引。让我们讨论一些可以解决这个问题的方法。

方法 #1:使用字典理解 + enumerate()

使用上述函数的组合可以轻松解决这个问题,字典理解可以执行构造字典的任务,并且可以使用枚举函数来访问索引值以及元素。

# Python3 code to demonstrate
# Dictionary with index as value
# using Dictionary comprehension + enumerate()
  
# initializing list
test_list = ['Nikhil', 'Akshat', 'Akash', 'Manjeet']
  
# printing original list
print("The original list : " + str(test_list))
  
# using Dictionary comprehension + enumerate()
# Dictionary with index as value
res = {val : idx + 1 for idx, val in enumerate(test_list)}
  
# print result
print("The Dictionary after index keys : " + str(res))
输出 :
The original list : ['Nikhil', 'Akshat', 'Akash', 'Manjeet']
The Dictionary after index keys : {'Akshat': 2, 'Nikhil': 1, 'Manjeet': 4, 'Akash': 3}

方法 #2:使用dict() + zip()

这个问题也可以通过上面2个函数的组合来解决,dict方法可以用来转换成字典,zip函数可以用来映射索引和键。

# Python3 code to demonstrate
# Dictionary with index as value
# using dict() + zip()
  
# initializing list
test_list = ['Nikhil', 'Akshat', 'Akash', 'Manjeet']
  
# printing original list
print("The original list : " + str(test_list))
  
# using dict() + zip()
# Dictionary with index as value
res = dict(zip(test_list, range(1, len(test_list)+1)))
  
# print result
print("The Dictionary after index keys : " + str(res))
输出 :
The original list : ['Nikhil', 'Akshat', 'Akash', 'Manjeet']
The Dictionary after index keys : {'Akshat': 2, 'Nikhil': 1, 'Manjeet': 4, 'Akash': 3}