参考资料与链接https://www.cnswift.org
类和结构体
类和结构体的对比
相同功能
- 定义属性用来存储值;
- 定义方法用于提供功能;
- 定义下标脚本用来允许使用下标语法访问值;
- 定义初始化器用于初始化状态;
- 可以被扩展来默认所没有的功能;
- 遵循协议来针对特定类型提供标准功能。
类有而结构体没有的额外功能
- 继承允许一个类继承另一个类的特征;
- 类型转换允许你在运行检查和解释一个类实例的类型;
- 反初始化器允许一个类实例释放任何其所被分配的资源;
- 引用计数允许不止一个对类实例的引用
定义语法
class SomeClass {
// class definition goes here
}
struct SomeStructure {
// structure definition goes here
}
struct Resolution {
var width = 0
var height = 0
}
class VideoMode {
var resolution = Resolution()
var interlaced = false
var frameRate = 0.0
var name: String?
}
类与结构体实例
let someResolution = Resolution()
let someVideoMode = VideoMode()
访问属性
print("The width of someResolution is \(someResolution.width)")
// prints "The width of someResolution is 0"
print("The width of someVideoMode is \(someVideoMode.resolution.width)")
someVideoMode.resolution.width = 1280
print("The width of someVideoMode is now \(someVideoMode.resolution.width)")
// prints "The width of someVideoMode is now 1280"
Swift 允许你直接设置一个结构体属性中的子属性
结构体类型的成员初始化器
let vga = Resolution(width: 640, height: 480)
//类实例不会接收默认的成员初始化器
结构体和枚举是值类型
- Swift 中所有的结构体和枚举都是值类型,这意味着你所创建的任何结构体和枚举实例——和实例作为属性所包含的任意值类型——在代码传递中总是被拷贝的。
let hd = Resolution(width: 1920, height: 1080)
var cinema = hd
cinema.width = 2048
println("cinema is now \(cinema.width) pixels wide")
//println "cinema is now 2048 pixels wide"
print("hd is still \(hd.width) pixels wide")
// prints "hd is still 1920 pixels wide"
类是引用类型
let tenEighty = VideoMode()
tenEighty.frameRate = 25.0
let alsoTenEighty = tenEighty
alsoTenEighty.frameRate = 30.0
print("The frameRate property of tenEighty is now \(tenEighty.frameRate)")
// prints "The frameRate property of tenEighty is now 30.0"
特征运算符
找出两个常量或者变量是否引用自同一个类实例
- 相同于( === )
- 不相同于( !== )
if tenEighty === alsoTenEighty {
print("tenEighty and alsoTenEighty refer to the same VideoMode instance.")
}
// prints "tenEighty and alsoTenEighty refer to the same VideoMode instance."
指针
一个 Swift 的常量或者变量指向某个实例的引用类型和 C 中的指针类似,但是这并不是直接指向内存地址的指针,也不需要你书写星号( *)来明确你建立了一个引用.相反,这些引用被定义得就像 Swift 中其他常量或者变量一样。
类和结构体之间的选择
下列情形应考虑创建一个结构体
- 结构体的主要目的是为了封装一些相关的简单数据值
- 当你在赋予或者传递结构实例时,有理由需要封装的数据值被拷贝而不是被引用;
- 任何存储在结构体中的属性是值类型,也将被拷贝而不是被引用;
- 结构体不需要从一个已存在类型继承属性或者行为
字符串,数组和字典的赋值和拷贝行为
Swift 的 String , Array 和 Dictionary类型是作为结构体来实现的,这意味着字符串,数组和字典在它们被赋值到一个新的常量或者变量,亦或者它们本身被传递到一个函数或方法中的时候,其实是传递了拷贝。
Swift 能够管理所有的值的拷贝来确保最佳的性能,所有你也没必要为了保证最佳性能来避免赋值。