LeetCode 395. 至少有 K 个重复字符的最长子串

题目描述

🔥 395. 至少有 K 个重复字符的最长子串

思路分析

这个问题可以通过分治法(递归)来解决。分治法的思路是:

  1. 统计字符串 s 中每个字符的出现次数。
  2. 找到出现次数小于 k 的字符,将其作为分割点,分割字符串。
  3. 递归处理分割后的子串,找到最长的子串。

参考代码

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
func longestSubstring(s string, k int) int {
	if len(s) == 0 || k > len(s) {
		return 0
	}

	charCount := make(map[byte]int)
	for i := 0; i < len(s); i++ {
		charCount[s[i]]++
	}

	for char, count := range charCount {
		if count < k {
			maxLen := 0
			substrs := strings.Split(s, string(char))
			for _, substr := range substrs {
				maxLen = max(maxLen, longestSubstring(substr, k))
			}
			return maxLen
		}
	}

	return len(s)
}

func max(a, b int) int {
	if a > b {
		return a
	}
	return b
}
1
write your code here

🍏 点击查看 Java 题解

1
write your code here
本文作者:
本文链接: https://hgnulb.github.io/blog/2023/04570603
版权声明: 本博客所有文章除特别声明外,均采用 CC BY-NC-SA 4.0 许可协议,转载请注明出处!