1.监控二叉树
给定一个二叉树,我们在树的节点上安装摄像头。
节点上的每个摄影头都可以监视其父对象、自身及其直接子对象。
计算监控树的所有节点所需的最小摄像头数量。
思路:递归
/** * Definition for a binary tree node. * struct TreeNode { * int val; * TreeNode *left; * TreeNode *right; * TreeNode(int x) : val(x), left(NULL), right(NULL) {} * }; */ struct Status { int a, b, c; }; class Solution { public: Status dfs(TreeNode* root) { if (!root) { return {INT_MAX / 2, 0, 0}; } auto [la, lb, lc] = dfs(root->left); auto [ra, rb, rc] = dfs(root->right); int a = lc + rc + 1; int b = min(a, min(la + rb, ra + lb)); int c = min(a, lb + rb); return {a, b, c}; } int minCameraCover(TreeNode* root) { auto [a, b, c] = dfs(root); return b; } };