이중 연결 목록의 첫 번째 요소와 마지막 요소를 교체하려고합니다. 지금까지 나는 목록을 만들고 그것에 숫자를 추가하는 다음 코드를 가지고있다. 그러나 출력은 두 번 모두 같은 목록입니다.C - 이중 연결 목록의 첫 번째 요소와 마지막 요소 교환
#include <stdio.h>
#include <stdlib.h>
struct node2 {
int number;
struct node2 *next, *prev;
};
void addNodeDouble(struct node2 **head, struct node2 **tail, int num, int thesi) {
if (*head == NULL) {
struct node2 * current;
current = (struct node2 *)malloc(1 * sizeof(struct node2));
current->number = num;
current->prev = NULL;
current->next = NULL;
*head = current;
*tail = current;
} else {
if (thesi == 1) {
struct node2 *current, *temp;
current = (struct node2 *)malloc(1 * sizeof(struct node2));
current->number = num;
temp = *head;
while (temp->next != NULL)
temp = temp->next;
temp->next = current;
current->prev = *tail;
current->next = NULL;
(*tail)->next = current;
*tail = current;
} else {
struct node2 *current;
current = (struct node2 *)malloc(1 * sizeof(struct node2));
current->number = num;
current->next = *head;
(*head)->prev = current;
*head = current;
}
}
}
void ReversedisplayList(struct node2 **head, struct node2 **tail) {
struct node2 *current;
if (*head == NULL)
printf("I lista einai adeia!\n");
else {
current = *tail;
while (current != NULL) {
printf("%d ", current->number);
current = current->prev;
}
}
}
void swapElements2(struct node2 **head, struct node2 **tail) {
struct node2 *current, *temp;
temp = (*tail)->prev;
current = *tail;
temp->next = *head;
current->next = (*head)->next;
(*head)->next = NULL;
*head = current;
}
int main() {
struct node2 *head, *tail;
head = tail = NULL;
addNodeDouble(&head, &tail, 4, 1);
addNodeDouble(&head, &tail, 8, 1);
addNodeDouble(&head, &tail, 3, 0);
addNodeDouble(&head, &tail, 1, 1);
addNodeDouble(&head, &tail, 7, 0);
printf("\n\nDoubly linked list (reversed): ");
ReversedisplayList(&head, &tail);
swapElements2(&head, &tail);
printf("\nChanged list: ");
ReversedisplayList(&head, &tail);
}
내가 얻을 :
Doubly linked list (reversed): 1 8 4 3 7
Changed list: 1 8 4 3 7
하지만 내가 원하는 :
Changed list: 7 8 4 3 1
노드 자체 대신 노드의 데이터를 교환하는 것이 좋습니다. 이 경우 물건을 훨씬 쉽게 만들 수 있습니다. – Hypino
@Hypino 아니요, 실제로 노드를 바꾸고 싶습니다. – user3120283