与其将回调设为可选,不如分配一个默认值并在任何情况下调用它
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
它生成Array输入的所有可能组合
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
所以省去了'