web-dev-qa-db-fra.com

Fendre la chaîne avec | séparateur dans java

J'ai une chaîne qui ressemble à ceci: 1|"value"|;

Je souhaite fractionner cette chaîne et j'ai choisi | comme séparateur.

Mon code ressemble à ceci:

String[] separated = line.split("|");

Ce que j'obtiens est un tableau qui contient tous les caractères en une seule entrée:

separated[0] = ""
separated[1] = "1"
separated[2] = "|"
separated[3] = """
separated[4] = "v"
separated[5] = "a"
...

Quelqu'un sait-il pourquoi?
Je ne peux pas fractionner une chaîne avec |?

31
Prexx

| est traité comme un OR dans RegEx. Il faut donc y échapper:

String[] separated = line.split("\\|");
75
Talha Ahmed Khan

Vous devez échapper au | Car il a une signification particulière dans une expression régulière. Jetez un œil à la méthode split(..) .

String[] sep = line.split("\\|");

Le deuxième \ Est utilisé pour échapper au | Et le premier \ Est utilisé pour échapper au second \ :).

10
Kevin

Le paramètre de la méthode split est une expression régulière, comme vous pouvez le lire ici . Puisque | a une signification particulière dans les expressions régulières, vous devez y échapper. Le code ressemble alors à ceci (comme d'autres l'ont déjà montré):

String[] separated = line.split("\\|");
4
Yoni

Essayez ceci: String[] separated = line.split("\\|");

Ma réponse est meilleure. J'ai corrigé l'orthographe de "séparé" :)

Aussi, la raison pour laquelle cela fonctionne? | signifie "OU" en regex. Vous devez y échapper.

3
Bohemian

Échappez au tuyau. Ça marche.

String.split("\\|");

La pipe est un caractère spécial en regex signifiant OU

3
Suraj Chandran

Cela ne fonctionnera pas de cette façon, car vous devez échapper au Pipe | première. L'exemple de code suivant, disponible sur (http://www.rgagnon.com/javadetails/Java-0438.html) montre un exemple.

public class StringSplit {
  public static void main(String args[]) throws Exception{
    String testString = "Real|How|To";
    // bad
    System.out.println(Java.util.Arrays.toString(
        testString.split("|")
    ));
    // output : [, R, e, a, l, |, H, o, w, |, T, o]

    // good
    System.out.println(Java.util.Arrays.toString(
      testString.split("\\|")
    ));
    // output : [Real, How, To]
  }
}
3
Ria

vous pouvez remplacer le tuyau par un autre caractère comme '#' avant de le séparer, essayez ceci

String[] seperated = line.replace('|','#').split("#");
2
Josh

String.split () utilise regex, vous devez donc échapper au '|' comme .split ("\\ |");

2
Karl-Bjørnar Øie
Pattern.compile("|").splitAsStream(String you want to split).collect(Collectors.toList());
0
Chinniah Annamalai

| signifie OR en regex, vous devriez y échapper. De plus, un seul '\', vous obtenez '\ |' ne signifie rien dans Java chaîne. Donc vous devez également échapper au "\" lui-même, qui donne "\ |".

Bonne chance!

0
public class StringUtil {

  private static final String HT = "\t";
  private static final String CRLF = "\r\n";

  // This class cannot be instantiated
  private StringUtil() {
  }

  /**
   * Split the string into an array of strings using one of the separator in
   * 'sep'.
   * 
   * @param s
   *            the string to tokenize
   * @param sep
   *            a list of separator to use
   * 
   * @return the array of tokens (an array of size 1 with the original string
   *         if no separator found)
   */
  public static String[] split(final String s, final String sep) {
    // convert a String s to an Array, the elements
    // are delimited by sep
    final Vector<Integer> tokenIndex = new Vector<Integer>(10);
    final int len = s.length();
    int i;

    // Find all characters in string matching one of the separators in 'sep'
    for (i = 0; i < len; i++)
      if (sep.indexOf(s.charAt(i)) != -1)
        tokenIndex.addElement(new Integer(i));

    final int size = tokenIndex.size();
    final String[] elements = new String[size + 1];

    // No separators: return the string as the first element
    if (size == 0)
      elements[0] = s;
    else {
      // Init indexes
      int start = 0;
      int end = (tokenIndex.elementAt(0)).intValue();
      // Get the first token
      elements[0] = s.substring(start, end);

      // Get the mid tokens
      for (i = 1; i < size; i++) {
        // update indexes
        start = (tokenIndex.elementAt(i - 1)).intValue() + 1;
        end = (tokenIndex.elementAt(i)).intValue();
        elements[i] = s.substring(start, end);
      }
      // Get last token
      start = (tokenIndex.elementAt(i - 1)).intValue() + 1;
      elements[i] = (start < s.length()) ? s.substring(start) : "";
    }

    return elements;
  }

}
0
Ashok Domadiya