Skip to content

Latest commit

 

History

History
125 lines (88 loc) · 3.7 KB

linked_list.md

File metadata and controls

125 lines (88 loc) · 3.7 KB

Linked List

  • Each node object must hold at least two pieces of information.
    1. the node must contain the list item itself (i.e. data field).
    2. each node must hold a reference to the next node.

Tips and Template

  • Traverse a linked list

    node = root
    while node:
        print(node.val)
        node = node.next
  • When we talk about linked list, we are normally talk about singly linked list. There is also a Doubly Linked list defined as follows:

    Leetcode Linked List Learn Doubly Linked List

    class Node
        def __init__(self, val):
            self.val = val
            self.prev = None
            self.next = None
  • Linked list in-place operation can be confusing (i.e. insert or delete), its better to draw the structure and it'll become much more obvious

    For example when deleting a node in the middle :

    Leetcode Linked List Learn Delete Operation

    node = self.get_node(index)
    prev_node = node.prev
    next_node = node.next
    prev_node.next = next_node
    next_node.prev = prev_node
  • Its better to use a Dummy head most of time, especially when deleting node is required

    For example:

    def linked_list(root):
        dummy = Node("x")
        dummy.next = root
    
        # Do your logic here
    
        return dummy.next
  • In many cases, you need to track the previous node of the current node.

    dummy = Node("x")
    dummy.next = root
    
    prev = dummy
    node = head
    
    while node:
        prev = node
        node = node.next
  • Two pointer approach is widely used in linked list, such as detecting cycle, remove n-th node etc

    For example when detecting cycle:

    def hasCycle(self, head: ListNode) -> bool:
        slow = head
        fast = head
        
        while fast and fast.next:
            slow = slow.next
            fast = fast.next.next
            
            if slow == fast:
                return True
            
        return False
  • It is common to use Hashmap or hashset to store visited nodes, its widely use to find intersection or beginning of cyclic linked list

    def detectCycle(self, head: ListNode) -> ListNode:
        visited = set()
        while head:
            if head.next in visited:
                return head.next
            visited.add(head)
            head = head.next
        return

Here is a great comparison of time complexity between the linked list and the array from Leetcode.

Leetcode Linked List Learn Conclusion

Reference:

Practice: