其他分享
首页 > 其他分享> > 3.3双端队列的表示与实现

3.3双端队列的表示与实现

作者:互联网

3.3双端队列的表示与实现

双端队列有两个端部,首部和尾部,并且项在集合中保持不变。
双端队不同的地方是添加和删除项是非限制性的。可以在前面或后面添加新项;同样,可以从任一端移除现有项。

代码实现:

#include <stdio.h>
#include <stdlib.h>

#define QUEUESIZE 8

typedef char DataType;
typedef struct DQueue {
	DataType queue[QUEUESIZE];
	int end1, end2;
}DQueue;


//双端队列
//入队
int EnQueue(DQueue *DQ,DataType e,int tag)
{
	switch (tag)
	{
	case 1:
		if (DQ->end1 != DQ->end2)
		{
			DQ->queue[DQ->end1] = e;
			DQ->end1 = (DQ->end1 - 1) % QUEUESIZE;
			return 1;
		}
		else
		{
			return 0;
		}
	case 2:
		if (DQ->end1 != DQ->end2)
		{
			DQ->queue[DQ->end2] = e;
			DQ->end2 = (DQ->end2 + 1) % QUEUESIZE;
			return 1;
		}
		else
		{
			return 0;
		}
	return 0;
	}
}

//出队
int DeQueue(DQueue *DQ,DataType *e,int tag)
{
	switch (tag)
	{
	case 1:
		if (((DQ->end1 + 1) % QUEUESIZE)!=DQ->end2)
		{
			DQ->end1 = (DQ->end1 + 1) % QUEUESIZE;
			*e = DQ->queue[DQ->end1];
			return 1;
		}
		else {
			return 0;
		}
	case 2:
		if (((DQ->end2 - 1) % QUEUESIZE)!=DQ->end1)
		{
			DQ->end2 = (DQ->end2 - 1) % QUEUESIZE;
			*e=DQ->queue[DQ->end2];
			return 1;
		}
		else {
			return 0;
		}
	}
	return 0;
}

void main()
{
	DQueue Q;
	char ch;
	Q.end1 = 3;
	Q.end2 = 4;
	if (!EnQueue(&Q,'a',1))
	{
		printf("队列已满,不能入队!");
	}
	else {
		printf("a左端入队:\n");
	}
	if (!EnQueue(&Q, 'b', 1))
	{
		printf("队列已满,不能入队!");
	}
	else {
		printf("b左端入队:\n");
	}
	if (!EnQueue(&Q, 'c', 1))
	{
		printf("队列已满,不能入队!");
	}
	else {
		printf("c左端入队:\n");
	}

	if (!EnQueue(&Q, 'd', 2))
	{
		printf("队列已满,不能入队!");
	}
	else {
		printf("d右端入队:\n");
	}
	if (!EnQueue(&Q, 'e', 2))
	{
		printf("队列已满,不能入队!");
	}
	else {
		printf("e右端入队:\n");
	}

	printf("队列左端出队一次:");
	DeQueue(&Q, &ch, 1);
	printf("%c\n",ch);
	printf("队列左端出队一次:");
	DeQueue(&Q, &ch, 1);
	printf("%c\n", ch);

	printf("队列右端出队一次:");
	DeQueue(&Q, &ch, 2);
	printf("%c\n", ch);
	printf("队列右端出队一次:");
	DeQueue(&Q, &ch, 2);
	printf("%c\n", ch);
}

 

标签:end1,end2,队列,双端,入队,3.3,printf,DQ
来源: https://blog.csdn.net/wangyongzhuo/article/details/111184162