Search an element of Java ArrayList Example

1.Basic java Example program to search an element  ArrayList.

  1. package com.instanceofjavaforus;
  2. import java.util.ArrayList;
  3.  
  4. public class SearchArrayList{
  5.  
  6. public static void main(String[] args) {
  7.   
  8. //create an ArrayList object
  9.  ArrayList<Integer> arrayList = new ArrayList<Integer>();
  10.        
  11.         //Add elements to Arraylist
  12.         arrayList.add(1);
  13.         arrayList.add(2);
  14.         arrayList.add(3);
  15.         arrayList.add(4);
  16.         arrayList.add(5);
  17.         arrayList.add(6);
  18.         arrayList.add(7);
  19.         arrayList.add(8);
  20.         arrayList.add(9);
  21.         arrayList.add(10);
  22.         
  23.  /*
  24.  To check whether the specified element exists in Java ArrayList use
  25. boolean contains(Object element) method.
  26. It returns true if the ArrayList contains the specified object, false
  27. otherwise.*/
  28.        
  29.         boolean isFound = arrayList.contains(2);
  30.         System.out.println("Does arrayList contain 2 ? " + isFound);
  31.      
  32.   /*
  33.    To get an index of specified element in ArrayList use
  34.    int indexOf(Object element) method.
  35.    This method returns the index of the specified element in ArrayList.
  36.    It returns -1 if not found.
  37.   */
  38.    
  39.    int index = arrayList.indexOf(11);
  40.  
  41.  if(index == -1)
  42.     System.out.println("ArrayList does not contain 11");
  43.   else
  44.     System.out.println("ArrayList contains 4 at index :" + index);
  45.         
  46.         
  47.    int secindex = arrayList.indexOf(5);
  48.  
  49.  if(secindex== -1)
  50.       System.out.println("ArrayList does not contain 5");
  51.  else
  52.      System.out.println("ArrayList contains 5 at index :" + secindex);
  53.        
  54.  System.out.println("Size of ArrayList: "+ arrayList.size()); 
  55.  
  56.  Iterator itr=arrayList.iterator();
  57.  
  58. while (itr.hasNext()) {
  59.  
  60.  System.out.println(itr.next());
  61.  
  62.  }
  63.   
  64. }
  65. }
     



Output:

  1. Does arrayList contain 2 ? true
  2. ArrayList does not contain 11
  3. ArrayList contains 5 at index :4
  4. Size of ArrayList: 10
  5. 1
  6. 2
  7. 3
  8. 4
  9. 5
  10. 6
  11. 7
  12. 8
  13. 9
  14. 10

Java Example Program to Remove element from specified index ArrayList

 1.Basic java Example program to remove an element from specified index ArrayList.

  1. package com.instanceofjavaforus;
  2. import java.util.ArrayList;
  3.  
  4. public class RemoveElementArrayList{
  5.  
  6. public static void main(String[] args) {
  7.  
  8.    //create an ArrayList object
  9.         ArrayList<String> arrayList = new ArrayList<String>();
  10.        
  11.         //Add elements to Arraylist
  12.         arrayList.add("A");
  13.         arrayList.add("B");
  14.         arrayList.add("C"); 
  15.         arrayList.add("A");
  16.        
  17.   /*
  18.    To remove an element from the specified index of ArrayList use
  19.     Object remove(int index) method.
  20.     It returns the element that was removed from the ArrayList. */
  21.  
  22.     Object obj = arrayList.remove(1);
  23.      System.out.println(obj + " is removed from ArrayList");
  24.        
  25.   System.out.println("ArrayList contains...");
  26.   //display ArrayList elements using for loop
  27.     for(int index=0; index < arrayList.size(); index++)
  28.     System.out.println(arrayList.get(index));
  29.   
  30.  
  31.  }
  32. }
     


Output:

  1. B is removed from ArrayList
  2. ArrayList contains...
  3. A
  4. C
  5. A

     
 2.Basic java Example program to remove all elements from ArrayList.

  1. package com.instanceofjavaforus;
  2. import java.util.ArrayList;
  3.  
  4. public class RemoveAllElementArrayList{
  5.  
  6. public static void main(String[] args) {
  7.  
  8.    //create an ArrayList object
  9.         ArrayList<String> arrayList = new ArrayList<String>();
  10.        
  11.         //Add elements to Arraylist
  12.         arrayList.add("A");
  13.         arrayList.add("B");
  14.         arrayList.add("C"); 
  15.         arrayList.add("A");
  16.        
  17.  
  18. System.out.println("Size of ArrayList before removing elements : "+ arrayList.size());
  19.  
  20. /*
  21. To remove all elements from the ArrayList we need to use
  22. void clear() method.
  23. */
  24. arrayList.clear();
  25. System.out.println("Size of ArrayList after removing elements : "+ arrayList.size());  
  26.  
  27.  }
  28. }
     
Output:

     
  1. B is removed from ArrayList
  2. ArrayList contains...
  3. A
  4. C
  5. A

Basic Java program to Remove specified element from TreeSet example

1.Basic java example program to remove specified  element from treeset.

  1. package com.TreeSetExamplePrograms;

  2. public Class TreeSetRemoveDemo{ 
  3. import java.util.TreeSet;
  4.  
  5. public static void main(String args[]) {
  6. //create TreeSet object
  7.  
  8. TreeSet<Integer> treeSet = new TreeSet<Integer>();
  9.            
  10.    //add elements to TreeSet object
  11. treeSet.add(11);
  12. treeSet.add(12);
  13. treeSet.add(13);
  14.  
  15. System.out.println("TreeSet before removal : " + treeSet);
  16.            
  17.  /*
  18.  To remove an element from Java TreeSet object use,
  19.  boolean remove(Object o) method.
  20.  This method removes an element from TreeSet if it is present and returns
  21. true. Otherwise remove method returns false.
  22.  */
  23.            
  24.    boolean isRemoved = treeSet.remove(13);
  25.    System.out.println("Was 13 removed from TreeSet ? " + isRemoved);
  26.            
  27.   System.out.println("TreeSet elements after removal : " + treeSet);
  28.           
  29.  
  30. }
  31. }


