Q:Given a string, find the length of the longest substring without repeating characters.
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16
Example 1:
Input: "abcabcbb" Output: 3 Explanation: The answer is "abc", with the length of 3. Example 2:
Input: "bbbbb" Output: 1 Explanation: The answer is "b", with the length of 1. Example 3:
Input: "pwwkew" Output: 3 Explanation: The answer is "wke", with the length of 3. Note that the answer must be a substring, "pwke" is a subsequence andnot a substring.
E:给定一个字符串,计算出不重复的最长子串的长度。
e.g.
1 2 3 4 5 6 7 8 9 10 11 12 13 14
Example 1: 输入: "abcabcbb" 输出: 3 解释: 最长不重复子串是"acb"且长度为3
Example 2: 输入: "bbbbb" 输出: 1 解释: 最长不重复子串是"b"且长度为1 Example 3:
classSolution{ funclengthOfLongestSubstring(_s: String) -> Int { var begin =0//当前子串的开始下标 var maxLength =0//当前获取的子串的最长长度 var map : [Character : Int] = [:] //key为字符,value为字符的序号(下标+1) for (index, value) in s.enumerated() {//普通for循环与enumerated()性能差别很大,所以尽量使用enumerated(),在这个算法中,使用不同的for循环,性能相差达到100倍
classSolution{ funclengthOfLongestSubstring(_s: String) -> Int { var hash = [Int](repeating: 0, count: 256) let str =Array(s.utf8).map { Int($0) }
let len = str.count var ans =0 var j =0 for i in0..<len { while j < len && hash[str[j]] ==0 { hash[str[j]] =1 j +=1 print(hash) } ans =max(ans, j - i) hash[str[i]] =0 print(hash) } return ans } }