727. Minimum Window Subsequence
Link: https://leetcode.cn/problems/sliding-window-maximum/
Question
difficulty: high
adj diff: 4
Given strings s1 and s2, return the minimum contiguous substring part of s1, so that s2 is a subsequence of the part.
If there is no such window in s1 that covers all characters in s2, return the empty string "". If there are multiple such minimum-length windows, return the one with the left-most starting index.
Example 1:
Input: s1 = "abcdebdde", s2 = "bde"
Output: "bcde"
Explanation:
"bcde" is the answer because it occurs before "bdde" which has the same length.
"deb" is not a smaller window because the elements of s2 in the window must occur in order.
Example 2:
Input: s1 = "jmeqksfrsdcmsiwvaovztaqenprpvnbstl", s2 = "u"
Output: ""
Constraints:
1 <= s1.length <= 2 * 104
1 <= s2.length <= 100
s1 and s2 consist of lowercase English letters.
注意:用Map来记录出现的 occurence count 是错误的解法!
因为,substring 的字母顺序不能变。
这是网友给的正确的解法:
- 向右扩大窗口,匹配字符,直到匹配完 s2 的最后一个字符。
- 当满足条件时,缩小窗口,并更新最小窗口的起始位置和最短长度。
- 缩小窗口到不满足条件为止。
这道题的难点在于第二步中如何缩小窗口。
当匹配到一个子序列时,可以采用逆向匹配的方式,从 s2 的最后一位字符匹配到 s2 的第一位字符。
找到符合要求的最大下标,即是窗口的左边界。
Code
1 | class Solution { |