在Java 8中,Java中的String由内部表示char[]
。每个char
存储在内存中的2个字节中。oracle的JDK开发人员分析了大量客户端的应用程序堆转储,他们注意到大多数字符串只能使用拉丁-1字符集表示。拉丁字符1可以存储在一个字节中,比char
数据类型存储少50%(1个字节)。
因此,JDK开发者默认将String
类内部存储设置为byte[]
from char[]
。这导致在堆内存中节省大量空间,因为通常,字符串对象占据堆内存的很大一部分。[ 来源 ]
您可以使用-XX:-CompactStrings
参数java
命令来控制应用程序中此功能的使用。
在Java 9之前,字符串数据被存储为一个字符数组。这需要每个字符16位。
public final class String
implements java.io.Serializable, Comparable<String>, CharSequence {
//The value is used for character storage.
private final char value[];
}
从Java 9开始,字符串现在在内部使用字节数组以及用于编码引用的标志字段来表示。
public final class String
implements java.io.Serializable, Comparable<String>, CharSequence {
/** The value is used for character storage. */
@Stable
private final byte[] value;
/**
* The identifier of the encoding used to encode the bytes in
* {@code value}. The supported values in this implementation are
*
* LATIN1
* UTF16
*
* @implNote This field is trusted by the VM, and is a subject to
* constant folding if String instance is constant. Overwriting this
* field after construction will cause problems.
*/
private final byte coder;
}
我们知道该java
命令用于启动Java应用程序。它可以有许多参数来定制应用程序运行时。一个这样的命令如下:
禁用紧凑字符串功能。默认情况下,此选项已启用。启用此选项时,仅包含单字节字符的Java字符串将在内部表示,并使用ISO-8859-1 / Latin-1编码以单字节字符串的形式存储。这使得只包含单字节字符的字符串所需的空间量减少了50%。对于包含至少一个多字节字符的Java字符串:使用UTF-16编码将这些字符表示并存储为每个字符2个字节。禁用紧凑字符串功能强制使用UTF-16编码作为所有Java字符串的内部表示。
禁用紧凑字符串可能有益的情况包括:
在这两种情况下,禁用紧凑字符串都是有道理的。
提示:这纯粹是一个实现变化,没有改变现有的公共接口。
https://www.leftso.com/article/410.html