Collection Framework


Table of Contents
    Collection Interface:
  1. What are limitation of object Arrays?
  2. What are differences between arrays and collections?
  3. What are differences between Arrays and ArrayList?
  4. What is Collection API?
  5. What are the key interfaces in the Java Collection Framework?
  6. What is difference between Collections and Collection?
  7. Why is the Collection interface not extended from the Cloneable and Serializable interfaces?
  8. What are the differences between Collection, List, Set, and Queue?

    List:
  1. Explain about List Interface
  2. Explain about ArrayList Class
  3. What is the default size of an ArrayList?
  4. How does ensureCapacity() work in ArrayList?
  5. What is the internal implementation of ArrayList in Java?
  6. What happens when an element is inserted into the middle of an ArrayList?
  7. A bank transaction history feature requires fast access by index but also frequent updates. Which list implementation will you use?
  8. Explain about LinkedList Class
  9. How to Get a Synchronized Version of ArrayList
  10. Difference Between ArrayList and LinkedList
  11. Difference Between Enumeration and Iterator
  12. What is the difference between fail-fast and fail-safe iterators?
  13. Difference Between Iterator and ListIterator


    Set:
  1. Explain Set Interface
  2. Explain SortedSet Interface
  3. Explain NavigableSet Interface
  4. Explain HashSet Class
  5. What is the difference between HashSet, LinkedHashSet, and TreeSet?
  6. Why does HashSet allow only one null value?
  7. How does HashSet maintain uniqueness?
  8. What Happens When You Try to Insert Duplicate Values in a Set?
  9. LinkedHashSet Class
  10. Explain TreeSet Class
  11. How does TreeSet maintain sorting order?
  12. Why is HashSet faster than TreeSet?
  13. In an authentication system, you need to store unique user session tokens efficiently. Which Set implementation is best?

    Map:
  1. Map Interface:
  2. Explain SortedMap Interface
  3. Eplain NavigableMap Interface
  4. Explain RandomAccess Interface
  5. What are the differences between HashMap, LinkedHashMap, and TreeMap?
  6. What is the internal structure of HashMap in Java 17?
  7. How does HashMap handle collisions?
  8. What is the load factor in HashMap, and how does it impact performance?
  9. Why should you use ConcurrentHashMap instead of HashMap in a multi-threaded environment?
  10. What is the difference between HashMap and ConcurrentHashMap?
  11. How does WeakHashMap work, and when should it be used?
  12. Explain about TreeMap
  13. Why does HashMap allow one null key but multiple null values?
  14. Explain the resize() operation in HashMap
  15. You need to implement a caching mechanism for a high-traffic website. Which Map implementation will you use?
  16. You are designing an LRU Cache for an e-commerce platform. Which Map implementation is suitable?
  17. In a trading system, you need to store orders with unique IDs sorted by timestamp. Which Map will you use?
  18. How would you implement your own custom HashMap?

    Queue
  1. Queue Interface
  2. What is the difference between Queue and Stack?
  3. How does PriorityQueue work internally?
  4. How does ArrayDeque differ from LinkedList-based Deque?
  5. How would you implement a Task Scheduler using a Queue?

    Thread-Safe Collection
  1. What are synchronized collections vs concurrent collections?
  2. How does CopyOnWriteArrayList differ from a synchronized list?
  3. How does ConcurrentHashMap handle concurrency differently than HashTable?
  4. Why is ConcurrentSkipListMap useful in multi-threaded applications?
  5. In a multi-threaded data processing system, how would you handle concurrent updates to a shared collection?

Quick Revision Diagram:

What are limitation of object Arrays?

