Smart cast to is impossible, because is a mutable property that could have been changed by this time

在使用Kotlin写代码,访问可空变量时,常常报如下错误:(List可能为任意类型,titles可能为任意变量)

Smart cast to 'List' is impossible, 
because 'titles' is a mutable property that could have been changed by this time

这通常发生在Android Studio执行代码静态检查时,例如:

class SearchAdapter(){

    var titles: List? = null

    fun convert() {
        if (titles != null){
            showTitles(titles)//这里会画红色波浪线,提示上边所说的错误        
        }
    }

    //这里模拟传参使用titles的情况
    fun showTitles(titles:List){
        //做一些操作
    }
}

解决办法:

class SearchAdapter(){

    var titles: List? = null

    fun convert() {
        val temp = titles//把titles放在temp变量里转存一下
        if (temp != null){
            showTitles(temp)//这里会画红色波浪线,提示上边所说的错误        
        }
    }

    //这里模拟传参使用titles的情况
    fun showTitles(titles:List){
        //做一些操作
    }
}

注意:

1.temp变量可以是val,也可以var。

2.在这个场景下,用任何的titles?.let{}或者titles!!或者titles?.都是不完美或不起作用的办法。

3.之所以IDE会报这个错,是因为kotlin认为titles变量在判断不为空后,在多线程情况下,还是有可能被后来改为空,也就是mutable的意思,如果多线程访问后,titles变量的值在if语句前后不可能发生变化,这就是immutable

你可能感兴趣的:(小知识)