双向编辑的2D矢量导致崩溃

时间:2017-04-20 04:44:34

标签: c++ 2d-vector

我正在研究一个由2D Vector of Doubles组成的C ++类。我即将创建2D Vector,但当我尝试编辑其中的值时,程序崩溃了。我已经尝试使用[] []运算符并将其设置为等于myDub,我尝试使用像myMat.editSlot(i,j,myDub)这样的类,这两个都导致程序崩溃。

// n ==#行和列数(所有矩阵都是正方形) // infile正确打开文件

mat my_mat(n,n);

// Read input data
for (int i=0; i<n; i++) {
    for (int j=0; j<n; j++) {
        double myDub;
        inFile >> myDub;

        my_mat.editSlot(i,j,myDub);
    }
}

这是班级:

class mat
{

    mat( int x , int y ) {
        int row = x;
        int col = y;
        vector<vector<double>> A( row , vector<double>( row , 0 ) );


        for ( int i = 0; i<row; i++ )
        {
            for ( int j = 0; j<col; j++ )
            {
                cout << setw( 6 ) << A[i][j];
            }
            cout << endl;
        }
    }

    void editSlot( int x , int y , double val ) {
        A[x][y] = val;
    }
    vector<vector<double>> A;

private:
    int n;

};

2 个答案:

答案 0 :(得分:2)

在我看来,您初始化A的方式是错误的。尝试这样的事情:

A = vector<vector<double>>( row , vector<double>( row , 0 ) );

另外考虑构造函数和编辑函数的事情都没有被声明为public。

答案 1 :(得分:0)

导致粉碎的主要问题是您在构造函数中更改时间向量A的大小,而未触及您在类对象中声明为字段的向量。 我建议做这样的事情:

mat(int x,int y) : A(y,vector<double>(x,0)) {
 int row = x;
 int col = y;  
    for(int i=0; i<row; i++)
            {
                for(int j=0; j<col; j++)
                {
                    cout<<setw(6)<<A[i][j];
                }
                cout<<endl;
            }
        }
}

在这种情况下,您不会在构造函数中使用temporal A对象隐藏您的A字段。 另外请注意不要在函数中交换x和y。例如,editSlot函数中有错误:

void editSlot( int x , int y , double val ) {
    A[x][y] = val;
}

,它应该是:

A[y][x] = val;

根据构造函数。