The limitations of object arrays:

  1. Not Type-Safe:
          Object[] objArray = new Object[3];
          objArray[0] = "Hello";
          objArray[1] = 10; // Adding an integer
          String str = (String) objArray[1]; // ClassCastException at runtime
                
    This issue arises because object arrays allow storing different types, but improper casting can cause runtime errors.
  2. Not Suitable for Primitive Types:
          Object[] objArray = new Object[2];
          objArray[0] = 10; // Autoboxing to Integer
          objArray[1] = 20.5; // Autoboxing to Double
          int sum = (Integer) objArray[0] + (Double) objArray[1]; // Requires explicit casting
                
    Boxing and unboxing can lead to performance degradation and verbose code.
  3. Fixed Size:
          Object[] objArray = new Object[3];
          objArray[0] = "Java";
          objArray[1] = "Python";
          objArray[2] = "C++";
          // Adding more elements is not possible, leading to ArrayIndexOutOfBoundsException
          objArray[3] = "JavaScript"; 
                
    The array cannot grow beyond its defined size.
  4. Operations like searching, inserting, or deleting are not efficient, as arrays lack built-in methods for these operations.
  5. Memory wastage can occur if the array is not fully utilized.

To overcome these limitations, use collections like ArrayList, which are dynamic, type-safe (using generics), and provide built-in methods for efficient operations.


What are differences between arrays and collections?
Aspect Arrays Collections
Size Fixed in size and cannot grow or shrink dynamically. Dynamic in size, can grow or shrink as needed.
Type Safety Homogeneous elements in typed arrays. Object arrays allow mixed types but are not type-safe. Generics provide type safety, allowing homogeneous or heterogeneous elements depending on the type parameter.
Performance Faster since they are part of the core language and have no additional overhead. Relatively slower due to additional features and dynamic resizing.
Ease of Use Requires manual handling for operations like insertion, deletion, or resizing. Provides built-in methods for operations like insertion, deletion, sorting, and searching.
Primitive Types Can store primitive types directly. Cannot store primitives directly; requires boxing (e.g., Integer for int).
Memory Utilization Efficient memory usage as the size is fixed. May lead to memory overhead due to dynamic resizing.
Hierarchy Arrays are part of the core Java language and have no hierarchy. Collections are part of the java.util package and follow a defined hierarchy.
Examples int[], String[], Object[] ArrayList, LinkedList, HashSet, HashMap, etc.

What are differences between arrays and ArrayList?
Aspect Arrays ArrayList
Size Fixed in size and cannot grow or shrink dynamically. Dynamic in size, grows or shrinks as needed.
Type Safety Homogeneous elements in typed arrays. Object arrays allow mixed types but are not type-safe. Supports generics for type safety, allowing homogeneous elements.
Performance Faster for primitive data types as it does not involve boxing or unboxing. Relatively slower due to dynamic resizing and support for only objects (requires boxing for primitives).
Ease of Use Requires manual handling for insertion, deletion, and resizing operations. Provides built-in methods for operations like add, remove, contains, and more.
Primitive Types Can store primitive types directly (e.g., int, char). Cannot store primitives directly; requires wrapper classes (e.g., Integer, Character).
Memory Utilization Memory is allocated at creation time, potentially leading to waste if not fully utilized. Manages memory dynamically, though resizing can lead to temporary overhead.
Methods No predefined methods for operations like addition or removal; only basic array operations are supported. Rich API with methods like add(), remove(), size(), and more.
Flexibility Less flexible, mainly for static storage requirements. Highly flexible, suitable for dynamic storage needs.
Examples int[] arr = {1, 2, 3}; ArrayList<Integer> list = new ArrayList<>();

What is Collection API?

The Collection API in Java is a framework provided in the java.util package to handle groups of objects, known as collections. It provides a set of classes and interfaces to store, manipulate, and retrieve data efficiently. This API helps developers perform data structure-related tasks like searching, sorting, insertion, manipulation, and deletion in an easier and more organized way.

Main Features of the Collection API:

Key Interfaces in the Collection API:


What are the key interfaces in the Java Collection Framework?
  1. Collection Interface:
  2. The root interface of the collection hierarchy, providing basic operations like adding, removing, and checking the size of a collection.

  3. List(I):
  4. Set(I):
  5. SortedSet(I):
  6. Queue(I):
  7. Deque(I):
  8. Map(I) (Not Extending Collection)
  9. SortedMap(I):

