环顾四周,发现了一些类似的问题,但没有一个是相同的。 大多数与构造函数或析构函数有关。 这个问题很可能是我生锈的 C++ 链接器内存造成的(几年后重新拾起它)。
我会保持简单,因为这可能是对链接器的基本误解:
数据.h
#pragma once
namespace test {
class Data_V1 {
public:
// some getters/setters
int getData() { return _d; }
void setData( int d ) { _d = d; }
private:
// some data
int _d;
};
}
builder.h
#pragma once
namespace test {
template <class V>
class Builder {
public:
void build();
};
}
builder.cpp
#include <iostream>
#include "builder.h"
namespace test {
template<class V>
void Builder<V>::build() {
std::cout << "Insert building logic" << std::endl;
}
}
主.cpp
#include "builder.h"
#include "data.h"
using namespace test;
int main(int argc, char* argv[]) {
Builder<Data_V1> b;
b.build();
}
编译:
g++ -Wall -ansi -pedantic -c builder.cpp
g++ -Wall -ansi -pedantic -c main.cpp
g++ -Wall -ansi -pedantic -o main main.o builder.o
链接错误:
Undefined symbols for architecture x86_64:
"test::Builder<test::Data_V1>::build()", referenced from:
_main in main.o
ld: symbol(s) not found for architecture x86_64
collect2: ld returned 1 exit status
如有任何帮助,我们将不胜感激!
模板定义需要对所有翻译单元可见。将定义从
cpp
移至标题。
Builder.h
#pragma once
namespace test {
template <class V>
class Builder {
public:
void build();
};
template<class V>
void Builder<V>::build() {
std::cout << "Insert building logic" << std::endl;
}
}
在你问之前,不,除非你事先知道所有可能的专业化,否则没有办法隐藏实现。
模板代表了创建新类的通用形式。如果实现不可见,当您尝试专门化模板时,编译器无法知道要生成什么代码。