Instagram
youtube
Facebook
Twitter

Add Two Integers Without Using Arithmetic Operators

A Python program to add two integers without using the + operator, using bitwise operations.

Explanation of the Python Program in Points:

  1. Function Definition:
     
    • add_two_numbers(a, b) function is created to add two numbers without using the + operator.
       
  2. Bitwise Addition:
     
    • Uses bitwise operations (AND, XOR, and Left Shift) to perform addition.
       
  3. Loop Until Carry is Zero:
     
    • A while loop runs until b (carry) becomes 0.
       
  4. Calculate Carry:
     
    • carry = a & b → Identifies common set bits where a carry would occur.
       
  5. Sum Without Carry:
     
    • a = a ^ b → Adds numbers without considering the carry.
       
  6. Shift Carry Left:
     
    • b = carry << 1 → Moves the carry one position left for the next bit addition.
       
  7. Repeat Until No Carry Left:
     
    • The loop continues until b becomes 0, and a holds the final sum.
       
  8. User Input and Output:
     
    • Takes two numbers as input from the user and prints their sum.

 

Program:

def add_to_numbers(a, b):

    while b != 0:

        carry = a & b  

        a = a ^ b      

        b = carry << 1

    return a


num1 = int(input("Enter first number: "))

num2 = int(input("Enter second number: "))

print("Sum:", add_to_numbers(num1, num2))