Created
December 5, 2019 12:20
-
-
Save rishi93/67af3fe30c3d912e75c8d6e482c46a85 to your computer and use it in GitHub Desktop.
Daily Coding Problem - 8
This file contains hidden or 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
| """ | |
| This problem was asked by Google. | |
| 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 Node: | |
| def __init__(self, val, left=None, right=None): | |
| self.val = val | |
| self.left = left | |
| self.right = right | |
| def countUnivals(root): | |
| def helper(root): | |
| if root.left is None and root.right is None: | |
| return 1, True | |
| left_n_univals, left_is_unival = helper(root.left) | |
| right_n_univals, right_is_unival = helper(root.right) | |
| if root.left.val == root.right.val: | |
| if left_is_unival and right_is_unival: | |
| return 1 + left_n_univals + right_n_univals, True | |
| return left_n_univals + right_n_univals, False | |
| count, flag = helper(root) | |
| return count | |
| binaryTree = Node(0, Node(1), Node(0, Node(1, Node(1), Node(1)), Node(0))) | |
| print(countUnivals(binaryTree)) |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment