abr.c
2.64 KB
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
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
#include <stdio.h>
#include <stdlib.h>
#include <assert.h>
#include "abr.h"
static struct abr* new_feuille (int x){
struct abr* F;
F = (struct abr*)malloc (sizeof (struct abr));
F->gauche = NIL;
F->valeur = x;
F->droit = NIL;
return F;
}
struct abr* ajout_abr_rec (int x, struct abr* A){
if (A == NIL)
return new_feuille (x);
else if (x < A->valeur)
A->gauche = ajout_abr_rec (x, A->gauche);
else
A->droit = ajout_abr_rec (x, A->droit);
return A;
}
int max( int a, int b){
if(a>b){
return a;
}
return b;
}
int hauteur_abr( struct abr* A){
if(A == NIL){
return -1;
}
return max(hauteur_abr(A->gauche),hauteur_abr(A->droit))+1;
}
bool recherche_abr_rec (int x, struct abr* A){
bool b = false;
if (A == NIL){
return b;
} else if ( x == A->valeur ){
return true;
} else if (x < A->valeur){
b=recherche_abr_rec (x, A->gauche);
} else{
b=recherche_abr_rec (x, A->droit);
}
return b;
}
static void affiche_abr (struct abr* A){
if( A!= NIL){
affiche_abr(A->gauche);
printf("- %d ", A-> valeur);
affiche_abr(A->droit);
}
}
void imprime_abr (struct abr* A){
printf("Valeurs de l'arbre: \n");
affiche_abr(A);
printf(" -\n");
}
static void affiche_abrV2 (struct abr* A, int profondeur){
if( A!= NIL){
int i = 0;
for(i=0; i<=profondeur; i++){
printf("\t");
}
printf("%d\n ", A-> valeur);
affiche_abrV2(A->droit, profondeur+1);
affiche_abrV2(A->gauche, profondeur+1);
}
}
void imprime_abrV2 (struct abr* A){
printf("Valeurs de l'arbre: \n");
affiche_abrV2(A, 0);
printf("\n");
}
void clear_abr (struct abr* A)
{
if (A != NIL)
{ clear_abr (A->gauche);
clear_abr (A->droit);
free (A);
}
}
void imprimeArbreDot( struct abr* A, FILE* f){
if(A->gauche != NIL){
fprintf(f,"%d -> %d [label=\"gauche\"];\n", A->valeur, A->gauche->valeur);
imprimeArbreDot(A->gauche,f);
}
if(A->droit != NIL){
fprintf(f,"%d -> %d [label=\"droit\"];\n", A->valeur, A->droit->valeur);
imprimeArbreDot(A->droit,f);
}
}
void imprimeDot( struct abr* A){
FILE* f;
f = fopen("ABR.dot", "w");
fprintf(f,"digraph G {\n");
if(A==NIL){
fprintf(f,"NIL\n");
}else if (A->gauche == NIL && A->droit == NIL){
fprintf(f,"%d\n", A->valeur);
}else {
imprimeArbreDot(A,f);
}
fprintf(f,"}\n");
fclose(f);
system("dot -Tpdf ABR.dot -GRANKDIR=LR -o ABR.pdf");
system("evince ABR.pdf &");
}