std::map是C++ STL库的一种关联式容器,它存储键值对,允许通过键来访问值。下面介绍两种方法,用于删除std::map中的键值对。
erase()方法
erase()方法可以删除std::map中的键值对,可以传递std::map::iterator作为参数,删除指定的键值对。也可以传递键作为参数,从std::map中删除具有该键的键值对。
删除指定的键值对:
#include <iostream>
#include <map>
int main()
{
std::map<int, int> myMap{
{1, 100},
{2, 200},
{3, 300}
};
auto it = myMap.find(2);
if (it != myMap.end())
{
myMap.erase(it);
}
for (auto& x : myMap)
{
std::cout << x.first << ": " << x.second << std::endl;
}
return 0;
}
输出:
1: 100
3: 300
删除具有指定键的键值对:
#include <iostream>
#include <map>
int main()
{
std::map<std::string, int> myMap{
{"one", 1},
{"two", 2},
{"three", 3}
};
myMap.erase("two");
for (auto& x : myMap)
{
std::cout << x.first << ": " << x.second << std::endl;
}
return 0;
}
输出:
one: 1
three: 3
clear()方法
clear()方法可以清空整个std::map容器,即删除所有键值对。
#include <iostream>
#include <map>
int main()
{
std::map<int, int> myMap{
{1, 100},
{2, 200},
{3, 300}
};
myMap.clear();
std::cout << "Size of the map after clear(): " << myMap.size() << std::endl;
return 0;
}
输出:
Size of the map after clear(): 0
上述方法可以帮助您在C++ STL map容器中删除键值对。