- Collection Framework in JavaCollections Class in JavaList Interface in Java with ExamplesArrayList in JavaVector Class in JavaLinkedList in JavaQueue Interface In JavaPriorityQueue in JavaSet in JavaHashSet in JavaLinkedHashSet in JavaMap in the JavaHashMap in JavaHashtable in JavaLinkedHashMap in Java
ArrayList in Java
In Java, ArrayList
is an implementation of the List
interface that is based on an array. It is a dynamic data structure that can grow or shrink as needed, and provides constant-time access to its elements based on their index.
Here are some examples of how to use ArrayList
in Java:
Creating an ArrayList
ArrayList<String> list = new ArrayList<>();
Adding elements to an ArrayList
list.add("apple");
list.add("banana");
list.add("orange");
Accessing elements in an ArrayList
String fruit = list.get(0); // Retrieves the first element in the list ("apple")
Removing elements from an ArrayList
list.remove("banana");
Iterating over an ArrayList using a for-each loop
for (String fruit : list) {
System.out.println(fruit);
}
Checking if an ArrayList contains a specific element
boolean containsOrange = list.contains("orange"); // Returns true
Getting the size of an ArrayList
int size = list.size(); // Returns the number of elements in the list (2)
Clearing an ArrayList
list.clear(); // Removes all elements from the list
Note that ArrayList
also provides other methods such as set()
, indexOf()
, and subList()
.
One advantage of ArrayList
over a regular array is that it can automatically grow or shrink in size as elements are added or removed, whereas with a regular array you must manually resize it. However, ArrayList
is less efficient than a regular array when it comes to inserting or removing elements from the middle of the list, since it involves shifting all subsequent elements to a new position. In this case, a LinkedList
may be a better choice.
In summary, ArrayList
is a useful data structure for representing ordered collections of elements in Java, and provides a variety of methods for working with these collections.