如何美化直接输出的Class的信息?
先欣赏一段代码:
class Book:
def __init__(self, name):
self.name = name
book = Book('fluent python')
print(book)
输出效果:
<__main__.Book at 0x70e98370>
运行得到的结果,是类的名字和所在的内存地址,这样的输出并不好看,应该怎样让它更加美观一些呢?
这时候应该使用__str__
方法:
class Book:
def __init__(self, name):
self.name = name
def __str__(self):
return 'Book with name: {}'.format(self.name)
book = Book('fluent python')
print(book)
输出效果:
Book with name: fluent python
还有个__repr__
了解一下?
class Book:
def __init__(self, name):
self.name = name
def __repr__(self):
return 'Book with name: {}'.format(self.name)
book = Book('fluent python')
print(book)
输出效果:
Book with name: fluent python
关于__repr__
和__str__
的作用与区别:
如果使用print()
二者是看不出来区别的,如果是在ipython 或者是 jupyter下,二者区别马上就出来了:
class Book:
def __init__(self, name):
self.name = name
# def __repr__(self):
# return 'Book with name: {}'.format(self.name)
def __str__(self):
return 'Book with name: {}'.format(self.name)
book = Book('fluent python')
print(book)
book
输出结果:
Book with name: fluent python
<__main__.Book at 0x70e98030>
而如果注释掉__str__
方法,使用__repr__
方法,输出的都是美化后的输出。
如果两个方法都不注释,输出的也都是美化后的输出。
书中提到了在StackOverflow上的信息,地址如下:https://stackoverflow.com/questions/1436703/difference-between-str-and-repr
高赞回答说的太具体了。
简单来说,如果没有__str__
方法,
那么会让__str__
= __repr__
有什么区别呢?好像区别也不大。
第二个高赞回答很精髓:
My rule of thumb: repr is for developers, str is for customers.
repr是用来给开发者使用的,方便debug之类的,而str则是更加适合用于使用者,这样可以让输出的信息更加美观和可自定义。
网友评论