類抵皱、結(jié)構(gòu)體和枚舉可以定義下標(biāo),它可以作為訪問集合辩蛋、列表或序列成員元素的快捷方式呻畸。
1. 下標(biāo)的語法
- 使用關(guān)鍵字
subscript
來定義下標(biāo) - 參數(shù)為一個或多個
- 使用
getter
獲取值,setter
設(shè)置值。(setter
可以省略堪澎,即只讀下標(biāo))
書寫形式為:
subscript(index: Int) -> Int {
get {
// 在此處返回合適的值
}
set(newValue) { // setter默認(rèn)提供形式參數(shù)newValue,類型和下標(biāo)的返回值一致.
// 在此處設(shè)置合適的值
}
}
與只讀計算屬性一樣擂错,可以給只讀下標(biāo)省略get
關(guān)鍵字:
subscript(index: Int) -> Int {
// 在此處返回合適的值
}
舉個栗子,定義一個TimeTable結(jié)構(gòu)體來表示整數(shù)的n倍表:
struct TimesTable {
let multiplier: Int
subscript(index: Int) -> Int {
return multiplier * index
}
}
let threeTimesTable = TimesTable(multiplier: 3)
print("six times three is \(threeTimesTable[6])")
// 結(jié)果為: "six times three is 18"
2. 下標(biāo)選項(xiàng)
- 下標(biāo)數(shù)量可以為一個或多個
- 下標(biāo)的輸入類型可以是變量或可變形式參數(shù)樱蛤,但不能為inout類型钮呀,也不可以提供默認(rèn)值
- 類或者結(jié)構(gòu)體可以有多個下標(biāo)實(shí)現(xiàn),使用時根據(jù)下標(biāo)類型進(jìn)行推斷
舉個下標(biāo)數(shù)量為2個的栗子昨凡,定義了一個 Matrix 結(jié)構(gòu)體爽醋,呈現(xiàn)一個 Double 類型的二維矩陣:
struct Matrix {
let rows: Int, columns: Int
var grid: [Double]
init(rows: Int, columns: Int) { // 初始化一個數(shù)組,包含 row * colimn 個0.0
self.rows = rows
self.columns = columns
grid = Array(count: rows * columns, repeatedValue: 0.0)
}
// indexIsValidForRow方法用來檢查輸入的下標(biāo)是否越界
func indexIsValidForRow(row: Int, column: Int) -> Bool {
return row >= 0 && row < rows && column >= 0 && column < columns
}
subscript(row: Int, column: Int) -> Double {
get {
assert(indexIsValidForRow(row, column: column), "Index out of range")
return grid[(row * columns) + column]
}
set {
assert(indexIsValidForRow(row, column: column), "Index out of range")
grid[(row * columns) + column] = newValue
}
}
}
構(gòu)造一個 Matrix 實(shí)例:
var matrix = Matrix(rows: 2, columns: 2)
設(shè)置 Matrix 中的值:
matrix[0, 1] = 1.5
matrix[1, 0] = 3.2