本题要求实现两个函数,一个将输入的学生成绩组织成单向链表;另一个将成绩低于某分数线的学生结点从链表中删除。
函数接口定义:
struct stud_node *createlist();
struct stud_node *deletelist( struct stud_node *head, int min_score );
函数createlist利用scanf从输入中获取学生的信息,将其组织成单向链表,并返回链表头指针。链表节点结构定义如下:
struct stud_node {
int num; /*学号*/
char name[20]; /*姓名*/
int score; /*成绩*/
struct stud_node *next; /*指向下个结点的指针*/
};
输入为若干个学生的信息(学号、姓名、成绩),当输入学号为0时结束。
函数deletelist从以head为头指针的链表中删除成绩低于min_score的学生,并返回结果链表的头指针。
裁判测试程序样例:
#include
#include
struct stud_node {
int num;
char name[20];
int score;
struct stud_node *next;
};
struct stud_node *createlist();
struct stud_node *deletelist( struct stud_node *head, int min_score );
int main()
{
int min_score;
struct stud_node *p, *head = NULL;
head = createlist();
scanf("%d", &min_score);
head = deletelist(head, min_score);
for ( p = head; p != NULL; p = p->next )
printf("%d %s %d\n", p->num, p->name, p->score);
return 0;
}
/* 你的代码将被嵌在这里 */
输入样例:
1 zhang 78
2 wang 80
3 li 75
4 zhao 85
0
80
输出样例:
2 wang 80
4 zhao 85
解答:
struct stud_node *createlist(){
struct stud_node *p, *head =NULL,*tail=NULL;
p=(struct stud_node *)malloc(sizeof(struct stud_node ));
scanf("%d",&p->num);
while(p->num!=0){
p->next=NULL;
scanf("%s %d",&p->name,&p->score);
if(head==NULL){
head=p;
}
else{
tail->next=p;
}
tail=p;
p=(struct stud_node *)malloc(sizeof(struct stud_node ));
scanf("%d",&p->num);}
p=NULL;
return head;
}
struct stud_node *deletelist( struct stud_node *head, int min_score ){
if(head==NULL)
return NULL;
struct stud_node *p,*part1,*part2;
part2=p=head;
int flag=0;
for(;p!=NULL;p=p->next){
if(head->score<min_score&&flag==0){
head=head->next;
continue;
}//考虑第一种情况,即开头的数据就需要删除,此时还不需要辅助指针part1、part2.如果删去后,第二个数据仍然不满足题意,则还需要进入此分支。
flag=1;
if(p->score<min_score&&flag==1){
part1->next=part2->next;
free(part2);
part2=part1->next;
continue;
}//前面已经有满足题意的数据时,程序将永远进入此分支进行判断并采用辅助指针
part1=p;part2=p->next;//没有什么特殊需要处理时,辅助指针向下滚动。
}
return head;
}
自身反思:
if(head->score<min_score&&flag==0){
head=head->next;
continue;
当错写成了
if(head->score<min_score&&flag==0){
p=head->next;//part2=head->next也一样
continue;
输入
1 zhang 78 2 wang 80 3 li 75 4 zhao 85 0 80
会输出
1 zhang 78 2 wang 80 4 zhao 85
当错写成了
if(head->score<min_score&&flag==0){
p=p->next;//part2=head->next也一样
continue;
会输出
1 zhang 78 2 wang 80 3 li 75 4 zhao 85 0 80
究其原因还是认为part2=p=head语句可以使三个指针相互等效,实际上是错误的,该语句只是让part2和p指向head所指的元素,不能和head等同。