字符串连接操作中StringBuffer的效率要比String高。由于String对象为不可变对象,每次操作String都会重新建立新的对象来保存新的值。这样原来的对象就会被垃圾回收,这也会影响性能的。
例如使用如下两段代码测试String和StringBuffer的性能,分别对“abcdefghijklmnopqrstuvwxyz”字符串拼接6000次,会发现两者的时间差异明显。
-
package com.an.org;
-
-
public class TestStingAndStringBuffer {
-
-
public static void main(String[] args) {
-
String tempstr = "abcdefghjiklmnopqrstuvwxyz";
-
int times = 6000;
-
long lstart1 = System.currentTimeMillis();
-
String str = "";
-
for(int i = 0;i < times;i++){
-
str+= tempstr;
-
}
-
long lend1 = System.currentTimeMillis();
-
long time = (lend1-lstart1);
-
System.out.println(time);
-
-
}
-
-
}
关于String的代码在我的机器上打印运行时间为1367毫秒。使用StringBuffer的append方法进行进行拼接操作,代码如下:
-
package com.an.org;
-
-
public class TestStingAndStringBuffer {
-
-
public static void main(String[] args) {
-
String tempstr = "abcdefghjiklmnopqrstuvwxyz";
-
int times = 6000;
-
long lstart1 = System.currentTimeMillis();
-
StringBuffer sb = new StringBuffer();
-
for(int i = 0;i < times;i++){
-
sb.append(tempstr);
-
}
-
long lend1 = System.currentTimeMillis();
-
long time = (lend1-lstart1);
-
System.out.println(time);
-
-
}
-
-
}
上述代码在我的机器上的打印时间为1毫秒,当times值增大时,两者的差距更加明显。
阅读(1784) | 评论(0) | 转发(0) |