Search code examples
multithreadingkotlinletthread-synchronization

Is Kotlin `?.let` thread-safe?


Is Kotlin ?.let thread-safe?

Let's say a variable can be changed in different thread. Is using a?.let { /* */ } thread-safe? If it's equal to if (a != null) { block() } can it happen that in if it's not null and in block it's already null?


Solution

  • a?.let { block() } is indeed equivalent to if (a != null) block().

    This also means that if a is a mutable variable, then:

    1. If a is a mutable variable, it might be reassigned after the null check and hold a null value at some point during block() execution;

    2. All concurrency-related effects are in power, and proper synchronization is required if a is shared between threads to avoid a race condition, if block() accesses a again;

    However, as let { ... } actually passes its receiver as the single argument to the function it takes, it can be used to capture the value of a and use it inside the lambda instead of accessing the property again in the block(). For example:

    a?.let { notNullA -> block(notNullA) }
    
    // with implicit parameter `it`, this is equivalent to:
    a?.let { block(it) }
    

    Here, the value of a passed as the argument into the lambda is guaranteed to be the same value that was checked for null. However, observing a again in the block() might return a null or a different value, and observing the mutable state of the given instance should also be properly synchronized.