Open In App

Inorder predecessor and successor for a given key in BST

Improve
Improve
Like Article
Like
Save
Share
Report

There is BST given with root node with key part as integer only. The structure of each node is as follows:

C++




struct Node
{
    int key;
    struct Node *left, *right ;
};


Java




static class Node
{
    int key;
    Node left, right ;
};
 
// This code is contributed by gauravrajput1


Python3




class Node:
   
    def __init__(self, key):
       
        self.key = key
        self.left = None
        self.right = None
 
# This code is contributed by harshitkap00r


C#




public class Node
{
    public int key;
    public Node left, right ;
};
 
// This code is contributed by gauravrajput1


Javascript




<script>
 
      class Node {
        constructor() {
          this.key = 0;
          this.left = null;
          this.right = null;
        }
      }
       
 </script>


You need to find the inorder successor and predecessor of a given key. In case the given key is not found in BST, then return the two values within which this key will lie.

Following is the algorithm to reach the desired result. It is a recursive method: 

Input: root node, key
output: predecessor node, successor node

1. If root is NULL
      then return
2. if key is found then
    a. If its left subtree is not null
        Then predecessor will be the right most 
        child of left subtree or left child itself.
    b. If its right subtree is not null
        The successor will be the left most child 
        of right subtree or right child itself.
    return
3. If key is smaller than root node
        set the successor as root
        search recursively into left subtree
    else
        set the predecessor as root
        search recursively into right subtree

Following is the implementation of the above algorithm: 

C++




// C++ program to find predecessor and successor in a BST
#include <iostream>
using namespace std;
 
// BST Node
struct Node
{
    int key;
    struct Node *left, *right;
};
 
// This function finds predecessor and successor of key in BST.
// It sets pre and suc as predecessor and successor respectively
void findPreSuc(Node* root, Node*& pre, Node*& suc, int key)
{
    // Base case
    if (root == NULL)  return ;
 
    // If key is present at root
    if (root->key == key)
    {
        // the maximum value in left subtree is predecessor
        if (root->left != NULL)
        {
            Node* tmp = root->left;
            while (tmp->right)
                tmp = tmp->right;
            pre = tmp ;
        }
 
        // the minimum value in right subtree is successor
        if (root->right != NULL)
        {
            Node* tmp = root->right ;
            while (tmp->left)
                tmp = tmp->left ;
            suc = tmp ;
        }
        return ;
    }
 
    // If key is smaller than root's key, go to left subtree
    if (root->key > key)
    {
        suc = root ;
        findPreSuc(root->left, pre, suc, key) ;
    }
    else // go to right subtree
    {
        pre = root ;
        findPreSuc(root->right, pre, suc, key) ;
    }
}
 
// A utility function to create a new BST node
Node *newNode(int item)
{
    Node *temp =  new Node;
    temp->key = item;
    temp->left = temp->right = NULL;
    return temp;
}
 
/* A utility function to insert a new node with given key in BST */
Node* insert(Node* node, int key)
{
    if (node == NULL) return newNode(key);
    if (key < node->key)
        node->left  = insert(node->left, key);
    else
        node->right = insert(node->right, key);
    return node;
}
 
// Driver program to test above function
int main()
{
    int key = 65;    //Key to be searched in BST
 
   /* Let us create following BST
              50
           /     \
          30      70
         /  \    /  \
       20   40  60   80 */
    Node *root = NULL;
    root = insert(root, 50);
    insert(root, 30);
    insert(root, 20);
    insert(root, 40);
    insert(root, 70);
    insert(root, 60);
    insert(root, 80);
 
 
    Node* pre = NULL, *suc = NULL;
 
    findPreSuc(root, pre, suc, key);
    if (pre != NULL)
      cout << "Predecessor is " << pre->key << endl;
    else
      cout << "No Predecessor";
 
    if (suc != NULL)
      cout << "Successor is " << suc->key;
    else
      cout << "No Successor";
    return 0;
}


Java




// Java program to find predecessor
// and successor in a BST
class GFG{
 
// BST Node
static class Node
{
    int key;
    Node left, right;
 
    public Node()
    {}
 
