16

我有用点分隔的单词的字符串。例子:

string1 = 'one.two.three.four.five.six.eight' 
string2 = 'one.two.hello.four.five.six.seven'

如何在 python 方法中使用此字符串,将一个单词指定为通配符(因为在这种情况下,例如第三个单词会有所不同)。我正在考虑正则表达式,但不知道我想到的方法在 python 中是否可行。例如:

string1.lstrip("one.two.[wildcard].four.")

或者

string2.lstrip("one.two.'/.*/'.four.")

(我知道我可以通过 提取这个split('.')[-3:],但我正在寻找一种通用的方法, lstrip 只是一个例子)

4

1 回答 1

31

用于re.sub(pattern, '', original_string)original_string中删除匹配部分:

>>> import re
>>> string1 = 'one.two.three.four.five.six.eight'
>>> string2 = 'one.two.hello.four.five.six.seven'
>>> re.sub(r'^one\.two\.\w+\.four', '', string1)
'.five.six.eight'
>>> re.sub(r'^one\.two\.\w+\.four', '', string2)
'.five.six.seven'

顺便说一句,你误会了str.lstrip

>>> 'abcddcbaabcd'.lstrip('abcd')
''

str.replace更合适(当然,re.sub也是):

>>> 'abcddcbaabcd'.replace('abcd', '')
'dcba'
>>> 'abcddcbaabcd'.replace('abcd', '', 1)
'dcbaabcd'
于 2013-08-30T13:14:07.833 回答