ผลต่างระหว่างรุ่นของ "01204212/codes/linked lists"

จาก Theory Wiki
ไปยังการนำทาง ไปยังการค้นหา
(หน้าที่ถูกสร้างด้วย ': from 01204212 Methods <syntaxhighlight lang="java"> public class LinkedList { public class Node { private int val; priva...')
 
แถว 1: แถว 1:
 
: from [[01204212]]
 
: from [[01204212]]
  
Methods  
+
== LinkedList for integers ==
 +
 
 +
Methods <tt>removeHead</tt> and <tt>addAfter</tt> are left out as exercises.
  
 
<syntaxhighlight lang="java">
 
<syntaxhighlight lang="java">
แถว 94: แถว 96:
 
}
 
}
 
</syntaxhighlight>
 
</syntaxhighlight>
 +
 +
== Generic linked lists ==

รุ่นแก้ไขเมื่อ 06:41, 7 กันยายน 2559

from 01204212

LinkedList for integers

Methods removeHead and addAfter are left out as exercises.

public class LinkedList {

	public class Node {
		private int val;
		private Node next = null;

		public Node(int val) {
			this.val = val;
			this.next = null;
		}

		public Node() {
			this(0);
		}

		public Node getNext() {
			return next;
		}

		public int getVal() {
			return val;
		}

		public void setVal(int v) {
			val = v;
		}
	}

	private Node head = null;
	private Node tail = null;
	private int size = 0;

	public LinkedList() {
		head = tail = null;
		size = 0;
	}

	public boolean isEmpty() {
		return tail != null;
	}

	public int size() {
		return size;
	}

	public Node addHead(int v) {
		if (isEmpty()) {
			return add(v);
		} else {
			Node newNode = new Node(v);
			newNode.next = head;
			head = newNode;
			return newNode;
		}
	}

	public void removeHead() {
		// ... 
	}

	public Node add(int v) {
		Node newNode = new Node(v);

		if (!isEmpty()) {
			tail.next = newNode;
			tail = newNode;
		} else {
			head = tail = newNode;
		}

		size++;
		return newNode;
	}

	public Node addAfter(Node node, int v) {
		// ... 
	}

	public void removeAfter(Node node) {
		if (node.next != null) {
			node.next = node.next.next;
			size--;
		}
	}

	public Node getHead() {
		return head;
	}
}

Generic linked lists