Java中链接LIst的堆栈操作

时间:2013-04-18 16:49:45

标签: java linked-list stack

我必须编写一个应该使用链表实现堆栈的类。但是,它应该从列表的尾部而不是头部执行推送和弹出操作。此外,它不应该保持对列表尾节点的引用。

如何在不保持对最后一个节点的引用的情况下实现这一目标?

1 个答案:

答案 0 :(得分:0)

可以这样做,但效率很低,因为每次你想要做某事时你都要经历整个列表。当所有操作都在尾部执行时,你没有任何理由想要保持对头部的引用。

但无论如何我都会这样做:

class Entry<E> {
    E object;
    Entry<E> next;
    public Entry(E obj) {
        object = obj;
    }
}

class StackList<E> {
    Entry<E> head;
    public void push(E element) {
        if (head == null) {
            // first
            head = new Entry<E>(element);
            return;
        }
        Entry<E> node = head;
        while (node != null && node.next != null) {
            node = node.next;
        }
        // node is now the tail
        Entry<E> newEntry = new Entry<E>(element);
        node.next = newEntry;
    }
    public E pop() {
        if (head == null) {
            // empty
            return null;
        }
        Entry<E> node = head, previousNode = null;
        while (node.next != null) {
            previousNode = node;
            node = node.next;
        }
        // node is now the tail
        // previousNode is the next-to-last
        if (previousNode != null) {
            previousNode.next = null;
        } else {
            // there was only one thing
            head = null;
        }
        return node.object;
    }
}