在STL中unique函数是一个去重函数, unique的功能是去除相邻的重复元素(只保留一个),其实它并不真正把重复的元素删除,是把重复的元素移到后面去了,然后依然保存到了原数组中,然后 返回去重后最后一个元素的地址,因为unique去除的是相邻的重复元素,所以一般用之前都会要排一下序。
注意,words的大小并没有改变,依然保存着10个元素;只是这些元素的顺序改变了。调用unique“删除”了相邻的重复值。给“删除”加上引号是因为unique实际上并没有删除任何元素,而是将无重复的元素复制到序列的前段,从而覆盖相邻的重复元素。unique返回的迭代器指向超出无重复的元素范围末端的下一个位置。``
注意:算法不直接修改容器的大小。如果需要添加或删除元素,则必须使用容器操作。
#include <iostream>
#include <cassert>
#include <algorithm>
#include <vector>
#include <string>
#include <iterator>using namespace std;int main()
{//cout<<"Illustrating the generic unique algorithm."<<endl;const int N=11;int array1[N]={1,2,0,3,3,0,7,7,7,0,8};vector<int> vector1;for (int i=0;i<N;++i)vector1.push_back(array1[i]);vector<int>::iterator new_end;new_end=unique(vector1.begin(),vector1.end()); //"删除"相邻的重复元素assert(vector1.size()==N);
//assert宏的原型定义在<assert.h>中,其作用是如果它的条件返回错误,则终止程序执行,原型定义:
//#include <assert.h>
//void assert( int expression );
//assert的作用是现计算表达式 expression ,如果其值为假(即为0),
//那么它先向stderr打印一条出错信息vector1.erase(new_end,vector1.end()); //删除(真正的删除)重复的元素copy(vector1.begin(),vector1.end(),ostream_iterator<int>(cout," "));
//头文件
//#include<algorithm>
//将a[0]~a[2]复制到b[5]~b[7] 并且覆盖掉原来的数据 (主要用于容器之间)copy(a.begin(),a.begin()+3,b.begin()+4);cout<<endl;return 0;
}