0

我有一个矩阵类。我正在重载乘法运算符,但只有当我调用 Matrix scalar 时它才有效;不适用于标量矩阵。我怎样才能解决这个问题?

#include <iostream>
#include <stdint.h>

template<class T>
class Matrix {
public:
    Matrix(unsigned rows, unsigned cols);
    Matrix(const Matrix<T>& m);
    Matrix();
    ~Matrix(); // Destructor

Matrix<T> operator *(T k) const;

    unsigned rows, cols;
private:
    int index;
    T* data_;
};

template<class T>
Matrix<T> Matrix<T>::operator *(T k) const { 
    Matrix<double> tmp(rows, cols);
    for (unsigned i = 0; i < rows * cols; i++)
        tmp.data_[i] = data_[i] * k;

    return tmp;
}

template<class T>
Matrix<T> operator *(T k, const Matrix<T>& B) {
    return B * k;
}

已编辑


我实现了chill 建议的内容,但出现以下错误:

main.cpp: In function ‘int main(int, char**)’:
main.cpp:44:19: error: no match for ‘operator*’ in ‘12 * u2’
main.cpp:44:19: note: candidate is:
lcomatrix/lcomatrix.hpp:149:11: note: template<class T> Matrix<T> operator*(T, const Matrix<T>&)
make: *** [main.o] Error 1
4

3 回答 3

3

不要让运营商成为会员。将 an 定义operator*=为 Matrix 的成员,然后定义两个 free operator**=在其实现中使用。

于 2012-11-22T14:03:17.577 回答
2

在类外部定义一个operator*,它只是反转参数。并将另一个声明operator*const.

template<typename T> Matrix<T> operator* (T k, const Matrix<T> &m) { return m * k; }
于 2012-11-22T14:07:18.553 回答
0

类成员operator *对其对应的对象(左侧)进行操作,调用M * scalar对应于A.operator*(scalar)- 如果您切换顺序,这显然不适用,因为您没有为标量定义 operator *。您可以创建一个全局operator *实现,它接受标量作为第一个(左)操作数,接受矩阵作为第二个操作数。在实现内部切换顺序并调用您的 inclass 类operator *。例如:

template <class T>
Matrix<T> operator *(T scalar, const Matrix<T> &M)
{
    return M * scalar;
}
于 2012-11-22T14:07:07.930 回答