在结构数组中找到前5个最大值(用于C编程)? 我有一系列结构如下:
struct info {
char name[100];
int number;
}
struct info people[10]
在char名称[100]中是人名(最多10个),并且它们在int balance中具有相应的值:
Jane 10
John 40
Harry 16
Eva -5
...
直到有10个人。 如何查找和打印5个人数最多的人? 即:
John 40
Harry 16
Jane 10
...
我尝试过以下代码:
int i,j, k=5, max, temp;
//move maximum 5 numbers to the front of the array
for (i=0; i<k; i++) {
max=i;
for (j=i+1; j<10; j++) {
if (people[i].number>people[max].number) {
max=j;
}
}
//swap numbers
temp=people[i].number;
people[i].number=people[max].number;
people[max].number=temp;
//swap names to match swapped numbers so they correspond
temp=people[i].name;
people[i].name=people[max].name;
people[max]=temp;
}
for (i=0; i<k; i++) {
printf("%s %d\n", people[i].name, people[i].number);
}
但是,由于其char类型,我在第二次交换时收到错误消息。我该如何解决这个问题或者其他什么对这个目标有用呢?
答案 0 :(得分:1)
只需对数组进行排序,然后取排序数组中的第一个/最后一个(取决于排序顺序)条目。
首先定义一个比较函数:
#include <stdlib.h> /* for qsort() */
#include <stdio.h> /* for printf() */
struct info
{
char name[100];
int number;
};
int cmp_struct_info_desc(const void * pv1, const void * pv2)
{
const struct info * pi1 = pv1;
const struct info * pi2 = pv2;
return pi2->number - pi1->number;
}
2使用Standard C function qsort()
。
struct info people[] = {
... /* initialise array people here ... */
}
int main(void)
{
size_t number_of_array_elements = sizeof people/sizeof *people;
qsort(people, number_of_array_elements, sizeof *people, cmp_struct_info_desc);
for (size_t s = 0; s < number_of_array_elements; ++s)
{
printf("%zu. = {%d, '%s'}\n", s, people[s].number, people[s].name);
}
}
答案 1 :(得分:0)
最简单,最通用的方法可能是首先对people
数组进行排序。完成后,只需选择前五个元素。
答案 2 :(得分:0)
最好的方法是根据数字属性iso单独交换对数组人员进行排序。
如果您想继续使用当前方法,请使用strcpy函数iso“=”运算符作为名称
答案 3 :(得分:0)
对于我来说,排序似乎更好,而不是跟踪总共10个指数中的5个。 您可以使用qsort对10个元素进行排序,然后选择前5个元素。
int cmp(void *a,void *b)
{
struct info as=*((struct info*)a);
struct info bs=*((struct info*)b)
return bs.number-as.number; //sorting in descending order
}
然后
qsort(people,10,sizeof people[0],cmp);
答案 4 :(得分:0)
从OP的代码开始,只需交换结构。 @BLUEPIXY。 OP的代码只需要很小的改动。
无法使用分配复制数组,但可以分配对象,例如struct info
。
int i, j, k=5;
//move maximum `k` numbers to the front of the array
for (i=0; i<k; i++) {
int max=i;
for (j=i+1; j<10; j++) {
if (people[i].number > people[max].number) {
max=j;
}
}
//swap info
struct info temp = people[i];
people[i] = people[max];
people[max] = temp;
}
for (i=0; i<k; i++) {
printf("%s %d\n", people[i].name, people[i].number);
}