Output:

  1. TreeSet before removal : [11, 12, 13]
  2. Was 13 removed from TreeSet ? true
  3. TreeSet elements after removal : [11, 12]


Remove all elements from Java TreeSet example:

1.Basic java example program to remove all elements from treeset.


  1. package com.TreeSetExamplePrograms;

  2. public Class TreeSetRemoveDemo{ 
  3. import java.util.TreeSet;
  4.  
  5. public static void main(String args[]) {
  6. //create TreeSet object
  7.  
  8. TreeSet<Integer> treeSet = new TreeSet<Integer>();
  9.            
  10.    //add elements to TreeSet object
  11. treeSet.add(11);
  12. treeSet.add(12);
  13. treeSet.add(13);
  14.  
  15. System.out.println("TreeSet before removal : " + treeSet);
  16.            
  17.  treeSet.clear();
  18. System.out.println("TreeSet after removal : " + treeSet);
  19.            
  20.  /*
  21.  To check whether TreeSet contains any elements or not use
  22.  boolean isEmpty() method.
  23.  isEmpty() method returns true if the TreeSet does not contains any elements
  24.  otherwise returns false.
  25.  */
  26.  
  27.  System.out.println("Is TreeSet empty ? " + treeSet.isEmpty());              
  28.  
  29. }
  30. }




Output:

  1. TreeSet before removal : [11, 12, 13]
  2. TreeSet after removal : []
  3. Is TreeSet empty ? true

Sort employee object in descending order using comparable and TreesSet

1.Basic Java example program sort student object descending order by id using treeset

  1. package com.TreeSetExamplePrograms;

  2. public Class Employee Implements Comparable<Employee>{ 

  3.     String name;
  4.     int id;
  5.     
  6.     public String getName() {
  7.         return name;
  8.     }
  9.  
  10.     public void setName(String name) {
  11.         this.name = name;
  12.     }
  13.  
  14.     public int getId() {
  15.         return id;
  16.     }
  17.  
  18.     public void setId(int id) {
  19.         this.id = id;
  20.     }
  21.  
  22.     Employee (String name, int id){
  23.         this.name=name;
  24.         this.id=id;
  25.     }
  26.  
  27.     @Override    public int compareTo(Employee obj) {
  28.         if (this.getId() == obj.getId()) return 0;
  29.         else
  30.         
  31.         if (this.getId() < obj.getId()) return 1;
  32.         else return -1;
  33.             
  34. }
  35.  
  36. }



  1. package com.TreeSetExamplePrograms;

  2. public Class Test{ 
  3. public static void main(String args[]) {
  4. //create TreeSet object
  5.  
  6. TreeSet<Employee> treeSet = new TreeSet<Employee>();     
  7.      
  8.        //add elements to TreeSet
  9.     treeSet.add(new Employee("abc",1));
  10.     treeSet.add(new Employee("xyz",2));
  11.     treeSet.add(new Employee("ssd",3));
  12.     treeSet.add(new Employee("ert",4));
  13.          
  14.     Iterator itr = treeSet.iterator();
  15.  
  16.  while(itr.hasNext()){
  17.  
  18.      Employee obj= (Employee)itr.next();
  19.      System.out.println(obj.getName()+"  "+obj.getId()); 

  20.   }         

  21. }
  22. }



Output:

  1. ert  4
  2. ssd  3
  3. xyz  2
  4. abc  1 

Get lowest and highest value stored in Java TreeSet example

1.Basic Java example program get lowest and highest values from treeset

  1. package com.TreeSetExamplePrograms;

  2. public Class TreeSetGetLowestAndHighestDemo{ 
  3.  
  4. public static void main(String args[]) {
  5. //create TreeSet object
  6.  
  7.  
  8.  TreeSet<Integer> treeSet = new TreeSet<Integer>();
  9.        
  10.  //add elements to TreeSet
  11.   treeSet.add(1);
  12.   treeSet.add(3);
  13.   treeSet.add(2);
  14.   treeSet.add(5);
  15.   treeSet.add(6);
  16.   treeSet.add(7);
  17.   treeSet.add(8);
  18.   treeSet.add(9);
  19.   treeSet.add(10);
  20.           
  21.  System.out.println(treeSet);
  22.           
  23.  System.out.println("First element in treeset : " + treeSet.first());           
  24.    
  25.  System.out.println("Last element in treeste" + treeSet.last()); 


  26. }
  27. }


Output:


  1. [1, 2, 3, 4, 5, 6, 7, 8, 9,10]
  2. First element in treeset :1
  3. Last element in treeset :10


2.Basic Java example program print elements of treeset using iterator


  1. package com.TreeSetExamplePrograms;

  2. public Class TreeSetDemo{ 
  3.  
  4. public static void main(String args[]) {
  5. //create TreeSet object
  6.  
  7.  TreeSet<String> treeSet = new TreeSet<String>();
  8.  
  9.    //add elements to TreeSet
  10.     treeSet.add("I");
  11.     treeSet.add("N");
  12.     treeSet.add("S");
  13.     treeSet.add("T");
  14.     treeSet.add("A");
  15.     treeSet.add("N");
  16.     treeSet.add("C");
  17.     treeSet.add("E");
  18.           
  19.     treeSet.add("O");
  20.     treeSet.add("F");
  21.   
  22. Iterator itr = treeSet.iterator();
  23. while(itr.hasNext()){
  24.              System.out.println(itr.next());
  25. }

  26. }
  27. }




