1
0
Fork 0
mirror of https://gitlab.com/mfocko/LeetCode.git synced 2024-09-19 17:56:55 +02:00

kt: add «76. Minimum Window Substring»

Signed-off-by: Matej Focko <me@mfocko.xyz>
This commit is contained in:
Matej Focko 2024-02-04 21:15:56 +01:00
parent f88f860d0d
commit 0ad2295875
Signed by: mfocko
GPG key ID: 7C47D46246790496

View file

@ -0,0 +1,35 @@
class Solution {
fun minWindow(s: String, t: String): String {
val freqs = IntArray(128) { 0 }
t.forEach {
freqs[it.toInt()]++
}
var (bestLower, bestUpper) = 0 to -1
var count = t.length
var (l, r) = 0 to 0
while (r < s.length) {
if (freqs[s[r].toInt()]-- > 0) {
count--
}
while (count == 0) {
if (bestLower >= bestUpper || bestUpper - bestLower + 1 > r - l + 1) {
bestLower = l
bestUpper = r
}
freqs[s[l].toInt()]++
if (freqs[s[l++].toInt()] > 0) {
count++
}
}
r++
}
return s.substring(bestLower, bestUpper + 1)
}
}