11

我用 koa-route 和 koa-ejs 为 koa.js 做了一个简单的设置。

var koa     = require('koa');
var route   = require('koa-route');
var add_ejs = require('koa-ejs');
var app     = koa();

add_ejs(app, {…});

app.use(function *(next){
    console.log( 'to do layout tweak for all requests' );
    yield next;
});

app.use(route.get('/', function *(name) {
  console.log( 'root action' );
  yield this.render('index', {name: 'Hello' });
}));

在这两种方法之间传递值的最佳方法是什么?

4

2 回答 2

16

context.state是中间件之间共享数据的底层方式。它是一个安装context在所有中间件中的对象。

你可以像这样使用它:

let counter = 0;

app.use((ctx, next) => {
  ctx.state.requestId = counter++;
  return next();
});

app.use((ctx, next) => {
  console.log(ctx.state.requestId);
  // => 1, 2, 3, etc
  return next();
});

资源

koajs 自述文件

于 2015-03-01T20:54:23.610 回答
1

您可以使用 Koa上下文

app.use(function *(next) {
  this.foo = 'Foo';
  yield next;
});

app.use(route.get('/', function *(next) { // 'next' is probably what you want, not 'name'
  yield this.render('index', { name: this.foo });
  yield next; // pass to the next middleware
}));
于 2014-06-16T19:08:01.537 回答