rightReduce与中间件compose

然后,有心同学可能会发现,我们的makeTravel其实是一个对函数列表进行rightReduce的函数:

  1. <?php
  2. function compose(...$fns)
  3. {
  4. return array_right_reduce($fns, function($carry, $fn) {
  5. return function() use($carry, $fn) {
  6. $fn($carry);
  7. };
  8. });
  9. }
  10. function array_right_reduce(array $input, callable $function, $initial = null)
  11. {
  12. return array_reduce(array_reverse($input, true), $function, $initial);
  13. }

将上述makeTravel替换成compose,我们将得到完全相同的结果。


我们修改函数列表中函数的签名,middleware :: (Context $ctx, Generator $next) -> void,我们把满足List<Middleware>的函数列表进行组合(rightReduce),得到中间件入口函数,只需要稍加改造,我们的compose方法便可以处理生成器函数,用来支持我们上文的半协程:

  1. <?php
  2. function compose(...$middleware)
  3. {
  4. return function(Context $ctx = null) use($middleware) {
  5. $ctx = $ctx ?: new Context(); // Context 参见下文
  6. $next = null;
  7. $i = count($middleware);
  8. while ($i--) {
  9. $curr = $middleware[$i];
  10. $next = $curr($ctx, $next);
  11. assert($next instanceof \Generator);
  12. }
  13. return $next;
  14. };
  15. }

如果是中间件是\Closure,打包过程可以可以将$this变量绑定到$ctx,中间件内可以使用$this代替$ctx,Koa1.x采用这种方式, Koa2.x已经废弃;

  1. if ($middleware[$i] instanceof \Closure) {
  2. //
  3. $curr = $middleware[$i]->bindTo($ctx, Context::class);
  4. }

rightReduce版本:

  1. <?php
  2. function compose(array $middleware)
  3. {
  4. return function(Context $ctx = null) use($middleware) {
  5. $ctx = $ctx ?: new Context(); // Context 参见下文
  6. return array_right_reduce($middleware, function($rightNext, $leftFn) use($ctx) {
  7. return $leftFn($ctx, $rightNext);
  8. }, null);
  9. };
  10. }