1.Description
给你两个长度相同的字符串,s 和 t。
将 s 中的第 i 个字符变到 t 中的第 i 个字符需要 |s[i] - t[i]| 的开销(开销可能为 0),也就是两个字符的 ASCII 码值的差的绝对值。
用于变更字符串的最大预算是 maxCost。在转化字符串时,总开销应当小于等于该预算,这也意味着字符串的转化可能是不完全的。
如果你可以将 s 的子字符串转化为它在 t 中对应的子字符串,则返回可以转化的最大长度。
如果 s 中没有子字符串可以转化成 t 中对应的子字符串,则返回 0。
2.Example
输入:s = "abcd", t = "bcdf", cost = 3
输出:3
解释:s 中的 "abc" 可以变为 "bcd"。开销为 3,所以最大长度为 3。
输入:s = "abcd", t = "cdef", cost = 3
输出:1
解释:s 中的任一字符要想变成 t 中对应的字符,其开销都是 2。因此,最大长度为 1。
3.Solution
使用滑动窗口,在滑动的过程中动态的维护窗口的长度(窗口长度只能不变或者增长,这样滑动完之后可以获得最长的长度)
class Solution {
public static int equalSubstring(String s, String t, int maxCost) {
int[] costs = new int[s.length()];
for(int i=0;i<costs.length;i++) {
costs[i] = Math.abs(s.charAt(i)-t.charAt(i));
}
int windowSize = 0;
int totalCost = 0;
//获得初始窗口长度
for(int i=0;totalCost<=maxCost&&i<costs.length;i++) {
if((totalCost + costs[i])>maxCost) {
break;
}
totalCost += costs[i];
windowSize++;
}
//开始滑动窗口
for(int i=windowSize;i<costs.length;i++) {
totalCost += costs[i] - costs[i-windowSize];
while(totalCost<=maxCost&&i+1<costs.length) {
if((totalCost + costs[i+1])>maxCost) {
break;
}
totalCost += costs[i+1];
i++;
windowSize++;
}
}
return windowSize;
}
}