在 Python 中,赋值运算符(例如 =)不会创建对象的副本。相反,它们引用内存中现有的对象。此行为可能会导致意想不到的后果,如以下代码所示:
dict_a = dict_b = dict_c = {} dict_c['hello'] = 'goodbye' print(dict_a) print(dict_b) print(dict_c)
预期输出:
{} {} {'hello': 'goodbye'}
实际输出:
{'hello': 'goodbye'} {'hello': 'goodbye'} {'hello': 'goodbye'}
在此例如,我们希望创建三个独立的词典。然而,结果显示 dict_a、dict_b 和 dict_c 都引用同一个字典对象。为 dict_c 分配键会修改共享字典,这会反映在所有三个变量中。
为了实现创建独立副本的所需行为,Python 提供了几个选项:
dict_a = {1: 2} dict_b = dict_a.copy() dict_b[3] = 4 print(dict_a) print(dict_b)
输出:
{1: 2} {1: 2, 3: 4}
import copy dict_a = {1: 2, 'nested': {3: 4}} dict_b = copy.deepcopy(dict_a) dict_b['nested'][5] = 6 print(dict_a) print(dict_b)
输出:
{1: 2, 'nested': {3: 4}} {1: 2, 'nested': {3: 4, 5: 6}}
通过使用这些方法,可以控制 Python 中的对象分配并防止对共享对象的意外修改。
以上是Python 的对象分配如何工作以及如何创建独立副本?的详细内容。更多信息请关注PHP中文网其他相关文章!