What is difference between Collection and Collections?
Aspect Collection Collections
Definition Collection is an interface in the java.util package that represents a group of objects, also known as elements. Collections is a utility class in the java.util package that provides static methods for operations on collections, such as sorting, searching, and synchronization.
Purpose Serves as a root interface for all collection types, such as List, Set, and Queue. Provides utility methods to perform common operations on collections, like sort(), reverse(), synchronizedList(), etc.
Inheritance Extended by other interfaces such as List, Set, and Queue. Does not extend or implement any interface; it is a standalone utility class.
Usage Defines common methods like add(), remove(), size(), and iterator() that are implemented by collection classes. Provides static methods like sort(), binarySearch(), and synchronizedList() to operate on collections.
Example
Collection list = new ArrayList<>();
  list.add("Java");
List list = new ArrayList<>();
  Collections.sort(list);

Why is the Collection interface not extended from the Cloneable and Serializable interfaces?
1. Flexibility in Implementation

The Collection interface is a high-level abstraction, and its implementing classes may have different ways of handling cloning and serialization. Enforcing all collection implementations to be Cloneable and Serializable would restrict their flexibility.


2. Not All Collections Need Cloning

Some collections, such as live views (e.g., subList in List), do not support cloning because they are directly linked to the original collection. Extending Cloneable in the Collection interface would force all implementations to support cloning, which may not always be feasible.


3. Not All Collections Should Be Serializable

Serialization is not required for all collections. For example, some collections may store transient data (such as caching structures) that should not be persisted. If Collection extended Serializable, every implementation would be forced to support serialization, which is unnecessary for many use cases.


4. Separation of Concerns

By keeping Cloneable and Serializable separate, Java allows developers to decide whether their specific collection implementation should support these features. Implementing classes like ArrayList, HashSet, and HashMap explicitly implement Serializable when needed.


5. Deep vs. Shallow Cloning Complexity

Cloning a collection is not straightforward since it involves either a shallow copy (copying references) or a deep copy (copying objects inside the collection). Since the Collection interface does not define how elements should be cloned, it is left to individual implementations.


Conclusion

The decision to not extend Cloneable and Serializable in the Collection interface was made to ensure flexibility, maintain separation of concerns, and avoid unnecessary constraints on implementing classes. Instead, individual collection implementations can choose to support cloning and serialization based on their requirements.



What are the differences between Collection, List, Set, and Queue?

Explain about List Interface

The List interface is a subinterface of the Collection interface in the java.util package. It represents an ordered collection (also known as a sequence) that allows duplicate elements. Elements in a List can be accessed by their index, and insertion order is maintained.

Hierarchy:

Key Features of the List Interface:

Key Methods of the List Interface:

          import java.util.List;
          import java.util.ArrayList;
          import java.util.Collection;
          
          public class ListMethodsExample {
              public static void main(String[] args) {
                  // Create a List
                  List fruits = new ArrayList<>();
          
                  // Adding elements using add method
                  fruits.add("Apple");
                  fruits.add("Banana");
                  fruits.add("Mango");
                  fruits.add("Peach");
          
                  // Insert an element at a specific position using add(index, element)
                  fruits.add(1, "Grapes"); // Insert Grapes at index 1
        
                  // Insert all elements from another collection using addAll(index, collection)
                  Collection moreFruits = List.of("Pineapple", "Orange");
                  fruits.addAll(2, moreFruits); // Insert at index 2
          
                  // Retrieve an element at a specific index using get(index)
                  System.out.println("Element at index 2: " + fruits.get(2));
          
                  // Find the index of the first occurrence of a specific element using indexOf(object)
                  int indexOfMango = fruits.indexOf("Mango");
          
                  // Find the index of the last occurrence of a specific element using lastIndexOf(object)
                  fruits.add("Apple"); // Adding another Apple to test lastIndexOf
                  int lastIndexOfApple = fruits.lastIndexOf("Apple");
          
                  // Remove an element at a specific index using remove(index)
                  fruits.remove(4); // Removes "Peach"
          
                  // Replace an element at a specific index using set(index, element)
                  fruits.set(2, "Watermelon"); // Replace "Mango" with "Watermelon"
          
                  // Get a sublist of the list using subList(fromIndex, toIndex)
                  List sublist = fruits.subList(1, 4); // Get elements from index 1 to 3
                  System.out.println("Sublist of fruits: " + sublist);
              }
          }
                  

