コールバックをオプションにするのではなく、デフォルトを割り当てて、それを呼び出します。
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
そのまま使用できるので'