-1

我有一个类项目是制作和操作动态对象。我有一个名为 Matrix 的类,它使用二维指针数组来存储 Complex 类型的对象(这是一个复数类)。我需要能够通过将数组中的所有值相加并返回一个新数组来添加 2 个数组。问题是我不理解访问数组中每个复杂对象的语法。到目前为止,这是我对重载加法运算符的了解:

const Matrix Matrix::operator+(const Matrix& rhs) const
{
    Matrix newMatrix(mRows,mCols); 
    for(int i=0;i<mRows;i++) 
    {
        for(int j=0;j<mCols;j++) 
        {
            (*newMatrix.complexArray[i]) = (*complexArray[i])+    (*rhs.complexArray[i]);
        }   
    }

return newMatrix;
}

这是 Matrix 对象的重载输入运算符:

istream& operator>>(istream& input, Matrix& matrix) 
{
bool inputCheck = false;
int cols;

while(inputCheck == false)
{
    cout << "Input Matrix: Enter # rows and # columns:" << endl; 

    input >> matrix.mRows >> cols;
    matrix.mCols = cols/2;

    //checking for invalid input
    if(matrix.mRows <= 0 || cols <= 0)
    {
        cout << "Input was invalid. Try using integers." << endl;
        inputCheck = false;
    }
    else
    {
        inputCheck = true;
    }

    input.clear();
    input.ignore(80, '\n');
}

if(inputCheck = true)
{
    cout << "Input the matrix:" << endl;

    for(int i=0;i< (matrix.mRows+matrix.mCols);i++) 
    {
        Complex* newComplex = new Complex();
        input >> *newComplex;
        matrix.complexArray[i] = newComplex;
    }
}
return input;
}

这是 Matrix 类定义:

class Matrix
{
friend istream& operator>>(istream&, Matrix&);
friend ostream& operator<<(ostream&, const Matrix&);

private:
    int mRows;
    int mCols;
    static const int MAX_ROWS = 10;
    static const int MAX_COLUMNS = 15;

            Complex **complexArray;

public:

            Matrix(int=0,int=0);
            Matrix(Complex&);
            ~Matrix();
            Matrix(Matrix&);
            Matrix& operator=(const Matrix&);
            const Matrix operator+(const Matrix&) const;
};

和构造函数:

Matrix::Matrix(int r, int c)
{
if(r>0 && c>0)
{
    mRows = r;
    mCols = c;
}
else
{
    mRows = 0;
    mCols = 0;
}

if(mRows < MAX_ROWS && mCols < MAX_COLUMNS)
{
    //complexArray= new Complex[mRows];
    complexArray= new Complex*[mRows];

    for(int i=0;i<mRows;i++)
    {
        complexArray[i] = new Complex[mCols];
    }
}
}

就像现在一样,程序可以编译,但在运行时添加矩阵时会停止工作。如果有人能告诉我应该使用什么语法以及为什么,那将非常有帮助。

4

1 回答 1

0

您似乎没有接受足够的输入。您将 (rows+cols) 复数作为输入,但随后尝试(正确)迭代矩阵中的 (rows*cols) 元素。

for(int i=0;i< (matrix.mRows+matrix.mCols);i++) 

相对

for(int i=0;i<mRows;i++) 
    {
        for(int j=0;j<mCols;j++) 
于 2013-04-27T21:22:23.707 回答