2020-04-11

Java Local Variable Type Inference

Java Local Variable Type Inference

var variable / keyword:

You can declare local variables with non-null initializers with the var identifier, which can help you write code that’s easier to read.

Consider the following example, which seems redundant and is hard to read:
URL url = new URL("http://www.oracle.com/");
URLConnection conn = url.openConnection();
Reader reader = new BufferedReader(new InputStreamReader(conn.getInputStream()));
You can rewrite this example by declaring the local variables with the var identifier.

The type of the variables are inferred from the context:
var url = new URL("http://www.oracle.com/");
var conn = url.openConnection();
var reader = new BufferedReader(new InputStreamReader(conn.getInputStream()));

var is a reserved type name, not a keyword, which means that existing code that uses var as a variable, method, or package name is not affected.

However, code that uses var as a class or interface name is affected and the class or interface needs to be renamed. var can be used for the following types of variables:
• Local variable declarations with initializers:
var list = new ArrayList<String>(); // infers ArrayList<String>
var stream = list.stream(); // infers Stream<String>
var path = Paths.get(fileName); // infers Path
var bytes = Files.readAllBytes(path); // infers bytes[]

• Enhanced for-loop indexes:
List<String> myList = Arrays.asList("a", "b", "c");
for (var element : myList) {...} // infers String

• Index variables declared in traditional for loops:
for (var counter = 0; counter < 10; counter++) {...} // infers int

• try-with-resources variable:
try (var input = new FileInputStream("validation.txt")) {...} // infers
FileInputStream

• Formal parameter declarations of implicitly typed lambda expressions: A lambda expression whose formal parameters have inferred types is implicitly typed:
BiFunction<Integer, Integer, Integer> = (a, b) -> a + b;
In JDK 11 and later, you can declare each formal parameter of an implicitly typed lambda expression with the var identifier:
(var a, var b) -> a + b;

As a result, the syntax of a formal parameter declaration in an implicitly typed lambda expression is consistent with the syntax of a local variable declaration; applying the var identifier to each formal parameter in an implicitly typed lambda expression has the same effect as not using var at all.

You cannot mix inferred formal parameters and var-declared formal parameters in implicitly typed lambda expressions nor can you mix var-declared formal parameters and manifest types in explicitly typed lambda expressions.

The following examples are not permitted:
(var x, y) -> x.process(y) // Cannot mix var and inferred formal
parameters
 // in implicitly typed lambda
expressions
(var x, int y) -> x.process(y) // Cannot mix var and manifest types
 // in explicitly typed lambda
expressions

No comments:

Post a Comment