콜백을 선택 사항으로 만드는 대신 기본값을 할당하고 아무리
const identity = x =>
x
const save (..., callback = identity) {
// ...
return callback (...)
}
사용시
save (...) // callback has no effect
save (..., console.log) // console.log is used as callback
이러한 스타일을 연속 전달 스타일 이라고 합니다. 다음 combinations
은 배열 입력의 가능한 모든 조합을 생성 하는 실제 예 입니다.
const identity = x =>
x
const None =
Symbol ()
const combinations = ([ x = None, ...rest ], callback = identity) =>
x === None
? callback ([[]])
: combinations
( rest
, combs =>
callback (combs .concat (combs .map (c => [ x, ...c ])))
)
console.log (combinations (['A', 'B', 'C']))
// [ []
// , [ 'C' ]
// , [ 'B' ]
// , [ 'B', 'C' ]
// , [ 'A' ]
// , [ 'A', 'C' ]
// , [ 'A', 'B' ]
// , [ 'A', 'B', 'C' ]
// ]
combinations
연속 전달 스타일로 정의 되기 때문에 위의 호출은 사실상 동일합니다.
combinations (['A', 'B', 'C'], console.log)
// [ []
// , [ 'C' ]
// , [ 'B' ]
// , [ 'B', 'C' ]
// , [ 'A' ]
// , [ 'A', 'C' ]
// , [ 'A', 'B' ]
// , [ 'A', 'B', 'C' ]
// ]
결과로 다른 작업을 수행하는 사용자 지정 연속을 전달할 수도 있습니다.
console.log (combinations (['A', 'B', 'C'], combs => combs.length))
// 8
// (8 total combinations)
연속 통과 스타일은 놀랍도록 우아한 결과와 함께 사용할 수 있습니다.
const first = (x, y) =>
x
const fibonacci = (n, callback = first) =>
n === 0
? callback (0, 1)
: fibonacci
( n - 1
, (a, b) => callback (b, a + b)
)
console.log (fibonacci (10)) // 55
// 55 is the 10th fibonacci number
// (0, 1, 1, 2, 3, 5, 8, 13, 21, 34, 55, ...)
typeof callback !== undefined
있으므로'