Conditions to recreate (as far as I can tell):
- nested enum references a parent static member
- nested class
- static member of parent class takes enum as an constructor argument to nested class
- enum is referenced by an external class before anything else in the parent class
Run this code online: https://repl.it/repls/PlushWorthlessNetworking
import java.util.ArrayList;
class Recreate {
private static ArrayList FEATURES = new ArrayList();
public enum Car {
TESLA(FEATURES);
Car(ArrayList l) { }
}
public static class Garage {
final Car car;
Garage(Car car) {
this.car = car;
}
}
public static Garage ONE_CAR_GARAGE = new Garage(Car.TESLA);
}
class Main {
public static void main(String[] args) {
// inclusion of this line causes the next line to NPE
System.out.println(Recreate.Car.TESLA);
System.out.println(Recreate.ONE_CAR_GARAGE.car.toString());
}
}
Here is what is happening:
Recreate.Car.TESLA
enum Car
. As noted below, classRecreate
is NOT yet loaded or initialized.TESLA
refers toFEATURES
Recreate
to be loaded and initializedRecreate
, ClassGarage
is loaded, intialized, and the instanceONE_CAR_GARAGE
is created.The problem here is that at this point, the construction of
enum Car
is not complete, andCar.TESLA
has the valuenull
.Even though classes may be nested, it is not the case that nested classes are loaded and initialized as part of the outer class initialization. They may look nested in the source but each and every class is independent. Static nested classes are equivalent to top-level classes. Non-static classes are also the same but have the ability to refer to members in the containing class via a hidden reference.
You can see for yourself if you run this in a debugger, put breakpoints in several places, and examine the stack at each breakpoint.
I tested/debugged this in Eclipse with the following code, with breakpoints set where indicated. It's slightly different from your code but shouldn't behave differently:
The first breakpoint you will hit will be the one in the
Garage(Car car)
constructor. Examining the stack at that point you will seeSo when the
Garage
constructor is called, it has not yet returned from creatingCar
. This is dictated by the convoluted dependencies you have created between classes, so the solution is to untangle the dependencies. How you do that will depend on your ultimate goals.