Skip to content

House Robber III⚓︎

Link

Description⚓︎

The thief has found himself a new place for his thievery again. There is only one entrance to this area, called root.

Besides the root, each house has one and only one parent house. After a tour, the smart thief realized that all houses in this place form a binary tree. It will automatically contact the police if two directly-linked houses were broken into on the same night.

Given the root of the binary tree, return the maximum amount of money the thief can rob without alerting the police.

Example 1:

Ex1

  • Input: root = [3,2,3,null,3,null,1]
  • Output: 7
  • Explanation: Maximum amount of money the thief can rob = 3 + 3 + 1 = 7.

Example 2:

Ex2

  • Input: root = [3,4,5,1,3,null,1]
  • Output: 9
  • Explanation: Maximum amount of money the thief can rob = 4 + 5 = 9.

Constraints:

  • The number of nodes in the tree is in the range [1, 10^4].
  • 0 <= Node.val <= 10^4

Solution⚓︎

Way 1⚓︎

/**
 * Definition for a binary tree node.
 * struct TreeNode {
 *     int val;
 *     TreeNode *left;
 *     TreeNode *right;
 *     TreeNode() : val(0), left(nullptr), right(nullptr) {}
 *     TreeNode(int x) : val(x), left(nullptr), right(nullptr) {}
 *     TreeNode(int x, TreeNode *left, TreeNode *right) : val(x), left(left), right(right) {}
 * };
 */
class Solution {
private:
    unordered_map<TreeNode*, int> memo;
public:
    int rob(TreeNode* root) {
        if (!root) return 0;
        if (memo.count(root)) return memo[root];

        int do_rob = root->val 
        + ((root->left) ? (rob(root->left->left) + rob(root->left->right)) : 0) 
        + ((root->right) ? (rob(root->right->left) + rob(root->right->right)) : 0);
        int go_next = rob(root->left) + rob(root->right);

        int res = max(do_rob, go_next);
        memo[root] = res;
        return res;
    }
};
/**
 * Definition for a binary tree node.
 * struct TreeNode {
 *     int val;
 *     TreeNode *left;
 *     TreeNode *right;
 *     TreeNode() : val(0), left(nullptr), right(nullptr) {}
 *     TreeNode(int x) : val(x), left(nullptr), right(nullptr) {}
 *     TreeNode(int x, TreeNode *left, TreeNode *right) : val(x), left(left), right(right) {}
 * };
 */
class Solution {
private:
    pair<int, int> dfs(TreeNode* node) {
        if (!node) return {0, 0};

        auto [lNotRob, lRob] = dfs(node->left);
        auto [rNotRob, rRob] = dfs(node->right);

        int notRob = max(lNotRob, lRob) + max(rNotRob, rRob);
        int _rob = node->val + lNotRob + rNotRob;
        return {notRob, _rob};
    }
public:
    int rob(TreeNode* root) {
        auto [notRob, _rob] = dfs(root);
        return max(notRob, _rob);
    }
};
  • Time complexity: \(O(n)\), where \(n\) is the number of nodes in the binary tree;
  • Space complexity: \(O(n)\) for the worst-case stack space.