python之字符串格式化方法%s和format函数

文章最后更新时间为:2018年08月14日 10:01:39

在写python程序时,我们经常需要对字符串的格式进行处理,在python2.6之前都是用%S的方法,之后有了更加方便快捷的format函数来处理字符串,这里我对两种方法进行了总结。

1. %S方法

先来看一个例子

>>> print("my name is %s and I am %d years old" %("xiaoming",18))
my name is xiaoming and I am 18 years old

前面的%和%d是格式符,分别表示一个字符串和一个数字,后面的%表示进行格式化操作。于是元组里面的内容用来表示前面字符串中的真实值。

这里的"my name is %s and I am %d years old" %("xiaoming",18)实际上是一个字符串,我们可以用变量来表示:

>>>a="my name is %s and I am %d years old" %("xiaoming",18)

为了前后准确对应,我们还可以用字典来表示:

>>>print("my name is %(name)s and I am %(year)d years old" %{"year":18,"name":"xiaoming"})

可指定最小的字段宽度,如:"%5d"表示5个字节宽 也可用句点符指定附加的精度,如:"%.3d" 表示精度为3

  • 下面是常用字符格式

%% 百分号标记 #就是输出一个%

%c 字符及其ASCII码

%s 字符串

%d 有符号整数(十进制)

%u 无符号整数(十进制)

%o 无符号整数(八进制)

%x 无符号整数(十六进制)

%X 无符号整数(十六进制大写字符)

%e 浮点数字(科学计数法)

%E 浮点数字(科学计数法,用E代替e)

%f 浮点数字(用小数点符号)

%g 浮点数字(根据值的大小采用%e或%f)

%G 浮点数字(类似于%g)

%p 指针(用十六进制打印值的内存地址)

%n 存储输出字符的数量放进参数列表的下一个变量中

2. format函数

自python2.6开始,新增了一种格式化字符串的函数str.format(),此函数可以快速处理各种字符串,它增强了字符串格式化的功能。
基本语法是通过{}和:来代替%。format函数可以接受不限个参数,位置可以不按顺序。

请看下面一个例子

>>> "{} {}".format("hello","world")#设置指定位置,按默认顺序
'hello world'


>>> "{0} {1}".format("hello", "world")  # 设置指定位置
'hello world'


>>> "{1} {0} {1}".format("hello", "world")  # 设置指定位置
'world hello world'

也可以设置参数

#!/usr/bin/python
# -*- coding: UTF-8 -*-
 
print("姓名:{name}, 年龄 {year}".format(name="xiaoming", year=18))
 
# 通过字典设置参数
site = {"name": "xiaoming", "year": 18}
print("网站名:{name}, 地址 {url}".format(**site))
 
# 通过列表索引设置参数
my_list = ['xiaoming',18]
print("姓名:{0[0]}, 年龄 {0[1]}".format(my_list))  # "0" 是可选的

字符格式化

举例:
`>>> print("{:.4}".format(3.1415926))
3.142`

format中有丰富的格式限定符,有很多格式限定的方法:

1、填充与对齐

填充常跟对齐一起使用
^、<、>分别是居中、左对齐、右对齐,后面带宽度
:号后面带填充的字符,只能是一个字符,不指定的话默认是用空格填充
比如

>>> print("{:>7}".format(12))
     12
>>> print("{:0>7}".format(12))
0000012
>>> print("{:a>7}".format(12))
aaaaa12
   

2、精度与类型

举例:

>>> print("{:.2f}".format(3.1415926))
3.14

下表展示了 str.format() 格式化数字的多种方法:

数字格式输出描述
3.1415926{:.2f}3.14保留小数点后两位
3.1415926{:+.2f}+3.14带符号保留小数点后两位
-1{:+.2f}-1.00带符号保留小数点后两位
2.71828{:.0f}3不带小数
1000000{:,}1,000,000以逗号分隔的数字格式
0.25{:.2%}25.00%百分比格式
1000000000{:.2e}1.00e+09指数记法

3、其他类型

主要就是进制,b、d、o、x分别是二进制、十进制、八进制、十六进制。

'{:b}'.format(11): 1011  
'{:d}'.format(11): 11
'{:o}'.format(11): 13
'{:x}'.format(11): b
'{:#x}'.format(11): 0xb
'{:#X}'.format(11): 0XB

资料参考文章:
http://www.runoob.com/python/att-string-format.html
http://www.jb51.net/article/63672.htm
http://www.cnblogs.com/vamei/archive/2013/03/12/2954938.html

1 + 6 =
快来做第一个评论的人吧~