服务热线:13616026886

技术文档 欢迎使用技术文档,我们为你提供从新手到专业开发者的所有资源,你也可以通过它日益精进

位置:首页 > 技术文档 > JAVA > 新手入门 > JDK > 查看文档

提升性能:使用string还是stringbuffer?

    出于方便的考虑,我们在进行字符串的内容处理的时候往往会出现以下的代码:string result="";result+="ok";

    这段代码看上去好像没有什么问题,但是需要指出的是其性能很低,原因是java中的string类不可变的(immutable),这段代码实际的工作过程会是如何的呢?通过使用javap工具我们可以知道其实上面的代码在编译成字节码的时候等同的源代码是:string result="";stringbuffer temp=new stringbuffer();temp.append(result);temp.append("ok");result=temp.tostring();

    短短的两个语句怎么呢变成这么多呢?问题的原因就在string类的不可变性上,而java程序为了方便简单的字符串使用方式对+操作符进行了重载,而这个重载的处理可能因此误导很多对java中string的使用。

    下面给出一个完整的代码:

    public class perf { public static string detab1(string s)

    { if (s.indexof('\t') == -1)

    return s;string res = "";int len = s.length();int pos = 0;int i = 0;for (; i < len && s.charat(i) == '\t'; i++)

    { res += "        ";pos += 8;} for (; i < len; i++)

    { char c = s.charat(i);if (c == '\t') { do { res += " ";pos++;} while (pos % 8 != 0);} else { res += c;pos++;} return res;}

    public static string detab2(string s)

    { if (s.indexof('\t') == -1)

    return s;stringbuffer sb = new stringbuffer();int len = s.length();int pos = 0;int i = 0;for (; i < len && s.charat(i) == '\t'; i++)

    { sb.append("        ");pos += 8;} for (; i < len; i++) { char c = s.charat(i);if (c == '\t') { do { sb.append(' ');pos++;} while (pos % 8 != 0);} else { sb.append(c);pos++;} return sb.tostring();}

    public static string testlist[] = { "","\t","\t\t\tabc","abc\tdef","1234567\t8","12345678\t9","123456789\t" };

    public static void main(string args[])

    { for (int i = 0; i < testlist.length; i++) { string tc = testlist[i];if (!detab1(tc)。equals(detab2(tc)))

    system.err.println(tc);}

    string test_string = "\t\tthis is a test\tof detabbing performance";int n = 5000;int i = 0;

    long ct = system.currenttimemillis();for (i = 1; i <= n; i++)

    detab1(test_string);long elapsed = system.currenttimemillis() - ct;system.out.println("string time = " + elapsed);

    ct = system.currenttimemillis();for (i = 1; i <= n; i++)

    detab2(test_string);elapsed = system.currenttimemillis() - ct;system.out.println("stringbuffer time = " + elapsed);}

    执行以上代码的结果可以看到使用stringbuffer的版本的方法比使用string版本的一般都快十倍以上(本人使用的是jdk1.4.0),你可以执行一下看看结果到底如何。

    因此得到的结论是:如果你对字符串中的内容经常进行操作,特别是内容要修改时,那么使用stringbuffer,如果最后需要string,那么使用stringbuffer的tostring()方法好了!也许这就是你的程序的性能瓶颈!

扫描关注微信公众号