下面有结构 node 的定义,指针 head 中存放着 node 节点组成 的单链表的首节点地址,函数 even (head) 获取 head 指向链表 中的序号(注意不是 node 结构的 data 字段,且序号从 0 开始编号) 为偶数的节点,并将这些节点按原有序组成新链表返回。 要求新链表中的节点采用动态内存分配的方式构建, 从而不破坏原链表。如:head 指向的链表为:1->2->3->4->5->6, 则 even (head) 得到的链表为:1->3->5。请完成函数 even 的编写。
时间: 2024-04-12 18:31:45 浏览: 67
python实现单链表中删除倒数第K个节点的方法
您可以按照以下方式编写函数`even`:
```c
#include <stdio.h>
#include <stdlib.h>
struct node {
int data;
struct node* next;
};
struct node* even(struct node* head) {
struct node* newHead = NULL; // 新链表的头节点
struct node* tail = NULL; // 新链表的尾节点
struct node* current = head;
while (current != NULL) {
// 判断节点序号是否为偶数
if (current->data % 2 == 0) {
// 创建新节点并赋值
struct node* newNode = (struct node*)malloc(sizeof(struct node));
newNode->data = current->data;
newNode->next = NULL;
// 如果新链表为空,则将新节点作为头节点和尾节点
if (newHead == NULL) {
newHead = newNode;
tail = newNode;
} else {
// 否则将新节点添加到新链表的尾部
tail->next = newNode;
tail = tail->next;
}
}
current = current->next;
}
return newHead;
}
void printList(struct node* head) {
struct node* current = head;
while (current != NULL) {
printf("%d ", current->data);
current = current->next;
}
printf("\n");
}
int main() {
// 创建示例链表:1->2->3->4->5->6
struct node* head = (struct node*)malloc(sizeof(struct node));
struct node* second = (struct node*)malloc(sizeof(struct node));
struct node* third = (struct node*)malloc(sizeof(struct node));
struct node* fourth = (struct node*)malloc(sizeof(struct node));
struct node* fifth = (struct node*)malloc(sizeof(struct node));
struct node* sixth = (struct node*)malloc(sizeof(struct node));
head->data = 1;
head->next = second;
second->data = 2;
second->next = third;
third->data = 3;
third->next = fourth;
fourth->data = 4;
fourth->next = fifth;
fifth->data = 5;
fifth->next = sixth;
sixth->data = 6;
sixth->next = NULL;
printf("原始链表:");
printList(head);
struct node* newHead = even(head);
printf("新链表:");
printList(newHead);
// 释放动态分配的内存
struct node* current = newHead;
while (current != NULL) {
struct node* temp = current;
current = current->next;
free(temp);
}
return 0;
}
```
在上面的代码中,我们定义了结构体`node`表示链表节点。函数`even`接受一个指向链表首节点的指针`head`,并返回一个指向新链表首节点的指针。我们使用一个循环遍历原链表中的每个节点,判断节点的序号(即节点的`data`字段)是否为偶数。如果是偶数,我们就创建一个新节点,并将原节点的值赋给新节点。然后,将新节点添加到新链表的尾部。最后,返回新链表的头节点。
在`main`函数中,我们创建了一个示例链表,并调用`even`函数获取偶数节点组成的新链表。然后,我们分别打印原链表和新链表。最后,我们释放动态分配的内存以避免内存泄漏。
阅读全文