我的输入变体为字符串:
'12345 67890'
'abc 123'
'123 abc'
'abc def'
如果两边的字符都是数字而不是字母,我的目的是删除字符之间的空格。我正在考虑使用re模块,也许是re.sub()函数,或类似的东西。
期望的输出:
'1234567890'
'abc 123'
'123 abc'
'abc def'
谢谢
答案 0 :(得分:2)
使用regex
与lookahead和lookbehind:
>>> import re
>>> re.sub(r'(?<=\d)\s(?=\d)', '', '12345 67890')
'1234567890'
>>> re.sub(r'(?<=\d)\s(?=\d)', '', 'abc 123')
'abc 123'
>>> re.sub(r'(?<=\d)\s(?=\d)', '', '123 abc')
'123 abc'
>>> re.sub(r'(?<=\d)\s(?=\d)', '', 'abc def')
'abc def'
>>> re.sub(r'(?<=\d)\s(?=\d)', '', '123 abc 1234 456')
'123 abc 1234456'
答案 1 :(得分:1)
你不需要正则表达式
if all(part.isdigit() for part in data.split()):
data = data.replace(" ", "")
答案 2 :(得分:1)
这是一个正如你想要的正则表达式:
re.sub(r"(?P<digit_before>\d)\s(?P<digit_after>\d)",r"\g<digit_before>\g<digit_after>",s)
答案 3 :(得分:0)
您可以使用以下正则表达式:
re.sub('^(\d+) (\d+)$', r'\1\2', s)