目录
一、%占位符
用法简单,用途较少
name='Tom'
age=18
print('hello %s!, old is %d'%(name,age))
二、format()函数
主要介绍format()函数
1、基本用法
(1)不带编号,即“{}”
(2)带数字编号,可调换顺序,即“{1}”、“{2}”
(3)带关键字,即“{a}”、“{tom}”
1 >>> print('{} {}'.format('hello','world')) # 不带字段
2 hello world
3 >>> print('{0} {1}'.format('hello','world')) # 带数字编号
4 hello world
5 >>> print('{0} {1} {0}'.format('hello','world')) # 打乱顺序
6 hello world hello
7 >>> print('{1} {1} {0}'.format('hello','world'))
8 world world hello
9 >>> print('{a} {tom} {a}'.format(tom='hello',a='world')) # 带关键字
10 world hello world
2、补齐输出
输出指定长度,不足则用指定字符补齐。若补充字符为指定,则用空格补充。
(1)< (默认)左对齐、> 右对齐、^ 中间对齐、= (只用于数字)在小数点后进行补齐
左右对齐方式补齐,在后面补。
中间对齐方式补齐,原字符在中间,补充字符在两侧。
=号补齐,补充字符在前面,原字符在后面。这点非常有用,因为我们经常想在序号前面补0。
(2)取位数“{:4s}”、"{:.2f}"等。
1 >>> print('{:10s} and {:>10s}'.format('hello','world')) # 取10位左右对齐,未指定补充字符用空格补充
2 hello and world
3 >>> print('{:^10s} and {:^10s}'.format('hello','world')) # 取10位中间对齐
4 hello and world
5 >>> print('{} is {:.2f}'.format(1.123,1.123)) # 取2位小数
6 1.123 is 1.12
7 >>> print('{0} is {0:>10.2f}'.format(1.123)) # 取2位小数,右对齐,取10位
8 1.123 is 1.12
9 >>> print('{0} is {0:s=10.2f}'.format(1.123))
10 1.123 is ssssss1.12
3、多个格式化
'b' - 二进制。将数字以2为基数进行输出。
'c' - 字符。在打印之前将整数转换成对应的Unicode字符串。
'd' - 十进制整数。将数字以10为基数进行输出。
'o' - 八进制。将数字以8为基数进行输出。
'x' - 十六进制。将数字以16为基数进行输出,9以上的位数用小写字母。
'e' - 幂符号。用科学计数法打印数字。用'e'表示幂。
'g' - 一般格式。将数值以fixed-point格式输出。当数值特别大的时候,用幂形式打印。
'n' - 数字。当值为整数时和'd'相同,值为浮点数时和'g'相同。不同的是它会根据区域设置插入数字分隔符。
'%' - 百分数。将数值乘以100然后以fixed-point('f')格式打印,值后面会有一个百分号。
',' - 千位分隔符。将数值以千位分隔符分隔
4、正负号的显示,%+f、% f和%-f的用法
>>> '{:+f}; {:+f}'.format(3.14, -3.14) # 总是显示符号
'+3.140000; -3.140000'
>>> '{: f}; {: f}'.format(3.14, -3.14) # 若是+数,则在前面留空格
' 3.140000; -3.140000'
>>> '{:-f}; {:-f}'.format(3.14, -3.14) # -数时显示-,与'{:f}; {:f}'一致
'3.140000; -3.140000'
5、时间
>>> import datetime
>>> d = datetime.datetime(2010, 7, 4, 12, 15, 58)
>>> '{:%Y-%m-%d %H:%M:%S}'.format(d)
'2010-07-04 12:15:58'
三、f-string格式化输出
可在字符串前加f以达到格式化的目的,在{}里加入对象,此为format的另一种形式
name = 'jack'
age = 18
sex = 'man'
job = "IT"
salary = 9999.99
print(f'my name is {name.capitalize()}.')
print(f'I am {age:*^10} years old.')
print(f'I am a {sex}')
print(f'My salary is {salary:10.3f}')
# 结果
my name is Jack.
I am ****18**** years old.
I am a man
My salary is 9999.990
参考文章: