TypeError: unhashable type: 'dict'
当您尝试使用字典作为字典或字典中的键时,会发生此错误一套。 Python 由不可变对象(例如字符串、整数、浮点数、冻结集和不可变元组)组成,它们是可散列的并且可以用作键。但是,字典是可变的,因此不可哈希。
要使用字典作为键,必须将其转换为可哈希格式。如果字典仅包含不可变值,您可以使用 freezeset() 创建它的可哈希表示:
<code class="python">dict_key = {"a": "b"} key = frozenset(dict_key.items())</code>
现在您可以使用 key 作为字典或集合中的键:
<code class="python">some_dict[key] = True</code>
如果字典包含的值本身就是字典或列表,则需要递归地将它们转换为可哈希格式。这是一个可以提供帮助的实用函数:
<code class="python">def freeze(d): if isinstance(d, dict): return frozenset((key, freeze(value)) for key, value in d.items()) elif isinstance(d, list): return tuple(freeze(value) for value in d) return d</code>
通过使用此函数,您可以冻结字典,然后将其用作键:
<code class="python">key = freeze(dict_key) some_dict[key] = True</code>
以上是为什么我在 Python 中收到 \'TypeError: unhashable type: \'dict\'\' 以及如何修复它?的详细内容。更多信息请关注PHP中文网其他相关文章!