Difference between length of Array and size of ArrayList in Java
Array and ArrayList are two different Entities in Java. In this article we will learn the difference between length of Array and size of ArrayList in Java.
Array has length property which provides the length of the Array or Array object. It is the total space allocated in memory during the initialization of the array. Array is static so when we create an array of size n then n blocks are created of array type and JVM initializes every block by default value.
Let’s see this in the following figure.
On the other hand, java ArrayList does not have length property. The java ArrayList has size() method for ArrayList which provides the total number of objects available in the collection.
We use length property to find length of Array in Java and size() to find size of ArrayList.
Below is the implementation of the above idea:
// Java code to illustrate the difference between
// length in java Array and size in ArrayList
import java.util.ArrayList;
public class GFG {
public static void main(String[] args)
{
String a[] = new String[10];
a[0] = "Hello";
a[1] = "Geeks!";
// print length of array A[]
System.out.println(a.length);
ArrayList<String> al = new ArrayList<String>();
al.add("G");
al.add("F");
al.add("G");
// print size of ArrayList
System.out.println(al.size());
}
}
Output
10 3