使用协程时出现 NetworkOnMainThreadException

NetworkOnMainThreadException while using coroutines

我一直在尝试在按下按钮时验证网络连接状态。 特此代码

override fun onCreate(savedInstanceState: Bundle?) {
    super.onCreate(savedInstanceState)
    setContentView(R.layout.activity_main)

    findViewById<Button>(R.id.button).setOnClickListener {
        findViewById<TextView>(R.id.logText).setText("Button Pressed"+counter++)
        GlobalScope.launch (Dispatchers.Main) {
            val result  = withContext(Dispatchers.Default){
                isInternetAvailable()
            }
            println(result.toString())
        }
    }
}

suspend fun isInternetAvailable():Boolean {
    return withContext(Dispatchers.Main) {
        try {
            val ipAddr = InetAddress.getByName("google.com")
            //You can replace it with your name
            println("1$ipAddr")
            return@withContext !ipAddr.equals("")
        } catch (e: Exception) {
            println("within exception$e")
            return@withContext false;
        }

    }
}

但是,当按下按钮时,可以在控制台中看到以下输出。

I/System.out: button clicked
I/System.out: within exceptionandroid.os.NetworkOnMainThreadException
I/System.out: false

有人可以解释一下 NetworkOnMainThread 异常的原因吗?

非常感谢。

withContext(Dispatchers.Main)表示运行主线程lambda中的代码,不允许阻塞代码。对于网络请求,你应该使用Dispatchers.IO.

此外,不要为此使用 GlobalScope,因为它会泄漏您的 Activity。使用 lifecycleScopelifecycleScope 默认使用主线程,所以当你使用它时,你不必指定一个调度程序,除非你正在做一个阻塞调用。

惯例是在进行阻塞调用时让挂起函数切换到适当的调度程序,这样您就可以从任何调度程序安全地调用它们。这意味着您的挂起函数不会阻塞调用,并且可以从协程中调用而不必将它们包装在 withContext.

所以有了以上所有内容,您的代码就变成了:

override fun onCreate(savedInstanceState: Bundle?) {
    super.onCreate(savedInstanceState)
    setContentView(R.layout.activity_main)

    findViewById<Button>(R.id.button).setOnClickListener {
        findViewById<TextView>(R.id.logText).setText("Button Pressed"+counter++)
        lifecycleScope.launch {
            val result = isInternetAvailable()
            println(result.toString())
        }
    }
}

suspend fun isInternetAvailable(): Boolean {
    return withContext(Dispatchers.IO){
        try {
            val ipAddr = InetAddress.getByName("google.com")
            //You can replace it with your name
            println("1$ipAddr")
            return@withContext !ipAddr.equals("")
        } catch (e: Exception) {
            println("within exception$e")
            return@withContext false;
        }

    }
}