代码实现(CRUD)
package com.atguigu.linkedlist;
public class DoubleLinkedListDemo {public static void main(String[] args) {System.out.println("双向链表的测试");HeroNode2 hearo1 = new HeroNode2(1, "宋江", "及时雨");HeroNode2 hearo2 = new HeroNode2(2, "卢俊义", "玉麒麟");HeroNode2 hearo3 = new HeroNode2(3, "吴用", "智多星");HeroNode2 hearo4 = new HeroNode2(4, "林冲", "及时钉钉雨");DoubleLinkedList doubleLinkedList = new DoubleLinkedList();doubleLinkedList.add(hearo1);doubleLinkedList.add(hearo2);doubleLinkedList.add(hearo3);doubleLinkedList.add(hearo4);doubleLinkedList.list();HeroNode2 newHeroNode = new HeroNode2(4, "公孙胜", "入云龙");doubleLinkedList.update(newHeroNode);System.out.println("修改后的链表");doubleLinkedList.list();doubleLinkedList.del(3);System.out.println("删除后的链表");doubleLinkedList.list();}
}
class DoubleLinkedList{private HeroNode2 head=new HeroNode2(0,"","");public HeroNode2 getHead(){return head;}public void list() {if (head.next == null) {System.out.println("链表为空");return;}HeroNode2 temp = head.next;while (true) {if (temp == null) {break;}System.out.println(temp.toString());temp = temp.next;}}public void add(HeroNode2 heroNode){HeroNode2 temp=head;while(true){if(temp.next==null){break;}temp=temp.next;}temp.next=heroNode;heroNode.pre=temp;}public void update(HeroNode2 newHeroNode) {if (head.next == null) {System.out.println("链表为空");return;}HeroNode2 temp = head.next;boolean flag = false;while (true) {if (temp == null) {break;}if (temp.no == newHeroNode.no) {flag = true;break;}temp = temp.next;}if (flag) {temp.name = newHeroNode.name;temp.nickname = newHeroNode.nickname;} else {System.out.println("没有找到编号" + temp.no + "的节点,不能修改");}}public void del(int no) {if (head.next==null){System.out.println("链表为空,无法删除");return;}HeroNode2 temp = head.next;boolean flag = false;while (true) {if (temp == null) {break;}if (temp.no == no) {flag = true;break;}temp = temp.next;}if (flag) {temp.pre.next=temp.next;if(temp.next!=null){temp.next.pre=temp.pre;}} else {System.out.println("要删除的" + no + "节点不存在");}}}
class HeroNode2{public int no;public String name;public String nickname;public HeroNode2 next;public HeroNode2 pre;public HeroNode2(int no,String name,String nickname){this.no=no;this.name=name;this.nickname=nickname;}@Overridepublic String toString() {return "HeroNode{" +"no=" + no +", name='" + name + '\'' +", nickname='" + nickname + '\'' +
'}';}
}