검지offer&leetcode 대칭적인 두 갈래 나무

1414 단어
우객망 링크: 대칭적인 두 갈래 나무
제목 설명:
두 갈래 나무가 대칭적인지 아닌지를 판단하는 함수를 실현하세요.만약 두 갈래 나무가 이 두 갈래 나무와 같은 거울이라면 대칭으로 정의하십시오.
생각:
사실은 두 그루의 두 갈래 나무의 구조가 같은지 아닌지를 판단하는 데 두 갈래 나무의 왼쪽 나무와 오른쪽 나무에 사용한다.
코드
/*
struct TreeNode {
    int val;
    struct TreeNode *left;
    struct TreeNode *right;
    TreeNode(int x) :
            val(x), left(NULL), right(NULL) {
    }
};
*/
class Solution {
public:
    bool isSymmetrical(TreeNode* root)
    {
        if(root == nullptr)
            return true;
        return isBinarytreeEqual(root->left, root->right);     
    }
    bool isBinarytreeEqual(TreeNode* tree1, TreeNode* tree2)
    {
	if(tree1 == nullptr && tree2 == nullptr) return true;
	else if(tree1 == nullptr || tree2 == nullptr) return false;
	else
	{
		bool isLeftEqual = isBinarytreeEqual(tree1->left, tree2->right);
		bool isRightEqual = isBinarytreeEqual(tree1->left, tree2->right);
		return (tree1->val == tree2->val )&&isLeftEqual && isRightEqual;
	}
}
   
};

씬 버전 코드:

class Solution {
public:
    bool isSymmetrical(TreeNode* pRoot)
    {
        return aux(pRoot,pRoot);
    }
    bool aux(TreeNode* l, TreeNode* r) {
        if(l&&r&&l->val==r->val)
            return aux(l->left,r->right)&&aux(l->right,r->left);
        return !l&&!r;
    }
};

좋은 웹페이지 즐겨찾기