链接函数调用scala(或相当于Ruby的yield_self)

时间:2018-02-02 15:22:46

标签: scala

链接函数调用的惯用方法是什么,在Scala的路上提供的参数之间传递结果?

以下是一个例子:

def a(x : A, param : String) : A = x
def b(x : A, param : String) : A = x
def c(x : A, param : String) : A = x
def d(x : A, param : String, anotherParam : String) : A = x

val start = A()

d(c(b(a(start, "par1"), "par2"), "par3"), "par4", "anotherPar")

我想到的一种方法是Ruby Kernel#yield_self允许执行以下操作:

start
  .yield_self {|x| a(x, "par1") }
  .yield_self {|x| b(x, "par2") } 
  .yield_self {|x| c(x, "par3") } 
  .yield_self {|x| d(x, "par4", "anotherPar) } 

2 个答案:

答案 0 :(得分:3)

您可以将功能链组合成一个功能:

val start = new A()

val func: (A => A) =
  ((x: A) => a(x, "par1"))
    .andThen(b(_, "par2"))
    .andThen(c(_, "par3"))
    .andThen(d(_, "par4", "anotherPar"))

func(start)

但我不确定这是不是你的目标。

答案 1 :(得分:3)

我说使用链接功能...... 链接并不是那么糟糕:

(
  { (x: A) => a(x, "par1") } andThen 
  { x => b(x, "par2") } andThen 
  { x => c(x, "par3") } andThen 
  { x => d(x, "par4", "anotherPar") }
)(start)

但是,如果您坚持使用yieldSelf方法,请转到:

import scala.language.implicitConversions

case class YieldSelf[X](x: X) {
  def yieldSelf[Y](f: X => Y): Y = f(x)
}
implicit def everythingCanYieldSelf[X](x: X) = YieldSelf(x)

start.
  yieldSelf{ a(_, "par1") }.
  yieldSelf{ b(_, "par2") }.
  yieldSelf{ c(_, "par3") }.
  yieldSelf{ d(_, "par4", "anotherPar") }

一旦隐式定义在范围内,它就会向每个对象添加一个yieldSelf方法,它具有与Ruby相同的语义。