0

我正在尝试通过阅读一本书并从那本书中做练习来自己学习 C++。

现在我试图在 .cpp 文件中声明一个函数模板的实例。我知道我可以在头文件中声明/定义该函数模板,但我仍然对如何在 .cpp 文件中执行此操作感到好奇。

这是一段微不足道的代码,但证明了我的问题:

// temp_func.h
#ifndef GUARD_temp_func
#define GUARD_temp_func

#include <iostream>

using std::cout;    using std::endl;

int addone(int);
int addtwo(int);

template<typename F>
void call_adds(int, F);

#endif

头文件

// temp_func.cpp
#include "temp_func.h"

using std::cout;    using  std::endl;

int addone(int n)
{
    return n + 1;
}

int addtwo(int n)
{
    return n + 2;
}

template<typename F>
void call_adds(int n, F f)
{
    cout << f(n) << endl;
}
template void call_adds<addone>(int n, F addone);

.cpp 文件,显然最后一行不起作用。

编辑: 基于 nm 提供的解决方案

template<int F(int)>
void call_adds(int n)
{
    cout << F(n) << endl;
}
template void call_adds<addtwo>(int);
template void call_adds<addone>(int);
4

1 回答 1

1

您的call_ads模板需要一个类型参数。addone不是类型,而是函数。您可以专门call_adds针对类似 的类型int(int),但不能专门针对该类型的单个函数。

您可以使用非类型模板参数创建函数模板:

template <int F(int)>
void call_adds(int n)
{
    cout << F(n) << endl;
}

并专门化它:

template<> void call_adds<addtwo> (int n) { ... }

请注意,call_adds不再有常规函数参数,只有模板参数。

编译器并不真正关心您是在头文件还是在源文件中声明某些内容,只要声明在应该在哪里可见。

于 2012-05-12T09:06:05.533 回答