如何按空格拆分字符串
我需要按空格拆分我的字符串。为此,我尝试了:
str = "Hello I'm your String";
String[] splited = str.split(" ");
但它似乎不起作用。
我需要按空格拆分我的字符串。为此,我尝试了:
str = "Hello I'm your String";
String[] splited = str.split(" ");
但它似乎不起作用。
你所拥有的应该有效。但是,如果提供的空格默认为...别的?您可以使用空格正则表达式:
str = "Hello I'm your String";
String[] splited = str.split("\\s+");
这将导致任意数量的连续空格将字符串拆分为标记。
虽然接受的答案很好,但请注意,如果您的输入字符串以空格开头,则最终将得到一个前导空字符串。例如,使用:
String str = " Hello I'm your String";
String[] splitStr = str.split("\\s+");
结果将是:
splitStr[0] == "";
splitStr[1] == "Hello";
splitStr[2] == "I'm";
splitStr[3] == "Your";
splitStr[4] == "String";
因此,您可能希望在拆分字符串之前对其进行修剪:
String str = " Hello I'm your String";
String[] splitStr = str.trim().split("\\s+");
[编辑]
除了警告之外,您可能还需要考虑 unicode 不间断空格字符 ()。此字符的打印方式与字符串中的常规空格类似,并且通常潜伏在富文本编辑器或网页的复制粘贴文本中。它们不是通过哪些测试来处理字符删除的 ; 也不会抓住他们。trim
U+00A0
.trim()
c <= ' '
\s
相反,您可以使用,但您需要启用Unicode字符支持,而常规代码不会这样做。例如,这将起作用:但它不会做部分。\p{Blank}
split
Pattern.compile("\\p{Blank}", UNICODE_CHARACTER_CLASS).split(words)
trim
下面演示了该问题并提供了解决方案。依靠正则表达式远非最佳,但是现在Java具有8位/ 16位字节表示,因此有效的解决方案变得相当长。
public class SplitStringTest
{
static final Pattern TRIM_UNICODE_PATTERN = Pattern.compile("^\\p{Blank}*(.*)\\p{Blank}$", UNICODE_CHARACTER_CLASS);
static final Pattern SPLIT_SPACE_UNICODE_PATTERN = Pattern.compile("\\p{Blank}", UNICODE_CHARACTER_CLASS);
public static String[] trimSplitUnicodeBySpace(String str)
{
Matcher trimMatcher = TRIM_UNICODE_PATTERN.matcher(str);
boolean ignore = trimMatcher.matches(); // always true but must be called since it does the actual matching/grouping
return SPLIT_SPACE_UNICODE_PATTERN.split(trimMatcher.group(1));
}
@Test
void test()
{
String words = " Hello I'm\u00A0your String\u00A0";
// non-breaking space here --^ and there -----^
String[] split = words.split(" ");
String[] trimAndSplit = words.trim().split(" ");
String[] splitUnicode = SPLIT_SPACE_UNICODE_PATTERN.split(words);
String[] trimAndSplitUnicode = trimSplitUnicodeBySpace(words);
System.out.println("words: [" + words + "]");
System.out.println("split: [" + Arrays.stream(split).collect(Collectors.joining("][")) + "]");
System.out.println("trimAndSplit: [" + Arrays.stream(trimAndSplit).collect(Collectors.joining("][")) + "]");
System.out.println("splitUnicode: [" + Arrays.stream(splitUnicode).collect(Collectors.joining("][")) + "]");
System.out.println("trimAndSplitUnicode: [" + Arrays.stream(trimAndSplitUnicode).collect(Collectors.joining("][")) + "]");
}
}
结果在:
words: [ Hello I'm your String ]
split: [][Hello][I'm your][String ]
trimAndSplit: [Hello][I'm your][String ]
splitUnicode: [][Hello][I'm][your][String]
trimAndSplitUnicode: [Hello][I'm][your][String]