I am trying to better understand templates and have turned to to the good 'ole matrix class. I know about eigen, armadillo, etc. my purpose is to better understand templates. My question is how do you get a member function to take an argument that is an object of the same template class, but with a different specialization?
For example, the matrix class I'm trying to put together takes two template parameters--number of rows and number of columns. Also, any m x n matrix object (Matrix<mRows,nCols>
) should be able to take an n x p matrix object (Matrix<nCols,pCols>
) and multiply them together and return an m x p matrix object (Matrix<mRows,pCols>
):
template <unsigned mRows, unsigned nCols>
class Matrix
{
private:
double matrixData[mRows][nCols];
//...other stuff
public:
//...other stuff
Matrix operator * (const Matrix<nCols, pCols>& rhs);
}
// simple naive matrix multiplication method
template <unsigned mRows, unsigned nCols>
Matrix<nCols,pCols> Matrix<mRows, nCols>::operator * (const Matrix<nCols,pCols>& rhs)
{
Matrix<nCols,pCols> temp();
for (int r = 0; r<mRows; ++r)
{
for(int c = 0;c<pCols;++c)
{
temp.matrixData[r][c]=0;
for (int elem = 0; elem<nCols;++elem)
{
temp.matrixData[r][c]+= matrixData[r][elem]*rhs.matrixData[elem][c];
}
}
}
return temp;
}
The main function would be something like:
int main()
{
Matrix<2,3> m1;
Matrix<3,4> m2;
//...initialize matrices...
Matrix<2,4> m3 = m1 * m2;
}
This doesn't work because pCols isn't declared anywhere. Where / how should it be declared?
So after messing with this for a while I finally have a solution using suggestions from Columbo. The first solution keeps the multiplication operator as a member function and then makes all specializations friends with each other so they can modify each others private data:
The second solution follows Columbo's suggestion to make the multiplication operator a
friend
non-member function:If anyone could comment on why one is better than the other it'd be great. I think the second solution is better since just that function is specialized for different combinations instead of the entire class (right?). For example in
Matrix<3,3> * Matrix<3,4>
vsMatrix<3,3> * Matrix<3,5>
theMatrix<3,3>
class would only need to specialized once and the* operator
would be specialized to cover both cases. Right?