30

在最近的 Ruby 版本中,许多方法会在Enumerable没有Enumerator块的情况下调用它们:

[1,2,3,4].map 
#=> #<Enumerator: [1, 2, 3, 4]:map> 
[1,2,3,4].map { |x| x*2 }
#=> [2, 4, 6, 8] 

我想用我自己的方法做同样的事情,如下所示:

class Array
  def double(&block)
    # ???
  end
end

arr = [1,2,3,4]

puts "with block: yielding directly"
arr.double { |x| p x } 

puts "without block: returning Enumerator"
enum = arr.double
enum.each { |x| p x }
4

4 回答 4

32

核心库插入了一个警卫return to_enum(:name_of_this_method, arg1, arg2, ..., argn) unless block_given?。在你的情况下:

class Array
  def double
    return to_enum(:double) unless block_given?
    each { |x| yield 2*x }
  end
end

>> [1, 2, 3].double { |x| puts(x) }
2
4
6 
>> ys = [1, 2, 3].double.select { |x| x > 3 } 
#=> [4, 6]
于 2013-08-06T20:21:25.767 回答
10

使用Enumerator#new

class Array
  def double(&block)
    Enumerator.new do |y| 
      each do |x| 
        y.yield x*2 
      end 
    end.each(&block)
  end
end
于 2012-02-09T15:19:59.087 回答
2

另一种方法可能是:

class Array
    def double(&block)
        map {|y| y*2 }.each(&block)
    end
 end
于 2011-08-25T02:01:04.863 回答
0

对我来说最简单的方法

class Array
  def iter
      @lam = lambda {|e| puts e*3}
      each &@lam
  end
end

array = [1,2,3,4,5,6,7]
array.iter

=> 3 6 9 12 15 18 21

于 2016-12-20T13:38:15.940 回答