String 클래스에는 다음과 같이 구현 된 이유를 이해할 수없는 몇 가지 메소드가 있습니다. 은 중 하나입니다.JVM 문자열 메소드 구현
public String replace(CharSequence target, CharSequence replacement) {
return Pattern.compile(target.toString(), Pattern.LITERAL).matcher(
this).replaceAll(Matcher.quoteReplacement(replacement.toString()));
}
더 간단하고 효율적인 (빨리!) 방법에 비해 몇 가지 중요한 이점이 있습니까? "AXC"
시간 :
하려면 string.replace :
1,000,000 반복
는 "ABC"에서 "X"
결과 "B"를 대체 : 자바 7
public static String replace(String string, String searchFor, String replaceWith) {
StringBuilder result=new StringBuilder();
int index=0;
int beginIndex=0;
while((index=string.indexOf(searchFor, index))!=-1){
result.append(string.substring(beginIndex, index)+replaceWith);
index+=searchFor.length();
beginIndex=index;
}
result.append(string.substring(beginIndex, string.length()));
return result.toString();
}
통계 485ms
string.replaceAll : 490ms
는 일처럼 = 180ms
코드를 대체 최적화
public String replaceAll(String regex, String replacement) {
return Pattern.compile(regex).matcher(this).replaceAll(replacement);
}
플리트 구현되어야한다 :
public String[] split(String regex, int limit) {
return Pattern.compile(regex).split(this, limit);
}
바꾸기 방법의 논리에 따라
public String[] split(String regex, int limit) {
/* fastpath if the regex is a
(1)one-char String and this character is not one of the
RegEx's meta characters ".$|()[{^?*+\\", or
(2)two-char String and the first char is the backslash and
the second is not the ascii digit or ascii letter.
*/
char ch = 0;
if (((regex.value.length == 1 &&
".$|()[{^?*+\\".indexOf(ch = regex.charAt(0)) == -1) ||
(regex.length() == 2 &&
regex.charAt(0) == '\\' &&
(((ch = regex.charAt(1))-'0')|('9'-ch)) < 0 &&
((ch-'a')|('z'-ch)) < 0 &&
((ch-'A')|('Z'-ch)) < 0)) &&
(ch < Character.MIN_HIGH_SURROGATE ||
ch > Character.MAX_LOW_SURROGATE))
{
int off = 0;
int next = 0;
boolean limited = limit > 0;
ArrayList<String> list = new ArrayList<>();
while ((next = indexOf(ch, off)) != -1) {
if (!limited || list.size() < limit - 1) {
list.add(substring(off, next));
off = next + 1;
} else { // last one
//assert (list.size() == limit - 1);
list.add(substring(off, value.length));
off = value.length;
break;
}
}
// If no match was found, return this
if (off == 0)
return new String[]{this};
// Add remaining segment
if (!limited || list.size() < limit)
list.add(substring(off, value.length));
// Construct result
int resultSize = list.size();
if (limit == 0)
while (resultSize > 0 && list.get(resultSize - 1).length() == 0)
resultSize--;
String[] result = new String[resultSize];
return list.subList(0, resultSize).toArray(result);
}
return Pattern.compile(regex).split(this, limit);
}
: E 자바 7 분할 방법은 크게 가능하면 패턴 컴파일/정규식 처리를 방지하도록 최적화
성능 손실은 replace 메서드에서 발견 된 성능 손실과 그리 멀지 않습니다. 어떤 이유로 오라클은 패스트 경로을 다른 방법이 아닌 일부 방법으로 제공합니다.
"Java 원시 메소드 구현의 이유는 무엇입니까?" <- Java 팀에 물어보십시오. –
'replace()'는'replaceAll()'을 사용합니다. 거기에 뭐가 잘못 되었나요? 대체 코드를 복제하는 이유는 무엇입니까? –
방법 효율? – marcolopes