Python中的字符串同样适用标准的序列操作(索引,分片,乘法,成员判断,求长度,取最小值和最大值),但因为字符串是不可变的,因此字符串不支持分片赋值。
s='http://www.baidu.com'
s[-3:]='aaa'
print(s)
输出结果:
s[-3:]='aaa'
TypeError: 'str' object does not support item assignment
可以看出抛出的错误信息,字符串不允许标记内部项。
但我们可以在字符串中用一个百分比符号%s标记出一个占位符,它表示我们将要在该位置插入转换值的位置。s将会被格式化为字符串,如果被转换的对象不是字符串,则会将其转换为字符串。
模板字符串
除了用%s插入转换值外,还可以使用substitute模板方法,用传递进来的关键字参数替换字符串中的关键字。
from string import Template
s=Template('$x,glorious $b')
s=s.substitute(x='slurm',b='haha')
print(s)
输出结果:
slurm,glorious haha
我们看到$s位置被替换为slurm,$b位置被替换为haha
如果被替换的位置是单词的一部分,可以将其用{}括起来
from string import Template
s=Template('${x}glorious $b')
s=s.substitute(x='slurm',b='haha')
输出结果:
slurmglorious haha
使用字典变量提供值得/名称对替换
from string import Template
s=Template('$name come from $county ')
d={}
d['name']='zhangsan'
d['county']='china'
s=s.substitute(d)
print(s)
输出结果:
zhangsan come from china
格式化输出多个参数
s='%s come from %s'%('zhangsan','china')
print(s)
输出结果:
zhangsan come from china
字符串格式化转换类型
转换类型 | 解释 |
d,i | 带符号的十进制整数 |
o | 不带符号的八进制 |
u | 不带符号的十进制 |
x | 不带符号的十六进制 |
e | 科学计数法表示的浮点数(小写) |
E | 科学计数法表示浮点数(大写) |
f.F | 十进制浮点数 |
c | 单字符 |
r | 字符串(用repr转换任意Python对象) |
s | 字符串(用str转换任意python对象) |
字符串与utf8互转
s='你好'
print(s.encode('utf8'))
a=s.encode('utf8')
print(a.decode('utf8'))
输出结果:
b'\xe4\xbd\xa0\xe5\xa5\xbd'
你好
字符串的宽度和精度
宽度是指转换后的值所保留的最小字符个数,精度则是结果中应该包含的小数位数
例如 输出宽度为10的pi的值
from math import pi
p='%10f'%pi
for k, i in enumerate(p) : #使用enumerate函数打印序列
print('序列%s'%k,i)
序列0
序列1
序列2 3
序列3 .
序列4 1
序列5 4
序列6 1
序列7 5
序列8 9
序列9 3
打印精度为2的pi的值
from math import pi
p='%.2f'%pi
print(p)
输出结果:
3.14
打印宽度为10,精度为2的pi的值
from math import pi
p='%10.2f'%pi
for k,i in enumerate(p):
print('序列%s 打印值%s'%(k,i))
打印结果:
序列0 打印值
序列1 打印值
序列2 打印值
序列3 打印值
序列4 打印值
序列5 打印值
序列6 打印值3
序列7 打印值.
序列8 打印值1
序列9 打印值4
我们看到,当整数部分没有值时,将以空' ' 代替。
print('%+5d'%10)
print('%+5d'%-10)
输出:
+10
-10
使用 '-'用来左对齐数值,用'+'表示不管是整数还是复数都会标识出符号
使用字符串格式化,使我们的代码看着更简洁
width=input('>>输入宽度:')
price_with=10
item_width=int(width)-price_with
header_format='%-*s%*s'
format='%-*s%*.2f'
print('='*int(width))
print(header_format%(item_width,'item',price_with,'price'))
print('_'*int(width))
print(format%(item_width,'apple',price_with,0.4))
print(format%(item_width,'Pears',price_with,0.5))
输出结果:
>>输入宽度:30
==============================
item price
______________________________
apple 0.40
Pears 0.50
字符串的常用方法:
方法名 | 解释 | 案例 |
find | 在一个长的字符串中查找字符串,返回字符串所在位置的最左端的索引,如果没有则返回-1 |
str='hello world' |
join | 用来连接列表中的字符串 |
l=['1','2','3','4','5','6'] |
lower | 返回字符串的小写母版(忽略用户大小写时使用,例如,用户输入用户名含有大写字母,输入后将其转换为小写并与数据库中的保存字符匹配) |
str='HELLO WORLD' |
replace | 返回字符串中所有被匹配项被替换后的所得到的新字符串 |
str='HELLO WORLD' |
split | 按某个分隔符将字符串分割成序列,默认以空格符分割 |
str='1+2+3+4' |
strip | 去除字符串两边的空格 |
str=' HELLO WORLD ' |
maketrans | 创建字符映射的转换表,接收两个参数,第一个参数是字符串,表示要转换的字符串,第二个参数也是字符串表示转换的目标(两个参数是映射关系(一一对映),因此长度必须相同) |
intab = "el" |