Given two integers dividend and divisor, divide two integers without using multiplication, division, and mod operator.
Return the quotient after dividing dividend by divisor.
The integer division should truncate toward zero, which means losing its fractional part. For example, truncate(8.345) = 8 and truncate(-2.7335) = -2.
Example:
Input: dividend = 10, divisor = 3
Output: 3
Explanation: 10/3 = truncate(3.33333..) = 3.Approach:
C++
#include <bits/stdc++.h>using namespace std;int divide(int dividend, int divisor){//set the sign varibale according//to the given valuesint sign = (dividend < 0) ^ (divisor < 0) ? -1 : 1;//n is absoulte value of dividentlong long int n = abs(dividend);// m is absolute value of divisorlong long int m = abs(divisor);long long int temp = 0;long long int q = 0;for (int i = 31; i >= 0; i--){if (temp + (m << i) <= n){temp += m << i;q = q | (1ll << i);}}//update sign of qq = (sign < 0) ? -q : q;return (q >= INT_MAX || q < INT_MIN) ? INT_MAX : q;}int main(){int dividend = 10, divisor = 3;cout << divide(dividend, divisor);return 0;}
No comments:
Post a Comment