-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy path06-pig-latin.js
30 lines (28 loc) · 1.5 KB
/
06-pig-latin.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
/*
Pig Latin:
Pig Latin is a way of altering English Words. The rules are as follows:
If a word begins with a consonant, take the first consonant or consonant cluster, move it to the end of the word, and add ay to it.
If a word begins with a vowel, just add way at the end.
Translate the provided string to Pig Latin. Input strings are guaranteed to be English words in all lowercase.
- translatePigLatin("california") should return the string aliforniacay.
- translatePigLatin("paragraphs") should return the string aragraphspay.
- translatePigLatin("glove") should return the string oveglay.
- translatePigLatin("algorithm") should return the string algorithmway.
- translatePigLatin("eight") should return the string eightway.
- Should handle words where the first vowel comes in the middle of the word. translatePigLatin("schwartz") should return the string artzschway.
- Should handle words without vowels. translatePigLatin("rhythm") should return the string rhythmay.
*/
function translatePigLatin(str) {
const regExp = /^[^aeiou]+/;
const consonantsMatched = str.match(regExp);
return consonantsMatched
? str.replace(regExp, "").concat(`${consonantsMatched}ay`)
: str.concat("way");
}
console.log(translatePigLatin("consonant"));
console.log(translatePigLatin("paragraphs"));
console.log(translatePigLatin("glove"));
console.log(translatePigLatin("algorithm"));
console.log(translatePigLatin("eight"));
console.log(translatePigLatin("schwartz"));
console.log(translatePigLatin("rhythm"));