1. Introduction
In Java, the LinkedList class provides a method named clear() which is used to remove all the elements from a list. This method is useful when you need to reset or empty a LinkedList. In this blog post, we will walk through an example to demonstrate the usage of the clear() method.
2. Program Steps
1. Create and initialize a LinkedList.
2. Print the original LinkedList.
3. Call the clear() method to remove all elements from the LinkedList.
4. Print the LinkedList after clearing.
3. Code Program
import java.util.LinkedList;
public class LinkedListClearExample {
public static void main(String[] args) {
// Step 1: Create and initialize a LinkedList
LinkedList<String> animals = new LinkedList<>();
animals.add("Dog");
animals.add("Cat");
animals.add("Horse");
// Step 2: Print the original LinkedList
System.out.println("Original LinkedList: " + animals);
// Step 3: Call the clear() method to remove all elements from the LinkedList
animals.clear();
// Step 4: Print the LinkedList after clearing
System.out.println("LinkedList after clearing: " + animals);
}
}
Output:
Original LinkedList: [Dog, Cat, Horse] LinkedList after clearing: []
4. Step By Step Explanation
Step 1: We create and initialize a LinkedList named animals with the elements "Dog", "Cat", and "Horse".
Step 2: The original LinkedList is printed to the console, showing the elements it contains.
Step 3: The clear() method is called on the animals LinkedList. This action removes all of the elements from the list.
Step 4: After clearing the LinkedList, we print it again to the console. The output shows that the LinkedList is now empty, confirming that the clear() method has worked as expected.
By following these steps, you can effectively use the clear() method to remove all elements from a LinkedList in Java.