The limitations of object arrays:
Object[] objArray = new Object[3]; objArray[0] = "Hello"; objArray[1] = 10; // Adding an integer String str = (String) objArray[1]; // ClassCastException at runtimeThis issue arises because object arrays allow storing different types, but improper casting can cause runtime errors.
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 castingBoxing and unboxing can lead to performance degradation and verbose code.
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.
To overcome these limitations, use collections like ArrayList, which are dynamic, type-safe (using generics), and provide built-in methods for efficient operations.
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. |
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<>(); |
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:
Collection
, List
, Set
, Queue
, and Map
.ArrayList
, LinkedList
, HashSet
, TreeSet
, HashMap
, and TreeMap
.Collections
to perform tasks such as sorting, searching, and shuffling.Vector
and thread-safe utilities in the java.util.concurrent
package.Key Interfaces in the Collection API:
Collection
: The root interface for all collection classes.List
: Ordered collections that allow duplicate elements (e.g., ArrayList
, LinkedList
).Set
: Collections that do not allow duplicate elements (e.g., HashSet
, TreeSet
).Queue
: Collections that follow the FIFO (First In, First Out) principle (e.g., PriorityQueue
).Map
: Key-value pair collections (e.g., HashMap
, TreeMap
).The root interface of the collection hierarchy, providing basic operations like adding, removing, and checking the size of a collection.
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 |
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.
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.
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.
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.
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.
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.
add()
, remove()
, and size()
.List
, Set
, and Queue
.Map
, as it operates on key-value pairs.ArrayList
, LinkedList
, Vector
, Stack
.HashSet
(unordered), LinkedHashSet
(insertion order), TreeSet
(sorted).PriorityQueue
, LinkedList
(as Queue), ArrayDeque
.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:
List
interface extends the Collection
interface.List
interface are:
ArrayList
: A dynamic array implementation.LinkedList
: A doubly-linked list implementation.Vector
: A synchronized, dynamic array implementation.Stack
: A subclass of Vector
implementing a LIFO (Last In, First Out) structure.Key Features of the List Interface:
Key Methods of the List Interface:
void add(int index, E element)
: Inserts the specified element at the specified position in the list.boolean addAll(int index, Collection extends E> c)
: Inserts all elements from the specified collection at the specified position.E get(int index)
: Returns the element at the specified position in the list.int indexOf(Object o)
: Returns the index of the first occurrence of the specified element, or -1 if it is not found.int lastIndexOf(Object o)
: Returns the index of the last occurrence of the specified element, or -1 if it is not found.E remove(int index)
: Removes the element at the specified position in the list.E set(int index, E element)
: Replaces the element at the specified position with the specified element.List subList(int fromIndex, int toIndex)
: Returns a view of the portion of the list between the specified fromIndex
(inclusive) and toIndex
(exclusive).import java.util.List; import java.util.ArrayList; import java.util.Collection; public class ListMethodsExample { public static void main(String[] args) { // Create a List Listfruits = 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); } }
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:
ArrayList
is not thread-safe; for concurrent access, use Collections.synchronizedList()
or CopyOnWriteArrayList
.List
, RandomAccess
, Cloneable
, and Serializable
interfaces.Key Methods:
add(E e)
: Adds an element to the end of the list.get(int index)
: Retrieves the element at the specified index.set(int index, E element)
: Replaces the element at the specified index.remove(int index)
: Removes the element at the specified index.size()
: Returns the number of elements in the list.clear()
: Removes all elements from the list.Example Usage:
import java.util.*; public class ArrayListExample { public static void main(String[] args) { ArrayListlist = 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:
LinkedList
for insertions and deletions in the middle of the list.ArrayList
refers to its initial capacity.ArrayList
is created using the default constructor new ArrayList<>()
, the initial capacity is 10.ArrayList
uses an array, which grows dynamically when elements are added.oldCapacity + (oldCapacity / 2)
, which is 1.5 times the previous capacity.new ArrayList<>(int initialCapacity)
to optimize memory usage.ensureCapacity(int minCapacity)
is a method in ArrayList
used to increase the capacity of the list to accommodate more elements.minCapacity
is greater than the current capacity, the internal array is expanded.ensureCapacity()
follows the resizing mechanism of ArrayList
(increasing size by 1.5x when needed).ArrayListlist = new ArrayList<>(); list.ensureCapacity(50); // Ensures the list can hold at least 50 elements
ArrayList
internally uses a dynamic array to store elements.new ArrayList<>()
, it has an initial capacity of 10.add(E e)
appends an element at the end.add(int index, E e)
inserts at a specific index (shifting elements).ensureCapacity()
.get(int index)
retrieves an element in O(1) time complexity.remove(int index)
shifts all elements after the removed index.for
loop, for-each
, Iterator
, and ListIterator
.ArrayList
is not synchronized, making it not thread-safe.Collections.synchronizedList()
or CopyOnWriteArrayList
.add(int index, E element)
, all elements from that index onward are shifted to the right.LinkedList
, which has O(1) insertion time when a reference to the node is available.ArrayListlist = new ArrayList<>(Arrays.asList(1, 2, 4, 5)); list.add(2, 3); // Inserting 3 at index 2 System.out.println(list); // Output: [1, 2, 3, 4, 5]
ArrayList
ArrayList
provides O(1) time complexity for accessing elements by index.ArrayList
is a good fit.ArrayList.set(index, element)
performs in O(1) time, making it efficient.LinkedList
LinkedList
could be considered.LinkedList
has O(n) access time, which makes it slower for index-based retrieval.ArrayList
if fast access by index is the top priority and updates mainly modify existing transactions.ArrayList
+ indexing techniques like HashMap) might be needed.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:
List
, Deque
, Cloneable
, and Serializable
interfaces.Key Methods:
add(E e)
: Adds an element to the end of the list.addFirst(E e)
: Adds an element at the beginning of the list.addLast(E e)
: Adds an element at the end of the list.remove(int index)
: Removes the element at the specified index.get(int index)
: Retrieves the element at the specified index.peek()
: Retrieves the head of the list without removing it.poll()
: Retrieves and removes the head of the list.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:
List
and a Deque
, supporting stack and queue operations.Disadvantages of LinkedList:
ArrayList
due to sequential traversal.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:
ArrayList
.ArrayList
to the Collections.synchronizedList()
method to obtain a synchronized version of it.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:
Collections.synchronizedList()
method returns a thread-safe wrapper around the given ArrayList
.ConcurrentModificationException
.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.
In Java, a cursor is an interface that provides a way to traverse or iterate over elements in a Collection.
import java.util.*; public class EnumerationExample { public static void main(String[] args) { Vectorvector = new Vector<>(); vector.add(1); vector.add(2); vector.add(3); Enumeration enumeration = vector.elements(); while (enumeration.hasMoreElements()) { System.out.println(enumeration.nextElement()); } } }
import java.util.*; public class IteratorExample { public static void main(String[] args) { Listlist = new ArrayList<>(); list.add("Apple"); list.add("Banana"); list.add("Cherry"); Iterator iterator = list.iterator(); while (iterator.hasNext()) { String fruit = iterator.next(); if (fruit.equals("Banana")) { iterator.remove(); // Safe removal } System.out.println(fruit); } System.out.println("Final List: " + list); } }
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) { Listlist = 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) { Listlist = 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()); } } }
In Java, iterators can be categorized as Fail-Fast and Fail-Safe, depending on how they handle concurrent modifications during iteration.
ConcurrentModificationException
if the collection is modified during iteration.ArrayList
, LinkedList
, HashSet
, HashMap
, LinkedHashMap
etc.import java.util.*; public class FailFastExample { public static void main(String[] args) { Listlist = new ArrayList<>(); list.add("One"); list.add("Two"); list.add("Three"); Iterator iterator = list.iterator(); while (iterator.hasNext()) { System.out.println(iterator.next()); list.add("Four"); // Modifying collection during iteration } } }
Iteratoriterator = list.iterator(); while (iterator.hasNext()) { String item = iterator.next(); if (item.equals("Two")) { iterator.remove(); // Allowed, won't throw exception } }
ConcurrentModificationException
if the collection is modified during iteration.CopyOnWriteArrayList
, CopyOnWriteArraySet
, ConcurrentHashMap
.import java.util.concurrent.CopyOnWriteArrayList; import java.util.Iterator; public class FailSafeExample { public static void main(String[] args) { CopyOnWriteArrayListlist = new CopyOnWriteArrayList<>(); list.add("One"); list.add("Two"); list.add("Three"); Iterator iterator = list.iterator(); while (iterator.hasNext()) { System.out.println(iterator.next()); list.add("Four"); // Allowed in Fail-Safe Iterators } } }
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:
Set
interface extends the Collection
interface.Set
interface are:
HashSet
: Implements a hash table to store elements and does not guarantee the order of elements.LinkedHashSet
: Extends HashSet
and maintains the insertion order of elements.TreeSet
: Implements a balanced tree structure and maintains elements in their natural order or a custom order defined by a comparator.Key Features of the Set Interface:
LinkedHashSet
or TreeSet
).Key Methods of the Set Interface:
boolean add(E e)
: Adds the specified element to the set if it is not already present.boolean contains(Object o)
: Checks if the set contains the specified element.boolean remove(Object o)
: Removes the specified element from the set if it is present.int size()
: Returns the number of elements in the set.Iterator iterator()
: Returns an iterator over the elements in the set.boolean isEmpty()
: Checks if the set is empty.void clear()
: Removes all elements from the set.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:
SortedSet
interface extends the Set
interface.TreeSet
class is a common implementation of the SortedSet
interface.Key Features of the SortedSet Interface:
Key Methods of the SortedSet Interface:
E first()
: Returns the first (lowest) element in the set.E last()
: Returns the last (highest) element in the set.SortedSet headSet(E toElement)
: Returns a view of the portion of the set whose elements are strictly less than the specified element.SortedSet tailSet(E fromElement)
: Returns a view of the portion of the set whose elements are greater than or equal to the specified element.SortedSet subSet(E fromElement, E toElement)
: Returns a view of the portion of the set whose elements range from fromElement
, inclusive, to toElement
, exclusive.Comparator<? super E> comparator()
: Returns the comparator used to order the elements, or null
if the set uses natural ordering.Common Implementation of the SortedSet Interface:
TreeSet
: A balanced tree implementation of the SortedSet
interface. It maintains the elements in a sorted order.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:
HashSet
does not allow duplicate elements. If you try to add a duplicate, the set remains unchanged.HashSet
are unordered, meaning there is no guarantee of the order in which the elements are stored or retrieved.O(1)
complexity) assuming the hash function distributes elements uniformly.HashSet
allows a single null
element, but more than one null
is not allowed.Set
, Cloneable
, Serializable
, and Iterable
interfaces.Key Methods:
add(E e)
: Adds the specified element to the set if it is not already present.remove(Object o)
: Removes the specified element from the set.contains(Object o)
: Returns true
if the set contains the specified element.size()
: Returns the number of elements in the set.clear()
: Removes all the elements from the set.isEmpty()
: Returns true
if the set is empty.Example Usage:
import java.util.*; public class HashSetExample { public static void main(String[] args) { // Creating a HashSet HashSetset = 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()); } }
HashSet
is an unordered collection that does not guarantee the order of elements.LinkedHashSet
is an ordered version of the HashSet
. It maintains the insertion order of elements.HashSet
, but also maintains the order of insertion.HashSet
.TreeSet
is a sorted set that stores elements in their natural order or based on a custom comparator.HashSet
or LinkedHashSet
.HashSet
: No guaranteed order.LinkedHashSet
: Maintains insertion order.TreeSet
: Stores elements in sorted order (either natural or using a comparator).HashSet
: O(1) for add, remove, contains.LinkedHashSet
: O(1) for add, remove, contains (with slight overhead for maintaining order).TreeSet
: O(log n) for add, remove, contains due to the tree structure.HashSet
: Use when you only care about uniqueness and do not need order.LinkedHashSet
: Use when you care about both uniqueness and maintaining the order of insertion.TreeSet
: Use when you need to store elements in a sorted order and care about efficient searching and navigation.HashSet
uses a hash table (backed by a HashMap
) to store its elements.null
has a hash code of 0, and the `equals()` method is not called for null
(because it is never equal to any other object).null
can exist in the set, since all `null` elements would have the same hash code, and adding a second null
would violate the uniqueness property of the set.null
is always 0, it will always map to the same bucket in the hash table.null
value, it will clash with the existing null
value because they have the same hash code, leading to the rejection of the duplicate.null
value can be stored in a HashSet
to maintain the set's property of uniqueness.HashSet
internally uses a hash table (backed by a HashMap
) to store its elements.HashSet
is stored as a key in the hash table, and the values are dummy placeholders (often Boolean.TRUE
).HashSet
, the set checks if the element already exists based on its hash code and equals() method.equals()
is used to compare the elements for equality.equals()
comparison return true), it is not added to the set.HashSet
relies on the correct implementation of the hashCode()
and equals()
methods of the objects being stored.HashSetset = new HashSet<>(); set.add("A"); set.add("B"); set.add("A"); // Duplicate, won't be added System.out.println(set); // Output: [A, B]
HashSet
provides constant time complexity (O(1)) for basic operations like add, remove, and contains, assuming a good hash function.add()
method will return false
, indicating that the element was not added because it was already present.HashSet
, LinkedHashSet
, and TreeSet
.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:
HashSet
, which does not guarantee any specific order, LinkedHashSet
maintains the order of insertion. Elements are retrieved in the order they were added.LinkedHashSet
does not allow duplicate elements. It will ignore any attempt to add a duplicate element.LinkedHashSet
provides constant time performance for basic operations like add()
, remove()
, and contains()
, similar to HashSet
. However, it has some overhead due to maintaining the linked list for the order.LinkedHashSet
allows a single null
element.HashSet
and LinkedHashSet
is that the latter maintains the order of insertion, meaning the elements are returned in the same order they were added to the set.Key Methods:
add(E e)
: Adds the specified element to the set if it is not already present.remove(Object o)
: Removes the specified element from the set.contains(Object o)
: Returns true
if the set contains the specified element.size()
: Returns the number of elements in the set.clear()
: Removes all elements from the set.isEmpty()
: Returns true
if the set is empty.Example Usage:
import java.util.*; public class LinkedHashSetExample { public static void main(String[] args) { // Creating a LinkedHashSet LinkedHashSetlinkedHashSet = 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]
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:
TreeSet
are stored in ascending order by default. If the elements are comparable, they are sorted based on their natural ordering. If not, a custom comparator can be provided.Set
implementations, TreeSet
does not allow duplicate elements.add()
, remove()
, and contains()
have a time complexity of O(log n)
because the underlying data structure is a balanced tree.TreeSet
does not allow null
elements if the set uses natural ordering. This is because null
cannot be compared with other elements in the set.TreeSet
implements the Set
, NavigableSet
, and Cloneable
interfaces.Key Methods:
add(E e)
: Adds the specified element to the set if it is not already present, and returns true
. If the element is already present, it returns false
.remove(Object o)
: Removes the specified element from the set.first()
: Returns the first (lowest) element in the set.last()
: Returns the last (highest) element in the set.ceiling(E e)
: Returns the least element in the set greater than or equal to the specified element.floor(E e)
: Returns the greatest element in the set less than or equal to the specified element.Example Usage:
import java.util.*; public class TreeSetExample { public static void main(String[] args) { // Creating a TreeSet TreeSettreeSet = 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
TreeSet
is backed by a Red-Black tree, which is a self-balancing binary search tree.TreeSet
are stored in the tree nodes in such a way that the tree remains balanced, ensuring efficient access and insertion.TreeSet
sorts its elements using their natural order (i.e., the order defined by the Comparable
interface).Comparable
interface, the compareTo()
method is used to determine the sorting order.Comparable
, you can provide a custom sorting order via a Comparator.TreeSetset = new TreeSet<>(); set.add(5); set.add(1); set.add(3); set.add(2); System.out.println(set); // Output: [1, 2, 3, 5]
Comparator
can be provided to the TreeSet
.Comparator
will define the sorting rules for the elements.TreeSetset = new TreeSet<>(Comparator.reverseOrder()); set.add(5); set.add(1); set.add(3); set.add(2); System.out.println(set); // Output: [5, 3, 2, 1]
TreeSet
is ideal when you need to store unique elements that are sorted automatically, either in their natural order or using a custom comparator.HashSet
is backed by a hash table (or a hash map), which provides fast access to elements using a hash code.TreeSet
is backed by a Red-Black tree, a self-balancing binary search tree, which has a more complex structure for maintaining sorting order.HashSet
, operations like add, remove, and contains typically have an average time complexity of O(1), assuming a good hash function and low collision rates.TreeSet
, the operations like add, remove, and contains take O(log n) time due to the underlying Red-Black tree structure, which maintains sorted order at all times.TreeSet
maintains elements in a sorted order (either natural or custom sorting via a comparator), which requires extra effort during every insertion and deletion.TreeSet
, elements are compared during insertion and lookup to maintain the sorting order. This comparison is generally O(log n) in time complexity, depending on the number of nodes in the tree.HashSet
, no comparisons are required for basic operations. Instead, elements are directly inserted or searched using their hash codes, which is faster than maintaining order.HashSet
is preferred when you need fast operations for storing and accessing unique elements without caring about order.TreeSet
is used when you need sorted elements and are willing to sacrifice some performance for automatic sorting of data.HashSet
: Faster for basic operations (add, remove, contains) due to its O(1) time complexity (average case).TreeSet
: Slower for basic operations due to the need to maintain sorted order and balance the tree, with time complexity of O(log n).HashSet
HashSet
is the best choice when you need to store unique elements (such as session tokens) with fast access and insertion.HashSet
is Ideal for Session Tokens:HashSet
is efficient because it doesn't require comparisons or sorting.HashSet
allows for fast access without maintaining any order, unlike TreeSet
, which sorts the elements.HashSet
ensures uniqueness, you won't have to worry about storing duplicate session tokens.TreeSet
: Although it ensures uniqueness, it maintains elements in a sorted order. The sorting overhead and the fact that session tokens don't need to be sorted makes it less efficient for this use case compared to HashSet
.LinkedHashSet
: While it maintains insertion order, the extra overhead for maintaining the order makes it unnecessary for the use case of storing unique session tokens when the order is irrelevant.HashSet
is the optimal choice for storing unique user session tokens efficiently in terms of time complexity and memory usage.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:
Map
stores entries, where each entry consists of a key and a value.put()
to add mappings, get()
to retrieve values, and remove()
to delete mappings.import java.util.*; public class MapExample { public static void main(String[] args) { Mapmap = 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:
HashMap
: A widely used implementation that stores elements based on the hash of the keys, offering constant time performance for basic operations.TreeMap
: A sorted map implementation that orders the keys according to their natural order or a custom comparator.LinkedHashMap
: An implementation that maintains the order of insertion of the keys.Hashtable
: An older, synchronized implementation (replaced by ConcurrentHashMap
in modern applications for thread-safety).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:
Comparator
).firstKey()
, lastKey()
, headMap()
, and tailMap()
help with navigating through the map's sorted keys.Common Implementation of the SortedMap Interface:
TreeMap
: The most common implementation of the SortedMap
interface, which stores key-value pairs in a red-black tree structure and ensures that keys are kept in sorted order.Key Methods of the SortedMap Interface:
K firstKey()
: Returns the first (lowest) key in the map.K lastKey()
: Returns the last (highest) key in the map.SortedMap headMap(K toKey)
: Returns a view of the portion of the map whose keys are less than the specified key.SortedMap tailMap(K fromKey)
: Returns a view of the portion of the map whose keys are greater than or equal to the specified key.SortedMap subMap(K fromKey, K toKey)
: Returns a view of the portion of the map whose keys are between fromKey
(inclusive) and toKey
(exclusive).Example Usage:
import java.util.*; public class SortedMapExample { public static void main(String[] args) { SortedMapsortedMap = 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}
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:
lowerKey()
, floorKey()
, ceilingKey()
, and higherKey()
help in finding keys near a specified key.descendingMap()
method provides a view of the map in reverse order.subMap()
, headMap()
, and tailMap()
.pollFirstEntry()
and pollLastEntry()
allow retrieval and removal of the first or last entry.Common Implementation:
TreeMap
: The most common implementation of NavigableMap
, which maintains key-value pairs in a red-black tree structure and provides navigation methods.Key Methods of NavigableMap:
K lowerKey(K key)
: Returns the greatest key strictly less than the specified key.K floorKey(K key)
: Returns the greatest key less than or equal to the specified key.K ceilingKey(K key)
: Returns the smallest key greater than or equal to the specified key.K higherKey(K key)
: Returns the smallest key strictly greater than the specified key.NavigableMap descendingMap()
: Returns a map with the keys in reverse order.Map.Entry pollFirstEntry()
: Retrieves and removes the first entry in the map.Map.Entry pollLastEntry()
: Retrieves and removes the last entry in the map.Example Usage:
import java.util.*; public class NavigableMapExample { public static void main(String[] args) { NavigableMapnavigableMap = 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}
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:
ArrayList
and Vector
classes implement this interface because they allow fast, index-based access to their elements.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) { ListarrayList = 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.
map.put(new Key("vishal"), 20); Create a node object as : { int hash = 118 // {"vishal"} is not a string but // an object of class Key Key key = {"vishal"} Integer value = 20 Node next = null }
map.put(new Key("vishal"), 20); map.put(new Key("sachin"), 30); map.put(new Key("vaibhav"), 40); System.out.println(map.get(new Key("sachin"))); // Output: 30
index = hash(key) % array.length
hashCode()
method of the key to compute its hash code, and this value is used to determine the bucket where the key-value pair will be stored.HashMap
is a measure that determines when to increase the capacity of the map.HashMap
is 0.75, meaning when the number of entries exceeds 75% of the current capacity, the map will resize.HashMap
performs a resize, which involves rehashing the keys and placing them into new buckets. This is a relatively expensive operation.HashMap
will resize less frequently, which may improve memory usage efficiency. However, it can cause more collisions, leading to longer lookup times for entries.HashMap
directly affects its resizing behavior, which in turn impacts memory usage and performance (lookup and insertion times).import java.util.HashMap; public class HashMapMultithreading { static HashMapPossible Issues with HashMap:map = new HashMap<>(); public static void main(String[] args) { Thread t1 = new Thread(() -> { for (int i = 1; i <= 5; i++) { map.put(i, "Value" + i); System.out.println("Thread 1 inserted: " + i); } }); Thread t2 = new Thread(() -> { for (int i = 1; i <= 5; i++) { System.out.println("Thread 2 read: " + map.get(i)); } }); t1.start(); t2.start(); } }
import java.util.concurrent.ConcurrentHashMap; public class ConcurrentHashMapExample { static ConcurrentHashMapmap = new ConcurrentHashMap<>(); public static void main(String[] args) { Thread t1 = new Thread(() -> { for (int i = 1; i <= 5; i++) { map.put(i, "Value" + i); System.out.println("Thread 1 inserted: " + i); } }); Thread t2 = new Thread(() -> { for (int i = 1; i <= 5; i++) { System.out.println("Thread 2 read: " + map.get(i)); } }); t1.start(); t2.start(); } }
putIfAbsent
, replace
, and remove
, which allow you to perform certain actions on the map in an atomic and thread-safe manner without needing additional synchronization.TreeMaptreeMap = new TreeMap<>(); treeMap.put(3, "Python"); treeMap.put(1, "Java"); treeMap.put(2, "C++"); treeMap.put(5, "JavaScript"); treeMap.put(4, "Ruby"); System.out.println("TreeMap: " + treeMap); Output: TreeMap: {1=Java, 2=C++, 3=Python, 4=Ruby, 5=JavaScript} First Key: 1 Last Key: 5 Higher Key than 3: 4 Lower Key than 3: 2 HeadMap (<3): {1=Java, 2=C++} TailMap (>=3): {3=Python, 4=Ruby, 5=JavaScript} SubMap (2 to 4): {2=C++, 3=Python, 4=Ruby}
TreeMaptreeMap = new TreeMap<>(Comparator.reverseOrder()); treeMap.put(10, "Java"); treeMap.put(30, "Python"); treeMap.put(20, "C++"); System.out.println("TreeMap (Descending Order): " + treeMap); Output: TreeMap (Descending Order): {30=Python, 20=C++, 10=Java}
HashMap
that occurs when the number of entries exceeds a certain threshold (i.e., the load factor). This operation increases the capacity of the map to ensure that it maintains optimal performance.HashMap
starts with an initial capacity of 16 and a load factor of 0.75. This means when the number of entries reaches 75% of the current capacity, the resize() operation is triggered.HashMap
maintains a good balance between time complexity and space usage by adjusting the capacity.LinkedHashMap
LinkedHashMap
is the best choice for implementing a caching mechanism where you need to store key-value pairs while maintaining the insertion order.LinkedHashMap
is Ideal for Caching:LinkedHashMap
provides an option to maintain access order (via constructor parameter), which is crucial for Least Recently Used (LRU) caching. When the cache reaches its size limit, you can easily evict the least recently used entry.HashMap
: While HashMap
is fast, it doesn't maintain any order (neither insertion nor access order). For caching where order matters (like LRU caching), LinkedHashMap
is better suited.TreeMap
: It maintains a natural ordering of the keys or custom order based on a comparator. However, this introduces overhead due to sorting, which is not necessary for a caching mechanism where quick access is more important than sorting.LinkedHashMap
is the optimal choice for a caching mechanism on a high-traffic website, especially if you need to maintain insertion or access order for eviction purposes, such as in an LRU cache.LinkedHashMap
LinkedHashMap
is the best choice for implementing an LRU (Least Recently Used) Cache.true
when creating the map, LinkedHashMap
automatically maintains the order in which the entries were last accessed. This is essential for an LRU Cache.LinkedHashMap
is Ideal for LRU Cache:LinkedHashMap
with access order enabled automatically keeps track of the most recently accessed elements, which helps in efficiently evicting the least recently used items.HashMap
: While it provides fast access, it does not maintain any order, making it unsuitable for LRU cache implementations where the access order is critical.TreeMap
: Although it maintains elements in a sorted order, it adds unnecessary complexity and overhead for the LRU use case since sorting is not needed in LRU cache systems.LinkedHashMap
with access order enabled is the most suitable map implementation for designing an LRU cache, as it efficiently maintains the order of access and allows for fast eviction of least recently used elements.TreeMap
TreeMap
is the ideal choice when you need to store key-value pairs that are sorted according to the natural order of the keys or a custom comparator.TreeMap
is a Red-Black tree-based implementation of the Map
interface, which maintains the order of elements by their keys.TreeMap
is Ideal for Orders Sorted by Timestamp:TreeMap
will keep the entries sorted automatically.TreeMap
ensures that the orders are always ordered, which is crucial for a trading system that requires fast access to orders based on their timestamp.HashMap
: While it provides fast insertion and retrieval (O(1) average time complexity), it does not maintain any order. Since orders need to be sorted by timestamp, HashMap
is not suitable.LinkedHashMap
: Although it maintains the insertion order, it does not sort the keys by timestamp. It may be suitable for cases where you want to maintain the order of insertion but not sorting by timestamp.TreeMap
is the optimal choice for storing orders with unique IDs sorted by timestamp, as it automatically maintains the order of the keys.import java.util.Objects; // Custom HashMap implementation class CustomHashMap<K, V> { private static final int INITIAL_CAPACITY = 16; // Default capacity private static final float LOAD_FACTOR = 0.75f; // Load factor for resizing private int size = 0; private Node<K, V>[] table; // Node class (Linked List for Collision Handling) static class Node<K, V> { final K key; V value; Node<K, V> next; // Pointer for chaining Node(K key, V value) { this.key = key; this.value = value; this.next = null; } } // Constructor public CustomHashMap() { table = new Node[INITIAL_CAPACITY]; } // Hash function private int hash(K key) { return Objects.hashCode(key) & (table.length - 1); } // Put method (Inserts Key-Value Pair) public void put(K key, V value) { int index = hash(key); Node<K, V> newNode = new Node<>(key, value); // If no collision, insert directly if (table[index] == null) { table[index] = newNode; } else { // Collision handling using Linked List Node<K, V> current = table[index]; Node<K, V> prev = null; while (current != null) { if (Objects.equals(current.key, key)) { current.value = value; // Update value if key exists return; } prev = current; current = current.next; } prev.next = newNode; // Insert at the end of linked list } size++; // Resize if load factor exceeds if (size > LOAD_FACTOR * table.length) { resize(); } } // Get method (Retrieves Value by Key) public V get(K key) { int index = hash(key); Node<K, V> current = table[index]; while (current != null) { if (Objects.equals(current.key, key)) { return current.value; } current = current.next; } return null; // Key not found } // Remove method public void remove(K key) { int index = hash(key); Node<K, V> current = table[index]; Node<K, V> prev = null; while (current != null) { if (Objects.equals(current.key, key)) { if (prev == null) { table[index] = current.next; // Remove first node } else { prev.next = current.next; // Remove in-between node } size--; return; } prev = current; current = current.next; } } // Resize method (Doubles table size when threshold exceeds) private void resize() { Node<K, V>[] oldTable = table; table = new Node[oldTable.length * 2]; size = 0; for (Node<K, V> headNode : oldTable) { while (headNode != null) { put(headNode.key, headNode.value); headNode = headNode.next; } } } // Display method public void display() { for (int i = 0; i < table.length; i++) { System.out.print("Index " + i + ": "); Node<K, V> current = table[i]; while (current != null) { System.out.print("[" + current.key + "=" + current.value + "] -> "); current = current.next; } System.out.println("null"); } } // Main method (Testing) public static void main(String[] args) { CustomHashMap<String, Integer> map = new CustomHashMap<>(); map.put("Java", 10); map.put("Python", 20); map.put("C++", 30); map.put("Java", 40); // Updates existing key System.out.println("Value for 'Java': " + map.get("Java")); // Output: 40 System.out.println("Value for 'Python': " + map.get("Python")); // Output: 20 map.remove("Python"); System.out.println("After removing 'Python': " + map.get("Python")); // Output: null map.display(); } }
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:
offer()
to add, poll()
to remove, and peek()
to view the front element.take()
and put()
for thread-safe operations.Common Implementations of the Queue Interface:
LinkedList
: A general-purpose implementation of the Queue
interface.PriorityQueue
: A queue where elements are ordered based on their priority (not strictly FIFO).ArrayBlockingQueue
: A thread-safe, bounded queue implementation for concurrent programming.import java.util.*; public class LinkedListQueueExample { public static void main(String[] args) { Queue<String> queue = new LinkedList<>(); queue.offer("Java"); queue.offer("Python"); queue.offer("C++"); System.out.println("Queue: " + queue); System.out.println("Peek: " + queue.peek()); // Front element System.out.println("Poll: " + queue.poll()); // Remove front element System.out.println("Queue after poll: " + queue); } } Output: Queue: [Java, Python, C++] Peek: Java Poll: Java Queue after poll: [Python, C++]2. PriorityQueue (Min-Heap)
import java.util.*; public class PriorityQueueExample { public static void main(String[] args) { Queue<Integer> pq = new PriorityQueue<>(); pq.offer(30); pq.offer(10); pq.offer(50); pq.offer(20); System.out.println("PriorityQueue: " + pq); System.out.println("Poll: " + pq.poll()); // Removes the smallest element System.out.println("Queue after poll: " + pq); } } output: PriorityQueue: [10, 20, 50, 30] Poll: 10 Queue after poll: [20, 30, 50]3. ArrayDeque (Double-Ended Queue)
import java.util.*; public class ArrayDequeExample { public static void main(String[] args) { Queue<String> deque = new ArrayDeque<>(); deque.offer("Java"); deque.offer("Python"); deque.offer("C++"); System.out.println("ArrayDeque: " + deque); System.out.println("Poll: " + deque.poll()); // Removes first element System.out.println("Queue after poll: " + deque); } } output: ArrayDeque: [Java, Python, C++] Poll: Java Queue after poll: [Python, C++]4. ConcurrentLinkedQueue (Thread-Safe)
import java.util.concurrent.*; public class ConcurrentQueueExample { public static void main(String[] args) { Queue5. LinkedBlockingQueue (Thread-Safe Blocking Queue)queue = new ConcurrentLinkedQueue<>(); queue.offer(1); queue.offer(2); queue.offer(3); System.out.println("ConcurrentQueue: " + queue); System.out.println("Poll: " + queue.poll()); // Removes head element System.out.println("Queue after poll: " + queue); } } Output: ConcurrentQueue: [1, 2, 3] Poll: 1 Queue after poll: [2, 3]
import java.util.concurrent.*; public class LinkedBlockingQueueExample { public static void main(String[] args) throws InterruptedException { BlockingQueuequeue = new LinkedBlockingQueue<>(2); queue.put("Java"); queue.put("Python"); System.out.println("Queue: " + queue); System.out.println("Take: " + queue.take()); // Removes and waits if empty System.out.println("Queue after take: " + queue); } } Output: Queue: [Java, Python] Take: Java Queue after take: [Python]
offer()
, poll()
, peek()
.push()
, pop()
, peek()
.offer()
, poll()
, and peek()
, while Stack provides push()
, pop()
, and peek()
.NullPointerException
.PriorityQueue
or LinkedList
PriorityQueue
can be used if tasks need to be scheduled based on priority (e.g., high-priority tasks are executed first).LinkedList
(as a Queue
) is a simple and efficient choice.PriorityQueue
for priority-based scheduling or a simple LinkedList
for FIFO scheduling.import java.util.LinkedList; import java.util.Queue; class Task { String name; int timeToExecute; public Task(String name, int timeToExecute) { this.name = name; this.timeToExecute = timeToExecute; } } public class TaskScheduler { QueuetaskQueue = new LinkedList<>(); public void addTask(Task task) { taskQueue.add(task); System.out.println("Task added: " + task.name); } public void processTasks() { while (!taskQueue.isEmpty()) { Task task = taskQueue.poll(); System.out.println("Processing task: " + task.name + " (Time to Execute: " + task.timeToExecute + "ms)"); try { Thread.sleep(task.timeToExecute); // Simulate task execution time } catch (InterruptedException e) { e.printStackTrace(); } } } public static void main(String[] args) { TaskScheduler scheduler = new TaskScheduler(); scheduler.addTask(new Task("Task1", 2000)); scheduler.addTask(new Task("Task2", 1000)); scheduler.addTask(new Task("Task3", 1500)); scheduler.processTasks(); } }
LinkedList
as a queue where tasks are processed in the order they are added.addTask
method adds tasks to the queue, and the processTasks
method processes them one by one by calling poll
to retrieve the next task and simulating its execution.LinkedList
with a PriorityQueue
, where tasks with higher priority are processed first.java.util.Collections
utility class and are thread-safe due to synchronization.Collections.synchronizedList(new ArrayList())
java.util.concurrent
package and are designed for high-concurrency environments.CopyOnWriteArrayList
, ConcurrentHashMap
, BlockingQueue
, etc.Collections.synchronizedList(new ArrayList<>())
) simply synchronizes each method call (such as add, remove, etc.) using a lock. This ensures that only one thread can access the list at a time, but it doesn't provide thread-safe iteration without additional synchronization.ConcurrentHashMap
or CopyOnWriteArrayList
in Java.ArrayList
or HashMap
, you can synchronize the collection explicitly using synchronized
blocks or methods.synchronized(collection)
will lock the collection during updates to ensure that only one thread can modify it at a time.Collections.synchronizedList
or Collections.synchronizedMap
.ReadWriteLock
(e.g., ReentrantReadWriteLock
) to allow multiple threads to read the collection concurrently but ensure exclusive access for writes.Atomic*
classes like AtomicInteger
, AtomicLong
, or AtomicReference
for updating individual elements of the collection in an atomic manner without the need for manual synchronization.Collections.unmodifiableList
) can prevent any concurrent modification issues.ConcurrentHashMap
or CopyOnWriteArrayList
for better performance.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:java.lang
package.compareTo()
method, which compares the current object with another object of the same type.import java.util.*; class Student implements ComparableComparator Interface:{ int id; String name; public Student(int id, String name) { this.id = id; this.name = name; } // Implementing Comparable @Override public int compareTo(Student other) { return this.id - other.id; // Ascending order based on 'id' } @Override public String toString() { return "Student{id=" + id + ", name='" + name + "'}"; } } public class ComparableExample { public static void main(String[] args) { List<Student> students = new ArrayList<>(); students.add(new Student(3, "Alice")); students.add(new Student(1, "Bob")); students.add(new Student(2, "Charlie")); Collections.sort(students); // Uses Comparable's compareTo() System.out.println(students); } } Output [Student{id=1, name='Bob'}, Student{id=2, name='Charlie'}, Student{id=3, name='Alice'}]
java.util
package.import java.util.*; class Student { int id; String name; public Student(int id, String name) { this.id = id; this.name = name; } @Override public String toString() { return "Student{id=" + id + ", name='" + name + "'}"; } } // Comparator for sorting by name class NameComparator implements Comparator<Student> { @Override public int compare(Student s1, Student s2) { return s1.name.compareTo(s2.name); // Ascending order of names } } // Comparator for sorting by id in descending order class IdDescendingComparator implements Comparator<Student> { @Override public int compare(Student s1, Student s2) { return s2.id - s1.id; // Descending order of IDs } } public class ComparatorExample { public static void main(String[] args) { List<Student> students = new ArrayList<>(); students.add(new Student(3, "Alice")); students.add(new Student(1, "Bob")); students.add(new Student(2, "Charlie")); // Sort by name (using NameComparator) Collections.sort(students, new NameComparator()); System.out.println("Sorted by name: " + students); // Sort by id in descending order (using IdDescendingComparator) Collections.sort(students, new IdDescendingComparator()); System.out.println("Sorted by ID (Descending): " + students); } } Output: Sorted by name: [Student{id=3, name='Alice'}, Student{id=1, name='Bob'}, Student{id=2, name='Charlie'}] Sorted by ID (Descending): [Student{id=3, name='Alice'}, Student{id=2, name='Charlie'}, Student{id=1, name='Bob'}]Comparator with Lambda Expressions:
import java.util.*; public class ComparatorLambdaExample { public static void main(String[] args) { ListWhen to Use Comparable vs Comparator?students = Arrays.asList( new Student(3, "Alice"), new Student(1, "Bob"), new Student(2, "Charlie") ); // Sorting by name using lambda students.sort((s1, s2) -> s1.name.compareTo(s2.name)); System.out.println("Sorted by name: " + students); // Sorting by id in descending order using lambda students.sort((s1, s2) -> s2.id - s1.id); System.out.println("Sorted by ID (Descending): " + students); } } Output: Sorted by name: [Student{id=3, name='Alice'}, Student{id=1, name='Bob'}, Student{id=2, name='Charlie'}] Sorted by ID (Descending): [Student{id=3, name='Alice'}, Student{id=2, name='Charlie'}, Student{id=1, name='Bob'}]