http://www.perlmonks.org?node_id=555982


in reply to can split() use a regex?

If you really wanted to split on '\d+\s+' you'd need to single quote the regex, ie:
my ($one, $two) = split('\d+\s+', $line);

Replies are listed 'Best First'.
Re^2: can split() use a regex?
by davidrw (Prior) on Jun 17, 2006 at 16:02 UTC
    or use (and IMHO better because it clearly designates it as a regex to the reader) the normal //:
    my ($one, $two) = split( /\d+\s+/, $line);
    BUT.. you need the delimeter as $one .. so need to capture it:
    my ($one, $two) = split( /(\d+\s+)/, $line);
    BUT .. that will have the space in $one .. so use a look-behind (see perlre) instead .. (and add the LIMIT)
    my ($one, $two) = split /(?<=\d+)\s+/, $line, 2;
    so to OP -- yes, it's possible w/split & regex ;)