Reputation: 2386
def mainCaller() = {
val name = "xyz"
someList.foreach { u:Map => foo(name, u) }
}
def foo(name:String)(map:Map): Unit = {
//match case....
//recursive call to foo in each case where name remains same, but map changes
}
how can I write foo as a partially applied function, where I dont have to pass name in every recursive call and just call foo(map1)
?
Upvotes: 3
Views: 351
Reputation: 370132
Two options:
def foo(name:String)(map:Map): Unit = {
val bar = foo(name)_
//match case...
// case 1:
bar(x)
// case 2:
bar(y)
}
Or:
def foo(name:String): Map => Unit = {
def bar(map: Map): Unit = {
//match case...
// case 1:
bar(x)
// case 2:
bar(y)
}
bar
}
Upvotes: 8