struct Circle {
var radius:Double. // 存储属性
var diameter: Double {. // 计算属性
set {
radius = newValue/2
}
get {
radius*2
}
}
}
data:image/s3,"s3://crabby-images/977cc/977cc472958d8aa4e8b80b8113c4ce125c772e31" alt=""
struct Point {
var x:Int
var y:Int {
get {
return 10
}
}
}
上述代码中,y只设置了get方法,其实相当于只读属性,就行写操作的时候,是会报错的
data:image/s3,"s3://crabby-images/979d1/979d1049c6c53a7bec51daa6d877d093105aa47c" alt=""
data:image/s3,"s3://crabby-images/9059e/9059eb0ae8857c17b31e24f8b16b9a3dd26a445a" alt=""
示例
enum Season:Int {
case spring = 1,summer,autmn,winter
var rawValue: Int {
get {
switch self {
case .spring:
return 1
case .summer:
return 2
case .autmn:
return 3
case .winter:
return 4
}
}
}
}
在枚举中,有rawValue,在正常的使用中
var season = Season.summer
print(season.rawValue)
可以看出是正常调用的,但是我们可以对枚举的这个rawValue进行重写,其实更像一种计算属性,在上图上图中可以看出,我们定义了一个get方法,正常调用season.rawValue也是没问题的
枚举rawValue原理
data:image/s3,"s3://crabby-images/e0fcb/e0fcb5a1616934396d4110456538ab103eb674dd" alt=""
延迟存储属性
data:image/s3,"s3://crabby-images/8faf6/8faf6b51fb403f8da3353b91b88d2e9c62f7a50c" alt=""
data:image/s3,"s3://crabby-images/f1b48/f1b48c3516bbefc43eec06aaec3517e29da89ec7" alt=""
属性观察器
willSet,didSet只用在存储属性上,willSet,didSet与set,get方法是不能共存的,也没必要共存
struct Circle {
var radius:Double {
willSet {
print("willset",newValue)
}
didSet {
print("didset",oldValue,radius)
}
}
var diameter: Double {
set {
radius = newValue/2
}
get {
radius*2
}
}
}
data:image/s3,"s3://crabby-images/f04e2/f04e2cb4912eb56ec79955daab10c5b2dafd2a55" alt=""
data:image/s3,"s3://crabby-images/e4e1f/e4e1f6662197cf4fa6044781521ee16d8077c637" alt=""
属性观察器、计算属性的功能,同样可以应用在全局变量、局部变量上
data:image/s3,"s3://crabby-images/abf26/abf2628a4bbeeddd4311b3bc49746c08d0632e2b" alt=""
inout的本质总结
data:image/s3,"s3://crabby-images/c5f46/c5f46e75604ff72a667be54a99010689e3054f9e" alt=""
类属性
struc Shape {
var width:int = 0
static var height:Int = 0
}
Shape.height = 10 // 类属性,加入static描述的话,可以通过类来访问
data:image/s3,"s3://crabby-images/4dab8/4dab894f4e7b2be2f15deaadf5388c6e9eaad389" alt=""
单例模式
public class FileManger {
public static let shared = FileManger()
private init() { }
}// 第一种写法
public class FileManger {
public static let shared = {
return FileManger()
}()
private init() { }
} // 第二种写法
网友评论