Ниже приведено одно возможное решение для умножения двух целых чисел с использованием побитовых операторов.
#include <stdio.h>
#define INT_BITS 32
int multiply(int a, int b)
{
int pos1, pos2, res;
for (pos1 = 0; pos1 < INT_BITS; pos1++)
{
for (pos2 = 0; pos2 < INT_BITS; pos2++)
{
/* Find the bits set in both numbers and add their
* corresponding powers of 2.
*/
if ((a & (1 << pos1)) && (b & (1 << pos2)))
{
res = res + (1 << (pos1 + pos2));
// res = res + ((1 << pos1) << pos2);
/* Both the above statements calculating res are same */
}
}
}
return res;
}
int main()
{
int num1, num2, product;
printf("Enter two numbers to be multiplied:");
scanf("%d %d", &num1, &num2);
product = multiply(num1, num2);
printf("Product of %d and %d: %d\n", num1, num2, product);
return 0;
}
Функция multiply () может быть изменена, как показано ниже, используя функцию Shiv's Add ():
int Add(int x, int y)
{
if (y == 0)
return x;
else
return Add( x ^ y, (x & y) << 1);
}
int multiply(int a, int b)
{
int pos1, pos2, res, temp;
for (pos1 = 0; pos1 < INT_BITS; pos1++)
{
for (pos2 = 0; pos2 < INT_BITS; pos2++)
{
/* Find the bits set in both numbers and add their
* corresponding powers of 2.
*/
if ((a & (1 << pos1)) && (b & (1 << pos2)))
{
temp = (1 << pos1) << pos2;
res = Add(res, temp);
}
}
}
return res;
}