Explain about ArrayList Class

The ArrayList class in java.util is a resizable array implementation of the List interface. It allows dynamic growth and shrinkage of the array as elements are added or removed. ArrayList is one of the most commonly used collection classes in Java for storing and manipulating a group of objects.

Key Features of ArrayList:

Key Methods:

Example Usage:

  import java.util.*;
  
  public class ArrayListExample {
      public static void main(String[] args) {
          ArrayList list = new ArrayList<>();
  
          // Adding elements
         list.add("Java");
          list.add("Python");
          list.add("C++");
  
          // Accessing elements
          System.out.println("Element at index 1: " + list.get(1));
  
          // Updating an element
          list.set(1, "JavaScript");
  
          // Removing an element
          list.remove(2);
  
          // Iterating through the list
          System.out.println("Iterating over the list:");
          for (String s : list) {
              System.out.println(s);
          }
      }
  }
    

Advantages of ArrayList:

Disadvantages of ArrayList:


What is the default size of an ArrayList?

How does ensureCapacity() work in ArrayList?

What is the internal implementation of ArrayList in Java?

What happens when an element is inserted into the middle of an ArrayList?

A bank transaction history feature requires fast access by index but also frequent updates. Which list implementation will you use?

Explain about LinkedList Class

The LinkedList class in java.util is a doubly linked list implementation of the List and Deque interfaces. It allows dynamic memory allocation, where each element is a node containing a reference to the previous and next nodes, making it efficient for insertion and deletion operations.

Key Features of LinkedList:

Key Methods:

Example Usage:

