1. 程式人生 > >【LeetCode】965. Univalued Binary Tree 解題報告(Python & C++)

【LeetCode】965. Univalued Binary Tree 解題報告(Python & C++)

作者: 負雪明燭
id: fuxuemingzhu
個人部落格: http://fuxuemingzhu.cn/


目錄

題目地址:https://leetcode.com/problems/univalued-binary-tree/

題目描述

A binary tree is univalued if every node in the tree has the same value.

Return true

if and only if the given tree is univalued.

Example 1:

此處輸入圖片的描述

Input: [1,1,1,1,1,null,1]
Output: true

Example 2:

此處輸入圖片的描述

Input: [2,2,2,5,2]
Output: false

Note:

  1. The number of nodes in the given tree will be in the range [1, 100].
  2. Each node’s value will be an integer in the range [0, 99].

題目大意

問二叉樹的每個節點的值是不是都是一樣的。

解題方法

BFS

可以使用BFS或者DFS.這個題我直接花了3分鐘寫了個簡單版本的BFS就能通過了。使用佇列儲存每個節點,用val儲存root節點的值。如果彈出的數字不等於val不等於root節點就立刻返回false。如果全部判斷完成之後仍然沒有返回false,說明所有的數字都等於root,返回true.

python程式碼如下:

# Definition for a binary tree node.
# class TreeNode(object):
#     def __init__(self, x):
#         self.val = x
# self.left = None # self.right = None class Solution(object): def isUnivalTree(self, root): """ :type root: TreeNode :rtype: bool """ q = collections.deque() q.append(root) val = root.val while q: node = q.popleft() if not node: continue if val != node.val: return False q.append(node.left) q.append(node.right) return True

C++程式碼如下:

/**
 * Definition for a binary tree node.
 * struct TreeNode {
 *     int val;
 *     TreeNode *left;
 *     TreeNode *right;
 *     TreeNode(int x) : val(x), left(NULL), right(NULL) {}
 * };
 */
class Solution {
public:
    bool isUnivalTree(TreeNode* root) {
        queue<TreeNode*> q;
        q.push(root);
        int val = root->val;
        while (!q.empty()) {
            TreeNode* node = q.front(); q.pop();
            if (!node) continue;
            if (node->val != val) 
                return false;
            q.push(node->left);
            q.push(node->right);
        }
        return true;
    }
};

DFS

DFS程式碼很簡單,我就不解釋了。

/**
 * Definition for a binary tree node.
 * struct TreeNode {
 *     int val;
 *     TreeNode *left;
 *     TreeNode *right;
 *     TreeNode(int x) : val(x), left(NULL), right(NULL) {}
 * };
 */
class Solution {
public:
    bool isUnivalTree(TreeNode* root) {
        return dfs(root, root->val);
    }
    bool dfs(TreeNode* root, int val) {
        if (!root) return true;
        if (root->val != val) return false;
        return dfs(root->left, val) && dfs(root->right, val);
    }
};

日期

2018 年 12 月 30 日 —— 周賽差強人意