以下是 String 类
的构造函数public String(String original) {
int size = original.count;
char[] originalValue = original.value;
char[] v;
if (originalValue.length > size) {
// The array representing the String is bigger than the new
// String itself. Perhaps this constructor is being called
// in order to trim the baggage, so make a copy of the array.
int off = original.offset;
v = Arrays.copyOfRange(originalValue, off, off+size);
} else {
// The array representing the String is the same
// size as the String, so no point in making a copy.
v = originalValue;
}
this.offset = 0;
this.count = size;
this.value = v;
}
但是,我想知道怎么可能
if (originalValue.length > size)
发生?评论说'削减行李',行李指的是什么?
答案 0 :(得分:4)
看一下子串,你会看到这是怎么发生的。
以String s1 = "Abcd"; String s2 = s1.substring(3)
为例。这里s1.size()
为1,但s1.value.length
为4.这是因为s1.value与s2.value相同。这是出于性能原因(子字符串在O(1)中运行,因为它不需要复制原始String的内容)。
使用子字符串可能会导致内存泄漏。假设你有一个非常长的字符串,你只想保留它的一小部分。如果您只使用子字符串,则实际上将原始字符串内容保留在内存中。执行String snippet = new String(reallyLongString.substring(x,y))
可以防止浪费内存支持不再需要的大字符数组。
有关更多说明,另请参阅What is the purpose of the expression "new String(...)" in Java?。