我怀疑是否将类变量存储在第二个变量中,以便稍后调用。 这是我的代码(简化为可读的):
class Agent(object):
def __init__(self):
self.actual = []
class Play(object):
def __init__(self):
self.x = 0.45 * 400
self.y = 0.5 * 400
self.position = []
self.position.append([self.x, self.y])
self.x_change = 20
self.y_change = 0
def do_move(self, move, x, y):
move_array = [self.x_change, self.y_change]
if move == 1 and self.x_change == 0: # right
move_array = [20, 0]
self.x_change, self.y_change = move_array
self.x = x + self.x_change
self.y = y + self.y_change
self.update_position(self.x, self.y)
def update_position(self, x, y):
self.position[-1][0] = x
self.position[-1][1] = y
def run():
agent = Agent()
player1 = Play()
agent.actual = [player1.position]
print(agent.actual[0])
i = 1
player1.do_move(i, player1.x, player1.y)
print(agent.actual[0])
run()
>> [[180.0, 200.0]]
>> [[200.0, 200.0]]
这是我无法理解的。为什么如果agent.actual
存储了player.position
并且在agent.actual = [player1.position]
之后没有被修改,它的值实际上在两个print()
之间改变了?
我修改了player.position
,但没有修改agent.actual
,这意味着它应该保持不变。我无法弄清楚!
编辑: 我按照建议尝试了以下方法:
agent.actual = player1.position.copy()
agent.actual = player1.position[:]
agent.actual= list(player1.position)
import copy
agent.actual = copy.copy(player1.position)
agent.actual = copy.deepcopy(player1.position)
所有这些方法总是像以前一样返回两个不同的值:
>> [[180.0, 200.0]]
>> [[200.0, 200.0]]
答案 0 :(得分:0)
Player.position
是列表,表示它是可变类型。如果将此列表放在另一个列表中,Python将对其进行引用,而不是副本。
在列表中添加/删除/更改项目时,将在保留引用的所有位置进行更改。
分配给agent.actual
时,需要进行复印。查看Python中的copy
模块或重组代码(提示:tuple
是不可变的类型)