鏈表:是一種物理存儲(chǔ)結(jié)構(gòu)上非連續(xù)存儲(chǔ)結(jié)構(gòu)。
創(chuàng)新互聯(lián)是一家專(zhuān)業(yè)提供開(kāi)州企業(yè)網(wǎng)站建設(shè),專(zhuān)注與成都網(wǎng)站建設(shè)、網(wǎng)站建設(shè)、H5開(kāi)發(fā)、小程序制作等業(yè)務(wù)。10年已為開(kāi)州眾多企業(yè)、政府機(jī)構(gòu)等服務(wù)。創(chuàng)新互聯(lián)專(zhuān)業(yè)網(wǎng)站制作公司優(yōu)惠進(jìn)行中。
無(wú)頭單向非循環(huán)鏈表示意圖:
下面就來(lái)實(shí)現(xiàn)這樣一個(gè)無(wú)頭單向非循環(huán)的鏈表。
public void addFirst(int elem) {
LinkedNode node = new LinkedNode(elem); //創(chuàng)建一個(gè)節(jié)點(diǎn)
if(this.head == null) { //空鏈表
this.head = node;
return;
}
node.next = head; //不是空鏈表,正常情況
this.head = node;
return;
}
public void addLast(int elem) {
LinkedNode node = new LinkedNode(elem);
if(this.head == null) { //空鏈表
this.head = node;
return;
}
LinkedNode cur = this.head; //非空情況創(chuàng)建一個(gè)節(jié)點(diǎn)找到最后一個(gè)節(jié)點(diǎn)
while (cur != null){ //循環(huán)結(jié)束,cur指向最后一個(gè)節(jié)點(diǎn)
cur = cur.next;
}
cur.next = node; //將插入的元素放在最后節(jié)點(diǎn)的后一個(gè)
}
public void addIndex(int index,int elem) {
LinkedNode node = new LinkedNode(elem);
int len = size();
if(index < 0 || index > len) { //對(duì)合法性校驗(yàn)
return;
}
if(index == 0) { //頭插
addFirst(elem);
return;
}
if(index == len) { //尾插
addLast(elem);
return;
}
LinkedNode prev = getIndexPos(index - 1); //找到要插入的地方
node.next = prev.next;
prev.next = node;
}
計(jì)算鏈表長(zhǎng)度的方法:
public int size() {
int size = 0;
for(LinkedNode cur = this.head; cur != null; cur = cur.next) {
size++;
}
return size;
}
找到鏈表的某個(gè)位置的方法:
private LinkedNode getIndexPos(int index) {
LinkedNode cur = this.head;
for(int i = 0; i < index; i++){
cur = cur.next;
}
return cur;
}
public boolean contains(int toFind) {
for(LinkedNode cur = this.head; cur != null; cur = cur.next) {
if(cur.data == toFind) {
return true;
}
}
return false;
}
public void remove(int key) {
if(head == null) {
return;
}
if(head.data == key) {
this.head = this.head.next;
return;
}
LinkedNode prev = seachPrev(key);
LinkedNode nodeKey = prev.next;
prev.next = nodeKey.next;
}
刪除前應(yīng)該先找到找到要?jiǎng)h除元素的前一個(gè)元素:
private LinkedNode seachPrev(int key){
if(this.head == null){
return null;
}
LinkedNode prev = this.head;
while (prev.next != null){
if(prev.next.data == key){
return prev;
}
prev = prev.next;
}
return null;
}
public void removeAllkey(int key){
if(head == null){
return;
}
LinkedNode prev = head;
LinkedNode cur = head.next;
while (cur != null){
if(cur.data == key){
prev.next = cur.next;
cur = prev.next;
} else {
prev = cur;
cur = cur.next;
}
}
if(this.head.data == key){
this.head = this.head.next;
}
return;
}
public void display(){
System.out.print("[");
for(LinkedNode node = this.head; node != null; node = node.next){
System.out.print(node.data);
if(node.next != null){
System.out.print(",");
}
}
System.out.println("]");
}
public void clear(){
this.head = null;
}