我需要对一个字符串数组进行排序,作为输入。 请帮我指点一下。
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
int compare(const void *a, const void *b){
char* s1 = (char*)a, s2 = (char*)b;
int len1 = strlen(s1), len2 = strlen(s2);
int i=0;
for(i=0; i< len1 && i<len2; i++){
if(s1[i] > s2[i]) return 1;
if(s1[i] < s2[i]) return 0;
}
return 0;
}
int main() {
int i;
int len;
scanf("%d",&len);
char* a[len];
for(i=0; i<len; i++){
a[i] = (char*)malloc(13);
scanf("%s",a[i]);
}
qsort(&a, len, sizeof(char*), compare);
for(i=0; i<len; i++){
printf("%s\n",a[i]);
}
return 0;
}
问题在于只有比较功能。
答案 0 :(得分:3)
char* s1 = (char*)a, s2 = (char*)b;
将s1
声明为指针,将s2
声明为char,因为*
绑定到右侧的变量,而不是左侧的类型。你需要写:
char *s1 = *((char**)a), *s2 = *((char**)b);
由于这个原因,编译器应该给你一堆关于s2
的警告和错误。当我尝试编译你的代码时,我得到了:
testsort.c: In function 'compare':
testsort.c:6: warning: initialization makes integer from pointer without a cast
testsort.c:7: warning: passing argument 1 of 'strlen' makes pointer from integer without a cast
testsort.c:10: error: subscripted value is neither array nor pointer
testsort.c:11: error: subscripted value is neither array nor pointer
通过这些更正,程序可以干净地编译并正确运行:
$ ./testsort
5
abc
12345
foo
aaa
bbb
输出:
12345
aaa
abc
bbb
foo
答案 1 :(得分:3)
您的数据数组是一个char *数组,因此比较方法通过qsort传递给指针指针(char **)。
你需要:
char *s1 = *((char**)a), *s2 = *((char**)b);