我正在使用Python 3,尽管已经转换为列表,但我似乎无法运行我的程序。
这是函数调用:
path = euleriancycle(edges)
这就是我使用keys方法的地方:
def euleriancycle(e):
currentnode = list[e.keys()[0]]
path = [currentnode]
我尝试在没有类型转换的情况下运行它来列出并得到此错误。在翻阅了这个网站和类似的查询之后,我按照建议的解决方案和输入列表但没有用。我得到了同样的错误。
这是错误追踪:
---------------------------------------------------------------------------
TypeError Traceback (most recent call last)
<ipython-input-56-356b905111a9> in <module>()
45 edges[int(edge[0])] = [int(edge[1])]
46
---> 47 path = euleriancycle(edges)
48 print(path)
<ipython-input-56-356b905111a9> in euleriancycle(e)
1 def euleriancycle(e):
----> 2 currentnode = list[e.keys()[0]]
3 path = [currentnode]
4
5 while true:
TypeError: 'dict_keys' object does not support indexing
答案 0 :(得分:8)
dict_keys
个对象(如集合)无法编入索引。
而不是:
list[e.keys()[0]]
接下来最接近的是:
list(e)[0]
Python不保证将返回dict中的哪个键,因此您可能希望自己对其进行排序。
答案 1 :(得分:3)
您正在尝试索引dict_keys
对象,然后将该元素转换为列表(除list[...]
与list(...)
之外的语法错误)。您需要先将整个对象转换为列表,然后将其编入索引。
currentnode = list[e.keys()[0]] # Wrong
currentnode = list(e.keys()[0]) # Less wrong, but still wrong
currentnode = list(e.keys())[0] # Right
list
接受任何迭代,字典返回的迭代器只是其键的迭代器,因此您不需要显式调用keys
。
currentnode = list(e)[0]