Ответ 1
Поведение String.split
(который вызывает Pattern.split
) изменяется между Java 7 и Java 8.
Документация
Сравнивая между документацией Pattern.split
в Java 7 и Java 8, мы наблюдаем следующее добавляется:
Когда в начале входной последовательности есть совпадение с положительной шириной, в начале результирующего массива включается пустая ведущая подстрока. Совпадение нулевой ширины в начале, однако, никогда не создает такую пустую ведущую подстроку.
То же предложение добавляется к String.split
в Java 8, по сравнению с Java 7.
Эталонная реализация
Сравним код Pattern.split
эталонной реализации в Java 7 и Java 8. Код извлекается из grepcode для версий 7u40-b43 и 8-b132.
Java 7
public String[] split(CharSequence input, int limit) {
int index = 0;
boolean matchLimited = limit > 0;
ArrayList<String> matchList = new ArrayList<>();
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);
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()};
// Add remaining segment
if (!matchLimited || matchList.size() < limit)
matchList.add(input.subSequence(index, input.length()).toString());
// Construct result
int resultSize = matchList.size();
if (limit == 0)
while (resultSize > 0 && matchList.get(resultSize-1).equals(""))
resultSize--;
String[] result = new String[resultSize];
return matchList.subList(0, resultSize).toArray(result);
}
Java 8
public String[] split(CharSequence input, int limit) {
int index = 0;
boolean matchLimited = limit > 0;
ArrayList<String> matchList = new ArrayList<>();
Matcher m = matcher(input);
// Add segments before each match found
while(m.find()) {
if (!matchLimited || matchList.size() < limit - 1) {
if (index == 0 && index == m.start() && m.start() == m.end()) {
// no empty leading substring included for zero-width match
// at the beginning of the input char sequence.
continue;
}
String match = input.subSequence(index, m.start()).toString();
matchList.add(match);
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()};
// Add remaining segment
if (!matchLimited || matchList.size() < limit)
matchList.add(input.subSequence(index, input.length()).toString());
// Construct result
int resultSize = matchList.size();
if (limit == 0)
while (resultSize > 0 && matchList.get(resultSize-1).equals(""))
resultSize--;
String[] result = new String[resultSize];
return matchList.subList(0, resultSize).toArray(result);
}
Добавление следующего кода в Java 8 исключает совпадение нулевой длины в начале входной строки, что объясняет поведение выше.
if (index == 0 && index == m.start() && m.start() == m.end()) {
// no empty leading substring included for zero-width match
// at the beginning of the input char sequence.
continue;
}
Поддержание совместимости
Следующее поведение в Java 8 и выше
Чтобы split
вел себя последовательно по версиям и совместим с поведением в Java 8:
- Если ваше регулярное выражение может соответствовать строке нулевой длины, просто добавьте
(?!\A)
в конец регулярного выражения и оберните исходное регулярное выражение в группу, не связанную с захватом(?:...)
(при необходимости). - Если ваше регулярное выражение не может соответствовать строке нулевой длины, вам ничего не нужно делать.
- Если вы не знаете, может ли регулярное выражение соответствовать строке нулевой длины или нет, выполните оба действия на шаге 1.
(?!\A)
проверяет, что строка не заканчивается в начале строки, что означает, что совпадение является пустым знаком в начале строки.
Следующее поведение в Java 7 и ранее
Нет общего решения, чтобы сделать split
обратно совместимым с Java 7 и ранее, без замены всего экземпляра split
, чтобы указать на вашу собственную пользовательскую реализацию.