链表概念
链表是一种物理存储单元上非连续、非顺序的存储结构。数据元素的逻辑顺序是通过链表中的指针链接次序实现的。链表由一系列的结点组成,结点可以在运行时动态生成。
单向链表
概念
单向链表是链表的一种,它由多个结点组成,每个节点都有一个数据域和一个指针域,数据域用来存储数据,指针域用来指向其后继结点。链表的头结点的数据域不存储数据,指针域指向第一个真正存储数据的结点。
实现
package linear;
import java.util.Iterator;
public class LinkList<T> implements Iterable<T>{
//记录头结点
private Node head;
//记录链表长度
private int N;
//结点类
private class Node{
//存储数据
T item;
//下一个节点
Node next;
//内部类的构造方法
public Node(T item,Node next){
this.item = item;
this.next = next;
}
}
public LinkList(){
//初始化头结点
this.head = new Node(null,null);
//初始化元素个数
this.N = 0;
}
//清空链表
public void clear(){
this.head.next = null;
this.N = 0;
}
//获取链表长度
public int length(){
return this.N;
}
//判断链表是否为空
public boolean isEmpty(){
return this.N == 0;
}
//获取指定位置i处的元素
public T get(int i){
Node n = head.next;
for(int index=0;index<i;index++){
n = n.next;
}
return n.item;
}
//向链表中添加元素t
public void insert(T t){
//找到当前最后一个节点
Node n = head;
//创建新节点保存元素
while(n.next!=null){
n = n.next;
}
//当前最后一个结点指向新节点
Node newNode = new Node(t,null);
n.next = newNode;
//元素个数加一
N++;
}
//向链表中添加元素t
public void insert(int i,T t){
//找到i位置前一个节点
Node pre = head;
for(int index=0;index<=i-1;index++){
pre = pre.next;
}
//找到i位置的结点
Node curr = pre.next;
//创建新节点
Node newNode = new Node(t,curr);
pre.next = newNode;
N++;
}
//删除指定位置i处的元素,并返回被删除的元素
public T remove(int i){
//找到i位置前一个节点
Node pre = head;
for(int index=0;index<=i-1;i++){
pre = pre.next;
}
Node curr = pre.next;
Node nextNode = curr.next;
pre.next = nextNode;
N--;
return nextNode.item;
}
//查找元素t在链表中第一次出现的位置
public int indexOf(T t){
Node n = head;
for(int i=0;n.next!=null;i++){
n = n.next;
if(n.item.equals(t)){
return i;
}
}
return -1;
}
@Override
public Iterator<T> iterator() {
return new LIterator();
}
private class LIterator implements Iterator{
private Node n;
public LIterator(){
this.n = head;
}
@Override
public boolean hasNext() {
return n.next!=null;
}
@Override
public Object next() {
n = n.next;
return n.item;
}
}
}
package test;
import linear.LinkList;
public class LinkListTest {
public static void main(String[] args) {
//创建顺序表对象
LinkList<String> s1 = new LinkList<>();
//测试插入
s1.insert("小红");
s1.insert("小兰");
s1.insert("小黄");
s1.insert(1,"小绿");
//遍历元素
for(String s : s1){
System.out.println(s);
}
System.out.println(s1.length());
System.out.println("-------------------------------------");
//获取元素
String getResult = s1.get(1);
System.out.println("索引1处的值是" + getResult);
//测试删除
String removeResult = s1.remove(0);
System.out.println("删除的元素是" + removeResult);
//测试清空
s1.clear();
//输出元素个数
System.out.println("清空后的线性表元素个数是" + s1.length());
}
}