public class A
{
private static final int x;
public A()
{
x = 5;
}
}
final
means the variable can only be assigned once (in the constructor).static
means it's a class instance.
I can't see why this is prohibited. Where do those keywords interfere with each other?
static final variables are initialized when the class is loaded. The constructor may be called much later, or not at all. Also, the constructor will be called multiple times (with each new object ), so the field could no longer be final.
If you need custom logic to initialize your static final field, put that in a static block
Final doesn't mean that is has to be initialized in the constructor. Generally this is what is done :
static instead means that the variable will be shared through multiple instances of the class. For example :
A constructor will be called each time an instance of the class is created. Thus, the above code means that the value of x will be re-initialized each time an instance is created. But because the variable is declared final (and static), you can only do this
But, if you remove static, you are allowed to do this:
OR this:
static
means that the variable is unique on the application.final
means that it should be set only once.If you set it in your constructor, you allow to set the variable more than once.
Hence you should intialize it directly or propose a static method to initialize it.
Think about what happens the second time you instantiate an object. It tries to set it AGAIN, which is expressly prohibited by being a static final. It can only be set one time for the entire class, not instance.
You should set the value when you declare it
If you need additional logic, or more complex instantiation, this can be done in a static initializer block.