mgc*_*ion 4 lambda android asynchronous kotlin
我正在制作一个列表视图(android)点击时调用什么函数。
和I want to get function is async or sync。
在异步时阻塞。
甚至我也想知道how attach async mark to kotlin lambda expression。
class FunctionCaller_Content(text: List<String>,
val function: List< /*suspend? @async? */
( () -> Unit )?
>? = null)
/* I want both of async, sync function. */
{
fun isAsnyc(order: Int): Boolean
= // how to get this lambda expression{function?.get(order)} is async?
fun call(callerActivity: Activity, order: Int) {
val fun = function?.get(order)
fun()
if(isAsync(fun))
/* block click for async func */
}
}
Run Code Online (Sandbox Code Playgroud)
和用法。
FunctionCaller_Content( listOf("Click to Toast1", "Click to Nothing"),
listOf(
{
Toast.makeText(this, "clicked", Toast.LENGTH_SHORT)
},
{
/*if async lambda expression, how can i do?*/
} )
Run Code Online (Sandbox Code Playgroud)
您可以拥有List<suspend () -> Unit>,但不能在同一列表中同时拥有挂起和非挂起功能,除非使用List<Any>。我建议改用两个单独的列表。另一种解决方案是使用“代数数据类型”:
sealed class SyncOrAsync // can add methods here
class Sync(val f: () -> Unit) : SyncOrAsync
class Async(val f: suspend () -> Unit) : SyncOrAsync
class FunctionCaller_Content(text: List<String>,
val function: List<SyncOrAsync>? = null)
{
fun call(callerActivity: Activity, order: Int) {
val fun = function?.get(order)
if(fun is Async)
/* block click for async func */
}
}
FunctionCaller_Content(
listOf("Click to Toast1", "Click to Nothing"),
listOf(Sync {
Toast.makeText(this, "clicked", Toast.LENGTH_SHORT)
},
Async {
// your async code
})
Run Code Online (Sandbox Code Playgroud)
但如果你无论如何都要阻止,我会使用List<() -> Unit>和
listOf({
Toast.makeText(this, "clicked", Toast.LENGTH_SHORT)
},
{
runBlocking {
// your async code
}
})
Run Code Online (Sandbox Code Playgroud)