Output:

  1. A
  2. C
  3. E
  4. F
  5. I
  6. N
  7. O
  8. S
  9. T

Get Size of Java TreeSet Example

1.Basic Java example program get size of treeset


  1. package com.TreeSetExamplePrograms;

  2. public Class TreeSetGetSizeDemo{ 
  3.  
  4. public static void main(String args[]) {
  5. //create TreeSet object
  6.  
  7.  TreeSet<String> treeSet = new TreeSet<String>();
  8.  
  9.    //add elements to TreeSet
  10.     treeSet.add("I");
  11.     treeSet.add("N");
  12.     treeSet.add("S");
  13.     treeSet.add("T");
  14.     treeSet.add("A");
  15.     treeSet.add("N");
  16.     treeSet.add("C");
  17.     treeSet.add("E");
  18.           
  19.     treeSet.add("O");
  20.     treeSet.add("F");
  21.           
  22.     System.out.println(treeSet);
  23.           
  24.    System.out.println("Size of TreeSet  : " + treeSet.size());           
  25.     //remove one element from TreeSet using remove method
  26.  
  27.      treeSet.remove("A");
  28.  
  29.  System.out.println("Size of TreeSet after removal of element A : " + treeSet.size()); 
  30.  System.out.println(treeSet);

  31. }
  32. }



Output:


  1. [A, C, E, F, I, N, O, S, T]
  2. Size of TreeSet  : 9
  3. Size of TreeSet after removal of element A : 8
  4. [C, E, F, I, N, O, S, T]

Java Program to convert Treesrt to an interger array

1.Basic Java program to copy all elements of treeset to an array


  1. package com.TreeSetExamplePrograms;

  2. public Class TreeSetDemo{ 
  3.  
  4. public static void main(String args[]) {
  5. //create TreeSet object
  6.  TreeSet<Integer> treeSet = new TreeSet<Integer>();
  7.        
  8.  //add elements to TreeSet
  9.   treeSet.add(1);
  10.   treeSet.add(3);
  11.   treeSet.add(2);
  12.   treeSet.add(5);
  13.   treeSet.add(6);
  14.   treeSet.add(7);
  15.   treeSet.add(8);
  16.   treeSet.add(9);
  17.   treeSet.add(10);
  18.         
  19.    Object[] objArray = treeSet.toArray();
  20.      //display contents of Object array
  21.  
  22.    System.out.println("TreeSet elements are copied into an Array. Now Array Contains..");
  23.  
  24.   for(int index=0; index < objArray.length ; index++)
  25.       System.out.println(objArray[index]);
  26.          
  27. }
  28. }


Output:


  1. TreeSet elements are copied into an Array. Now Array Contains..
  2. 1
  3. 2
  4. 3
  5. 5
  6. 6
  7. 7
  8. 8
  9. 9
  10. 10

2.Java example program to Convert treeset to integer array

Copy all elements of Java TreeSet to an Object Array

Check if a particular value exists in Java TreeSet example

1.Basic Java program to check particular value present in TreeSet or not?

  1. package com.TreeSetExamplePrograms;

  2. public Class TreeSetDemo{ 
  3.  
  4. public static void main(String args[]) {
  5. //create TreeSet object
  6.  TreeSet<String> treeSet = new TreeSet<String>();
  7.        
  8.  //add elements to TreeSet
  9.   treeSet.add("1");
  10.   treeSet.add("3");
  11.   treeSet.add("2");
  12.   treeSet.add("5");
  13.   treeSet.add("6");
  14.   treeSet.add("7");
  15.   treeSet.add("8");
  16.   treeSet.add("9");
  17.   treeSet.add("10");
  18.         
  19.  boolean isExists = treeSet.contains("5");
  20.  System.out.println("5 exists in treeSet ?  " + isExists); 

  21. }
  22. }



Output:


  1. 5 exists in treeSet ? :true

1.Basic Java program to add elements ans display all elements



  1. package com.TreeSetExamplePrograms;
  2. import java.util.Scanner;
  3. public Class TreeSetDemo{ 
  4.  
  5. public static void main(String args[]) {
  6. //create TreeSet object
  7.  TreeSet<Integer> treeSet = new TreeSet<Integer>();
  8.        
  9.  //add elements to TreeSet
  10.   treeSet.add(1);
  11.   treeSet.add(3);
  12.   treeSet.add(2);
  13.   treeSet.add(5);
  14.   treeSet.add(6);
  15.   treeSet.add(7);
  16.   treeSet.add(8);
  17.   treeSet.add(9);
  18.   treeSet.add(10);
  19.         

  20.  System.out.println(treeset); 

  21. }
  22. }

Output:


  1. [1, 2, 3, 5, 6, 7, 8, 9, 10]

treeset add elements in java example program

Collection interface in java

The Collection Interface in Java is the root interface(a kind of abstract class) in java.util package. It represents a group of objects, known as elements, and provides a unified way to manipulate and work with collections of data.

Key Points About the Collection Interface

Root Interface: The Collection interface is the root interface of all Collection objects in Java, except Map.
Generic Interface: A generic interface, meaning it can work with any type of object (_e.g.,_ Collection<String>, Collection etc.).
Common Methods: For example, we can use the following methods for both adding and deleting elements to an array: add(), remove (), size().
Extends Iterable: The Collectioneuml; interface extends the Iterableinterface, and this means that all collections can be iterated over via either an iterator or the enhanced for-loop construct.



  1. public interface Collection<E>
  2. extends Iterable<E>


