python 里面可以用 replace 实现简单的替换字符串操作,如果要实现复杂一点的替换字符串操作,需用到正则表达式。
re.sub用于替换字符串中匹配项,返回一个替换后的字符串,subn方法与sub()相同, 但返回一个元组, 其中包含新字符串和替换次数。
Python 的 re 模块提供了re.sub用于替换字符串中的匹配项,sub是substitute表示替换。
使用语法
sub(pattern, repl, string, count=0, flags=0)
将字符串中的hello替换成数字123
import re #替换s中的hello为123, s = "hello,world!!!" print(re.sub(r'hello', "123", s)) #123,world!!!
把字符串中的连续数字替换成hello
import re # 把字符串中的连续数字替换成hello s = "the number 0746-8798098" print(re.sub(r'\d+', "hello", s)) # the number hello-hello
替换时间格式 01/11/2021 替换成 2021/01/11
import re # 替换时间格式 01/11/2021 替换成 2021/01/11 s = "today is 09-12-2021" day = re.sub(r'(\d{2})-(\d{2})-(\d{4})', r'\3-\2-\1', s) print(day) # today is 2021-12-09 # 也可以用g<3>-g<2>-g<1> day2 = re.sub(r'(\d{2})-(\d{2})-(\d{4})', r'g<3>-g<2>-g<1>', s) print(day) # today is 2021-12-09
\3
和 \g<3>
指代的的都是前面匹配的第3个分组
sub 加 count 参数可以控制要替换的次数,而且必须是非负整数,该参数默认为0,表示所有的匹配都会被替换;
import re # 替换字符串中的空格为123,只替换一次 s = "We are happy" print(re.sub(" ", "123", s, count=1)) # We123are happy
subn方法与sub()相同, 但返回一个元组, 其中包含新字符串和替换次数。
# 替换字符串中的空格为123 s = "We are happy" print(re.subn(" ", "123", s)) #('We123are123happy', 2)