Numpy array assignment with copy
All three versions do different things:
-
B = A
This binds a new name
B
to the existing object already namedA
. Afterwards they refer to the same object, so if you modify one in place, you'll see the change through the other one too. -
B[:] = A
(same asB[:]=A[:]
?)This copies the values from
A
into an existing arrayB
. The two arrays must have the same shape for this to work.B[:] = A[:]
does the same thing (butB = A[:]
would do something more like 1). -
numpy.copy(B, A)
This is not legal syntax. You probably meant
B = numpy.copy(A)
. This is almost the same as 2, but it creates a new array, rather than reusing theB
array. If there were no other references to the previousB
value, the end result would be the same as 2, but it will use more memory temporarily during the copy.Or maybe you meant
numpy.copyto(B, A)
, which is legal, and is equivalent to 2?
-
B=A
creates a reference -
B[:]=A
makes a copy -
numpy.copy(B,A)
makes a copy
the last two need additional memory.
To make a deep copy you need to use B = copy.deepcopy(A)