-
Notifications
You must be signed in to change notification settings - Fork 16
/
Copy pathnaughty-string.js
85 lines (69 loc) · 2.66 KB
/
naughty-string.js
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
const BAD_STRINGS = ['ab', 'cd', 'pq', 'xy'];
const VOWELS = 'aeiou'.split('');
const double_char_regex = /([a-z])\1/;
/**
* A nice string is one with all of the following properties:
*
* - It contains at least three vowels (`aeiou` only), like `aei`, `xazegov`, or `aeiouaeiouaeiou`.
* - It contains at least one letter that appears twice in a row, like `xx`, `abcdde` (`dd`), or `aabbccdd` (`aa`, `bb`, `cc`, or `dd`).
* - It does _not_ contain the strings `ab`, `cd`, `pq`, or `xy`, even if they are part of one of the other requirements.
*
*/
class NaughtyStringOldRules {
constructor(string) {
this.string = string;
this.isNaughty = this.checkIfStringIsNaughty();
}
checkIfStringIsNaughty(string = this.string) {
// First, check for bad strings
for (let i = 0; i < BAD_STRINGS.length; i++) {
let bad_string = BAD_STRINGS[i];
if (string.includes(bad_string)) {
// string contains a bad string, immediately exit
return true;
}
}
// Next, check to make sure we have at least three vowels
let string_vowels = string.split('').filter(c => VOWELS.includes(c))
if (string_vowels.length < 3) {
return true;
}
// Finally, check to make sure it contains one double string
if (!double_char_regex.test(string)) {
return true;
}
// If we are here, the string passed, it is not naughty
return false;
}
}
const pair_duplicated_regex = /([a-z]{2})[a-z]*\1/;
const letter_repeated_with_middle = /([a-z])[a-z]\1/;
/**
* Now, a nice string is one with all of the following properties:
*
* - It contains a pair of any two letters that appears at least twice in the string without overlapping, like xyxy (xy) or aabcdefgaa (aa), but not like aaa (aa, but it overlaps).
* - It contains at least one letter which repeats with exactly one letter between them, like xyx, abcdefeghi (efe), or even aaa.
*
*/
class NaughtyStringNewRules {
constructor(string) {
this.string = string;
this.isNaughty = this.checkIfStringIsNaughty();
}
checkIfStringIsNaughty(string = this.string) {
// First, for a string pair that is duplicated
if (!pair_duplicated_regex.test(string)) {
return true;
}
// Finally, the "letter repeated with middle divder" regex
if (!letter_repeated_with_middle.test(string)) {
return true;
}
// If we are here, the string passed, it is not naughty
return false;
}
}
module.exports = {
NaughtyStringOldRules,
NaughtyStringNewRules,
};