    public Node(int key)
    {
        this.key = key;
        this.left = this.right = null;
    }
};
 
static Node pre = new Node(), suc = new Node();
 
// This function finds predecessor and
// successor of key in BST. It sets pre
// and suc as predecessor and successor
// respectively
static void findPreSuc(Node root, int key)
{
     
    // Base case
    if (root == null)
        return;
 
    // If key is present at root
    if (root.key == key)
    {
         
        // The maximum value in left
        // subtree is predecessor
        if (root.left != null)
        {
            Node tmp = root.left;
            while (tmp.right != null)
                tmp = tmp.right;
                 
            pre = tmp;
        }
 
        // The minimum value in
        // right subtree is successor
        if (root.right != null)
        {
            Node tmp = root.right;
             
            while (tmp.left != null)
                tmp = tmp.left;
                 
            suc = tmp;
        }
        return;
    }
 
    // If key is smaller than
    // root's key, go to left subtree
    if (root.key > key)
    {
        suc = root;
        findPreSuc(root.left, key);
    }
     
    // Go to right subtree
    else
    {
        pre = root;
        findPreSuc(root.right, key);
    }
}
 
// A utility function to insert a
// new node with given key in BST
static Node insert(Node node, int key)
{
    if (node == null)
        return new Node(key);
    if (key < node.key)
        node.left = insert(node.left, key);
    else
        node.right = insert(node.right, key);
         
    return node;
}
 
// Driver code
public static void main(String[] args)
{
     
    // Key to be searched in BST
    int key = 65;
 
    /*
     * Let us create following BST
     *          50
     *         /  \
     *        30   70
     *       /  \ /  \
     *      20 40 60  80
     */
 
    Node root = new Node();
    root = insert(root, 50);
    insert(root, 30);
    insert(root, 20);
    insert(root, 40);
    insert(root, 70);
    insert(root, 60);
    insert(root, 80);
 
    findPreSuc(root, key);
    if (pre != null)
        System.out.println("Predecessor is " + pre.key);
    else
        System.out.println("No Predecessor");
 
    if (suc != null)
        System.out.println("Successor is " + suc.key);
    else
        System.out.println("No Successor");
}
}
 
// This code is contributed by sanjeev2552


Python




# Python program to find predecessor and successor in a BST
 
# A BST node
class Node:
 
    # Constructor to create a new node
    def __init__(self, key):
        self.key  = key
        self.left = None
        self.right = None
 
# This function finds predecessor and successor of key in BST
# It sets pre and suc as predecessor and successor respectively
def findPreSuc(root, key):
 
    # Base Case
    if root is None:
        return
 
    # If key is present at root
    if root.key == key:
 
        # the maximum value in left subtree is predecessor
        if root.left is not None:
            tmp = root.left
            while(tmp.right):
                tmp = tmp.right
            findPreSuc.pre = tmp
 
 
        # the minimum value in right subtree is successor
        if root.right is not None:
            tmp = root.right
            while(tmp.left):
                tmp = tmp.left
            findPreSuc.suc = tmp
 
        return
 
    # If key is smaller than root's key, go to left subtree
    if root.key > key :
        findPreSuc.suc = root
        findPreSuc(root.left, key)
 
    else: # go to right subtree
        findPreSuc.pre = root
        findPreSuc(root.right, key)
 
# A utility function to insert a new node in with given key in BST
def insert(node , key):
    if node is None:
        return Node(key)
 
    if key < node.key:
        node.left = insert(node.left, key)
 
    else:
        node.right = insert(node.right, key)
 
    return node
 
 
# Driver program to test above function
key = 65 #Key to be searched in BST
  
""" Let us create following BST
              50
           /     \
          30      70
         /  \    /  \
       20   40  60   80
"""
root = None
root = insert(root, 50)
insert(root, 30);
insert(root, 20);
insert(root, 40);
insert(root, 70);
insert(root, 60);
insert(root, 80);
 
# Static variables of the function findPreSuc
findPreSuc.pre = None
findPreSuc.suc = None
 
findPreSuc(root, key)
 
if findPreSuc.pre is not None:
    print "Predecessor is", findPreSuc.pre.key
 
else:
    print "No Predecessor"
 
if findPreSuc.suc is not None:
    print "Successor is", findPreSuc.suc.key
else:
    print "No Successor"
 
# This code is contributed by Nikhil Kumar Singh(nickzuck_007)


C#




