剑指 Offer 46. 把数字翻译成字符串
给定一个数字,我们按照如下规则把它翻译为字符串:0 翻译成 “a” ,1 翻译成 “b”,……,11 翻译成 “l”,……,25 翻译成 “z”。一个数字可能有多个翻译。请编程实现一个函数,用来计算一个数字有多少种不同的翻译方法。
输入: 12258
输出: 5
解释: 12258有5种不同的翻译,分别是"bccfi", "bwfi", "bczi", "mcfi"和"mzi"
class Solution:
def translateNum(self, num: int) -> int:
nums = str(num)
a = [1]
if int(nums[0:2]) <= 25 and len(nums)>1: a.append(2)
else: a.append(1)
for i in range(2,len(nums)):
if int(nums[i-1:i+1]) > 25 or int(nums[i-1:i+1]) < 10:
a.append(a[-1])
else:
nexts = a[-1] + a[-2]
a.append(nexts)
return a[-1]
剑指 Offer 48. 最长不含重复字符的子字符串
思路: 当前以sj为结尾,那么就要找到前一个与sj相同字符的si,在此区间的字符都与sj不同,sj可以作为贡献值。
j-i表示距离,dp也表示距离,相等时说明dp就是从i开始计数到j-1的。 dp[j-1]可能等于j,dp指的是长度,j代表索引
class Solution:
def lengthOfLongestSubstring(self, s: str) -> int:
if not s: return 0
dic = {}
dic[s[0]] = 0
a = [1]
for i in range(1, len(s)):
last_id = dic.get(s[i], -1)
dic[s[i]] = i
if a[-1] < i - last_id:
a.append(a[-1] + 1)
else:
a.append(i-last_id)
return max(a)
dic, res, i = {}, 0, -1
for j in range(len(s)):
if s[j] in dic:
i = max(dic[s[j]], i)
dic[s[j]] = j
res = max(res, j - i)
return res
|