Logo

Programming-Idioms

  • Pascal
  • VB
  • Lua
  • Java
  • Erlang
  • Rust
  • Perl

Idiom #259 Split on several separators

Build the list parts consisting of substrings of the input string s, separated by any of the characters ',' (comma), '-' (dash), '_' (underscore).

my @parts = split(/[,\-_]/, $s);

Technically, the - (dash) does not need to be escaped here since it is not representing a range. However, it is a good habit and will lead to less confusion to escape it.
uses sysutils;
parts := s.split([',','_','-']);
import static java.util.Collections.list;
import java.util.List;
import java.util.StringTokenizer;
List<?> parts = list(new StringTokenizer(s, ",-_"));

You can use `Object` or the `?` wildcard here,
the `StringTokenizer` class implements `Enumeration<Object>`.
import static java.util.regex.Pattern.quote;
import java.util.Scanner;
Scanner t = new Scanner(s);
String z = quote(",-_");
z = "[%s]".formatted(z);
t.useDelimiter(compile(z));
String parts[] = t.tokens()
    .toArray(String[]::new);
t.close();
import static java.util.regex.Pattern.quote;
String z = "[%s]".formatted(quote(",-_")),
       parts[] = s.split(z, -1);
let parts: Vec<_> = s.split(&[',', '-', '_'][..]).collect();
using System.Text.RegularExpressions;
var parts = Regex.Split(s, "[,_-]");

New implementation...