【Leetcode】Symmetric Tree

1235 단어
Given a binary tree, check whether it is a mirror of itself (ie, symmetric around its center).
For example, this binary tree is symmetric:
    1
   / \
  2   2
 / \ / \
3  4 4  3

But the following is not:
    1
   / \
  2   2
   \   \
   3    3

분석: 앞에서 언급한 두 갈래 나무의 문제는 주로 귀속과 반복으로 해결할 수 있다.이 문제도 귀속으로 해결할 수 있다.
/**
 * Definition for binary tree
 * struct TreeNode {
 *     int val;
 *     TreeNode *left;
 *     TreeNode *right;
 *     TreeNode(int x) : val(x), left(NULL), right(NULL) {}
 * };
 */
class Solution {
public:
    bool isSymmetric(TreeNode *root) {
        if(root == nullptr)
            return true;
        
        return judgeSymmetric(root->left, root->right);
    }
    
private:
    bool judgeSymmetric(TreeNode *node, TreeNode *mirror)
    {
        if(node == nullptr && mirror == nullptr)
            return true;
        else if(node != nullptr && mirror != nullptr && node->val == mirror->val)
            return judgeSymmetric(node->right, mirror->left) && judgeSymmetric(node->left, mirror->right);
        else
            return false;
    }
};

좋은 웹페이지 즐겨찾기