Java new String() 会创建几个对象

一、String str = new String(“ab”) 会创建几个对象?

public class StringNewTest {
    public static void main(String[] args) {
        String str = new String("ab");
    }
}

javap -v StringNewTest.class 反编译后, 部分片段如下:

根据反编译后字节码分析:

  1. 一个对象是:new 关键字在堆空间创建的;
  2. 另一个对象是:字符串常量池中的对象 "ab"。 (如果前后文中还有代码,并且已经有 ab 常量在常量池存在时,ab 将不再创建,因为在常量池只能存在一份相同的对象)

结论是 2 个对象。

二、String str = new String(“a”) + new String(“b”) 会创建几个对象 ?

public class StringNewTest {
    public static void main(String[] args) {
        String str = new String("a") + new String("b");
    }
}

javap -v StringNewTest.class 反编译后, 部分片段如下:

根据反编译后字节码分析:

  1. 对象1: new StringBuilder()
  2. 对象2: new String(“a”)
  3. 对象3: 常量池中的"a"
  4. 对象4: new String(“b”)
  5. 对象5: 常量池中的"b"

深入剖析: StringBuilder 的 toString() 方法中有 new String(value, 0, count) ,

  1. 对象6 :new String(“ab”)

StringBuilder 的 toString() 的调用,在字符串常量池中,没有生成 "ab"。
如果前后文中还有代码,并且已经常量在常量池存在时,相同的常量 将不再创建,因为在常量池只能存在一份相同的对象。

结论是 6 个对象。

三、String str =“a”+ “b” 会创建几个对象 ?

public class StringNewTest {
    public static void main(String[] args) {
        String str = "a" + "b";
    }
}

javap -v StringNewTest.class 反编译后, 部分片段如下:

"a" + "b" 在编译时,就已经编译为ab, 被放到常量池中。
所以只有一个对象 :ab

如果前后文中还有代码,并且已经有 ab 常量在常量池存在时,ab 将不再创建,因为在常量池只能存在一份相同的对象。

字符串拼接操作的总结

  • 常量常量 的拼接结果在 常量池,原理是 编译期 优化;
  • 常量池 中不会存在相同内容的常量;
  • 只要其中一个是变量,结果在堆中。 如: String s2 = s1+"DEF" ;
    变量拼接的原理 是StringBuilder 。
  • 如果拼接的结果是调用 intern() 方法,则主动将常量池中 还没有的字符串 对象放入池中,并返回地址。

参考:https://blog.csdn.net/xiaojin21cen/article/details/106404531

你可能感兴趣的:(Java new String() 会创建几个对象)