題目:python
Given a string, find the length of the longest substring without repeating characters. For example, the longest substring without repeating letters for "abcabcbb" is "abc", which the length is 3. For "bbbbb" the longest substring is "b", with the length of 1.
算法
大意是找出最長無重複子串ide
算法思路:
優化
這道題應該能夠用動態規劃作,我用的是double point的方法spa
一個指針start指向子串頭部,另外一個指針end指向子串尾部
指針
每次遞增end,判斷end所指字符是否在當前子串中出現過ci
若是出現過,則將start指針向後移動一位string
不然,將end指針向後移動,並更新最長子串長度 hash
最後返回子串最大長度便可it
該算法能夠在start指針移動時進行優化,可是我優化後發現結果也沒啥變化,就貼原來的代碼吧
代碼:
class Solution(object): def lengthOfLongestSubstring(self, s): """ :type s: str :rtype: int """ sLen = len(s) if sLen == 0 or sLen == 1: return sLen letters = list(s) hashSet = {} hashSet[letters[0]] = 1 start = 0 end = 1 maxLen = 1 while end != sLen: letter = letters[end] if hashSet.has_key(letter) and hashSet[letter] > 0: hashSet[letters[start]] -= 1 start += 1 continue hashSet[letter] = 1 end += 1 if end - start > maxLen: maxLen = end - start return maxLen