import java.util.*; public class LinkedListExample { public static void main(String[] args) { LinkedList list = new LinkedList<>(); // Adding elements list.add("Java"); list.add("Python"); list.addFirst("C++"); list.addLast("JavaScript"); // Displaying the list System.out.println("LinkedList: " + list); // Accessing elements System.out.println("First Element: " + list.getFirst()); System.out.println("Last Element: " + list.getLast()); // Removing elements list.removeFirst(); System.out.println("After removing first element: " + list); // Using as a Queue System.out.println("Polling (Queue operation): " + list.poll()); System.out.println("LinkedList after poll: " + list); } }

Advantages of LinkedList:

Disadvantages of LinkedList:


How to Get a Synchronized Version of ArrayList

The ArrayList class is not thread-safe by default. To get a synchronized version of an ArrayList, we can use the Collections.synchronizedList() method. This ensures that the ArrayList is synchronized, making it safe for use in multi-threaded environments.

Steps to Get a Synchronized ArrayList:

  1. Create an instance of ArrayList.
  2. Pass the ArrayList to the Collections.synchronizedList() method to obtain a synchronized version of it.
  3. Use the synchronized list in your program.

Example:

  import java.util.*;
  
  public class SynchronizedArrayListExample {
      public static void main(String[] args) {
          // Create a regular ArrayList
          ArrayList<String> arrayList = new ArrayList<>();
          arrayList.add("Java");
          arrayList.add("Python");
          arrayList.add("C++");
  
          // Get a synchronized version of the ArrayList
          List<String> synchronizedList = Collections.synchronizedList(arrayList);
  
          // Accessing the synchronized list
          synchronized (synchronizedList) {
              for (String s : synchronizedList) {
                  System.out.println(s);
              }
          }
      }
  }
    

Key Points:


Difference Between ArrayList and LinkedList
Aspect ArrayList LinkedList
Implementation Backed by a dynamic array. Implemented as a doubly linked list.
Access Time Provides fast random access (O(1)) for retrieving elements by index. Accessing an element requires traversal, making it slower (O(n)) for random access.
Insertion/Deletion Slower for insertions and deletions in the middle due to shifting of elements. Efficient for insertions and deletions, especially at the beginning or middle (O(1) or O(n) for traversal).
Memory Usage Consumes less memory as it stores only the elements. Consumes more memory due to the storage of node pointers (next and previous).
Iteration Faster for iteration due to contiguous memory storage. Slightly slower for iteration due to scattered memory allocation.
Use Case Best suited for scenarios where frequent access and less modification of elements are required. Best suited for scenarios where frequent insertions and deletions are needed.
Synchronization Not synchronized by default; must use Collections.synchronizedList() for thread-safety. Not synchronized by default; must use Collections.synchronizedList() for thread-safety.
Performance Better performance for smaller lists or when accessing elements frequently by index. Better performance for larger lists or when frequent additions/removals are required.

Summary: Choose ArrayList for fast random access and LinkedList for efficient insertions and deletions.


What are cursors in Collection?

In Java, a cursor is an interface that provides a way to traverse or iterate over elements in a Collection.

    Java provides three types of cursors:
  1. Enumerator
  2. Iterator
  3. ListIterator

Difference Between Enumeration and Iterator

Difference Between Iterator and ListIterator:
Aspect Iterator ListIterator
Introduction Introduced in Java 1.2 as part of the Collection Framework. Introduced in Java 1.2, specifically for working with List collections.
Applicability Can be used to traverse any Collection. Can only be used to traverse List collections (e.g., ArrayList, LinkedList).
Traversal Direction Supports only forward traversal. Supports both forward and backward traversal.
Element Access Can retrieve elements using the next() method. Can retrieve elements using next() (forward) and previous() (backward).
Element Modification Allows element removal using the remove() method. Allows addition, modification, and removal of elements using add(), set(), and remove() methods.
Position Information Does not provide information about the current position of the iterator. Provides methods like nextIndex() and previousIndex() to get the current position.
Preferred Use Use for general collection traversal. Use when working specifically with lists and bidirectional traversal or modification is needed.

Example for Iterator:

  import java.util.*;
  
  public class IteratorExample {
      public static void main(String[] args) {
          List list = new ArrayList<>(Arrays.asList("Java", "Python", "C++"));
          Iterator iterator = list.iterator();
          
          while (iterator.hasNext()) {
              System.out.println(iterator.next());
          }
      }
  }
    

Example for ListIterator:

  import java.util.*;
  
  public class ListIteratorExample {
      public static void main(String[] args) {
          List list = new ArrayList<>(Arrays.asList("Java", "Python", "C++"));
          ListIterator listIterator = list.listIterator();
          
          System.out.println("Forward Traversal:");
          while (listIterator.hasNext()) {
              System.out.println(listIterator.next());
          }
  
          System.out.println("Backward Traversal:");
          while (listIterator.hasPrevious()) {
              System.out.println(listIterator.previous());
          }
      }
  }
    

What is the difference between fail-fast and fail-safe iterators?

In Java, iterators can be categorized as Fail-Fast and Fail-Safe, depending on how they handle concurrent modifications during iteration.


Explain Set Interface

The Set interface is a subinterface of the Collection interface in the java.util package. It represents a collection that does not allow duplicate elements. A Set is primarily used when uniqueness is required, and it does not maintain any specific order of elements unless explicitly stated by its implementation.

Hierarchy:

Key Features of the Set Interface:

Key Methods of the Set Interface:


SortedSet Interface:

The SortedSet interface is a subinterface of the Set interface in the java.util package. It represents a set that maintains its elements in a sorted order. The sorting can be based on the natural order of elements (if the elements implement the Comparable interface) or a custom order defined by a Comparator.

Hierarchy:

Key Features of the SortedSet Interface:

Key Methods of the SortedSet Interface:

Common Implementation of the SortedSet Interface:


NavigableSet Interface:

Explain HashSet Class

The HashSet class in java.util implements the Set interface and is backed by a hash table (actually a HashMap instance). It does not allow duplicate elements and does not maintain the insertion order of elements. The primary purpose of a HashSet is to provide a collection of unique elements and to allow fast retrieval.

Key Features of HashSet:

Key Methods:

Example Usage:

  import java.util.*;
  
  public class HashSetExample {
      public static void main(String[] args) {
          // Creating a HashSet
          HashSet set = new HashSet<>();
  
          // Adding elements to the HashSet
          set.add("Java");
          set.add("Python");
          set.add("C++");
          set.add("Java");  // Duplicate, will be ignored
  
          // Displaying the HashSet
          System.out.println("HashSet: " + set);
  
          // Checking if an element exists
          System.out.println("Contains 'Python': " + set.contains("Python"));
  
          // Removing an element
          set.remove("C++");
          System.out.println("After removing 'C++': " + set);
  
          // Checking size
          System.out.println("Size of HashSet: " + set.size());
      }
  }
    

What is the difference between HashSet, LinkedHashSet, and TreeSet?

Why does HashSet allow only one null value?

How does HashSet maintain uniqueness?

What Happens When You Try to Insert Duplicate Values in a Set?

LinkedHashSet Class:

The LinkedHashSet class in Java is part of the java.util package and extends the HashSet class. It implements the Set interface and is backed by a hash table (like HashSet) and a linked list that maintains the insertion order of elements. This means that in a LinkedHashSet, the elements are stored in the order in which they were added.

Key Features of LinkedHashSet:

Key Methods:

Example Usage:

  import java.util.*;
  
  public class LinkedHashSetExample {
      public static void main(String[] args) {
          // Creating a LinkedHashSet
          LinkedHashSet linkedHashSet = new LinkedHashSet<>();
          
          // Adding elements
          linkedHashSet.add("Java");
          linkedHashSet.add("Python");
          linkedHashSet.add("C++");
          linkedHashSet.add("Java");  // Duplicate, will be ignored
          
          // Displaying the LinkedHashSet
          System.out.println("LinkedHashSet: " + linkedHashSet);
  
          // Checking if an element exists
          System.out.println("Contains 'Python': " + linkedHashSet.contains("Python"));
  
          // Removing an element
          linkedHashSet.remove("C++");
          System.out.println("After removing 'C++': " + linkedHashSet);
      }
  }
  Output:
  LinkedHashSet: [Java, Python, C++]
  Contains 'Python': true
  After removing 'C++': [Java, Python]
    

Explain TreeSet Class

The TreeSet class in Java is part of the java.util package and implements the Set interface. It is backed by a TreeMap and stores elements in a sorted order. Unlike other set implementations like HashSet or LinkedHashSet, which do not guarantee order, a TreeSet automatically arranges its elements according to their natural ordering or by a comparator provided at the time of set creation.

Key Features of TreeSet:

Key Methods:

Example Usage:

  import java.util.*;
  
  public class TreeSetExample {
      public static void main(String[] args) {
          // Creating a TreeSet
          TreeSet treeSet = new TreeSet<>();
          
          // Adding elements
          treeSet.add(10);
          treeSet.add(20);
          treeSet.add(15);
          treeSet.add(30);
          treeSet.add(20);  // Duplicate, will be ignored
          
          // Displaying the TreeSet
          System.out.println("TreeSet: " + treeSet);
  
          // Finding the first and last elements
          System.out.println("First Element: " + treeSet.first());
          System.out.println("Last Element: " + treeSet.last());
      }
  }
  Output:
  TreeSet: [10, 15, 20, 30]
  First Element: 10
  Last Element: 30

    

How does TreeSet maintain sorting order?

Why is HashSet faster than TreeSet?

In an authentication system, you need to store unique user session tokens efficiently. Which Set implementation is best?

Map Interface:

The Map interface is part of the java.util package and represents a collection of key-value pairs, where each key is unique, and each key maps to exactly one value. It is not a subtype of Collection but provides methods to store, retrieve, and manipulate key-value mappings.

Key Features of the Map Interface:

      import java.util.*;
      
      public class MapExample {
          public static void main(String[] args) {
              Map map = new HashMap<>;
      
              // Adding key-value pairs
              map.put("Java", 10);
              map.put("Python", 15);
              map.put("C++", 12);
      
              // Retrieving a value using a key
              System.out.println("Java: " + map.get("Java"));
      
              // Checking if a key exists
              System.out.println("Contains 'Python': " + map.containsKey("Python"));
      
              // Iterating over keys and values
              for (Map.Entry entry : map.entrySet()) {
                  System.out.println(entry.getKey() + ": " + entry.getValue());
              }
          }
      }
      Output:
      Java: 10
      Contains 'Python': true
      Java: 10
      Python: 15
      C++: 12
        

Common Implementations of the Map Interface:


Explain SortedMap Interface

The SortedMap interface is a subinterface of the Map interface in the java.util package. It represents a map that maintains its keys in a sorted order, either in their natural order or according to a custom comparator provided at the time of map creation. The elements in a SortedMap are ordered based on the keys, and it provides additional methods to deal with ranges of keys.

Key Features of the SortedMap Interface:

Common Implementation of the SortedMap Interface:

Key Methods of the SortedMap Interface:

Example Usage:

import java.util.*;

public class SortedMapExample {
  public static void main(String[] args) {
      SortedMap sortedMap = new TreeMap<>();

      // Adding key-value pairs
      sortedMap.put("Java", 10);
      sortedMap.put("Python", 15);
      sortedMap.put("C++", 12);
      sortedMap.put("JavaScript", 18);

      // Displaying the sorted map
      System.out.println("SortedMap: " + sortedMap);

      // Accessing the first and last keys
      System.out.println("First Key: " + sortedMap.firstKey());
      System.out.println("Last Key: " + sortedMap.lastKey());

      // Submaps
      System.out.println("HeadMap (less than 'JavaScript'): " + sortedMap.headMap("JavaScript"));
      System.out.println("TailMap (greater than or equal to 'C++'): " + sortedMap.tailMap("C++"));
      System.out.println("SubMap (from 'Java' to 'Python'): " + sortedMap.subMap("Java", "Python"));
  }
}
Output:
SortedMap: {C++=12, Java=10, JavaScript=18, Python=15}
First Key: C++
Last Key: Python
HeadMap (less than 'JavaScript'): {C++=12, Java=10}
TailMap (greater than or equal to 'C++'): {C++=12, Java=10, JavaScript=18, Python=15}
SubMap (from 'Java' to 'Python'): {Java=10, JavaScript=18}

Eplain NavigableMap Interface

The NavigableMap interface is a subinterface of SortedMap in the java.util package. It extends the functionality of SortedMap by providing navigation methods for retrieving entries based on their proximity to a given key. It supports bidirectional traversal and allows precise control over subsets of the map.

Key Features of NavigableMap:

Common Implementation:

Key Methods of NavigableMap:

Example Usage:

import java.util.*;

public class NavigableMapExample {
    public static void main(String[] args) {
        NavigableMap navigableMap = new TreeMap<>();

        // Adding key-value pairs
        navigableMap.put("Java", 10);
        navigableMap.put("Python", 15);
        navigableMap.put("C++", 12);
        navigableMap.put("JavaScript", 18);

        // Displaying the map
        System.out.println("NavigableMap: " + navigableMap);

        // Navigation operations
        System.out.println("Lower Key (less than 'Python'): " + navigableMap.lowerKey("Python"));
        System.out.println("Floor Key (less than or equal to 'Python'): " + navigableMap.floorKey("Python"));
        System.out.println("Ceiling Key (greater than or equal to 'C++'): " + navigableMap.ceilingKey("C++"));
        System.out.println("Higher Key (greater than 'Java'): " + navigableMap.higherKey("Java"));

        // Reverse order view
        System.out.println("Descending Map: " + navigableMap.descendingMap());

        // Polling operations
        System.out.println("Poll First Entry: " + navigableMap.pollFirstEntry());
        System.out.println("Poll Last Entry: " + navigableMap.pollLastEntry());
        System.out.println("Map after polling: " + navigableMap);
    }
}
Output:
NavigableMap: {C++=12, Java=10, JavaScript=18, Python=15}
Lower Key (less than 'Python'): JavaScript
Floor Key (less than or equal to 'Python'): Python
Ceiling Key (greater than or equal to 'C++'): C++
Higher Key (greater than 'Java'): JavaScript
Descending Map: {Python=15, JavaScript=18, Java=10, C++=12}
Poll First Entry: C++=12
Poll Last Entry: Python=15
Map after polling: {Java=10, JavaScript=18}
  

Explain RandomAccess Interface

The RandomAccess interface is a marker interface in the java.util package. It is used to indicate that a List implementation supports fast (constant time) random access to its elements. This interface helps optimize operations for data structures where direct access by index is efficient.

Key Features of RandomAccess Interface:

Usage: When iterating over a list, checking whether it implements RandomAccess can help choose between for-loop (for index-based access) and iterator-based traversal for better performance.

Example:

import java.util.*;

public class RandomAccessExample {
    public static void main(String[] args) {
        List arrayList = new ArrayList<>();
        List linkedList = new LinkedList<>();

        // Adding elements
        arrayList.add("Java");
        arrayList.add("Python");
        linkedList.add("Java");
        linkedList.add("Python");

        // Check if the list supports RandomAccess
        System.out.println("Is ArrayList RandomAccess? " + (arrayList instanceof RandomAccess));
        System.out.println("Is LinkedList RandomAccess? " + (linkedList instanceof RandomAccess));

        // Optimized iteration
        if (arrayList instanceof RandomAccess) {
            System.out.println("Iterating ArrayList using for-loop:");
            for (int i = 0; i < arrayList.size(); i++) {
                System.out.println(arrayList.get(i));
            }
        } else {
            System.out.println("Iterating ArrayList using iterator:");
            for (String s : arrayList) {
                System.out.println(s);
            }
        }
    }
}
  

Advantages:

Common Implementations: ArrayList, Vector

Non-Implementations: LinkedList does not implement RandomAccess because it is designed for sequential access.


What are the differences between HashMap, LinkedHashMap, and TreeMap?

What is the internal structure of HashMap in Java 17?

How does HashMap handle collisions?

What is the load factor in HashMap, and how does it impact performance?

Why should you use ConcurrentHashMap instead of HashMap in a multi-threaded environment?
Example: Issue with HashMap in Multi-Threading Solution: Using ConcurrentHashMap

What is the difference between HashMap and ConcurrentHashMap?

How does WeakHashMap work, and when should it be used?

Explain about TreeMap

Why does HashMap allow one null key but multiple null values?

Explain the resize() operation in HashMap

You need to implement a caching mechanism for a high-traffic website. Which Map implementation will you use?

You are designing an LRU Cache for an e-commerce platform. Which Map implementation is suitable?

In a trading system, you need to store orders with unique IDs sorted by timestamp. Which Map will you use?

How would you implement your own custom HashMap?

Queue Interface:

The Queue interface is part of the java.util package and represents a collection designed for holding elements prior to processing. It is used to model data structures like queues where elements are processed in a First-In-First-Out (FIFO) order. The Queue interface extends the Collection interface and provides methods to add, remove, and examine elements in the queue.

Key Features of the Queue Interface:

Common Implementations of the Queue Interface:

1. LinkedList as a Queue 2. PriorityQueue (Min-Heap) 3. ArrayDeque (Double-Ended Queue) 4. ConcurrentLinkedQueue (Thread-Safe) 5. LinkedBlockingQueue (Thread-Safe Blocking Queue)

What is the difference between Queue and Stack?

How does PriorityQueue work internally?

How does ArrayDeque differ from LinkedList-based Deque?

How would you implement a Task Scheduler using a Queue?

What are synchronized collections vs concurrent collections?

How does CopyOnWriteArrayList differ from a synchronized list?

How does ConcurrentHashMap handle concurrency differently than HashTable?

Why is ConcurrentSkipListMap useful in multi-threaded applications?

In a multi-threaded data processing system, how would you handle concurrent updates to a shared collection?

Comparable vs Comparator in Java

In Java, Comparable and Comparator interfaces are used for sorting objects in collections such as ArrayList, TreeSet, and TreeMap. They allow us to define custom sorting logic for objects.

Comparable Interface: Comparator Interface: Comparator with Lambda Expressions: When to Use Comparable vs Comparator?