今天我们将学习 BST 以及如何将单个元素(或者我们可以说单个节点)插入 BST**。对于那些已经了解 BST 和双链表的人来说,这很容易,在阅读本文之前,这些主题很重要。所以我提供了这些主题的链接,您可以参考它。-
1.对于双链表
2.对于二叉树
所以在了解如何将单个节点插入 BST 之前。你一定要知道BST是什么,BST是一个
** 二叉搜索树**
它具有一些属性,例如 :-
看起来像这样
为了将元素插入 BST,我们需要一个指向根节点的指针,因为在某些部分我们必须将密钥与根数据进行比较,以便我们知道密钥将插入到左侧还是右侧。
首先我们创建一个节点并将其初始化为 BST。
这是您可以参考的代码,代码是用 C 语言实现的。
#include<stdio.h> #include<stdlib.h> struct node{ struct node* left; int data; struct node* right; }; struct node* createNode(int key){ struct node * newNode = NULL; newNode = malloc(sizeof(struct node)); newNode->left = NULL; newNode->data = key; newNode->right = NULL; return newNode; } void insertNewNode(struct node* root , int key){ struct node * prev = NULL; while(root!=NULL){ prev = root; if(key==root){ printf("element cannot insert it is present inside the bst already"); return ; } else if(key>root->data) { root = root->right; } else{ root = root->left; } } struct node * newNode = createNode(key); if(key>prev->data){ prev->right = newNode; } else{ prev->left = newNode; } } void inOrder(struct node* root){ if(root == NULL){ return root; } inOrder(root->left); printf("%d",root->data1`1); inOrder(root->right); } int main(){ struct node* head1 = createBst(20); struct node* head2 = createBst(10); struct node* head3 = createBst(30); head1->left=head2; head1->right=head3; insertNewNode(head1,40); printf("%d\n",head1->right->right->data); inOrder(head1); return 0; }
以上是如何将元素插入 BST (DSA) ?的详细内容。更多信息请关注PHP中文网其他相关文章!