format(value[, format_spec]) -> string
Returns value.__format__(format_spec)
format_spec defaults to ""
format是python2.6新增的一个格式化字符串的方法,相对于老版的%格式方法,它有很多优点。
1.不需要理会数据类型的问题,在%方法中%s只能替代字符串类型
2.单个参数可以多次输出,参数顺序可以不相同
3.填充方式十分灵活,对齐方式十分强大
4.官方推荐用的方式,%方式将会在后面的版本被淘汰
format的一个例子
print
'hello {0}'
.
format
(
'world'
)
1.通过位置来填充字符串
print
'hello {0} i am {1}'.format('Kevin','Tom') #
hello Kevin i am Tom
print
'hello {} i am {}'.format('Kevin','Tom') #
hello Kevin i am Tom
print
'hello {0} i am {1} . my
name is {0}'.format('Kevin','Tom')
# hello Kevin i am Tom .
my name is Kevin
foramt会把参数按位置顺序来填充到字符串中,第一个参数是0,然后1 ……
也可以不输入数字,这样也会按顺序来填充
同一个参数可以填充多次,这个是format比%先进的地方
2.通过key来填充
print 'hello {name1} i am {name2}'.format(name1='Kevin',name2='Tom') # hello Kevin i am Tom
3.通过下标填充
names=['Kevin','Tom']
print
'hello {names[0]} i am
{names[1]}'.format(names=names) #
hello Kevin i am Tom
print
'hello {0[0]} i am {0[1]}'.format(names) #
hello Kevin i am Tom
4.通过字典的key
names={'name':'Kevin','name2':'Tom'}
print 'hello {names[name]} i am {names[name2]}'.format(names=names) 注意访问字典的key,不用引号的
5.通过对象的属性
class
Names():
name1='Kevin'
name2='Tom'
print
'hello {names.name1} i
am {names.name2}'.format(names=Names) #
hello Kevin i am Tom
6.使用魔法参数
args=['lu']
kwargs = {'name1': 'Kevin', 'name2': 'Tom'}
print 'hello {name1} {} i am {name2}'.format(*args, **kwargs) # hello Kevin i am Tom
三 对齐与填充
数字 | 格式 | 输出 | 描述 |
5 | {:0>2} | 05 | 数字补零 (填充左边, 宽度为2) |
5 | {:x<4} | 5xxx | 数字补x (填充右边, 宽度为4) |
10 | {:x^4} | x10x | 数字补x (填充右边, 宽度为4) |
13 | {:10} | 13 | 右对齐 (默认, 宽度为10) |
13 | {:<10} | 13 | 左对齐 (宽度为10) |
13 | {:^10} | 13 | 中间对齐 (宽度为10) |
1.转义{和}符号
print
'{{ hello {0} }}'
.
format
(
'Kevin'
)
# {hello Kevin}
2.format作为函数
f
=
'hello {0} i am {1}'
.
format
print
f
(
'Kevin'
,
'Tom'
)
3.格式化datetime
now
=
datetime
.
now
(
)
print
'{:%Y-%m-%d %X}'
.
format
(
now
)
4.{}内嵌{}
print
'hello {0:>{1}} '
.
format
(
'Kevin'
,
50
)
5.叹号的用法
!后面可以加s r a 分别对应str() repr() ascii()
作用是在填充前先用对应的函数来处理参数
print
"{!s}"
.
format
(
'2'
)
# 2
print
"{!r}"
.
format
(
'2'
)
# '2'
差别就是repr带有引号,str()是面向用户的,目的是可读性,repr()是面向python解析器的,返回值表示在python内部的含义
ascii()一直报错,可能这个是3.0才有的函数