我不明白在以下C ++代码片段中使用static_cast的必要性(使用GCC-4.7测试):
#include <cstdio>
class Interface
{
public:
virtual void g(class C* intf) = 0;
virtual ~Interface() {}
};
class C
{
public:
void f(int& value)
{
printf("%d\n", value);
}
void f(Interface* i)
{
i->g(this);
}
template <typename T>
void f(T& t);
//void f(class Implementation& i);
};
class Implementation : public Interface
{
public:
Implementation(int value_) : value(value_) {}
void g(C* intf)
{
intf->f(value);
}
private:
int value;
};
int main()
{
C a;
Implementation* b = new Implementation(1);
//a.f(b); // This won't work: undefined reference to `void C::f<Implementation*>(Implementation*&)'
a.f(static_cast<Interface*>(b));
delete b;
return 0;
}
如果省略static_cast,我会收到链接器错误,因为它想要使用:
template <typename T>
void f(T& t);
而不是:
void f(Interface* i);
另一方面,如果我用以下内容替换模板化方法(在上面的代码片段中注释掉):
void f(class Implementation& i);
然后我没有得到错误,我可以看到在运行时调用“正确的”方法(即:
void f(Interface* i);
)。
为什么模板方法的声明会影响名称查找? 非常感谢,
答案 0 :(得分:4)
在为a.f(b)
执行重载解析时,编译器会注意到两个事实:
首先,您尝试使用f
类型的左值调用Implementation*
。
其次,过载集中有三个函数:C::f(int&)
和C::f(Interface*)
以及C::f<Implementation*>(Implementation*&)
。请注意,包含template
,因为其模板参数可以从调用它的参数中推断出来。
现在编译器开始检查哪个函数最适合&#34;最好&#34;:
C::f(int&)
根本无法使用此参数调用。C::f(Interface*)
,但需要一个标准转换(指向派生的指针 - &gt;指向基础的指针)C::f<Implementation*>(Implementation*&)
可以在没有任何转化因此,模板非常合适。但是,由于您没有为模板定义实现,因此稍后链接器会发出错误消息,指出它无法找到您尝试调用的函数。