详解Ruby中的块的知识
程序员文章站
2022-08-29 19:53:21
语法:
block_name{
statement1
statement2
..........
}
在这里,将学习...
语法:
block_name{ statement1 statement2 .......... }
在这里,将学习如何通过使用一个简单的 yield 语句调用块。还将学习使用yield语句具有参数调用块。将检查的示例代码,这两种类型的 yield 语句。
yield 语句:
让我们来看看在yield语句的一个例子:
#!/usr/bin/ruby def test puts "you are in the method" yield puts "you are again back to the method" yield end test {puts "you are in the block"}
这将产生以下结果:
you are in the method you are in the block you are again back to the method you are in the block
也可以通过参数与屈服声明。下面是一个例子:
#!/usr/bin/ruby def test yield 5 puts "you are in the method test" yield 100 end test {|i| puts "you are in the block #{i}"}
这将产生以下结果:
you are in the block 5 you are in the method test you are in the block 100
这里的 yield 语句写到后面跟着参数。甚至可以传递多个参数。在该块中放置在两条垂直线之间的变量(| |)接收的参数。因此,在上面的代码中,yield5语句将试块作为一个参数值5。
现在看看下面的语句:
test {|i| puts "you are in the block #{i}"}
在这里,在变量i中的值为5。现在遵守以下 puts 语句:
puts "you are in the block #{i}"
puts 语句的输出是:
you are in the block 5
如果想超过一个参数,然后yield语句就变成了:
yield a, b
那么块是:
test {|a, b| statement}
这些参数将用逗号隔开。
块和方法:
我们已经看到了如何将一个块和方法关联。通常调用块从块具有相同名称的方法,通过使用yield语句。因此,编写:
#!/usr/bin/ruby def test yield end test{ puts "hello world"}
这个例子是最简单的方式来实现一个块。调用块 test 使用yield语句。
但是,如果最后一个参数的方法前面加上&,那么可以通过一个块这种方法,此块将被分配到最后一个参数。
*和&在参数列表中&还在后面。
#!/usr/bin/ruby def test(&block) block.call end test { puts "hello world!"} this will produce following result: hello world!
begin 和 end 块
每一个ruby源文件都可以声明的代码块作为文件被加载运行(begin块)后,该程序已执行完毕(end块)。
#!/usr/bin/ruby begin { # begin block code puts "begin code block" } end { # end block code puts "end code block" } # main block code puts "main code block"
一个程序可能包括多个begin和end块。 begin块以遇到它们的顺序执行。 end块以相反的顺序执行。上述程序执行时,会产生以下结果:
begin code block main code block end code block