|
| 1 | +import java.util.Iterator; |
| 2 | +import java.util.LinkedList; |
| 3 | +import java.util.ListIterator; |
| 4 | + |
| 5 | +public class IterateOverLinkedListExample { |
| 6 | + public static void main(String[] args) { |
| 7 | + LinkedList<String> humanSpecies = new LinkedList<>(); |
| 8 | + |
| 9 | + humanSpecies.add("Homo Sapiens"); |
| 10 | + humanSpecies.add("Homo Neanderthalensis"); |
| 11 | + humanSpecies.add("Homo Erectus"); |
| 12 | + humanSpecies.add("Home Habilis"); |
| 13 | + |
| 14 | + System.out.println("=== Iterate over a LinkedList using Java 8 forEach loop ==="); |
| 15 | + humanSpecies.forEach(name -> { |
| 16 | + System.out.println(name); |
| 17 | + }); |
| 18 | + |
| 19 | + |
| 20 | + System.out.println("\n=== Iterate over a LinkedList using iterator() ==="); |
| 21 | + Iterator<String> humanSpeciesIterator = humanSpecies.iterator(); |
| 22 | + while (humanSpeciesIterator.hasNext()) { |
| 23 | + String speciesName = humanSpeciesIterator.next(); |
| 24 | + System.out.println(speciesName); |
| 25 | + } |
| 26 | + |
| 27 | + System.out.println("\n=== Iterate over a LinkedList using iterator() and Java 8 forEachRemaining() method ==="); |
| 28 | + humanSpeciesIterator = humanSpecies.iterator(); |
| 29 | + humanSpeciesIterator.forEachRemaining(speciesName -> { |
| 30 | + System.out.println(speciesName); |
| 31 | + }); |
| 32 | + |
| 33 | + System.out.println("\n=== Iterate over a LinkedList using descendingIterator() ==="); |
| 34 | + Iterator<String> descendingHumanSpeciesIterator = humanSpecies.descendingIterator(); |
| 35 | + while (descendingHumanSpeciesIterator.hasNext()) { |
| 36 | + String speciesName = descendingHumanSpeciesIterator.next(); |
| 37 | + System.out.println(speciesName); |
| 38 | + } |
| 39 | + |
| 40 | + |
| 41 | + System.out.println("\n=== Iterate over a LinkedList using listIterator() ==="); |
| 42 | + // ListIterator can be used to iterate over the LinkedList in both forward and backward directions |
| 43 | + // In this example, we start from the end of the list and traverse backwards |
| 44 | + ListIterator<String> humanSpeciesListIterator = humanSpecies.listIterator(humanSpecies.size()); |
| 45 | + while (humanSpeciesListIterator.hasPrevious()) { |
| 46 | + String speciesName = humanSpeciesListIterator.previous(); |
| 47 | + System.out.println(speciesName); |
| 48 | + } |
| 49 | + |
| 50 | + System.out.println("\n=== Iterate over a LinkedList using simple for-each loop ==="); |
| 51 | + for(String speciesName: humanSpecies) { |
| 52 | + System.out.println(speciesName); |
| 53 | + } |
| 54 | + } |
| 55 | +} |
0 commit comments