接口设计

  1. public int size(); // 返回动态数组元素个数
  2. public boolean isEmpty(); // 是否为空
  3. public boolean contains(E element); // 是否包含某个元素
  4. public void add(E element); // 在数组尾部添加元素
  5. public E get(int index); // 返回index位置对应的元素
  6. public E set(int index, E element); // 设置/更换index位置上的值
  7. public void add (int index, E element); // 在index位置上添加元素
  8. public E remove(int index); // 移除index位置上的值
  9. public int indexOf(E element); // 查看元素的位置
  10. public void clear(); // 清空动态数组所有元素

private设计

  1. // 元素的数量
  2. private int size;
  3. // 所有的元素
  4. private E[] elements;
  5. private static final int DEFAULT_CAPACITY = 10;
  6. private static final int ELEMENT_NOT_FOUND = -1;
  7. /**
  8. * 保证要有capacity的容量
  9. * @param capacity
  10. */
  11. private void ensureCapacity(int capacity) {
  12. int oldCapacity = elements.length;
  13. if (oldCapacity >= capacity) return;
  14. // 新容量为旧容量的1.5倍
  15. int newCapacity = oldCapacity + (oldCapacity >> 1);
  16. E[] newElements = (E[]) new Object[newCapacity];
  17. for (int i = 0; i < size; i++) {
  18. newElements[i] = elements[i];
  19. }
  20. elements = newElements;
  21. System.out.println(oldCapacity + "扩容为" + newCapacity);
  22. }
  23. private void outOfBounds(int index) {
  24. throw new IndexOutOfBoundsException("Index:" + index + ", Size:" + size);
  25. }
  26. private void rangeCheck(int index) {
  27. if (index < 0 || index >= size) {
  28. outOfBounds(index);
  29. }
  30. }
  31. private void rangeCheckForAdd(int index) {
  32. if (index < 0 || index > size) {
  33. outOfBounds(index);
  34. }
  35. }

构造函数设计

  1. public ArrayList(int capaticy) {
  2. capaticy = (capaticy < DEFAULT_CAPACITY) ? DEFAULT_CAPACITY : capaticy;
  3. elements = (E[]) new Object[capaticy];
  4. }
  5. public ArrayList() {
  6. this(DEFAULT_CAPACITY);
  7. }

重写输出

  1. @Override
  2. public String toString() {
  3. // size=3, [99, 88, 77]
  4. StringBuilder string = new StringBuilder();
  5. string.append("size=").append(size).append(", [");
  6. for (int i = 0; i < size; i++) {
  7. if (i != 0) {
  8. string.append(", ");
  9. }
  10. string.append(elements[i]);
  11. // if (i != size - 1) {
  12. // string.append(", ");
  13. // }
  14. }
  15. string.append("]");
  16. return string.toString();
  17. }