创建动态链表并打印链表内容。要求通过键盘读入学生的学号和分数,当输入的学号为0时表示链表创建结束,并将读入的学生学号和成绩打印输出。下面程序中存在比较隐蔽的错误,请通过分析和调试程序,发现并改正程序中的错误。改错时不能改变程序原有的意图。 注意:将修改后的完整的源程序写在答题区内。 #include <stdio.h> #define SIZE sizeof(struct node) struct node { long num; float score; struct node *next; } int main() { int n = 0; struct node *head = NULL, *p1, *p2; p1 = p2 = (struct node*)malloc(SIZE); printf("Input %d node data:\n", n + 1); scanf("%d%f", &p1->num, &p1->score); while (p1->num != 0) { if (++n == 1) head = p1; else p2->next = p1; p1 = p2; p1 = (struct node*)malloc(SIZE); printf("Input %d node data:\n", n + 1); scanf("%d%f", &p1->num, &p1->score); } free(p1); printf("Prit list:\n"); p2->next = NULL; if (head != NULL) { p2=head; while (p1 != NULL) { printf("num:%d\tscore:%.2f\n", p1->num, p1->score); p1 = p1->next; } } return 0; }
时间: 2023-12-19 17:06:31 浏览: 101
统计学生信息(使用动态链表完成)
修改后的程序如下:
```c
#include <stdio.h>
#include <stdlib.h>
#define SIZE sizeof(struct node)
struct node {
long num;
float score;
struct node *next;
};
int main() {
int n = 0;
struct node *head = NULL, *p1, *p2;
p1 = p2 = (struct node*)malloc(SIZE);
printf("Input %d node data:\n", n + 1);
scanf("%ld%f", &p1->num, &p1->score);
while (p1->num != 0) {
if (++n == 1)
head = p1;
else
p2->next = p1;
p2 = p1;
p1 = (struct node*)malloc(SIZE);
printf("Input %d node data:\n", n + 1);
scanf("%ld%f", &p1->num, &p1->score);
}
free(p1);
printf("Print list:\n");
p2->next = NULL;
if (head != NULL) {
p1 = head;
while (p1 != NULL) {
printf("num:%ld\tscore:%.2f\n", p1->num, p1->score);
p1 = p1->next;
}
}
return 0;
}
```
修改说明:
1. 缺少了头文件 `stdlib.h`,需要添加。
2. 在结构体定义之后缺少了分号。
3. `scanf` 函数中读入学生学号时,应该使用 `%ld` 而不是 `%d`。
4. 在链表的创建过程中,`p1` 赋值给 `p2` 时多余了一句 `p1 = p2;`,应该删除。
5. 在链表创建结束后,应该将最后一个节点的 `next` 指针设置为 `NULL`,即 `p2->next = NULL;`。
6. 在打印链表内容时,循环变量应该是 `p1` 而不是 `p2`。
阅读全文