力扣:最大无重复字串(滑动窗口算法

给定一个字符串,请你找出其中不含有重复字符的 最长子串 的长度。

示例 1:

输入: "abcabcbb"
输出: 3 
解释: 因为无重复字符的最长子串是 "abc",所以其长度为 3。

来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/longest-substring-without-repeating-characters

 尝试

//假设只有26个小写的字母,但是事实不是的,官方题解里面使用的是集合查重
bool Is_repeat(string str)
{
	bool flag = true;
	int arr[26] = { 0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0 };
	for (int i = 0; i < str.length(); ++i)
	{
		arr[str[i] - 97]++;
		if (arr[str[i] - 97] == 2)
			return false;
	}
	return flag;
}

int lengthOfLongestSubstring(string s) {
	int len = s.length();
	int max_len = 0;
	int count = 0;
	//测试所有子字串,就是单纯的暴力,但是貌似不只是有26个字母,错误不是超时。
        //错误就是上面的,暴力法大致思路没问题
	for (int i = 0; i < len; ++i)
	{
		for (int j = 0; j <= i; ++j)
		{
			string str = "";
			for (int k = j; k <= i; ++k)
			{
				str += s[k];
			}
			if (Is_repeat(str))
				if (str.length() > max_len)
					max_len = str.length();
		}	
	}
	return max_len;
}

int  main()
{
	string str;
	cin >> str;
	cout<

官方: https://leetcode-cn.com/problems/longest-substring-without-repeating-characters/solution/wu-zhong-fu-zi-fu-de-zui-chang-zi-chuan-by-leetcod/

 

//滑动窗口还有滑动窗口的优化。


public class Solution {
    public int lengthOfLongestSubstring(String s) {
        int n = s.length();
        Set set = new HashSet<>();
        int ans = 0, i = 0, j = 0;
        while (i < n && j < n) {
            // try to extend the range [i, j]
            if (!set.contains(s.charAt(j))){
                set.add(s.charAt(j++));
                ans = Math.max(ans, j - i);
            }
            else {
                set.remove(s.charAt(i++));
            }
        }
        return ans;
    }
}

public class Solution {
    public int lengthOfLongestSubstring(String s) {
        int n = s.length(), ans = 0;
        Map map = new HashMap<>(); // current index of character
        // try to extend the range [i, j]
        for (int j = 0, i = 0; j < n; j++) {
            if (map.containsKey(s.charAt(j))) {
                i = Math.max(map.get(s.charAt(j)), i);
            }
            ans = Math.max(ans, j - i + 1);
            map.put(s.charAt(j), j + 1);
        }
        return ans;
    }
}

作者:LeetCode
链接:https://leetcode-cn.com/problems/two-sum/solution/wu-zhong-fu-zi-fu-de-zui-chang-zi-chuan-by-leetcod/
来源:力扣(LeetCode)
著作权归作者所有。商业转载请联系作者获得授权,非商业转载请注明出处。

滑动窗口一般用来解决:查找最大/最小k-子阵列,XOR,乘积,总和的问题。
减少一层循环,减去失效数值,增加有效数值。

 

你可能感兴趣的:(LeetCode)