Methods in Collection Interface:

 1.public Boolean add(Object obj)
  •  Used to add element in to the collection

 2.public Boolean addAll(Collection c)

  • Adds all the elements of c to the invoking collection. Returns true if the operation succeeded else returns false.

 3.public boolean isEmpty()
  • Returns true if collection is empty otherwise returns false.

 4.public boolean remove(Object obj)
  • Remove element from collection. Returns true if successful deletion.

5.public boolean  removeAll(Collection c)
  • Removes all elements of a collection.

 6.public void clear()
  • Deletes total elements from collection

 7.public boolean contains(Object obj)
  • This method used to search an element

 8.public boolean containsAll(Collection c)
  • This method used to search an element in a collection

 9.public boolean retianAll(Collection c)
  • Used to delete all elements from a collection except specified one.

10.public int size()
  • Returns total numbers of elements in a collection

11.public Iterator iterator()
  • Returns iterator for the collection

12.public boolean equals(Object obj)
  • Compares two collections

13.public int hashCode()
  • Returns hashcode

14.public Object[] toArray()
  • This method used to convert collection into array
15.public Object[] toArray(Object[] obj)
  • Returns an array containing only those collection elements whose type matches that of array.

Difference Between Collection and Collections:

  • Collection is the base interface for most of the classes.
  • Collections is the utility class.


Collection Framework Tutorial

Limitations of Arrays:

  • Arrays are fixed in size. need to estimate the size of an array while declaration itself. once array created we can not increase the size of an array.
  • Arrays can hold only homogeneous data elements. Means we can add same type of elements in an array. While declaring an array we need to mention the data type.
  • int a[]= new int[10];
  • By using Object array we can add heterogeneous elements to the array.
  • Object o= new Object[10];
  • There is no underlying data structure for arrays.
  • Arrays are not recommended to use with respect to memory.
  • Performance wise arrays are good to use.

Collections 

  • Java Collection framework added in J2SE 1.2 release.
  • Collections are set of classes and interfaces.
  • By using Collections we can store and manipulate objects easily.
  • Collections can hold heterogeneous data elements.
  • Collections are no fixed in size and dynamically increase in size.
  • Collection of objects. No primitives.
  • All collection classes having underlying data structure.
  • Collections are good with respect to memory. Bad with respect to performance.

Collection interface Hierarchy:

  •  java.util package contains all collections classes and interfaces.
  • Lets see collection interface hierarchy.
  • under Collection. Set , List , Queue are the sub interfaces.

Collection interface Hierarchy

Collections Abstract classes and classes:

  • Let us see  all the abstract classes implementing all the above interfaces and classes which extending these abstract classes.
  • To Collect Objects in array format we choose Collection hierarchy classes.
  • Main abstract class is AbstractCollection.
  • AbstractSet
  • AbstractList
  • AbstractQueue
  • AbstractSequentialList
  • All the classes in Collection hierarchy are
  • TreeSet
  • HashSet
  • LinkedHashSet
  • LinkedList
  • ArrayList
  • Vector
  • Stack
  • PriorityQueue 
  • To collect unique elements we must choose Set implemented classes
  • To collect unique and duplicate elements in indexed order we choose List implemented classes.
  • To retrieve elements in FIFO manner we choose Queue implemented classes.

Collection interview Questions

Map Hierarchy:

  • In this hierarchy Hashtable and properties classes are avilable since java 1.0.
  • LinkedHashMap class is available since java 1.4
  • NavigableMap is available since java 6 and all other classes available since java 1.2.
  • SortedMap and NavigableMap are two main interfaces.
  • TreeMap
  • HashMap
  • LinkedHashMap
  • Hashtable
  • Properties are the classes. 
  • To collect objects in key, value pair format we choose Map hierarchy classes.


Collection Map Hierarchy tutorial


Comparable vs Comparator

  • One of the common interview question What are the differences between comparable and comparator and how to sort collections using these interfaces ?
  • What are the differences between comparable and comparator and how to sort employee object by empId or empName using these interfaces.
  • In this topic we will clear questions like difference between comparable and comparator in java, comparator vs comparable in java with example and comparable and comparator in java
  • Comparator and Comparable are two interfaces in Java API.
  • Before discussing about differences lets see brief description about these two interfaces

Comparable Interface:

  • Comparable Interface is actually from java.lang package.
  • It will have a method compareTo(Object obj)to sort objects
  • public int compareTo(Object obj){ }
  • Comparable interface used for natural sorting these is the reason all wrapper classes and string class implementing this comparator and overriding compareTo(Object obj) method.
  • So in String and all wrapper classes compareTo(Object  obj) method is implemented in such way that it will sort all objects.

String class:

  • If we observe String class it is implementing comparable interface.
  • If compareTo(String str) methods returns 0 : both strings are equal
  • If compareTo(String str) method returns 1: string is lexicographically greater than the string argument
  • If compareTo(String str) method returns -1: string is lexicographically less than the string argument

  1. package java.lang;
  2.  
  3. public final class String
  4. extends Object
  5. implements Serializable, Comparable<String>, CharSequence {
  6.   
  7. public int compareTo(String anotherString){
  8.  //logic
  9. }
  10. }

Comparing String Objects:

  •  Lets see an example java program that will explains how two string objects are compared using compareTo(String str) method in String class.


  1. package com.instanceofjava;
  2. public class StringCompareDemo {
  3. public static void main(String [] args){
  4.    
  5.  String str1="comparable";
  6.  String str2="comparator";
  7.  
  8. int value=str1.compareTo(str2);
  9.  
  10. if(value==0){
  11.  
  12. System.out.println("Strings are equal");
  13.  
  14. }
  15. else{
  16.  
  17. System.out.println("Strings are not equal");
  18.  
  19. }
  20.  
  21. }
  22. }

