- List maintains elements in Particular Sequence.
- Two types of List 1.ArrayList and 2.LinkedList
- ArrayList is faster while accessing elements but slower while Insertion and Deletion
- LinkedList is slow in random access but faster during insertion and deletion
Operations in ArrayList
01 02 03 04 05 06 07 08 09 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 | class Fruits { String Name = "Fruit" ; } class Apple extends Fruits { public Apple() { Name = "Apple" ; } } class Orange extends Fruits { public Orange() { Name = "Orange" ; } } class Mango extends Fruits { public Mango() { Name = "Mango" ; } } |
Adding Element – List.add()
1 2 3 4 5 | List<Fruits> arrFruits = new ArrayList<Fruits>(); Fruits objApple = new Apple(); Fruits objMango = new Mango(); arrFruits.add(objApple); arrFruits.add(objMango); |
Removing Element – List.remove()
1 | arrFruits.remove(objApple); |
Removing by Index – List.remove()
1 | arrFruits.remove( 1 ); |
Index of Element – List.indexOf()
1 | arrFruits.indexOf(objMango); |
Index of Element – List.indexOf()
1 | arrFruits.indexOf(objMango); |
SubList – List.subList(StartPOS, EndPOS)
1 | List<Fruits> arrNewFruits = arrFruits.subList( 0 , 2 ); |
containsAll – NewList.containsAll(OrgList)
1 | arrNewFruits.containsAll(arrFruits); |
set Value at Index
1 | arrNewFruits.set( 1 , new Orange()); |
removeAll
1 | arrFruits.removeAll(arrFruits); |
addAll
1 | arrFruits.addAll(arrNewFruits); |
retainAll – set Intersection Operation
retainAll performs set Interscetion Operation by taking Two ArrayList. It Retains Boolean true if intersection finds element false otherwise.
01 02 03 04 05 06 07 08 09 10 | List<Integer> arrNums1 = new ArrayList<Integer>(); arrNums1.add( 1 ); arrNums1.add( 2 ); arrNums1.add( 3 ); List<Integer> arrNums2 = new ArrayList<Integer>(); arrNums2.add( 1 ); System.out.println(arrNums1.retainAll(arrNums2)); System.out.println(arrNums1); |