加载中...

习题 32: 回圈和阵列


现在你应该有能力写更有趣的程式出来了。如果你能够一直跟得上,你应该已意识到你能将之前学到的将 if 语句 和 “布林表示式”这些东西结合起来,让程式做出一些聪明的事了。

然而,我们的城市还需要能很快地完成重复的事情。这节习题中我们将使用 for-loop (for 循环) 来建立和印出各式的阵列。在做习题的过程中,你将会逐渐搞懂它们是怎么回事。现在我不会告诉你,你需要自己找到答案。

在你开始使用 for 循环之前,你需要在某个位置存放循环的结果。最后的方法是使用阵列 array。一个阵列,就是一个按照顺序存放东西的容器。阵列并不复杂,你只是要学习一点新的语法。首先我们来看看如何建立一个阵列:

  1. hairs = ['brown', 'blond', 'red']
  2. eyes = ['brown', 'blue', 'green']
  3. weights = [1, 2, 3, 4]

你要做的是以 [ 左中括号开头“打开”阵列,然后写下你要放入阵列的东西、用逗号 , 隔开,就跟函式的参数一样,最后你需要用 ] 右中括号结束阵列的定义。然后 Ruby 接收这个阵列以及里面所有的内容,将其赋予给一个变量。

Warning: 对于不会写程式的人来说这是一个困难点。习惯性思维告诉你的大脑大地是平的。记得上一个练习中的巢状 if 语句吧,你可能觉得要理解它有些难度,因为生活中一般人不会去想这样的问题,但这样的问题在程式中几乎到处都是。你会看到一个函式呼叫用另外一个包含 if 语句的函式,其中又有巢状阵列的阵列。如果你看到这样的东西一时无法弄懂,就用纸笔记下来,手动分割下去,直到弄懂为止。

现在我们将使用循环建立一些阵列,然后将它们印出来:

  1. the_count = [1, 2, 3, 4, 5]
  2. fruits = ['apples', 'oranges', 'pears', 'apricots']
  3. change = [1, 'pennies', 2, 'dimes', 3, 'quarters']
  4. # this first kind of for-loop goes through an array
  5. for number in the_count
  6. puts "This is count #{number}"
  7. end
  8. # same as above, but using a block instead
  9. fruits.each do |fruit|
  10. puts "A fruit of type: #{fruit}"
  11. end
  12. # also we can go through mixed arrays too
  13. for i in change
  14. puts "I got #{i}"
  15. end
  16. # we can also build arrays, first start with an empty one
  17. elements = []
  18. # then use a range object to do 0 to 5 counts
  19. for i in (0..5)
  20. puts "Adding #{i} to the list."
  21. # push is a function that arrays understand
  22. elements.push(i)
  23. end
  24. # now we can puts them out too
  25. for i in elements
  26. puts "Element was: #{i}"
  27. end

你应该看到的结果

  1. $ ruby ex32.rb
  2. This is count 1
  3. This is count 2
  4. This is count 3
  5. This is count 4
  6. This is count 5
  7. A fruit of type: apples
  8. A fruit of type: oranges
  9. A fruit of type: pears
  10. A fruit of type: apricots
  11. I got 1
  12. I got 'pennies'
  13. I got 2
  14. I got 'dimes'
  15. I got 3
  16. I got 'quarters'
  17. Adding 0 to the list.
  18. Adding 1 to the list.
  19. Adding 2 to the list.
  20. Adding 3 to the list.
  21. Adding 4 to the list.
  22. Adding 5 to the list.
  23. Element was: 0
  24. Element was: 1
  25. Element was: 2
  26. Element was: 3
  27. Element was: 4
  28. Element was: 5
  29. $

加分习题

  1. 注意一下 range (0..5)。查一下 Range class (类别) 并弄懂它。
  2. 在第 24 行,你可以直接将 elements 赋值为 (0..5),而不需使用 for 循环吗?
  3. 在 Ruby 文件中可以找到关于阵列的内容,仔细阅读一下,除了 push 以外,阵列还支援那些操作?

还没有评论.