加载中...
717-1比特与2比特字符(1-bit and 2-bit Characters)
发表于:2021-12-03 | 分类: 简单
字数统计: 913 | 阅读时长: 4分钟 | 阅读量:

原文链接: https://leetcode-cn.com/problems/1-bit-and-2-bit-characters

英文原文

We have two special characters:

  • The first character can be represented by one bit 0.
  • The second character can be represented by two bits (10 or 11).

Given a binary array bits that ends with 0, return true if the last character must be a one-bit character.

 

Example 1:

Input: bits = [1,0,0]
Output: true
Explanation: The only way to decode it is two-bit character and one-bit character.
So the last character is one-bit character.

Example 2:

Input: bits = [1,1,1,0]
Output: false
Explanation: The only way to decode it is two-bit character and two-bit character.
So the last character is not one-bit character.

 

Constraints:

  • 1 <= bits.length <= 1000
  • bits[i] is either 0 or 1.

中文题目

有两种特殊字符。第一种字符可以用一比特0来表示。第二种字符可以用两比特(10 或 11)来表示。

现给一个由若干比特组成的字符串。问最后一个字符是否必定为一个一比特字符。给定的字符串总是由0结束。

示例 1:

输入: 
bits = [1, 0, 0]
输出: True
解释: 
唯一的编码方式是一个两比特字符和一个一比特字符。所以最后一个字符是一比特字符。

示例 2:

输入: 
bits = [1, 1, 1, 0]
输出: False
解释: 
唯一的编码方式是两比特字符和两比特字符。所以最后一个字符不是一比特字符。

注意:

  • 1 <= len(bits) <= 1000.
  • bits[i] 总是0 或 1.

通过代码

官方题解

方法一:线性扫描

我们可以对 $\mathrm{bits}$ 数组从左到右扫描来判断最后一位是否为一比特字符。当扫描到第 $i$ 位时,如果 $\mathrm{bits}[i]=1$,那么说明这是一个两比特字符,将 $i$ 的值增加 2。如果 $\mathrm{bits}[i]=0$,那么说明这是一个一比特字符,将 $i$ 的值增加 1。

如果 $i$ 最终落在了 $\mathrm{bits}.\mathrm{length}-1$ 的位置,那么说明最后一位一定是一比特字符。

[sol1]
class Solution(object): def isOneBitCharacter(self, bits): i = 0 while i < len(bits) - 1: i += bits[i] + 1 return i == len(bits) - 1
[sol1]
class Solution { public boolean isOneBitCharacter(int[] bits) { int i = 0; while (i < bits.length - 1) { i += bits[i] + 1; } return i == bits.length - 1; } }

复杂度分析

  • 时间复杂度:$O(n)$,其中 $n$ 是 $\mathrm{bits}$ 数组的长度。
  • 空间复杂度:$O(1)$。

方法二:贪心

三种字符分别为 01011,那么 $\mathrm{bits}$ 数组中出现的所有 0 都表示一个字符的结束位置(无论其为一比特还是两比特)。因此最后一位是否为一比特字符,只和他左侧出现的连续的 1 的个数(即它与倒数第二个 0 出现的位置之间的 1 的个数,如果 $\mathrm{bits}$ 数组中只有 1 个 0,那么就是整个数组的长度减一)有关。如果 1 的个数为偶数个,那么最后一位是一比特字符,如果 1 的个数为奇数个,那么最后一位不是一比特字符。

[sol2]
class Solution(object): def isOneBitCharacter(self, bits): parity = bits.pop() while bits and bits.pop(): parity ^= 1 return parity == 0
[sol2]
class Solution { public boolean isOneBitCharacter(int[] bits) { int i = bits.length - 2; while (i >= 0 && bits[i] > 0) i--; return (bits.length - i) % 2 == 0; } }

复杂度分析

  • 时间复杂度:$O(n)$,其中 $N$ 是 $\mathrm{bits}$ 数组的长度。
  • 空间复杂度:$O(1)$。

统计信息

通过次数 提交次数 AC比率
32514 63587 51.1%

提交历史

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

相似题目

题目 难度
格雷编码 中等
上一篇:
714-买卖股票的最佳时机含手续费(Best Time to Buy and Sell Stock with Transaction Fee)
下一篇:
718-最长重复子数组(Maximum Length of Repeated Subarray)
本文目录
本文目录