Skip to main content

Featured

C Pattern Programs: Square Number and Alphabet Patterns Explained

πŸ”· Square Star Pattern πŸ“‹ Copy Code #include <stdio.h> int main() { int num; printf("Enter the number:\n"); scanf("%d", &num); for(int i = 1; i <= num; i++) { for(int j = 1; j <= num; j++) { printf("* ");//keep"* " } printf("\n"); } return 0; } πŸ”· Reverse Square Alphabet Pattern (Column-wise) πŸ“‹ Copy Code #include <stdio.h> int main() { int num; printf("Enter the number:\n"); scanf("%d", &num); for(int i = num; i >= 1; i--) { for(int j = num; j >= 1; j--) { printf("%c ", j + 64);//%c for Character and 64 will be ASIIC VALUE } printf("\n"); } return 0; } πŸ”· Reverse Square Alphabet Pattern (Row-wise) πŸ“‹ Copy Code #include <stdio.h> int main() { int num; ...

C++ Program to Demonstrate Friend Function with Two Classes

 

C++ Program to Demonstrate Friend Function with Two Classes

C++ Program to Demonstrate Friend Function with Two Classes


#include <iostream>
using namespace std;

class A;
class B;

class A
{
    int x;
public:
    A()
    {
        cout << "Enter the value of x: ";
        cin >> x;
    }
    friend void show(A obj1, B obj2);
};

class B
{
    int y;
public:
    B()
    {
        cout << "Enter the value of y: ";
        cin >> y;
    }
    friend void show(A obj1, B obj2);
};

void show(A obj1, B obj2)
{
    cout << "The value of x = " << obj1.x
         << " and y = " << obj2.y << endl;
}

int main()
{
    A obj1;
    B obj2;
    show(obj1, obj2);
    return 0;
}
  

πŸ“˜ Explanation:

This program demonstrates a friend function shared by two different classes in C++. The function show() is declared as a friend in both classes A and B.

  • Class A contains a private data member x.
  • Class B contains a private data member y.
  • The function show(A, B) is declared as a friend in both classes.
  • Because of friendship, show() can access private members of both classes.

This technique is useful when a single function needs to work with data from multiple classes without being a member of either class.

🧾 Sample Output:

Enter the value of x: 5
Enter the value of y: 10
The value of x = 5 and y = 10
  

πŸ”‘ Keywords:

C++ friend function with two classes, accessing private members, C++ OOP concepts, friend function example, C++ classes

πŸ“Œ Hashtags:

#CPlusPlus #FriendFunction #OOP #CPPBasics #Programming #1printf

πŸ” Search Description:

Learn how a friend function works with two classes in C++. This example shows how a single function can access private data of multiple classes with clear explanation and output.

Comments

Popular Posts

πŸŒ™