成绩排序(sort与qsort的使用)
程序员文章站
2023-12-26 17:13:39
...
题目描述
用一维数组存储学号和成绩,然后,按成绩排序输出。
输入描述:
输入第一行包括一个整数N(1<=N<=100),代表学生的个数。
接下来的N行每行包括两个整数p和q,分别代表每个学生的学号和成绩。
输出描述:
按照学生的成绩从小到大进行排序,并将排序后的学生信息打印出来。
如果学生的成绩相同,则按照学号的大小进行从小到大排序。
示例1
输入
3
1 90
2 87
3 92
输出
2 87
1 90
3 92
1.用c中的qsort方法
#include<stdio.h>
#include<stdlib.h>
#include<algorithm>
typedef struct student{
int no;
double grade;
}student;
int cmp(const void *a,const void *b){ //注意这是c里面cmp的函数原型,必须这样写
student x=*(student *)a; //强转为student类型的指针再取结构体
student y=*(student *)b;
if(x.grade>y.grade)
return 1; //返回1表示交换
else if(x.grade<y.grade)
return -1; //返回0表示不交换
else if(x.grade==y.grade){
if(x.no>y.no)
return 1;
else if(x.no<y.no)
return -1;
else
return 0; //不交换
}
}
int main(){
int t,i;
student *stu;
scanf("%d",&t);
stu=(student *)malloc(sizeof(student)*t);
for(i=0;i<t;i++){
scanf("%d %lf",&stu[i].no,&stu[i].grade);
}
qsort(stu,t,sizeof(student),cmp);
for(i=0;i<t;i++){
printf("%d %d\n",stu[i].no,(int)stu[i].grade);
}
return 0;
}
2.用c++中的sort方法
#include<iostream>
#include<cstdlib>
#include<algorithm>
using namespace std;
typedef struct student{
int no;
double grade;
}student;
bool cmp(student x,student y){ //返回bool类型
if(x.grade!=y.grade)
return x.grade<y.grade; //返回ture则两者不交换,false两则交换
else
return x.no<y.no;
}
int main(){
int t,i;
student *stu;
scanf("%d",&t);
stu=(student *)malloc(sizeof(student)*t);
for(i=0;i<t;i++){
scanf("%d %lf",&stu[i].no,&stu[i].grade);
}
sort(stu,stu+t,cmp);
for(i=0;i<t;i++){
printf("%d %d\n",stu[i].no,(int)stu[i].grade);
}
return 0;
}
3.自己写排序算法(我就会写排序算法了)
看zzulioj里面的结构体专题
tips:使用库函数时,注意两者返回值不同,而决定两者位置是否交换也不同。上述已经写了。
转载一个别人的: