Use modern collection creation methods instead of legacy alternatives for improved readability and conciseness. Replace older patterns with their modern equivalents:
Use modern collection creation methods instead of legacy alternatives for improved readability and conciseness. Replace older patterns with their modern equivalents:
List.of()
instead of Arrays.asList()
or Collections.singletonList()
Set.of()
instead of new HashSet<>(Arrays.asList(...))
.toList()
instead of .collect(Collectors.toList())
Collections.emptyList()
โ List.of()
when creating empty immutable listsExample transformations:
// Before
List<String> items = Arrays.asList("a", "b", "c");
Set<String> permissions = new HashSet<>(Arrays.asList("READ", "WRITE"));
List<String> results = stream.collect(Collectors.toList());
// After
List<String> items = List.of("a", "b", "c");
Set<String> permissions = Set.of("READ", "WRITE");
List<String> results = stream.toList();
Modern collection APIs are more concise, expressive, and create immutable collections by default, which helps prevent accidental modifications and improves code safety. They also eliminate the need for intermediate collection creation steps, making the code more direct and readable.
Enter the URL of a public GitHub repository