我已经查看了一些类似的问题,但我仍然感到困惑。我试图弄清楚如何在将对象传递给专门的模板函数时显式地(而不是通过编译器优化等)和 C++03 兼容避免复制对象。这是我的测试代码:
#include <iostream>
using namespace std;
struct C
{
C() { cout << "C()" << endl; }
C(const C&) { cout << "C(C)" << endl; }
~C() { cout << "~C()" << endl; }
};
template<class T> void f(T) { cout << "f<T>" << endl; }
// This shows two possible ways, I don't need two overloads
// If I do it like (2) the function is not called, only if I do it like (1)
template<> void f(C c) { cout << "f<C>" << endl; } // (1)
template<> void f(const C& c) { cout << "f<C&>" << endl; } // (2)
int main()
{
C c;
f(c);
return 0;
}
(1) 接受 type 的对象C
,并进行复制。这是输出:
C()
C(C)
f<C>
~C()
~C()
因此,我尝试专门使用const C&
参数 (2) 来避免这种情况,但这根本行不通(显然原因在这个问题中有解释)。
好吧,我可以“通过指针”,但这有点难看。那么是否有一些技巧可以很好地做到这一点?
编辑:哦,可能我不清楚。我已经有一个模板函数
template<class T> void f(T) {...}
但现在我想专门处理这个函数来接受另一个对象的 const& :
template<> void f(const SpecificObject&) {...}
但只有在我将其定义为时才会调用它
template<> void f(SpecificObject) {...}
基本上我想用这个专业化做的是适应SpecificObject
模板界面,比如
template<> void f(SpecificObject obj){ f(obj.Adapted()); } // call the templated version
EDIT2:好的,我可以强制const C&
这样调用专业化:
f<const C&>(c);
但是有没有办法让它像这样工作f(c)
?
EDIT3:如果有人最终会有类似的问题,我终于在另一个问题中找到了这个链接,这很有帮助:http ://www.gotw.ca/publications/mill17.htm