클로저

jimmy·2024년 2월 29일
0
post-custom-banner

알고리즘 1일 1문제 이상 풀기

자릿수 더하기
약수의 합
나머지가 1이 되는 수 찾기

Closure 기본

정의 :

{ (매개변수 목록) -> 반환타입 in
	실행코드
}

위의 (매개변수 목록) 생략 가능 ==> ( )

함수를 사용한다면 :

func sumFunction(a: Int, b: Int) -> Int {
	return a + b
}
var sumResult: Int = sumFunction(a: 1, b: 2)
print(sumResult)
	===> 3

Closure의 사용 :

var sum: (Int, Int) -> Int = { (a: Int, b: Int) -> Int in
	return a + b
}
sumResult = sum(1, 2)
print(sumResult)
	===> 3

함수는 Closure의 일종이므로 sum 변수에는 당연히 함수도 할당 가능

sum = sumFunction(a:b:)
sumResult = sum(1, 2)
print(sumResult)
	===> 3

Closure는 주로 함수의 전달인자로 많이 사용됨

let add: (Int, Int) -> Int
add = { (a: Int, b: Int) -> Int in
	return a + b
}
let substract: (Int, Int) -> Int
add = { (a: Int, b: Int) -> Int in
	return a - b
}
let divide: (Int, Int) -> Int
add = { (a: Int, b: Int) -> Int in
	return a / b
}
func calculate(a: Int, b: Int, method: (Int, Int) -> Int) -> Int {
	return method(a, b)
}
var calculated: Int
calculated = calculate(a: 50, b: 10, method: add)
print(calculated)
	===> 60
calculated = calculate(a: 50, b: 10, method: substact)
print(calculated)
	===> 40
calculated = calculate(a: 50, b: 10, method: divide)
print(calculated)
	===> 50
calculated = calculate(a: 50, b: 10, method: { (left: Int, right: Int) ->
	return left * right
})
print(calculated)
	===> 500

Closure 고급

func calculate(a: Int, b: Int, method: (Int, Int) -> Int) -> Int {
	return method(a, b)
}
var result: Int

후행 클로저
-클로저가 함수의 마지막 전달인자라면 마지막 매개변수 이름을 생략한 후 함수 소괄호 외부에 클러조를 구현할 수 있음

result = calculate(a: 10, b: 10) { (left: Int, right: Int) -> Int in
	return left + right
}
print(result)
	===> 20

반환타입 생략
-calculate 함수의 method 매개변수는 Int 타입을 반환할 것이라는 사실을 컴파일러도 알기 때문에 굳이 클로저에서 반환타입을 명시해 주지 않아도 됨. 대신 in 키워드는 생략할 수 없음

result = calculate(a: 10, b: 10, method: { (left: Int, right: Int) in
	return left + right
})
print(result)
	===> 20

-후행 클로저와 함께 사용할 수도 있음

result = calculate(a: 10, b: 10) { (left: Int, right: Int) in
	return left + right
}

단축 인자이름
-클로저의 매개변수 이름이 굳이 불필요하다면 단축 인자이름을 활용할 수 있음. 단축 인자이름은 클로저의 매개변수의 순서대로 $0 ,$1... 처럼 표현

result = calculate(a: 10, b: 10, method: {
	return $0 + $1
})
print(result)
	===> 20

당연히 후행 클로저와 함께 사용할 수 있음

result = calculte(a: 10, b: 10) {
	return $0 + $1
}
print(result)
	===> 20

암시적 반환 표현
-클로저가 반환하는 값이 있다면 클로저의 마지막 줄의 결과값은 암시적으로 반환값으로 취급

result = calculate(a: 10, b: 10) {
	$0 + $1
}
print(result)
	===> 20

간결하게 한 줄로 표현해 줄 수도 있음

result = calculate(a: 10, b: 10) { $0 + $1 }
print(result)
	===> 20

축약하지 않은 클로저 문법과 축약 후의 문법 비교

result = calculate(a: 10, b: 10, method: { (left: Int, right: Int) -> Int in
	return left + right
})
result = calculate(a: 10, b: 10) { $0 + $1 }
profile
iOS developer
post-custom-banner

0개의 댓글