题目:(没做完)
给定一个二叉树,找到最长的路径,这个路径中的每个节点具有相同值。
*这条路径可以经过也可以不经过根节点。
*两个节点之间的路径长度由它们之间的边数表示。
代码:
/**
* Definition for a binary tree node.
* public class TreeNode {
* int val;
* TreeNode left;
* TreeNode right;
* TreeNode(int x) { val = x; }
* }
*/
class Solution {
int res = 0;
public int longestUnivaluePath(TreeNode root) {
dfs(root);
return res;
}
public int dfs(TreeNode root){
if(root == null){
return 0;
}
int l = dfs(root.left);
int r = dfs(root.right);
int leftPath = root.left != null && root.left.val == root.val ? l + 1 : 0;
int rightPath = root.right != null && root.right.val == root.val ? r + 1 : 0;
res = Math.max(res, leftPath + rightPath);//为什么返回leftPath + rightPath的时候不需要判断左右值相等???没有想明白
return Math.max(leftPath, rightPath);//这句是为了完成dfs递归
}
}