Problem Description
You are given a 0-indexed string s
, a string a
, a string b
, and an integer k
. An index i
is beautiful if:
0 <= i <= s.length - a.length
s[i..(i + a.length - 1)] == a
- There exists an index
j
such that:0 <= j <= s.length - b.length
s[j..(j + b.length - 1)] == b
|j - i| <= k
Return the array that contains beautiful indices in sorted order from smallest to largest.
Key Insights
- The problem requires identifying indices in a string where a specific substring appears, while also checking for the proximity of another substring within a defined range.
- The constraints allow for efficient substring searching and checks within the given bounds.
- Utilizing two-pointer techniques can simplify the process of checking the proximity condition for indices.
Space and Time Complexity
Time Complexity: O(n * (a.length + b.length)), where n is the length of the string s
. In the worst case, we may need to check each index for the presence of substrings a
and b
.
Space Complexity: O(m + p), where m is the number of occurrences of substring a
and p is the number of occurrences of substring b
captured in lists.
Solution
To solve the problem, we will:
- Iterate through the string
s
and find all starting indices where the substringa
occurs. - Similarly, find all starting indices where the substring
b
occurs. - For each index found for
a
, check if there exists any index found forb
such that the absolute difference between the two indices is less than or equal tok
. - Collect all valid indices for
a
that meet the proximity condition and return them sorted.
Data structures used:
- Lists to store the indices of occurrences of substrings
a
andb
. - Two pointers (or simple iteration) to efficiently check proximity.