分段故障核心转储,矢量嵌套在矢量中

Segmentation Fault Core Dumped with a Vector Nested in a Vector

本文关键字:嵌套 故障 核心 转储 分段      更新时间:2023-10-16

我正在尝试使用标准库向量为矩阵创建一个类。我正在使用向量中的向量来设置矩阵,一个向量表示列,另一个(向量)表示行和存储在行中的值。下面是变量和构造函数。

变量:

 int columns;
 int rows;
 std::vector<std::vector<int> > v;

构造 函数:

 Matrix(int a, int b){
std::cout << "Input Recieved.. Construct Began" << std::endl;
rows = a;
columns = b;
// Subtract one to put them in a proper array format
rows = rows - 1;
columns = columns - 1;
//Creates the columns
v.reserve(columns);
//Creates the Rows .. Code is ran for every column, this is where the values are set
for(int i = 0; i <= columns; i++){
  v[i].reserve(rows);
  std::cout << "Column " << i  + 1 << " Created, with " << rows + 1<< " Rows" << std::endl;

  //Sets the values of the rows .. is ran for every column
  for(int e = 0; e <= rows; e++){
    if(i == 19){
      std::cout << "Column 20 row setting has begun" << std::endl;
    }

    v[i][e] = 2;
    if(i == 19){
    std::cout << "Made it past the line" << std::endl;
  }
    std::cout << "Row " << e + 1 << " Set in Column " << i + 1<< ", with Value " << v[i][e] << std::endl;
    if(i == 19){
      std::cout << "Column 20 row setting has finished" << std::endl;
    }
  }

}
}

现在它似乎能够创建除最后一个向量之外的所有内容,然后我得到了分割错误。有关更完整的源代码,请 http://pastebin.com/AB59bPMR .

只需使用方法resize()就可以使矩阵有多大

matrix.resize(rows, vector < int >(columns));

在 for 循环中犯了一个简单的错误i <= columns应该与行i < columns相同。我也不应该从列和行变量中减去 1。

rows = rows - 1; columns = columns - 1;

应该是

rows = rows; columns = columns;

columns = columns - 1;
//Creates the columns
v.reserve(columns);
//Creates the Rows .. Code is ran for every column, this is where the values are set
for(int i = 0; i <= columns; i++){

让我们以 1x1 矩阵的简单情况为例:

columns = columns - 1 => columns = 0
v.reserve(0);    // should be resize
for (int i = 0; i <= 0; i++)

然后,您将尝试访问数组的末尾:空数组(size==0)数组的第一个元素(element[0])。任何其他值也是如此 - 您访问数组末尾。

保持列不变。

Matrix(int a, int b){
    std::cout << "Input Recieved.. Construct Began" << std::endl;
    rows = a;
    columns = b;
    //Creates the columns
    v.resize(columns);
    //Creates the Rows .. Code is ran for every column, this is where the values are set
    for(int i = 0; i < columns; i++) {