format
参考链接:https://www.runoob.com/python/att-string-format.html
format和%不同的地方在于前者需要有关键字format,并且format还能指定位置,不按顺序
>>>"{} {}".format("hello", "world") # 不设置指定位置,按默认顺序
'hello world'
>>> "{0} {1}".format("hello", "world") # 设置指定位置
'hello world'
>>> "{1} {0} {1}".format("hello", "world") # 设置指定位置
'world hello world'
也可以设置参数:
print("网站名:{name}, 地址 {url}".format(name="菜鸟教程", url="www.runoob.com"))
# 通过字典设置参数
site = {"name": "菜鸟教程", "url": "www.runoob.com"}
print("网站名:{name}, 地址 {url}".format(**site))
# 通过列表索引设置参数
my_list = ['菜鸟教程', 'www.runoob.com']
print("网站名:{0[0]}, 地址 {0[1]}".format(my_list)) # "0" 是必须的
也可以向 str.format() 传入对象
class AssignValue(object):
def __init__(self, value):
self.value = value
my_value = AssignValue(6)
数字格式化(要有:其他都一样)例:
3.1415926
{:.2f}
3.14
保留小数点后两位
合并数组
参考链接:https://www.cnblogs.com/chaihy/p/7243143.html
>>> a=[2]
>>> b=[3]
>>> a.extend(b)
>>> a
[2, 3]
>>>
占位符
参考链接:https://www.cnblogs.com/lvcm/p/8859225.html
占位符的正确用法
>>> a=2
>>> print('ss%s'%a)#中间不用逗号
ss2
占位符对数字的格式化
>>> print('%.2f'%22)
22.00
>>> a=555.222
>>> print('%2.2f'%a)
555.22
>>> print('%4.2f'%a)
555.22
>>> print('%9.2f'%a)
555.22
>>> print('%11.2f'%a)#小数点前总共11个空格,若指定的空格数小于数字的长度,则取取数字的长度为
555.22
>>>
*)格式化整数和浮点数还可以指定是否补0和整数与小数的位数:
print('%2d-%03d' % (3, 1))#2,3代表一共2或者3位,3前面的0代表不够了了补0
print('%.2f' % 3.1415926)
>>> print('%2d-%03d' % (3, 1))
3-001#不补0有空格
>>> print('%.2f' % 3.1415926)
3.14
>>>
有些时候,字符串里面的%
是一个普通字符怎么办?这个时候就需要转义,用%%
来表示一个%
:
>>> 'growth rate: %d %%' % 7
'growth rate: 7 %'
>>> 'growth rate: %d \%' % 7#不能使用转义字符
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
ValueError: incomplete format#incomplete:残缺
>>>