LeetCode集錦(二十一) - 第100題 Same Tree

問題

Given two binary trees, write a function to check if they are the same or not. 

 Two binary trees are considered the same if they are structurally identical and the nodes have the same value. 

 Example 1: 


Input:     1         1
          / \       / \
         2   3     2   3

        [1,2,3],   [1,2,3]

Output: true


 Example 2: 


Input:     1         1
          /           \
         2             2

        [1,2],     [1,null,2]

Output: false


 Example 3: 


Input:     1         1
          / \       / \
         2   1     1   2

        [1,2,1],   [1,1,2]

Output: false

複製代碼

翻譯:

給定兩棵二叉樹,編寫一個函數來檢查它們是否相同。 若是兩個二叉樹在結構上是相同的,而且節點具備相同的值,則認爲它們是相同的。 示例1:node

1         1
          / \       / \
         2   3     2   3
        [1,2,3],   [1,2,3]

複製代碼

輸出:true 示例2:bash

1         1
        /           \
       2             2
      [1,2],[1,null, 2)
複製代碼

輸出:false 示例3:ide

1         1
         / \       / \
        2   1     1   2
       [1,2,1],   [1,1,2]
複製代碼

輸出:false函數


解題思路

本題判斷兩個樹是否相等,咱們第一時間想到的就是遍歷樹節點,看看樹節點是否一致(內容)。遍歷樹的方法有前序遍歷,中序遍歷,和後序遍歷,這邊選擇了後序遍歷。ui

解題方法

  1. 後序遍歷方式,代碼以下spa

    public boolean isSameTree(TreeNode p, TreeNode q) {
        if (p == null && q == null) {
            return true;
        }
        if (p == null || q == null) {
            return false;
        }
    
        boolean left = isSameTree(p.left, q.left);
        boolean right = isSameTree(p.right, q.right);
    
        return left && right && p.val == q.val;
    }
    
    class TreeNode {
        int val;
        TreeNode left;
        TreeNode right;
    
        TreeNode(int x) {
            val = x;
        }
    }
    
    複製代碼

    時間複雜度: 該方案用了遞歸遍歷樹,不要判斷時間複雜度,並且樹的遍歷複雜度都說很差,且記爲O(n)翻譯

    空間複雜度: 該方案使用了沒有使用額外空間,因此空間複雜度是O(n)=O(1);code

總結

本題的大體解法如上所訴按照正常遍歷樹的方式來就好,選擇本身喜歡的遍歷方式,可是就是不會算樹的時間複雜度。。。遞歸

相關文章
相關標籤/搜索