Swift - 类型转换(as as! as?)

时间:2023-12-29 08:33:02

swift 类型转换

一,as

1,as使用场合

(1)从派生类转换为基类,向上转型(upcasts)

class Animal {}
class Cat: Animal {}
let cat = Cat()
let animal = cat as Animal

(2)消除二义性,数值类型转换

let num1 =  as CGFloat
let num2 = as Int
let num3 = 42.5 as Int
let num4 = ( / ) as Double

(3)switch 语句中进行模式匹配

如果不知道一个对象是什么类型,你可以通过switch语法检测它的类型,并且尝试在不同的情况下使用对应的类型进行相应的处理。

switch animal {
case let cat as Cat:
print("如果是Cat类型对象,则做相应处理")
case let dog as Dog:
print("如果是Dog类型对象,则做相应处理")
default: break
}

2,as!使用场合

向下转型(Downcasting)时使用。由于是强制类型转换,如果转换失败会报 runtime 运行错误。

class Animal {}
class Cat: Animal {}
let animal :Animal = Cat()
let cat = animal as! Cat

UIButton的点击方法: 确定sender 是个UIBtutton类型

    @IBAction func onClickBtn(_ sender: Any) {
let btn = sender as! UIButton
}

3,as?使用场合

as? 和 as! 操作符的转换规则完全一样。但 as? 如果转换不成功的时候便会返回一个 nil 对象。成功的话返回可选类型值(optional),需要我们拆包使用。
由于 as? 在转换失败的时候也不会出现错误,所以对于如果能确保100%会成功的转换则可使用 as!,否则使用 as?

let animal:Animal = Cat()
if let cat = animal as? Cat{
print("cat is not nil")
} else {
print("cat is nil")
}

如下使用如果

//as! 强转 确定key 取出来的值就是 String 类型并且有值
let str : String = (UserDefaults.standard.object(forKey: "dfad") as! String)
print(str) //as? 转成可选类型 有值的话转成string 没有值的话nil
let str1 = UserDefaults.standard.object(forKey: "hahh") as? String
print(str1!) //除非特别确定 否者一般不建议强转 建议使用as?