제네릭은 더 유연하고 재사용 가능한 함수와 타입의 코드를 작성하는 것을 가능하게 만들어준다.
아래와 같이 두 Int 값을 바꾸는 함수가 있다. 인자로 넣는 두 개의 파라미터는 inout
파라미터이다. 그래서 두 값의 원본을 변경하게 된다.
func swapTwoInts(_ a: inout Int, _ b: inout Int) {
let temporaryA = a
a = b
b = temporaryA
}
선언한 함수 swapTwoInts
를 선언하면 입력한 두 Int 값이 변경된 것을 확인할 수 있다.
var someInt = 3
var anotherInt = 107
swapTwoInts(&someInt, &anotherInt)
print("someInt is now \(someInt), and anotherInt is now \(anotherInt)")
// Prints "someInt is now 107, and anotherInt is now 3"
만약 Int 형이 아니라 String 값을 변경하려면 어떻게 해야할까? 다음과 같이 swapTwoStrings
라는 함수를 새로 선언해야한다. 값이 Double이면 마찬가지로 swapTwoDoubles
라는 함수를 선언해야할 한다.
func swapTwoStrings(_ a: inout String, _ b: inout String) {
let temporaryA = a
a = b
b = temporaryA
}
func swapTwoDoubles(_ a: inout Double, _ b: inout Double) {
let temporaryA = a
a = b
b = temporaryA
}
위 예제들은 각 함수는 인자값의 타입만 다르고 함수의 내용은 동일하다. 제네릭을 사용하면 이렇게 인자값의 타입만 다르고 수행하는 기능이 동일한 함수들을 하나의 함수로 만들 수 있다.
위 세 함수에서 각 함수 모두 a와 b의 타입이 동일해야 한다. 만약 a와 b가 동일하지 않다면 두 값을 바꿔치기 할 수 없다. Swfit는 타입-세이프 언어여서 String과 Double을 바꾸려고 하면 컴파일 에러가 발생한다.
위 세 함수를 하나의 제네릭 함수로 만들기 위해 함수명 뒤에 타입 이름 <>
을 선언하고 a와 b의 파라미터를 T로 선언한다. <T>
는 타입이 어떤 타입이어야 하는지 명시하지 않는다. 다만 두 인자의 타입이 같다는 것을 알려준다.
func swapTwoValues<T>(_ a: inout T, _ b: inout T) {
let temporaryA = a
a = b
b = temporaryA
}
Swift는 실제 실행하는 타입 T가 어떤 타입인지 보지 않는다. swapTwoValues
함수가 실행되면 T에 해당하는 값을 함수에 넘긴다.
func swapTwoInts(_ a: inout Int, _ b: inout Int)
func swapTwoValues<T>(_ a: inout T, _ b: inout T)
제네릭으로 선언한 함수를 실행하면 기대했던 대로 동작하는 것을 확인할 수 있다.
var someInt = 3
var anotherInt = 107
swapTwoValues(&someInt, &anotherInt)
// someInt is now 107, and anotherInt is now 3
var someString = "hello"
var anotherString = "world"
swapTwoValues(&someString, &anotherString)
// someString is now "world", and anotherString is now "hello"
위에서 사용한 <T>
는 타입 파라미터의 예이다. 타입 파라미터는 플레이스 홀더 타입의 이름을 명시하고 함수명 바로 뒤에 적어주고 <>
안에 작성한다. 타입 파라미터는 한번 선언하면 이 것을 함수의 타입으로 사용할 수 있다. 복수의 타입 파라미터를 사용할 때는 콤마로 구분해 준다.
Dictionary의 Key, Value와 같이 엘리먼트 간의 서로 상관관계가 있는 경우 의미가 있는 이름을 파라미터 이름으로 붙이고 그렇지 않은 경우는 T, U, V와 같은 단일 문자로 파라미터 이름을 짓는다.
항상 파라미터 이름은 T나 MyTypeParameter와 같이 카멜 케이스로 이름을 짓는다. 대문자로 된 이름은 값이 아니라 타입을 의미한다.
제네릭 함수에 추가로 Swift에서는 제네릭 타입을 정의할 수 있다. 이후 섹션에서는 Stack이라는 제네릭 콜렉션 타입을 어떻게 구현하는지 알아볼 예정이다.
다음 그림은 스택이 어떻게 동작하는지 설명해준다.
Int 값을 스택에 넣고 빼는 함수 IntStack
의 구현은 다음과 같다.
struct IntStack {
var items = [Int]()
mutating func push(_ item: Int) {
items.append(item)
}
mutating func pop() -> Int {
return items.removeLast()
}
}
위 IntStack
을 제네릭 형태로 구현하면 다음과 같이 구현할 수 있다.
struct IntStack<Element> {
var items = [Element]()
mutating func push(_ item: Element) {
items.append(item)
}
mutating func pop() -> Element {
return items.removeLast()
}
}
제네릭으로 구현된 스택을 실행하면 다음과 같다.
var stackOfStrings = Stack<String>()
stackOfStrings.push("uno")
stackOfStrings.push("dos")
stackOfStrings.push("tres")
stackOfStrings.push("cuatro")
// the stack now contains 4 strings
아래 그림과 같이 스택에 4개의 String 값이 들어가게 된다.
스택에 값을 빼기 위해 pop()
함수를 실행한다.
let fromTheTop = stackOfStrings.pop()
// fromTheTop is equal to "cuatro"
스택의 최상단에 있는 값을 결과로 반환하고 스택에는 반환된 값을 제외한 나머지 값이 들어가 있다.
익스텐션을 이용해 제네릭 타입을 확장할 수 있다. 이때 원래 선언한 파라미터 이름을 사용한다. 여기서는 Element
라는 파라미터를 사용한다.
extension Stack {
var topItem: Element? {
return items.isEmpty ? nil : items[items.count - 1]
}
}
익스텐션으로 추가한 topItem
프로퍼티에 접근한다.
if let topItem = stackOfStrings.topItem {
print("The top item on the stack is \(topItem).")
}
// Prints "The top item on the stack is tres."
실행결과 스택의 최상단의 값을 확인할 수 있다.
Swift의 Dictionary 타입은 key 값을 사용한다. 이때 key는 유일한 값이기 때문에 hashable
이라는 프로토콜을 반드시 따라야 한다. 그렇지 않으면. key로 value에 접근했을 때 적절한 value를 얻지 못할 수 있다. 이와 같이 특정 타입이 반드시 어떤 프로토콜을 따라야 하는 경우가 있다. 제네릭에서도 이런 경우가 필요할 수 있다. 제네릭에서는 특정 클래스를 상속하거나 특정 프로토콜을 따르거나 합성하도록 명시할 수 있다.
제네릭 함수를 선언할 때, 파라미터 뒤에 상속 받아야 하는 클래스를 선언하거나, 반드시 따라야 하는 프로토콜을 명시할 수 있다.
func someFunction<T: SomeClass, U: SomeProtocol>(someT: T, someU: U) {
// function body goes here
}
다음과 같이 한 배열에서 특정 문자를 검색하는 findIndex
함수를 선언한다.
func findIndex(ofString valueToFind: String, in array: [String]) -> Int? {
for (index, value) in array.enumerated() {
if value == valueToFind {
return index
}
}
return nil
}
이 함수를 실행하면 strings
배열에서 찾기 원하는 문자열 llama
의 인덱스 위치를 찾는 것이 잘 동작함을 확인할 수 있다.
let strings = ["cat", "dog", "llama", "parakeet", "terrapin"]
if let foundIndex = findIndex(ofString: "llama", in: strings) {
print("The index of llama is \(foundIndex)")
}
// Prints "The index of llama is 2"
위 함수를 제네릭으로 구현하면 다음과 같다.
func findIndex<T>(of valueToFind: T, in array:[T]) -> Int? {
for (index, value) in array.enumerated() {
if value == valueToFind {
return index
}
}
return nil
}
위 코드는 value == valueToFind
의 코드에서 두 값을 비교하게 되는데 두 값을 비교하는 경우에는 ==
등호 메소드를 사용하기 위해서 두 값 혹은 객체가 반드시 Equatable
프로토콜을 따라야 하기 때문에 에러가 발생한다. 이 문제를 해결하기 위해 T
는 Equatable
프로토콜을 따른다고 표시한다. 타입 플레이스 홀더에 <T: Equatable>
같이 적어준다. 이것으로 T
가 Equatable
프로토콜을 따른다는 것을 알려준다.
func findIndex<T: Equatable>(of valueToFind: T, in array:[T]) -> Int? {
for (index, value) in array.enumerated() {
if value == valueToFind {
return index
}
}
return nil
}
그래서 위 함수는 에러 없이 빌드되고 아래와 같이 적절히 사용할 수 있다.
let doubleIndex = findIndex(of: 9.3, in: [3.14159, 0.1, 0.25])
// doubleIndex is an optional Int with no value, because 9.3 isn't in the array
let stringIndex = findIndex(of: "Andrea", in: ["Mike", "Malcolm", "Andrea"])
// stringIndex is an optional Int containing a value of 2
연관 타입은 프로토콜의 일부분으로 타입에 플레이스 홀더 이름을 부여한다. 즉, 특정 타입을 동적으로 지정해 사용할 수 있다.
아래와 같이 Item
에 associatedtype
을 사용할 수 있다. 이렇게 지정하면 Item
은 어떤 타입이라도 될 수 있다.
protocol Container {
associatedtype Item
mutating func append(_ item: Item)
var count: Int { get }
subscript(i: Int) -> Item { get }
}
아래 코드에서는 Item
을 Int 형으로 선언해 사용한다.
struct IntStack: Container {
// original IntStack implementation
var items = [Int]()
mutating func push(_ item: Int) {
items.append(item)
}
mutating func pop() -> Int {
return items.removeLast()
}
// conformance to the Container protocol
typealias Item = Int
mutating func append(_ item: Int) {
self.push(item)
}
var count: Int {
return items.count
}
subscript(i: Int) -> Int {
return items[i]
}
}
아래 예제에서는 Item
을 Element
형으로 지정해 사용한다.
struct Stack<Element>: Container {
// original Stack<Element> implementation
var items = [Element]()
mutating func push(_ item: Element) {
items.append(item)
}
mutating func pop() -> Element {
return items.removeLast()
}
// conformance to the Container protocol
mutating func append(_ item: Element) {
self.push(item)
}
var count: Int {
return items.count
}
subscript(i: Int) -> Element {
return items[i]
}
}
아래와 같이 기존의 타입 Array에 특정 연관 타입을 추가할 수 있다.
extension Array: Container {}
이것이 가능한 이유는 Array 타입은 아래 Container
에 선언된 append
, count
, subscript
가 모두 정의돼 있기 때문이다.
protocol Container {
associatedtype Item: Equatable
mutating func append(_ item: Item)
var count: Int { get }
subscript(i: Int) -> Item { get }
}
연관 타입을 적용할 수 있는 타입에 조건을 걸어 제한을 둘 수 있다. 조건을 붙일때는 where 구문을 사용한다. 이 조건에는 특정 타입인지의 여부, 특정 프로토콜을 따르는지 여부 등이 사용될 수 있다. 다음은 Suffix
가 SuffixableContainer
프로토콜을 따르고 Item
타입이 반드시 Container
의 Item
타입이어야 한다는 조건을 추가한 것이다.
protocol SuffixableContainer: Container {
associatedtype Suffix: SuffixableContainer where Suffix.Item == Item
func suffix(_ size: Int) -> Suffix
}
이렇게 선언한 Suffix
를 따르는 코드를 실행하는 예제는 다음과 같다.
extension Stack: SuffixableContainer {
func suffix(_ size: Int) -> Stack {
var result = Stack()
for index in (count-size)..<count {
result.append(self[index])
}
return result
}
// Inferred that Suffix is Stack.
}
var stackOfInts = Stack<Int>()
stackOfInts.append(10)
stackOfInts.append(20)
stackOfInts.append(30)
let suffix = stackOfInts.suffix(2)
// suffix contains 20 and 30
위 예제에서는 Stack의 연관 타입인 Suffix
또한 Stack이다. 그래서 Stack의 suffix
의 실행으로 또 다른 Stack을 반환하게 된다. 아래와 같이 IntStack
에 Stack를 사용해 SuffixableContainer
를 따르는 익스텐션을 선언할 수도 있다.
extension IntStack: SuffixableContainer {
func suffix(_ size: Int) -> Stack<Int> {
var result = Stack<Int>()
for index in (count-size)..<count {
result.append(self[index])
}
return result
}
// Inferred that Suffix is Stack<Int>.
}
제네릭에서도 where 절을 사용할 수 있다. 다음은 C1
, C2
의 Container
를 비교하며 모든 값이 같을 때 true
를 반환하는 allItemMatch
함수를 구현하면 다음과 같다.
func allItemsMatch<C1: Container, C2: Container>
(_ someContainer: C1, _ anotherContainer: C2) -> Bool
where C1.Item == C2.Item, C1.Item: Equatable {
// Check that both containers contain the same number of items.
if someContainer.count != anotherContainer.count {
return false
}
// Check each pair of items to see if they're equivalent.
for i in 0..<someContainer.count {
if someContainer[i] != anotherContainer[i] {
return false
}
}
// All items match, so return true.
return true
}
위에서 Container
종류 자체는 달라도 상관없다. 단지 각 Container
의 같은 인덱스의 모든 값이 같기만 하면 결과는 true
를 얻게 된다. 다음은 다른 타입의 Container
, 하나는 스택, 다른 하나는 배열의 내용을 allItemMatch
함수로 비교한 결과이다.
var stackOfStrings = Stack<String>()
stackOfStrings.push("uno")
stackOfStrings.push("dos")
stackOfStrings.push("tres")
var arrayOfStrings = ["uno", "dos", "tres"]
if allItemsMatch(stackOfStrings, arrayOfStrings) {
print("All items match.")
} else {
print("Not all items match.")
}
// Prints "All items match."
Container
종류는 다르지만 안의 내용이 같으므로 모든 아이템이 일치한다는 결과를 반환한다.
제네릭의 익스텐션을 선언할 때 where 절을 포함시킬 수 있다. 다음은 isTop
함수를 익스텐션에 추가하면서 이 함수가 추가되는 Stack은 반드시 Equatable
프로토콜을 따라야 한다고 제한을 부여한 코드이다.
extension Stack where Element: Equatable {
func isTop(_ item: Element) -> Bool {
guard let topItem = items.last else {
return false
}
return topItem == item
}
}
아래의 예제에서 String은 Equatable
프로토콜을 따르므로 true
에 해당하는 분기가 실행된다.
if stackOfStrings.isTop("tres") {
print("Top element is tres.")
} else {
print("Top element is something else.")
}
// Prints "Top element is tres."
만약 아래와 같이 Equatable
을 따르지 않는 Stack에서 익스텐션에 선언된 함수 isTop
을 실행하면 에러가 발생하는 것을 확인할 수 있다.
struct NotEquatable { }
var notEquatableStack = Stack<NotEquatable>()
let notEquatableValue = NotEquatable()
notEquatableStack.push(notEquatableValue)
notEquatableStack.isTop(notEquatableValue) // Error
다음 예제는 Container
의 Item
이 Equatable
프로토콜을 따르는 제약을 추가한 예제다. startsWith
함수의 인자인 Item
은 Container
의 특정 아이템이 입력한 Item
으로 시작하는지 비교하기 위해서는 Container
의 첫 아이템이 입력한 Item
과 같은지 비교해야 하기 때문에 Equatable
프로토콜을 따라야 한다.
extension Container where Item: Equatable {
func startsWith(_ item: Item) -> Bool {
return count >= 1 && self[0] == item
}
}
Container
프로토콜을 따르는 Array에서 startsWith
를 실행한다. Int값인 42는 Equatable
프로토콜을 따르므로 startsWith
함수가 실행되고 42는 배열의 첫 값인 9와 같지 않으므로 같지 않다는 분기가 실행된다.
if [9, 9, 9].startsWith(42) {
print("Starts with 42.")
} else {
print("Starts with something else.")
}
// Prints "Starts with something else."
where 절에서 특정 프로토콜을 따르는 것 뿐 아니라 특정 값 타입인지 비교하는 구분을 사용할 수도 있다. 아래는 Item
이 Double
형인지를 비교하는 구문을 사용한 예시이다.
extension Container where Item == Double {
func average() -> Double {
var sum = 0.0
for index in 0..<count {
sum += self[index]
}
return sum / Double(count)
}
}
print([1260.0, 1200.0, 98.6, 37.0].average())
// Prints "648.9"
Container
의 Item
이 Double
형이기 때문에 익스텐션에서 구현된 average()
를 사용할 수 있다.
연관 타입에도 where 절을 적용해 제한을 둘 수 있다. 아래는 연관 타입 Iterator
에 Iterator
의 Element
가 Item
과 같아야 한다는 조건을 건 예시이다.
protocol Container {
associatedtype Item
mutating func append(_ item: Item)
var count: Int { get }
subscript(i: Int) -> Item { get }
associatedtype Iterator: IteratorProtocol where Iterator.Element == Item
func makeIterator() -> Iterator
}
다른 프로토콜을 상속하는 프로토콜에도 where 절로 조건을 부여할 수 있다.
protocol ComparableContainer: Container where Item: Comparable { }
제네릭의 서브스크립트에도 조건을 걸 수 있다. 아래 예제는 Indices.Iterator.Element
가 Int 형이어야 한다는 조건을 건 예시이다.
extension Container {
subscript<Indices: Sequence>(indices: Indices) -> [Item]
where Indices.Iterator.Element == Int {
var result = [Item]()
for index in indices {
result.append(self[index])
}
return result
}
}