我正在尝试运行qsort,首先按数字排序,然后按字母顺序排序。数组单词为:
rm /var/run/docker.pid
结构为:
COPY 3
CLOSER 2
TAUGHT 2
AW 2
LOOKS 2
SHAD 3
HA 3
到目前为止,我的比较功能是:
typedef struct {
char word[101];
int freq;
} Word;
我的qsort函数是:
int compare(const void *c1, const void *c2){
Word *a1 = (Word *)c1;
Word *b1 = (Word *)c2;
return (b1->freq - a1->freq);
}
但是在按频率对它进行排序后,我不知道如何按字母顺序对其进行排序。
答案 0 :(得分:1)
理查德,请注意以下几点:
char *
中使用struct word
compare_words
中的频率。为了推导顺序,我实际上使用了if,else,if,else。根据操作数的不同,简单地减去整数可能会产生奇怪的行为。const
指针,以实现不变性。代码:
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
struct word {
char *str;
int freq;
};
int compare_words(const void *a, const void *b)
{
const struct word *w1 = a;
const struct word *w2 = b;
int order;
if (w2->freq > w1->freq) {
order = 1;
} else if (w2->freq < w1->freq) {
order = -1;
} else {
order = strcmp(w1->str, w2->str);
}
return order;
}
int main(int argc, char const *argv[])
{
struct word mywords[] = {
{ "BAR", 2 },
{ "BAS", 2 },
{ "ACK", 2 },
{ "FOO", 8 },
{ "ZIP", 1 }
};
int len = sizeof(mywords) / sizeof(mywords[0]);
qsort(mywords, len, sizeof(mywords[0]), compare_words);
int i;
for (i = 0; i < len; i++) {
struct word w = mywords[i];
printf("%s\t%d\n", w.str, w.freq);
}
return 0;
}
输出:
FOO 8
ACK 2
BAR 2
BAS 2
ZIP 1