我需要用空格分割我的字符串。 为此我试过:

str = "Hello I'm your String";
String[] splited = str.split(" ");

但这似乎并不奏效。


当前回答

另一种方法是:

import java.util.regex.Pattern;

...

private static final Pattern SPACE = Pattern.compile(" ");
String[] arr = SPACE.split(str); // str is the string to be split

在这里看到的

其他回答

将解决方案整合在一起!

public String getFirstNameFromFullName(String fullName){
    int indexString = fullName.trim().lastIndexOf(' ');
    return (indexString != -1)  ? fullName.trim().split("\\s+")[0].toUpperCase() : fullName.toUpperCase();
}

使用Stringutils.split()按白色步长分割字符串。例如StringUtils。split("Hello World")返回"Hello"和"World";

为了解决上述情况,我们采用了这样的分割方法

String split[]= StringUtils.split("Hello I'm your String");

当我们打印拆分数组时,输出将是:

你好

I'm

your

字符串

完整的示例演示检查这里

我相信在str.split括号中放入正则表达式应该可以解决这个问题。Java String.split()方法是基于正则表达式的,所以你需要:

str = "Hello I'm your String";
String[] splitStr = str.split("\\s+");

简单的吐串由空间

    String CurrentString = "First Second Last";
    String[] separated = CurrentString.split(" ");

    for (int i = 0; i < separated.length; i++) {

         if (i == 0) {
             Log.d("FName ** ", "" + separated[0].trim() + "\n ");
         } else if (i == 1) {
             Log.d("MName ** ", "" + separated[1].trim() + "\n ");
         } else if (i == 2) {
             Log.d("LName ** ", "" + separated[2].trim());
         }
     }

另一种方法是:

import java.util.regex.Pattern;

...

private static final Pattern SPACE = Pattern.compile(" ");
String[] arr = SPACE.split(str); // str is the string to be split

在这里看到的