为什么 Java 中的字符串文字存储在字符串常量池中?

javaobject oriented programmingprogramming

在 Java 中有两种方法可以创建字符串对象

  • 通过使用 new 运算符
String str = new String("Tutorials Point");
  • 通过使用字符串文字
String str = "Tutorials Point";

每当我们在 Java 中调用 new String() 时,它都会在堆内存中创建一个对象,并且字符串文字将进入字符串常量池 (SCP)。

对于对象,JVM 使用 SCP,这是为了在 Java 中实现高效的内存管理。与其他 Java 对象不同,它们不再在堆区域管理 String 对象,而是引入了 String 常量池。String 常量池的一个重要特性是,如果池中已经存在 String 常量,它不会创建相同的 String 对象。

示例

public class SCPDemo {
   public static void main (String args[]) {
      String s1 = "Tutorials Point";
      String s2 = "Tutorials Point";
      System.out.println("s1 and s2 are string literals:");
      System.out.println(s1 == s2);
      String s3 = new String("Tutorials Point");
      String s4 = new String("Tutorials Point");
      System.out.println("s3 and s4 with new operator:");
      System.out.println(s3 == s4);
   }
}

输出

s1 and s2 are string literals:
true
s3 and s4 with new operator:
false

相关文章