Leetcode 3 無重複字元的最長子串 python
阿新 • • 發佈:2019-01-09
給定一個字串,找出不含有重複字元的最長子串的長度。
示例:
給定 “abcabcbb” ,沒有重複字元的最長子串是 “abc” ,那麼長度就是3。
給定 “bbbbb” ,最長的子串就是 “b” ,長度是1。
給定 “pwwkew” ,最長子串是 “wke” ,長度是3。請注意答案必須是一個子串,“pwke” 是 子序列 而不是子串。
class Solution(object): def lengthOfLongestSubstring(self, s): """ :type s: str :rtype: int """ maxleng = 0 tmp = [] for i in s: if i not in tmp: tmp.append(i) if len(tmp)>maxleng: maxleng += 1 else: maxleng = len(tmp) if len(tmp)>maxleng else maxleng tmp = tmp[tmp.index(i)+1:] tmp.append(i) return maxleng