A final variable in Java can be assigned a value only once, we can assign a value either in declaration or later.
final int i = 10;
i = 30; // Error because i is final.
A blank final variable in Java is a final variable that is not initialized during declaration. Below is a simple example of blank final.
// A simple blank final example
final int i;
i = 30;
How are values assigned to blank final members of objects? Values must be assigned in constructor.
Java
class Test {
final int i;
Test( int x)
{
i = x;
}
}
class Main {
public static void main(String args[])
{
Test t1 = new Test( 10 );
System.out.println(t1.i);
Test t2 = new Test( 20 );
System.out.println(t2.i);
}
}
|
Output:
10
20
If we have more than one constructors or overloaded constructor in class, then blank final variable must be initialized in all of them. However constructor chaining can be used to initialize the blank final variable.
Java
class Test
{
final public int i;
Test( int val) { this .i = val; }
Test()
{
this ( 10 );
}
public static void main(String[] args)
{
Test t1 = new Test();
System.out.println(t1.i);
Test t2 = new Test( 20 );
System.out.println(t2.i);
}
}
|
Output:
10
20
Blank final variables are used to create immutable objects (objects whose members can’t be changed once initialized). If you like GeeksforGeeks and would like to contribute, you can also write an article and mail your article to review-team@geeksforgeeks.org. See your article appearing on the GeeksforGeeks main page and help other Geeks.
Please write comments if you find anything incorrect, or you want to share more information about the topic discussed above
Whether you're preparing for your first job interview or aiming to upskill in this ever-evolving tech landscape,
GeeksforGeeks Courses are your key to success. We provide top-quality content at affordable prices, all geared towards accelerating your growth in a time-bound manner. Join the millions we've already empowered, and we're here to do the same for you. Don't miss out -
check it out now!
Last Updated :
23 Aug, 2022
Like Article
Save Article