具有外部错误的模板专业化

时间:2013-02-18 13:48:15

标签: c++ templates

当我试图专门化我的一个模板函数时,Visual Studio向我提出了一个外部错误,包括一个非专门的函数的错误。

三个错误:

1>------ Build started: Project: Project3, Configuration: Debug Win32 ------
1>main.obj : error LNK2001: unresolved external symbol "public: virtual void __thiscall linearList<class FriendToken>::reverse(void)" (?reverse@?$linearList@VFriendToken@@@@UAEXXZ)
1>main.obj : error LNK2001: unresolved external symbol "public: virtual void __thiscall linearList<class FriendToken>::print(void)" (?print@?$linearList@VFriendToken@@@@UAEXXZ)
1>main.obj : error LNK2001: unresolved external symbol "public: virtual void __thiscall linearList<class FriendToken>::insertionSort(void)" (?insertionSort@?$linearList@VFriendToken@@@@UAEXXZ)

以下是代码的相关部分:

template<class T>
class arrayList : public linearList<T> 
{
public:
    //other methods
    void reverse();
    void print();
    void insertionSort();
};


template<class T>
void arrayList<T>::reverse()
{
            //method body
}
template<>
void arrayList<FriendToken>::insertionSort()
{
            //method body
}
template<>
void arrayList<FriendToken>::print()
{
            //method body
}
template<class T>
void arrayList<T>::insertionSort(){}
template<class T>
void arrayList<T>::print(){}

1 个答案:

答案 0 :(得分:2)

您的示例显示了 arrayList 成员函数的特化,我假设它们应该覆盖 linearList 中的虚拟等效项。链接器说它无法找到类 linearList 中的虚拟成员,这些成员未包含在您的示例中。

virtual void __thiscall linearList<class FriendToken>::reverse(void)

如果我像这样添加了一个linearList的定义,那么链接器是安静的(在MSVC2010上,我还添加了一个空的FriendToken类来使其工作)。

template<typename T>
class linearList
{
public:
    virtual void reverse() = 0;    //pure virtual
    virtual void print() = 0;
    virtual void insertionSort() = 0;
};

如果这不是你的问题,请发布linearList的代码,我会更新我的答案,因为这肯定是你问题的根源。

如果需要参考这里是我如何使用反向函数来测试:

arrayList<FriendToken> a;
static_cast<linearList<FriendToken>&>(a).reverse();