未解析的外部符号“public:__ thistall Vector <int> [...]”</int>

时间:2012-06-18 21:43:29

标签: c++ visual-c++ linker

因此,我创建了一个基本的VC ++程序,并使用1个方法创建了一个模板类(除了构造函数和析构函数)。我收到以下错误:

>main.obj : error LNK2019: unresolved external symbol "public: __thiscall Vector<int>::~Vector<int>(void)" (??1?$Vector@H@@QAE@XZ) referenced in function _main
>main.obj : error LNK2019: unresolved external symbol "public: __thiscall Vector<int>::Vector<int>(int)" (??0?$Vector@H@@QAE@H@Z) referenced in function _main
>c:\users\edy\documents\visual studio 2010\Projects\ex01\Debug\ex01.exe : fatal error LNK1120: 2 unresolved externals

这是我的代码:

(CPP类文件)

using namespace std;
#include "Vector.h"
template <class T> Vector<T>::Vector(int n)
{
    this.crt = 0;
    this.dim = n;
    this.elem = new T[100];
}

template <class T> void Vector<T>::add(T e)
{
    this.elem[crt] = e;
    this.crt++;
}

template <class T> Vector<T>::~Vector(void)
{
    this.crt = 0;
}

(H类文件)

#pragma once
template <class T> class Vector
{
    public:
        int dim;
        T* elem;

        Vector(int n);
        void add(T e);
        ~Vector(void);

    private:
        int crt;
};

(主档案)

using namespace std;
#include "Vector.h"

int main(void)
{
    Vector<int> x(5);
    //x.add(1);    <--- if i decomment this line, it throws an additional error
    return 0;
}

大多数解决方案都没有实现方法,但我实现了所有方法。我不知道会出现什么问题。有什么帮助吗?

2 个答案:

答案 0 :(得分:4)

模板类实现需要对使用它们的所有翻译单元可见。将实现移动到头文件。

在你问之前 - 不,没有办法隐藏它们,除非你事先知道你所拥有的课程的哪些专业。如果您希望Vector是通用的,则需要显示实现。

如果你想将它们分开,那么通常的方法就是将你的实现放在标题中包含的.impl文件中。

答案 1 :(得分:1)

如果您打算在.cpp文件中实现该模板,您还需要在那里提供模板的显式实例化。您可以添加到模板的.cpp文件中:

class template Vector<int>;

在底部。这将实例化您的矢量模板的int版本。但是,如果您遵循Luchian的建议,您会发现您的模板更容易使用。如果按照他的建议执行操作,编译器将根据您的需要为您创建实例化,因为您在不同类型上使用Vector<>。如果将其保留在.cpp文件中,则每次要创建不同类型的Vector<>时,都必须添加显式实例化。

有些人认为明确的实例化是“更精简的”。而不是隐式,因为如果不同的目标文件集多次使用相同的模板实例,编译器可能会创建同样多的实例。但是,当可执行文件链接在一起时,链接器将最终删除重复的实例化。即便如此,如果多个共享库重复使用具有相同参数的相同模板,则膨胀仍然存在,即使动态链接器将清除它。如果可执行加载时间很重要,这可能是首选显式实例化的原因。如果你有一个非常大的项目,并且构建和链接时间是一个问题,这也可能是偏好显式实例化的原因。

否则,你应该坚持使用隐式实例化。