一、方法
Ruby 的方法定義允許為參數設定預設值,不過在帶有預設值的參數後面不能出現不帶有預設值的參數(允許 * 和 &),也就是說下面的方法定義是不被允許的,解釋時會出現 parse error。 還有一點與 C# 不同的是,方法定義不能出現在方法調用的後面。
# parse errordef Display(args1="proshea", args2)end# 允許def Display(args1="proshea", *args2)end# 允許def Display(args1="proshea", &args)endShow()# 出現在 Show 調用之後是錯誤的def Showend
Ruby 也支援 C# params 這樣的參數功能, 只是 Ruby 用 * 標識罷了。
def Display(*args)print %Q~#{args.join("-")}~end# proshea-32-WinFormDisplay("proshea", 32, "WinForm")
同樣的, Ruby 也有類似於 C# delegate 的應用,只是更簡單,直接用 & 來表示,並且 Ruby 用一個稱為 yield 的關鍵字來知會解譯器執行傳入的代碼塊或者說 Proc object(過程對象?)。
1def Display(&block)2 if block_given?3 yield(block)4 else5 print %Q~沒有傳入過程對象~6 end7end89def Show()10 print %Q~Show 方法調用~11end1213# 沒有傳入過程對象14Display()15# 在 Display 內部調用 Show 方法16# 注意起始大括弧仍然只能和方法名在同一行17Display(){18 Show()19}
block_given? 是被定義在內部模組 Kernel 當中的方法,用以表明是否傳入了 Proc object。之後,Ruby 用 yield 通知解譯器執行傳入的 Proc。過程對象也可以帶有參數,不同於普通方法的是過程對象的參數是位於一組 | | 之中。可以使用 Proc object 的 call 方法來調用帶參數的過程對象。
1class Employee2 def initialize(username, age, &block)3 @username, @age, @block = username, age, block4 end56 def Display(txt)7 # 雖然 @block 是個執行個體變數,但在此處一定要加上大括弧8 print "#{@block.call(txt)}: #@username-#@age"9 end10end1112emp = Employee.new("proshea", 32){13 |txt|14 txt15}16emp.Display("context")
1