题目要求及思路分析

  • 题目:编写算法判别给定二叉树是否为完全二叉树。 —-《数据结构习题集(C 语言版)》
  • 思路:

    • 使用层序遍历二叉树
    • 若完全二叉树中的某个结点没有左孩子,则其一定没有右孩子
    • 若完全二叉树中的某个结点缺左孩子或右孩子,则其一定没有后继结点

      算法实现

  1. 二叉树及队列的结构体定义 ```c /———-二叉树的二叉链结点结构定义———/

    define TElemType char

typedef struct BiTNode{ // 结点结构 TElemType data; // 结点数据 struct BiTNode lchild, rchild; // 左右 孩子指针 } BiTNode, *BiTree;

/———-队列的数据结构定义———/

define MAXSIZE 1000

typedef struct { BiTree data[MAXSIZE]; int front; int rear; }SqQueue;

  1. 2.
  2. 队列的基本操作
  3. ```c
  4. /*----------以下为队列的基本操作函数----------*/
  5. /*初始化一个空队列*/
  6. Status InitQueue(SqQueue *Q){
  7. if (!Q)return ERROR; //若空间分配失败,则返回ERROR
  8. Q->front = 0;
  9. Q->rear = 0;
  10. return OK;
  11. }
  12. /*判断SqQueue是否为空*/
  13. Status IsQueueEmpty(SqQueue Q){
  14. if (Q.rear == Q.front)return TRUE; //若尾指针指向头指针,则为空队列,返回TRUE
  15. else{ return FALSE; } //否则返回FALSE
  16. }
  17. /*插入元素e为新的队尾元素*/
  18. Status EnQueue(SqQueue *Q, BiTree e){
  19. if ((Q->rear + 1) == MAXSIZE)return ERROR; // 若队列已满,则返回ERROR
  20. Q->data[Q->rear] = e; //e 入队列
  21. Q->rear = (Q->rear + 1); //队尾指针后移
  22. return OK;
  23. }
  24. /*若队列不空,则删除队头元素,并用e返回其值*/
  25. Status DeQueue(SqQueue *Q, BiTree *e){
  26. if (Q->front == Q->rear)return ERROR; //若队列为空,则返回ERROR
  27. *e = Q->data[Q->front]; //若队列不为空,用e接收队头元素
  28. Q->front = Q->front + 1; //队头指针后移
  29. return OK;
  30. }
  31. /*----------队列的基本操作函数结束----------*/
  1. 二叉树的基本操作 ```c /—————-基本操作的函数——————-/ //按照二叉树的定义初始化一个空树 Status InitBiTree(BiTree *bt){

    *bt = (BiTree )malloc(sizeof(BiTNode)); if (!bt)return OVERFLOW;

    *bt = NULL;

    return OK; }

//构造二叉链表表示的二叉树T //按先序次序输入二叉树中结点的值(一个字符),空格字符表示空树 Status CreateBiTree(BiTree *T){ TElemType ch;

  1. printf_s("请输入数据:");
  2. scanf_s("%c", &ch);
  3. getchar(); //getchar()用于处理回车占字符的问题
  4. if (ch == '#')
  5. *T = NULL;
  6. else{
  7. *T = (BiTree)malloc(sizeof(BiTNode));
  8. if (!T)return OVERFLOW; // 若内存分配失败,则返回OVERFLOW
  9. (*T)->data = ch; // 生成根结点
  10. CreateBiTree(&((*T)->lchild)); //构建左子树
  11. CreateBiTree(&((*T)->rchild)); //构建右子树
  12. }
  13. return OK;

}

  1. 4.
  2. 判断二叉树是否为完全二叉树
  3. ```c
  4. Status IsCompleteBiTree(BiTree T){
  5. if (!T)return TRUE; // 若为一个空树,则直接结束
  6. int flag = 0; //设立一个flag,若某结点有左右孩子则为0;若某一个空了,则为1
  7. SqQueue Q;
  8. BiTree* e;
  9. e = (BiTree *)malloc(sizeof(BiTree));
  10. InitQueue(&Q);
  11. EnQueue(&Q, T); //将根结点入队列
  12. while (DeQueue(&Q, e)){ //当队列不空时
  13. if (!(*e)){ //若当前元素为空,则flag = 1,直接进行下一个循环
  14. flag = 1;
  15. continue;
  16. }else if (flag){ //若当前元素不为空,且flag == 1,则证明该数不为完全二叉树
  17. return FALSE;
  18. }else{
  19. EnQueue(&Q, (*e)->lchild);
  20. EnQueue(&Q, (*e)->rchild);
  21. }
  22. }
  23. printf_s("\n");
  24. return TRUE;
  25. }



瓦雀