我正在使用suspendCoroutine
来避免在Dialog
中使用回调。但是,在 Android Dialog
中,当对话框关闭时(通过在对话框区域外部单击(,没有明显的位置可以调用Continuation.resume()
。如果您尝试在Dialog.setOnDismissListener()
中调用,则必须跟踪是否已在按钮侦听器中调用了 resume。
suspend fun displayDialog() = suspendCoroutine<String?> { continuation ->
val builder = AlertDialog.Builder(context)
builder.setCancelable(true)
builder.setNegativeButton(android.R.string.cancel) { _, _ ->
continuation.resume(null)
}
builder.setPositiveButton(android.R.string.ok) { _, _ ->
continuation.resume("it's ok")
}
val dialog = builder.show()
dialog.setOnDismissListener {
// if the user clicked on OK, then resume has already been called
// and we get an IllegalStateException
continuation.resume(null)
}
}
那么,是最好跟踪 resume 是否已经被调用(以避免第二次调用它(,还是只是不打扰resume(null)
调用(在 onDismissListener 中(?
延续是一个低级原语,应该只恢复一次,所以你必须跟踪使用它时是否已经调用了resume
。或者,您可以使用更高级别的通信原语,例如具有多用途complete
功能的 CompletableDeferred
:
suspend fun displayDialog(): String? {
val deferred = CompletableDeferred<String?>()
val builder = AlertDialog.Builder(context)
builder.setCancelable(true)
builder.setNegativeButton(android.R.string.cancel) { _, _ ->
deferred.complete(null)
}
builder.setPositiveButton(android.R.string.ok) { _, _ ->
deferred.complete("it's ok")
}
val dialog = builder.show()
dialog.setOnDismissListener {
deferred.complete(null)
}
return deferred.await()
}