|
马上注册,结交更多好友,享用更多功能^_^
您需要 登录 才可以下载或查看,没有账号?立即注册
x
class Nint(int):
def __new__(cls, arg=0):
if isinstance(arg, str):
total = 0
for each in arg:
total += ord(each)
arg = total
return int.__new__(cls, arg)
class Nint(int):
def __new__(cls, x):
if isinstance(x, str):
temp = 0
for each in x:
temp += ord(each)
return temp
最后的return同样是返回一个对象,程序运行的结果都一样,他们有什么区别?
试试这个代码你就知道返回的有什么区别,__new__ 是将创建的实例对象返回给 __init__ 魔法方法的
而如果你不是这个创建出来的实例对象,那么你的实例化的这个对象就不算 Nint 类的实例化对象了:
# __________代码1____________
class Nint(int):
def __new__(cls, arg=0):
if isinstance(arg, str):
total = 0
for each in arg:
total += ord(each)
arg = total
return int.__new__(cls, arg)
# __________代码1打印___________
a = Nint('100')
print(type(a),a)
# __________代码2____________
class Nint(int):
def __new__(cls, x):
if isinstance(x, str):
temp = 0
for each in x:
temp += ord(each)
return temp
# __________代码2打印___________
a = Nint('100')
print(type(a),a)
打印结果:<class '__main__.Nint'> 145
<class 'int'> 145
从打印结果都可以看出,第二个返回值为 int 类 说明不是 Nint类的实例化对象,而第一个成功返回了一个 Nint类的实例对象
|
|