我之前在Basic和Pascal中编写了以下程序,现在我将它移植到Ruby。第20..26行中的放置代表了基本和pascal中子程序(gosub..return)的调用。我在Ruby中找不到子程序。我会为每个方法创建一个方法吗?子程序是图形显示,大脑矩阵的操作等。重要的是,当它们完成时,我会回到同一个位置。
(如果有用:外部事件,例如按键,将值放在刺激矩阵中,当乘以大脑矩阵时,会在行为矩阵中生成值。) 一条更优雅的20-28线路也很受欢迎。
感谢。
require 'matrix'
class Matrix
def []=(i, j, x)
@rows[i][j] = x
end
end #code to allow putting individual elements in matrix at i,j
brain= Matrix[ [0,0,0,0,99,0,0,0,0,1,0],
[0,0,0,0,0,99,0,0,0,1,0],
[0,0,0,0,0,0,99,0,0,1,0],
[25,0,0,0,0,0,0,1,-1,1,-99],
[0,23,0,0,0,0,0,1,-1,1,1],
[0,0,24,0,0,0,0,1,-1,1,1],
[0,0,0,22,0,0,0,1,-1,1,1] ]
stimulus=Matrix.column_vector([0,0,0,0,0,0,0,0,0,0,0])
behavior=Matrix.column_vector([0,0,0,0,0,0,0])
t=500 # t=threshold
behavior=brain*stimulus
if behavior[0,0] > t then puts "do poistive fixer" end
if behavior[1,0] > t then puts "do negative fixer" end
if behavior[2,0] > t then puts "show UCR" end
if behavior [3,0] > t then puts "show operant 1" end
if behavior[4,0] > t then puts "show operant 2" end
if behavior[5,0] > t then puts "show operant 3" end
if behavior[6,0] > t then puts "show operant 4" end
答案 0 :(得分:4)
是的,方法是一个可重复使用的代码块,就像子程序一样。
20-26的最快重构看起来像这样:
puts "do positive fixer" if behavior[0,0] > t
puts "do negative fixed" if behavior[1,0] > t
您是否更喜欢最小的节省是一个意见问题。
下一级重构可能就像将字符串放入数组一样简单(未经测试但关闭):
do_this = [ "do positive fixer", "do negative fixer", ... ]
(0..6).each { |n| puts do_this[n] if behavior[n, 0] > t }
正如Tin Man所说,你可以直接使用数组:
do_this.each_with_index { |s, n| puts s if behavior[n, 0] }
等