Why isn't the instances variable lost after executing the function?

て烟熏妆下的殇ゞ 提交于 2019-12-10 10:23:29

问题


Normally, I would expect a function variable to be lost after execution of that function. In the below case where I wrote a Singleton following some tutorials, it works, though. One could argue that instancesshould be empty again everytime the singleton function is called.

def singleton(cls):
    instances = {}
    def get_instance(*args, **kwargs):
        if cls not in instances:
            instances[cls] = cls(*args, **kwargs)
        return instances[cls]
    return get_instance

@singleton
class cls(object):
    pass

My assumption is that indeed instances would be lost if it weren't the case that a dynamic function get_instanceis returned in which a reference to the variable is stored so that it is still available. This leads to the fact that instances continues existing.

Is that interpretation correct? Is it also correct that for every get_instance call there is a separate "instance" of instances? They cannot be the same as for every singleton call there is a fresh instances = {}.


回答1:


This:

>>> @singleton
>>> class cls(object):
...    pass

Is equivalent to this:

>>> class cls(object):
...    pass
>>> cls = singleton( cls )

singleton is run only once per class you decorate it with (not per instantiation). The function it returns, which is a different instance of get_instance for every time singleton is called, is run once per instantiation. Thus only one instances object is created even when you attempt to instantiate many cls objects.

Note what sort of callable cls actually is after the above:

>>> cls
<function get_instance at 0x0000000002352B38>

The instances objects are not reclaimed until it they are no longer reachable because Python uses garbage collection. It is considered reachable as long as the function get_instance, which closes over it, is reachable.



来源:https://stackoverflow.com/questions/20281462/why-isnt-the-instances-variable-lost-after-executing-the-function

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!