经典递归,LeetCode 236. 二叉树的最近公共祖先

目录

一、题目

1、题目描述

2、接口描述

3、原题链接

二、解题报告

1、思路分析

2、复杂度

3、代码详解


一、题目

1、题目描述

百度百科中最近公共祖先的定义为:“对于有根树 T 的两个节点 p、q,最近公共祖先表示为一个节点 x,满足 x 是 p、q 的祖先且 x 的深度尽可能大(一个节点也可以是它自己的祖先)。”

2、接口描述

/**
 * 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) {
        
    }
};

3、原题链接

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


二、解题报告

1、思路分析

经典递归,如果找到p或者q向上传递,如果对于一个节点而言,p,q均能找到,那么它就是最近公共祖先

2、复杂度

时间复杂度: O(n)空间复杂度:O(n)

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:
    TreeNode* lowestCommonAncestor(TreeNode* root, TreeNode* p, TreeNode* q) {
        if(!root || root == p || root == q) return root;
        TreeNode* l = lowestCommonAncestor(root -> left, p, q), *r = lowestCommonAncestor(root -> right, p, q);
        if(l && r) return root;
        return l ? l : r;
    }
};

你可能感兴趣的:(leetcode每日一题,算法,leetcode,c++,数据结构)