sort()函数是C++中的排序函数其头文件为:#include<algorithm>头文件;
qsort()是C中的排序函数,其头文件为:#include<stdlib.h>

1sort()

sort
对给定区间所有元素进行排序
stable_sort
对给定区间所有元素进行稳定排序
partial_sort
对给定区间所有元素部分排序
partial_sort_copy
对给定区间复制并排序
nth_element
找出给定区间的某个位置对应的元素
is_sorted
判断一个区间是否已经排好序
partition
使得符合某个条件的元素放在前面
stable_partition
相对稳定的使得符合某个条件的元素放在前面

语法描述为:

1sort(begin,end),表示一个范围,例如:

#include
"stdafx.h"
#include<iostream>
#include
<algorithm>
using
namespace std;

int
_tmain(int
argc,
_TCHAR*
argv[])
{
int
a[10]={2,4,1,23,5,76,0,43,24,65},i;
for(i=0;i<10;i++)
cout<<a[i]<<"
";
cout<<endl;
sort(a,a+5);
for(i=0;i<10;i++)
cout<<a[i]<<"
";
system("pause");
return
0;
}

输出结果将是把数组a按升序排序,说到这里可能就有人会问怎么样用它降序排列呢?这就是下一个讨论的内容。

2sort(begin,end,compare)

一种是自己编写一个比较函数来实现,接着调用三个参数的sortsort(begin,end,compare)就成了。

对于list容器,这个方法也适用,把compare作为sort的参数就可以了,即:sort(compare)。

1)自己编写compare函数:

bool
compare(int
a,int
b)
{
return
a<b;
//按升序排序,如果按降序排序改为“a>b”

}
int
_tmain(int
argc,
_TCHAR*
argv[])
{
int
a[10]={2,4,1,23,5,76,0,43,24,65},i;
for(i=0;i<10;i++)
cout<<a[i]<<"
";
cout<<endl;
sort(a,a+10,compare);
for(i=0;i<10;i++)
cout<<a[i]<<"
";
system("pause");
return
0;
}

2)更进一步,让这种操作更加能适应变化。也就是说,能给比较函数一个参数,用来指示是按升序还是按降序排,这回轮到函数对象出场了。

为了描述方便,我先定义一个枚举类型EnumComp用来表示升序和降序。很简单:

enum
Enumcomp{ASC,DESC};

class
compare
{
private:
	Enumcomp
comp;
public:
compare(Enumcomp
c):comp(c)
{};
bool
operator
()
(int
num1,int
num2)
	{
switch(comp)
		{
case
ASC:
return
num1<num2;
case
DESC:
return
num1>num2;
		}