在Python中,格式化字符串是编程中常见的任务,它用于将变量或表达式的值嵌入到字符串中。以下是三种常见的格式化字符串的方式:
1.百分号(%)格式化:
这是Python早期版本中常用的字符串格式化方法。通过在字符串中插入百分号(%)和格式说明符,可以将变量的值插入到字符串中。
name = "Alice"
age = 30
scroe = 99.236
formatted_string = "Name: %s, Age: %d, scroe: %f" % (name, age,scroe)
print(formatted_string)
print("Name: %s, Age: %d, scroe: %.2f" % (name, age,scroe))
2.f-strings(格式化字符串字面量):
从Python 3.6开始引入,f-strings提供了一种非常简洁和直观的字符串格式化方式。通过在字符串前加上字母f或F,并在字符串内部使用大括号({})直接嵌入变量或表达式。
name = "Alice"
age = 30
print(f"Name: {name}, Age: {age}")# 也可以在大括号中直接进行表达式计算
formatted_string_with_expression = f"Name: {name}, Age: {age + 5}"
print(formatted_string_with_expression)
# 输出: Name: Alice, Age: 35
3.str.format()方法:
从Python 2.7开始引入,str.format()方法提供了一种更灵活和强大的字符串格式化方式。通过在大括号({})中指定占位符,并在format()方法中按顺序或关键字参数传递值。
name = "Alice"
age = 30
formatted_string = "Name: {}, Age: {}".format(name, age)
print(formatted_string)
# 输出: Name: Alice, Age: 30# 也可以指定顺序
formatted_string_with_order = "Name: {1}, Age: {0}".format(age, name)
print(formatted_string_with_order)
# 输出: Name: Alice, Age: 30# 还可以指定变量名
formatted_string_with_key = "Name: {name}, Age: {age}".format(name=name, age=age)
print(formatted_string_with_key)