leetcode icon indicating copy to clipboard operation
leetcode copied to clipboard

401. 二进制手表

Open buuing opened this issue 4 years ago • 0 comments

二进制手表顶部有 4 个 LED 代表 小时(0-11),底部的 6 个 LED 代表 分钟(0-59)

每个 LED 代表一个 0 或 1,最低位在右侧。

20210214145250

例如,上面的二进制手表读取 “3:25”。

给定一个非负整数 n 代表当前 LED 亮着的数量,返回所有可能的时间。

示例:

输入: n = 1
返回: ["1:00", "2:00", "4:00", "8:00", "0:01", "0:02", "0:04", "0:08", "0:16", "0:32"]

提示:

  • 输出的顺序没有要求。
  • 小时不会以零开头,比如 “01:00” 是不允许的,应为 “1:00”。
  • 分钟必须由两位数组成,可能会以零开头,比如 “10:2” 是无效的,应为 “10:02”。
  • 超过表示范围**(小时 0-11,分钟 0-59)**的数据将会被舍弃,也就是说不会出现 "13:00", "0:61" 等时间。

来源:力扣(LeetCode) 链接:https://leetcode-cn.com/problems/binary-watch 著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。




  • 回溯算法
const readBinaryWatch = num => {
  const res = [], time = [1, 2, 4, 8, 16, 32, 100, 200, 400, 800]
  const dfs = (map, sum, count, index) => {
    if (count === num) {
      let h = sum / 100 >> 0
      let m = ('0' + sum % 100).slice(-2)
      if (h > 11 || m > 59) return
      return res.push(h + ':' + m)
    }
    for (let i = index; i < time.length; i++) {
      if (map[i]) continue
      map[i] = 1
      dfs(map, sum + time[i], count + 1, i)
      map[i] = 0
    }
  }
  dfs([], 0, 0, 0)
  return res
}

buuing avatar Feb 14 '21 06:02 buuing