劍指offer | 55 - I. 二叉樹的深度

Leonadoice發表於2020-12-12

題目內容:

輸入一棵二叉樹的根節點,求該樹的深度。從根節點到葉節點依次經過的節點(含根、葉節點)形成樹的一條路徑,最長路徑的長度為樹的深度。

例如:

給定二叉樹 [3,9,20,null,null,15,7],

    3
   / \
  9  20
    /  \
   15   7

返回它的最大深度 3 。

提示:

節點總數 <= 10000

方法一: DFS深搜也就是樹的後續遍歷,找到左右子樹最深的那個的深度再加上root的1就可以。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:
    int maxDepth(TreeNode* root) {
        if(!root) return 0;
        return max(maxDepth(root->left),maxDepth(root->right))+1;
    }
};

方法二: 層序遍歷,也叫廣搜BFS,往往用佇列與while迴圈實現。

/**
 * 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:
    int maxDepth(TreeNode* root) {
        if (!root) {
            return 0;
        }

        queue<TreeNode*> bfs;
        bfs.push(root);
        int res = 0;

        while (!bfs.empty()) {
            // 第一層迴圈確保當前層還有元素
            queue<TreeNode*> temp; // temp 用於儲存當前層的下一層的所有元素

            while (!bfs.empty()) {
                // 第二層迴圈則是遍歷當前層的所有元素
                if (bfs.front() -> left) {temp.push(bfs.front() -> left);}
                if (bfs.front() -> right) {temp.push(bfs.front() -> right);}
                bfs.pop();
            }

            ++ res; // 層數 +1
            bfs = temp; // bfs 更新到當前層的下一層
        }

        return res;
    }
};

參考:位元組題庫 - #劍55-I - 簡單 - 二叉樹的深度 - 2刷

相關文章