Why does .class not invoke the static block in a Class?

Static initialization blocks are run when the JVM (class loader - to be specific) loads StaticClass (which occurs the first time it is referenced in code).

The above quote is plain wrong, but it is just one instance of a very widespread misconception.

  1. Class is not initialized when it's being loaded, but when a static class member is first referenced. This is precisely governed by the specification.

  2. Class loading does not occur when the class is first referenced, but at an implementation-dependent point.

  3. The last moment when the class must be loaded is when the class is referenced, which is not the same as referencing a class member.

Class.forName initializes the class by default, but you have the choice of calling an overload that takes a boolean initialize and supplying false. You'll get the class loaded without initializing.


Class Loading and initialization are 2 different things. A class can be loaded but not initialized until it is really necessary. Static initializers are run only when a class is being initialized <> NOT loaded, "initialized"

In the first case you are loading and initializing a class when you use class.forName(), that's why the static initializers are run and hence you see "Stupid class loaded!" as output . In the second case, you are just assigning a reference of the class, the class is loaded (use java -verbose:class to see what classes are loaded) but you aren't really initializing it (or to be more precise, not doing anything that forces the initializers to run). Thus you don't see the output as Stupid class loaded!. Try doing something like calling newInstance() on the class, it should force the initialization of the class and you should see Stupid class loaded!

My code :

public class CheckPalindrome {

    public static void main(String[] args) {
        Class<Test> t = Test.class;
    }

}
// class being loaded
class Test {
    static {
        System.out.println("aaa");
    }
}

Classes that are loaded

...
[Loaded Test from file:/Workspaces/SampleTest/Java8/bin/]
...

^ - This shows that the class is loaded but not initialized.