import java.util.Iterator;
import java.util.Objects;
import java.util.function.Consumer;
/**
* 单向链表
* @author Administrator
*/
public class SinglyLinkedList<E> implements Iterable {
// 链表长度
private int size;
// 节点
private Node head;
private class Itr implements Iterator{
private int cursor;
@Override
public boolean hasNext() {
return cursor != size;
}
@Override
public Object next() {
return get(cursor++);
}
}
@Override
public Iterator iterator() {
return new Itr();
}
@Override
public void forEach(Consumer action) {
Objects.requireNonNull(action);
for (Object e : this) {
action.accept(e);
}
}
/**
* 定义节点
*/
private class Node{
private E e;
private Node next;
public Node(E e) {
this.e = e;
}
}
/**
* 获取链表长度
* @return 链表长度
*/
public int size() {
return size;
}
/**
* 检查数据是否为Null
* @param e 被检查的数据
* @return
*/
private boolean checkData(E e){
if (e == null){
throw new NullPointerException("添加的数据为空");
}
return true;
}
/**
* 检查下标是否越界
* @param index 被检查的下标
* @return
*/
private boolean checkIndex(int index){
if (index < 0 || index > size){
throw new IndexOutOfBoundsException("输入的下标越界");
}
return true;
}
/**
* 添加数据(到链表尾部)
* @param e 添加的数据
* @return
*/
public boolean add(E e){
return add(size(),e);
}
/**
* 向指定位置插入元素
* @param index 指定的位置
* @param e 插入的元素
* @return
*/
public boolean add(int index,E e){
checkData(e);
checkIndex(index);
Node node = new Node(e);
if (index == 0){
head = node;
size++;
}else {
Node prev = head;
for (int i = 0; i < index - 1; i++) {
prev = prev.next;
}
node.next = prev.next;
prev.next = node;
size++;
}
return true;
}
/**
* 向第一个位置插入元素
* @param e 插入的元素
* @return
*/
public boolean addFirst(E e){
return add(0,e);
}
/**
* 获取制定下标的元素
* @param index 指定的下标
* @return
*/
public E get(int index){
checkIndex(index);
Node prev = head;
for (int i = 0; i < index; i++) {
prev = prev.next;
}
return prev.e;
}
/**
* 获取第一个指定元素的下标
* @param e 指定的元素
* @return
*/
public int indexOf(E e){
checkData(e);
Node prev = head;
for (int i = 0; i < size; i++) {
if (prev.e == e){
return i;
}
prev = prev.next;
}
return -1;
}
/**
* 判断链表中是否包含指定元素
* @param e 指定的元素
* @return
*/
public boolean contains(E e){
checkData(e);
if (indexOf(e) < 0){
return false;
}
return true;
}
/**
* 删除链表第一个节点
* @return
*/
public boolean remove(){
head = head.next;
size--;
return true;
}
/**
* 删除指定下标的元素
* @param index
* @return
*/
public boolean remove(int index){
checkIndex(index);
Node prev = head;
for (int i = 0; i < index - 1; i++) {
prev = prev.next;
}
prev.next = prev.next.next;
size--;
return true;
}
}
测试
@Test
public void Test(){
SinglyLinkedList<Integer> list = new SinglyLinkedList<>();
for (int i = 0; i < 10; i++) {
list.add(i);
}
list.forEach(System.out::println);
list.add(3,91);
list.forEach(System.out::println);
System.out.println(list.indexOf(3));
System.out.println(list.contains(7));
System.out.println(list.contains(11));
list.remove();
list.forEach(System.out::print);
System.out.println();
list.remove(3);
list.forEach(System.out::print);
}