sub()与subn()函数
re.sub()函数用于替换在字符串中符合正则表达式的内容,他返回替换后的字符串。
re.subn()函数与re.sub()函数相同,只不过re.subn()函数将返回一个元组来保存替换的结果和替换的次数
其函数的原型如下:
re.sub(pattern,repl,string[, count])
re.subn(pattern,repl,string[,count])
其参数含义:
pattern:正则表达式模式
repl:要替换的内容
string:要进行内容替换的字符串
count:可选参数,最大替换次数
>>> import re
>>> s='Life can be bad' #定义一个字符串
>>> re.sub('bad','good',s) #用good替换bad
'Life can be good'
>>> re.sub('bad|be','good',s)#good替换bad或者be
'Life can good good'
>>> re.sub('bad|be','good',s,1)#用good替换bad或者be
'Life can good bad'
>>> r=re.subn('bad|be',',good',s)
>>> print(r[0])
Life can ,good ,good
>>> print(r[1])
2
>>>