单向链表是一种线性表,实际上是由节点(Node)组成的,一个链表拥有不定数量的节点。其数据在内存中存储是不连续的,它存储的数据分散在内存中,每个结点只能也只有它能知道下一个结点的存储位置。由N各节点(Node)组成单向链表,每一个Node记录本Node的数据及下一个Node。向外暴露的只有一个头节点(Head),我们对链表的所有操作,都是直接或者间接地通过其头节点来进行的。
链表的实现如下:
package linearList;
class Node{
public Node next;
public int data;
public Node(int data){//节点初始化
this.next=null;
this.data=data;
}
}
public class LinkList {
Node head =null;
public void addNode(int data){
Node newNode =new Node(data);
if(head==null){
head = newNode;
return;
}
Node cur = head;//设置游标,从head开始遍历
while(cur.next!=null){//循环直到head.next为空
cur=cur.next;
}
cur.next = newNode;//将节点加到最后
}
public int length(){//返回链表长度
int length =0;
Node cur=head;
while(cur.next!=null){
length++;
cur=cur.next;
}
return length;
}
public Boolean deleteNode(int index){
if(index<1||index>length()){//index超出范围判断
return false;
}
if(index==1){//删除的是否为头结点
head =head.next;
return true;
}
int i=1;
Node preNode=head;
Node nxtNode=preNode.next;
while(nxtNode!=null){//不是头结点的话判断是否抵达删除位置(从头结点开始)
if(i==index){
preNode.next=nxtNode.next;
return true;
}
else
preNode=nxtNode;
nxtNode=nxtNode.next;
i++;
}
return true;
}
public void printList() {//打印链表
Node tmp = head;
while (tmp != null) {
System.out.println(tmp.data);
tmp = tmp.next;
}
}
public static void main(String[] args) {//测试
LinkList list = new LinkList();
list.addNode(5);
list.addNode(3);
list.addNode(1);
list.addNode(2);
list.addNode(55);
list.addNode(36);
System.out.println("linkLength:" + list.length());
System.out.println("head.data:" + list.head.data);
list.printList();
list.deleteNode(4);
System.out.println("After deleteNode(4):");
list.printList();
}
}
“`