package arrayList;
import java.util.Arrays;
//定义顺序表,实现IList 接口
public class MyArrayList implements IList{
//定义要操作的数组
public int[]elem;
public int usedSize;//数组中存储的数据个数
public MyArrayList(){
this.elem=new int[10];//表示数组长度是10
}
package arrayList;
//定义一个异常,用于对pos不合法时的报警
public class PosNotLegalException extends RuntimeException{
public PosNotLegalException(){
}
public PosNotLegalException(String msg){
super(msg);
}
}
判断和查找元素
复制代码
@Override // 判定是否包含某个元素
public boolean contains(int toFind) {
//只需要找usedSize次
for (int i = 0; i < usedSize; i++) {
if(elem[i]==toFind){
return true;
}
}
return false;
}
@Override // 查找某个元素对应的位置
public int indexOf(int toFind) {
for (int i = 0; i < usedSize; i++) {
if(elem[i]==toFind){
return i;//与上面contains方法的代码一样,只是返回的是下标
}
}
return -1;
}
获取和更新元素
复制代码
//get/set时,判断pos是否合法
private void checkPosOfGet(int pos)throws PosNotLegalException{
if(pos<0||pos>=usedSize){
throw new PosNotLegalException("get/set获取元素的时候pos位置不合法。。。");
}
}
@Override // 获取 pos 位置的元素
public int get(int pos) {
try{
checkPosOfGet(pos);
}catch (PosNotLegalException e){
e.printStackTrace();
}
return elem[pos];
}
@Override //给 pos 位置的元素设为 value 更新pos位置的值为value
public void set(int pos, int value) {
try{
checkPosOfGet(pos);
}catch (PosNotLegalException e){
e.printStackTrace();
}
elem[pos]=value;
}
删除元素和清空顺序表
复制代码
@Override //删除第一次出现的关键字key
public void remove(int toRemove) {
//要查找是否查找要删除的关键字 toRemove
int pos =indexOf(toRemove);
if(pos==-1){
System.out.println("没有要删除的数字!");
return;
}
for (int i = 0; i < usedSize-1; i++) {
elem[i]=elem[i+1];
}
usedSize--;
}
@Override // 清空顺序表
public void clear() {
//1.如果是数组元素,直接将usedSize置为0
//2.如果是引用类型,则置为null
/* for (int i = 0; i < usedSize; i++) {
elem[i]=null;
}*/
usedSize=0;//这里是数组
}
获取顺序表的长度和打印顺序表
复制代码
@Override // 获取顺序表长度
public int size() {
return usedSize;
}
@Override //打印顺序表
public void display() {
for (int i = 0; i < usedSize; i++) {
System.out.print(elem[i]+" ");
}
System.out.println();
}