模板类和自由函数名称空间的实现问题

时间:2018-12-02 07:20:30

标签: c++ linker namespaces undefined-reference

我有一个这样定义的类(琐碎的include和预处理器包装等被省略,但它们在那里):

In Matrix.h

namespace matrixmanip {
template<typename T>
class Matrix {
    public:
        void someFunc() const;
    //...
};

template<typename T>
void Matrix<T>::someFunc() const {
    //...
}
} // namespace matrixmanip

In bitTransform.h

#include "Matrix.h"

namespace matrixmanip {
Matrix<char> bitExpand(const Matrix<char> &mat);
} // namespace matrixmanip

In bitTransform.cpp

#include "bitTransform.h"

using namespace matrixmanip;

Matrix<char> bitExpand(const Matrix<char> &mat) {
    mat.someFunc();
    //...
}

In tester.cpp

#include "Matrix.h"
#include "bitTransform.h"

matrixmanip::Matrix<char> A ... // construct a character matrix, details of which are unimportant here
matrixmanip::Matrix<char> B = matrixmanip::bitExpand(A);

但是,当我这样编译和链接时:

g++ -c tester.cpp
g++ -c bitTransform.cpp
g++ -Wall -O2 tester.o bitTransform.o -o tester

我收到未定义的参考错误,

/tmp/ccateMEK.o: In function `main':
tester.cpp:(.text+0xbf9): undefined reference to `matrixmanip::bitExpand(matrixmanip::Matrix<char> const&)'
collect2: error: ld returned 1 exit status

为什么会出现此错误?在我看来,我的命名空间解析还可以,并且我的链接很好...

1 个答案:

答案 0 :(得分:4)

bitExpand在全局名称空间中定义一个自由函数,而不是在matrixmanip名称空间中定义一个自由函数。 using指令不会将定义移到所使用的名称空间中。您应该将定义直接放在适当的名称空间中:

namespace matrixmanip
{
    Matrix<char> bitExpand(const Matrix<char> &mat)
    {
        mat.someFunc();
       //...
    }
}