C program to calculate the product of two binary numbers

Here, we are going to learn how to calculate the product of two binary numbers using C program?
Submitted by Nidhi, on August 27, 2021

Problem statement

Read two integer numbers in binary format (1s and 0s) from the user, and then calculate the product of both numbers and print the result.

C program to calculate the product of two binary numbers

The source code to calculate the product of two binary numbers is given below. The given program is compiled and executed using GCC compile on UBUNTU 18.04 OS successfully.

// C program to calculate the product of
// two binary numbers

#include <stdio.h>

int binaryProduct(int binNum1, int binNum2)
{
    int i = 0;
    int rem = 0;
    int product = 0;
    int sum[20] = { 0 };

    while (binNum1 != 0 || binNum2 != 0) {

        sum[i] = (binNum1 % 10 + binNum2 % 10 + rem) % 2;
        rem = (binNum1 % 10 + binNum2 % 10 + rem) / 2;

        binNum1 = binNum1 / 10;
        binNum2 = binNum2 / 10;

        i = i + 1;
    }

    if (rem != 0)
        sum[i] = rem;

    while (i >= 0) {
        product = product * 10 + sum[i];
        i = i - 1;
    }

    return product;
}

int main()
{
    long binNum1 = 0;
    long binNum2 = 0;
    long product = 0;

    int digit = 0;
    int factor = 1;

    printf("Enter Number1: ");
    scanf("%ld", &binNum1);

    printf("Enter Number2: ");
    scanf("%ld", &binNum2);

    while (binNum2 != 0) {
        digit = binNum2 % 10;

        if (digit == 1) {
            binNum1 = binNum1 * factor;
            product = binaryProduct(binNum1, product);
        }
        else {
            binNum1 = binNum1 * factor;
        }

        binNum2 = binNum2 / 10;
        factor = 10;
    }

    printf("Product of numbers: %ld", product);

    return 0;
}

Output

RUN 1:
Enter Number1: 1110
Enter Number2: 10100
Product of numbers: 100011000

RUN 2:
Enter Number1: 1010
Enter Number2: 0101
Product of numbers: 110010

Explanation

Here, we created two functions binaryProduct() and main() functions. The binaryProduct() function is used to calculate the product of two binary numbers.

In the main() function, we read two integer numbers in binary format (1s and 0s) from the user and then we calculated the product of both numbers using the binaryProduct() function and printed the result.

C Basic Programs »

Related Programs

Comments and Discussions!

Load comments ↻





Copyright © 2024 www.includehelp.com. All rights reserved.