StringBuilder和String中的subString方法的細微差別
阿新 • • 發佈:2019-02-06
昨天改了一個很小的地方,但是在線上跑的時候突然感覺記憶體消耗差別很多,而程式碼中僅僅增加了這麼一句話:
Java程式碼 收藏程式碼
int indexOfNocheck = linkBuffer.indexOf(NOCHECK_TAG);
ret.append(linkBuffer.substring(0, indexOfNocheck));
ret也是一個Stringuilder,實際上我的直覺問題就應該出在了subString上。
於是翻出了StringBuilder和String中的subString的實現差別:
StringBuilder.subString:
Stringbuilder.substring程式碼 收藏程式碼
public String substring(int start, int end) {
(start < 0)
throw new StringIndexOutOfBoundsException(start);
(end > count)
throw new StringIndexOutOfBoundsException(end);
(start > end)
throw new StringIndexOutOfBoundsException(end - start);
return new String(value, start, end - start);
}
String.subString:
Java程式碼 收藏程式碼
public String substring(int beginIndex, int endIndex) {
if (beginIndex < 0) {
throw new StringIndexOutOfBoundsException(beginIndex);
}
if (endIndex > count) {
throw new StringIndexOutOfBoundsException(endIndex);
}
if (beginIndex > endIndex) {
throw new StringIndexOutOfBoundsException(endIndex - beginIndex);
}
return ((beginIndex == 0) && (endIndex == count)) ? this :
new String(offset + beginIndex, endIndex - beginIndex, value);
}
看起來差別不大,他們都是採用了new String物件的方法,但是差別就在這裡,這裡使用的String的建構函式是完全不同的,我們就來看看這兩個程式碼:
Java程式碼 收藏程式碼
StringBuilder:
public String(char value[], int offset, int count) {
if (offset < 0) {
throw new StringIndexOutOfBoundsException(offset);
}
if (count < 0) {
throw new StringIndexOutOfBoundsException(count);
}
// Note: offset or count might be near -1>>>1.
if (offset > value.length - count) {
throw new StringIndexOutOfBoundsException(offset + count);
}
this.offset = 0;
this.count = count;
this.value = Arrays.copyOfRange(value, offset, offset+count);
}
String:
// Package private constructor which shares value array for speed.
String(int offset, int count, char value[]) {
this.value = value;
this.offset = offset;
this.count = count;
}
原來差別在這裡,StringBuilder是“外人”所以他使用的是copy的方法,而String內部的方法則呼叫了一個本地的建構函式,它返回的依然是它自己,只是修改了offset!
那麼我的問題也得到了解答,實際上Stringbuilder中的subString在高併發系統裡效能會差一些因為他會多分配物件,特別是當你反覆使用subString方法的時候一定要記得使用String物件否則你會死得很難看。
http://edwardpro.iteye.com/blog/920090