If my recollection serves me right, it was from a code review that I had years ago. A colleague pointed his finger on my screen and loudly exclaimed, “This nested class is inefficient!”
Yes, he is right! But how inefficient is inefficient? How does the instance look like if I were to draw it on a piece of paper? How big does this affect the VM’s memory?
"See Colonel Sartoris. I have no taxes in Jefferson."
Time to roll up our sleeves and have a look under the hood.
OuterEmily.java
package aroseforemily;
public class OuterEmily {
public void dontPayTax() {
}
public class InnerEmily {
public void buyArsenic() {
}
}
}
Running javap -c aroseforemily.OuterEmily gives us:
Compiled from "OuterEmily.java"
public class aroseforemily.OuterEmily extends java.lang.Object{
public aroseforemily.OuterEmily();
Code:
0: aload_0
1: invokespecial #1; //Method java/lang/Object."":()V 
4: return
public void dontPayTax();
Code:
0: return
}
Running javap -c aroseforemily.OuterEmily\$InnerEmily gives us:
Compiled from "OuterEmily.java"
public class aroseforemily.OuterEmily$InnerEmily extends java.lang.Object{
final aroseforemily.OuterEmily this$0;
public aroseforemily.OuterEmily$InnerEmily(aroseforemily.OuterEmily);
Code:
0: aload_0
1: aload_1
2: putfield #1; //Field this$0:Laroseforemily/OuterEmily;
5: aload_0
6: invokespecial #2; //Method java/lang/Object."":()V 
9: return
public void buyArsenic();
Code:
0: return
}
By looking at aroseforemily.OuterEmily$InnerEmily, the compiler inserts a synthetic final OuterEmily member variable this$0, at the same time adds a synthetic non-default constructor. From line 7-9 we can see that it assigns the final member variable from the constructor parameter.
The druggist named several. "They'll kill anything up to an elephant. But what you want is—"
"Arsenic," Miss Emily said. "Is that a good one?"
What happens if we set the inner class to static?
package aroseforemily;
public class OuterEmily {
public void dontPayTax() {
}
public static class InnerEmily {
public void buyArsenic() {
}
}
}
Rerunning javap -c aroseforemily.OuterEmily\$InnerEmily yields:
Compiled from "OuterEmily.java"
public class aroseforemily.OuterEmily$InnerEmily extends java.lang.Object{
public aroseforemily.OuterEmily$InnerEmily();
Code:
0: aload_0
1: invokespecial #1; //Method java/lang/Object."":()V 
4: return
public void buyArsenic();
Code:
0: return
}
The second disassembled code suggests that for every instance of inner class, they will always contain an extra reference to the outer class; hence nested classes are less optimal compared to static nested classes, especially when inner classes are strongly referenced and prevents weak referenced outer class from GCed.
 
This comment has been removed by the author.
ReplyDelete