定义一个泛型类MyStack,实现栈的基本操作:push、pop、peek、isEmpty。 定义一个泛型类MyQueue,实现队列的基本操作:add、remove、peek、isEmpty。 定义一个泛型类MyArrayList,实现数组列表的基本操作:add、remove、get、size。
时间: 2023-07-10 08:17:05 浏览: 266
好的,我可以为您解答这个问题。
以下是定义泛型类MyStack的代码:
```java
public class MyStack<T> {
private ArrayList<T> list;
public MyStack() {
list = new ArrayList<>();
}
public void push(T item) {
list.add(item);
}
public T pop() {
if (isEmpty()) {
throw new EmptyStackException();
}
return list.remove(list.size() - 1);
}
public T peek() {
if (isEmpty()) {
throw new EmptyStackException();
}
return list.get(list.size() - 1);
}
public boolean isEmpty() {
return list.isEmpty();
}
}
```
以下是定义泛型类MyQueue的代码:
```java
public class MyQueue<T> {
private LinkedList<T> list;
public MyQueue() {
list = new LinkedList<>();
}
public void add(T item) {
list.addLast(item);
}
public T remove() {
if (isEmpty()) {
throw new NoSuchElementException();
}
return list.removeFirst();
}
public T peek() {
if (isEmpty()) {
throw new NoSuchElementException();
}
return list.getFirst();
}
public boolean isEmpty() {
return list.isEmpty();
}
}
```
以下是定义泛型类MyArrayList的代码:
```java
public class MyArrayList<T> {
private T[] array;
private int size;
public MyArrayList() {
array = (T[]) new Object[10];
size = 0;
}
public void add(T item) {
if (size == array.length) {
resize();
}
array[size++] = item;
}
public T remove(int index) {
if (index < 0 || index >= size) {
throw new IndexOutOfBoundsException();
}
T item = array[index];
for (int i = index; i < size - 1; i++) {
array[i] = array[i + 1];
}
array[--size] = null;
return item;
}
public T get(int index) {
if (index < 0 || index >= size) {
throw new IndexOutOfBoundsException();
}
return array[index];
}
public int size() {
return size;
}
private void resize() {
T[] newArray = (T[]) new Object[array.length * 2];
System.arraycopy(array, 0, newArray, 0, size);
array = newArray;
}
}
```
以上是定义泛型类MyStack、MyQueue、MyArrayList的代码,它们分别实现了栈、队列、数组列表的基本操作。
阅读全文