In a finally
block, we need to be able to clean things up from whatever it
was that we just did in the corresponding try
block. That might involve calling
one or more suspend
functions. However, if our job was canceled, our cooperative
code that we call from finally
might elect to not do anything, since the job
was canceled. Sometimes, we really do need those suspend
calls to do their work,
despite the job having been canceled.
To handle this, wrap the suspend
calls in a withContext(NonCancellable)
block. This will alter our CoroutineContext
to ignore any prior cancellation
of the job.
You can learn more about this in:
Tags:
xxxxxxxxxx
1
import kotlinx.coroutines.*
2
3
fun main() {
4
val job = GlobalScope.launch(Dispatchers.Main) {
5
try {
6
println("This is executed before the first delay")
7
stallForTime()
8
println("This is executed after the first delay")
9
}
10
finally {
11
withContext(NonCancellable) {
12
println("This is executed before the finally block delay")
13
stallForTime()
14
println("This is executed after the finally block delay")
15
}
16
}
17
}
18
19
GlobalScope.launch(Dispatchers.Main) {
20
println("This is executed at the start of the second coroutine")
21
job.cancelAndJoin()
22
println("This is executed before the second delay")
23
stallForTime()
24
println("This is executed after the second delay")
25
}
26
27
println("This is executed immediately")
28
}
29
30
suspend fun stallForTime() {
31
withContext(Dispatchers.Default) {
32
delay(2000L)
33
}
34
}