Skip to content

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

我的解题

下面的code,是按照 labuladong 用 Git 来讲讲二叉树最近公共祖先 中的思路写出的。

#include <bits/stdc++.h>
using namespace std;

/**
 * Definition for a binary tree node.
 * struct TreeNode {
 *     int val;
 *     TreeNode *left;
 *     TreeNode *right;
 *     TreeNode(int x) : val(x), left(NULL), right(NULL) {}
 * };
 */

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 == nullptr)
        {
            return nullptr;
        }
        if (root == p || root == q)
        {
            return root;
        }
        TreeNode *left = lowestCommonAncestor(root->left, p, q);
        TreeNode *right = lowestCommonAncestor(root->right, p, q);
        /**
         * 左右子树分别是目标节点
         */
        if (left && right)
        {
            return root;
        }
        /**
         * 左右子树都不包含目标节点
         */
        if (left == nullptr && right == nullptr)
        {
            return nullptr;
        }
        /**
         * 左右子树中只有一个包含目标节点
         */
        return left == nullptr ? right : left;
    }
};

// g++ test.cpp --std=c++11 -pedantic -Wall -Wextra