print("{}{}".format())
是 Python 中用于格式化字符串并将其输出到控制台的一种方法。format
方法允许你在字符串中插入变量或表达式的值,并以指定的格式显示它们。
基本语法
print("format_string".format(value1, value2, ...))
format_string
:包含一个或多个占位符{}
的字符串。这些占位符将被format
方法的参数替换。value1, value2, ...
:要插入到字符串中的值。每个值将依次替换format_string
中的相应占位符{}
。
示例
简单示例
name = "Alice"
age = 30
print("Name: {}, Age: {}".format(name, age))
输出:
Name: Alice, Age: 30
指定位置
你可以在占位符 {}
中使用数字来指定插入值的位置:
print("{1} is {0} years old".format(age, name))
输出:
Alice is 30 years old
命名参数
你可以使用命名参数来提高代码的可读性:
print("Name: {name}, Age: {age}".format(name="Alice", age=30))
输出:
Name: Alice, Age: 30
格式化数字
你可以使用格式说明符来指定数字的格式:
pi = 3.141592653589793
print("Pi to three decimal places: {:.3f}".format(pi))
输出:
Pi to three decimal places: 3.142
使用 f-strings
(Python 3.6 及更高版本)
在 Python 3.6 及更高版本中,可以使用 f-strings(格式化字符串字面量)来进行字符串格式化。它们通常比 format
方法更简洁。
示例
name = "Alice"
age = 30
print(f"Name: {name}, Age: {age}")
输出:
Name: Alice, Age: 30
总结
format
方法通过在字符串中插入值来实现字符串格式化。- 可以使用位置参数、命名参数和格式说明符来控制插入值的格式。
- Python 3.6 及更高版本中的 f-strings 提供了一种更简洁的格式化方法。