Notice
Recent Posts
Recent Comments
Link
일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
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 |
Tags
- raycasting
- 부동소수점
- 텍스트북
- uuid-ossp
- 이노베이션아카데미
- c++
- 쿠버네티스
- 어셈블리어
- 42서울
- schema first
- mistel키보드
- 스타트업
- enable_if
- GraphQL
- SFINAE
- psql extension
- 어셈블리
- 프라이빗클라우드
- 스플릿키보드
- 레이캐스팅
- adminbro
- Cloud Spanner
- 창업
- 동료학습
- 자료구조
- 파이썬
- 엣지컴퓨팅
- 도커
- 42seoul
- 정렬
Archives
- Today
- Total
written by yechoi
연결리스트를 이용한 큐 구현(push, pop 함수) 본문
반응형
큐
- 뒷쪽으로 들어가서 앞쪽으로 나오는 자료구조
- 먼저 들어간 게 먼저 나옴
- 스케줄링, 탐색 알고리즘 등에서 다방면으로 활용
- 기본적인 형태의 자료구조
연결리스트로 큐 구현하기
큐 삽입함수(push)
- 새 노드를 마지막 노드 뒤에 넣고
- 새 노드의 next가 rear를 가리키게
typedef struct {
int data;
struct Node *next;
} Node;
typedef struct {
Node *front;
Node *rear;
int count;
} Queue;
void push(Queue *queue, int data)
{
Node *node = (Node *)malloc(sizeof(Node));
node->data = data;
node->next = NULL;
if (queue->count == 0)
{
queue->front = node;
}
else
{
queue->rear->next = node;
}
queue->rear = node;
queue->count++;
}
큐 추출함수(pop)
- front가 front가 원래 가리켰던 node의 next를 가리키게 하고
- front가 원래 가리켰던 node 는 메모리 해제
int pop(Queue *queue)
{
if (queue->count == 0)
{
printf("queue underflow!\n");
return (-1);
}
Node *node = queue->front;
int data = node->data;
queue->front = node->next;
free(node);
queue->count--;
return (data);
}
반응형