Why does using `arg=None` fix Python’s mutable default argument issue?

It looks like a_list would still be initialized only once

“initialization” is not something that happens to variables in Python, because variables in Python are just names. “initialization” only happens to objects, and it’s done via the class’ __init__ method.

When you write a = 0, that is an assignment. That is saying “a shall refer to the object that is described by the expression 0“. It is not initialization; a can name anything else of any type at any later time, and that happens as a result of assigning something else to a. Assignment is just assignment. The first one is not special.

When you write def good_append(new_item, a_list=None), that is not “initializing” a_list. It is setting up an internal reference to an object, the result of evaluating None, so that when good_append is called without a second parameter, that object is automatically assigned to a_list.

meaning a_list would only get reset to [] on the first invocation

No, a_list gets set to [] any time that a_list is None to begin with. That is, when either None is passed explicitly, or the argument is omitted.

The problem with [] occurs because the expression [] is only evaluated once in this context. When the function is compiled, [] is evaluated, a specific list object is created – that happens to be empty to start – and that object is used as the default.

How does a_list get wiped clean every time good_append runs?

It doesn’t. It doesn’t need to be.

You know how the problem is described as being with “mutable default arguments”?

None is not mutable.

The problem occurs when you modify the object that the parameter has as a default.

a_list = [] does not modify whatever object a_list previously referred to. It cannot; arbitrary objects cannot magically transform in-place into empty lists. a_list = [] means “a_list shall stop referring to what it previously referred to, and start referring to []“. The previously-referred-to object is unchanged.

When the function is compiled, and one of the arguments has a default value, that value – an object – gets baked into the function (which is also, itself, an object!). When you write code that mutates an object, the object mutates. If the object being referred to happens to be the object baked into the function, it still mutates.

But you cannot mutate None. It is immutable.

You can mutate []. It is a list, and lists are mutable. Appending an item to a list mutates the list.

Leave a Comment