-
Notifications
You must be signed in to change notification settings - Fork 2
/
Copy pathmain_tree.cpp
143 lines (140 loc) · 3.33 KB
/
main_tree.cpp
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
137
138
139
140
141
142
143
#include "Stack.cpp"
typedef int ElemType;
void PostPrint(BinaryTree &t) {//打印后序序列
Stack s;
s.InitStack();
BinaryTree p = t;
BinaryTree r = NULL;
while(p||!s.IsEmpty()) {
if(p) {
s.Push(p);
p = p->left;
}
else {
p = s.GetTop();//如果这里前面加上BinaryTree声明语句会覆盖有效值
if(p->right && p->right != r) {
p=p->right;
}
else {
cout<<s.Pop()->data<<" ";
r=p;
p = NULL;
}
}
}
}
void PrintAncester(BinaryTree &t,ElemType x ) {//打印给定结点值的所有祖先
Stack s;
s.InitStack();
BinaryTree p = t;
BinaryTree r = NULL;
while(p||!s.IsEmpty()) {
if(p) {
s.Push(p);
p = p->left;
}
else {
p = s.GetTop();//如果这里前面加上BinaryTree声明语句会覆盖有效值
if(p->right && p->right != r) {
p=p->right;
}
else {
p = s.Pop();
if(p->data == x) break;
r=p;
p = NULL;
}
}
}
while(!s.IsEmpty()) {
cout<<s.Pop()->data<<" ";
}
}
typedef struct{
BinaryTree tree;
int tag;
}stack;
void PostPrint_easy(BinaryTree &t) {//打印后序序列
stack s[10];
int top = 0;
BinaryTree p = t;
while(p||top>0) {
if(p) {
s[++top].tree = p;
s[top].tag = 0;
p = p->left;
}
else {
p = s[top].tree;
if(p->right && s[top].tag != 1) {
s[top].tag = 1;
p=p->right;
}
else {
cout<<s[top--].tree->data<<" ";
p = NULL;
}
}
}
}
void LinkLeaf(BinaryTree &t) {//把叶结点连在一起
stack s[10],d[10];
int top = 0,top1 = 0;
BinaryTree p = t;
while(p||top>0) {
if(p) {
s[++top].tree = p;
s[top].tag = 0;
p = p->left;
}
else {
p = s[top].tree;
if(p->right && s[top].tag != 1) {
s[top].tag = 1;
p=p->right;
}
else {
if(!p->left && !p->right) d[++top1].tree = p;
top--;
p = NULL;
}
}
}
top = 0;
while(top1>0) s[++top].tree = d[top1--].tree;
p = s[top--].tree;
while(top>0) {
p->right = s[top--].tree;
p = p->right;
}
}
void Exchange(BinaryTree &B) {
if(B->left ||B->right) {
BinaryTree tmp = B->left;
B->left = B->right;
B->right = tmp;
if(B->left) Exchange(B->left);
if(B->right) Exchange(B->right);
}
}
int main() {
int a[] = {1,2,3,4,5,6,7,8,9};
int b[] = {2,3,1,5,4,7,8,6,9};
BinaryTree t=new BTNode(a,b);
t->PrePrint();
t->InPrint();
t->LevelPrint();
cout<<endl;
t->Output();
PostPrint(t);
cout<<endl;
PostPrint_easy(t);
LinkLeaf(t);
BinaryTree head = t->left->right;
while(head) {
cout<<head->data<<" ";
head = head->right;
}
cout<<endl;
PrintAncester(t,7);
}