当前位置:网站首页>小黑leetcode之旅:95. 至少有 K 个重复字符的最长子串
小黑leetcode之旅:95. 至少有 K 个重复字符的最长子串
2022-08-04 23:13:00 【小黑无敌】
小黑java解法1:分治法
class Solution {
public int longestSubstring(String s, int k) {
return dfs(s, 0, s.length() - 1, k);
}
public int dfs(String s, int left, int right, int k) {
if (left > right) {
return 0;
}
int[] cnt = new int[26];
for (int i = left; i <= right; i++) {
cnt[s.charAt(i) - 'a']++;
}
int res = 0;
int start = left;
boolean flag = false;
System.out.println(left+"+"+right);
for(int i = left; i <= right; i++) {
if (cnt[s.charAt(i) - 'a'] < k) {
System.out.println(i);
int p = dfs(s, start, i-1, k);
if(p > res){
res = p;
}
flag = true;
start = i + 1;
}
}
if(flag){
int p = dfs(s, start, right, k);
if(p > res){
res = p;
}
return res;
}
return right - left + 1;
}
}

小黑python解法1:分治法
class Solution:
def longestSubstring(self, s: str, k: int) -> int:
l = len(s)
def substring(s,start,end):
counts = {
}
for c in s[start:end+1]:
counts[c] = counts.get(c,0) + 1
# 生成分割点
splits = []
for key in counts:
if counts[key] < k:
splits.append(key)
if not splits:
return end - start + 1
i = start
res = 0
while i <= end:
while i <= end and s[i] in splits:
i += 1
if i > end:
break
start = i
while i <= end and s[i] not in splits:
i += 1
length = substring(s,start,i-1)
res = max(length,res)
return res
return substring(s,0,l-1)

分治法
class Solution:
def longestSubstring(self, s: str, k: int) -> int:
l = len(s)
def subString(start,end):
counts = {
}
# 记录子串中每一个字符的频率
for c in s[start:end+1]:
counts[c] = counts.get(c,0) + 1
# 筛选出频率小于k的一个字符
split = None
for c in counts.keys():
if counts[c] < k:
split = c
break
# 所有字符符合要求,则return
if not split:
return end - start + 1
i = start
ans = 0
while start <= end:
while i <= end and s[i] == split:
i += 1
if i > end:
break
start = i
while i <= end and s[i] != split:
i += 1
ans = max(ans,subString(start,i-1))
return ans
return subString(0,l-1)

边栏推荐
猜你喜欢
随机推荐
Literature reading ten - Detect Rumors on Twitter by Promoting Information Campaigns with Generative Adversarial Learn
【项目实战】仿照Room实现简单管理系统
被领导拒绝涨薪申请,跳槽后怒涨9.5K,这是我的心路历程
一点点读懂cpufreq(二)
【游戏建模模型制作全流程】在ZBrush中雕刻恶魔城男性角色模型
Jbpm3.2 开发HelloWorld (简单请假流程)客户端
各行各业都受到重创,游戏行业却如火如荼,如何加入游戏模型师职业
2022七夕程序员必备的表白黑科技(七夕限定款)
为何越来越多人选择进入软件测试行业?深度剖析软件测试的优势...
xss总结
Nacos配置中心之客户端长轮询
407. 接雨水 II
MYS-6ULX-IOT 开发板测评——使用 Yocto 添加软件包
测试技术:关于上下文驱动测试的总结
Shell编程之循环语句与函数的使用
Go 编程语言(简介)
The Go Programming Language (Introduction)
node中package解析、npm 命令行npm详解,node中的common模块化,npm、nrm两种方式查看源和切换镜像
吐槽 | 参加IT培训的正确姿势
[QNX Hypervisor 2.2用户手册]10.4 vdev hpet









