Memory matters
Discover how much memory an object consumes
First published on December 28, 2001. Updated on January 10, 2003.
Q: Without buying an expensive memory profile, is there a simple way to see how much memory a Java object consumes?
I don’t wish to see the memory allocations in realtime, so I can employ java.lang.Runtime
‘s memory methods.
For instance, I could:
- Get the total amount of memory available to the VM:
long totalMem = java.lang.Runtime.freeMemory();
- Explicitly set the object in question to null:
Object myBigObject = null;
- Call the garbage collector
- Subtract:
System.out.println("You just got rid of " + totalMem - java.lang.Runtime.freeMemory());
A: What do you think of this idea?
When you instantiate myBigObject
and check the memory, the JVM may be performing other activities. So simply creating one object and checking the difference in memory size might be misleading. Instead, you can create a number of objects and take the average of the differences. By taking the average memory size, you can prevent some background JVM activity from overly skewing your results.
The following memory checking main
is based upon “Question of the Week No. 107” from the Java Developer Connection:
public class Memory {
private final static int _SIZE = 500;
public static void main( String [] args ) throws Exception {
Object[] array = new Object[_SIZE];
Runtime.getRuntime().gc();
long start = Runtime.getRuntime().totalMemory();
for (int i = 0; i < _SIZE; i++) {
array[i] = new Object();
}
Runtime.getRuntime().gc();
long end = Runtime.getRuntime().totalMemory();
long difference = ( start - end ) / _SIZE;
System.out.println( difference + " bytes used per object on
average" );
}
}
Class Memory
instantiates 500 Object
s and calculates the average memory footprint. Note that I call gc()
each time before calling totalMemory()
. You cannot force garbage collection; however, it is my hope that the JVM does it so that we can have a cleaner totalMemory()
call.