Skip to content

Welcome to Tech by Example

Menu
  • Home
  • Posts
  • System Design Questions
Menu

Program to divide two integers without using multiplication or division operator

Posted on January 26, 2022January 26, 2022 by admin

Overview

Two numbers are given. The objective is to divide those numbers and return the quotient. Ignore the remainder in the solution. But division needs to be done without using the multiplication or division operator.

  • The first number is the dividend
  • The second number is the divisor

For example

Input: 15,2
Ouput: 7

Input: -15,2
Ouput: -7

Input: 15,-2
Ouput: -7

Input: -15,-2
Ouput: 7

Here is the idea of how to do it. The first thing to notice is that

  • If dividend and divisor are either both positive or both negative then the quotient is positive
  • If either one of dividend and divisor is negative then the quotient is negative

So there is an XOR relation between signs of dividend and divisor. We can follow the below steps to write the program

  • First, determine the sign of the quotient as per the XOR logic above.
  • Then make both dividend and divisor positive.
  • Now increase the divisor by itself until it is less than or equal to the dividend. Also, keep a counter for each increment
  • counter*sign will be the answer

Program

Here is the program for the same.

package main

import (
	"fmt"
	"math"
)

func divide(dividend int, divisor int) int {

	sign := 1
	if dividend < 0 || divisor < 0 {
		sign = -1
	}

	if dividend < 0 && divisor < 0 {
		sign = 1
	}

	if dividend < 0 {
		dividend = -1 * dividend
	}

	if divisor < 0 {
		divisor = -1 * divisor
	}

	start := divisor

	i := 0

	for start <= dividend {
		start = start + divisor
		i++
	}

	output := i * sign

	return output
}

func main() {
	output := divide(15, 2)
	fmt.Println(output)

	output = divide(-15, 2)
	fmt.Println(output)

	output = divide(15, -2)
	fmt.Println(output)

	output = divide(-15, -2)
	fmt.Println(output)
}

Output

7
-7
-7
7
©2025 Welcome to Tech by Example | Design: Newspaperly WordPress Theme