xxxxxxxxxx
// Add members of two different classes using friend functions
#include <iostream>
using namespace std;
// forward declaration
class ClassB;
class ClassA {
public:
// constructor to initialize numA to 12
ClassA() : numA(12) {}
private:
int numA;
// friend function declaration
friend int add(ClassA, ClassB);
};
class ClassB {
public:
// constructor to initialize numB to 1
ClassB() : numB(1) {}
private:
int numB;
// friend function declaration
friend int add(ClassA, ClassB);
};
// access members of both classes
int add(ClassA objectA, ClassB objectB) {
return (objectA.numA + objectB.numB);
}
int main() {
ClassA objectA;
ClassB objectB;
cout << "Sum: " << add(objectA, objectB);
return 0;
}
xxxxxxxxxx
class A {
private:
int key;
// give class B access to class A
friend class B;
};
class B {
// new object from class A
A new_a;
void fn(){
// access private value from class B
new_a.key;
}
}
xxxxxxxxxx
class Rectangle {
public:
Rectangle(int width, int height) : width_(width), height_(height) {}
friend int area(const Rectangle& rect);
private:
int width_, height_;
};
int area(const Rectangle& rect) {
return rect.width_ * rect.height_;
}
int main() {
Rectangle rect(3, 4);
int a = area(rect);
return 0;
}
The main function creates a Rectangle object and then calls the area function with the object as its argument. Because the area function is a friend function of the Rectangle class, it has access to the private members of the object and can calculate the area of the rectangle.
By using friend functions in C++, you can provide access to the private and protected members of a class to functions that are not members of the class, while still maintaining the encapsulation of the class's data.
xxxxxxxxxx
class className {
..
friend returnType functionName(arguments);
..
}
xxxxxxxxxx
// C++ program to demonstrate the working of friend class
#include <iostream>
using namespace std;
// forward declaration
class ClassB;
class ClassA {
private:
int numA;
// friend class declaration
friend class ClassB;
public:
// constructor to initialize numA to 12
ClassA() : numA(12) {}
};
class ClassB {
private:
int numB;
public:
// constructor to initialize numB to 1
ClassB() : numB(1) {}
// member function to add numA
// from ClassA and numB from ClassB
int add() {
ClassA objectA;
return objectA.numA + numB;
}
};
int main() {
ClassB objectB;
cout << "Sum: " << objectB.add();
return 0;
}
//Sum: 13