#include <iostream>
using namespace std;
template <typename T>
class test
{
T y;
public:
test(T k) : y(k) {}
friend int a(T& x);
};
template <typename T>
int a(T& x)
{
cout << x.y;
return 9;
}
template <>
class test<int>
{
int y;
public:
test(int k) : y(k) {}
friend int a(int& x);
};
template <>
int a<int>(int& x)
{
cout << "4";
return 0;
}
int main(int argc, char* argv[])
{
test<int> z(3);
a(z);
return 0;
}
我想创建一个测试类的朋友类(在实际情况下,它是一个运算符<< of ofstream).但我不知道如何定义专门类的模板友好函数. 此外,上面的代码显示了此编译错误消息;
error C2248: ‘test::y’ : cannot access private member declared in
class ‘test’
问题补充;
Aaron McDaid对我来说很好,但我试图重载运算符<< ofstream类.
friend ofstream& operator<< <test<int>> (ofstream& os, const test<int>& t);
我在上面添加了代码来测试类和
template<>
ofstream& operator<< <test<int> > (ofstream& os, const test<int>& t)
{
os << t.y;
return os;
}
使用上面的代码.但看起来我不能使用os<< t.y(这是int)我不明白为什么会这样.错误消息是
error C2027: use of undefined type ‘std::basic_ofstream<_Elem,_Traits>’
解决方法:
(更新:这是http://ideone.com/3KGU4的完整测试版本.有关其他问题,请参阅http://ideone.com/w0dLo)
普通重载函数和模板函数之间存在差异.例如,在没有任何模板引用的情况下,开发人员可以声明:
void f(int x);
void f(char *x);
或者,开发人员可以使用模板,
template <class T> void f(T x);
它们之间的主要区别在于,对于普通函数,您必须事先确定一组固定的允许参数,并且必须为每个参数提供一个实现.使用模板,您可以更灵活.
在程序的后面,很明显你想要一个模板函数,而不仅仅是一个(重载的)普通函数.但是当编译器第一次看到提及a(第10行)时,它看起来像是在声明一个普通的函数.要解决此问题,您必须采取两个步骤.您必须尽快声明a是模板函数,因此您的第一行应该是:
template <typename T> int a(T& x);
那你必须宣布相关的友谊.如果T为int,则a采用test< int>&的参数,而不是int& ;.因此,应将两条朋友行替换为:
friend int a<test<T> >( test<T> & x); // around line 10
friend int a<test<int> >( test<int> & x); // around line 27
而a的专业化应该是:
template <>
int a< test<int> >(test<int>& ) // around line 30
附加问题
使用ostream代替ofstream(或者包括#include< fstream>如果你只输出文件而不输出cout).在我的回答中,操作符<<不是模板,而是正常的重载函数.我不确定是否可以使用运算符<<作为模板.此外,我在声明它并声明为朋友的地方定义了运算符.说实话,我认为还有其他的,可能更好的方式,但这对我有用.