Skip to main content

Featured

C Program to Check Prime Number Using Efficient Logic

  Introduction A prime number is a number that has exactly two distinct positive divisors: 1 and itself. In this program, we check whether a given number is prime or not using a simple and efficient logic. This type of program is commonly used in mathematics, competitive programming, and basic algorithm learning for beginners in C programming. Problem Statement The task is to write a C program that determines whether a given integer is a prime number or not. The program takes a single integer input from the user and analyzes its divisibility. If the number has no divisors other than 1 and itself, it should be identified as a prime number; otherwise, it is not prime. This problem is important in number theory and has practical relevance in areas such as cryptography, data validation, and algorithm design.  Algorithm / Logic Explanation To check whether a number is prime, we need to verify that it is not divisible by any number other than 1 and itself. The algorithm follows a si...

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

๐ŸŒ™