1

我正在尝试编写 STL 的派生类,set<>但发生了链接错误。

头文件Set.h

#pragma once
#include <set>
using namespace std;

template <class Ty>
class Set : public set<Ty> {
public:
    Set(void);
    virtual ~Set(void);
};

辅助源文件Set.cpp

#include "Set.h"
template <class Ty>
Set<Ty>::Set(void) {}
template <class Ty>
Set<Ty>::~Set(void) {}  

主程序:

#include <iostream>
#include "../myLibrary/Set.h"
#pragma comment(lib, "../x64/Debug/myLibrary.lib")

using namespace std;
int main() {
    Set<int> s;
    s.insert(1); s.insert(2); s.insert(3);
    for(Set<int>::const_iterator it = s.begin(); it!=s.end(); it++)
        wcout << *it << endl;
    return 0;
}

这引发

Set.obj : *warning* LNK4221:

_Entry_myLibrary_TEST.obj :error LNK2019: "public: virtual __cdecl Set<int>::~Set<int>(void)" (??1?$Set@H@@UEAA@XZ)

4

1 回答 1

1

您的直接问题是将模板函数放在 Set.cpp 中。模板函数需要对使用它们的代码可见,因此它们需要位于 .h 文件中,而不是单独的 .cpp 文件中。

辅助源文件Set.cpp:

#include "Set.h" 
template <class Ty> 
Set<Ty>::Set(void) {} 

template <class Ty> 
Set<Ty>::~Set(void) {} 

将函数放入标题中,它们需要在使用它们的地方可见。

我将留给其他人指出为什么从 set 继承可能不是您想要做的,因为这不是您的问题。

于 2012-08-09T10:58:28.390 回答