我是Python的新手,所以请对我好一点。我正在使用字典来存储一个键的多个值,但是,当我尝试更新值时遇到了问题。这是我设置字典的方式;首先,我使用setdefault()
写下第一个值:
dictionary.setdefault(id.ID, []).append(id.enterTime)
dictionary.setdefault(id.ID, []).append(id.duration)
dictionary.setdefault(id.ID, []).append(id.enter)
dictionary.setdefault(id.ID, []).append(id.exit)
dictionary.setdefault(id.ID, []).append(id.standing)
dictionary.setdefault(id.ID, []).append(id.sitting)
为便于说明,可以说在打印时它会产生以下输出:
{0: [5, 120, 0, 0, 0, 0]}
当更改id.enter实例变量时,我使用以下代码通过仅删除原始值并将新值附加到字典来更新字典:
dictionary[id.ID].remove(id.enter)
dictionary[id.ID].insert(2, id.enter)
字典打印如下:
{0: [5, 120, 1, 0, 0, 0]}
在程序中,实例变量id.exit变为1。在将字典中的退出值从0更新为1后,我尝试更改退出值,如下所示:
dictionary[id.ID].remove(id.exit)
dictionary[id.ID].insert(3, id.exit)
我知道这是非常糟糕的方法,但是我认为这将是更新值的最简单方法。当我这样做时,会发生问题,因为它将id.enter
更改回其原始值,但更新了id.exit
:
{0: [5, 120, 0, 1, 0, 0]}
有人知道为什么会这样吗?谢谢。
答案 0 :(得分:2)
使用@ mkrieger1的答案解释了您的代码存在的问题/错误,并给出了快速的解决方案。
另一种存储数据的方法可能是使用嵌套字典来使其更清晰,更不易出错:
my_dict = {
id.ID: {
'enterTime': id.enterTime,
'duration': id.duration,
'enter': id.enter,
'exit': id.exit,
'standing': id.standing,
'sitting': id.sitting,
}
}
甚至可以使用defaultdict
:
import collections
my_dict = collections.defaultdict(lambda: {
'enterTime': 0,
'duration': 0,
'enter': 0,
'exit': 0,
'standing': 0,
'sitting': 0,
})
print(my_dict)
# defaultdict(<function <lambda> at 0x7f327d094ae8>, {})
# add a new ID, it creates the nested dict automatically
my_dict[object_1.ID]['exit'] = object_1.exit
print(my_dict)
# defaultdict(<function <lambda> at 0x7f327d094ae8>, {1: {'enterTime': 0, 'duration': 0, 'enter': 0, 'exit': 5, 'standing': 0, 'sitting': 0}})
答案 1 :(得分:1)
如tutorial中所述:
list.remove(x)
从列表中删除值等于x的第一项。如果没有此类项目,则会引发ValueError。
因此,如果您有列表
[5, 120, 1, 0, 0, 0]
并使用remove(id.exit)
,当id.exit
等于1时,列表将变为:
[5, 120, 0, 0, 0]
作为一种简单的解决方案,而不是
dictionary[id.ID].remove(id.exit)
dictionary[id.ID].insert(3, id.exit)
只需使用
dictionary[id.ID][3] = id.exit