Python新手常见问题十:__del__方法

2024年08月07日 python常见问题 魔法函数 Python51

错误的使用__del__方法

假设有一个文件mod.py中这样使用:

import foo
 
class Bar(object):
        ...
    def __del__(self):
        foo.cleanup(self.myhandle)

然后试图在another_mod.py里这样:

import mod
mybar = mod.Bar()

那么你会得到一个恶心的AttributeError异常。

为啥呢?这是因为(参考这里),当解释器关闭时,模块所有的全局变量会被置为空(None)。结果便如上例所示,当__del__被调用时,名字foo已经被置为空了。

使用atexit.register()可以解决这个问题。如此,当你的程序结束的时候(退出的时候),你的注册的处理程序会在解释器关闭之前处理。

这样理解的话,对上面的mod.py可以做如下的修改:

import foo
import atexit
 
def cleanup(handle):
    foo.cleanup(handle)
 
class Bar(object):
    def __init__(self):
        ...
        atexit.register(cleanup, self.myhandle)

本文链接:http://so.lmcjl.com/news/10219/

展开阅读全文