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
#include <stdio.h>
#include <stdlib.h>
#include <memory.h>
 
typedef struct TreeNode {
    int data;
    struct TreeNode *left, *right;
} TreeNode;
//          15
//       4         20
//    1          16  25
TreeNode n1 = { 1,  NULLNULL };
TreeNode n2 = { 4,  &n1,  NULL };
TreeNode n3 = { 16NULLNULL };
TreeNode n4 = { 25NULLNULL };
TreeNode n5 = { 20&n3,  &n4 };
TreeNode n6 = { 15&n2,  &n5 };
TreeNode *root = &n6;
 
// ÁßÀ§ ¼øȸ
void inorder(TreeNode *root) {
    if (root != NULL) {
        inorder(root->left);// ¿ÞÂʼ­ºêÆ®¸® ¼øȸ
        printf("[%d] ", root->data);  // ³ëµå ¹æ¹®
        inorder(root->right);// ¿À¸¥Âʼ­ºêÆ®¸® ¼øȸ
    }
}
// ÀüÀ§ ¼øȸ
void preorder(TreeNode *root) {
    if (root != NULL) {
        printf("[%d] ", root->data);  // ³ëµå ¹æ¹®
        preorder(root->left);// ¿ÞÂʼ­ºêÆ®¸® ¼øȸ
        preorder(root->right);// ¿À¸¥Âʼ­ºêÆ®¸® ¼øȸ
    }
}
// ÈÄÀ§ ¼øȸ
void postorder(TreeNode *root) {
    if (root != NULL) {
        postorder(root->left);// ¿ÞÂʼ­ºêÆ®¸® ¼øȸ
        postorder(root->right);// ¿À¸¥Âʼ­ºêÆ®¸®¼øȸ
        printf("[%d] ", root->data);  // ³ëµå ¹æ¹®
    }
}
int main(void)
{
    printf("ÁßÀ§ ¼øȸ=");
    inorder(root);
    printf("\n");
 
    printf("ÀüÀ§ ¼øȸ=");
    preorder(root);
    printf("\n");
 
    printf("ÈÄÀ§ ¼øȸ=");
    postorder(root);
    printf("\n");
    return 0;
}
cs