[LeetCode] 117. Populating Next Right Pointers in Each Node II

Follow up for problem "Populating Next Right Pointers in Each Node".
What if the given tree could be any binary tree? Would your previous solution still work?
Note:
  • You may only use constant extra space.
For example,
Given the following binary tree,
         1
       /  \
      2    3
     / \    \
    4   5    7
After calling your function, the tree should look like:
         1 -> NULL
       /  \
      2 -> 3 -> NULL
     / \    \
    4-> 5 -> 7 -> NULL

Thought process:
Still level order traversal. But this time since the tree is not necessarily perfect, I can't iterate on root.left. Instead, I can use dummy nodes whose next pointer points to the left-most node of each level.

Solution 1 (BFS):
 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
/**
 * Definition for binary tree with next pointer.
 * public class TreeLinkNode {
 *     int val;
 *     TreeLinkNode left, right, next;
 *     TreeLinkNode(int x) { val = x; }
 * }
 */
public class Solution {
    public void connect(TreeLinkNode root) {
        while (root != null) {
            TreeLinkNode dummy = new TreeLinkNode(0);
            TreeLinkNode current = dummy;
            
            while (root != null) {
                if (root.left != null) {
                    current.next = root.left;
                    current = current.next;
                }
                if (root.right != null) {
                    current.next = root.right;
                    current = current.next;
                }
                root = root.next;
            }
            root = dummy.next;
        }
    }
}

Solution 2 (DFS):

 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
/**
 * Definition for binary tree with next pointer.
 * public class TreeLinkNode {
 *     int val;
 *     TreeLinkNode left, right, next;
 *     TreeLinkNode(int x) { val = x; }
 * }
 */
public class Solution {
    public void connect(TreeLinkNode root) {
        if (root == null) {
            return;
        }
        
        TreeLinkNode node = root.next;
        while (node != null) {
            if (node.left != null) {
                node = node.left;
                break;
            }
            if (node.right != null) {
                node = node.right;
                break;
            }
            node = node.next;
        }
        
        if (root.right != null) {
            root.right.next = node;
        }
        if (root.left != null) {
            root.left.next = root.right == null ? node : root.right;
        }
        
        connect(root.right);
        connect(root.left);
    }
}

Time complexity: O(n).

Comments

Popular posts from this blog

[LeetCode] 714. Best Time to Buy and Sell Stock with Transaction Fee

[LeetCode] 269. Alien Dictionary

[LeetCode] 631. Design Excel Sum Formula