🎓 Top 15 Udemy Courses (80-90% Discount): My Udemy Courses - Ramesh Fadatare — All my Udemy courses are real-time and project oriented courses.
▶️ Subscribe to My YouTube Channel (178K+ subscribers): Java Guides on YouTube
▶️ For AI, ChatGPT, Web, Tech, and Generative AI, subscribe to another channel: Ramesh Fadatare on YouTube
In this article, we will discuss the Java collection framework best practices. As we widely use the collections framework in day-to-day project work, I thought I should create a productive post on it. We can follow these best practices in the day-to-day project work and this post belongs to the Java Best Practices Series category.
Learn collections framework at https://www.javaguides.net/p/java-collections-tutorial.htmlI found the below few of the Java collections best practices very useful and we will discuss the same in this article.
Here is a list of Java collections best practices:
  
  
- Choosing the right collection/map
- Code for Interface, not for Implementation
- Use generic type and diamond operator
- Prefer isEmpty() over a size()
- Return empty collections or arrays, not nulls
- Do not use the classic for loop
- Favor using forEach() with Lambda expressions
- Overriding equals() and hashCode() properly
- Implementing the Comparable interface properly
- Using Arrays and Collections utility classes
- Prefer concurrent collections over synchronized wrappers
- Use EnumSet instead of bit fields
Video
1. Choosing the right collection/map
Refer to the diagram below to choose the right collection.
By declaring a collection using an interface type, the code would be more flexible as you can change the concrete implementation easily when needed, for example:
When your code is designed to depend on the List interface, then you can swap among List’s implementations with ease, without modifying the code that uses it.
The flexibility of using interface type for a collection is more visible in the case of method parameters.
You may refer to these questions before choosing the right collection/map. 
- Do I need the order to remain?
- Will I have null keys/values? Dups?
- Will it be accessed by multiple threads
- Do I need a key/value pair
- Will I need random access?
- Does it allow accessing elements by index?
- Does it offer fast adding and fast removing elements?
2. Code for Interface, not for Implementation
1. Always use interface type as a reference type.
For example, use List, Set, and Map interfaces as a reference type.// Better
List<String> list = new ArrayList<>(); 
// Avoid
ArrayList<String> list = new ArrayList<>();
// Better
Set<String> set = new HashSet<>();
//Avoid
HashSet<String> employees = new HashSet<>();
// Better
Map<String,String> map = new HashMap<>();
//Avoid
HashMap<String,String> map = new HashMap<>();
List<String> list = new LinkedList<>(); 
2. Always use interface type as a return type
For example,public Collection listEmployees() {
    List<Employee> employees = new ArrayList<>();
    // add Employees to the list
    return employees;
}
3. Always use Interface Types as a method argument
public void foo(Set<Integer> numbers) {
}
3. Use generic type and diamond operator
You can declare a collection of a generic type like this:
List<Employee> listEmployees = new ArrayList<Employee>();
Since Java 7, the compiler can infer the generic type on the right side from the generic type declared on the left side, so you can write:
List<Employee> listEmployees = new ArrayList<>();
The <> is informally called the diamond operator. This operator is quite useful. Imagine if you have to declare a collection like this:
Map<Integer, Map<String, Employee>> map = new HashMap<Integer, Map<String, Employee>>();
You see, without the diamond operator, you have to repeat the same declaration twice, which makes the code unnecessarily verbose. So the diamond operator saves you:
Map<Integer, Map<String, Employee>> map = new HashMap<>();
4. Prefer isEmpty() over a size()
Avoid checking the emptiness of a collection like this:
Instead, you should use the isEmpty() method:
There’s no performance difference between isEmpty() and size(). The reason is the readability of the code.
if (listOfEmployees.size() > 0) {
    // dos something if the list is not empty  
}
if (!listOfEmployees.isEmpty()) {
    // dos something if the list is not empty
}
5. Return empty collections or arrays, not nulls
Some APIs intentionally return a null reference to indicate that instances are unavailable. This practice can lead to denial-of-service vulnerabilities when the client code fails to explicitly handle the null return value case.
If a method is designed to return a collection, it should not return null in case there’s no element in the collection.
If a method is designed to return a collection, it should not return null in case there’s no element in the collection.
Consider the following method returns null:
Here, the above method returns null if no student is found. The key point here is, a null value should not be used to indicate no result. 
public List<Student> findStudents(String className) {
    List<Student> listStudents = null;
 
    if (//students are found//) {
        // add students to the lsit
    }
 
    return listStudents;
}
The best practice is, returning an empty collection to indicate no result. The above code can be easily corrected by initializing the collection:
Or
List<Student> listStudents = new ArrayList<>;
Collections.empty();In summary, never return null in place of an empty array or collection. It makes your API more difficult to use and more prone to error, and it has no performance advantages.
6. Do not use the classic for loop
There’s nothing wrong if you write code to iterate a list collection like this:
However, this is considered bad practice because using the counter variable may lead to potential bugs if altered somewhere inside the loop. Also, this kind of loop is not object-oriented since every collection has its own iterator. So it’s recommended to use an iterator like the following code:
Also, the iterator may throw ConcurrentModificationException if the collection is modified by another thread after the iterator is created, which eliminates potential bugs.
Now, it’s better to use the enhanced for loop like this:
As you can see, the enhanced for loop is more succinct and readable though it uses an iterator behind the scenes.
for (int i = 0; i < listStudents.size(); i++) {
    Student aStudent = listStudents.get(i);
 
    // do something with aStudent
}
Iterator<Student> iterator = listStudents.iterator();
 
