1、整数的输出
%o —— oct 八进制
%d —— dec 十进制
%x —— hex 十六进制
2、浮点数输出
(1)格式化输出
%f ——保留小数点后面六位有效数字
%.3f,保留3位小数位
%e ——保留小数点后面六位有效数字,指数形式输出
%.3e,保留3位小数位,使用科学计数法
%g ——在保证六位有效数字的前提下,使用小数方式,否则使用科学计数法
%.3g,保留3位有效数字,使用小数或科学计数法
3、字符串输出
%s
%10s——右对齐,占位符10位
%-10s——左对齐,占位符10位
%.2s——截取2位字符串
%10.2s——10位占位符,截取两位字符串
4. %s和%r区别
%r用rper()方法处理对象
%s用str()方法处理对象
有些情况下,两者处理的结果是一样的,比如说处理int型对象。
例一:
print "I am %d years old." % 22
print "I am %s years old." % 22
print "I am %r years old." % 22
返回结果:
I am 22 years old.
I am 22 years old.
I am 22 years old.
另外一些情况两者就不同了
例二:
text = "I am %d years old." % 22
print "I said: %s." % text
print "I said: %r." % text
返回结果:
I said: I am 22 years old..
I said: 'I am 22 years old.'. // %r 给字符串加了单引号
再看一种情况
例三:
import datetime
d = datetime.date.today()
print "%s" % d
print "%r" % d
返回结果:
2014-04-14
datetime.date(2014, 4, 14)
可见,%r打印时能够重现它所代表的对象(rper() unambiguously recreate the object it represents)
二、format用法
相对基本格式化输出采用‘%’的方法,format()功能更强大,该函数把字符串当成一个模板,通过传入的参数进行格式化,并且使用大括号‘{}’作为特殊字符代替‘%’
使用方法由两种:b.format(a)和format(a,b)。
1、基本用法
(1)不带编号,即“{}”
(2)带数字编号,可调换顺序,即“{1}”、“{2}”
(3)带关键字,即“{a}”、“{tom}”
基本用法:
1 #通过位置
2 print '{0},{1}'.format('chuhao',20)
3
4 print '{},{}'.format('chuhao',20)
5
6 print '{1},{0},{1}'.format('chuhao',20)
7
8 #通过关键字参数
9 print '{name},{age}'.format(age=18,name='chuhao')
10
11 class Person:
12 def __init__(self,name,age):
13 self.name = name
14 self.age = age
15
16 def __str__(self):
17 return 'This guy is {self.name},is {self.age} old'.format(self=self)
18
19 print str(Person('chuhao',18))
20
21 #通过映射 list
22 a_list = ['chuhao',20,'china']
23 print 'my name is {0[0]},from {0[2]},age is {0[1]}'.format(a_list)
24 #my name is chuhao,from china,age is 20
25
26 #通过映射 dict
27 b_dict = {'name':'chuhao','age':20,'province':'shanxi'}
28 print 'my name is {name}, age is {age},from {province}'.format(**b_dict)
29 #my name is chuhao, age is 20,from shanxi
30
31 #填充与对齐
32 print '{:>8}'.format('189')
33 # 189
34 print '{:0>8}'.format('189')
35 #00000189
36 print '{:a>8}'.format('189')
37 #aaaaa189
38
39 #精度与类型f
40 #保留两位小数
41 print '{:.2f}'.format(321.33345)
42 #321.33
43
44 #用来做金额的千位分隔符
45 print '{:,}'.format(1234567890)
46 #1,234,567,890
47
48 #其他类型 主要就是进制了,b、d、o、x分别是二进制、十进制、八进制、十六进制。
49
50 print '{:b}'.format(18) #二进制 10010
51 print '{:d}'.format(18) #十进制 18
52 print '{:o}'.format(18) #八进制 22
53 print '{:x}'.format(18) #十六进制12