/** * A singly linked list. * * @author * @version */ public class LinkedList { private ListElement first; // First element in list. private ListElement last; // Last element in list. private int size; // Number of elements in list. /** * A list element. */ private static class ListElement { public T data; public ListElement next; public ListElement(T data) { this.data = data; this.next = null; } } /** * Creates an empty list. */ public LinkedList() { } /** * Inserts the given element at the beginning of this list. */ public void addFirst(T element) { } /** * Inserts the given element at the end of this list. */ public void addLast(T element) { } /** * Returns the first element of this list. * Returns null if the list is empty. */ public T getFirst() { return null; } /** * Returns the last element of this list. * Returns null if the list is empty. */ public T getLast() { return null; } /** * Returns the element at the specified position in this list. * Returns null if index is out of bounds. */ public T get(int index) { return null; } /** * Removes and returns the first element from this list. * Returns null if the list is empty. */ public T removeFirst() { return null; } /** * Removes all of the elements from this list. */ public void clear() { } /** * Returns the number of elements in this list. */ public int size() { return 0; } /** * Returns true if this list contains no elements. */ public boolean isEmpty() { return false; } /** * Returns a string representation of this list. The string * representation consists of a list of the elements enclosed in * square brackets ("[]"). Adjacent elements are separated by the * characters ", " (comma and space). Elements are converted to * strings by the method toString() inherited from Object. */ public String toString() { return null; } }