例如:
将数字0.5格式化为百分比值:
x = format(0.5, '%')
1、定义和用法
format()
函数将指定的值格式化为指定的格式。
2、调用语法
format(value, format)
3、参数说明
参数 | 描述 |
value | 任何格式的值 |
format | 您想要将值格式化为的格式。
|
数字 | 格式 | 输出 | 描述 |
---|---|---|---|
3.1415926 | {:.2f} | 3.14 | 保留小数点后两位 |
3.1415926 | {:+.2f} | +3.14 | 带符号保留小数点后两位 |
-1 | {:+.2f} | -1.00 | 带符号保留小数点后两位 |
2.71828 | {:.0f} | 3 | 不带小数 |
5 | {:0>2d} | 05 | 数字补零 (填充左边, 宽度为2) |
5 | {:x<4d} | 5xxx | 数字补x (填充右边, 宽度为4) |
10 | {:x<4d} | 10xx | 数字补x (填充右边, 宽度为4) |
1000000 | {:,} | 1,000,000 | 以逗号分隔的数字格式 |
0.25 | {:.2%} | 25.00% | 百分比格式 |
1000000000 | {:.2e} | 1.00e+09 | 指数记法 |
13 | {:>10d} | 13 | 右对齐 (默认, 宽度为10) |
13 | {:<10d} | 13 | 左对齐 (宽度为10) |
13 | {:^10d} | 13 | 中间对齐 (宽度为10) |
11 | '{:b}'.format(11)
'{:d}'.format(11)
'{:o}'.format(11)
'{:x}'.format(11)
'{:#x}'.format(11)
'{:#X}'.format(11) | 1011
11
13
b
0xb
0XB
| 进制 |
4、使用示例
例如:
将255格式化为十六进制值:
x = format(255, 'x')
1) 固定宽度
可以指定输出宽度为多少,当字符串长度少于设定值的时候,默认用空格填充:
data = [{'name': 'Mary', 'college': 'Tsinghua University'},
{'name': 'Micheal', 'college': 'Harvard University'},
{'name': 'James', 'college': 'Massachusetts Institute of Technology'}]
# 固定宽度输出
for item in data:
print('{:10}{:40}'.format(item['name'], item['college']))
如果不想用空格填充,还可以用-
填空:
data = [{'name': 'Mary', 'college': 'Tsinghua University'},
{'name': 'Micheal', 'college': 'Harvard University'},
{'name': 'James', 'college': 'Massachusetts Institute of Technology'}]
# 固定宽度输出
for item in data:
# 每输出一条记录之前打印一条分割线
# 选择用其他字符来填充时需要指定对齐方式
print('{:-^60}'.format('++++++++++++'))
print('{:10}{:40}'.format(item['name'], item['college']))
2)对齐方式
data = [{'name': 'Mary', 'college': 'Tsinghua University'},
{'name': 'Micheal', 'college': 'Harvard University'},
{'name': 'James', 'college': 'Massachusetts Institute of Technology'}]
print('{:-^50}'.format('居中'))
for item in data:
print('{:^10}{:^40}'.format(item['name'], item['college']))
print('{:-^50}'.format('左对齐'))
for item in data:
print('{:<10}{:<40}'.format(item['name'], item['college']))
print('{:-^50}'.format('右对齐'))
for item in data:
print('{:>10}{:>40}'.format(item['name'], item['college']))
3)数字格式化
# 取小数点后两位
num = 3.1415926
print('小数点后两位:{:.2f}'.format(num))
# 带+/-输出
num = -3.1415926
print('带正/负符号:{:+.2f}'.format(num))
# 转为百分比
num = 0.34534
print('百分比:{:.2%}'.format(num))
# 科学计数法
num = 12305800000
print('科学计数法:{:.2e}'.format(num))
# ,分隔
num = 12305800000
print('","分隔:{:,}'.format(num))
# 转为二进制
num = 15
print('二进制:{:b}'.format(num))
# 十六进制
num = 15
print('十六进制:{:x}'.format(num))
# 八进制
num = 15
print('八进制:{:o}'.format(num))
4)输出花括号
# 输出花括号
print('the website is {{{}}}'.format('https://www.cjavapy.com'))