虽然这段代码来自算法文本,但我在嵌套类和接口方面有点麻烦——实际上,我 90% 的困惑源于这段代码是如何实现接口的。同样,这个问题与算法本身无关。
据我了解,此代码使用嵌套类,以便它可以访问 ResizingArrayStack 中的私有实例变量(本文使用约定将所有实例变量声明为私有以进行封装)。
Iterable
界面是这样的:
public Iterator<Item> { Iterator<Item> iterator(); } // ignore the quotes
Iterator
界面是这样的:
public interface Iterator<Item> { boolean hasNext(); Item next(); void remove(); }
我的问题是所有这些如何在下面显示的代码中连接。
父类实现了Iterable接口,但是ReverseArrayIterator实现Iterator的时候,Iterator接口又是从哪里来的呢?它是来自 Iterator 实例方法,还是来自 Iterable 接口?直觉告诉我它直接从 Iterator 实例方法实现,最终从 Iterable 接口实现(有点像 extends 工作原理?)。
对不起,我缺乏 OOP 知识。这篇文章只是简单地谈论它,我被告知我不必知道这些(我可能不需要,只要我了解算法),但是我必须理解它大声笑。我就是无法忘记这件事。提前致谢。
// from http://algs4.cs.princeton.edu/13stacks/ResizingArrayStack.java.html
import java.util.Iterator;
import java.util.NoSuchElementException;
public class ResizingArrayStack<Item> implements Iterable<Item> {
private Item[] a; // array of items
private int N; // number of elements on stack
// create an empty stack
public ResizingArrayStack() {
a = (Item[]) new Object[2];
}
public boolean isEmpty() { return N == 0; }
public int size() { return N; }
// resize the underlying array holding the elements
private void resize(int capacity) {
assert capacity >= N;
Item[] temp = (Item[]) new Object[capacity];
for (int i = 0; i < N; i++) {
temp[i] = a[i];
}
a = temp;
}
// push a new item onto the stack
public void push(Item item) {
if (N == a.length) resize(2*a.length); // double size of array if necessary
a[N++] = item; // add item
}
// delete and return the item most recently added
public Item pop() {
if (isEmpty()) { throw new RuntimeException("Stack underflow error"); }
Item item = a[N-1];
a[N-1] = null; // to avoid loitering
N--;
// shrink size of array if necessary
if (N > 0 && N == a.length/4) resize(a.length/2);
return item;
}
public Iterator<Item> iterator() { return new ReverseArrayIterator(); }
// an iterator, doesn't implement remove() since it's optional
private class ReverseArrayIterator implements Iterator<Item> {
private int i = N;
public boolean hasNext() { return i > 0; }
public void remove() { throw new UnsupportedOperationException(); }
public Item next() {
if (!hasNext()) throw new NoSuchElementException();
return a[--i];
}
}
}