-
[Ruby] Pig Latin Word (복습할 것)coding for food 2022. 8. 3. 13:25
# Pig latin translation uses the following rules: # - for words that start with a vowel, add 'yay' to the end # - for words that start with a nonvowel, move all letters before the first vowel to the end of the word and add 'ay' def pig_latin_word(word) end puts pig_latin_word("apple") # => "appleyay" puts pig_latin_word("eat") # => "eatyay" puts pig_latin_word("banana") # => "ananabay" puts pig_latin_word("trash") # => "ashtray"
solution
def pig_latin_word(word) vowels = "aeiou" if vowels.include?(word[0]) return word + "yay" end word.each_char.with_index do |char, i| if vowels.include?(char) return word[i..-1] + word[0...i] + "ay" end end end puts pig_latin_word("apple") # => "appleyay" puts pig_latin_word("eat") # => "eatyay" puts pig_latin_word("banana") # => "ananabay" puts pig_latin_word("trash") # => "ashtray"