《Python编程的术与道:Python语言进阶》视频课程 《Python编程的术与道:Python语言进阶》视频课程链接:https://edu.csdn.net/course/detail/28618
repr()函数
在 Python 中要将某一类型的变量或者常量转换为字符串对象通常有两种方法,即str() 或者 repr() 。
repr()和str()区别
函数str( )将其转化成为适于人阅读的前端样式文本,而repr(object)就是repr() 函数将对象转化为供解释器读取的形式。返回一个对象的 string 格式。
s = 'python'
repr(s)
"'python'"
eval(repr(s))
'python'
s = 'python'
str(s)
'python'
eval(str(s))
---------------------------------------------------------------------------
NameError Traceback (most recent call last)
<ipython-input-4-f30c84974cf1> in <module>
----> 1 eval(str(s))
<string> in <module>
NameError: name 'python' is not defined
dict = {1: 'microsoft.com', 2: 'google.com'};
repr(dict)
"{1: 'microsoft.com', 2: 'google.com'}"
str(dict)
"{1: 'microsoft.com', 2: 'google.com'}"
将整型转换为字符串
a = 123
type(a)
int
str(a)
'123'
type(str(a))
str
print(str(a))
123
repr(a)
'123'
type(repr(a))
str
print(repr(a))
123
len(repr(a))
3
len(str(a))
3
将字符串再转换为字符串
repr('abc')
"'abc'"
str('abc')
'abc'
str('abc') == 'abc'
True
repr('abc') == 'abc'
False
len(repr('abc'))
5
len(str('abc'))
3
命令行下print和直接输出的对比
每个类都有默认的__repr__ , __str__ 方法,在命令行下用print实例时调用的是类的str方法,直接调用的是类的repr方法。
class A():
def __repr__(self):
return 'repr'
def __str__(self):
return 'str'
a = A()
a
repr
print(a)
str
总结:
1.除了字符串类型外,使用str还是repr转换没有什么区别。对于字符串类型,repr转换后外层会多一对引号,这一特性有时候在eval操作时有用。
2.命令行下直接输出对象调用的是对象的repr方法,而print输出调用的是str方法
|