在Python中,repr() 是一个特殊的方法,用于返回对象的“官方”字符串表示。当你尝试打印一个对象或者将一个对象转换为字符串时,如果没有重写 repr() 方法,Python会调用 str() 方法。
Python repr() is one of the magic ways to return a printable representation of a Python object that can be custom or predefined, that is, we can also create a string representation of the object as needed.
repr()是Python内置的模式方法,定义在Object类里面,我们可以直接使用,也可以继承后自定义
语法糖:
Python __repr__() magic method Syntax
Syntax: object.__repr__()
object: The object whose printable representation is to be returned.
Return: Simple string representation of the passed object.
以下是一些关于 repr() 的基本信息:
定义:
def __repr__(self):
return "官方字符串表示"
用途: 当你想要为对象提供一个官方、标准的字符串表示时,可以使用 repr()。例如,对于自定义的类,你可能想要确保当你尝试打印或转换该对象为字符串时,得到的是一个格式化的、易于理解的字符串。
与 str() 的区别:
str() 返回的是一个人类可读的表示,通常更简短,易于理解。
repr() 返回的是一种机器可读的表示,通常更详细,可以重新构造对象。
自动调用: 当使用 print() 函数打印一个对象时,如果没有定义 str() 或 repr(),Python会尝试调用 repr()。同样,当使用 str() 函数尝试将一个对象转换为字符串时,如果没有定义 str(),Python会尝试调用 repr()。
示例:
class Person:
def __init__(self, name, age):
self.name = name
self.age = age
def __repr__(self):
return f"Person(name={self.name}, age={self.age})"
def __str__(self):
return f"{self.name} is {self.age} years old."
p = Person("Alice", 30)
print(p) # 输出: Alice is 30 years old.
print(str(p)) # 输出: Alice is 30 years old.
print(repr(p)) # 输出: Person(name=Alice, age=30)
在上面的示例中,Person 类定义了 repr() 和 str() 方法。当我们尝试打印或转换为字符串时,会得到不同的输出。
比如内置基类:
class MyTuple(tuple):
def __str__(self):
return f"MyTuple({super().__str__()})"
def __repr__(self):
return f"MyTuple({super().__repr__()})"
mt = MyTuple((1,2,3))
print(mt.__repr__())
print(mt.__str__())
#MyTuple((1, 2, 3))
#MyTuple(MyTuple((1, 2, 3)))
自定义的类:
class Book:
def __init__(self, title, author, pages):
self.title = title
self.author = author
self.pages = pages
def __str__(self):
return f"{self.title} by {self.author}, {self.pages} pages"
def __repr__(self):
return f"Book('{self.title}', '{self.author}', {self.pages})"
book1 = Book("The Hitchhiker's Guide to the Galaxy", "Douglas Adams", 224)
print("Using str(): ", str(book1))
print("Using repr(): ", repr(book1))
#Using str(): The Hitchhiker's Guide to the Galaxy by Douglas Adams, 224 pages
#Using repr(): Book('The Hitchhiker's Guide to the Galaxy', 'Douglas Adams', 224)