每日一题 2019 - 03 - 13
题目:
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.
Example 1:
1 | Input: dividend = 10, divisor = 3 |
Example 2:
1 | Input: dividend = 7, divisor = -3 |
Note:
- Both dividend and divisor will be 32-bit signed integers.
- The divisor will never be 0.
- Assume we are dealing with an environment which could only store integers within the 32-bit signed integer range: . For the purpose of this problem, assume that your function returns 231 − 1 when the division result overflows.
解法:
这个题让我们不使用乘法、除法、取模的方法找出两个数字相除的结果。
最开始我的想法是使用循环相加的方法,但发现会超时,还是需要另寻道路,所以参考了几个dalao的解法,其中最值得称赞的就是位运算的方法,也即减少被除数,左移除数,商求加法,举个例子:
例如:被除数为 9 ,除数为 2 ,求商可以这么操作,设指针p = 当前循环求出的商的以为结果
,t = 当前循环除数移位的结果
- 第一趟被除数 = 9 ,除数 = 2 ,由于 9 > 2 << 1 ,所以 p << 1 ,也即 p = 2 ,所以此时商 + p = 商 + 2 = 2,结束之后余下的被除数为 9 - 4 = 5 ;
- 第二趟被除数 = 5 ,除数 = 2 ,由于 5 > 2 << 1 ,所以 p << 1 ,也即 p = 2 ,所以此时商 + p = 商 + 2 = 4,结束之后余下的被除数为 5 - 4 = 1 ;
- 第三趟被除数 = 1 ,除数 = 2 ,由于 1 < 2 << 1 且 1 < 2,所以 p = 0 ,也即被除数小于除数无法再增加商的大小 ,所以跳出循环,得到最终结果商 = 4;
代码:
1 | class Solution { |