leetcode-236-二叉树公共祖先

Posted sunshineboy1

tags:

篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了leetcode-236-二叉树公共祖先相关的知识,希望对你有一定的参考价值。

思路:

公共祖先需要分为三种情况:

1.pq包含在root的左右子树中,则root就是他们公共祖先

2.pq包含在root的右子树中,则公共祖先是右子树

3.pq包含在root的左子树中,则公共祖先在左子树

 

代码:

/**
 * 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:
    TreeNode* lowestCommonAncestor(TreeNode* root, TreeNode* p, TreeNode* q) {
      //如果root为根的子树中包含p和q,则返回他们的最近的公共祖先
      //如果只包含P,则返回q
      //如果只包含q,则放回q
      //如果都不包含,则返回null
      if(!root || root==p || root==q) return root;

      auto left=lowestCommonAncestor(root->left,p,q);
      auto right=lowestCommonAncestor(root->right,p,q);

      if(!left) return right; //若left不包含pq,则直接返回right
      if(!right) return left;//若right不包含pq,则直接返回left
      return root;  //若right and left 都不为空,证明左右各一个,所以root就是公共祖先
    }
};

 

以上是关于leetcode-236-二叉树公共祖先的主要内容,如果未能解决你的问题,请参考以下文章

LeetCode 236. 二叉树的最近公共祖先

leetcode 236 二叉树的最近公共祖先

leetcode-236二叉树的最近公共祖先

Leetcode 236.二叉树的最近公共祖先

LeetCode236. 二叉树的最近公共祖先

leetcode 236 二叉树的最近公共祖先