Alphabet Subsequence
Description
Check whether the given string is a subsequence of the plaintext alphabet, given the following definitions:
-
subsequence:
Ais considered a subsequence ofBif every element fromAappears inBin the same order (not necessarily contiguous; there can be other elements in between). In other words,Acan be obtained just by deleting elements from B.Examples:
[3, 7]is a subsequence of[2, 3, 7][0, 0]is a subsequence of[9, 0, 2, 1, 0][1, 2,3] is a subsequence of[1, 2, 3][8, 7]is not a subsequence of[7, 8]because the elements don’t appear in the same order[1, 1]is not a subsequence of[1, 2, 3]because it contains different elements
-
plaintext: The plaintext alphabet is a string “abcdef…xyz”.
Example
- For
s = "effg", the output should bealphabetSubsequence(s) = false; - For
s = "cdce", the output should bealphabetSubsequence(s) = false; - For
s = "ace", the output should bealphabetSubsequence(s) = true; - For
s = "bxz", the output should bealphabetSubsequence(s) = true.
Input/Output
-
[execution time limit] 4 seconds (js)
-
[input] string s
Guaranteed constraints:
2 ≤ s.length ≤ 15. -
[output] boolean
trueif the given string is a subsequence of the alphabet,falseotherwise.
[JavaScript (ES6)] Syntax Tips
1
2
3
4
5
6
// Prints help message to the console
// Returns a string
function helloWorld(name) {
console.log("This prints to the console when you Run Tests");
return "Hello, " + name;
}
Solution
1
2
3
4
5
6
7
8
9
function alphabetSubsequence(s) {
var isSubsequence = true;
for (var i = 1; i < s.length; i++) {
if (s.charCodeAt(i) <= s.charCodeAt(i - 1))
isSubsequence = false;
}
return isSubsequence;
}