本题是求二叉树中序遍历的节点的下一个节点。
总体可以分为两种情况:
1 该节点有右子树,那么后继节点就是右子树最左侧的节点
2 该节点没有右子树,那么后继节点要么是NULL,要么是祖先节点
当该节点一直向上走的时候,如果有一个祖先是某节点的左儿子,那么某节点就是后继节点
/**
* 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;
}
else {
while (p->father && p == p->father->right) p = p->father;
return p->father;
}
}
};