@Arminのコメントに基づく別の刺し傷。これは、関連するディープコピーの動作を示しています。
import random
width = 5
height = 5
class Brain(object):
def __init__(self):
self.w = [[1]]
self.ix = [[1]]
def mutate(self):
self.w[0].append(1)
class Animal(object):
def __init__(self):
self.brain = Brain()
self.x = random.randint(0, width)
self.y = random.randint(0, height)
self.age = 0
self.fitness = 10
def reproduce(parent):
child = Animal()
child.brain.w= parent.brain.w[:]
child.brain.ix= parent.brain.ix[:]
child.x,child.y = random.randint(0,width),random.randint(0,height)
child.age = 0
child.fitness= 9 + parent.fitness/10 #parent.fitness/2
mutation = random.choice([0,1,1,1,1,1,1,1,1,2,3,4,5])
for b in range(mutation):
child.brain.mutate()
animals.append(child)
animals = []
parent = Animal()
animals.append(parent)
print parent.brain.w
#reproduce(parent)
import copy
reproduce(copy.deepcopy(parent))
for each in animals:
print each.brain.w
ここでの修正は、オブジェクト間でコピーしている可変タイプに状態値が格納されないようにすることです。この場合はリストですが、任意の可変オブジェクトである可能性があります。
編集:元のコードで行っているのは、の内容をにコピーすることparent.brain.w
ですchild.brain.w
。Pythonには、オブジェクトやコンテンツのコピーではなく、元のオブジェクトへの割り当てであるというプロパティがあります(copy
モジュールを使用しない場合)。ドキュメントはこれをうまくカバーしています。簡単に言えば、これは次のことが当てはまることを意味します。
>>> a = [1, 2, 3, 4, 5]
>>> b = a
>>> b.append(6)
>>> b
[1, 2, 3, 4, 5, 6]
>>> a
[1, 2, 3, 4, 5, 6]
>>> a is b
True
つまり、とは両方ともa
同じb
リストです。それはあなたがしていることではありません。リストをオブジェクトにコピーしていますが、これは同等です。
>>> a = [[1, 2, 3]]
>>> b = []
>>> b = a[:] # What you are doing
>>> b is a
False
>>> b[0] is a[0]
True
>>> b[0].append(4)
>>> b[0]
[1, 2, 3, 4]
>>> a[0]
[1, 2, 3, 4]
タイプが変更可能でない場合は、タイプを変更すると、新しいオブジェクトが作成されます。たとえば、(不変である)タプルのやや同等のリストを考えてみましょう。
>>> a = [(1, 2, 3)]
>>> b = []
>>> b = a[:]
>>> b is a
False
>>> b[0] is a[0] # Initially the objects are the same
True
>>> b[0] += (4,) # Now a new object is created and overwrites b[0]
>>> b[0] is a[0]
False
>>> b[0]
(1, 2, 3, 4)
>>> a[0]
(1, 2, 3)