我有一个头文件,包括一个方法(和它的声明),如下所示:
template<typename T, unsigned int N, T (*GetT)(int)>
void foo(std::vector<T> &out) {
out.clear();
for (int i = 0; i < N; i++) {
T t = GetT(i);
out.push_back(t);
}
}
后来我用它像这样:
std::vector<double> my_vec;
std::function<double(int)> get_double = [](int i) -> double { return ... };
my_obj.foo<double, 5, &get_double>(my_vec);
但是,在尝试构建此代码时,我出现以下错误:
error: no matching member function for call to `foo`
note: candidate template ignored: invalid explicitly-specified argument for template parameter `GetT`
此外,这也不起作用:
double get_double(int i) { return ... }
std::vector<double> my_vec;
double (*get_double_ptr)(int);
get_double_ptr = &get_double;
my_obj.<double, 5, &get_double>(my_vec);
它会导致相同的错误。
我觉得我错过了一些明显的东西,但是从所有其他代码示例/ SO问题中我看到的都不是这看起来错了。为什么候选模板被忽略?为什么我对GetT
的论点无效?
编辑:这是一个完整的,可验证的代码示例:
#include <vector>
template<typename T, unsigned int N, T (*GetT)(int)>
void foo(std::vector<T> &out) {
out.clear();
for (int i = 0; i < N; i++) {
T t = GetT(i);
out.push_back(t);
}
}
double get_double(int n) {
return n * 1.5d;
}
int main(int argc, char **argv) {
std::vector<double> my_vec;
foo<double, 5, &get_double>(my_vec);
}
第二个版本具有命名空间级功能,看起来非常实用:
[bipll@home ~]$ cat wat.cpp
#include <vector>
struct Nyan {
template<typename T, unsigned int N, T (*GetT)(int)> void foo(std::vector<T> &&out) {}
};
double getDouble(int) { return 3.1416; }
int main() {
Nyan n;
n.foo<double, 42, &getDouble>({});
}
[bipll@home ~]$ g++ wat.cpp
[bipll@home ~]$ ./a.out
[bipll@home ~]$
所以检查你的第二个例子和错误消息。