Vector
Remove all elements from Vector example
With this example we are going to demonstrate how to remove all elements from a Vector. We are using clear() API method of Vector. In short, to remove all elements from a Vector you should:
- Create a new Vector.
- Populate the vector with elements, with
add(E e)API method of Vector. - Invoke
clear()API method of Vector. The method removes all of the elements from this Vector. The Vector will be empty after this call returns.
Let’s take a look at the code snippet that follows:
package com.javacodegeeks.snippets.core;
import java.util.Vector;
public class ClearVectorExample {
public static void main(String[] args) {
// Create a Vector and populate it with elements
Vector vector = new Vector();
vector.add("element_1");
vector.add("element_2");
vector.add("element_3");
System.out.println("Vector size before removing elements : " + vector.size());
// Vector clear() operation removes all elements
vector.clear();
System.out.println("Vector size after removing elements : " + vector.size());
}
}
Output:
Vector size before removing elements : 3
Vector size after removing elements : 0
This was an example of how to remove all elements from a Vector in Java.

