字符串操作:
字符串的 % 格式化操作:
1
2
3
|
str = "Hello,%s.%s enough for ya ?" values = ( 'world' , 'hot' ) print str % values |
输出结果:
1
|
Hello,world.hot enough for ya ? |
模板字符串:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
|
#coding=utf-8 from string import Template ## 单个变量替换 s1 = Template( '$x, glorious $x!' ) print s1.substitute(x = 'slurm' ) ## 美元符号表示以及单个变量的替换 s2 = Template( "Make $$ selling $x!" ) print s2.substitute(x = 'slurm' ) ## 字段变量的替换 s3 = Template( 'A $thing must never $action .' ) d = {} d[ 'thing' ] = 'gentleman' d[ 'action' ] = 'show his socks' print s3.substitute(d) ps:safe_substitute 不会因缺少值或者不正确使用$字符而出错。 |
字符串格式化类型:
(1) %字符:标记转换说明符的开始,就是开始替换。
(2) -表示左对齐,+表示在转换值之前加上正负号。0表示转换值位数不够则用0填充。
(3) * 可以指定最小字段宽度。
(4) 点(.)后面跟上精度值。
字符串方法:
(1)find:可以在一个较长的字符串中查找子字符串,返回子串所在位置的最左端索引。如果没有找到则返回-1.
1
2
|
print 'With a moo-moo here, and a moo-moo there' .find( 'moo' ) 返回: 7 |
(2)join方法:将字符串拼接起来。
1
2
3
|
print '/' .join(( ' ' , 'usr' , 'bin' , 'env' )) 输出: / usr / bin / env ps:和谷歌的guava有点像。 |
(3)lower方法: 返回字符串的小写字母版。
1
2
|
print 'AK47' .lower() 输出:ak47 |
(4)replace方法:返回某字符串的所有匹配项均被替换之后的得到的字符串。
1
2
|
'This is a test' .replace( 'is' , 'ezz' ) 输出:Thezz ezz a test |
(5)split方法:join的逆方法,将字符串分隔成序列。
1
2
|
print '1+2+3+4+5' .split( '+' ) 输出:[ '1' , '2' , '3' , '4' , '5' ] |
(6)strip方法:去除两侧的字符串,默认是空格字符串,也可以指定相应的字符串。
1
|
ps:另外可以参加lstrip和rstrip方法。 |
(7)translate方法:和 replace 方法一样,可以替换字符串中某些部分,但是和前者不同的是,translate方法只处理单个字符。它的优势在于可以同时进行多个替换,有些时候比replace效率高的多。
1
|
ps:maketrans方法和translate方法类似。 |
字典的基本操作:
(1) dict方法:用来构造字典数据。
1
2
3
|
dict (name = 'Gumby' ,age = 42 ) dict ([( 'name' , 'Gumby' ),( 'age' , 42 )]) ps:都是构造字段的方法。 |
(2) 字典基本操作:
1. len(d) 返回d中项(键值)的数量。
2. d[k]返回关联到键k上的值。
3. d[k]=v 将值v关联到键k上。
4. del d[k] 删除键为k的项。
5. k in d 检查d中是否含有键为k的项。
(3) copy 方法返回一个具有相同键值对的新字典。
(4) fromkeys:方法使用给定的键建立新的字典,每个键对应的值为None。
1
2
|
print {}.fromkeys([ 'name' , 'age' ]) 输出:{ 'age' : None , 'name' : None } |
(5) get方法:get方法是个更宽松的字典项方法。
1
2
3
|
d = {} d[ 'name' ] 如此访问时会报错。 d.get( 'name' )访问时,如果不存在会返回 None 。 |
(6) haskey: haskey方法可以检查字典中是否含有给出的键。d.has_key(k) 相当于 k in d。
(7) items和iteritems方法:
1
2
|
items方法会将字典按照键值元组列表的形式返回,但没有顺序。 iteritems和items类似,但是返回的是迭代器。 |
(8) keys和iterkeys和item类似,这个是返回key的列表或者迭代器。
(9) values方法以列表形式返回字典中的值,和keys或iterkeys不同的是,返回的值可以包含重复值。
(10) update方法可以用一个字典来更新另外一个字典。
如有疑问请留言或者到本站社区交流讨论,感谢阅读,希望能帮助到大家,谢谢大家对本站的支持!
原文链接:http://blog.csdn.net/lantian0802/article/details/45128085