我试图通过使用两个索引将值添加到2D矢量。当我运行我的程序时,我收到Windows消息,说该程序已停止工作。使用Dev-C ++进行调试表明存在分段错误(我不确定这意味着什么)。请不要建议使用数组,我必须使用向量进行此分配。
#include <iostream>
#include <vector>
using namespace std;
int main(int argc, char** argv) {
vector< vector<int> > matrix;
cout << "Filling matrix with test numbers.";
for (int i = 0; i < 4; i++) {
for (int j = 0; j < 4; j++) {
matrix[i][j] = 5; // causes program to stop working
}
}
}
我已经创建了一个测试用例,我想在其中填充值为5的3X3矩阵。我怀疑它与2D矢量的大小没有特别定义有关。如何使用索引填充带有值的2D矢量?
答案 0 :(得分:13)
如上所述,这是有问题的,您正在尝试写入尚未分配内存的向量。
选项1 - 提前调整矢量大小
vector< vector<int> > matrix;
cout << "Filling matrix with test numbers.";
matrix.resize(4); // resize top level vector
for (int i = 0; i < 4; i++)
{
matrix[i].resize(4); // resize each of the contained vectors
for (int j = 0; j < 4; j++)
{
matrix[i][j] = 5;
}
}
选项2 - 在声明时调整矢量大小
vector<vector<int>> matrix(4, vector<int>(4));
选项3 - 根据需要使用push_back
调整矢量大小。
vector< vector<int> > matrix;
cout << "Filling matrix with test numbers.";
for (int i = 0; i < 4; i++)
{
vector<int> temp;
for (int j = 0; j < 4; j++)
{
temp.push_back(5);
}
matrix.push_back(temp);
}
答案 1 :(得分:3)
您尚未为2d矢量分配任何空间。所以在你当前的代码中,你试图访问一些不属于你程序的内存空间的内存。这将导致分段错误。
尝试:
vector<vector<int> > matrix(4, vector<int>(4));
如果您想为所有元素赋予相同的值,可以尝试:
vector<vector<int> > matrix(4, vector<int>(4,5)); // all values are now 5
答案 2 :(得分:0)
vector<int> v2d1(3, 7);
vector<vector<int> > v2d2(4, v2d1);
for (int i = 0; i < v2d2.size(); i++) {
for(int j=0; j <v2d2[i].size(); j++) {
cout<<v2d2[i][j]<<" ";
}
cout << endl;
}