03. 양방향 연결 리스트
양방향 연결 리스트의 특징
- 머리(Head)와 꼬리(Tail)을 모두 가짐
- 각 노드는 앞 노드와 뒤 노드의 정보를 모두 가짐
양방향 연결 리스트의 구조
data:image/s3,"s3://crabby-images/92a0f/92a0fe35c814340b96b34fd00927bb451aa2319d" alt="image.png"
삽입 과정
data:image/s3,"s3://crabby-images/0cd27/0cd273371acee6fa4149cc28b9e0c261ba7458ac" alt="image.png"
data:image/s3,"s3://crabby-images/d5ab6/d5ab64e840cf0ee5f1a6a39786ad693ab81f6539" alt="image.png"
data:image/s3,"s3://crabby-images/1b5b0/1b5b0e594a7a981ec8aee3c241a0fdc3d2b76ee8" alt="image.png"
data:image/s3,"s3://crabby-images/16dd3/16dd32ba47fa233b369f70638fee353e87e8dc15" alt="image.png"
data:image/s3,"s3://crabby-images/c8e54/c8e5470b5a94b55e4bcd742b4c543385833e0805" alt="image.png"
삭제 과정
data:image/s3,"s3://crabby-images/bc802/bc802de5b551348e8484bab2b0f73a9011167e52" alt="image.png"
data:image/s3,"s3://crabby-images/73fc8/73fc8c82641a9a10dc8594a07308adfca8c570b2" alt="image.png"
data:image/s3,"s3://crabby-images/bf4a2/bf4a253c701e5dd0c250f67fd5e803c8a044faae" alt="image.png"
data:image/s3,"s3://crabby-images/c859f/c859f6dacce62768f8c3fcdda2746740f5b64c65" alt="image.png"
코드 구현
#include <stdio.h>
#include <stdlib.h>
typedef struct {
int data;
struct Node* prev;
struct Node* next;
} Node;
Node* head, *tail;
void insert(int data) {
Node* node = (Node*)malloc(sizeof(Node));
node->data = data;
Node* cur;
cur = head->next;
while (cur->data < data && cur != tail) {
cur = cur->next;
}
Node* prev = cur->prev;
prev->next = node;
node->prev = prev;
cur->prev = node;
node->next = cur;
}
void removeFront() {
Node* node = head->next;
head->next = node->next;
Node* next = node->next;
next->prev = head;
free(node);
}
void show() {
Node* cur = head->next;
while (cur != tail) {
printf("%d ", cur->data);
cur = cur->next;
}
}
int main(void) {
head = (Node*)malloc(sizeof(Node));
tail = (Node*)malloc(sizeof(Node));
head->next = tail;
head->prev = head;
tail->next = tail;
tail->prev = head;
insert(2);
insert(1);
insert(3);
insert(9);
insert(7);
removeFront();
show();
system("pause");
return 0;
}
주의사항
- 예외사항 처리 필요
- 더이상 삭제할 원소가 없는 경우 등
정리
- 양방향 연결 리스트에서는 각 노드가 앞 노드와 뒤 노드의 정보를 저장
- 리스트의 앞, 뒤에서 모두 접근 가능
- 단방향 연결 리스트 보다는 메모리 사용량이 더 많음