线性表是由n(n>=0)个元素构成的有限序列,通常表示为a0,a1,a2, ...,an-1,它是最简单的数据结构。而链表是采用链式存储的方式存储的线性表,它每一个结点包含存放数据元素值的数据域和指向下一个结点的指针域。若一个结点中指针域只有一个,则称该链表为单链表。
单链表是由若干结点连接而成,因此要实现单链表,首先要设计结点类。结点类由两部分构成,其中data是数据域,存放数据元素的值;next是指针域,存放下一个结点的地址。
结点Node类
public class Node {
public Object data; //数据域,存放值
public Node next; //指针域,指向下一个结点
public Node()
{
this.data=null;
this.next=null;
}
public Node(Object data)
{
this.data=data;
}
public Node(Object data, Node next)
{
this.data=data;
this.next=next;
}
}
单链表的主要操作有建立、插入、删除、查找等。详情请看以下代码。
链表LinkList类
public class LinkList{
public Node head;
public LinkList()
{
head=new Node();
}
//建立单链表(尾插法)
public void create(int n) throws Exception
{
Scanner scanner=new Scanner(System.in);
for(int i=0; i<n; i++)
{
insert(i,scanner.next());
}
}
//清空
public void clear()
{
head.data=null;
head.next=null;
}
//是否为空
public boolean isEmpty()
{
return head.next==null;
}
//长度
public int length()
{
Node q=head.next;
int len=0;
while(q!=null)
{
len++;
q=q.next;
}
return len;
}
//获取某个位置的元素
public Object get(int i) throws Exception
{
int j=0;
Node q=head.next;
while(j<i && q!=null)
{
q=q.next;
j++;
}
if(j>i || q==null)
{
throw new Exception("第"+i+"个元素不存在!");
}
return q.data;
}
//获取元素所在的位置
public int indexOf(Object x)
{
Node q=head.next;
int j=0;
while(q!=null && !q.data.equals(x))
{
q=q.next;
j++;
}
if(q!=null)
return j;
else
return -1;
}
//插入
public void insert(int i, Object x) throws Exception
{
Node q=head;
int j=0;
while(q!=null && j<i)
{
q=q.next;
j++;
}
if(j>i || q==null)
{
throw new Exception("插入位置不合法!");
}
Node node=new Node(x,q.next);
q.next=node;
}
//删除
public void remove(int i) throws Exception
{
Node q=head;
int j=0;
while(j<i && q!=null)
{
q=q.next;
j++;
}
if(j>i || q==null)
{
throw new Exception("删除位置不合法!");
}
q.next = q.next.next;
}
//打印
public void display()
{
Node q=head.next;
while(q!=null)
{
System.out.print(q.data+" ");
q=q.next;
}
System.out.println();
}
public static void main(String[] args) throws Exception
{
LinkList linkList=new LinkList();
int n=10;
for(int i=0;i<n;i++)
{
linkList.insert(i,i);
}
//打印所有
System.out.print("打印所有: ");
linkList.display();
//长度
int len=linkList.length();
System.out.println("链表的长度: "+len);
//获取位置、值
System.out.print("6所在的位置(从0开始算起)是: ");
System.out.println(linkList.indexOf(6));
//插入位置
linkList.insert(5,22);
System.out.print("插入元素后: ");
linkList.display();
}
}
插入、删除操作可能要注意一下,其它的不用多说了。如有问题,多多交流。(凡星逝水2017)