1. public class LinkedStack<T> {
    2. private static class Node<U> {
    3. U item;
    4. Node<U> next;
    5. Node() { item = null; next = null; }
    6. Node(U item, Node<U> next) {
    7. this.item = item;
    8. this.next = next;
    9. }
    10. boolean end() { return item == null && next == null; }
    11. }
    12. private Node<T> top = new Node<T>(); // End sentinel 哨兵
    13. public void push(T item) {
    14. top = new Node<T>(item, top);
    15. }
    16. public T pop() {
    17. T result = top.item;
    18. if(!top.end())
    19. top = top.next;
    20. return result;
    21. }
    22. public static void main(String[] args) {
    23. LinkedStack<String> lss = new LinkedStack<String>();
    24. for(String s : "Phasers on stun!".split(" "))
    25. lss.push(s);
    26. String s;
    27. while((s = lss.pop()) != null)
    28. System.out.println(s);
    29. }
    30. } /* Output:
    31. stun!
    32. on
    33. Phasers

    这个例子使用了一个 末端哨兵(End sentinel)来判断栈什么时候为空。 这个哨兵实在构造LinkedStack时创建的,每调用一次push 方法,就会创建一个Node对象,并将其链接到前一个Node对象。当你调用pop 方法时,总是返回top.item 然后丢弃当前top所指的Node ,并将top 转移到下一个Node