如何解决Python:删除类实例
我是Python的新手,并在我的课上尝试编写一些额外的代码,因此现在我需要编写一个创建一个多维数据集的类,然后编写两个方法。方法不是问题,但我想在创建多维数据集时生成失败保存。
当您使用int或float以外的任何其他类型创建多维数据集时,应返回thats无效并删除创建的实例。我用谷歌搜索,尝试过并且无法弄清楚如何完成它。
我还想在失败保存文本中生成实例名称。因此,当我创建时,它说“ [...]实例“ a”将被删除[...]”:
a = Cube("not an int or float")
和:当我尝试创建“ [...]实例“ b”时将被删除[...]”:
b = Cube("not an int or float")
代码:
class Cube():
def __init__(self,length):
if type(length) == int or type(length) == float:
self.length = length
else:
print("The type of length has to be int or float.\nThe instance (a) will be deleted!!")
del self
def surface(self):
print("surface")
def volume(self):
print("volume")
# creating an instance of the cube-class
a = Cube("not an int or float")
# and test the methods
a.surface()
a.volume()
解决方法
如果初始化存在问题,则仅引发异常。该异常将阻止分配的进行,这意味着该对象将被立即垃圾回收,因此您无需使用del
(无论如何都没有实际效果; del
只是递减通过删除名称来引用对象的引用计数,但是名称self
仍然会超出范围,具有相同的效果)。
使用isinstance
检查参数的类型。
class Cube:
def __init__(self,length):
if not isinstance(length,(int,float)):
raise TypeError("Length must be an int or a float")
self.length = length
...
但是,理想情况下,您将负担留给调用方以提供正确的类型。您可以使用类型提示使用户更容易捕获此类错误:
from typing import Union
class Cube:
def __init__(self,length: Union[int,float]):
self.length = length
...
诸如mypy
之类的工具可用于静态地检查是否没有尝试传递其他类型的参数。
版权声明:本文内容由互联网用户自发贡献,该文观点与技术仅代表作者本人。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如发现本站有涉嫌侵权/违法违规的内容, 请发送邮件至 dio@foxmail.com 举报,一经查实,本站将立刻删除。