
Sponsored
Sponsored
The Two-Pointer Technique involves maintaining two indices, one for each string (s and t). Start both pointers at the beginning of their respective strings. Move the pointer for 's' only when there's a match with the current character at 't'. This ensures that all characters in 's' appear in 't' with the correct order. If the pointer for 's' reaches the end of 's', then 's' is a subsequence of 't'.
Time Complexity: O(n) where n is the length of 't'.
Space Complexity: O(1) as no additional data structures are used.
1#include <stdbool.h>
2#include <string.h>
3
4bool isSubsequence(char *s, char *t) {
5 int indexS = 0, indexT = 0;
6 int lengthS = strlen(s), lengthT = strlen(t);
7 while (indexS < lengthS && indexT < lengthT) {
8 if (s[indexS] == t[indexT]) {
9 indexS++;
10 }
11 indexT++;
12 }
13 return indexS == lengthS;
14}This C solution employs a while loop with two pointers to check each character. The loop advances through 't', incrementing a pointer for 's' only when characters match. If 's' is fully traversed (indexS == lengthS), it confirms 's' as a subsequence of 't'.
For frequent 's' queries, preprocess 't' to build a map of character positions using a dictionary or hashmap structure. This allows for efficient binary search to determine if 's' is a subsequence, as only relevant sections of 't' need to be checked.
Preprocessing Time Complexity: O(n) for preparing the map where n is the length of 't'.
Checking Time Complexity: O(mlog(k)) for each 's', where m is the length of 's' and k is the average number of occurrences of each character in 't'.
Space Complexity: O(n) for the map storage.
1from collections import defaultdict
2from bisect import bisect_right
3
4def
This Python solution uses a map to store positions of each character in 't'. For each character in 's', it performs a binary search using the 'bisect' module to locate the next valid position in 't'. This avoids full scans and enhances efficiency for large numbers of 's'.