991. Broken Calculator
Description
On a broken calculator that has a number showing on its display, we can perform two operations:
Double: Multiply the number on the display by 2, or;
Decrement: Subtract 1 from the number on the display.
Initially, the calculator is displaying the number X.
Return the minimum number of operations needed to display the number Y.
Constraints
1 <= X <= 10^91 <= Y <= 10^9
Approach
Instead of multiplying by 2 or subtracting 1 from X, we could divide by 2 (when Y is even) or add 1 to Y.
The motivation for this is that it turns out we always greedily divide by 2:
If say
Yis even, then if we perform 2 additions and one division, we could instead perform one division and one addition for less operations [(Y+2) / 2vsY/2 + 1].If say
Yis odd, then if we perform 3 additions and one division, we could instead perform 1 addition, 1 division, and 1 addition for less operations [(Y+3) / 2vs(Y+1) / 2 + 1].
Links
GeeksforGeeks
ProgramCreek
YouTube
Examples
Input: X = 2, Y = 3
Output: 2
Explanation: Use double operation and then decrement operation {2 -> 4 -> 3}.
Input: X = 5, Y = 8
Output: 2
Explanation: Use decrement and then double {5 -> 4 -> 8}.
Input: X = 3, Y = 10
Output: 3
Explanation: Use double, decrement and double {3 -> 6 -> 5 -> 10}.
Input: X = 1024, Y = 1
Output: 1023
Explanation: Use decrement operations 1023 times.
Solutions
Follow up
Last updated
Was this helpful?