2012-07-02 9 views

答えて

29

c[:] = aそれはBの浅いコピーを作成し、Dに割り当て、それはd = list(b)

>>> l = [1,2,3,4,5] 
>>> m = [1,2,3] 
>>> l = m[::-1] 
>>> l 
[3,2,1] 

>>> l = [[1, 2, 3], [4, 5, 6], [7, 8, 9]] 
>>> m = l[:] #creates a shallow copy 
>>> l[0].pop(1) # a mutable object inside l is changed, it affects both l and m 
2 
>>> l 
[[1, 3], [4, 5, 6], [7, 8, 9]] 
>>> m 
[[1, 3], [4, 5, 6], [7, 8, 9]] 
同様である

>>> l = [1,2,3,4,5] 
>>> l[::2] = [0, 0, 0] #you can also replace only particular elements using this 
>>> l 
[0, 2, 0, 4, 0] 

>>> k = [1,2,3,4,5] 
>>> g = ['a','b','c','d'] 
>>> g[:2] = k[:2] # only replace first 2 elements 
>>> g 
[1, 2, 'c', 'd'] 

>>> a = [[1,2,3],[4,5,6],[7,8,9]] 
>>> c[:] = a  #creates a shallow copy 
>>> a[0].append('foo') #changing a mutable object inside a changes it in c too 
>>> a 
[[1, 2, 3, 'foo'], [4, 5, 6], [7, 8, 9]] 
>>> c 
[[1, 2, 3, 'foo'], [4, 5, 6], [7, 8, 9]] 

d = b[:]手段の要素によってCのすべての要素を置き換える手段

+1

は非常に雄弁に述べました。 (私の+1) – mgilson

+0

+1は非常に簡潔で明確な説明のために – Levon

+0

何か違いは機能が賢明ですか? –

2

大きな違いはありません。 c[:]=aは、cが参照しているリストを更新します。 d=b[:]は、bのコピーである新しいリストを作成します(4行目で作成した古いリストを忘れる)。ほとんどのアプリケーションでは、配列に他の参照がある場合を除いて、違いを見ることはほとんどありません。もちろん、c[:]=...バージョンでは、リストcが既に座っている必要があります。

4

アシュウィニ氏の言葉。私は少し詳しく説明します:):

In [1]: a=[1,2,3] 

In [2]: b = a 

In [3]: c = a[:] 

In [4]: b, c 
Out[4]: ([1, 2, 3], [1, 2, 3]) 

In [5]: a is b, a is c 
Out[5]: (True, False) 

及びその他の方法:

In [1]: a = [1,2,3] 

In [2]: aold = a 

In [3]: a[:] = [4,5,6] 

In [4]: a, aold 
Out[4]: ([4, 5, 6], [4, 5, 6]) 

In [5]: a = [7,8,9] 

In [6]: a, aold 
Out[6]: ([7, 8, 9], [4, 5, 6]) 

は何が起こるかを参照してください?

2

Ashwini's answerは正確にここで、何が起こっているのかを説明二つの方法の間の違いのいくつかの例です:

a=[1,2,3] 
b=[4,5,6] 
c=[] 
c2=c 
d=[] 
d2=d 

c[:]=a       # replace all the elements of c by elements of a 
assert c2 is c     # c and c2 should still be the same list 
c2.append(4)      # modifying c2 will also modify c 
assert c == c2 == [1,2,3,4] 
assert c is not a     # c and a are not the same list 

d=b[:]       # create a copy of b and assign it to d 
assert d2 is not d    # d and d2 are no longer the same list 
assert d == [4,5,6] and d2 == [] # d2 is still an empty list 
assert d is not b     # d and b are not the same list 
関連する問題