- About Scala
- Documentation
- Code Examples
- Software
- Scala Developers
Method overload by anonymous function parameter
Sun, 2008-12-28, 07:55
I know following code won't work:
class Foo {
def hello(myName: String) = {
println("My Name is : " + myName)
}
def hello(myName: String)(func: Bar => Unit) = {
println("My name is " + myName)
func(new Bar(myName + " O Hara" ))
}
}
class Bar(val myName: String) {
println("Constructing the class")
}
object App {
def main(args : Array[String]) : Unit = {
val a = new Foo()
a.hello("Scarlet")
a.hello("Violet"){ tbar => {
println(tbar.myName)
}}
}
}
But, what alternatives one have, if I want to overload a method
definition by function argument. On #scala, folks suggested implicits
can be used and truly enough this compiles:
class Foo {
def hello(myName: String)(implicit func: Bar => Unit) = {
println("My name is " + myName)
func(new Bar(myName + " O Hara" )) //line#4
}
}
case class Bar(val myName: String) {
println("Constructing the class")
}
object App {
def main(args : Array[String]) : Unit = {
val a = new Foo()
a.hello("Scarlet")
a.hello("Violet"){ tbar => {
println(tbar.myName)
}}
}
}
But with the catch that, compiler is still supplying func if
definition is implicit and I am not invoking hello with any funciton
argument (or there is no matching implicit in scope) and
hence object of Bar gets created in first call as well. I wouldn't want that.
class Foo {
def hello(myName: String) = {
println("My Name is : " + myName)
}
def hello(myName: String, func: Bar => Unit) = {
println("My name is " + myName)
func(new Bar(myName + " O Hara" ))
}
}
class Bar(val myName: String) {
println("Constructing the class")
}
object App {
def main(args : Array[String]) : Unit = {
val a = new Foo()
a.hello("Scarlet")
a.hello("Violet", {tbar =>
println(tbar.myName)
})
}
}
On Sat, Dec 27, 2008 at 10:55 PM, hemant <gethemant@gmail.com> wrote: