根据在question中使用boost :: bimap的建议,我有一个关于如何在bimap中解决重复键的问题。
如果我有:
<key1, value1>, <key1, value2>
,是否可以在bimap中插入两次?
我看到了描述CollectionType_of的页面,默认类型是bimap< CollectionType_of<A>, CollectionType_of<B> >
的设置。所以关键是双方都是独一无二的。更重要的是,我想知道是否有更好的方法可以快速找到key1的value1,value2?但是key1并不好,因为使用值作为键进行搜索。
感谢您的建议!
答案 0 :(得分:2)
您的案例需要自定义容器。它将有两张std::map<string, std::set<string>>
的地图。像这样:
template <typename K, typename V>
class ManyToManyMap
{
public:
typedef std::set<K> SetOfKeys;
typedef std::set<V> SetOfValues;
typedef std::map<K, SetOfValues> KeyToValuesMap;
typedef std::map<V, SetOfKeys> ValueToKeysMap;
private: // I usually put this to the bottom. But it's here for readability.
KeyToValuesMap keyToValues;
ValueToKeysMap valueToKeys;
public:
/* I leave it to requester to implement required functions */
void insert(const K& key, const V& value)
{
keyToValues[key].insert(value);
valueToKeys[value].insert(key);
}
void removeKey(const K& key)
{
KeyToValuesMap::iterator keyIterator = keyToValues.find(key);
if (keyToValues.end() == keyIterator) {
return;
}
SetOfValues& values = keyIterator->second;
SetOfValues::const_iterator valueIterator = values.begin();
while (values.end() != valueIterator) {
valueToKeys[*valueIterator++].remove(key);
}
keyToValues.erase(keyIterator);
}
/* Do the reverse for removeValue() - leaving to OP */
SetOfValues getValues(const K& key) const
{
KeyToValuesMap::const_iterator keyIterator = keyToValues.find(key);
if (keyToValues.end() == keyIterator) {
return SetOfValues(); // Or throw an exception, your choice.
}
return keyIterator->second;
}
/* Do the reverse for getKeys() - leaving to OP */
};
用法如下:
typedef ManyToManyMap<string, string> LinksMap;
LinksMap links;
links.insert("seg1", "pic1"); // seg1 -> (pic1) and pic1 -> (seg1)
links.insert("seg1", "pic2"); // seg1 -> (pic1, pic2) and pic2 -> (seg1)
links.insert("seg2", "pic1"); // seg2 -> (pic1) and pic1 -> (seg1, seg2)
....
links.removeKey("seg1"); // pic1 -> (seg2) and pic2 -> ()
此数据结构存在明显的缺陷,因为它不会清除映射到空集。在最后一个声明中说,pic2现在有一个空映射。您可以调整此类,以确保从valueToKeys
或keyToValues
地图中删除对空集的此类映射,具体取决于它是removeKey()
还是removeValue()
操作。< / p>