The Vector
class implements the List
interface – with the Vector
class, we can create a resizable list of objects. These objects are accessed using the index.
We can create a vector in three ways:
Vector<Type> vector = new Vector<>();
Vector<Type> vector = new Vector<>(int capacity);
capacityIncrement
:Whenever the vector reaches full capacity the capacity grows as
currentCapacity + capacityIncrement
.
Vector<Type> vector = new Vector<>(int capacity, int capacityIncrement);
Methods | Explanation |
add(element) | Appends an element |
add(int index, element) | Add an element at an index |
addAll(Collection elements) | Appends all the elements to the vector |
get(int position) | Get element at the position (to get first element pass 1) |
remove( int index) | Removes an element at the index |
clear() | Removes all elements |
size() | Returns number of elements in the vector |
firstElement() | Returns the first element |
lastElement() | Returns the last element |
contains(Object t) | Returns true if the element is present in vector |
setElementAt(Object t, int index) | Set the passed element as value at the index |
import java.util.Vector;public class VectorDemo {public static void main(String args[]) {Vector<Integer> vector = new Vector<>(4, 2); // initial capacity is 4, once 4 elements filled the vector size increments by 2System.out.println("Initial size: " + vector.size());System.out.println("Initial capacity: " + vector.capacity());vector.add(1);vector.add(2);vector.add(3);vector.add(4);System.out.println("Vector value is: " + vector);System.out.println("Capacity after four elements: " + vector.capacity());vector.add(5);System.out.println("Capacity after one more element : " + vector.capacity());vector.add(0, 10);System.out.println("After adding 10 as first value" + vector);System.out.println("Vector.firstElement: " +vector.firstElement());System.out.println("Vector.lastElement: " +vector.lastElement());System.out.println("Getting element at index 3: " +vector.get(2));vector.remove(3);System.out.println(" After Removing 3 : " +vector);System.out.println("Check if 3 present in vector: " + vector.contains(3));System.out.println("Check if 10 present in vector: " + vector.contains(10));vector.setElementAt(99, 0);System.out.println("Vector After changing first value as 99 : " + vector);vector.clear();System.out.println("Vector After clearing : " + vector);}}
In the above program, we have created
ConcurrentModificationException
as ArrayList doesn’t synchronize for each operation (as the vectors lock for each operation). Therefore, it is recommended that you use ArrayList instead.For more methods in Vector, refer here.