泛型,实现了参数化类型的概念。
2.简单泛型
有些情况下我们确实希望容器能够同时持有多种类型的对象。但通常而言,我们只使用容器来存储一种类型的对象。泛型的主要目的就是用来指定容器要持有什么类型的对象,而且由编译器来保证类型的正确性。
现在创建TDemo时,必须指明想持有什么类型的对象,将其置于尖括号内。就像main()方法,然后就只能在TDemo中存入该类型的对象。取出持有对象时,自动就是正确的类型。
public class TDemo<T> {
private T a;
public TDemo(T a) {
this.a = a;
}
public void set(T a) {
this.a = a;
}
public T get() {
return a;
}
}
传统的下推堆栈
使用末端哨兵来判断堆栈何时为空。这个末端哨兵是在构建LinkedStack时创建的。然后,每调用一次push()方法,就会创建一个Node<T>对象,并将其链接到前一个Node<T>对象。当你调用pop()方法时,总是返回top.item,然后丢弃当前top所指的Node<T>,并将top转移到下一个Node<T>,除非你已经碰到了末端哨兵,这时候就不再移动top了。如果已经到了末端,客户端调用pop()方法,只能得到null,说明堆栈已经空了 。
public class LinkedStack<T> {
private static class Node<U> {
U item;
Node<U> next;
Node() {
item = null;
next = null;
}
Node(U item, Node<U> next) {
this.item = item;
this.next = next;
}
boolean end() {
return item == null && next == null;
}
}
private Node<T> top = new Node<T>(); // End sentinel
public void push(T item) {
// System.out.println("push() before : " + top.item);
top = new Node<T>(item, top);
// System.out.println("push() after : " + top.item);
/**
* 正序进来 倒序出去
* Node<T> top = new Node<T>(null) next为null item null
* Node<T> top1 = new Node<T>(top) next为top item Phasers
* Node<T> top2 = new Node<T>(top1) next为top1 item on
* Node<T> top3 = new Node<T>(top2) next为top2 item stun
*/
}
public T pop() {
T result = top.item;
if (!top.end()) {
top = top.next;
// System.out.println("pop() : " + top.item);
}
return result;
}
public static void main(String[] args) {
LinkedStack<String> lss = new LinkedStack<String>();
for (String s : "Phasers on stun!".split(" "))
lss.push(s);
String s;
while ((s = lss.pop()) != null)
System.out.println(s);
}
} /* Output:
stun!
on
Phasers
*///:~