C语言编写一个接收出队元素的代码
时间: 2024-02-21 07:01:53 浏览: 65
用带下标的指针变量引用一维数组元素-二级c语言课件
下面是一个使用C语言编写的队列实现,其中包括一个函数用于接收出队元素:
```c
#include <stdio.h>
#include <stdlib.h>
#define MAX_QUEUE_SIZE 100 // 定义队列的最大容量
typedef struct {
int data[MAX_QUEUE_SIZE]; // 存储队列元素的数组
int front; // 队列前端的下标
int rear; // 队列后端的下标
} Queue;
// 初始化队列
void init_queue(Queue *q) {
q->front = 0;
q->rear = 0;
}
// 判断队列是否为空
int is_empty(Queue *q) {
return q->front == q->rear;
}
// 判断队列是否已满
int is_full(Queue *q) {
return q->rear == MAX_QUEUE_SIZE;
}
// 入队操作
void enqueue(Queue *q, int x) {
if (is_full(q)) {
printf("队列已满,无法入队!\n");
exit(1);
}
q->data[q->rear++] = x;
}
// 出队操作
int dequeue(Queue *q) {
if (is_empty(q)) {
printf("队列为空,无法出队!\n");
exit(1);
}
int x = q->data[q->front++];
return x;
}
int main() {
Queue q;
init_queue(&q);
enqueue(&q, 1);
enqueue(&q, 2);
enqueue(&q, 3);
int x = dequeue(&q);
printf("出队元素为:%d\n", x);
return 0;
}
```
在这个代码中,我们定义了一个结构体Queue来表示队列,并定义了一些常用的队列操作函数。其中,enqueue()函数实现入队操作,dequeue()函数实现出队操作,is_empty()和is_full()函数分别用于判断队列是否为空和已满。在main()函数中,我们创建了一个队列q,并依次向其中添加了三个元素1、2、3,然后调用dequeue()函数接收出队元素,并将其输出。
阅读全文