QUESTION DESCRIPTION 

Rahul and Kuldeep plays a mathematical game with each other.

The game is all about complex numbers.Where they have to ask for real and imaginary part of two complex numbers, and display the real and imaginary parts of their sum.

Mandatory:

1.Create a class "Complex"

2.Create the following datamembers:
a)name
b)roll number,
c)book code and
d)counter

3.Create a CONSTRUCTOR to get the values of real and imaginary part of complex number.

4.Create a member function addcomplex() to add the real and imaginary values of complex number.

5.Create a member function displaycomplex() to display the result after addition.

6.Create two objects obj for the class Complex. Call the member function addcomplex() and displaycomplex() from the main function.

Refer sample testcases..

Note:

Programming Language need to be used:C++


TEST CASE 1 

INPUT
10 5
5 3
OUTPUT
10+5i
5+3i
15+8i

TEST CASE 2 

INPUT
11 4
5 6
OUTPUT
11+4i
5+6i
16+10i

Solution:

#include <iostream>
using namespace std;
class complex
{
  int a,b,c,d;
  int e,f;
  public:
  complex()
  {
  cin>>a>>b>>c>>d;
  }
  void addcomplex()
  {
    e=a+c;
    f=b+d;
  }
  void displaycomplex()
  {
    printf("%d+%di\n%d+%di\n%d+%di",a,b,c,d,e,f);
  }
};
int main() 
{
  complex obj;
 obj.addcomplex();
  obj.displaycomplex();

 return 0;
}

Here's a brief explanation of how the C++ code works:

  1. Class Definition:

    • The complex class is defined with private data members to store the real and imaginary parts of two complex numbers:
      • a, b: Real and imaginary parts of the first complex number.
      • c, d: Real and imaginary parts of the second complex number.
      • e, f: Real and imaginary parts of the sum of the two complex numbers.
  2. Constructor:

    • The constructor complex() initializes the data members by reading values from standard input:
      • It reads four integers representing the real and imaginary parts of two complex numbers.
  3. Member Function - addcomplex():

    • This function computes the sum of the real parts (a and c) and the sum of the imaginary parts (b and d).
    • It stores the results in e and f, respectively.
  4. Member Function - displaycomplex():

    • This function prints the complex numbers and their sum in the format specified:
      • It first prints the first complex number, followed by the second complex number, and finally the sum.
  5. Main Function:

    • An object obj of the complex class is created.
    • The member functions addcomplex() and displaycomplex() are called on the obj object to perform the operations and display the results.

Summary:
The program reads the real and imaginary parts of two complex numbers, computes their sum, and displays the original complex numbers along with their sum in a specified format. The use of a class encapsulates the data and operations related to complex numbers.