// C# program to find predecessor
// and successor in a BST
using System;
public class GFG
{
 
  // BST Node
  public
 
    class Node
    {
      public
        int key;
      public
        Node left, right;
      public Node()
      {}
 
      public Node(int key)
      {
        this.key = key;
        this.left = this.right = null;
      }
    };
 
  static Node pre = new Node(), suc = new Node();
 
  // This function finds predecessor and
  // successor of key in BST. It sets pre
  // and suc as predecessor and successor
  // respectively
  static void findPreSuc(Node root, int key)
  {
 
    // Base case
    if (root == null)
      return;
 
    // If key is present at root
    if (root.key == key)
    {
 
      // The maximum value in left
      // subtree is predecessor
      if (root.left != null)
      {
        Node tmp = root.left;
        while (tmp.right != null)
          tmp = tmp.right;
 
        pre = tmp;
      }
 
      // The minimum value in
      // right subtree is successor
      if (root.right != null)
      {
        Node tmp = root.right;
 
        while (tmp.left != null)
          tmp = tmp.left;
 
        suc = tmp;
      }
      return;
    }
 
    // If key is smaller than
    // root's key, go to left subtree
    if (root.key > key)
    {
      suc = root;
      findPreSuc(root.left, key);
    }
 
    // Go to right subtree
    else
    {
      pre = root;
      findPreSuc(root.right, key);
    }
  }
 
  // A utility function to insert a
  // new node with given key in BST
  static Node insert(Node node, int key)
  {
    if (node == null)
      return new Node(key);
    if (key < node.key)
      node.left = insert(node.left, key);
    else
      node.right = insert(node.right, key);
 
    return node;
  }
 
  // Driver code
  public static void Main(String[] args)
  {
 
    // Key to be searched in BST
    int key = 65;
 
    /*
     * Let us create following BST
     *          50
     *         /  \
     *        30   70
     *       /  \ /  \
     *      20 40 60  80
     */
 
    Node root = new Node();
    root = insert(root, 50);
    insert(root, 30);
    insert(root, 20);
    insert(root, 40);
    insert(root, 70);
    insert(root, 60);
    insert(root, 80);
 
    findPreSuc(root, key);
    if (pre != null)
      Console.WriteLine("Predecessor is " + pre.key);
    else
      Console.WriteLine("No Predecessor");
 
    if (suc != null)
      Console.WriteLine("Successor is " + suc.key);
    else
      Console.WriteLine("No Successor");
  }
}
 
// This code is contributed by aashish1995


Javascript




<script>
 
// JavaScript program to find predecessor
// and successor in a BST// BST Node
 class Node
{
     constructor(key)
    {
        this.key = key;
        this.left = this.right = null;
    }
}
 
var pre = new Node(), suc = new Node();
 
// This function finds predecessor and
// successor of key in BST. It sets pre
// and suc as predecessor and successor
// respectively
function findPreSuc(root , key)
{
     
    // Base case
    if (root == null)
        return;
 
    // If key is present at root
    if (root.key == key)
    {
         
        // The maximum value in left
        // subtree is predecessor
        if (root.left != null)
        {
            var tmp = root.left;
            while (tmp.right != null)
                tmp = tmp.right;
                 
            pre = tmp;
        }
 
        // The minimum value in
        // right subtree is successor
        if (root.right != null)
        {
            var tmp = root.right;
             
            while (tmp.left != null)
                tmp = tmp.left;
                 
            suc = tmp;
        }
        return;
    }
 
    // If key is smaller than
    // root's key, go to left subtree
    if (root.key > key)
    {
        suc = root;
        findPreSuc(root.left, key);
    }
     
    // Go to right subtree
    else
    {
        pre = root;
        findPreSuc(root.right, key);
    }
}
 
// A utility function to insert a
// new node with given key in BST
function insert(node , key)
{
    if (node == null)
        return new Node(key);
    if (key < node.key)
        node.left = insert(node.left, key);
    else
        node.right = insert(node.right, key);
         
    return node;
}
 
