加载中...
991-坏了的计算器(Broken Calculator)
发表于:2021-12-03 | 分类: 中等
字数统计: 780 | 阅读时长: 3分钟 | 阅读量:

原文链接: https://leetcode-cn.com/problems/broken-calculator

英文原文

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.

 

Example 1:

Input: startValue = 2, target = 3
Output: 2
Explanation: Use double operation and then decrement operation {2 -> 4 -> 3}.

Example 2:

Input: startValue = 5, target = 8
Output: 2
Explanation: Use decrement and then double {5 -> 4 -> 8}.

Example 3:

Input: startValue = 3, target = 10
Output: 3
Explanation: Use double, decrement and double {3 -> 6 -> 5 -> 10}.

Example 4:

Input: startValue = 1024, target = 1
Output: 1023
Explanation: Use decrement operations 1023 times.

 

Constraints:

  • 1 <= x, y <= 109

中文题目

在显示着数字的坏计算器上,我们可以执行以下两种操作:

  • 双倍(Double):将显示屏上的数字乘 2;
  • 递减(Decrement):将显示屏上的数字减 1 。

最初,计算器显示数字 X

返回显示数字 Y 所需的最小操作数。

 

示例 1:

输入:X = 2, Y = 3
输出:2
解释:先进行双倍运算,然后再进行递减运算 {2 -> 4 -> 3}.

示例 2:

输入:X = 5, Y = 8
输出:2
解释:先递减,再双倍 {5 -> 4 -> 8}.

示例 3:

输入:X = 3, Y = 10
输出:3
解释:先双倍,然后递减,再双倍 {3 -> 6 -> 5 -> 10}.

示例 4:

输入:X = 1024, Y = 1
输出:1023
解释:执行递减运算 1023 次

 

提示:

  1. 1 <= X <= 10^9
  2. 1 <= Y <= 10^9

通过代码

官方题解

方法:逆向思维

思路

除了对 X 执行乘 2 或 减 1 操作之外,我们也可以对 Y 执行除 2(当 Y 是偶数时)或者加 1 操作。

这样做的动机是我们可以总是贪心地执行除 2 操作:

  • Y 是偶数,如果先执行 2 次加法操作,再执行 1 次除法操作,我们可以通过先执行 1 次除法操作,再执行 1 次加法操作以使用更少的操作次数得到相同的结果 [(Y+2) / 2 vs Y/2 + 1]。

  • Y 是奇数,如果先执行 3 次加法操作,再执行 1 次除法操作,我们可以将其替代为顺次执行加法、除法、加法操作以使用更少的操作次数得到相同的结果 [(Y+3) / 2 vs (Y+1) / 2 + 1]。

算法

Y 大于 X 时,如果它是奇数,我们执行加法操作,否则执行除法操作。之后,我们需要执行 X - Y 次加法操作以得到 X

[uRsowHNz-Java]
class Solution { public int brokenCalc(int X, int Y) { int ans = 0; while (Y > X) { ans++; if (Y % 2 == 1) Y++; else Y /= 2; } return ans + X - Y; } }
[uRsowHNz-Python]
class Solution(object): def brokenCalc(self, X, Y): ans = 0 while Y > X: ans += 1 if Y%2: Y += 1 else: Y /= 2 return ans + X-Y

复杂度分析

  • 时间复杂度: $O(\log Y)$。

  • 空间复杂度: $O(1)$。

统计信息

通过次数 提交次数 AC比率
9083 17427 52.1%

提交历史

提交时间 提交结果 执行时间 内存消耗 语言

相似题目

题目 难度
只有两个键的键盘 中等
上一篇:
989-数组形式的整数加法(Add to Array-Form of Integer)
下一篇:
992-K 个不同整数的子数组(Subarrays with K Different Integers)
本文目录
本文目录