鉴于std :: map的两个实例,我试图使用std :: set_set_symmetric_difference()算法来存储所有差异。我有以下工作代码:
#include <iostream>
#include <map>
#include <string>
#include <algorithm>
#include <iterator>
#include <vector>
typedef std::map<std::string,bool> MyMap;
typedef std::vector< std::pair<MyMap::key_type,MyMap::mapped_type> > MyPairs;
//typedef std::vector< MyMap::value_type > MyPairs;
using namespace std;
int main(int argc, char *argv[]) {
MyMap previous;
MyMap current;
//Modified value
previous["diff"] = true;
current["diff"] = false;
//Missing key in current
previous["notInCurrent"] = true;
//Missing key in previous
current["notInPrevious"] = true;
//Same value
previous["same"] = true;
current["same"] = true;
cout << "All differences " << endl;
MyPairs differences;
std::back_insert_iterator<MyPairs> back_it(differences);
std::set_symmetric_difference(previous.begin(),previous.end(),current.begin(),current.end(),back_it);
for(MyPairs::iterator it = differences.begin(); it != differences.end(); it++){
cout << "(" << it->first << ":" << it->second << ") ";
}
cout << endl;
return 0;
}
打印出我期望的内容:
All differences
(diff:0) (diff:1) (notInCurrent:1) (notInPrevious:1)
我的错误是MyPairs的typedef,与地图的差异向量。
最初我尝试输入像typedef std::vector< MyMap::value_type > MyPairs
这样的向量来解决这个错误,并在Non-static const member, can't use default assignment operator
SetDifferenceMapVectorType.cpp:36: instantiated from here
/usr/include/c++/4.2.1/bits/stl_pair.h:69: error: non-static const member 'const std::basic_string<char, std::char_traits<char>, std::allocator<char> > std::pair<const std::basic_string<char, std::char_traits<char>, std::allocator<char> >, bool>::first', can't use default assignment operator
这是因为map中值的键是const,以避免更改键并使映射无效。因为std::map<Key,Value>::value_type
是std::pair<const Key, Value>
意味着operator=()
不能用于向向量添加元素,这就是为什么不在我的工作示例中指定const工作。
有没有更好的方法来为MyPairs向量定义非冗余的模板参数?到目前为止,我能够提出的最好成绩是std::vector< std::pair<MyMap::key_type, MyMap::mapped_type> >
答案 0 :(得分:2)
我不确定这是否是您正在寻找的 - 它是一个元函数,它从该对的第一个类型中删除const并返回新的对类型。除非你想深入了解remove_const的工作方式,否则需要提升 - 其他人必须提供帮助。
#include <boost/type_traits/remove_const.hpp>
template< typename PairType >
struct remove_const_from_pair
{
typedef std::pair
<
typename boost::remove_const< typename PairType::first_type>::type,
typename PairType::second_type
> type;
};
typedef std::map<std::string,bool> MyMap;
//typedef std::vector< std::pair<MyMap::key_type,MyMap::mapped_type> > MyPairs;
typedef std::vector< remove_const_from_pair<MyMap::value_type>::type > MyPairs;