// Driver code
 
  
    // Key to be searched in BST
    var key = 65;
 
    /*
     * Let us create following BST
     *          50
     *         /  \
     *        30   70
     *       /  \ /  \
     *      20 40 60  80
     */
 
    var root = new Node();
    root = insert(root, 50);
    insert(root, 30);
    insert(root, 20);
    insert(root, 40);
    insert(root, 70);
    insert(root, 60);
    insert(root, 80);
 
    findPreSuc(root, key);
    if (pre != null)
        document.write("Predecessor is " + pre.key);
    else
        document.write("No Predecessor");
 
    if (suc != null)
        document.write("<br/>Successor is " + suc.key);
    else
        document.write("<br/>No Successor");
 
// This code contributed by gauravrajput1
 
</script>


Output

Predecessor is 60
Successor is 70

Complexity Analysis:

Time Complexity: O(h), where h is the height of the tree. In the worst case as explained above we travel the whole height of the tree.
Auxiliary Space: O(1),  since no extra space has been taken.

Another Approach: 

We can also find the inorder successor and inorder predecessor using inorder traversal. Check if the current node is smaller than the given key for the predecessor and for a successor, check if it is greater than the given key. If it is greater than the given key then, check if it is smaller than the already stored value in the successor then, update it. At last, get the predecessor and successor stored in q(successor) and p(predecessor). 

C++




// CPP code for inorder successor
// and predecessor of tree
#include<iostream>
#include<stdlib.h>
 
using namespace std;
 
struct Node
{
    int data;
    Node* left,*right;
};
  
// Function to return data
Node* getnode(int info)
{
    Node* p = (Node*)malloc(sizeof(Node));
    p->data = info;
    p->right = NULL;
    p->left = NULL;
    return p;
}
 
/*
since inorder traversal results in
ascending order visit to node , we
can store the values of the largest
no which is smaller than a (predecessor)
and smallest no which is large than
a (successor) using inorder traversal
*/
void find_p_s(Node* root,int a,
              Node** p, Node** q)
{
    // If root is null return
    if(!root)
        return ;
         
    // traverse the left subtree   
    find_p_s(root->left, a, p, q);
     
    // root data is greater than a
    if(root&&root->data > a)
    {
         
        // q stores the node whose data is greater
        // than a and is smaller than the previously
        // stored data in *q which is successor
        if((!*q) || (*q) && (*q)->data > root->data)
                *q = root;
    }
     
    // if the root data is smaller than
    // store it in p which is predecessor
    else if(root && root->data < a)
    {
        *p = root;
    }
     
    // traverse the right subtree
    find_p_s(root->right, a, p, q);
}
 
// Driver code
int main()
{
    Node* root1 = getnode(50);
    root1->left = getnode(20);
    root1->right = getnode(60);
    root1->left->left = getnode(10);
    root1->left->right = getnode(30);
    root1->right->left = getnode(55);
    root1->right->right = getnode(70);
    Node* p = NULL, *q = NULL;
  
    find_p_s(root1, 55, &p, &q);
     
    if(p)
        cout << p->data;
    if(q)
        cout << " " << q->data;
    return 0;
}


Java




// JAVA code for inorder successor
// and predecessor of tree
 
import java.util.*;
 
class GFG{
 
static class Node
{
    int data;
    Node left,right;
};
  
// Function to return data
static Node getnode(int info)
{
    Node p = new Node();
    p.data = info;
    p.right = null;
    p.left = null;
    return p;
}
 
/*
since inorder traversal results in
ascending order visit to node , we
can store the values of the largest
no which is smaller than a (predecessor)
and smallest no which is large than
a (successor) using inorder traversal
*/
static Node p,q;
static void find_p_s(Node root,int a)
{
    // If root is null return
    if(root == null)
        return ;
         
    // traverse the left subtree   
    find_p_s(root.left, a);
     
    // root data is greater than a
    if(root != null && root.data > a)
    {
         
        // q stores the node whose data is greater
        // than a and is smaller than the previously
        // stored data in *q which is successor
        if((q == null) || (q != null) && q.data > root.data)
                q = root;
    }
     
    // if the root data is smaller than
    // store it in p which is predecessor
    else if(root != null && root.data < a)
    {
        p = root;
    }
     
    // traverse the right subtree
    find_p_s(root.right, a);
}
 
// Driver code
public static void main(String[] args)
{
    Node root1 = getnode(50);
    root1.left = getnode(20);
    root1.right = getnode(60);
    root1.left.left = getnode(10);
    root1.left.right = getnode(30);
    root1.right.left = getnode(55);
    root1.right.right = getnode(70);
     p = null;
     q = null;
  
    find_p_s(root1, 55);
     
    if(p != null)
        System.out.print(p.data);
    if(q != null)
        System.out.print(" " +  q.data);
}
}
 
