I need to split a string like this, on semicolons. But I don't want to split on semicolons that are inside of a string (' or "). I'm not parsing a file; just a simple string with no line breaks.
part 1;"this is ; part 2;";'this is ; part 3';part 4;this "is ; part" 5
Result should be:
- part 1
- "this is ; part 2;"
- 'this is ; part 3'
- part 4
- this "is ; part" 5
I suppose this can be done with a regex but if not; I'm open to another approach.
This regex will do that:
(?:^|;)("(?:[^"]+|"")*"|[^;]*)
since you do not have '\n', use it to replace any ';' that is not in a quote string
Most of the answers seem massively over complicated. You don't need back references. You don't need to depend on whether or not re.findall gives overlapping matches. Given that the input cannot be parsed with the csv module so a regular expression is pretty well the only way to go, all you need is to call re.split with a pattern that matches a field.
Note that it is much easier here to match a field than it is to match a separator:
and the output is:
As Jean-Luc Nacif Coelho correctly points out this won't handle empty groups correctly. Depending on the situation that may or may not matter. If it does matter it may be possible to handle it by, for example, replacing
';;'
with';<marker>;'
where<marker>
would have to be some string (without semicolons) that you know does not appear in the data before the split. Also you need to restore the data after:However this is a kludge. Any better suggestions?
While it could be done with PCRE via lookaheads/behinds/backreferences, it's not really actually a task that regex is designed for due to the need to match balanced pairs of quotes.
Instead it's probably best to just make a mini state machine and parse through the string like that.
Edit
As it turns out, due to the handy additional feature of Python
re.findall
which guarantees non-overlapping matches, this can be more straightforward to do with a regex in Python than it might otherwise be. See comments for details.However, if you're curious about what a non-regex implementation might look like:
A generalized solution:
Outputs:
This solution: