为什么要讲 __repr__
在 Python 中,直接 print 一个实例对象,默认是输出这个对象由哪个类创建的对象,以及在内存中的地址(十六进制表示)
假设在开发调试过程中,希望使用 print 实例对象时,输出自定义内容,就可以用 __repr__ 方法了
或者通过 repr() 调用对象也会返回 __repr__ 方法返回的值
是不是似曾相识....没错..和 __str__ 一样的感觉 代码栗子
1
2
3
4
5
6
7
8
9
10
11
12
|
class A:
pass
def __repr__( self ):
a = A()
print (a)
print ( repr (a))
print ( str (a))
# 输出结果
<__main__.A object at 0x10e6dbcd0 >
<__main__.A object at 0x10e6dbcd0 >
<__main__.A object at 0x10e6dbcd0 >
|
默认情况下,__repr__() 会返回和实例对象 <类名 object at 内存地址> 有关的信息
重写 __repr__ 方法
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
|
class PoloBlog:
def __init__( self ):
self .name = "小菠萝"
self .add = "https://www.cnblogs.com/poloyy/"
def __repr__( self ):
return "test[name=" + self .name + ",add=" + self .add + "]"
blog = PoloBlog()
print (blog)
print ( str (blog))
print ( repr (blog))
# 输出结果
test[name = 小菠萝,add = https: / / www.cnblogs.com / poloyy / ]
test[name = 小菠萝,add = https: / / www.cnblogs.com / poloyy / ]
test[name = 小菠萝,add = https: / / www.cnblogs.com / poloyy / ]
|
只重写 __repr__ 方法,使用 str() 的时候也会生效哦
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
|
class PoloBlog:
def __init__( self ):
self .name = "小菠萝"
self .add = "https://www.cnblogs.com/poloyy/"
def __str__( self ):
return "test[name=" + self .name + ",add=" + self .add + "]"
blog = PoloBlog()
print (blog)
print ( str (blog))
print ( repr (blog))
# 输出结果
test[name = 小菠萝,add = https: / / www.cnblogs.com / poloyy / ]
test[name = 小菠萝,add = https: / / www.cnblogs.com / poloyy / ]
<__main__.PoloBlog object at 0x10e2749a0 >
|
只重写 __str__ 方法的话,使用 repr() 不会生效的哦!
str() 和 repr() 的区别
http://www.zzvips.com/article/74063.html
以上就是Python面向对象编程repr方法示例详解的详细内容,更多关于Python面向对象编程repr的资料请关注服务器之家其它相关文章!
原文链接:https://blog.csdn.net/qq_33801641/article/details/120232632