Anstatt den Rückruf optional zu machen, weisen Sie einfach einen Standard zu und rufen Sie ihn auf, egal was passiert
const identity = x =>
x
const save (..., callback = identity) {
// ...
return callback (...)
}
Wenn benutzt
save (...) // callback has no effect
save (..., console.log) // console.log is used as callback
Ein solcher Stil wird als Continuation-Passing-Stil bezeichnet . Hier ist ein reales Beispiel, combinations
das alle möglichen Kombinationen einer Array-Eingabe generiert
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' ]
// ]
Da combinations
der obige Aufruf im Continuation-Passing-Stil definiert ist, ist er praktisch derselbe
combinations (['A', 'B', 'C'], console.log)
// [ []
// , [ 'C' ]
// , [ 'B' ]
// , [ 'B', 'C' ]
// , [ 'A' ]
// , [ 'A', 'C' ]
// , [ 'A', 'B' ]
// , [ 'A', 'B', 'C' ]
// ]
Wir können auch eine benutzerdefinierte Fortsetzung übergeben, die etwas anderes mit dem Ergebnis macht
console.log (combinations (['A', 'B', 'C'], combs => combs.length))
// 8
// (8 total combinations)
Der Continuation-Passing-Stil kann mit überraschend eleganten Ergebnissen verwendet werden
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
also lassen Sie die'