Search code examples
javainitializationconditional-statementsfinal

Why does the Java compiler not understand this variable is always initialized?


class Foo{
    public static void main(String args[]){
        final int x=101;

        int y;
        if(x>100){
            y=-1;
        }
        System.out.println(y);
    }
}

Java compiler understands the condition of the if statement is always true and therefore y will always be initialized. No compile error, as expected.

class Bar{
    public static void main(String args[]){
        final int x;
        x=101;

        int y;      
        if(x>100){
            y=-1;
        }
        System.out.println(y);
    }
}

But when I break the declaration and initialization of x into two lines, the compiler does not seem to get that the condition is always true and y will always be initialized.

final int x;
x=101;
byte b;
b=x;
System.out.println(b);

Same thing happens here and the compiler gives a loss of precision error.

final int x=101;
byte b;
b=x;
System.out.println(b);

Again, the compiler can understand that x is inside the range of b.


Solution

  • It has to do with how the compiler determines if a statement will be executed or not. It is defined in the JLS #16:

    Each local variable and every blank final field must have a definitely assigned value when any access of its value occurs.

    In your case, the compiler can't determine that y has been definitely assigned and gives you an error. This is because it would need to determine that the condition is always true and that is only possible if the condition in the if is a constant expression.

    JLS #15.28 defines constant expressions:

    A compile-time constant expression is an expression denoting a value of primitive type or a String that does not complete abruptly and is composed using only the following:

    • [...]
    • Simple names (§6.5.6.1) that refer to constant variables (§4.12.4).

    The JLS #4.12.4 defines constants variables as:

    A variable of primitive type or type String, that is final and initialized with a compile-time constant expression, is called a constant variable.

    In your case, final int x = 101; is a constant variable but final int x; x = 101; is not.