...
Programmers often incorrectly assume that declaring a field or variable final
makes the referenced object immutable. Declaring variables that have a primitive type to be final
does prevent changes to their values after initialization (by normal Java processing). However, when the variable has a reference type, the presence of a final
clause in the declaration only makes the reference itself immutable. The final
clause has no effect on the referenced object. Consequently, the fields of the referenced object may be mutable. For example, according to the Java Language Specification [JLS 2011], §4.12.4, "final
Variables" [JLS 2011],"
If a
final
variable holds a reference to an object, then the state of the object may be changed by operations on the object, but the variable will always refer to the same object.This applies also to arrays, because arrays are objects; if a
final
variable holds a reference to an array, then the components of the array may be changed by operations on the array, but the variable will always refer to the same array.
...
This noncompliant code example uses a public static final
array, items
.:
Code Block | ||
---|---|---|
| ||
public static final String[] items = {/* ... */}; |
...
This compliant solution defines a private
array and a public
method that returns a copy of the array.:
Code Block | ||
---|---|---|
| ||
private static final String[] items = {/* ... */}; public static final String[] getItems() { return items.clone(); } |
...