A specialized enum
is nothing but a subclass with inner-class semantics. If you look at the byte code after compilation, you will notice that the compiler only inserts accessor method for reading a private field but any specialized enum is compiled as its own class. You can think about your enum
as being implemented as:
public abstract class MyEnum {
private static class First extends MyEnum {
@Override
public String doIt() {
return "1: " + someField; //error
}
}
private static class Second extends MyEnum {
@Override
public String doIt() {
return "2: " + someField; //error
}
}
public static final MyEnum FIRST = new First();
public static final MyEnum SECOND = new Second();
private String someField;
public abstract String doIt();
}
As you can see, the same compiler errors occur. Effectively, your problem does not relate to enum
s but to their inner-class semantics.
However, you found a borderline case of the compiler guessing the intend of your code and trying to warn you that what you intend is illegal. In general, the someField
field is visible to any specialized enum
. However, there are two ways of accessing the private
field from an inner class and only one is legal:
private
members are not inherited. You can therefore not access a private
field from this
instance when it was defined in a super class.
For inner classes, members of outer classes are accessible even if they are private
. This is achieved by the compiler by inserting accessor methods to the outer classes which expose the private
fields by accessor methods. A non-static
field can only be accessed if the inner class is non-static
. For enum
s, the inner classes are however always static
.
The later condition is what the compiler complains about:
Cannot make a static reference to the non-static field someField
You are trying to access a non-static
field from a static
inner class. This is not possible even though the field would be technically visible because of the inner class semantics. You could instruct the compiler explicitly to access the value by reading it from the super class by for example:
public String doIt() {
MyEnum thiz = this;
return thiz.someField;
}
Now the compiler knows that you are trying to access a member of a visible (outer) type instead of erroneously accessing the someField
field of the (non-static) outer class instance (which does not exist). (Similarly, you could write super.someField
which expresses the same idea that you want to go down the inheritance chain and not access an outer instance's field.) The easier solution would however be to simply make the field protected
. This way the compiler is happy about the inheritance visibility and compiles your original setup.