Kotlin 多重 when 语句

Kotlin multiple when statement

我正在学习使用 android studio 构建一个简单的 android 应用程序,并且我创建了一个函数来查找某些值的 ID。在编写此函数时,我想使用 when 语句 (Kotlin),但遗憾的是不得不重复它。有没有办法将when语句的结果同时赋值给多个变量?在其他语言中,我只会返回一个我会反汇编的列表,但我找不到在 Kotlin 中执行此操作的方法。这不是什么大问题,但我喜欢优化我的代码。

// my Kotlin function
// setting a specific state
private fun setState(num: Int) {
    Log.v(TAG, num.toString())
    // get the correct image id
    val imageId: Int? = when (num) {
        0 -> R.drawable.lemon_restart
        1 -> R.drawable.lemon_tree
        2 -> R.drawable.lemon_squeeze
        3 -> R.drawable.lemon_drink
        else -> null
    }
    // get the correct text to show
    val txtId: Int? = when (num) {
        0 -> R.string.txt_state_0
        1 -> R.string.txt_state_1
        2 -> R.string.txt_state_2
        3 -> R.string.txt_state_3
        else -> null
    }
    // get the correct content description for accessibility
    val contentDescriptionId: Int? = when (num) {
        0 -> R.string.lemon_restart_description
        1 -> R.string.lemon_tree_description
        2 -> R.string.lemon_squeeze_description
        3 -> R.string.lemon_drink_description
        else -> null
    }
    // setting the new stuff
    val imView: ImageView = findViewById(R.id.imageState)
    val txtView: TextView = findViewById(R.id.textOrder)
    txtView.text = getString(txtId!!)
    imView.setImageResource(imageId!!)
    imView.contentDescription = getString(contentDescriptionId!!)
}

欢迎大家尽可能优化

你可以returnTriple or your own data class from when, and then destructure它:

val (imageId, txtId, contentDescriptionId) = when (num) {
    0 -> Triple(R.drawable.lemon_restart, R.string.txt_state_0, R.string.lemon_restart_description)
    ...
    else -> Triple(null, null, null)
}

因为每个场都是不变的,状态也是固定的。您可以使状态保持不变。为了稍微分离代码,您可以创建一个单独的 class 到 return 特定状态的值。下面是一个例子:

class StateHandle private constructor(imageId: Int?, txtId: Int?, contentDescriptionId: Int?) {
    companion object {
        private val imageIds = arrayOf(
            R.drawable.lemon_restart,
            R.drawable.lemon_tree,
            R.drawable.lemon_squeeze,
            R.drawable.lemon_drink
        )
        private val txtIds = arrayOf(
            R.string.txt_state_0,
            R.string.txt_state_1,
            R.string.txt_state_2,
            R.string.txt_state_3
        )
        private val contentIds = arrayOf(
            R.string.lemon_restart_description,
            R.string.lemon_tree_description,
            R.string.lemon_squeeze_description,
            R.string.lemon_drink_description
        )

        @JvmStatic
        fun getStateFor(num: Int): StateHandle {
            return StateHandle(
                imageIds.getOrNull(num), txtIds.getOrNull(num),
                imageIds.getOrNull(num)
            )
        }
    }
}

它并不完美,但可重用性更高。只需调用 #getStateFor 并使用 StateHandle 对象 .