Question:
What is printed when the following code is executed?
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
object Example extends App { | |
val alex = new Person { | |
override val stringName = "Alexandra" | |
} | |
alex.whoAreYou | |
} | |
class Person { | |
val stringName = "I dont have a name" | |
val name = new Name(stringName) | |
def whoAreYou = { println(name.value) } | |
} | |
case class Name(val value: String) |
Answer:
This code will print out 'null'.
This is because the Person constructor is called before the override, meaning that val name is instantiated before the override is called. The default name value is never set because the compiler is clever enough to know we don't wan stringName to be set to "I dont have a name" so it skips that assignment.
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
object Example extends App { | |
val alex = new Person { | |
override val stringName = "Alexandra" // val name = new Name(stringName) has already been called | |
} | |
alex.whoAreYou | |
} | |
class Person { | |
val stringName = "I dont have a name" // never executed | |
val name = new Name(stringName) // executed but stringName is currently null! | |
def whoAreYou = { println(name.value)} | |
} | |
case class Name(val value: String) |
Interestingly...
If the stringName was declared with the 'lazy keyword' the code would work properly and print 'Alexandra'. This is because a lazy variable is declared as soon as it is needed, which in this case would be when the name class is instantiated.
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
object Example extends App { | |
val alex = new Person { | |
lazy override val stringName = "Alexandra" | |
} | |
alex.whoAreYou | |
} | |
class Person { | |
lazy val stringName = "I dont have a name" | |
val name = new Name(stringName) | |
def whoAreYou = { println(name.value)} | |
} | |
case class Name(val value: String) |
No comments:
Post a Comment