-
Notifications
You must be signed in to change notification settings - Fork 5k
/
Copy pathContents.swift
65 lines (55 loc) · 1.8 KB
/
Contents.swift
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
/*
Two-dimensional array with a fixed number of rows and columns.
This is mostly handy for games that are played on a grid, such as chess.
Performance is always O(1).
*/
public struct Array2D<T> {
public let columns: Int
public let rows: Int
fileprivate var array: [T]
public init(columns: Int, rows: Int, initialValue: T) {
self.columns = columns
self.rows = rows
array = .init(repeating: initialValue, count: rows*columns)
}
public subscript(column: Int, row: Int) -> T {
get {
precondition(column < columns, "Column \(column) Index is out of range. Array<T>(columns: \(columns), rows:\(rows))")
precondition(row < rows, "Row \(row) Index is out of range. Array<T>(columns: \(columns), rows:\(rows))")
return array[row*columns + column]
}
set {
precondition(column < columns, "Column \(column) Index is out of range. Array<T>(columns: \(columns), rows:\(rows))")
precondition(row < rows, "Row \(row) Index is out of range. Array<T>(columns: \(columns), rows:\(rows))")
array[row*columns + column] = newValue
}
}
}
// initialization
var matrix = Array2D(columns: 3, rows: 5, initialValue: 0)
// makes an array of rows * columns elements all filled with zero
print(matrix.array)
// setting numbers using subscript [x, y]
matrix[0, 0] = 1
matrix[1, 0] = 2
matrix[0, 1] = 3
matrix[1, 1] = 4
matrix[0, 2] = 5
matrix[1, 2] = 6
matrix[0, 3] = 7
matrix[1, 3] = 8
matrix[2, 3] = 9
// now the numbers are set in the array
print(matrix.array)
// print out the 2D array with a reference around the grid
for i in 0..<matrix.rows {
print("[", terminator: "")
for j in 0..<matrix.columns {
if j == matrix.columns - 1 {
print("\(matrix[j, i])", terminator: "")
} else {
print("\(matrix[j, i]) ", terminator: "")
}
}
print("]")
}