// This code is contributed by Rajput-Ji


Python3




""" Python3 code for inorder successor
and predecessor of tree """
 
# A Binary Tree Node
# Utility function to create a new tree node
class getnode:
 
    # Constructor to create a new node
    def __init__(self, data):
        self.data = data
        self.left = None
        self.right = None
 
"""
since inorder traversal results in
ascendingorder visit to node , we
can store the values of the largest
o which is smaller than a (predecessor)
and smallest no which is large than
a (successor) using inorder traversal
"""
def find_p_s(root, a, p, q):
 
    # If root is None return
    if(not root):
        return
         
    # traverse the left subtree    
    find_p_s(root.left, a, p, q)
     
    # root data is greater than a
    if(root and root.data > a):
         
        # q stores the node whose data is greater
        # than a and is smaller than the previously
        # stored data in *q which is successor
        if((not q[0]) or q[0] and
                q[0].data > root.data):
            q[0] = root
             
    # if the root data is smaller than
    # store it in p which is predecessor
    elif(root and root.data < a):
        p[0]= root
     
    # traverse the right subtree
    find_p_s(root.right, a, p, q)
 
# Driver Code
if __name__ == '__main__':
 
    root1 = getnode(50)
    root1.left = getnode(20)
    root1.right = getnode(60)
    root1.left.left = getnode(10)
    root1.left.right = getnode(30)
    root1.right.left = getnode(55)
    root1.right.right = getnode(70)
    p = [None]
    q = [None]
     
    find_p_s(root1, 55, p, q)
     
    if(p[0]) :
        print(p[0].data, end = "")
    if(q[0]) :
        print("", q[0].data)
 
# This code is contributed by
# SHUBHAMSINGH10


C#




// C# code for inorder successor
// and predecessor of tree
using System;
 
public class GFG {
 
  public class Node {
    public int data;
    public Node left, right;
  };
 
  // Function to return data
  static Node getnode(int info) {
    Node p = new Node();
    p.data = info;
    p.right = null;
    p.left = null;
    return p;
  }
 
  /*
     * since inorder traversal results in ascending order visit to node , we can
     * store the values of the largest no which is smaller than a (predecessor) and
     * smallest no which is large than a (successor) using inorder traversal
     */
  static Node p, q;
 
  static void find_p_s(Node root, int a)
  {
     
    // If root is null return
    if (root == null)
      return;
 
    // traverse the left subtree
    find_p_s(root.left, a);
 
    // root data is greater than a
    if (root != null && root.data > a) {
 
      // q stores the node whose data is greater
      // than a and is smaller than the previously
      // stored data in *q which is successor
      if ((q == null) || (q != null) && q.data > root.data)
        q = root;
    }
 
    // if the root data is smaller than
    // store it in p which is predecessor
    else if (root != null && root.data < a) {
      p = root;
    }
 
    // traverse the right subtree
    find_p_s(root.right, a);
  }
 
  // Driver code
  public static void Main(String[] args) {
    Node root1 = getnode(50);
    root1.left = getnode(20);
    root1.right = getnode(60);
    root1.left.left = getnode(10);
    root1.left.right = getnode(30);
    root1.right.left = getnode(55);
    root1.right.right = getnode(70);
    p = null;
    q = null;
 
    find_p_s(root1, 55);
 
    if (p != null)
      Console.Write(p.data);
    if (q != null)
      Console.Write(" " + q.data);
  }
}
 
// This code is contributed by Rajput-Ji


Javascript




<script>
 
class Node
{
    constructor(data)
    {
        this.data = data;
        this.left = this.right = null;
    }
}
 
function find_p_s(root, a, p, q)
{
    // If root is None return
    if(root == null)
        return
          
    // traverse the left subtree   
    find_p_s(root.left, a, p, q)
      
    // root data is greater than a
    if(root && root.data > a)
    {    
        // q stores the node whose data is greater
        // than a and is smaller than the previously
        // stored data in *q which is successor
        if((q[0] == null) || q[0] != null && q[0].data > root.data)
         
            q[0] = root
              
    }
     
    // if the root data is smaller than
    // store it in p which is predecessor
    else if(root && root.data < a)
    {    p[0] = root
         
     }
      
    // traverse the right subtree
    find_p_s(root.right, a, p, q)
}
 
