如果你想用正则表达式来做,这个怎么样?
(?<=^|,)("[^"]*"|[^,]*)(?=,|$)
这匹配逗号分隔的字段,包括逗号出现在带引号的字符串中的可能性,例如123,"Yes, No"
. 正则表达式为此。
更详细地说:
(?<=^|,) # Must be preceded by start-of-line or comma
(
"[^"]*"| # A quote, followed by a bunch of non-quotes, followed by quote, OR
[^,]* # OR anything until the next comma
)
(?=,|$) # Must end with comma or end-of-line
使用类似于 Python's 的东西re.findall()
,它返回字符串中所有不重叠的匹配项(如果重要的话,从左到右工作。)不要将它与你的等价物一起使用,re.search()
或者re.match()
只返回找到的第一个匹配项。
(注意:这实际上在 Python 中不起作用,因为后视(?<=^|,)
不是固定宽度。Grr。欢迎对此提出建议。)
编辑:使用非捕获组来使用行首或逗号,而不是向后看,它在 Python 中工作。
>>> test_str = '123,456,"String","String, with, commas","Zero-width fields next",,"",nyet,123'
>>> m = re.findall('(?:^|,)("[^"]*"|[^,]*)(?=,|$)',test_str)
>>> m
['123', '456', '"String"', '"String, with, commas"',
'"Zero-width fields next"', '', '""', 'nyet', '123']
编辑 2:Python 的Ruby 等价物re.findall(needle, haystack)
是haystack.scan(needle)
.