- 友元——友元函数、友元类
- 什么时候使用友元类/友元函数、以及其优缺点
- 输入输出运算符的重载
1. 友元 friend
类可以允许其他类或者函数访问它的非公有成员,方法是令其他类或者函数成为它的友元(friend)
1) 友元函数
class Person {
public:
friend void GetPerson(Person p); //普通函数GetPerson声明为Person类的友元函数
Person(string name, string sex, int age, string tel)
:_name(name),
_sex(sex),
_age(age),
_tel(tel)
{};
private:
string _name;
string _sex;
int _age;
string _tel;
};
//假设Person类未提供打印接口,外部人员扩充普通函数GetPerson(非Person类的成员函数),需将该函数声明为Person类的友元,使得GetPerson函数可以在类外访问Person类的私有成员
void GetPerson(Person p)
{
cout <<p. _name << "-" << p._sex << "-" << p._age << "-" << p._tel << endl;
}
int main()
{
Person p("Liming", "男", 20, "13791034598");
GetPerson(p);
system("pause");
return 0;
}
2) 友元类
class Time {
friend class Date; //声明Date类为Time类的友元类(使得Date类的成员可以访问Time类的所有成员,如Date类的成员函数SetDate函数可以访问Time类的私有成员)
public:
Time(int hour = 0, int min = 0, int sec = 0) :_hour(hour), _min(min), _sec(sec) {}
private:
int _hour;
int _min;
int _sec;
};
class Date {
public:
Date(int year=1900,int month=1,int day=1):_year(year),_month(month),_day(day){}
void SetDate(int year, int month, int day, Time time);
private:
int _year;
int _month;
int _day;
Time _time;
};
void Date::SetDate(int year, int month, int day,Time time)
{
_year = year;
_month = month;
_day = day;
//Date类的成员函数setDate可以访问time的私有成员_hour,_min,_sec
_time._hour = time._hour;
_time._min = time._min;
_time._sec = time._sec;
}
int main()
{
Date d;
Time t(12,23,00);
d.SetDate(1921, 2, 1, t);
system("pause");
return 0;
}
2. 什么时候使用友元类/友元函数、以及其优缺点
当其他类或者非成员函数想要访问当前类的私有变量时,这个时候应该用友元。
优点:与当前类有关的接口函数能直接访问类的私有变量。
缺点:破坏了封装性和可维护性。
3. 输入输出运算符的重载
cin的输入流对象是>>运算符的左操作数(cout的输出流对象是<<运算符的左操作数)。若将输入输出运算符定义为类的成员函数,则其第一个参数(即左操作数)为隐藏的this指针。故需将operator<<重载成全局函数,此时类外没办法访问类的私有成员变量,故将输入输出函数声明为类的友元函数。
注意:输入输出函数返回值为输入输出类的引用,以达到实现连续输入输出操作。
class Date {
public:
Date(int year = 1900, int month = 1, int day = 1) :_year(year), _month(month), _day(day) {}
friend istream& operator>>(istream& input, Date& d);
friend ostream& operator<<(ostream& output,const Date& d);
private:
int _year;
int _month;
int _day;
};
istream& operator>>(istream& input, Date& d)
{
input >> d._year >> d._month >> d._day;
return input;
}
ostream& operator<<(ostream& output,const Date& d)
{
output << d._year <<"-"<< d._month <<"-"<<d._day; //一般来说,执行输出任务的函数应该尽量减少对格式的控制,这样可以确保由用户代码来决定是否换行。
return output;
}
int main()
{
Date d;
cout << d;
cin >> d;
cout << d<<endl;
system("pause");
return 0;
}