java version "1.6.0_29"
Java(TM) SE Runtime Environment (build 1.6.0_29-b11-402-11M3527)
Java HotSpot(TM) 64-Bit Server VM (build 20.4-b02-402, mixed mode)
My results are derived from reading various posts around the web and running tests using Jamm and Java's Runtime object.
Preliminaries
- All memory allocations in Java are aligned on 8 byte boundaries
- An object's properties are stored together, aligned on 8 byte boundaries and not mixed with other objects, not even a superclass
- The JVM is smart enough to reorder and pack an object's properties so it will use less space because of padding for 8 byte alignment
- My calculations will assume that UseCompressedOops is false (-XX:-UseCompressedOops), therefore references are 8 bytes (not 4.) Essentially heaps less than 32gb can save memory from using extra registers on a 64 bit processor to shorten address references. Explained here: https://wikis.oracle.com/display/HotSpotInternals/CompressedOops).
- Since Java 1.6.0_23 UseCompressedOops has defaulted to true. Use "jinfo -flag UseCompressedOops <pid>" to determine your setting
I think it is interesting that since UseCompressedOops defaults to *on* most of my results would be in line with 32 bit results. I am working with large heaps and need to assume that all references are 8 bytes.
8 Byte Memory Alignment
Java specification states that all memory allocations are aligned to addresses that are divisible by 8, which means that a memory allocation must start on an address that is divisible by 8, and its size must be a multiple of 8 bytes. So if an object requires 16 bytes of heap, it will start at some address X (divisible by 8) and extend 16 bytes. So every object (not primitives, but includes arrays) will require a minimum of 16 bytes.
Java specification states that all memory allocations are aligned to addresses that are divisible by 8, which means that a memory allocation must start on an address that is divisible by 8, and its size must be a multiple of 8 bytes. So if an object requires 16 bytes of heap, it will start at some address X (divisible by 8) and extend 16 bytes. So every object (not primitives, but includes arrays) will require a minimum of 16 bytes.
If you declare an object (non-inner object) that has no properties and measure its usage, it will take 16 bytes of heap space. After reading some web posts it seems that every object instance has a "header" and a "reference" to its class definition. Since references are 8 bytes (because of -XX:-UseCompressedOops) this means the actual space used by an empty object is 16 bytes.
I proved this by adding a single "byte" primitive to an object and watched the heap usage change from 16 to 24. This is my technique for proving heap usage.
Inner Classes
The exception to the "Basic Objects" rule is an instantiated inner class which has a hidden reference to its parent object. This type of object takes 24 bytes on the heap, no padding needed for 8 byte alignment.
We know the size of each primitive from the Java specification. What isn't stated in the specification is how much heap space they use. It seems to be JVM implementationdependent. Below is a table that shows each primitive's size and how much heap it may use on my JVM (see at the beginning.) Be aware because of "8 byte alignment" and "padding" that a primitive such as a byte or boolean, can be packed together to take up less memory, and this table only shows the maximum space it can use.
boolean | 1 | 8 |
byte | 1 | 8 |
short | 2 | 8 |
int | 4 | 8 |
long | 8 | 8 |
float | 4 | 8 |
double | 8 | 8 |
char | 16 | 16 |
The interesting primitive is boolean, which can only have two values, true and false, and represent 1 bit of information.By doing the same type of test as with "byte", we can prove that a boolean primitive minimally uses 1 byte of heap.
Object References
Because of UseCompressedOops, object references are 8 bytes. We can test this by adding a reference to an empty class and measuring its memory usage. This shows 24 bytes used on the heap. Add one more "byte" primitive, measure again and you'll see 32 bytes of heap usage.
Arrays
All arrays have an extra integer "length" field stored in their header, which means that an array's header uses 24 bytes even if it has no data - 16 bytes for header, 4 bytes for integer length, and 4 bytes for padding. The JVM is smart about allocating memory for arrays. It will allocate a block of memory, 8 byte aligned, to contain all the elements and only padding after the end of the last element. The layout looks like this:
HEADER | 16 | |
length | int | 4 |
PADDING | 4 | |
MEMORY BLOCK | size | |
PADDING | pad | |
Total | 24 + size + pad |
So for example, if you allocate arrays having 0, 1, 8, and 9 bytes, the elements are packed together efficiently:
So you can see a byte array containing 1 element uses the same amount of heap space as an 8 element byte array.0 byte array size = 24 (size = 0, pad = 0)1 byte array size = 32 (size = 1, pad = 7)8 byte array size = 32 (size = 8, pad = 0)9 byte array size = 40 (size = 1, pad = 7)
Reordering Object Properties, Memory Layout of Super/Subclasses
These two topics are covered quite nicely in Domingos' blog with examples so I won't restate the details.
Domingos Neto's Blog- Remember his blog is for 32-bit JVM heap allocation, but the principles still apply.
Suffice it to say, it makes sense for the JVM to reorder object properties. For instance, so bytes can be packed together with other bytes or primitives smaller than 8 bytes. (Ex: 4 bytes + 1 int fills 8 bytes.)
The most pertinent rule of super/subclass memory allocations is that a superclass keeps all of its properties together, 8 byte aligned. Each sublcass will do the same, keeping its properties together, 8 byte aligned, and not mixing them around to use space more efficienctly.
String Object
To understand how much heap a String object uses, we must look at String's source code. It contains the following properties in this order: char[], int offset, int count, int hash. The following table shows the properties reordered and their sizes:
HEADER | 16 | |
value | char[] | 8 |
offset | int | 4 |
count | int | 4 |
hash | int | 4 |
PADDING | 4 | |
TOTAL | 40 |
Notice the "value" field is 8 bytes. How can we know its size since a string can be any length (up to 32-bits of course)? The heap space taken by the "value" field is only the reference to the char[], not including the data.
Notice the 4 bytes at the end of the object for padding.
The actual data is allocated in another block of heap space (even if the string length is zero, it appears a char[0] array is allocated.) If the string's length is L, then the heap usage follows the usage for an array with char (2 byte) elements:
24 + 0 * 2 = 24So an empty String object requires 64 bytes of heap space!
Another example: How much space does the string, "Smart" require on the heap?
64 + 5*2 = 74 (nope! don't forget about the 8 byte alignment)char primitives are 2 bytes long, so 5 of them requires 10 bytes, but 10 isn't 8 byte aligned, so must round up to 16. So a string 5 characters long requires:
64 + 5*2 + 6 = 80 -- 6 bytes of paddingHeapByteBuffer Object
I think this object encompasses most of the rules for determining space. Here is the layout of HeapByteBuffer as seen from the Eclipse debugger:
address | long | 8 |
bigEndian | boolean | 1 |
capacity | int | 4 |
hb | byte[] | 4 |
isReadyOnly | boolean | 1 |
limit | int | 4 |
mark | int | 4 |
nativeByteOrder | boolean | 1 |
offset | int | 4 |
position | int | 4 |
Looks like alphabetical order. If you look at decompiled source, the arrangement is also different. Neither of these matter because the JVM will rearrange the fields to make efficient use of heap space - and it is implementation and platform dependent. So the memory allocation could look like this:
HEADER | 16 | |
bigEndian | boolean | 1 |
isReadyOnly | boolean | 1 |
nativeByteOrder | boolean | 1 |
capacity | int | 4 |
PADDING | 1 | |
limit | int | 4 |
mark | int | 4 |
offset | int | 4 |
position | int | 4 |
hb | byte[] | 8 |
address | long | 8 |
Total | 56 |
If the memory was not rearranged, the alphabetical version would have 13 bytes of padding compared to 1 byte of padding in the efficient version. 56 is the actual "shallow" heap usage on my hardware and OS.
Notice that the field, hb, is a byte[] which means that 56 does not tell the whole story. "hb" is the storage used by ByteBuffer. Using the layout presented above for arrays, we have:
16 + (4+4) + size + pad = 24 + size + padSo best to use an example. If a ByteBuffer is instantiated with 5 bytes of storage, this means:
56 + 24 + (5 + 3) = 88 bytes for a 5 byte ByteBuffer!Summary
So before you run off and write your congressman regarding the flagrant misappropriation of heap space, we aren't in the land of small memory footprints anymore. In ByteBuffer all of its fields are necessary and provide great value in ease of programming cost ... at the cost of more RAM. If I had given an example of a ByteBuffer that had 1000 bytes of storage, the 80 bytes of overhead doesn't seem so significant.
You shouldn't normally (99.9%) of the time really care about this information. In my case I am trying to optimize memory usage by a cache, so being efficient as possible is a concern for me. What did I learn:
- Use primitives when possible
- Use "-XX:+UseCompressedOops" if your heap is less than 32gb
- Understand the classes you use.
Technical References
Object Structure - http://www.codeinstructions.com/2008/12/java-objects-memory-structure.html
UseCompressedOops -http://wikis.sun.com/display/HotSpotInternals/CompressedOops
UseCompressedOops - http://deusch.org/blog/?p=20
Jamm -https://github.com/jbellis/jamm
相关推荐
在临床研究中,样本量计算是研究计划阶段的核心内容。这一过程涉及到的关键问题包括:为了确保有足够把握检测到临床意义差异(例如,有80%的可能性正确检测到一个具有临床意义的差异),需要多少受试者参与研究;...
GLCM calculates the gray level co-occurance of the pixels. It is the code in which inbuilt function is not used.
**Java JDK 1.8 for Windows 64-bit: A Comprehensive Overview** Java Development Kit (JDK) 1.8, also known as Java 8, is a crucial software package for Java developers, providing the necessary tools ...
算术公式比较运算操作会话--JAVA 该项目是Arithemic /公式/比较计算(操作)和会话的一部分,功能有限,其中使用JAVA执行以下模块。 Compilar:Jetbeans的IntellJi IDEA
Heys -- Chemical and Biomedical Engineering Calculations Using Python -- 2017
M-TEST, an electrostatic pull-in approach for the in-situ mechanical property measure- ments of microelectromechanical systems (MEMS), is used to extract the Young’s modulus and residual stress in ...
The high order time-of-flight (TOF) aberrations in a practical electrostatic electron lens are calculated using the differential algebraic (DA) method. The electrostatic fields of the electrostatic ...
The chip incorporates an in-amp, a buffer and a 24-bit sigma delta modulator followed by a calibration DSP. With wide gain and OSR range, the NSA831 could be suitable for variance sensors. One-time-...
放射治疗中的外部光子束剂量计算是医学物理领域的一个核心课题,主要涉及肿瘤治疗中射线能量分布的精确预测和优化。在这个过程中,理解和掌握相关的IT技术至关重要,因为它们直接影响到治疗的效果和患者的安全。...
Fixed 64-bit registers in the tracer getting truncated on doubleclick, and fix r8 to r15 Fixed copy/paste in the scanvalue Fixed kernelmode QueryMemoryRegions for windows build 1607 Fixed some ...
《RC Member构件Calculations——基于Robot的报告》 在完成RC(Reinforced Concrete,钢筋混凝土)构件设计后,RC Member Calculations: Report对话框会显示详细的计算信息。该报告涵盖了以下关键内容: 1. 设计好...
电气计算器(Electrical calculations)是一款专业的电气计算app, 让你的电气设计计算更加的简单和方便,免去繁琐的计算流程,是电工必备电气计算器手机版,欢迎下载使用。 电线截面计算(线径) 的电压降计算 目前...
7. 量子尺寸效应(quantum size effects):当纳米材料的尺寸接近或小于电子的德布罗意波长时,材料的电子性质会显著改变。这种效应通常会导致带隙增大,使得材料的光学和电子性质发生改变。 8. 氧化锌(ZnO):是...
In this session, we’re going to discuss VXGI, the Nvidia’s voxel based lighting solution, and uncover some recent improvements that aim to make it more practical and useful even for VR games on ...
Study of half-metallic ferromagnetism in V-doped CdTe alloys by using First-Principles calculations.
Perform calculations, manipulate text strings, and generate random colors -Use conditions, loops, and methods to make your programs responsive and concise -Create functions to reuse code and save time...
标题与描述均聚焦于波士顿大学对QUDA库的并行化工作,该库用于在格点量子色动力学(Lattice Quantum Chromodynamics,LQCD)计算中实现多GPU计算。这一研究由波士顿大学计算科学中心的Ronald Babich、哈佛-史密松...
使用MATLAB时,您能够以高于使用电子表格或传统编程语言(如C/C++或Java)的速度来探索多种解决方案,并达到问题的解决方案。该语言、工具和内置的数学函数使您能够快速达到您的目标。 MATLAB Numerical ...
It is an excellent reference for scientific computations to solve real-world problems using a comprehensive stack of open-source Java libraries included in the DataMelt (DMelt) project and will be ...