Data Structures Lesson 2: Lists / Iterators

  1. Recording
  2. Lists
    1. List Operations?
    2. Simple List
  3. Iterators
    1. Iterator interface
    2. Problem
    3. Inner Classes
    4. Exercise
  4. LinkedList
    1. LinkedList code
    2. Homework

Recording

This is a recording from when I taught this course in Spring 2021. Here are some links to timestamps:

Lists

List Operations?

What operations should a list have?

Simple List

Skeleton code of simple array-backed list structure in this GitHub Classroom assignment. Finish implementing it, and then determine the running times of the following operations (based on your implementation):

Iterators

Recall: for-each loops:

List<String> myList;
for (String word : myList) {
  // ...
}

It turns out that this is really:

List<String> myList;
Iterator<String> iter = myList.iterator();
while (iter.hasNext()) {
  String word = iter.next();
  // ...
}

The iterator() method is defined in the Iterable<T> interface. It must return something of ypte Iterator<T>, which is itself an interface.

Iterator interface

Iterator<T> interface has:

What happens if the list is modified while iterating through it?

List<String> l = new ArrayList<>();
l.add("a");
for (String w : l) {
  l.add("hi");
}

Problem

public class SLIterator<T> implements Iterator<T> {
   private SimpleList<T> list;
   private int pos = 0;
   public SLIterator(SimpleList<t> l) {
     list = l;
   }

  public boolean hasNext() {
    return pos < list.size();
  }
  public T next() {
    return list.array[pos++];
  }
}

What’s the problem? What happens when you try to do this?

Inner Classes

Exercise

Quick exercise: make SimpleList implement Iterable<T>

Update your main method to add in the following code:

for (String word : list) {
    System.out.println(word);
}

Does it work?

LinkedList

Singly Linked List diagram, Wikimedia Commons

LinkedList code

Code was in the same GH Classroom assignment. Running times:

Homework

Due Monday, 2/10. Submit via BrightSpace (single PDF).

Problem 1: Implement an Iterator for this LinkedList structure.

Problem 2 is on BrightSpace.