我创建了一个类来模拟堆栈。现在,类型固定为浮动。我在java util类中看到他们有一个堆栈类,你可以定义类型。
我找不到任何关于如何创建一个类的内容,其中在创建对象时可以定义其中一个动词的类型。我试过谷歌搜索java模板totiol,我认为他们称之为模板。
所以我有classpublic类cStack {
float data[];
int size=0;
int pes=0;
cStack(int size)
{
data=new float[size];
pes=0;
}
现在数据是def作为一个浮点数,我希望如此,当我创建类时,我可以设置类型。所以它可以保存浮点数,或整数或字符串。
答案 0 :(得分:0)
这是Bruce Eckel" Thinking in Java"的通用LinkedStack实现:
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) {
top = new Node<T>(item, top);
}
public T pop() {
T result = top.item;
if (!top.end())
top = top.next;
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);
}
}
我建议你阅读整本书,特别是&#34; Generics&#34;章。