继续我的上一个问题C++ template class map我已经实现了插入一些值的函数。此函数为一系列键插入相同的值。如果密钥存在于地图中,则应覆盖旧值。该功能最终是否正确有效?你能建议一个更好的方法来实现吗?
void insert_ToMap( K const& keyBegin, K const& keyEnd, const V& value)
{
if(!(keyBegin < keyEnd))
return;
const_iterator it;
for(int j=keyBegin; j<keyEnd; j++)
{
it = my_map.find(j);
if(it==my_map.end())
{
my_map.insert(pair<K,V>(j,value));
}
else
{
my_map.erase(it);
my_map.insert(pair<K,V>(j, value));
}
}
}
我试试:
int main()
{
template_map<int,int> Map1 (10);
Map1.insert_ToMap(3,6,20);
Map1.insert_ToMap(4,14,30);
Map1.insert_ToMap(34,37,12);
for (auto i = Map1.begin(); i != Map1.end(); i++)
{
cout<< i->first<<" "<<i->second<<std::endl;
}
}
答案 0 :(得分:4)
插入密钥是否存在:
typedef std:::map<K, V> map_type;
std::pair<typename map_type::iterator, bool> p
= my_map.insert(std::pair<K const &, V const &>(key, new_value));
if (!p.second) p.first->second = new_value;
这种结构利用insert
已经执行find()
这一事实,如果插入失败,您可以立即使用生成的迭代器覆盖映射值。
这里有一定的隐藏成本:插入始终会复制元素,无论它是否实际成功。为了避免这种情况,我们可以使用lower_bound()
稍微更冗长的方法来搜索声称的密钥并同时为新元素提供正确的插入位置:
typename map_type::iterator it = my_map.lower_bound(key);
if (it == my_map.end() || it->first != key)
{
my_map.insert(it, std::pair<K const &, V const &>(key, new_value)); // O(1) !
}
else
{
it->second = new_value;
}
如果插入提示(第一个参数中的迭代器)是插入的正确位置,那么insert()
的双参数版本将以恒定时间运行,这正是lower_bound()
提供的。 / p>