一、使用str()函数将Python对象转换为字符串
在Python中,str()函数可以将Python对象转换成字符串类型,该方法适用于多数Python内置数据类型。
number = 123
num_str = str(number)
print(num_str, type(num_str))
输出结果为:123 <class 'str'>
如果需要自定义Python自定义数据类型转换为字符串,可以在自定义数据类型的类中定义一个__str__方法来实现转换。
class Cat:
def __init__(self, name, age):
self.name = name
self.age = age
def __str__(self):
return f"Cat(name='{self.name}', age={self.age})"
cat = Cat('Tom', 3)
cat_str = str(cat)
print(cat_str, type(cat_str))
输出结果为:Cat(name='Tom', age=3) <class 'str'>
二、使用repr()函数将Python对象转换为字符串
repr()函数可以将Python对象转换成官方字符串表示形式(在大多数情况下等同于Python程序读入时产生的表达)。repr()方法适用于所有Python对象。
number = 123
num_repr = repr(number)
print(num_repr, type(num_repr))
输出结果为:'123' <class 'str'>
使用repr()函数对自定义数据类型进行转换,则需要在自定义数据类型的类中定义一个__repr__方法。
class Cat:
def __init__(self, name, age):
self.name = name
self.age = age
def __repr__(self):
return f"Cat(name='{self.name}', age={self.age})"
cat = Cat('Tom', 3)
cat_repr = repr(cat)
print(cat_repr, type(cat_repr))
输出结果为:Cat(name='Tom', age=3) <class 'str'>
三、使用format()函数将Python对象转换为字符串
format()函数是一种格式化字符串的函数,可以将Python对象转换成字符串类型。
name = "Jackie"
age = 28
cat_info = "My cat's name is {name}, and his age is {age}"
cat_info_str = cat_info.format(name=name, age=age)
print(cat_info_str, type(cat_info_str))
输出结果为:My cat's name is Jackie, and his age is 28 <class 'str'>
四、使用f-string将Python对象转换为字符串
f-string是Python3.6版本后新增的字符串格式化方式,可以将Python对象转换成字符串类型。 示例代码如下:
name = "Jackie"
age = 28
cat_info = f"My cat's name is {name}, and his age is {age}"
cat_info_str = str(cat_info)
print(cat_info_str, type(cat_info_str))
输出结果为:My cat's name is Jackie, and his age is 28 <class 'str'>