异步工作,但等待未解决的引用

Async working, but getting unresolved reference for await

我有以下代码。

我不明白为什么会这样。我没有找到关于 SO 的现有答案。我尝试将 await 直接放在指定 tenny 和 twy 的位置,但这也不起作用。

我不认为依赖项有问题,因为 aysnc 可以工作。我还发布了我的 build.gradle 文件。

import kotlinx.coroutines.experimental.async

fun main(args: Array<String>) {
    async{
        val tenny = star_ten(1)
        val twy =star_two(10)

        println()
        println(twy.await()+tenny.await())
        println()
    }
}

fun star_two(num:Int):Int{
    return num * 2
}
fun star_ten(num:Int):Int{
    return num * 10
}

我的build.gradle是

group 'org.nul.cool'
version '1.0-SNAPSHOT'

buildscript {
    ext.kotlin_version = '1.1.60'

    repositories {
        mavenCentral()
    }
    dependencies {
        classpath "org.jetbrains.kotlin:kotlin-gradle-plugin:$kotlin_version"
    }
}

apply plugin: 'java'
apply plugin: 'kotlin'

kotlin {
    experimental {
        coroutines 'enable'
    }
}



sourceCompatibility = 1.8

repositories {
    mavenCentral()
}

dependencies {
    compile "org.jetbrains.kotlin:kotlin-stdlib-jre8:$kotlin_version"
    testCompile group: 'junit', name: 'junit', version: '4.12'
    compile "org.jetbrains.kotlinx:kotlinx-coroutines-core:0.19.2"
}

compileKotlin {
    kotlinOptions.jvmTarget = "1.8"
}
compileTestKotlin {
    kotlinOptions.jvmTarget = "1.8"
}

您正在获得 await() 的未解析引用,因为您的 star_twostar_ten 函数 return Int,因此 tennytwy变量就是Intawait() 函数在 Deferred 上声明。简而言之,您没有在这些函数中执行任何异步操作,因此没有什么可等待的。

让这些函数异步运行的一种方法是将它们声明为挂起函数并在异步块中分别调用它们。像这样的东西(未经测试)...

async{
    val tenny = async { star_ten(1) } //Should be Deferred<Int>
    val twy = async { star_two(10)}   //Should be Deferred<Int>
    println(twy.await() + tenny.await())
}

suspend fun star_two(num:Int): Int = num * 2
suspend fun star_ten(num:Int): Int = num * 10

Guide to kotlinx.coroutines by example page has many good examples, especially this section.