3

所以我无法使用 qsort 对结构数组进行排序。

我以这个链接为例:http: //support.microsoft.com/kb/73853

当我运行该程序时,它为结构中最初存在的名称提供空白,为gp.

typedef int (*compfn)(const void*, const void*);

struct record
{
    char player[20];
    int gp;
};
struct record entries[15];

int compare(struct record *, struct record *);


void show ()           
{
    int v;
    qsort((void *)entries, 10, sizeof(struct record), (compfunc)compare);
    struct record *p = entries;
    for(v=0;v<counter;v++, p++)
    {
         printf("%s ..... %d \n", p->player , p->gp);
    }
}

int compare(struct record * p1, struct record * p2)
{
     if( p1->gp < p2->gp)
         return -1;
     else if (p1->gp > p2->gp)
         return 1;
     else
         return 0;
}

编辑:嘿,每个人都非常感谢你的帮助,但是,我已经尝试了你们所说的一切,它仍然只是把所有的价值都归零

4

2 回答 2

2

您的通话可以简化,无需转换为void *

qsort(entries, 10, sizeof entries[0], compare);

注意使用sizeof entries[0]以避免数组类型的无意义重复。

比较函数也不应该强制转换,因为它应该被简单地定义为匹配原型:

static int compare(const void *a, const void *b)
{
  const struct record *ra = a, *rb = b;

  if( ra->gp < rb->gp)
     return -1;
  if (ra->gp > rb->gp)
     return 1;
  return 0;
}

顺便说一下,为了提供信息,这里有一个经典的 (?) 方法来简化您有时会在这些地方看到的 3 路测试:

return (ra->gp < rb->gp) ? -1 : (ra->gp > rb->gp);

我不主张这种表达方式,尤其是如果你是初学者,但我认为我会包括它,因为它是相关的,并且可能对你有指导意义。

于 2013-04-26T07:33:12.663 回答
0

除了 microsoft 支持页面是一团糟而且不是学习 C 的好资源这一事实之外,您的代码在&这里缺少:

...
qsort((void *)entries, 10, sizeof(struct record), (compfunc)compare);
... 

应该

...
qsort((void *)&entries, 10, sizeof(struct record), (compfunc)compare);
... 

还有,我想你是想写

...
qsort((void *)&entries, 15, sizeof(struct record), (compfn)compare);
... 
于 2013-04-26T07:25:19.800 回答