Output:

  1. Strings are not equal

Wrapper classes:

  • Wrapper classes is used to convert primitive data values into java objects. for 8 primitive data types java has 8 corresponding wrapper classes. All these classes implementing comparable interface.
  • Lets see an example on Integer wrapper class 

Integer:


  1. package java.lang;
  2. public final class Integer
  3. extends Number
  4. implements Comparable<Integer> {
  5.   
  6. public int compareTo(Integer i){
  7.  //
  8. }
  9. }

  •  Lets see an example program of comparing two integer objects

  1. package instanceofjava;
  2.  
  3. public class IntegerComparableDemo {
  4.  
  5. public static void main(String [] args){
  6.  
  7.    // compares two Integer objects numerically
  8.  
  9.    Integer obj1 = new Integer("37");
  10.    Integer obj2 = new Integer("37");
  11.  
  12.    int retval =  obj1.compareTo(obj2);
  13.  
  14. if(retval > 0) {
  15.  
  16.    System.out.println("obj1 is greater than obj2");
  17. }
  18.  
  19. else if(retval < 0) {
  20.  
  21.  System.out.println("obj1 is less than obj2");
  22.  
  23.  }
  24.  else {
  25.  
  26.  System.out.println("obj1 is equal to obj2");
  27.  
  28. }
  29.  
  30. }

Output:
  1. obj1 is equal to obj2;

Sorting Collections using Comparable :

  •  By using Collections.sort(list); method we can sort objects in natural object sorting order 
  • An example program on Collections.sort(list); 
  • Sorting Employee objects by id.



  1. package instanceofjava;
  2.  
  3. import java.util.ArrayList;
  4. import java.util.Collections;
  5. import java.util.Iterator;
  6.  
  7. public class Employee implements  Comparable {
  8.  
  9.     String name;
  10.     int id;
  11.  
  12.  public String getName() {
  13.         return name;
  14.  }
  15.  
  16.  public void setName(String name) {
  17.         this.name = name;
  18.  }
  19.  
  20. public int getId() {
  21.  
  22.        return id;
  23.  }
  24.  
  25. public void setId(int id) {
  26.         this.id = id;
  27. }
  28.  
  29.  public Employee(String name, int id) {
  30.         this.name=name;
  31.         this.id=id;
  32. }
  33.  
  34.  @Override
  35.  public int compareTo(Object in) {
  36.         return  new Integer(this.id).compareTo(((Employee)in).id);
  37.   }
  38.  public static void main(String[] args) {
  39.  
  40.         Employee e1= new Employee("xyz", 37);
  41.         Employee e2= new Employee("abc", 46);
  42.         Employee e3= new Employee("sai", 38);
  43.  
  44.         ArrayList al= new ArrayList();
  45.  
  46.         al.add(e1);
  47.         al.add(e2);
  48.         al.add(e3);
  49.         Collections.sort(al);
  50.         Iterator itr= al.iterator();
  51.  
  52.      while (itr.hasNext()) {
  53.             Employee em = (Employee) itr.next();
  54.             System.out.println(em.getId()+" "+em.getName());            
  55.        }
  56. }
  57. }
     
Output:

  1. 37 xyz
  2. 38 sai
  3. 46 abc

Comparator:

  • Comparator Interface is actually from java.util package.
  • It will have a method compare(Object obj1, Object obj2)to sort objects
  • public int  compare(Object obj1, Object obj2){ }
  • Comparator interface used for customized sorting.
  • Will place sorting logic in other class so that its easy to change.
  • An example program which will sort employee objects by name

 

 1.Employee.java

  1. package instanceofjava;
  2.  
  3. import java.util.ArrayList;
  4. import java.util.Collections;
  5. import java.util.Iterator;
  6.  
  7. public class Employee  {
  8.  
  9.     String name;
  10.     int id;
  11.  
  12.  public String getName() {
  13.         return name;
  14.  }
  15.  
  16.  public void setName(String name) {
  17.         this.name = name;
  18.  }
  19.  
  20. public int getId() {
  21.  
  22.        return id;
  23.  }
  24.  
  25. public void setId(int id) {
  26.         this.id = id;
  27. }
  28.  
  29.  public Employee(String name, int id) {
  30.         this.name=name;
  31.         this.id=id;
  32. }
  33.  
  34.  
  35.  public static void main(String[] args) {
  36.  
  37.         Employee e1= new Employee("xyz", 37);
  38.         Employee e2= new Employee("abc", 46);
  39.         Employee e3= new Employee("sai", 38);
  40.  
  41.         ArrayList al= new ArrayList();
  42.  
  43.         al.add(e1);
  44.         al.add(e2);
  45.         al.add(e3);
  46.        Collections.sort(al, new EmpSortByName());
  47.         Iterator itr= al.iterator();
  48.  
  49.      while (itr.hasNext()) {
  50.             Employee em = (Employee) itr.next();
  51.             System.out.println(em.getId()+" "+em.getName());            
  52.        }
  53. }
  54. }

EmpSortByName.java:

 

  1. package instanceofjava;
  2. import java.util.Comparator;
  3. public class EmoSortByName implements Comparator<Employee> {
  4.  
  5.     @Override
  6.     public int compare(Employee arg0, Employee arg1) {
  7.         return arg0.getName().compareTo(arg1.getName());
  8.     }
  9.  
  10. }
     
Output:

  1. 46 abc
  2. 38 sai
  3. 37 xyz

Differences Between Comparable and Comparator:


Parameter Comparable Comparator
Package java.lang.Comparable java.util.Comparator
Sorting logic Must be in Same class Separate class
Method definition public int compareTo(Object obj) public int compare(Object obj1, Object obj2)
Method call Collections.sort(list) Collections.sort(list, new OtherSortClass())
Purpose Natural Sorting Custom Sorting


You Might Like:

1. Java Concept and Example Programs 
2. Java Concept and Interview Questions 
3. Core java Tutorial
4. Java experience interview Questions
5. Java Programs asked in Interviews

Convert values of a Map to a List

Java How To Convert Map Values To List In Java Some Different Ways Below are some common methods for doing so:

1. How to use values() with ArrayList

You can convert the values of a Map to a List in Java using various approaches. 

below are a few common methods:

1. Using ArrayList andvalues()

import java.util.*;

public class MapToListExample {
    public static void main(String[] args) {
        Map<Integer, String> map = new HashMap<>();
        map.put(1, "Apple");
        map.put(2, "Banana");
        map.put(3, "Cherry");

        // Convert values to List
        List<String> list = new ArrayList<>(map.values());

        System.out.println(list);  // Output: [Apple, Banana, Cherry]
    }
}

2. Using Java 8 Stream API

import java.util.*;
import java.util.stream.Collectors;

public class MapToListExample {
    public static void main(String[] args) {
        Map<Integer, String> map = Map.of(1, "Apple", 2, "Banana", 3, "Cherry");

        // Convert values to List using Stream
        List<String> list = map.values().stream().collect(Collectors.toList());

        System.out.println(list);  // Output: [Apple, Banana, Cherry]
    }
}

3. Using forEach Loop

import java.util.*;

public class MapToListExample {
    public static void main(String[] args) {
        Map<Integer, String> map = new HashMap<>();
        map.put(1, "Apple");
        map.put(2, "Banana");
        map.put(3, "Cherry");

        List<String> list = new ArrayList<>();
        map.values().forEach(list::add);

        System.out.println(list);  // Output: [Apple, Banana, Cherry]
    }
}

💡 Choose the method based on your Java version:

  • Use ArrayList<>(map.values()) for simple cases.
  • Use Stream API (map.values().stream().collect(Collectors.toList())) in Java 8+ for a functional approach.
  • Use a forEach loop if modifying the list during iteration.


  1. package com.instanceofjavaforus;

  2. import java.util.ArrayList;
  3. import java.util.HashMap;
  4. import java.util.List;
  5. import java.util.Map;
  6.  
  7. public class MapValueToList {
  8.  
  9.  Map<Integer, String> map;
  10.  
  11.  public MapKeyToList(Map<Integer, String> map) {
  12.       this.map = map;
  13.  }
  14.  public List<String> convertValuesToList() {
  15.     return new ArrayList(map.values());
  16.  }
  17.  
  18.  public static void main(String[] args) {           
  19.  Map<Integer, String> map = new HashMap<>();
  20.  
  21.     map.put(1, "one");
  22.     map.put(2, "two");
  23.     map.put(3, "three");
  24.     map.put(4, "Four");
  25.     map.put(5, "Five");
  26.     map.put(6, "Six");
  27.     map.put(7, "Seven");
  28.     map.put(8, "Eight");
  29.     map.put(9, "Nine");
  30.     map.put(10, "Ten");
  31.  
  32.      MapValueToList  conv = new MapValueToList (map);
  33.      List<String> keysList = conv.convertValuesToList();
  34.      System.out.println("Values:");
  35.     for (String val : keysList) {
  36.        System.out.println(val);
  37. }
  38.  
  39.  }
  40. }
  41. OutPut:
  42. Values:
  43. one
  44. two
  45. three
  46. Four
  47. Five
  48. Six
  49. Seven
  50. Eight
  51. Nine
  52. Ten

     


Map to list in java example

  1. package com.instanceofjavaforus;
  2. import java.util.ArrayList;
  3. import java.util.HashMap;
  4. import java.util.List;
  5. import java.util.Map;
  6.  
  7. public class MapKeyToList {
  8.  
  9.  Map<Integer, String> map;
  10.  
  11.  public MapKeyToList(Map<Integer, String> map) {
  12.  this.map = map;
  13. }
  14.  
  15.  public List<Integer> convertKeysToList() {
  16.    return new ArrayList(map.keySet());   
  17. }   

  18. public static void main(String[] args) {
  19.  
  20.  Map<Integer, String> map = new HashMap<>();
  21.     map.put(1, "one");
  22.     map.put(2, "two");
  23.     map.put(3, "three");
  24.     map.put(4, "Four");
  25.     map.put(5, "Five");
  26.     map.put(6, "Six");
  27.     map.put(7, "Seven");
  28.     map.put(9, "Nine");
  29.     map.put(10, "Ten");
  30.  
  31.     MapKeyToList conv = new MapKeyToList(map);
  32.     List<Integer> keysList = conv.convertKeysToList();
  33.  
  34.      System.out.println("Keys:");
  35.  
  36.      for (Integer key : keysList) {
  37.         System.out.println(key);
  38.    }
  39.  
  40.  }
  41. }
  42. OutPut:
  43. Keys:
  44. 1
  45. 2
  46. 3
  47. 4
  48. 5
  49. 6
  50. 7
  51. 8
  52. 9
  53. 10

Difference between enumeration and iterator and listiterator?

Enumeration:

  • Enumeration interface implemented in java 1.2 version.So Enumeration is legacy interface.
  • Enumeration uses elements() method.
  • Enumeration can traverse in forward direction only.
  • Enumeration having methods like hasMoreElement(),nextElement().

Program:

package com.instanceofjavaforus;
import java.util.Enumeration;
import java.util.Vector;
public class EnumerationDemo {
public static void main(String[] args) {
Vector vector=new Vector();
vector.add("indhu");
vector.add("sindhu");
vector.add("swathi");
vector.add("swathi");
vector.add(null);
vector.add(null);
Enumeration en = vector.elements();  
    while(en.hasMoreElements()){  
         System.out.println(en.nextElement());  
    }  
}
}

Output:

indhu
sindhu
swathi
swathi
null
null

Iterator:

  • Iterator is implemented on all Java collection classes.
  • Iterator uses iterator() method.
  • Iterator can traverse in forward direction only.
  • Iterator having methods like hasNext(), next(), remove().

Program:

package com.instanceofjavaforus;
import java.util.Iterator;
import java.util.Map;
import java.util.Map.Entry;
import java.util.TreeMap;

public class IteratorDemo{
public static void main(String[] args) {
TreeMap treeMap=new TreeMap();
treeMap.put("g", "indhu");
treeMap.put("d", "sindhu");
treeMap.put("3", "swathi");
treeMap.put("d", "sindhu");
if(!treeMap.isEmpty()){
Iterator it=treeMap.entrySet().iterator();
while(it.hasNext()){
Map.Entry obj=(Entry) it.next();
System.out.println(obj.getValue());
}
}
}

}


Output:

swathi
sindhu
indhu

ListIterator:

  • ListIterator is implemented only for List type classes
  • ListIterator uses listIterator() method.
  • ListIterator can traverse in forward and backward directions.
  • ListIterator having methods like 
  • hasNext()
  • next()
  • previous()
  • hasPrevious()
  • remove()
  • nextIndex()
  • previousIndex().

Program:

package com.instanceofjavaforus;
import java.util.ArrayList;
import java.util.ListIterator;
public class ListIteratorDemo{
public static void main(String[] args) {
ArrayList arrayList=new ArrayList();
arrayList.add("indhu");
arrayList.add("sindhu");
arrayList.add("saidesh");
arrayList.add(null);
arrayList.add(null);
ListIterator it=arrayList.listIterator();
while(it.hasNext()){
System.out.println(it.next());
}
}

}

Output:
indhu
sindhu
saidesh
null
null


Collections Map

Map:
  • Map is key-value pair.
  • Map Interface represents a mapping between key and value.
  • Map having:
  1. HashMap
  2. LinkedHashMap
  3. HashaTable
  4. TreeMap

HashMap:
  • HashMap is not synchronized.
  • Hashmap allows one key null and multiple null values.
  • HashMap default capacity is :
static final int DEFAULT_INITIAL_CAPACITY =16 static final float DEFAULT_LOAD_FACTOR = 0.75f;
Program for HashMap:

package com.instanceofjava;

import java.util.HashMap;
import java.util.Iterator;
import java.util.Map;
import java.util.Map.Entry;

public class Hashmap2 {

/**
* @param args
*/
public static void main(String[] args) {
// TODO Auto-generated method stub
HashMap map=new HashMap();
map.put(1, "indhu");
map.put("d", "sindhu");
map.put("3", "swathi");
map.put(null, "indhira");
map.put(null, "indhira");
map.put(4, "sindhu");
if(!map.isEmpty()){
Iterator it=map.entrySet().iterator();
while(it.hasNext()){
Map.Entry obj=(Entry) it.next();
System.out.println(obj.getValue());
}
}
}


Output:
indhira
swathi
indhu
sindhu
sindhu

HashTable:
  • HashTable is synchronized.
  • HashTable doesn't allow any null key or any null values.
  • HasTable Default capacity:
static final int DEFAULT_INITIAL_CAPACITY = 11;static final float DEFAULT_LOAD_FACTOR = 0.75f;
Program for HashTable:

package com.instanceofjava;
import java.util.Hashtable;
import java.util.Iterator;
import java.util.Map;
import java.util.Map.Entry;

public class Hashtable3{

/**
* @param args
*/
public static void main(String[] args) {
// TODO Auto-generated method stub
Hashtable hashTable=new Hashtable();
hashTable.put(1, "indhu");
hashTable.put("d", "sindhu");
hashTable.put("3", "swathi");
hashTable.put("d", "sindhu");
if(!hashTable.isEmpty()){
Iterator it=hashTable.entrySet().iterator();
while(it.hasNext()){
Map.Entry obj=(Entry) it.next();
System.out.println(obj.getValue());
}


}
}

}


Output:
swathi
sindhu
indhu

TreeMap:

  • TreeMap is sorted order.
  • TreeMap doesn't allow null key or null values.



Program for TreeMap:

package com.instanceofjava;
import java.util.Iterator;
import java.util.Map;
import java.util.Map.Entry;
import java.util.TreeMap;

public class Employee{

/**
* @param args
*/
public static void main(String[] args) {
// TODO Auto-generated method stub
TreeMap treeMap=new TreeMap();
treeMap.put("g", "indhu");
treeMap.put("d", "sindhu");
treeMap.put("3", "swathi");
treeMap.put("d", "sindhu");
if(!treeMap.isEmpty()){
Iterator it=treeMap.entrySet().iterator();
while(it.hasNext()){
Map.Entry obj=(Entry) it.next();
System.out.println(obj.getValue());
}


}
}

}

Output:

swathi
sindhu
indhu



Command line arguments

  • The group of strings what we are passing as an argument to the main method from the console or command line are known as command line arguments.
  • Every command line argument would be accepted by the JVM in the form of a String object.
  • JVM will always executes main method by passing object of an array of strings.
  • JVM would never execute main method by passing null
  • JVM always executes main as a thread. 

 

Program on command line arguments:

package com.instanceofjavaforus;

public class CommandLineArguents {

    public static void main(String args[]){
      
        System.out.println("Your first argument is: "+args[0]);
    }
  
}

  • >javac CommandLineArguent.java

    >java CommandLineArguents

    OutPut:
    Exception in thread "main" java.lang.ArrayIndexOutOfBoundsException: 0
        at com.instanceofjavaforus.CommandLineArguents.main(CommandLineArguents.java:8)
  • >javac CommandLineArguent.java

    >java CommandLineArguents  instance

    OutPut:
    instance

Difference between arraylist and vector

     
  • Vector was introduced in  first version of java . that's the reason only vector is legacy class.
  • ArrayList was introduced in java version1.2, as part of java collections framework.
  • Synchronization and Thread-Safe:
  • Vector is  synchronized. Synchronization and thread safe means at a time only one thread can access the code .In Vector class all the methods are synchronized .That's why the Vector object is already synchronized when it is created .
  • ArrayList is not synchronized.

How To Make ArrayList synchronized:

  • We have direct method in collections class to make Arrraylist as Synchronized.
  • List li=new ArrayList();
  • Collections.synchrinizedlist(li);

Automatic Increase in Capacity:
  • A Vector defaults to doubling size of its array.
  • ArrayList increases it's size by 50%.
Performance:
  • Vector is slower than ArrayaList.
  • ArrayList is faster than Vector.




Collections List


List Interface:
  • List allows Duplicate Elements.
  • List having index.
  • List allows n number of null values.
  • List will display Insertion order with index.
  • List having classes like :
  • Vector
  • ArrayList
  • LinkedList


Introduction to the Java List Interface

The List interface in Java forms part of the core of the Java Collections Framework. It offers access to an ordered list of objects. In contrast with sets, lists allow duplicates as well as maintain insertion order. This makes lists perfect for sequences. When sequence matters, the List interface in Java is useful for modeling things like user input, products returned from a database query, or steps in a workflow.

In this guide, you'll find the List interface and its implementing classes: ArrayList, LinkedList, Vector, and Stack. We will examine their performance characteristics, use cases, and best practices to help you select the right one for any given project.

Key Characteristics of the List Interface

  • Accepted Elements: Elements maintain their order of insertion.
  • Index-based access: Retrieve, add, or remove elements by position.
  • Duplicates allowed: Lists can contain the same item more than once.
  • Null-Safe: Most implementations of List allow null values.

Classes that Implement the List Interface

1. ArrayList

  • What It Is: A resizable array implementation.
  • When to Use: Ideal for read-heavy, random access operations.
  • Performance:
    • Access: O(1) (fast for get() and set()).
    • Insert/Delete: O(n) (because shifting items is required).

Example:

List<String> fruits = new ArrayList<>();
fruits.add("Apple");  
fruits.add("Banana");  
System.out.println(fruits.get(0)); // Output: Apple  

2. LinkedList

  • What It Is: A doubly-linked list implementation.
  • When to Use: Ideal for frequent insertions and deletions.
  • Performance:
    • Access: O(n) (poor for random access).
    • Insert/Delete: O(1) (when modifying head or tail).

Example:

List<Integer> numbers = new LinkedList<>();
numbers.add(10);  
numbers.addFirst(5); // Add at head  

3. Vector

  • What It Is: An array-based list that is thread-safe.
  • When to Use: In multi-threading environments (although ArrayList with explicit synchronization is preferred).
  • Disadvantage: Being synchronized makes it slower than ArrayList.

Example:

List<String> colors = new Vector<>();
colors.add("Red");  
colors.add("Blue");  

4. Stack

  • What It Is: A Vector subclass that implements LIFO (Last-In-First-Out).
  • Methods:push(), pop(), peek().
  • When to Use: For undo/redo operations, parsing expressions, and backtracking algorithms.

Example:

Stack<String> stack = new Stack<>();
stack.push("Task1");  
stack.push("Task2");  
System.out.println(stack.pop()); // Output: Task2  

ArrayList Vs. LinkedList Vs. Vector Vs. Stack

Class Underlying Data Thread-Safe? Use Cases
ArrayList Dynamic array No Read-heavy operations
LinkedList Doubly linked list No Frequent insertions/deletions
Vector Array Yes Legacy applications
Stack Array (Vector) Yes LIFO-based operations

Best Practices When Using Java Lists

  1. Choose the Right Implementation:
    • Default to ArrayList for most use cases.
    • Use LinkedList for queue-like behavior (addFirst(),removeLast()).
  2. Avoid Synchronized Classes: Use Collections.synchronizedList() with ArrayList instead of Vector.
  3. Preallocate Capacity: Initialize larger ArrayLists with a capacity to reduce resizing overhead.
  4. Leverage Java 8+ Features: Use streams and lambda functions for filtering, mapping, and sorting.

Frequently Asked Questions on Java Lists

Question 1: When should I use ArrayList as opposed to LinkedList?

  • ArrayList: Best for random access and read-heavy operations.
  • LinkedList: Best for frequent insertions/deletions.

Question 2: Is Vector still relevant in modern-day Java?

  • Vector is largely outdated. Use CopyOnWriteArrayList or java.util.concurrent classes for thread safety.

Question 3: How do I convert a List to an array?

  • Use String[] array = list.toArray(new String[0]);

4: How do I sort a List?

  • Use Collections.sort(list) or list.sort(Comparator).


By mastering the Java List interface and its implementations, you can write efficient, scalable code. Whether you are building high-performance applications with ArrayLists, managing complex workflows with LinkedLists, or using Vectors for legacy applications, understanding their strengths and weaknesses is key.

Found this guide helpful? Share with a friend!

Stay tuned for more tutorials on Java Collections, Spring Boot, and System Design.

Keywords: Java List interface, ArrayList vs LinkedList, Vector and Stack in Java, Java Collections tutorial, List implementations in Java.


Select Menu