在Java中拆分字符串以仅显示字符序列

时间:2012-12-19 20:09:59

标签: java regex split

我正在尝试拆分字符串,如下面的字符串

3x2y3+5x2w3–8x2w3z4+3-2x2w3+9y–4xw–x2x3+8x2w3z4–4

到一个没有任何数字或符号的字符串表。

这意味着

a[0]=x
a[1]=y
a[2]=x
a[3]=w

我试过这个

split("(\\+|\\-|\\d)+\\d*")

但它似乎不起作用。

6 个答案:

答案 0 :(得分:5)

以下内容应该有效:

String[] letters = input.split("[-+\\d]+");

答案 1 :(得分:3)

修改: -

如果您希望xw在结果数组中合并,那么您需要拆分字符串: -

String[] arr = str.split("[-+\\d]+");

输出: -

[, x, y, x, w, x, w, z, x, w, y, xw, x, x, x, w, z]

您可以用空字符串替换所有不需要的字符,并在空字符串上拆分。

String str = "3x2y3+5x2w3-8x2w3z4+3-2x2w3+9y-4xw-x2x3+8x2w3z4-4";
str = str.replaceAll("[-+\\d]", "");        
String[] arr = str.split("");       
System.out.println(Arrays.toString(arr));

请注意,这将添加一个空字符串作为数组的第一个元素,您可以处理它。

输出: -

[, x, y, x, w, x, w, z, x, w, y, x, w, x, x, x, w, z]

请注意,您的问题-签名有所不同。您应该用键盘上的那个替换它。目前它不匹配-符号。

答案 2 :(得分:1)

这个单行可以做到这一切:

String[] letters = input.replaceAll("(^[^a-z]*)|([^a-z]*$)", "").split("[^a-z]+");

这也处理前导/尾随字符,因此您不会在数组的开头获取空白元素(如其他一些答案)

使用您的字符串进行测试:

public static void main(String[] args) {
    String input = "3x2y3+5x2w3–8x2w3z4+3-2x2w3+9y–4xw–x2x3+8x2w3z4–4";
    String[] letters = input.replaceAll("(^[^a-z]*)|([^a-z]*$)", "").split("[^a-z]+");
    System.out.println(Arrays.toString(letters));
}

输出:

[x, y, x, w, x, w, z, x, w, y, xw, x, x, x, w, z]

请注意,数组

中没有前导“空白”元素

答案 3 :(得分:0)

备注 - 和 - 不是相同的代码,一个是ascii减去其他很长(编码UTF8 e28093)

public class Test {
    public static void main(String pArgs[])
    {
        String s="3x2y3+5x2w3–8x2w3z4+3-2x2w3+9y–4xw–x2x3+8x2w3z4–4";
        String splitreg="(\\+|\\-|\\d|–)+\\d*";     if ( pArgs.length > 0 )
            {
                splitreg=pArgs[0];
        }
        System.out.println("splitting '" + s + "' with '"  + splitreg + "'"); 
        String[] splitted=s.split(splitreg);
        for (int i=0; i < splitted.length; i++ )
            {
                System.out.println("["+ i + "]" + "=" + splitted[i]);
            }
    }
}

/usr/lib/jvm/java-1.7.0-openjdk-amd64/bin/java测试

splitting '3x2y3+5x2w3–8x2w3z4+3-2x2w3+9y–4xw–x2x3+8x2w3z4–4' with '(\+|\-|\d|–)+\d*'
[0]=
[1]=x
[2]=y
[3]=x
[4]=w
[5]=x
[6]=w
[7]=z
[8]=x
[9]=w
[10]=y
[11]=xw
[12]=x
[13]=x
[14]=x
[15]=w
[16]=z

答案 4 :(得分:0)

String[] letters = input.split("[\\d\\+\\-]+");

答案 5 :(得分:0)

这是你想要实现的目标吗?

 String data="3x2y3+5x2w3–8x2w3z4+3-2x2w3+9y–4xw–x2x3+8x2w3z4–4";

 //lets replace all unnecessary elements with spaces
 data=data.replaceAll("[-+–\\d]", " ");
 // now string looks like:
 // " x y   x w   x w z     x w   y  xw x x   x w z   "

 // lets remove spaces from start and end
 data=data.trim();
 // data looks like:
 // "x y   x w   x w z     x w   y  xw x x   x w z"

 // and split in places where is at least one space
 String[] arr=data.split("\\s+");

 System.out.println(Arrays.toString(arr));

输出:

[x, y, x, w, x, w, z, x, w, y, xw, x, x, x, w, z]