Physical Address
304 North Cardinal St.
Dorchester Center, MA 02124
You are given a string s
consisting of lowercase letters and an integer k
. We call a string t
ideal if the following conditions are satisfied:
t
is a subsequence of the string s
.t
is less than or equal to k
.Return the length of the longest ideal string.
A subsequence is a string that can be derived from another string by deleting some or no characters without changing the order of the remaining characters.
Note that the alphabet order is not cyclic. For example, the absolute difference in the alphabet order of 'a'
and 'z'
is 25
, not 1
.
Example 1:
Input: s = "acfgbd", k = 2
Output: 4
Explanation: The longest ideal string is "acbd". The length of this string is 4, so 4 is returned.
Note that "acfgbd" is not ideal because 'c' and 'f' have a difference of 3 in alphabet order.
Example 2:
Input: s = "abcd", k = 3
Output: 4
Explanation: The longest ideal string is "abcd". The length of this string is 4, so 4 is returned.
Constraints:
1 <= s.length <= 105
0 <= k <= 25
s
consists of lowercase English letters. public int longestIdealString(String s, int k) {
int res = 0, n = s.length(), dp[] = new int[150];
for (int ci = 0; ci < n; ++ci) {
int i = s.charAt(ci);
for (int j = i - k; j <= i + k; ++j)
dp[i] = Math.max(dp[i], dp[j]);
res = Math.max(res, ++dp[i]);
}
return res;
}
int longestIdealString(string s, int k) {
int dp[150] = {}, res = 0;
for (auto& i : s) {
for (int j = i - k; j <= i + k; ++j)
dp[i] = max(dp[i], dp[j]);
res = max(res, ++dp[i]);
}
return res;
}
def longestIdealString(self, s, k):
dp = [0] * 128
for c in s:
i = ord(c)
dp[i] = max(dp[i - k : i + k + 1]) + 1
return max(dp)
In our experience, we suggest you solve this Longest Ideal Subsequence LeetCode Solution and gain some new skills from Professionals completely free and we assure you will be worth it.
If you are stuck anywhere between any coding problem, just visit Queslers to get the Longest Ideal Subsequence LeetCode Solution
I hope this Longest Ideal Subsequence LeetCode Solution would be useful for you to learn something new from this problem. If it helped you then don’t forget to bookmark our site for more Coding Solutions.
This Problem is intended for audiences of all experiences who are interested in learning about Data Science in a business context; there are no prerequisites.
Keep Learning!
More Coding Solutions >>