जावा से परिचित डेवलपर्स का स्पष्ट समाधान java.util में पहले से प्रदान की गई LinkedList कक्षा का उपयोग करना है। कहें, हालांकि, आप किसी कारण से अपना खुद का कार्यान्वयन करना चाहते थे। यहां एक लिंक्ड सूची का एक त्वरित उदाहरण दिया गया है जो सूची की शुरुआत में एक नया लिंक सम्मिलित करता है, सूची की शुरुआत से हटा देता है और इसमें शामिल लिंक प्रिंट करने के लिए सूची के माध्यम से लूप होता है। इस कार्यान्वयन के लिए संवर्द्धन में इसे डबल-लिंक्ड सूची बनाने के लिए, बीच में सम्मिलित करें और हटाएं को जोड़ने के तरीके शामिल हैं या अंत, और प्राप्त करें और क्रमबद्ध करें विधियों को जोड़कर भी।
Note: In the example, the Link object doesn't actually contain another Link object - nextLink is actually only a reference to another link.
class Link {
public int data1;
public double data2;
public Link nextLink;
//Link constructor
public Link(int d1, double d2) {
data1 = d1;
data2 = d2;
}
//Print Link data
public void printLink() {
System.out.print("{" + data1 + ", " + data2 + "} ");
}
}
class LinkList {
private Link first;
//LinkList constructor
public LinkList() {
first = null;
}
//Returns true if list is empty
public boolean isEmpty() {
return first == null;
}
//Inserts a new Link at the first of the list
public void insert(int d1, double d2) {
Link link = new Link(d1, d2);
link.nextLink = first;
first = link;
}
//Deletes the link at the first of the list
public Link delete() {
Link temp = first;
if(first == null){
return null;
//throw new NoSuchElementException();//this is the better way.
}
first = first.nextLink;
return temp;
}
//Prints list data
public void printList() {
Link currentLink = first;
System.out.print("List: ");
while(currentLink != null) {
currentLink.printLink();
currentLink = currentLink.nextLink;
}
System.out.println("");
}
}
class LinkListTest {
public static void main(String[] args) {
LinkList list = new LinkList();
list.insert(1, 1.01);
list.insert(2, 2.02);
list.insert(3, 3.03);
list.insert(4, 4.04);
list.insert(5, 5.05);
list.printList();
while(!list.isEmpty()) {
Link deletedLink = list.delete();
System.out.print("deleted: ");
deletedLink.printLink();
System.out.println("");
}
list.printList();
}
}