while (iterator.hasNext()) {
    Student nextStudent = iterator.next();
 
    // do something with next student
}
Now, it’s better to use the enhanced for loop like this:
for (Student aStudent : listStudents) {
    // do something with aStudent
}
7. Favor using forEach() with Lambda expressions
Since Java 8, every collection now provides the forEach() method that encapsulates the iteration code inside the collection itself (internal iteration), and you just pass a Lambda expression to this method. This makes the iteration code even more compact, more flexible, and more powerful. 
Here’s an example:
This is equivalent to the following enhanced for loop:
So I encourage you to use the forEach() method for iterating a collection in a way that helps you focus on your code, not on the iteration.
List<String> fruits = Arrays.asList("Banana", "Lemon", "Orange", "Apple");
 
fruits.forEach(fruit -> System.out.println(fruit));
for (String fruit : fruits) {
    System.out.println(fruit);
}
8. Overriding equals() and hashCode() properly
You must override hashCode() in every class that overrides equals(). Failure to do so will result in a violation of the general contract for Object.hashCode(), which will prevent your class from functioning properly in conjunction with all hash-based collections, including HashMap, HashSet, and Hashtable.
Read more about Java equals() and hashCode() Contracts at https://www.baeldung.com/java-equals-hashcode-contracts
9. Implementing the Comparable interface properly
Remember to have your custom types implemented the Comparable interface properly when their elements are added to collections that sort elements by natural ordering, such as TreeSet and TreeMap. It also helps to sort elements in a list collection based on the natural ordering of the elements.
Read more about Comparable interface at https://www.javaguides.net/2018/06/guide-to-comparable-interface.html
10. Using Arrays and Collections utility classes
Arrays
 Arrays utility class contains various methods for manipulating arrays (such as sorting and searching). This class also contains a static factory that allows arrays to be viewed as lists.
For example, the Arrays.asList() method returns a list collection containing the given elements, as you can see I used this method in many examples:
List<String> listFruits = Arrays.asList("Apple", "Banana", "Orange");
List<Integer> listIntegers = Arrays.asList(1, 2, 3, 4, 5, 6);
List<Double> listDoubles = Arrays.asList(0.1, 1.2, 2.3, 3.4);
One more example, Arrays class provides many overloaded search() methods to search the specified array for the specified object using the binary search algorithm:
// binary search algorithm. final String key = "abc"; String[] strArray = { "abc", "cdf", "pqr" }; int index = Arrays.binarySearch(strArray, key); System.out.println(" String key found at index : " + index); // Searches the specified array of ints for the specified value using // the binary search algorithm. int[] intArray = { 1, 2, 3, 4 }; index = Arrays.binarySearch(intArray, 3); System.out.println(" String key found at index : " + index); // Searches the specified array of bytes for the specified value using // the binary search algorithm. byte k = 1; byte[] byteArray = { 1, 2, 3, 4, 5 }; Arrays.binarySearch(byteArray, k);
Read more about Arrays utility class at https://www.javaguides.net/2018/08/java-util-arrays-class-api-guide.html
Collections
Collections class provides various useful methods for searching, sorting, modifying elements in a collection (almost on lists). 
Sorting example using Collections.sort() method:
List<String> list = new LinkedList<>(); list.add("element 2"); list.add("element 1"); list.add("element 4"); list.add("element 3"); // Sorts the specified list into ascending order, according to // the natural ordering of its elements. Collections.sort(list); for (String str : list) { System.out.println(" sort elements in ascending order --" + str); }
Searching example using binarySearch() method:
List<String> list = new LinkedList<>(); list.add("element 2"); list.add("element 1"); list.add("element 4"); list.add("element 3"); Collections.sort(list); for (String str : list) { System.out.println(" sort elements in ascending order --" + str); } int index = Collections.binarySearch(list, "element 4"); System.out.println("Element found at ::" + index);
Read more about the Collections utility class at https://www.javaguides.net/2018/07/java-util-collections-class-methods-guide.html.
Don't forget to look at these two utility classes for reusable methods, before looking for other libraries or writing your own code.
11. Prefer concurrent collections over synchronized wrappers
When you have to use collections in multi-threaded applications, consider using concurrent collections in the java.util.concurrent package instead of using the synchronized collections generated by the Collections.synchronizedXXX() methods.
It’s because the concurrent collections are designed to provide maximum performance in concurrent applications, by implementing different synchronization mechanisms like copy-on-write, compare-and-swap, and special locks. The following list shows you how to choose some concurrent collections (on the right) which are equivalent to the normal ones (on the left):
 
