Welcome to WuJiGu Developer Q&A Community for programmer and developer-Open, Learning and Share
Welcome To Ask or Share your Answers For Others

Categories

0 votes
1.1k views
in Technique[技术] by (71.8m points)

list - Variable assignment and modification (in python)


与恶龙缠斗过久,自身亦成为恶龙;凝视深渊过久,深渊将回以凝视…
Welcome To Ask or Share your Answers For Others

1 Answer

0 votes
by (71.8m points)

Memory management in Python involves a private heap memory location containing all Python objects and data structures.

Python's runtime only deals in references to objects (which all live in the heap): what goes on Python's stack are always references to values that live elsewhere.

>>> a = [1, 2]

python variables

>>> b = a

python variables

>>> a.append(3)

python variables

Here we can clearly see that the variable b is bound to the same object as a.

You can use the is operator to tests if two objects are physically the same, that means if they have the same address in memory. This can also be tested also using the id() function.

>>> a is b
>>> True
>>> id(a) == id(b)
>>> True

So, in this case, you must explicitly ask for a copy. Once you've done that, there will be no more connection between the two distinct list objects.

>>> b = list(a)
>>> a is b
>>> False

python variables


与恶龙缠斗过久,自身亦成为恶龙;凝视深渊过久,深渊将回以凝视…
Welcome to WuJiGu Developer Q&A Community for programmer and developer-Open, Learning and Share
...