Python教程-如何在Python中将int转换为字符串
在Python中,我们可以使用内置的 str() 函数将整数数据类型转换为字符串。该函数接受任何数据类型作为参数,并将其转换为字符串。但我们也可以使用"%s"文本格式和 .format() 函数来进行转换。下面是 str() 函数的语法。
语法 -
str(integer_Value)
让我们通过以下示例来理解。
示例 - 1 使用 str() 函数
n = 25
# check and print type of num variable
print(type(n))
print(n)
# convert the num into string
con_num = str(n)
# check and print type converted_num variable
print(type(con_num))
print(con_num)
输出:
<class 'int'>
25
<class 'str'>
25
示例 - 2 使用 "%s" 文本格式
n = 10
# check and print type of n variable
print(type(n))
# convert the num into a string and print
con_n = "% s" % n
print(type(con_n))
输出:
<class 'int'>
<class 'str'>
示例 - 3 使用 .format() 函数
n = 10
# check and print type of num variable
print(type(n))
# convert the num into string and print
con_n = "{}".format(n)
print(type(con_n))
输出:
<class 'int'>
<class 'str'>
示例 - 4 使用 f-string
n = 10
# check and print type of num variable
print(type(n))
# convert the num into string
conv_n = f'{n}'
# print type of converted_num
print(type(conv_n))
输出:
<class 'int'>
<class 'str'>
我们已经定义了将整数数据类型转换为字符串类型的所有方法。您可以根据需要使用其中一种方法。