// Driver Code
let root1 = new Node(50)
root1.left = new Node(20)
root1.right = new Node(60)
root1.left.left = new Node(10)
root1.left.right = new Node(30)
root1.right.left = new Node(55)
root1.right.right = new Node(70)
p = [null]
q = [null]
 
find_p_s(root1, 55, p, q)
 
if(p[0] != null)
    document.write(p[0].data, end = " ")
if(q[0] != null)
    document.write(" ", q[0].data)
 
// This code is contributed by patel2127
</script>


Output

50 60

Complexity Analysis:

Time Complexity: O(n), where n is the total number of nodes in the tree. In the worst case as explained above we travel the whole tree.
Auxiliary Space: O(n).

Iterative method:

Input: root node, key
output: predecessor node, successor node

  1. set suc and pre as NULL initially.
  2. Create a Node temp1 and set it to root node, temp1 will give the successor while traversing
  3. In first while loop, if temp1->key>key, then temp1->key may be a successor of the key and go to the left of temp.
  4. else, go to the right.
  5. Create a Node temp2 and set it to root node, temp2 will give the predecessor while traversing
  6. In second while loop, if temp2->key<key, then temp1->key may be a predecessor of the key and go to the right of temp.
  7. else, go to the left.

Following is the implementation of the above algorithm: 

C++




// C++ program to find predecessor and successor in a BST
#include <iostream>
using namespace std;
 
// BST Node
struct Node {
    int key;
    struct Node *left, *right;
};
 
// This function finds predecessor and successor of key in
// BST. It sets pre and suc as predecessor and successor
// respectively
void findPreSuc(Node* root, Node*& pre, Node*& suc, int key)
{
    // set pre and suc as NULL initially
    pre = NULL;
    suc = NULL;
 
    // set temp node as root
    Node* temp1 = root;
    while (temp1) {
        // the maximum value in left subtree is successor
        if (temp1->key > key) {
            suc = temp1;
            temp1 = temp1->left;
        }
        else
            temp1 = temp1->right;
    }
    Node* temp2 = root;
    while (temp2) {
        // the minimum value in right subtree is predecessor
        if (temp2->key < key) {
            pre = temp2;
            temp2 = temp2->right;
        }
        else
            temp2 = temp2->left;
    }
    return;
}
 
// A utility function to create a new BST node
Node* newNode(int item)
{
    Node* temp = new Node;
    temp->key = item;
    temp->left = temp->right = NULL;
    return temp;
}
 
/* A utility function to insert a new node with given key in
 * BST */
Node* insert(Node* node, int key)
{
    if (node == NULL)
        return newNode(key);
    if (key < node->key)
        node->left = insert(node->left, key);
    else
        node->right = insert(node->right, key);
    return node;
}
 
// Driver program to test above function
int main()
{
    int key = 65; // Key to be searched in BST
 
    /* Let us create following BST
                            50
                    /     \
                    30     70
                    / \ / \
            20 40 60 80 */
    Node* root = NULL;
    root = insert(root, 50);
    insert(root, 30);
    insert(root, 20);
    insert(root, 40);
    insert(root, 70);
    insert(root, 60);
    insert(root, 80);
 
    Node *pre = NULL, *suc = NULL;
 
    findPreSuc(root, pre, suc, key);
    if (pre != NULL)
        cout << "Predecessor is " << pre->key << endl;
    else
        cout << "No Predecessor";
 
    if (suc != NULL)
        cout << "Successor is " << suc->key;
    else
        cout << "No Successor";
    return 0;
}
//this code is contributed by Harsh Raghav


Java




// Java program to find predecessor and successor in a BST
class Node {
    int key;
    Node left, right;
   
// BST Node
    public Node(int key) {
        this.key = key;
        this.left = this.right = null;
    }
}
 
