一、普通函数声明为友元涵数
#include <iostream>
using namespace std;
class Time
{
public:
Time(int, int, int);
friend void display(Time &);
private:
int hour;
int minute;
int sec;
};
Time::Time(int h, int m, int s)
{
hour= h;
minute= m;
sec= s;
}
void display(Time& t)
{
cout << t.hour << ":" << t.minute << ":" << t.sec << endl;
}
int main()
{
Time t1(11, 12, 13);
display(t1);
return 0;
}

二、声明类的成员函数为其他类的友元函数
#include <iostream>
using namespace std;
class Date;
class Time
{
public:
Time(int, int, int);
void display(Date &);
private:
int hour;
int minute;
int sec;
};
class Date
{
public:
Date(int, int, int);
friend void Time::display(Date &);
private:
int month;
int day;
int year;
};
Time::Time(int h, int m, int s)
{
hour= h;
minute= m;
sec= s;
}
void Time::display(Date& d)
{
cout << d.month << "/" << d.day << "/" << d.year << endl;
cout << hour << ":" << minute << ":" << sec << endl;
}
Date::Date(int m, int d, int y)
{
month= m;
day= d;
year= y;
}
int main()
{
Time t1(10, 20, 30);
Date d1(3, 25, 2021);
t1.display(d1);
return 0;
}

三、类模板的使用
#include <iostream>
using namespace std;
template<class numtype>
class Compare
{
public:
Compare(numtype a, numtype b)
{
x= a;
y= b;
}
numtype max()
{
return (x>y)?x:y;
}
numtype min()
{
return (x<y)?x:y;
}
private:
numtype x, y;
};
int main()
{
Compare<int> cmp1(3,7);
cout << "两个数中最大的为:" << cmp1.max() << endl;
cout << "两个数中最小值为:" << cmp1.min() << endl;
Compare<float> cmp2(25.1, 45.8);
cout << "两个数中最大的为:" << cmp2.max() << endl;
cout << "两个数中最小值为:" << cmp2.min() << endl;
Compare<char> cmp3('u', 'U');
cout << "两个字符中ASCII大的为:" << cmp3.max() << endl;
cout << "两个字符中ASCII小的为:" << cmp3.min() << endl;
return 0;
}
