链接:https://leetcode-cn.com/contest/weekly-contest-148/problems/binary-tree-coloring-game/
题解:来自大佬 https://leetcode-cn.com/u/daodao-2
很值得学习特此记录
有两位极客玩家参与了一场「二叉树着色」的游戏。游戏中,给出二叉树的根节点 root
,树上总共有 n
个节点,且 n
为奇数,其中每个节点上的值从 1
到 n
各不相同。
游戏从「一号」玩家开始(「一号」玩家为红色,「二号」玩家为蓝色),最开始时,
「一号」玩家从 [1, n]
中取一个值 x
(1 <= x <= n
);
「二号」玩家也从 [1, n]
中取一个值 y
(1 <= y <= n
)且 y != x
。
「一号」玩家给值为 x
的节点染上红色,而「二号」玩家给值为 y
的节点染上蓝色。
之后两位玩家轮流进行操作,每一回合,玩家选择一个他之前涂好颜色的节点,将所选节点一个 未着色 的邻节点(即左右子节点、或父节点)进行染色。
如果当前玩家无法找到这样的节点来染色时,他的回合就会被跳过。
若两个玩家都没有可以染色的节点时,游戏结束。着色节点最多的那位玩家获得胜利 ??。
现在,假设你是「二号」玩家,根据所给出的输入,假如存在一个 y
值可以确保你赢得这场游戏,则返回 true
;若无法获胜,就请返回 false
。
示例:
输入:root = [1,2,3,4,5,6,7,8,9,10,11], n = 11, x = 3 输出:True 解释:第二个玩家可以选择值为 2 的节点。
提示:
root
,树上由 n
个节点,节点上的值从 1
到 n
各不相同。n
为奇数。1 <= x <= n <= 100
题解:
public class Context_2 {
int[] sz;
int res;
int x;
public boolean btreeGameWinningMove(TreeNode root, int n, int x) {
sz = new int[n+1];
dfs(root);
res = n - sz[x];
this.x = x;
update(root);
return res > n / 2;
}
//统计各个节点的子节点的个数+1(本身)
void dfs(TreeNode cur) {
if (cur == null) return;
sz[cur.val] = 1;
//当前节点的子节点的个数 是左节点个数+右节点个数+1(本身)
if (cur.left != null) {
dfs(cur.left);
sz[cur.val] += sz[cur.left.val];
}
if (cur.right != null) {
dfs(cur.right);
sz[cur.val] += sz[cur.right.val];
}
}
//取剩余节点 和 标记节点的 左节点和右节点 中的最大值
void update(TreeNode cur) {
if (cur == null) return;
if (cur.val == x) {
if (cur.left != null) {
res = Math.max(res, sz[cur.left.val]);
}
if (cur.right != null) {
res = Math.max(res, sz[cur.right.val]);
}
return;
}
update(cur.left);
update(cur.right);
}
}
LeetCode 第 148 场周赛 第二题(5148. 二叉树着色游戏)JAVA 题解(二叉树节点个数统计技巧)
原文:https://www.cnblogs.com/hdljdylzsx/p/11298824.html