Python中的 __str__方法
阿新 • • 發佈:2018-12-04
類中的str方法是在列印類的例項物件時,__str__是被print函式呼叫的,呼叫該方法,一般返回一個字串。例如:
class Rectangle():
def __init__(self,a,b):
self.a = a
self.b = b
def __str__(self):
return 'this is a str'
rect = Rectangle(3,4)
print(rect)
- 得到結果:
this is a str
也就是說當列印一個類的例項物件時,會自動呼叫str
那麼,如果返回的不是一個字串,會出現什麼結果呢?
class Rectangle():
def __init__(self,a,b):
self.a = a
self.b = b
def __str__(self):
return (self.a) * (self.b)
rect = Rectangle(3,4)
print(rect)
結果實際會報錯:
TypeError: __str__ returned non-string (type int)
str返回的不是一個字串型別,是一個整形,因此會報錯。
此時,把(self.a) * (self.b)改成str((self.a) * (self.b))就可以了。
class Rectangle():
def __init__(self,a,b):
self.a = a
self.b = b
def __str__(self):
return str(self.a) * (self.b))
rect = Rectangle(3,4)
print(rect)
得到:
12