Last active
August 28, 2018 08:39
-
-
Save woodRock/bdef5def2994357dc263757a2160ac5d to your computer and use it in GitHub Desktop.
A unival tree (which stands for "universal value") is a tree where all nodes under it have the same value. Given the root to a binary tree, count the number of unival subtrees. For example, the following tree has 5 unival subtrees: 0 / \ 1 0 / \ 1 0 / \ 1 1
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
/** | |
A unival tree (which stands for "universal value") is a tree where all nodes under it have the same value. | |
Given the root to a binary tree, count the number of unival subtrees. | |
For example, the following tree has 5 unival subtrees: | |
0 | |
/ \ | |
1 0 | |
/ \ | |
1 0 | |
/ \ | |
1 1 | |
*/ | |
class UnivalTree { | |
public int val; | |
public UnivalTree left; | |
public UnivalTree right; | |
public UnivalTree(int val, UnivalTree left, UnivalTree right){ | |
this.val = val; | |
this.left = left; | |
this.right = right; | |
} | |
public static int count_unival_subtrees(UnivalTree tree){ | |
int count = 0; | |
if (tree.left==null && tree.right==null) | |
return 1; | |
if (tree.left.val==tree.right.val) | |
count += 1; | |
if (tree.left!=null) | |
count += count_unival_subtrees(tree.left); | |
if (tree.right!=null) | |
count += count_unival_subtrees(tree.right); | |
return count; | |
} | |
public static void main(String [] args){ | |
UnivalTree tree = | |
new UnivalTree(0, | |
new UnivalTree(1, null, null), new UnivalTree(0, | |
new UnivalTree(1, new UnivalTree(1, null, null), | |
new UnivalTree(1, null, null)), new UnivalTree(0, null, null))); | |
System.out.println(count_unival_subtrees(tree)); | |
} | |
} | |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment