[leetcode 13] same-tree

题目描述
给出两个二叉树,请写出一个判断两个二叉树是否相等的函数。
判断两个二叉树相等的条件是:两个二叉树的结构相同,并且相同的节点上具有相同的值。
Given two binary trees, write a function to check if they are equal or not.
Two binary trees are considered equal if they are structurally identical and the nodes have the same value.

思路:

  • 判断两棵二叉树是否相等,考虑使用递归的方法。其实二叉树的很多问题都可以用递归求解,所以关键是问题的拆解;
  • 本题中,两棵二叉树相等的问题可以拆解成如下子问题:1、两棵二叉树的根节点的值相同;2、根节点的左右子树也是相等的。相同这一点就可以用递归求解。

代码:

/**
 * 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 isSameTree(TreeNode *p, TreeNode *q) {
        if (p == nullptr && q == nullptr)
            return true;
        if (p == nullptr || q == nullptr || q->val != p->val)
            return false;
        return isSameTree(p->left, q->left)&&isSameTree(p->right, q->right);
    }
};

你可能感兴趣的:(leetcode,c++)