在C ++中是否有办法搜索地图的映射值(而不是键),然后返回密钥?通常,我会someMap.find(someKey)->second
来获取值,但在这里我想做相反的操作并获取密钥(值和键都是唯一的)。
答案 0 :(得分:36)
由于map
的设计方式,您需要对无序数据进行相应的搜索。
for (it = someMap.begin(); it != someMap.end(); ++it )
if (it->second == someValue)
return it->first;
答案 1 :(得分:10)
使用lambdas(C ++ 11及更新版本)
//A MAP OBEJCT
std::map<int, int> mapObject;
//INSERT VALUES
mapObject.insert(make_pair(1, 10));
mapObject.insert(make_pair(2, 20));
mapObject.insert(make_pair(3, 30));
mapObject.insert(make_pair(4, 40));
//FIND KEY FOR BELOW VALUE
int val = 20;
auto result = std::find_if(
mapObject.begin(),
mapObject.end(),
[val](const auto& mo) {return mo.second == val; });
//RETURN VARIABLE IF FOUND
if(result != mapObject.end())
int foundkey = result->first;
答案 2 :(得分:9)
您正在寻找的是Bimap,Boost中提供了它的实现:http://www.boost.org/doc/libs/1_36_0/libs/bimap/doc/html/index.html
答案 3 :(得分:2)
我们可以创建一个将值映射到键的reverseMap。
像,
map<key, value>::iterator it;
map<value, key> reverseMap;
for(it = originalMap.begin(); it != originalMap.end(); it++)
reverseMap[it->second] = it->first;
这也基本上类似于线性搜索,但如果您有许多查询,它们将非常有用。
答案 4 :(得分:1)
struct test_type
{
CString str;
int n;
};
bool Pred( std::pair< int, test_type > tt )
{
if( tt.second.n == 10 )
return true;
return false;
}
std::map< int, test_type > temp_map;
for( int i = 0; i < 25; i++ )
{
test_type tt;
tt.str.Format( _T( "no : %d" ), i );
tt.n = i;
temp_map[ i ] = tt;
}
auto iter = std::find_if( temp_map.begin(), temp_map.end(), Pred );