LeetCode -- 查找最小公共祖先


在一棵二叉树中, 查找两个节点的最近的公共祖先。
由于本题没有涉及到批量查询,因此考虑一般解法即可,如果涉及批量,可考虑Tarjan算法。


思路:
1. 先序遍历
2. 判断查找的两节点和当前节点的关系
3. 根据是否为空的情况返回不同节点


要注意的地方是判断节点是否相等,本题使用了C++语言,直接判断指针本身了




/**
 * 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 == NULL)  
        return NULL;  
    if(root== p || root==q)  
        return root;  


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


    if(left != NULL && right != NULL)  
        return root;  
    else if(left != NULL)  
        return left;  
    else if (right != NULL)  
        return right;  
    else   
        return NULL;  
    }
};


你可能感兴趣的:(LeetCode,数据结构与算法)