Leetcode 101. 대칭 두 갈래 나무--귀속, 교체

10212 단어 Leetcode

Leetcode 101. 대칭 두 갈래 나무--귀속, 교체


제목


두 갈래 나무를 정해서 거울이 대칭적인지 확인하세요.
예를 들어 두 갈래 나무[1,2,2,3,4,3]는 대칭적이다.
​ 1
/ 2 2/\/ 3 4 4 3
그러나 아래 이것[1,2,2,null,3,null,3]은 거울의 대칭이 아니다.
​ 1
/ 2 2\ 3 3
링크:https://leetcode-cn.com/problems/symmetric-tree

생각


나무의 대칭 여부를 판단하다
1. 특수한 상황을 먼저 고려하고 노드와 비우면 틀림없이 대칭적이다
2. 뿌리 노드가 비어 있지 않고 좌우 나무가 대칭적이면 대칭
3. 그러면 좌우 나무의 대칭을 어떻게 판단하나요?만약 왼쪽 나무의 왼쪽 나무와 오른쪽 나무의 오른쪽 나무가 같다면, 왼쪽 나무의 오른쪽 나무와 오른쪽 나무의 왼쪽 나무가 같다면 대칭적이다.

풀다


차례로 돌아가다

/**
 * 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 isSymmetric(TreeNode* root) {
        return ismirror(root,root);
    }

    bool ismirror(TreeNode *p,TreeNode *q)// 
    {
        if(!q && !p)// true
            return true;
        else if(!q||!p)// 
            return false;
        else if(p->val==q->val)
            return ismirror(p->left,q->right)&&ismirror(p->right,q->left);// 
        return false;
    }
};

교체 BFS

/**
 * 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 isSymmetric(TreeNode* root) {
        if(!root)   return true;
        queue<TreeNode*> q;
        q.push(root->left);
        q.push(root->right);

        while(!q.empty())
        {
            TreeNode * q1 = q.front();
            q.pop();
            TreeNode * q2 = q.front();
            q.pop();
            if(!q1 && !q2)  continue;
            else if((!q1||!q2)||(q1->val!=q2->val))
                return false;
            q.push(q1->left);
            q.push(q2->right);
            q.push(q1->right);
            q.push(q2->left);
        }
        return true;
    }
};

좋은 웹페이지 즐겨찾기