/**
每个节点都用一个长度为2的数组来表示其状态,其中dp[0]表示偷该节点所得到的最多钱币,dp[1]表示不偷该节点所得到的最多钱币
*/
class Solution {
public int rob(TreeNode root) {
int[] robRoot = robTree(root);
return Math.max(robRoot[0],robRoot[1]);
}
public int[] robTree(TreeNode root){
// 终止条件为 当遇到空节点时,偷和不偷都是0
if(root == null){
return new int[]{0,0};
}
// 使用后序遍历 左右中
int[] robLeft = robTree(root.left);
int[] robRight = robTree(root.right);
// 处理中间节点,分情况讨论
// 情况1:如果偷该节点,其左右孩子节点就不能偷了
int val1 = root.val + robLeft[1] + robRight[1];
// 情况2:如果不偷该节点,就将左孩子偷和不偷中的最大值加上右孩子偷和不偷中的最大值相加
int val2 = Math.max(robLeft[0],robLeft[1]) + Math.max(robRight[0],robRight[1]);
// 注意此处的顺序不能放错了,dp[0]表示的是偷
return new int[]{val1,val2};
}
}