We can use EnumSet class to solve this problem. The EnumSet class is used to efficiently represent sets of values drawn from a single enum type. This class implements the Set interface. Each EnumSet is represented as a bit vector. Internally, the EnumSet is represented as a bit vector. If the enum type has 64 or fewer elements, the entire EnumSet is represented with a single long, so its performance is comparable to a bit field
It’s because the concurrent collections are designed to provide maximum performance in concurrent applications, by implementing different synchronization mechanisms like copy-on-write, compare-and-swap, and special locks. The following list shows you how to choose some concurrent collections (on the right) which are equivalent to the normal ones (on the left):
- HashMap -> ConcurrentHashMap
- ArrayList -> CopyOnWriteArrayList
- TreeMap -> ConcurrentSkipListMap
- PriorityQueue -> PriorityBlockingQueue12. Use EnumSet instead of bit fields
What is the problem using bit fields?
If the elements of an enumerated type are used primarily in sets, it is traditional to use the int enum pattern, assigning a different power of 2 to each constant. For example:
 
// Bit field enumeration constants - OBSOLETE!
public static class Text {
    public static final int STYLE_BOLD              = 1 << 0; // 1
    public static final int STYLE_ITALIC            = 1 << 1; // 2
    public static final int STYLE_UNDERLINE         = 1 << 2; // 4
    public static final int STYLE_STRIKE_THROUGH    = 1 << 3; // 8
    public Text() {
    }
    // parameter is bitwise OR of zero or more STYLE_ constants
    public void applyStyles(int styles) {
     // hard to interpret a bit field
     // no easy way to iterate over all of the elements represented by a bit field
    }
}
 
// Bit field enumeration constants - OBSOLETE!
public static class Text {
    public static final int STYLE_BOLD              = 1 << 0; // 1
    public static final int STYLE_ITALIC            = 1 << 1; // 2
    public static final int STYLE_UNDERLINE         = 1 << 2; // 4
    public static final int STYLE_STRIKE_THROUGH    = 1 << 3; // 8
    public Text() {
    }
    // parameter is bitwise OR of zero or more STYLE_ constants
    public void applyStyles(int styles) {
     // hard to interpret a bit field
     // no easy way to iterate over all of the elements represented by a bit field
    }
}
What is the solution?
import java.util.EnumSet;
import java.util.Set;
public class ExampleEnumSet {
    /** EnumSet - a modern replacement for bit fields. */
     public static class TextEnumSet {
        public enum Style {
            BOLD, ITALIC, UNDERLINE, STRIKETHROUGH;
        }
        /** Any set can be passed but EnumSet is best. */
        public void applyStyles(Set<Style> styles) {
        }
    }
    public static void main(String[] args) {
        TextEnumSet t2 = new TextEnumSet();
        t2.applyStyles(EnumSet.of(TextEnumSet.Style.BOLD, TextEnumSet.Style.ITALIC));
    }
}
Read more about EnumSet Class APIs with examples - EnumSet Class in Java.
Related Best Practices Posts
Complete Collection Framework Developer Guide: Java Collections Guide
 
 
 
![[NEW] Full-Stack Java Development with Spring Boot 3 & React Build 5 Spring Boot Projects with Java: Line-by-Line Coding](https://img-c.udemycdn.com/course/750x422/5338984_4d3a_5.jpg) 
 
 
 
 
 
 
 
 
 
 

This post is very informative and useful of Java Collection Framework best practices.
ReplyDeleteThanks, You should read this article http://www.javaguides.net/2018/06/guide-to-string-best-practices-in-java.html
DeleteIs really good and nice. I have questions about 11 position. We should always use concurentHashMap ? I'm not sure, whether in this case we must be aware that some data we can lost. Only synchronized gives us 100% data consistency. What you think about it ?
ReplyDelete