Ruby如何反转显示顺序

时间:2017-01-10 03:12:00

标签: ruby

我的代码如下:

def number_loop(n)
  puts "#{n}"
  while n != 1
   if  n >1
     n -= 1
     puts "#{n}"
   else
     n += 1
     puts "#{n}"
   end
  end
end

number_loop(5)

当我运行代码时,它显示如下:

5

4

3

2

1

如何更改代码,使其显示为:

1

2

3

4

5

1 个答案:

答案 0 :(得分:1)

  • 使用while循环是罕见的,几乎从未见过Ruby。
  • 使用uptodownto方法或范围时,使用数字。
  • 使用eachreverse_each时,使用对象时。

使用Integer方法

1.upto(5).each { |n| puts n } # => 1, 2, 3, 4, 5
5.downto(1).each { |n| puts n } # => 5, 4, 3, 2, 1

1.step(5, 2).each { |n| puts n } # => 1, 3, 5
5.step(1, -2).each { |n| puts n } # => 5, 3, 1

5.times { |n| puts n } # => 0, 1, 2, 3, 4

使用范围

(1..5).each { |n| puts n } # => 1, 2, 3, 4, 5

如果使用对象,请使用

arr = ["a", "b", "c", "d", "e"]

arr.each { |str| puts str } # => a, b, c, d, e
arr.reverse_each { |str| puts str } # => e, d, c, b, a

如果要在数组中收集结果,请使用map

squares = (1..5).map { |n| n * n }
# => [1, 4, 9, 16, 25]

更多浏览

的方法
  • Integer class
  • Enumerable模块

最好安装pry以Pry的lsri命令以交互方式探索这些内容。