与构造过程相反,实例最后释放的时候,需要清除一些资源,这个过程就是析构过程。在析构过程中也会调用一种特殊的方法deinit,称为析构函数。析构函数deinit没有返回值,也没有参数,也不需要参数的小括号,所以不能重载。
下面看看示例代码:
- class Rectangle {
- var width: Double
- var height: Double
- init(width: Double, height: Double) {
- self.width = width
- self.height = height
- }
- init(W width: Double,H height: Double) {
- self.width = width
- self.height = height
- }
- deinit { //定义了析构函数
- print("调用析构函数...")
- self.width = 0.0
- self.height = 0.0
- }
- }
- var rectc1: Rectangle? = Rectangle(width: 320, height: 480) //实例rectc1
- print("长方形:\(rectc1!.width) x \(rectc1!.height)")
- rectc1 = nil //触发调用析构函数的条件
- var rectc2: Rectangle? = Rectangle(W: 320, H: 480) //实例rectc2
- print("长方形:\(rectc2!.width) x \(rectc2!.height)")
- rectc2 = nil //触发调用析构函数的条件
析构函数的调用是在实例被赋值为nil,表示实例需要释放内存,在释放之前先调用析构函数,然后再释放。
运行结果如下:
长方形:320.0 x 480.0
调用析构函数...
长方形:320.0 x 480.0
调用析构函数...
析构函数只适用于类,不能适用于枚举和结构体。类似的方法在C++中也称为析构函数,不同的是,C++中的析构函数常常用来释放不再需要的内存资源。而在Swift 中,内存管理采用自动引用计数(ARC),不需要在析构函数释放不需要的实例内存资源,但是还是有一些清除工作需要在这里完成,如关闭文件等处理。