只要数字与非数字相邻,python正则表达式就会添加空格

时间:2016-04-17 19:52:17

标签: python regex replace formatting alphanumeric

我试图将非数字与Python字符串中的数字分开。数字可以包括花车。

实施例

Original String               Desired String
'4x5x6'                       '4 x 5 x 6'
'7.2volt'                     '7.2 volt'
'60BTU'                       '60 BTU'
'20v'                         '20 v'
'4*5'                         '4 * 5'
'24in'                        '24 in'

这是一个关于如何在PHP中实现的非常好的线程:

Regex: Add space if letter is adjacent to a number

我想在Python中操作上面的字符串。

以下代码片段适用于第一个示例,但不适用于其他代码:

new_element = []
result = [re.split(r'(\d+)', s) for s in (unit)]
for elements in result:
   for element in elements:
       if element != '':
           new_element.append(element)

    new_element = ' '.join(new_element)
    break

2 个答案:

答案 0 :(得分:3)

轻松!只需替换它并使用Regex变量。不要忘记剥去空白。 请尝试以下代码:

import re
the_str = "4x5x6"
print re.sub(r"([0-9]+(\.[0-9]+)?)",r" \1 ", the_str).strip() // \1 refers to first variable in ()

答案 1 :(得分:3)

我像你一样使用拆分,但是修改它是这样的:

>>> tcs = ['123', 'abc', '4x5x6', '7.2volt', '60BTU', '20v', '4*5', '24in', 'google.com-1.2', '1.2.3']
>>> pattern = r'(-?[0-9]+\.?[0-9]*)'
>>> for test in tcs: print(repr(test), repr(' '.join(segment for segment in re.split(pattern, test) if segment)))
'123' '123'
'abc' 'abc'
'4x5x6' '4 x 5 x 6'
'7.2volt' '7.2 volt'
'60BTU' '60 BTU'
'20v' '20 v'
'4*5' '4 * 5'
'24in' '24 in'
'google.com-1.2' 'google.com -1.2'
'1.2.3' '1.2 . 3'

似乎有所期望的行为。

请注意,在加入字符串之前,必须从数组的开头/结尾删除空字符串。有关说明,请参阅this question