No.
Often in a program you want to give a name to a constant value. For example you might have a tax rate of 0.045 for durable goods and a tax rate of 0.038 for non-durable goods. These are constants, because their value is not going to change when the program is executed. It is convenient to give these constants a name. This can be done:
class CalculateTax { public static void main ( String[] arg ) { final double DURABLE = 0.045; final double NONDURABLE = 0.038; . . . . . . } }
The reserved word final tells the compiler that the value will not change. The names of constants follow the same rules as the names for variables. (Programmers sometimes use all capital letters for constants; but that is a matter of personal style, not part of the language.) Now the constants can be used in expressions like:
taxamount = gross * DURABLE ;
But the following is a syntax error:
DURABLE = 0.441; // try (and fail) to change the tax rate.
In your programs, use a named constant like DURABLE rather than using a literal like 0.441. There are two advantages in doing this:
Could ordinary variables be used for these two advantages?
What is another advantage of using final
?