I'm doing a little test to understand how metaspace memory (Java 8 onwards) works. When I create 100,000 classes dynamically the metaspace memory is growing (obviously) but heap memory is going up too. Can someone explain to me why this occurs?
PS: I'm running the test with 128 MB of heap and 128 MB of metaspace.
@Test
public void metaspaceTest() throws CannotCompileException, InterruptedException {
ClassPool cp = ClassPool.getDefault();
System.out.println("started");
for (int i = 0; i <= 100000; i++) {
Class c = cp.makeClass("br.com.test.GeneratedClass" + i).toClass();
Thread.sleep(1);
if (i % 10000 == 0) {
System.out.println(i);
}
}
System.out.println("finished");
}
See the images below:
I did a study of your code especially
ClassPool#makeClass
. There are few points I noticed which are causing heap space to increase as metaspace increases.cache
the classes created by method makeClass inside a hashtableSo, for a 10th of million of classes, it has the entry for each of these. Hence, Heap Space increases too and it's not GC as hashtable reference is still used by your for loop and continuously updated hence not eligible for gc.
CtNewClass
creates the new instance of the class and it has the constructor definition as below:In code above line
this.classfile = new ClassFile(isInterface, name, superName);
actually creates new ConstPool instance for each class i.e. new HashMap instances for each instance and these reserve memory on heap space.Also, this creates two new ArrayLists. Observe
this.fields = new ArrayList();
andthis.methods = new ArrayList();
statement in above constructor. Also, a new linked listthis.attributes = new LinkedList();
.Hence, the conclusion is the ClassPool has its cache management which takes the good amount of heap space. Then each class has its own set of collections to manage properties, constants etc.
Hope it helps!