- This is the 26th post in a multipart series.
If you want to read more, see our series index - Koans used in here are 34 and 35
Following on from our introduction to the by
operator and delegates, this post looks at the first of the five built-in delegates, lazy
. Lazy property evaluation allows you to set the initial value of a property the first time you try to get it. This is really useful for scenarios where there is a high cost of getting the data. For example, if you want to set the value of a username which requires a call to a microservice but since you don’t always need the username you can use this to initial it when you try and retrieve it the first time.
Setting up the context for the example, let us look at two ways you may do this now. The first way is you call the service in the constructor, so you take the hit immediately regardless if you ever need it. It is nice and clean though.
class User {
val name: String
constructor(id:Int){
// load service ... super expensive
Thread.sleep(1000)
name = "Robert"
}
}
fun main(args:Array) {
val user = User(1)
println(user.name)
}
The second solution is to add a load
function so we need to call that to load the data. This gets rid of the performance hit but is less clean and if you forget to call load
your code is broken. You may think, that will never happen to me… I just did that right now while writing the sample code. It took me less than 2 min to forget I needed it. 🙈
Another pain is I need to make my name
property variable since it will be assigned at a later point.
class User(val id: Int) {
var name: String = ""
fun load() {
// load service ... super expensive
Thread.sleep(1000)
name = "Robert"
}
}
fun main(args:Array) {
val user = User(1)
user.load()
println(user.name)
}
The solution to this is obviously lazy
- this gives us the best of all of the above (clean code, no performance hit unless I need it, can use val
, no forgetting things) and none of the downsides.
class User(val id: Int) {
val name: String by lazy {
// load service ... super expensive
Thread.sleep(1000)
"Robert"
}
}
fun main(args:Array) {
val user = User(1)
println(user.name)
}