StringBuffer
is used to store character strings that will be changed (String
objects cannot be changed). It automatically expands as needed. Related classes: String, CharSequence.
StringBuilder
was added in Java 5. It is identical in all respects to StringBuffer
except that it is not synchronized, which means that if multiple threads are accessing it at the same time, there could be trouble. For single-threaded programs, the most common case, avoiding the overhead of synchronization makes the StringBuilder very slightly faster.
No imports are necessary because these are both in the java.lang
package.
Efficiency of StringBuffer compared to String
Because a StringBuffer
object is mutable (it can be changed), there is no need to allocate a new object when modifications are desired. For example, consider a method which duplicates strings the requested number of times.
// Inefficient version using String. public static String dupl(String s, int times) { String result = s; for (int i=1; i<times; i++) { result = result + s; } return result; }
If called to duplicate a string 100 times, it would build 99 new String
objects, 98 of which it would immediately throw away! Creating new objects is not efficient. A better solution is to use StringBuffer
.
// More efficient version using StringBuffer.
public static String dupl(String s, int times) {
StringBuffer result = new StringBuffer(s);
for (int i=1; i<times; i++) {
result.append(s);
}
return result.toString();
}
This creates only two new objects, the StringBuffer
and the final String
that is returned. StringBuffer
will automatically expand as needed. These expansions are costly however, so it would be better to create the StringBuffer the correct size from the start.
// Much more efficient version using StringBuffer.
public static String dupl(String s, int times) {
StringBuffer result = new StringBuffer(s.length() * times);
for (int i=0; i<times; i++) {
result.append(s);
}
return result.toString();
}
Because this StringBuffer
is created with the correct capacity, it will never have to expand. There is no constructor which allows both an initial capacity to be specifed and an initial string value. Therefore the loop has one extra iteration in it to give the correct number of repetitions.