23王道——二叉树的层次遍历

打s不用带头结点的链队列了!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!

首先是Linknode,队列结点那里,struct后面没加,就搞了十分钟
然后就是那个头结点,老是在出队有问题,我自己在主函数里面实验,入队出队都是正常的,到了函数调用就给我出错,我都服了,改成不带头结点的,一下子就对了,大业的,以后狗都不用带头结点的

言归正传,队列插入时,和删除时,需要考虑第一个结点和最后一个结点的特殊情况

#include
using namespace std;

typedef struct Treenode {
	int data;
	struct Treenode* lchild, * rchild;
}Treenode,*Tree;

//啊啊啊啊啊啊啊,这个头一定要加,搞了我十分钟才解决问题
typedef struct Linknode{
	Treenode* data;//辅助队列保存指针
	struct Linknode* next;
}Linknode;

typedef struct {
	Linknode* front, * rear;
}Queue;

//初始化树
void InitTree(Tree &T) {
	T = NULL;
}

//建立有序二叉树
int bulid(Tree &T, int e) {
	if (T == NULL) {//当前结点为空
		T = new Treenode;
		T->data = e;
		T->lchild = NULL;
		T->rchild = NULL;
		return 0;
	}
	if (e < T->data) {//应插在左孩子
		bulid(T->lchild, e);
	}
	else {
		bulid(T->rchild, e);
	}
	return 0;
}

void visit(Tree T) {
	cout << T->data << " ";
}

void preorder(Tree T) {
	if (T != NULL) {
		visit(T);
		preorder(T->lchild);
		preorder(T->rchild);
	}
}

//初始化队列
void InitQueue(Queue& Q) {
	Q.front = Q.rear = NULL;
}

//入队
void enQueue(Queue& Q, Tree T) {
	Linknode* p = new Linknode;
	p->data = T;
	p->next = NULL;
	if (Q.front == NULL) {
		Q.front = p;
		Q.rear = p;
	}
	else {
		Q.rear->next = p;
		Q.rear = p;
	}
}

//出队
bool deQueue(Queue& Q,Tree &p) {
	if (Q.front == NULL) {
		cout << "空队列" << endl;
		return false;
	}
	else {
		p = Q.front->data;
		Q.front = Q.front->next;
		if (Q.front == NULL)//最后一个结点
			Q.rear = Q.front;
		return true;
	}
}

//判空队列
bool empty(Queue Q) {
	if (Q.front == NULL)
		return true;
	return false;
}

//层次遍历
void wide_order(Tree T) {
	Queue Q;
	InitQueue(Q);
	enQueue(Q, T);//根节点入队
	Tree p;
	while (!empty(Q)) {
		deQueue(Q, p);//这里有问题
		visit(p);
		if (p->lchild != NULL) {
			enQueue(Q, p->lchild);
		}
		if (p->rchild != NULL)
			enQueue(Q, p->rchild);
	}

}

int main() {
	Tree T;
	InitTree(T);
	bulid(T, 10);
	bulid(T, 20);
	bulid(T, 8);
	bulid(T, 22);
	bulid(T, 5);
	bulid(T, 9);
	bulid(T, 7);
	/*
					树结构:
							10
					       /  \		
						  8	  20	
						 / \    \
                        5   9    22
						 \
						  7
	*/
	preorder(T);
	cout << endl;
	
	//cout << Q.front->next->data->data;
	/*Queue Q;
	InitQueue(Q);
	Tree p;
	enQueue(Q, T);
	enQueue(Q, T->lchild);
	deQueue(Q, p);
	cout << p->data;
	deQueue(Q, p);
	cout << p->data;*/
	wide_order(T);
	
	return 0;
}

你可能感兴趣的:(王道,数据结构,链表,c++)