我有一个Matrix
类,它具有*
用于标量和矩阵乘法的重载运算符。
template <class T> class Matrix
{
public:
// ...
Matrix operator*(T scalar) const;
// ...
}
// ...
template <class T>
Matrix<T> Matrix<T>::operator*(T RightScalar) const
{
Matrix<T> ResultMatrix(m_unRowSize, m_unColSize);
for (uint64_t i=0; i<m_unRowSize; i++)
{
for (uint64_t j=0; j<m_unColSize; j++)
{
ResultMatrix(i, j) = TheMatrix[m_unColSize * i + j] * RightScalar;
}
}
return ResultMatrix;
}
// ...
我可以将矩阵对象与右侧的标量相乘,没有任何问题:
Matrix<double> X(3, 3, /* ... */); // Define a 3x3 matrix and initialize its contents
Matrix<double> Y; // Define an output matrix
Y = X * 10.0; // Do the linear operation
但是,我如何以同样的方式从左侧乘以它?
Matrix<double> X(3, 3, /* ... */);
Matrix<double> Y;
Y = 10.0 * X;
在算术中,在进行乘法运算时,将常量写在左侧是一种常见的表示法。我想遵守这条规则以使我的代码更具可读性。
是否可以在 C++ 中实现这一点?
如果可能,如何修改代码中的类方法?