本文实例为大家分享了C语言实现循环队列的具体代码,供大家参考,具体内容如下
注意事项:
1、循环队列,是队列的顺序表示和实现。因为是尾进头出,所以和顺序栈不同的是需要将顺序队列臆造成一个环状的空间,以便在尾部添加满之后从头部空位开始插入。
2、也可以使用数组队列,也就是不能动态增长的顺序队列,这样不需要每次取模最大值来构成环形空间。每次插入新的队列尾元素时,尾指针增1,每当删除队列头元素时,头指针增1。
3、尾指针会出现在头指针之前,由此特性,循环队列在无法预估使用大小时,不宜使用。
4、在每一个指针递增的表达式中,都要加上一个% MAXQUEUE已使得每一次增值都在范围内。
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
|
#include<stdio.h> #include<stdlib.h> #define MAXQUEUE 100 typedef struct { int *base; int front; int rear; }SqQueue, *Sqqueue; Sqqueue Creat(Sqqueue q); void Enqueue(Sqqueue q, int e); void Dequeue(Sqqueue q, int *e); void Traverse(Sqqueue q); int main() { SqQueue q; int e; Sqqueue p = Creat(&q); Traverse(p); Dequeue(p, &e); Traverse(p); printf ( "the number that was deleted is :%d" , e); return 0; } Sqqueue Creat(Sqqueue q) { Sqqueue p = q; p->base = ( int *) malloc (MAXQUEUE * sizeof ( int )); //这里注意和链不同,开辟的是整片的数据空间,以base为基址 p->front = p->rear = 0; for ( int i = 1; i < 10; i++) Enqueue(p, i); return p; } void Enqueue(Sqqueue q, int e) { if ((q->rear + 1) % MAXQUEUE == q->front) //如果尾指针下一个是头指针,即将其看成满队列(少利用一个空间)。否则只看头指针等于尾指针会有歧义。 exit (1); q->base[q->rear] = e; q->rear = (q->rear + 1) % MAXQUEUE; } void Dequeue(Sqqueue q, int *e) { if (q->front == q->rear) exit (1); (*e) = q->base[q->front]; q->front = (q->front + 1) % MAXQUEUE; } void Traverse(Sqqueue q) { for ( int i = q->front; q->rear != i; i = (i + 1) % MAXQUEUE) printf ( "%d->" , q->base[i]); printf ( "NULL\n" ); } |
以上就是本文的全部内容,希望对大家的学习有所帮助,也希望大家多多支持服务器之家。
原文链接:https://blog.csdn.net/weixin_41951281/article/details/100778226