class Main {
    static Node root;
    static Node pre, suc;
   
// This function finds predecessor and successor of key in
// BST. It sets pre and suc as predecessor and successor
// respectively
    public static void findPreSuc(Node root, int key) {
        if (root == null) {
            return;
        }
 
        if (root.key == key) {
            // the maximum value in left subtree is predecessor
            if (root.left != null) {
                Node tmp = root.left;
                while (tmp.right != null) {
                    tmp = tmp.right;
                }
                pre = tmp;
            }
 
            // the minimum value in right subtree is successor
            if (root.right != null) {
                Node tmp = root.right;
                while (tmp.left != null) {
                    tmp = tmp.left;
                }
                suc = tmp;
            }
            return;
        }
 
        if (root.key > key) {
            suc = root;
            findPreSuc(root.left, key);
        } else {
            pre = root;
            findPreSuc(root.right, key);
        }
    }
 
    public static Node insert(Node node, int key) {
        if (node == null) {
            return new Node(key);
        }
        if (key < node.key) {
            node.left = insert(node.left, key);
        } else {
            node.right = insert(node.right, key);
        }
        return node;
    }
 
    public static void main(String[] args) {
        int key = 65;
 
        /* Let us create following BST
              50
           /    \
          30    70
         / \   / \
       20 40 60 80 */
        root = insert(root, 50);
        insert(root, 30);
        insert(root, 20);
        insert(root, 40);
        insert(root, 70);
        insert(root, 60);
        insert(root, 80);
 
        pre = suc = null;
        findPreSuc(root, key);
 
        findPreSuc(root, key);
        if (pre != null) {
            System.out.println("Predecessor is " + pre.key);
        } else {
            System.out.println("No Predecessor");
        }
 
        if (suc != null) {
            System.out.println("Successor is " + suc.key);
        } else {
            System.out.println("No Successor");
        }
    }
}


Python3




# Python program to find predecessor and successor in a BST
 
# BST Node
class Node:
    def __init__(self, key):
        self.key = key
        self.left = None
        self.right = None
 
# This function finds predecessor and successor of key in
# BST. It sets pre and suc as predecessor and successor
# respectively
def findPreSuc(root, key):
    # Base Case
    if root is None:
        return
 
    # If key is present at root
    if root.key == key:
         
        # the maximum value in left subtree is predecessor
        if root.left is not None:
            tmp = root.left
            while(tmp.right):
                tmp = tmp.right
            findPreSuc.pre = tmp
 
        # the minimum value in right subtree is successor
        if root.right is not None:
            tmp = root.right
            while(tmp.left):
                tmp = tmp.left
            findPreSuc.suc = tmp
         
        return
 
    # If key is smaller than root's key
    # value then it could be in left subtree
    if root.key > key:
        findPreSuc.suc = root
        findPreSuc(root.left, key)
    else: # else it can only be in right subtree
        findPreSuc.pre = root
        findPreSuc(root.right, key)
 
# A utility function to create a new BST node
def newNode(item):
    return Node(item)
 
# A utility function to insert a new node with given key in BST
def insert(node, key):
    if node is None:
        return newNode(key)
    if key < node.key:
        node.left = insert(node.left, key)
    else:
        node.right = insert(node.right, key)
    return node
 
# Driver program to test above function
def main():
    key = 65 # Key to be searched in BST
 
    """ Let us create following BST
              50
           /    \
          30    70
         / \   / \
       20 40 60 80
    """
    root = None
    root = insert(root, 50)
    insert(root, 30)
    insert(root, 20)
    insert(root, 40)
    insert(root, 70)
    insert(root, 60)
    insert(root, 80)
 
    findPreSuc.pre = None
    findPreSuc.suc = None
    findPreSuc(root, key)
 
    if findPreSuc.pre is not None:
        print("Predecessor is", findPreSuc.pre.key)
    else:
        print("No Predecessor")
 
    if findPreSuc.suc is not None:
        print("Successor is", findPreSuc.suc.key)
    else:
        print("No Successor")
 
main()
 
# This code is contributed by vikramshirsath177.


C#




// C# program to find predecessor and successor in a BST
public class Node {
  public int key;
  public Node left, right;
 
  // BST Node
  public Node(int key) {
    this.key = key;
    this.left = this.right = null;
  }
}
 
public class Program {
  static Node root;
  static Node pre, suc;
 
