关于C语言qsort函数的简单用法

qsort()括号里面有4个参数

第一个参数是将要排序的数组名array

第二个参数是将要排序的数量n

第三个参数是每个要排序的参数的大小sizeof(array[0])

第四个参数是自己写一个比较函数cmp

 前面三个参数比较通俗易懂,主要是最后一个cmp函数重写

 1:数字的qsort排序

a:从大到小排序

#include<stdlib.h>  //头文件
int cmp ( const void *a , const void *b )  //排序函数 
{ 
return *(int *)b - *(int *)a; 
}
qsort(s,n,sizeof(s[0]),cmp);  //调用函数

b:从小到大排序

#include<stdlib.h>
int cmp ( const void *a , const void *b ) 
{ 
return *(int *)a - *(int *)b; 
}
qsort(s,n,sizeof(s[0]),cmp);

 


>七种qsort排序方法

<排序都是采用的从小到大排序>

一、对int类型数组排序

int num[100]; 
int cmp ( const void *a , const void *b ) 
{ 
return *(int *)a - *(int *)b; 
}

二、对char类型数组排序(同int类型)

int cmp( const void *a , const void *b ) 
{ 
return *(char *)a - *(char *)b; 
}

三、对double类型数组排序

int cmp( const void *a , const void *b ) 
{ 
return *(double *)a > *(double *)b ? 1 : -1;//注意这里用的三目运算符 
}

四、对结构体一级排序

struct In 
{ 
double data; 
int other; 
}s[100]
//按照data的值从小到大将结构体排序,关于结构体内的排序关键数据data的类型可以很多种,参考上面的例子写
int cmp( const void *a ,const void *b) 
{ 
return (*(In *)a).data > (*(In *)b).data ? 1 : -1; //这里切记这种写法,如果你利用减法规定顺序,patOj会出现问题,亲测
}

五、对结构体二级排序

struct In 
{ 
int x; 
int y; 
}s[100];
//按照x从小到大排序,当x相等时按照y从大到小排序
int cmp( const void *a , const void *b ) 
{ 
struct In *c = (In *)a; 
struct In *d = (In *)b; 
if(c->x != d->x) return c->x - d->x; 
else return d->y - c->y; 
}

六、对结构体三级排序(都是从小到大)

#include<stdlib.h>

typedef struct  item
{
    int num,length,width;
};
int comp(const void *p1,const void *p2)
{
    struct item *c=(item*)p1;
    struct item *d=(item*)p2;
    if(c->num!=d->num)
    {
        return d->num<c->num?1:-1;
    }
    else if(c->length!=d->length&&c->num==d->num)
    return d->length<c->length?1:-1;
    else return d->width<c->width?1:-1;
}

 

七、对字符串进行排序

struct In 
{ 
int data; 
char str[100]; 
}s[100];

//按照结构体中字符串str的字典顺序排序

int cmp ( const void *a , const void *b ) 
{ 
return strcmp( (*(In *)a)->str , (*(In *)b)->str ); 
}

 

八、计算几何中求凸包的cmp

int cmp(const void *a,const void *b) //重点cmp函数,把除了1点外的所有点,旋转角度排序 
{ 
struct point *c=(point *)a; 
struct point *d=(point *)b; 
if( calc(*c,*d,p[1]) < 0) return 1; 
else if( !calc(*c,*d,p[1]) && dis(c->x,c->y,p[1].x,p[1].y) < dis(d->x,d->y,p[1].x,p[1].y)) //如果在一条直线上,则把远的放在前面 
return 1; 
else return -1; 
} 

 

posted on 2020-02-06 15:33  Aldrich_2020  阅读(712)  评论(0编辑  收藏  举报