Skip to main content

423.重建英文表示的原始数字

标签: hash-table, string

难度: Medium

通过率: 51.33%

原题链接: https://leetcode.com/problems/reconstruct-original-digits-from-english/description/

题目描述

给定一个字符串 ss,其中包含英文表示的无序数字0-9,返回按升序排列的数字。

解题思路

为了求解这个问题,可以利用每个英文数字的某些独特字母来识别数字。例如:

  • 字母 'z' 只出现在 "zero" 中。
  • 字母 'w' 只出现在 "two" 中。
  • 字母 'u' 只出现在 "four" 中。
  • 字母 'x' 只出现在 "six" 中。
  • 字母 'g' 只出现在 "eight" 中。

通过确定这些独特的数字,我们可以逐步从字符串中减去对应的字符并记录这些数字的出现次数。然后我们处理剩余的数字:

  • 字母 'o' 用于 "one", "zero", "two", "four" 后,可以识别 "one"。
  • 字母 'h' 用于 "three", "eight", 可以识别 "three"。
  • 字母 'f' 用于 "five", "four", 可以识别 "five"。
  • 字母 's' 用于 "seven", "six", 可以识别 "seven"。
  • 字母 'i' 用于 "nine", "five", "six", "eight", 可以识别 "nine"。

最后,根据已经识别数字的出现次数,按照升序汇编成最终的答案。

代码实现

def originalDigits(s):
from collections import Counter

# Create a counter for all letters in the input string
count = Counter(s)

# Initialize a list to count each digit from 0 to 9
out = [0] * 10

# Identify numbers with unique letters
out[0] = count['z'] # 'z' is unique to "zero"
out[2] = count['w'] # 'w' is unique to "two"
out[4] = count['u'] # 'u' is unique to "four"
out[6] = count['x'] # 'x' is unique to "six"
out[8] = count['g'] # 'g' is unique to "eight"

# Deduce remaining numbers
out[1] = count['o'] - out[0] - out[2] - out[4] # 'o' in "one"
out[3] = count['h'] - out[8] # 'h' in "three"
out[5] = count['f'] - out[4] # 'f' in "five"
out[7] = count['s'] - out[6] # 's' in "seven"
out[9] = count['i'] - out[5] - out[6] - out[8] # 'i' in "nine"

# Construct the output string based on the digit counts
result = []
for i in range(10):
result.append(str(i) * out[i])

return ''.join(result)

复杂度分析

时间复杂度为 O(N)O(N),其中 NN 是字符串 ss 的长度,因为我们对字符串进行了一次扫描来进行计数。