저장 성 빅 데이터 구조 연습 문제 노트: 이 진 트 리 검색
22839 단어 데이터 구조
느낌
#include
#include
using namespace std;
typedef int ElemType;
typedef struct TreeNode *BinTree;
struct TreeNode{
ElemType data;
BinTree left;
BinTree right;
};
BinTree FindTail(ElemType x,BinTree BST)
{
if(!BST){
return NULL;
}
if(x > BST->data){
//
return FindTail(x,BST->right);
}else if(x < BST->data){
return FindTail(x,BST->left);
}else{
return BST;
//
}
}
BinTree FindFor(ElemType x,BinTree BST)
{
while(!BST){
if(x > BST->data){
BST = BST->right;
}else if(x < BST->data){
BST = BST->left;
}else{
return BST;
}
}
return NULL;
}
// ,
BinTree FindMin(BinTree BST)
{
if(!BST){
return NULL;
}else if(!BST->left){
return BST;
}else{
return FindMin(BST->left);
}
}
BinTree FindMax(BinTree BST)
{
if(BST){
while(BST->right){
BST = BST->right;
}
}
return BST;
}
BinTree Insert(ElemType x,BinTree BST)
{
if(!BST){
BST = (BinTree)malloc(sizeof(struct TreeNode));
BST->data = x;
BST->left = BST->right = NULL;
}else{
if(x < BST->data){
BST->left = Insert(x,BST->left);
}else if(x > BST->data){
BST->right = Insert(x,BST->right);
}
}
return BST;
}
BinTree Delete(ElemType x,BinTree BST)
{
BinTree temp;
if(!BST){
printf("Not found");
}else if(x < BST->data){
BST->left = Delete(x,BST->left);
}else if(x > BST->data){
BST->right = Delete(x,BST->right);
}else //
if(BST->left && BST->right){ //
temp = FindMin(BST->right);
//
BST->data = temp->data;
BST->right = Delete(BST->data,BST->right);
//
}else{ //
temp = BST;
if(!BST->left){
BST = BST->right;
}else if(!BST->right){
BST = BST->left;
}
free(temp);
}
return BST;
}
void InOrder(BinTree BT)
{
if(BT){
InOrder(BT->left);
printf("%d ",BT->data);
InOrder(BT->right);
}
}
int main(){
BinTree BST = NULL;
BST = Insert(5,BST);
BST = Insert(7,BST);
BST = Insert(3,BST);
BST = Insert(1,BST);
BST = Insert(2,BST);
BST = Insert(4,BST);
BST = Insert(6,BST);
BST = Insert(8,BST);
BST = Insert(9,BST);
/*
5
/\
3 7
/\ /\
1 4 6 8
\ \
2 9
*/
printf("InOrder");
InOrder(BST);
printf("
");
printf("Min Value:%d
",FindMin(BST)->data);
printf("Max Value:%d
",FindMax(BST)->data);
//printf("Find 3 Value:%d
",FindFor(3,BST)->data);
//printf("Find 7 Value:%d
",FindTail(7,BST)->data);
printf("Delete 5
");
Delete(5,BST);
/*
6
/\
3 7
/\ \
1 4 8
\ \
2 9
*/
printf("InOrder:");
InOrder(BST);
printf("
");
return 0;
}
이 내용에 흥미가 있습니까?
현재 기사가 여러분의 문제를 해결하지 못하는 경우 AI 엔진은 머신러닝 분석(스마트 모델이 방금 만들어져 부정확한 경우가 있을 수 있음)을 통해 가장 유사한 기사를 추천합니다:
정수 반전Udemy 에서 공부 한 것을 중얼거린다 Chapter3【Integer Reversal】 (예) 문자열로 숫자를 반전 (toString, split, reverse, join) 인수의 수치 (n)가 0보다 위 또는 ...
텍스트를 자유롭게 공유하거나 복사할 수 있습니다.하지만 이 문서의 URL은 참조 URL로 남겨 두십시오.
CC BY-SA 2.5, CC BY-SA 3.0 및 CC BY-SA 4.0에 따라 라이센스가 부여됩니다.