只是想知道是否有一个语法快捷方式来进行两个过程并加入它们,以便将一个的输出传递给另一个,相当于:
a = ->(x) { x + 1 }
b = ->(x) { x * 10 }
c = ->(x) { b.( a.( x ) ) }
在使用method(:abc).to_proc
和:xyz.to_proc
答案 0 :(得分:7)
更多糖,在生产代码中并不真正推荐
class Proc
def *(other)
->(*args) { self[*other[*args]] }
end
end
a = ->(x){x+1}
b = ->(x){x*10}
c = b*a
c.call(1) #=> 20
答案 1 :(得分:2)
a = Proc.new { |x| x + 1 }
b = Proc.new { |x| x * 10 }
c = Proc.new { |x| b.call(a.call(x)) }
答案 2 :(得分:2)
你可以像这样创建一个联合操作
class Proc
def union p
proc {p.call(self.call)}
end
end
def bind v
proc { v}
end
那么你可以像这样使用它
a = -> (x) { x + 1 }
b = -> (x) { x * 10 }
c = -> (x) {bind(x).union(a).union(b).call}
答案 3 :(得分:0)
最新答案。 Proc组合已经在Ruby 2.6中可用。 <<
和>>
这两种方法在组成顺序上有所不同。所以现在你可以做
##ruby2.6
a = ->(x) { x + 1 }
b = ->(x) { x * 10 }
c = a >> b
c.call(1) #=> 20