类型检测与类型转换

In Kotlin, you can perform type checks to check the type of an object at runtime. Type casts convert objects to a different type.

To learn specifically about generics type checks and casts, for example List<T>, Map<K,V>, see Generics type checks and casts.

类型检测与类型转换 - 图1

is 与 !is 操作符

使用 is 操作符或其否定形式 !is 在运行时检测对象是否符合给定类型:

  1. if (obj is String) {
  2. print(obj.length)
  3. }
  4. if (obj !is String) { // 与 !(obj is String) 相同
  5. print("Not a String")
  6. } else {
  7. print(obj.length)
  8. }

智能转换

大多数场景都不需要在 Kotlin 中使用显式转换操作符,因为编译器跟踪不可变值的 is-检测以及显式转换,并在必要时自动插入(安全的)转换:

  1. fun demo(x: Any) {
  2. if (x is String) {
  3. print(x.length) // x 自动转换为字符串
  4. }
  5. }

编译器足够聪明,能够知道如果反向检测导致返回那么该转换是安全的:

  1. if (x !is String) return
  2. print(x.length) // x 自动转换为字符串

或者转换在 &&|| 的右侧,而相应的(正常或否定)检测在左侧:

  1. // `||` 右侧的 x 自动转换为 String
  2. if (x !is String || x.length == 0) return
  3. // `&&` 右侧的 x 自动转换为 String
  4. if (x is String && x.length > 0) {
  5. print(x.length) // x 自动转换为 String
  6. }

智能转换用于 when 表达式while 循环 也一样:

  1. when (x) {
  2. is Int -> print(x + 1)
  3. is String -> print(x.length + 1)
  4. is IntArray -> print(x.sum())
  5. }

请注意,当编译器能保证变量在检测及其使用之间不可改变时,智能转换才有效。

类型检测与类型转换 - 图2

智能转换适用于以下情形:

val 局部变量总是可以,局部委托属性除外。
val 属性如果属性是 privateinternal,或者该检测在声明属性的同一模块中执行。 智能转换不能用于 open 的属性或者具有自定义 getter 的属性。
var 局部变量如果变量在检测及其使用之间未修改、没有在会修改它的 lambda 中捕获、并且不是局部委托属性。
var 属性决不可能,因为该变量可以随时被其他代码修改。

“不安全的”转换操作符

通常,如果转换是不可能的,转换操作符会抛出一个异常。因此,称为不安全的。 Kotlin 中的不安全转换使用中缀操作符 as

  1. val x: String = y as String

请注意,null 不能转换为 String 因该类型不是可空的。 如果 y 为空,上面的代码会抛出一个异常。 为了让这样的代码用于可空值,请在类型转换的右侧使用可空类型:

  1. val x: String? = y as String?

“安全的”(可空)转换操作符

为了避免异常,可以使用安全转换操作符 as?,它可以在失败时返回 null

  1. val x: String? = y as? String

请注意,尽管事实上 as? 的右边是一个非空类型的 String,但是其转换的结果是可空的。