sort以及qsort函数的cmp 转自 http://blog.csdn.net/lionel_d/article/details/41746135 写的很好,直接复制粘贴过来了,感谢
一、sort 以及 qsort
首先,我们来谈谈大名鼎鼎的void qsort(void *base,int nelem,int width,int (*fcmp)(const void *,const void *));
它属于C语言标准库函数,应该是运用最多的了,今天我不是来教你们怎么用qsort的,只是来交流一下排序函数的最后一个参数cmp()(它不仅可以叫cmp,你还可以给他取名叫什么pig啊dog的只要是英文单词都可以,cmp只是人们对compare的一种常用缩写)比较函数的写法。
下面是cmp的写法:
注意:qsort的cmp()函数千万别写成下面这样
有一次就是写了下面的cmp(),结果排序死活不对!
下面是完整的测试代码:
测试结果:
第二个cmp(),就是void sort( iterator start, iterator end, StrictWeakOrdering cmp );下面是标准声明:
template他的头文件是void sort (RandomAccessIterator first, RandomAccessIterator last, Compare comp);
好的,问题又来了,这个cmp与qsort的cmp不一样了,正好相反,他不能写成下面这样:
切记,切记!
下面是sort的测试代码:
在C++中,我们经常需要用到set,map等容器,他们的cmp基本写法都与sort的相同,当然set,map的cmp可不仅仅是函数了,而是函数对象:
好的,废话也说了这么多了,那我们就来个总结吧:
在调用C的库函数qsort时,因为C语言没有明确的定义bool类型,只是笼统的说,零为假,任何非零都是真,而qsort的cmp函数是返回int的,通过<和>比较两个数据只能返回非零值(真)或零(假),具体返回多少,得看编译器,据我猜测qsort内部是根据返回的正或负或0来判断两个数之间的大小或等于关系的,这时用<或>就不能正常排序了。
而在C++中,已经定义了bool类型,而且sort的cmp函数返回的是bool类型的,说明sort的判断方式与qsort不同的,需要返回一个布尔值,来判断两个数之间的关系的。
#include
#include
#include
#include ///greater 函数在里面。
using namespace std;
///默认优先级,从大到小,大的先出队
priority_queue que1;
///使用系统比较函数greater 从小到大的出队
///数据类型 容器类型 比较函数
priority_queue ,greater > que2;///注意有> >之间有空格
///自定义优先级
struct cmp1{ ///不允许起名为 cmp ?
bool operator ()(int &a,int &b){
return a>b;///从小到大,最小值优先。
}
};
priority_queue ,cmp1> que3;
///结构体的自定义优先级
struct number{
int x;
int y;
bool operator < (const number &a)const{
if(x == a.x) return y>a.y;///x相等的情况下按y从小到大,最小值优先
else
return x>a.x;///x从小到大,最小值优先
}
};
priority_queue que4;
int data1[5] = {88,88,56,62,99};
number data2[5]={{88,7},{88,6},{56,5},{62,3},{99,4}};
int main()
{
for(int i=0;i<5;++i)
que1.push(data1[i]);
while(!que1.empty()){
printf("%d ",que1.top());
que1.pop();
}
printf("\n-----------------------------------------------------\n");
for(int i=0;i<5;++i)
que2.push(data1[i]);
while(!que2.empty()){
printf("%d ",que2.top());
que2.pop();
}
printf("\n-----------------------------------------------------\n");
for(int i=0;i<5;++i)
que3.push(data1[i]);
while(!que3.empty()){
printf("%d ",que3.top());
que3.pop();
}
printf("\n-----------------------------------------------------\n");
for(int i=0;i<5;++i)
que4.push(data2[i]);
printf("x y\n");
while(!que4.empty()){
printf("%d %d\n",que4.top().x,que4.top().y);
que4.pop();
}
return 0;
}
结果:
99 88 88 62 56
-----------------------------------------------------
56 62 88 88 99
-----------------------------------------------------
56 62 88 88 99
-----------------------------------------------------
x y
56 5
62 3
88 6
88 7
99 4