Java에 익숙한 개발자에게 명백한 해결책 은 java.util에 이미 제공된 LinkedList 클래스 를 사용하는 것 입니다. 그러나 어떤 이유로 자신의 구현을 원한다고 가정 해보십시오. 다음은 목록 시작 부분에 새 링크를 삽입하고 목록 시작 부분에서 삭제 한 다음 목록을 반복하여 포함 된 링크를 인쇄하는 연결 목록의 빠른 예입니다. 이 구현의 개선 사항 에는 이중 연결 목록 만들기 , 중간 또는 끝에서 삽입 및 삭제 하는 메소드 추가, get 및 sort 메소드 추가 가 포함됩니다.
참고 :이 예에서 Link 객체에는 실제로 다른 Link 객체가 포함되어 있지 않습니다. nextLink 는 실제로 다른 링크에 대한 참조 일뿐입니다.
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();
}
}