解决 kotlin关键字:lateinit 延迟初始化属性抛出异常问题

在这里插入图片描述

示例代码

//先创建一个TestDemo.kt(File)

fun main() {

    val userInfo  = UserInfo()
    userInfo.printAccount()

}

class UserInfo {
    lateinit var account: String

    var name: String? = null

    fun printAccount(){
        println("account = ${account}")
        //上面打印 account 时,抛出异常如下:
        //Exception in thread "main" kotlin.UninitializedPropertyAccessException: lateinit property account has not been initialized

    }
}

异常问题:

Exception in thread "main" kotlin.UninitializedPropertyAccessException: lateinit property account has not been initialized

分析问题

将 编译生产的TestDemo.class文件反编译为TestDemo.decompiled.java文件查看源码如下图所示:
解决 kotlin关键字:lateinit 延迟初始化属性抛出异常问题_第1张图片

上图 1 位置 userInfo. printAccount() ,看位置 2 printAccount()方法里的代码,
可以得知 var10001 == null,var10001也就是account 成员变量, 直接抛 throwUninitializedPropertyAccessException ,到这里知道抛出异常问题的原因了,位置3 getAccount() 方法同理;请继续阅读下面内容-解决异常问题办法

解决异常问题办法

要检查lateinit变量是否已经初始化,在该属性的引用上使用.isInitialized:

最终完整代码

fun main() {

    val userInfo  = UserInfo()
    userInfo.printAccount()

}

class UserInfo {
    lateinit var account: String

    var name: String? = null

    fun printAccount(){

//        println("account = ${account}")
        //上面打印 account 时,抛出异常如下:
        //Exception in thread "main" kotlin.UninitializedPropertyAccessException: lateinit property account has not been initialized

        //检查account 是否已经初始化了
        if (::account.isInitialized){
            println("account = ${account}")
        }else{
            println("account has not been initialized")
        }

    }
}

再次运行上面完整代码,控制台输出内容如下图:
在这里插入图片描述
可以看到程序正常执行,account没有初始化,走else里的逻辑。

官网链接 - lateinit:延迟初始化的属性和变量

官网 - lateinit 介绍如下图所示
解决 kotlin关键字:lateinit 延迟初始化属性抛出异常问题_第2张图片

你可能感兴趣的:(#,kotlin,kotlin,android)