Skip to content

Latest commit

History

History
100 lines (58 loc) 路 1.83 KB

linkedlist.md

File metadata and controls

100 lines (58 loc) 路 1.83 KB

Linked List

Algorithm to reverse a linked list

public ListNode reverse(ListNode head) {
	ListNode previous = null;
	ListNode current = head;

	while (current != null) {
		// Keep temporary next node
		ListNode next = current.next;
		// Change link
		current.next = previous;
		// Move previous and current
		previous = current;
		current = next;
	}

	return previous;
}

#linkedlist

Doubly linked list

Each node contains a pointer to the previous and the next node

#linkedlist

Doubly linked list complexity: access, insert, delete

Access: O(n)

Insert: O(1)

Delete: O(1)

#complexity #linkedlist

Get the middle of a linked list

Using the runner technique

#linkedlist

Iterate over two linked lists

while (l1 != null || l2 != null) {
	
}

#linkedlist

Linked list complexity: access, insert, delete

Access: O(n)

Insert: O(1)

Delete: O(1)

#complexity #linkedlist

Linked list questions prerequisite

Single or doubly linked list?

#linkedlist

Queue implementations and insert/delete complexity

  1. Linked list with pointers on head and tail

Insert: O(1)

Delete: O(1)

  1. Circular buffer if queue has a fixed size using a read and write pointer

Insert: O(1)

Delete: O(1)

#linkedlist #queue

Ring buffer (or circular buffer) structure

Data structure using a single, fixed-sized buffer as if it were connected end-to-end

#linkedlist

What if we need to iterate backwards on a singly linked list in constant space without mutating the input?

Reverse the liked list (or a subpart only), implement the algo then reverse it again to the initial state

#linkedlist #technique