挖掘源代码,我得到了这种行为背后的确切问题。
该String.split()
方法内部使用Pattern.split()
. 在返回结果数组之前的 split 方法检查最后一个匹配的索引或者是否真的有匹配。如果最后匹配的索引是0
,则意味着您的模式仅匹配字符串开头的空字符串或根本不匹配,在这种情况下,返回的数组是包含相同元素的单元素数组。
这是源代码:
public String[] split(CharSequence input, int limit) {
int index = 0;
boolean matchLimited = limit > 0;
ArrayList<String> matchList = new ArrayList<String>();
Matcher m = matcher(input);
// Add segments before each match found
while(m.find()) {
if (!matchLimited || matchList.size() < limit - 1) {
String match = input.subSequence(index, m.start()).toString();
matchList.add(match);
// Consider this assignment. For a single empty string match
// m.end() will be 0, and hence index will also be 0
index = m.end();
} else if (matchList.size() == limit - 1) { // last one
String match = input.subSequence(index,
input.length()).toString();
matchList.add(match);
index = m.end();
}
}
// If no match was found, return this
if (index == 0)
return new String[] {input.toString()};
// Rest of them is not required
如果上述代码中的最后一个条件 - index == 0
, 为真,则返回单元素数组和输入字符串。
现在,考虑index
can的情况0
。
- 当根本没有匹配时。(正如已经在该条件上方的评论中)
如果在开头找到匹配,并且匹配字符串的长度为0
,则if
块中(while
循环内)的索引值 -
index = m.end();
将为 0。唯一可能的匹配字符串是空字符串(长度 = 0)。这正是这里的情况。而且不应该有任何进一步的匹配,否则index
将更新为不同的索引。
因此,考虑到您的情况:
对于d%
,模式只有一个匹配,在第一个 之前d
。因此,索引值为0
。但由于没有进一步匹配,索引值没有更新,if
条件变为true
,并返回原始字符串的单元素数组。
因为d20+2
会有两场比赛,一场 before d
,一场 before +
。因此索引值将被更新,因此ArrayList
将返回上述代码中的,其中包含作为分隔符拆分结果的空字符串,分隔符是字符串的第一个字符,正如@Stema 的回答中已经解释的那样。
因此,要获得您想要的行为(仅当分隔符不在开头时才在分隔符上拆分,您可以在正则表达式模式中添加否定的后视):
"(?<!^)(?=[dk+-])" // You don't need to escape + and hyphen(when at the end)
这将拆分为空字符串,后跟您的字符类,但前面没有字符串的开头。
考虑"ad%"
在正则表达式模式 - 上拆分字符串的情况"a(?=[dk+-])"
。这将为您提供一个数组,其中第一个元素为空字符串。这里唯一的变化是,空字符串被替换为a
:
"ad%".split("a(?=[dk+-])"); // Prints - `[, d%]`
为什么?那是因为匹配字符串的长度是1
. 所以第一次匹配后的索引值 -m.end()
不会是0
but 1
,因此不会返回单个元素数组。