-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy path111-bst_insert.c
48 lines (43 loc) · 918 Bytes
/
111-bst_insert.c
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
#include "binary_trees.h"
/**
* bst_insert - inserts a value in a Binary Search Tree
* @tree: a double pointer to the root node of the BST to insert the value
* @value: the value to store in the node to be inserted
* Return: A pointer to the created node
* NULL on failure
*/
bst_t *bst_insert(bst_t **tree, int value)
{
bst_t *tmp = NULL;
bst_t *second = NULL;
bst_t *new = NULL;
if (!tree)
return (NULL);
if (*tree == NULL)
return (*tree = binary_tree_node(NULL, value));
tmp = *tree;
while (tmp)
{
second = tmp;
if (value < tmp->n)
tmp = tmp->left;
else if (value > tmp->n)
tmp = tmp->right;
else if (value == tmp->n)
return (NULL);
}
new = binary_tree_node(NULL, value);
if (second == NULL)
second = new;
else if (value < second->n)
{
second->left = new;
new->parent = second;
}
else
{
second->right = new;
new->parent = second;
}
return (new);
}