  // This function finds predecessor and successor of key in
  // BST. It sets pre and suc as predecessor and successor
  // respectively
  public static void findPreSuc(Node root, int key) {
    if (root == null) {
      return;
    }
 
    if (root.key == key) {
      // the maximum value in left subtree is predecessor
      if (root.left != null) {
        Node tmp = root.left;
        while (tmp.right != null) {
          tmp = tmp.right;
        }
        pre = tmp;
      }
 
      // the minimum value in right subtree is successor
      if (root.right != null) {
        Node tmp = root.right;
        while (tmp.left != null) {
          tmp = tmp.left;
        }
        suc = tmp;
      }
      return;
    }
 
    if (root.key > key) {
      suc = root;
      findPreSuc(root.left, key);
    } else {
      pre = root;
      findPreSuc(root.right, key);
    }
  }
 
  public static Node insert(Node node, int key) {
    if (node == null) {
      return new Node(key);
    }
    if (key < node.key) {
      node.left = insert(node.left, key);
    } else {
      node.right = insert(node.right, key);
    }
    return node;
  }
 
  public static void Main() {
    int key = 65;
 
    /* Let us create following BST
              50
           /    \
          30    70
         / \   / \
       20 40 60 80 */
    root = insert(root, 50);
    insert(root, 30);
    insert(root, 20);
    insert(root, 40);
    insert(root, 70);
    insert(root, 60);
    insert(root, 80);
 
    pre = suc = null;
    findPreSuc(root, key);
 
    findPreSuc(root, key);
    if (pre != null) {
      System.Console.WriteLine("Predecessor is " + pre.key);
    } else {
      System.Console.WriteLine("No Predecessor");
    }
 
    if (suc != null) {
      System.Console.WriteLine("Successor is " + suc.key);
    } else {
      System.Console.WriteLine("No Successor");
    }
  }
}
 
// This code is contributed by surajrasr7277.


Javascript




// Javascript program to find predecessor and successor in a BST
 
// BST Node
class Node {
    constructor(key) {
        this.key = key;
        this.left = null;
        this.right = null;
    }
}
 
// This function finds predecessor and successor of key in
// BST. It sets pre and suc as predecessor and successor
// respectively
function findPreSuc(root, pre, suc, key) {
    // set pre and suc as NULL initially
    pre = null;
    suc = null;
 
    // set temp node as root
    let temp1 = root;
    while (temp1) {
        // the maximum value in left subtree is successor
        if (temp1.key > key) {
            suc = temp1;
            temp1 = temp1.left;
        }
        else
            temp1 = temp1.right;
    }
    let temp2 = root;
    while (temp2) {
        // the minimum value in right subtree is predecessor
        if (temp2.key < key) {
            pre = temp2;
            temp2 = temp2.right;
        }
        else
            temp2 = temp2.left;
    }
    return;
}
 
// A utility function to create a new BST node
function newNode(item) {
    let temp = new Node(item);
    return temp;
}
 
/* A utility function to insert a new node with given key in
 * BST */
function insert(node, key) {
    if (node == null)
        return newNode(key);
    if (key < node.key)
        node.left = insert(node.left, key);
    else
        node.right = insert(node.right, key);
    return node;
}
 
// Driver program to test above function
let key = 65; // Key to be searched in BST
 
/* Let us create following BST
                            50
                    /     \
                    30     70
                    / \ / \
            20 40 60 80 */
let root = null;
root = insert(root, 50);
insert(root, 30);
insert(root, 20);
insert(root, 40);
insert(root, 70);
insert(root, 60);
insert(root, 80);
 
let pre = null, suc = null;
 
findPreSuc(root, pre, suc, key);
if (pre != null)
    console.log(`Predecessor is ${pre.key}`);
else
    console.log("No Predecessor");
 
if (suc != null)
    console.log(`Successor is ${suc.key}`);
else
    console.log("No Successor");
     
    // This code is contributed by factworx412


Output

Predecessor is 60
Successor is 70

Complexity Analysis:

Time Complexity: O(n), where n is the total number of nodes in the tree. In the worst case as explained above we travel the whole tree.
Auxiliary Space: O(1).

?list=PLqM7alHXFySHCXD7r1J0ky9Zg_GBB1dbk

 



Last Updated : 08 Feb, 2023
Like Article
Save Article
Previous
Next
Share your thoughts in the comments
Similar Reads