【数据结构】二叉树的递归遍历

前端之家收集整理的这篇文章主要介绍了【数据结构】二叉树的递归遍历前端之家小编觉得挺不错的,现在分享给大家,也给大家做个参考。
  1. #include <stdio.h>
  2. #include <stdlib.h>
  3.  
  4. typedef char ElemType;
  5. typedef struct BiTree
  6. {
  7. ElemType Elem;
  8. BiTree * LChild;
  9. BiTree * RChild;
  10. }BiTree,*PBiTree;
  11.  
  12. /*建立二叉树*/
  13. PBiTree CreateBiTree();
  14. /*先序遍历二叉树*/
  15. void ProOrderTravel(PBiTree Tree);
  16. /*中序遍历二叉树*/
  17. void InOrderTravel(PBiTree Tree);
  18. /*后序遍历二叉树*/
  19. void PostOrderTravel(PBiTree Tree);
  20.  
  21. void main()
  22. {
  23. PBiTree BTree = CreateBiTree();
  24.  
  25. printf("先序排列为:\n");
  26. ProOrderTravel(BTree);
  27. printf("\n中序排列为:\n");
  28. InOrderTravel(BTree);
  29. printf("\n后序排列为:\n");
  30. PostOrderTravel(BTree);
  31. printf("\n");
  32. }
  33.  
  34. PBiTree CreateBiTree()
  35. {
  36. PBiTree T;
  37. ElemType tmp;
  38. scanf("%c",&tmp);
  39.  
  40. if (tmp == '#')
  41. {
  42. T = NULL;
  43. return NULL;
  44. }
  45. else
  46. {
  47. T = (PBiTree)malloc(sizeof(BiTree));
  48. T->Elem = tmp;
  49. T->LChild = CreateBiTree();
  50. T->RChild = CreateBiTree();
  51. }
  52.  
  53. return T;
  54. }
  55.  
  56. void ProOrderTravel(PBiTree Tree)
  57. {
  58. if (Tree != NULL)
  59. {
  60. printf("%c\t",Tree->Elem);
  61. ProOrderTravel(Tree->LChild);
  62. ProOrderTravel(Tree->RChild);
  63. }
  64. }
  65.  
  66. void InOrderTravel(PBiTree Tree)
  67. {
  68. if (Tree != NULL)
  69. {
  70. /* 如果有左子树,一直向下寻找 */
  71. if (Tree->LChild != NULL)
  72. {
  73. InOrderTravel(Tree->LChild);
  74. }
  75.  
  76. printf("%c\t",Tree->Elem);
  77.  
  78. InOrderTravel(Tree->RChild);
  79. }
  80. }
  81.  
  82. void PostOrderTravel(PBiTree Tree)
  83. {
  84. if (Tree != NULL)
  85. {
  86. /* 如果有左子树,一直向下寻找 */
  87. if (Tree->LChild != NULL)
  88. {
  89. PostOrderTravel(Tree->LChild);
  90. }
  91.  
  92. PostOrderTravel(Tree->RChild);
  93.  
  94. printf("%c\t",Tree->Elem);
  95. }
  96. }

猜你在找的数据结构相关文章