C語言單鏈表刪除指定節(jié)點的步驟如下:
具體實現(xiàn)如下:
#include <stdio.h>
#include <stdlib.h>
// 定義鏈表節(jié)點結構體
typedef struct Node {
int data; // 數(shù)據(jù)域
struct Node* next; // 指針域
} Node;
// 刪除指定節(jié)點
void deleteNode(Node* head, int value) {
Node* prev = head; // 前一個節(jié)點
Node* current = head->next; // 當前節(jié)點
// 遍歷鏈表,查找要刪除的節(jié)點
while (current != NULL) {
if (current->data == value) {
break;
}
prev = current;
current = current->next;
}
// 當前節(jié)點為NULL,表示沒有找到要刪除的節(jié)點
if (current == NULL) {
printf("Node with value %d not found.\n", value);
return;
}
// 找到要刪除的節(jié)點,刪除
prev->next = current->next;
free(current);
}
// 打印鏈表
void printList(Node* head) {
Node* current = head->next; // 從第一個節(jié)點開始打印
// 遍歷鏈表,依次打印節(jié)點的數(shù)據(jù)
while (current != NULL) {
printf("%d ", current->data);
current = current->next;
}
printf("\n");
}
int main() {
// 創(chuàng)建鏈表 1->2->3->4->5
Node* head = (Node*)malloc(sizeof(Node)); // 頭節(jié)點
Node* node1 = (Node*)malloc(sizeof(Node)); // 第一個節(jié)點
Node* node2 = (Node*)malloc(sizeof(Node)); // 第二個節(jié)點
Node* node3 = (Node*)malloc(sizeof(Node)); // 第三個節(jié)點
Node* node4 = (Node*)malloc(sizeof(Node)); // 第四個節(jié)點
head->next = node1;
node1->data = 1;
node1->next = node2;
node2->data = 2;
node2->next = node3;
node3->data = 3;
node3->next = node4;
node4->data = 4;
node4->next = NULL;
printf("Original list: ");
printList(head);
// 刪除節(jié)點2
deleteNode(head, 2);
printf("List after deletion: ");
printList(head);
// 釋放內存
free(node4);
free(node3);
free(node2);
free(node1);
free(head);
return 0;
}
以上代碼中,首先創(chuàng)建了一個包含5個節(jié)點的鏈表,然后調用deleteNode()
函數(shù)刪除了節(jié)點2,最后打印鏈表,輸出結果為:
Original list: 1 2 3 4
List after deletion: 1 3 4