c语言链表最后一个节点删除
时间: 2024-04-05 13:26:04 浏览: 110
在C语言中,要删除链表的最后一个节点,可以按照以下步骤进行操作:
1. 遍历链表,找到倒数第二个节点。
2. 将倒数第二个节点的next指针指向NULL,即将其指向空地址。
3. 释放最后一个节点的内存空间。
下面是一个示例代码:
```c
#include <stdio.h>
#include <stdlib.h>
// 定义链表节点结构体
struct Node {
int data;
struct Node* next;
};
// 删除链表最后一个节点的函数
void deleteLastNode(struct Node** head) {
// 如果链表为空,直接返回
if (*head == NULL) {
return;
}
// 如果链表只有一个节点,直接删除该节点
if ((*head)->next == NULL) {
free(*head);
*head = NULL;
return;
}
// 找到倒数第二个节点
struct Node* secondLast = *head;
while (secondLast->next->next != NULL) {
secondLast = secondLast->next;
}
// 释放最后一个节点的内存空间
free(secondLast->next);
// 将倒数第二个节点的next指针指向NULL
secondLast->next = NULL;
}
// 打印链表的函数
void printList(struct Node* node) {
while (node != NULL) {
printf("%d ", node->data);
node = node->next;
}
printf("\n");
}
int main() {
// 创建链表
struct Node* head = NULL;
struct Node* second = NULL;
struct Node* third = NULL;
head = (struct Node*)malloc(sizeof(struct Node));
second = (struct Node*)malloc(sizeof(struct Node));
third = (struct Node*)malloc(sizeof(struct Node));
head->data = 1;
head->next = second;
second->data = 2;
second->next = third;
third->data = 3;
third->next = NULL;
// 打印原始链表
printf("原始链表:");
printList(head);
// 删除最后一个节点
deleteLastNode(&head);
// 打印删除后的链表
printf("删除最后一个节点后的链表:");
printList(head);
return 0;
}
```
运行以上代码,输出结果为:
```
原始链表:1 2 3
删除最后一个节点后的链表:1 2
```
阅读全文