17

str.split在 Python 中是否有任何等价物也返回分隔符?

在处理一些标记后,我需要为我的输出保留空白布局。

例子:

>>> s="\tthis is an  example"
>>> print s.split()
['this', 'is', 'an', 'example']

>>> print what_I_want(s)
['\t', 'this', ' ', 'is', ' ', 'an', '  ', 'example']

谢谢!

4

5 回答 5

19

怎么样

import re
splitter = re.compile(r'(\s+|\S+)')
splitter.findall(s)
于 2009-11-30T15:08:11.833 回答
6
>>> re.compile(r'(\s+)').split("\tthis is an  example")
['', '\t', 'this', ' ', 'is', ' ', 'an', '  ', 'example']
于 2009-11-30T15:08:56.913 回答
4

re模块提供了以下功能:

>>> import re
>>> re.split('(\W+)', 'Words, words, words.')
['Words', ', ', 'words', ', ', 'words', '.', '']

(引用自 Python 文档)。

对于您的示例(按空格分隔),请使用re.split('(\s+)', '\tThis is an example').

关键是在捕获括号中包含要拆分的正则表达式。这样,分隔符就会添加到结果列表中。

编辑:正如所指出的,任何前/后定界符当然也将添加到列表中。为避免这种情况,您可以.strip()先在输入字符串上使用该方法。

于 2009-11-30T15:09:01.017 回答
3

你看过pyparsing吗?从pyparsing wiki借来的示例:

>>> from pyparsing import Word, alphas
>>> greet = Word(alphas) + "," + Word(alphas) + "!"
>>> hello1 = 'Hello, World!'
>>> hello2 = 'Greetings, Earthlings!'
>>> for hello in hello1, hello2:
...     print (u'%s \u2192 %r' % (hello, greet.parseString(hello))).encode('utf-8')
... 
Hello, World! → (['Hello', ',', 'World', '!'], {})
Greetings, Earthlings! → (['Greetings', ',', 'Earthlings', '!'], {})
于 2009-11-30T15:39:03.237 回答
-1

感谢大家指点这个re模块,我仍在尝试在它和使用我自己的返回序列的函数之间做出决定......

def split_keep_delimiters(s, delims="\t\n\r "):
    delim_group = s[0] in delims
    start = 0
    for index, char in enumerate(s):
        if delim_group != (char in delims):
            delim_group ^= True
            yield s[start:index]
            start = index
    yield s[start:index+1]

如果我有时间,我会对它们进行基准测试 xD

于 2009-11-30T15:28:21.747 回答