从不兼容的指针类型传递qsort的参数4

时间:2015-10-27 19:35:35

标签: c strcmp qsort

请帮助解决此警告:

从不兼容的指针类型传递qsort的参数4;

#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#define BSIZE 200
int (*cmp)(void *, void *);
int main(int argc, char *argv[]){

  FILE *in;
  char buf[BSIZE];
  int i, nofl;
  char *p[20];



  if(argc<2){
    printf("too few parameters...\n");
    return 1;
}
  in=fopen(argv[1], "r+b");
  if(in == NULL){
    printf("can't open file: %s\n", argv[1]);
    return 0;
}

  while(fgets(buf,BSIZE+1,in)){
    p[i]=malloc(strlen(buf)+1);
    strcpy(p[i],buf);

    i++;
}

  nofl=i;

  qsort(p,nofl,sizeof(int), &cmp);

  for(i=0;i<nofl;i++)
    printf("%s\n",p[i]);

  return 0;
}

int (*cmp)(void *a, void *b){
  int n1 = atoi(*a);
  int n2 = atoi(*b);
  if (n1<n2)
    return -1;
  else if (n1 == n2)
    return 0;
  else
    return 1;
}

我认为这个c程序必须将字符串转换为int并按asc排序。问题是,使用qsort strngs large不会产生任何影响,它会保持与未分类相同。

1 个答案:

答案 0 :(得分:2)

int (*cmp)(void *a, void *b){ ... }

不是定义函数的合法代码。

而不是

int (*cmp)(void *, void *);

使用

int cmp(const void*, const void*);

更新,以回应OP的评论

int cmp(const void *a, const void *b){

  // Here, a is really a pointer to a `char*`.

  const char* pa = *(const char**)a;
  const char* pb = *(const char**)b;

  int n1 = atoi(pa);
  int n2 = atoi(pb);

  // Simplify the return value.
  return ((n1 > n2) - (n1 < n2));

  /***
  if (n1<n2)
    return -1;
  else if (n1 == n2)
    return 0;
  else
    return 1;
  ***/

}