正确清理 Python 对象
__del__() 方法通常用于在 Python 对象被销毁时清理资源。然而,由于 Python 的垃圾收集系统,依赖 __del__() 可能会出现问题,它不能保证 __del__() 调用期间“全局变量”的存在。
为了确保正确的对象清理,建议使用 Python 的 with 语句。 with 语句将类实例作为其参数,并保证在进入时调用该类的 __enter__() 方法,在退出时调用其 __exit__() 方法,无论是否有异常。
考虑以下包类:
<code class="python">class Package: def __init__(self): self.files = [] # ... def __del__(self): for file in self.files: os.unlink(file)</code>
__del__() 方法尝试删除属于该包的所有文件。但是,由于缺少对 self.files 的引用,它可能会失败。要解决此问题,请定义 __enter__() 和 __exit__() 方法,如下所示:
<code class="python">class Package: def __init__(self): self.files = [] def __enter__(self): return self # ... def __exit__(self, exc_type, exc_value, traceback): for file in self.files: os.unlink(file)</code>
现在,当使用带有 with 语句的 Package 类时:
<code class="python">with Package() as package_obj: # use package_obj</code>
__enter__() 是在进入时调用,并保证在退出时调用 __exit__(),即使存在异常,也能确保正确的文件清理。
为了防止在不使用 with 语句的情况下意外直接实例化 Package 类,请考虑创建一个具有 __enter__() 和 __exit__() 方法的 PackageResource 类:
<code class="python">class PackageResource: def __enter__(self): class Package: ... self.package_obj = Package() return self.package_obj def __exit__(self, exc_type, exc_value, traceback): self.package_obj.cleanup()</code>
使用这种方法,Package 类只能在 with 语句中实例化:
<code class="python">with PackageResource() as package_obj: # use package_obj</code>
以上是如何确保 Python 中正确的对象清理:'__del__()”足够了吗?的详细内容。更多信息请关注PHP中文网其他相关文章!