我正在尝试创建一个程序,用户可以在其中输入多个名称。然后,这些名称按字母顺序显示在彼此之下,并向后打印(显示)每秒名称。我已经完成了几个教程,这是我第二天使用ruby ..这是我到目前为止所拥有的。
name_list = {}
puts 'please enter names seperated by a space:'
name_list = gets.chomp
names = name_list.split(" ")
抓住名字......
names.sort do |a,b| a.upcase <=> b.upcase end
display = "#{names}"
for ss in 0...display.length
print ss, ": ", display[ss], "\n"
end
按字母顺序排列在彼此之下。 我真的很难把它全部融合在一起我认为我在这里至少有六个错误...如果我走错了路可以有人引导我一些信息,所以我可以重新开始吗?
修改
我也有使用课程的想法。 但我必须编程名称,我希望用户能够通过consol添加信息。 A级
def初始化(名称) @name =名字 结束 def to_s @ name.reverse 结束 端
>> a = [A.new("greg"),A.new("pete"),A.new("paul")]
>> puts a
答案 0 :(得分:3)
代码中的问题:
我写道:
puts 'Please enter names separated by spaces'
gets.split.sort_by(&:upcase).each_with_index do |name, index|
puts "%s: %s" % [index, (index % 2).zero? ? name : name.reverse]
end
答案 1 :(得分:2)
然后提出几点建议:
names.sort do |a,b| a.upcase <=> b.upcase end # Will not modify the "names" array, but will return a sorted array.
names.sort! do |a,b| a.upcase <=> b.upcase end # Will modify the "names" array.
显示您的姓名:
names.each_with_index do |name, index|
if index % 2 == 0
puts name
else
puts name.reverse
end
end
答案 2 :(得分:1)
puts 'please enter names seperated by a space`enter code here` :'
names = gets.chomp.split(" ")
names.sort! {|a,b| a.upcase <=> b.upcase } # For a single line use {..} instead of do..end
names.each_with_index do |n,i|
if i % 2 == 0
p n
else
p n.reverse
end
end
你也可以使用三元运算符,在这种情况下我使用完整的if else块来提高可读性。
names.each_with_index do |n,i|
p (i % 2 == 0) ? n : n.reverse
end
修改强>
command = ""
names = []
while command != "exit"
puts 'please enter names seperated by a space`enter code here` :'
command = gets.chomp!
if command == "display"
names.sort! {|a,b| a.upcase <=> b.upcase } # For a single line use {..} instead of do..end
names.each_with_index do |n,i|
if i % 2 == 0
p n
else
p n.reverse
end
end
else
names << command
end
end