C 언어 로 두 갈래 찾기 트 리 구현
#include<stdio.h>
#include<stdlib.h>
/*
* : , < <
* C
* 2015-9-13
*/
typedef struct TreeNode *PtrToNode;
typedef PtrToNode Tree;
typedef PtrToNode Position;
struct TreeNode {
int Element;
Tree Left; //
Tree Right; //
};
/*
* ,
*/
Tree MakeEmpty(Tree T)
{
if (T != NULL) {
MakeEmpty(T->Left);
MakeEmpty(T->Right);
free(T);
}
return NULL;
}
/*
*
*/
Position Find(int X, Tree T)
{
if (T == NULL) {
return NULL;
}
if (X < T->Element) {
return Find(X, T->Left);
}
else if (X>T->Element) {
return Find(X, T->Right);
}
else {
return T;
}
}
/*
*
*/
Position FindMin(Tree T)
{
if (T == NULL) {
return NULL;
}
else if (T->Left == NULL) {
return T;
}
else {
FindMin(T->Left);
}
}
/*
*
*/
Position FindMax(Tree T)
{
if (T == NULL) {
return NULL;
}
else if (T->Right == NULL) {
return T;
}
else {
FindMax(T->Right);
}
}
/*
*
*/
Tree Insert(int X, Tree T)
{
if (T == NULL) {
T = (Tree)malloc(sizeof(struct TreeNode));
if (T == NULL) {
printf("Out of memory!
");
exit(1);
}
else {
T->Element = X;
T->Left = T->Right = NULL;
}
}
else if (X < T->Element) {
T->Left = Insert(X, T->Left);
}
else if (X > T->Element) {
T->Right = Insert(X, T->Right);
}
return T;
}
/*
*
*/
Tree Delete(int X, Tree T)
{
Position TmpCell;
if (T == NULL) {
printf("No such element!
");
exit(2);
}
else if (X < T->Element) {
T->Left = Delete(X, T->Left);
}
else if (X > T->Element) {
T->Right = Delete(X, T->Right);
}
else if (T->Left && T->Right) {
TmpCell = FindMin(T->Right);
T->Element = TmpCell->Element;
T->Right = Delete(T->Element, T->Right);
}
else {
TmpCell = T;
if (T->Left == NULL) {
T = T->Right;
}
else if (T->Right == NULL) {
T = T->Left;
}
free(TmpCell);
}
}
/*
*
*/
void PrintWithPreorder(Tree T)
{
if (T != NULL) {
printf("%d\t", T->Element);
PrintWithPreorder(T->Left);
PrintWithPreorder(T->Right);
}
}
/*
*
*/
void PrintWithInorder(Tree T)
{
if (T != NULL) {
PrintWithInorder(T->Left);
printf("%d\t", T->Element);
PrintWithInorder(T->Right);
}
}
/*
*
*/
void PrintWithPostorder(Tree T)
{
if (T != NULL) {
PrintWithPostorder(T->Left);
PrintWithPostorder(T->Right);
printf("%d\t", T->Element);
}
}
/*
*
*/
int main()
{
Tree T = NULL;
T = Insert(1, T);
T = Insert(0, T);
T = Insert(-1, T);
T = Insert(20, T);
T = Insert(-10, T);
T = Insert(10, T);
T = Insert(2, T);
T = Insert(5, T);
printf("Min is %d
", FindMin(T)->Element);
printf("Max is %d
", FindMax(T)->Element);
//
PrintWithInorder(T);
return 0;
}
이 블 로그 의 지속 적 인 업데이트...
이 내용에 흥미가 있습니까?
현재 기사가 여러분의 문제를 해결하지 못하는 경우 AI 엔진은 머신러닝 분석(스마트 모델이 방금 만들어져 부정확한 경우가 있을 수 있음)을 통해 가장 유사한 기사를 추천합니다:
다양한 언어의 JSONJSON은 Javascript 표기법을 사용하여 데이터 구조를 레이아웃하는 데이터 형식입니다. 그러나 Javascript가 코드에서 이러한 구조를 나타낼 수 있는 유일한 언어는 아닙니다. 저는 일반적으로 '객체'{}...
텍스트를 자유롭게 공유하거나 복사할 수 있습니다.하지만 이 문서의 URL은 참조 URL로 남겨 두십시오.
CC BY-SA 2.5, CC BY-SA 3.0 및 CC BY-SA 4.0에 따라 라이센스가 부여됩니다.