0

我是一名开发人员训练营的学生,我的一个项目遇到了问题。我们正在使用 Ruby 编写 Pig Latin 页面。我让它通过了测试,直到它需要接受多个单词:

def pig_latina(word)
  # univeral variables
vowels = ['a','e','i','o','u']
user_output = ""
  # adds 'way' if the word starts with a vowel
  if vowels.include?(word[0]) 
     user_output = word + 'way'     
  # moves the first consonants at the beginning of a word before a vowel to the end  
  else 
    word.split("").each_with_index do |letter, index|

      if vowels.include?(letter)
        user_output = word[index..-1] + word[0..index-1] + 'ay'
      break
      end
    end 
  end   
  # takes words that start with 'qu' and moves it to the back of the bus and adds 'ay'
  if word[0,2] == 'qu'
  user_output = word[2..-1] + 'quay'
  end
  # takes words that contain 'qu' and moves it to the back of the bus and adds 'ay'
  if word[1,2] == 'qu'
  user_output = word[3..-1] + word[0] + 'quay'
  end
  # prints result
  user_output
end

我不知道该怎么做。这不是家庭作业或任何东西。我试过

  words = phrase.split(" ")
    words.each do |word|
    if vowels.include?(word[0])
      word + 'way'

但我认为该else声明将这一切搞砸了。任何见解将不胜感激!谢谢!!

4

2 回答 2

1

我会将您的逻辑分为两种不同的方法,一种用于转换单个单词的方法(有点像您所拥有的),另一种用于获取句子、拆分单词并在每个单词上调用您以前的方法的方法。它可能看起来像这样:

def pig(words)
  phrase = words.split(" ")
  phrase.map{|word| pig_latina(word)}.join(" ")
end
于 2013-08-28T20:40:48.593 回答
1
def pig_latina(word)
  prefix = word[0, %w(a e i o u).map{|vowel| "#{word}aeiou".index(vowel)}.min]
  prefix = 'qu' if word[0, 2] == 'qu'
  prefix.length == 0 ? "#{word}way" : "#{word[prefix.length..-1]}#{prefix}ay"
end

phrase = "The dog jumped over the quail"
translated = phrase.scan(/\w+/).map{|word| pig_latina(word)}.join(" ").capitalize

puts translated  # => "Ethay ogday umpedjay overway ethay ailquay"
于 2013-08-28T20:54:07.053 回答