LeetCode-二叉树的下一个节点

LeetCode-二叉树的下一个节点_第1张图片

  1. 如果当前节点有右儿子,则右子树中最左侧的节点就是当前节点的后继。比如F的后继是H;
  2. 如果当前节点没有右儿子,则需要沿着father域一直向上找,找到第一个是其father左儿子的节点,该节点的father就是当前节点的后继。比如当前节点是D,则第一个满足是其father左儿子的节点是C,则C的father就是D的后继,即F是D的后继。

LeetCode-二叉树的下一个节点_第2张图片

时间复杂度分析:不论往上找还是往下找,总共遍历的节点数都不大于树的高度。所以时间复杂度是 O(h),其中 h 是树的高度。

/**
 * Definition for a binary tree node.
 * struct TreeNode {
 *     int val;
 *     TreeNode *left;
 *     TreeNode *right;
 *     TreeNode *father;
 *     TreeNode(int x) : val(x), left(NULL), right(NULL), father(NULL) {}
 * };
 */
class Solution {
public:
    TreeNode* inorderSuccessor(TreeNode* p) {
        if (p->right)
        {
            p = p->right;
            while (p->left) p = p->left;
            return p;
        }
        
        while (p->father && p == p->father->right) p = p->father;
        return p->father;
    }
};

你可能感兴趣的:(树,Leetcode,剑指Offer,leetcode,算法)