我正在阅读有关模板函数的内容,但对这个问题感到困惑:
#include <iostream>
void f(int) {
std::cout << "f(int)\n";
}
template<typename T>
void g(T val) {
std::cout << typeid(val).name() << " ";
f(val);
}
void f(double) {
std::cout << "f(double)\n";
}
template void g<double>(double);
int main() {
f(1.0); // f(double)
f(1); // f(int)
g(1.0); // d f(int), this is surprising
g(1); // i f(int)
}
如果我不写,结果是一样的template void g<double>(double);
。
我认为g<double>
应该在之后实例化f(double)
,因此对f
in的调用g
应该调用f(double)
。令人惊讶的是,它仍然调用f(int)
. g<double>
谁能帮我理解这一点?
阅读答案后,我弄清楚了我的困惑到底是什么。
这是一个更新的示例。除了我添加了一个专业化之外,它几乎没有变化g<double>
:
#include <iostream>
void f(int){cout << "f(int)" << endl;}
template<typename T>
void g(T val)
{
cout << typeid(val).name() << " ";
f(val);
}
void f(double){cout << "f(double)" << endl;}
//Now use user specialization to replace
//template void g<double>(double);
template<>
void g<double>(double val)
{
cout << typeid(val).name() << " ";
f(val);
}
int main() {
f(1.0); // f(double)
f(1); // f(int)
g(1.0); // now d f(double)
g(1); // i f(int)
}
随着用户的专业化,g(1.0)
行为符合我的预期。
编译器是否不应该在同一个地方自动执行相同的实例化g<double>
(或者甚至在之后main()
,如The C++ Programming Language , 4th edition 的第 26.3.3 节所述)?