5月27日
map基础知识
在stl中,除了顺序容器,即vector, list, 和deque,另一类的容器是关联容器,即set,map。关联容器有4种,set
映射(map)提供了键/值对,基于键的查找,可以迅速找到与键相对应所需的值,map的底层实现是红黑二叉树,做查询相当于是二分查找,复杂度是O(logn)。在map中,find操作用于查找,如果找不到该key,则返回xxx.end(),并在map中插入该key,默认value是0。
e.g.:
map student;
map::iterator it; //声明迭代器
it = student.find("1000000") //查找key = 1000000的值
cout<<(*it).second; //输出该键对应的值
由于在映射中存储的时候用了pair对,因此我们对于其中的元素需要通过it->first,或者it->second来访问。
按键排序
为了实现快速查找,map内部本身就是按序存储的(比如红黑树)。在我们插入
map的模板定义如下
template < class Key, class T, class Compare = less,
class Allocator = allocator > > class map;
其中第三、四个均包含默认参数,可以不指定。我们可以通过指定Compare类来指定排序的顺序。其中less
template struct less : binary_function {
bool operator() (const T& x, const T& y) const
{return x
它是一个带模板的struct,里面仅仅对()运算符进行了重载。与less相对的有greater,定义如下
template struct greater : binary_function {
bool operator() (const T& x, const T& y) const
{return x>y;}
};
因此我们在定义map的时候,可以指定如下
map
或者定义自己的比较类comLen如下
struct comLen{
bool operator(const string &lhs, const string &rhs)
{return lhs.length() LenLessMap;
按value排序
如何实现Map的按Value排序呢?
第一反应是利用stl中提供的sort算法实现,这个想法是好的,不幸的是,sort算法有个限制,利用sort算法只能对线性容器进行排序(如vector,list,deque)。map是一个集合容器,它里面存储的元素是pair,不是线性存储的(前面提过,像红黑树),所以利用sort不能直接和map结合进行排序。
迂回一下,把map中的元素放到序列容器(如vector)中,然后再对这些元素进行排序。要对序列容器中的元素进行排序,也有个必要条件:就是容器中的元素必须是可比较的,也就是实现了<操作的。
map是元素为pair,其已实现<操作符的重载
template
inline bool operator<(const pair& x, const pair& y)
{ return x.first < y.first || (!(y.first < x.first) && x.second < y.second); }
x.first < y.first指键值小于的情况;(!(y.first < x.first) && x.second < y.second);结合前面的情况指键相等的情形下value的情况。
而sort模版如下:
template
void sort ( RandomAccessIterator first, RandomAccessIterator last );
template
void sort ( RandomAccessIterator first, RandomAccessIterator last, Compare comp );
与map一样均可以指定比较的类。可以定义如下的比较的函数:
int cmp(const pair& x, const pair& y)
{
return x.second > y.second;
}
最后可以如下实现按照value排序map
元素插入过程
sort(vec.begin(),vec.end(),combyValue);
下面是一个以value排序的例子:
//功能:输入单词,统计单词出现次数并按照单词出现次数从多到少排序
#include
#include
#include