20190603-검지offer28-AcWing-39.대칭적인 두 갈래 나무

8070 단어 검지offer

검지offer28-AcWing-39.대칭적인 두 갈래 나무


두 갈래 나무가 대칭적인지 아닌지를 판단하는 함수를 실현하세요.
만약 두 갈래 나무가 그것의 거울과 같다면, 그것은 대칭적이다.
예를 들어 다음 그림에서 보듯이 두 갈래 나무[1,2,2,3,4,3,null,null,null,null,null,null,null]는 대칭 두 갈래 나무이다.
    1
   / \
  2   2
 / \ / \
3  4 4  3

다음 그림에서 보듯이 두 갈래 나무[1,2,2,null,4,3,null,null,null,null]는 대칭 두 갈래 나무가 아니다.
    1
   / \
  2   2
   \ / \
   4 4  3

사고방식: 두 갈래 나무의 앞 순서는 먼저 두 갈래 결점을 훑어보고 왼쪽 갈래 나무 결점을 훑어보고 오른쪽 갈래 나무의 대칭 나무, 즉 거울 나무이다. 우리는 먼저 두 갈래 노드를 훑어보고 오른쪽 갈래 나무를 훑어보고 왼쪽 갈래 나무를 훑어보고 두 번의 결과가 같은지 끊임없이 판단할 수 있다.주: 빈 바늘의 상황을 고려하세요.C++ code:
/**
 * 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 isSymmetricCore(TreeNode* root1, TreeNode* root2){
        if(root1 == NULL && root2 == NULL){
            return true;
        }
        if(root1 == NULL || root2 == NULL){
            return false;
        }
        if(root1->val != root2->val){
            return false;
        }
        return isSymmetricCore(root1->left, root2->right) && isSymmetricCore(root1->right, root2->left);
    }
    bool isSymmetric(TreeNode* root) {
        return isSymmetricCore(root, root);
    }
};

python code:
# 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 isSymmetricCore(self, root1, root2):
        if root1 == None and root2 == None:
            return True
        if root1 == None or root2 == None:
            return False
        if root1.val != root2.val:
            return False
        
        return self.isSymmetricCore(root1.left, root2.right) and self.isSymmetricCore(root1.right, root2.left)
        
    def isSymmetric(self, root):
        """
        :type root: TreeNode
        :rtype: bool
        """
        return self.isSymmetricCore(root, root)

좋은 웹페이지 즐겨찾기