3

我正在尝试在 C++ 中创建一个 2x2 矩阵类,并希望通过默认构造函数将矩阵初始化为单位矩阵。我的课是:

class Matrix2x2
{
public:
    Matrix2x2();
    void setVal(int row, int col, double newVal);

private:
    double n[2][2];
};

void Matrix2x2::setVal(int row, int col, double newVal)
{
n[row][col] = newVal;
}

我尝试了几个不同的构造函数,但没有一个能做我想要的。

Matrix2x2::Matrix2x2(): setVal(0,0,1), setVal(0,1,0), setVal(1,0,0), setVal(1,1,1)
{  }  

 Matrix2x2::Matrix2x2(): n[0][0](1), n[0][1](0), n[1][0](0), n[1][1](1)
{  }  

我意识到这可能只是某个地方的一个简单错误,但我似乎找不到它,有什么想法吗?

4

4 回答 4

2

您可以使用数组聚合:

class Matrix2x2 {
public:
    Matrix2x2() : n({{3,1},{4,7}}) {
    }
    void setVal(int row, int col, double newVal);
private:
    double n[2][2];
};

ideone 上的演示。

于 2013-02-27T17:00:33.190 回答
2

在 C++11 中:

Matrix2x2::Matrix2x2(): n{{1,0},{0,1}} {}

从历史上看,您无法在初始化列表中初始化数组,因此如果您停留在过去,那么您必须在构造函数主体中分配值:

Matrix2x2::Matrix2x2()
{
    n[0][0] = 1;  // or setVal(0,0,1) if you prefer
    n[0][1] = 0;
    n[1][0] = 0;
    n[1][1] = 1;
}
于 2013-02-27T17:02:17.427 回答
1

I'm trying to create a 2x2 matrix-class in C++ and want to initialize the matrix to an identity matrix through the default constructor.

//constructor (inside class)
Matrix2x2()
{
    n[0][0] = 1.0;
    n[1][1] = 1.0;
    n[0][1] = 0;
    n[1][0] = 0;

}
于 2013-02-27T16:59:30.883 回答
0

或者像这样

Matrix2x2::Matrix2x2()
{  
    setVal(0,0,1);
    setVal(0,1,1);
    setVal(1,0,1);
    setVal(1,1,1);
}
于 2013-02-27T17:01:54.497 回答