我创建了两个向量,另一个用push_back填充,另一个用索引填充。我希望这些是平等的,但不是。有人可以解释我为什么会这样吗?
#include <vector>
#include <iostream>
using namespace std;
int main() {
vector<int> v0;
v0.push_back(0);
v0.push_back(1);
v0.push_back(2);
vector<int> v1;
v1.reserve(3);
v1[0] = 0;
v1[1] = 1;
v1[2] = 2;
if (v0 != v1) {
cout << "why aren't they equal?" << endl;
}
return 0;
}
答案 0 :(得分:8)
vector<int> v1;
v1.reserve(3);
v1[0] = 0;
v1[1] = 1;
v1[2] = 2;
这可能是一个未定义的行为(虽然不确定它是否依赖于实现)。
你不能使用operator[]
来填充向量,因为它返回对底层对象的引用,在你的情况下它只是一堆位。
你应该使用push_back()
或resize
你的向量。使用后者: -
vector<int> v1;
v1.resize(3);
v1[0] = 0;
v1[1] = 1;
v1[2] = 2;