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 involves finding specific substrings (a and b) within a larger string (s).
- The indices of the found substrings must satisfy a distance constraint defined by k.
- Efficient substring search techniques are crucial due to the potential length of the input, which can be up to 500,000 characters.
- Two-pointer or sliding window techniques may be beneficial to maintain the distance condition.
Space and Time Complexity
Time Complexity: O(n + m + p), where n is the length of s, m is the length of a, and p is the length of b.
Space Complexity: O(n + m + p) for storing the indices of substrings.
Solution
To solve the problem, we can use the following approach:
- Traverse the string
s
to find all occurrences of the substringa
and store their indices. - Similarly, traverse the string
s
to find all occurrences of the substringb
and store their indices. - For each index of
a
, check if there exists any index ofb
such that the absolute difference between their indices is less than or equal tok
. - Collect all valid indices of
a
that meet the criteria and return them in sorted order.
We can utilize two pointers to efficiently check the proximity condition for each found index.