當我使用operator []在C++ map中插入元素時,會發生錯誤。運算符[]和insert()函數不應該在C++映射中表現相同的方式嗎?
我有這張地圖< Pair,int> variable。當我向其中插入一個新元素,然後使用迭代器打印其鍵時,地圖的某些元素會隨機消失,並且值不會按遞增順序打印。但是,當我使用funtion insert()插入元素時,一切正常。我在做運營商[]做錯了什麼?兩種情況下的結果都不應該相同嗎?
備註:每個鍵對都是一個存儲一對整數的結構。
這是一個例子: 我插入了六個以下的鍵(5,9),(5,11),(5,12),(4,14),(1,10),(3,10 )。 然後,我遍歷地圖和密鑰(3,10)消失。此外,元素不按順序打印。 要查看他們應該打印的正確方式,請按照下面代碼註釋中給出的說明進行操作。
這裏是我的代碼:
#include <iostream>
#include <map>
using namespace std;
struct Pair {
int a;
int b;
Pair(const int& a,const int& b) { //assures the first int is the smaller one
if (a < b) {
this->a = a;
this->b = b;
} else {
this->b = a;
this->a = b;
}
}
bool operator<(const Pair& otherPair) const {
return this->a < otherPair.a || this->b < otherPair.b;
}
};
int main() {
Pair elements []{ Pair (5,9), Pair (5,11), Pair (5,12), Pair (4,14), Pair (1,10), Pair (3,10) }; // keys to insert into the map
map<Pair,int> mapPairInt; // map to store the elements
for(int i = 0; i <6;i++){
mapPairInt[elements[i]] = 0; //insert elements using operator[]
//mapPairInt.insert (std::pair<Pair,int>(elements[i],0)); // insert elements using insert() -- uncomment this line and comment the line above. This will make everything works properly
}
//print the keys stored by the map (the keys should be printed in increasing order)
map<Pair,int>::iterator it = mapPairInt.begin();
while(it != mapPairInt.end()){
cout<< it->first.a << "-" << it->first.b <<endl;
it++;
}
return 0;
}