本文只演示删除操作,添加数组元素不在演示

public class ArrayDemo {
	private int[] array;
    private int size;//数组中元素的总个数

    public ArrayDemo(int capacity) {
        this.array = new int[capacity];
        size = 0;
    }
    /**
     * 删除数组元素
     * @param index 指定删除的位置(下标从0开始)
     * @return
     */
    public int delete(int index){
        if(index<0||index>=size){
            throw new IndexOutOfBoundsException("超出数组实际元素的范围");
        }
        //从左向右循环,将元素逐个向左移动
        for (int i = index; i <size-1 ; i++) {
            array[i]=array[i+1];
        }
        size--;
        return array[index];//返回被删除的元素
    }
    public static void main(String[] args) {
        ArrayDemo myArray = new ArrayDemo(10);
        //考虑扩容的添加
        myArray.insertPro(24,0);
        myArray.insertPro(34,1);
        myArray.insertPro(44,2);
        myArray.insertPro(54,3);
        myArray.insertPro(64,4);
        myArray.insertPro(666,5);
        myArray.output();
        System.out.println("*********");
        //删除指定元素
        myArray.delete(5);
        myArray.output();
    }
   }

输出结果:删除第5个元素(下标从0开始)

Java数组移除指定元素 java移除数组中的某个元素_数组元素