작성
·
426
1
#include <iostream>
#include <string>
using namespace std;
class Friend1
{
private:
string name;
friend void Friend2::set_name(Friend1& f, string s);
friend void Friend2::show_name(Friend1& f);
};
class Friend2
{
public:
void set_name(Friend1& f, string s)
{
f.name = s;
}
void show_name(Friend1& f)
{
cout << f.name << endl;
}
};
int main(void)
{
Friend1 f1;
Friend2 f2;
f2.set_name(f1, "abc");
f2.show_name(f1);
return 0;
}
Friend2 의 멤버함수인 set_name과 show_name을 클래스 Friend1에 friend선언을 해 주려 합니다. 하지만 private한 name 변수에 접근할 수 없다는 이유로 작동하지 않습니다.
이런 구조로 코드를 작성하는 방법은 없을까요?
아니면 전역함수만 friend 선언이 가능한 걸 까요?
답변 1
0
Friend1 클래스에서 Friend2 클래스의 멤버 함수를 friend 선언하면
Friend2 클래스에서는 Friend1 클래스의 private 멤버에 접근할 수 있지만,
Friend1 클래스에서는 Friend2 클래스의 private 멤버에 접근할 수 없습니다.
아래와 같이
#include <iostream>
#include <string>
using namespace std;
class Friend1
{
private:
string name;
public:
void set_name(string s)
{
name = s;
}
string get_name()
{
return name;
}
friend class Friend2;
};
class Friend2
{
public:
void set_name(Friend1& f, string s)
{
f.name = s;
}
void show_name(Friend1& f)
{
cout << f.name << endl;
}
};
int main(void)
{
Friend1 f1;
Friend2 f2;
f2.set_name(f1, "abc");
f2.show_name(f1);
return 0;
}
Friend1의 public 멤버 함수 set_name, get_name을 통해
name 멤버에 접근할 수 있도록 하면,
Friend2의 set_name과 show_name 함수에서 Friend1의 name 멤버에 접근할 수 있습니다.