我正在尝试创建一个链接列表,用于模拟杂货市场的篮子,其中篮子是链接列表,其中的节点(链接)是每个产品。下面的代码代表篮子(LinkedList)和一些产品Gouda和Bacon。我的问题是如何从这两个节点中创建一个链表,这样我就可以获得像Gouda-> Bacon-> Bacon-> Gouda等链接列表?
p.s提前谢谢
public class Test {
public static void main(String[] args) {
LinkedList theLinkedList = new LinkedList();
theLinkedList.insertFirstLink();
theLinkedList.display();
}
}
class LinkedList{
// Reference to first Link in list
// The last Link added to the LinkedList
public Gouda firstLink;
LinkedList(){
// Here to show the first Link always starts as null
firstLink = null;
}
// Returns true if LinkList is empty
public boolean isEmpty(){
return(firstLink == null);
}
public void insertFirstLink(){
Gouda newLink = new Gouda();
// Connects the firstLink field to the new Link
newLink.next = firstLink;
firstLink = newLink;
}
public void display(){
Gouda theLink = firstLink;
// Start at the reference stored in firstLink and
// keep getting the references stored in next for
// every Link until next returns null
while(theLink != null){
theLink.display();
System.out.println("Next Link: " + theLink.next);
theLink = theLink.next;
System.out.println();
}
}
}
public class Gouda{
// Set to public so getters & setters aren't needed
public String category= "Dairy";
public String productName = "Gouda Cheese";
public double price = 57.50;
// Reference to next link made in the LinkList
// Holds the reference to the Link that was created before it
// Set to null until it is connected to other links
public Gouda next;
public void display(){
System.out.println(category+" :"+ productName +""+ price);
}
}
public class Bacon{
// Set to public so getters & setters aren't needed
public String category= "Meat";
public String productName = "Thick cut Bacon";
public double price = 5.50;
// Reference to next link made in the LinkList
// Holds the reference to the Link that was created before it
// Set to null until it is connected to other links
public Bacon next;
public void display(){
System.out.println(category+" :"+ productName +""+ price);
}
}
答案 0 :(得分:1)
您应该定义一个新类,例如Product
,其中Gouda
和Bacon
被定义为它的子类。
然后在链表中将firstLink定义为:
public Product firstLink;
并始终在类LinkedList
中使用Product。通过这种方式,您可以在列表中插入Goude
和Bacon
的两个实例,因为它们是Product
。
这是子类和继承的基本思想。