Problem Description
There is a broken calculator that has the integer startValue
on its display initially. In one operation, you can multiply the number on display by 2
, or subtract 1
from the number on display. Given two integers startValue
and target
, return the minimum number of operations needed to display target
on the calculator.
Key Insights
- The operations available are limited to multiplication by 2 and subtraction by 1.
- If
startValue
is greater than or equal totarget
, the only option is to decrement until you reachtarget
. - If
startValue
is less thantarget
, it may be more efficient to think backwards fromtarget
tostartValue
, considering when to divide by 2 (if even) or increment (if odd).
Space and Time Complexity
Time Complexity: O(log(target))
Space Complexity: O(1)
Solution
To solve the problem, we can approach it in reverse starting from the target value. The idea is to reduce the target by either halving it (if the target is even) or adding 1 (if the target is odd) until we reach the start value. Each operation corresponds to a step in our calculations. When the target becomes less than or equal to the start value, we simply need to decrement to reach the start value.
- If the target is even, we can halve it (reverse of multiplying by 2).
- If the target is odd, we increment it by 1 (reverse of subtracting 1).
- Count the number of operations until the target falls below or equals to the start value.
- Finally, if we have to decrement to reach
startValue
, we add that to our operation count.