赞
踩
顺序表是最简单的线性表,也就是数组。很多语言都把把它当做内置的基本数据类型,这里的数组没有对应数据结构的操作。
数组是顺序存储的结构,连续分配一段内存用于存储数据。在逻辑结构和物理结构上都是连续的。
在java内置的数组上建立顺序表。
public class Array{ private Object[] data;//容器 private int size;//实际长度 private int cap;//容量 public Array() {//默认构造方法 size=0; cap=15; data=new Object[cap]; } public Array(int cap) { size=0; this.cap=cap;//传入容器容量 data=new Object[cap]; } }
顺序表有容量,那么就需要判空和判满。
public boolean isEmpty() {//判空 if(this.getSize()==0) { return true; } return false; } public boolean isFull() {//判满 if(this.getSize()==this.cap) { return true; } return false; } public int getSize() {//得到实际长度 return size; }
查询数据和插入都是通过索引,所以需要判断索引是否异常。
public void isError(int index){//索引异常
if(index<0||index>=getSize()){
System.out.println("\n索引异常,结束程序");
System.exit(0);
}
}
通过索引查询元素
public Object get(int index){//查询元素
if(isError(index)){
return null;
}
return this.data[index];
}
从头部删除,尾部删除,以及通过索引删除。
从尾部移除元素最简单,直接将实际长度减一即可。
public Object remove() {//移除
return this.data[--size];
}
从头部或者通过索引移除数据,则操作比较麻烦,被移除的数据位置需要由后面的数据顶上。
public Object del(int index){//删除元素 if(isError(index)){ return null; } if(index==size-1){ return remove(); } for(int i=index;i<getSize()-1;i++){ this.data[i]=this.data[i+1]; } size--; return this.data[index]; } public Object removeHead(){//从头部移除 return del(0); }
public boolean add(Object e) {//增加元素
if(this.isFull()) {
System.err.println("容器已满,无法添加\n程序结束");
System.exit(0);
}
this.data[size]=e;
this.size++;
System.out.println("add success");
return true;
}
遍历就是访问数组中每个数据。
插入的逻辑和删除一样,移动数据,可以自己尝试实现。
public void display() {//遍历
System.out.println("display: ");
for(int i=0;i<this.getSize();i++) {
System.out.print(" "+this.data[i]);
}
System.out.println("\nover...");
}
插入和删除逻辑是一样,移动数据。
public boolean insert(int index,Object e){//插入 if(index==getSize()){//先判断是否是追加,再判断索引是否越界 return add(e); } if(isError(index)){//索引越界判断 return false; } for(int i=size-index;i>0;i--){//将每个数据向后移动一位 this.data[index+i]=this.data[index+i-1]; } this.data[index]=e; size++; return true; }
一个简单的顺序表或者说数组就完成了。
public static void main(String[] args) { Array array=new Array(); array.add("hello"); array.add("ok"); array.add("----"); array.add("nice"); array.add(3); array.display(); array.remove(); array.del(3); array.display(); array.insert(2, "well"); array.insert(1, "ooo"); array.display(); }
得到以下结果:
add success
add success
add success
add success
add success
display:
hello ok ---- nice 3
display over...
display:
hello ok ----
display over...
display:
hello ooo ok well ----
display over...
Copyright © 2003-2013 www.wpsshop.cn 版权所有,并保留所有权利。