下標(biāo)
類、結(jié)構(gòu)體和枚舉可以定義下標(biāo)蝙泼,它們是訪問集合甸私、列表或序列的成員元素的快捷方式∧腥停可以使用下標(biāo)通過索引設(shè)置和檢索值,而不需要單獨(dú)的設(shè)置和檢索方法默垄。
可以為多個(gè)類型定義下標(biāo)此虑,并根據(jù)傳遞給下標(biāo)的索引值的類型來選擇要使用的適當(dāng)?shù)南聵?biāo)重載。下標(biāo)不限于單個(gè)維度口锭,可以使用多個(gè)輸入?yún)?shù)定義下標(biāo)以滿足自定義類型的需求朦前。
<br />
下標(biāo)語法
下標(biāo)語法類似于實(shí)例方法和計(jì)算型屬性語法,使用subscript關(guān)鍵字編寫下標(biāo)定義鹃操,并以與實(shí)例方法相同的方式指定一個(gè)或多個(gè)輸入?yún)?shù)和返回類型韭寸。與實(shí)例方法不同,下標(biāo)可以是讀寫或只讀荆隘。
subscript(index: Int) -> Int {
get {
// return an appropriate subscript value here
}
set(newValue) {
// perform a suitable setting action here
}
}
newValue的類型與下標(biāo)的返回值相同恩伺,可以自定setter的參數(shù)名稱。
只讀下標(biāo)語法:
subscript(index: Int) -> Int {
// return an appropriate subscript value here
}
以下是一個(gè)只讀下標(biāo)實(shí)現(xià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])")
// Prints "six times three is 18"
<br />
下標(biāo)選項(xiàng)
下標(biāo)可以使用任意數(shù)量的任何類型的可變參數(shù)臭胜,也可以返回任何類型莫其。下標(biāo)可以使用可變參數(shù),但不能使用in-out參數(shù)或設(shè)置默認(rèn)參數(shù)值耸三。
下標(biāo)通常使用單個(gè)參數(shù)乱陡,也可以使用多個(gè)參數(shù)來定義下標(biāo)以適用類型。
下面聲明一個(gè)具有下標(biāo)的Matrix結(jié)構(gòu)體仪壮,通過行憨颠、列數(shù)初始化一個(gè)元素全為0的二維矩陣,使用下標(biāo)可獲取并設(shè)置矩陣中某行某列的值。
struct Matrix {
let rows: Int, columns: Int
var grid: [Double]
init(rows: Int, columns: Int) {
self.rows = rows
self.columns = columns
grid = Array(repeating: 0.0, count: rows * columns)
}
func indexIsValid(row: Int, column: Int) -> Bool {
return row >= 0 && row < rows && column >= 0 && column < columns
}
subscript(row: Int, column: Int) -> Double {
get {
assert(indexIsValid(row: row, column: column), "Index out of range")
return grid[(row * columns) + column]
}
set {
assert(indexIsValid(row: row, column: column), "Index out of range")
grid[(row * columns) + column] = newValue
}
}
}
var matrix = Matrix(rows: 2, columns: 2)
matrix[0, 1] = 1.5
matrix[1, 0] = 3.2
let someValue = matrix[2, 2]
// this triggers an assert, because [2, 2] is outside of the matrix bounds