The ASM guide talks about constructors:
package pkg; public class Bean { private int f; public int getF() { return this.f; } public void setF(int f) { this.f = f; } }
The Bean class also has a default public constructor which is generated by the compiler, since no explicit constructor was defined by the programmer. This default public constructor is generated as
Bean() { super(); }
. The bytecode of this constructor is the following:ALOAD 0 INVOKESPECIAL java/lang/Object <init> ()V RETURN
The first instruction pushes
this
on the operand stack. The second instruction pops this value from the stack, and calls the<init>
method defined in theObject
class. This corresponds to thesuper()
call, i.e. a call to the constructor of the super class,Object
. You can see here that constructors are named differently in compiled and source classes: in compiled classes they are always named<init>
, while in source classes they have the name of the class in which they are defined. Finally the last instruction returns to the caller.
How is the value of this
already known to the JVM before the first instruction of the constructor?
The first thing to understand, is how object instantiation work on the bytecode level.
As explained in JVMS, §3.8. Working with Class Instances:
So the constructor invocation via
invokespecial
shares the behavior of passingthis
as the first argument withinvokevirtual
.However, it must be emphasized that a reference to an uninitialized reference is treated specially, as you are not allowed to use it before the constructor (or the super constructor when you’re inside the constructor) has been invoked. This is enforced by the verifier.
JVMS, §4.10.2.4. Instance Initialization Methods and Newly Created Objects:So code creating an object via the new instruction can’t use it in any way before the constructor has been called, whereas a constructor’s code can only assign fields before another (
this(…)
orsuper(…)
) constructor has been called (an opportunity used by inner classes to initialize their outer instance reference as a first action), but still can’t do anything else with their uninitialized this.It’s also not allowed for a constructor to return when
this
is still in the uninitialized state. Hence, the automatically generated constructor bears the required minimum, invoking the super constructor and returning (there is no implicit return on the byte code level).It’s generally recommended to read The Java® Virtual Machine Specification (resp. its Java 11 version) alongside to any ASM specific documentation or tutorials.