Problem Description
You are given two strings s
and p
where p
is a subsequence of s
. You are also given a distinct 0-indexed integer array removable
containing a subset of indices of s
. You want to choose an integer k
(0 <= k <= removable.length
) such that, after removing k
characters from s
using the first k
indices in removable
, p
is still a subsequence of s
. Return the maximum k
you can choose such that p
is still a subsequence of s
after the removals.
Key Insights
- The problem requires checking if
p
remains a subsequence ofs
after removing characters at specified indices. - A binary search can be utilized to efficiently determine the maximum
k
by checking subsequence validity for various values ofk
. - The two-pointer technique is effective in verifying if
p
is a subsequence of the modifieds
.
Space and Time Complexity
Time Complexity: O(n log m), where n is the length of s
and m is the length of removable
.
Space Complexity: O(1), since we are using a constant amount of additional space.
Solution
The solution employs a binary search to find the maximum k
value. For each candidate k
, we simulate the removals and check if p
can still be formed as a subsequence of s
using a two-pointer technique.
- Use binary search on the range of
k
from 0 to the length ofremovable
. - For each midpoint
k
, mark the characters ins
that would be removed. - Use two pointers to check if
p
is still a subsequence of the modifieds
. - Adjust the search range based on whether
p
remains a subsequence.