5

我需要从处理程序文件中访问 fastify 实例。我完全不记得我应该怎么做。

指数:

fastify.register(require('./routes/auth'), {
  prefix: '/auth'
})

路线/身份验证:

module.exports = function(fastify, opts, next) {
  const authHandler = require('../handlers/auth')
  fastify.get('/', authHandler.getRoot)
  next()
}

处理程序/身份验证:

module.exports = {
  getRoot: (request, reply) {
    // ACCESS FASTIFY NAMESPACE HERE
    reply.code(204).send({
      type: 'warning',
      message: 'No content'
    })
  }
}

谢谢!

4

3 回答 3

3

更新:
您可以使用this关键字来访问控制器中使用function关键字定义的 fastify 实例。箭头功能控制器不起作用。

您还可以根据请求或回复对象装饰 fastify 实例:

index

fastify.decorateRequest('fastify', fastify);
// or
fastify.decorateReply('fastify', fastify);

fastify.register(require('./routes/auth'), {
  prefix: '/auth'
});

然后在你的handler/auth

module.exports = {
  getRoot: (request, reply) {
    // ACCESS FASTIFY NAMESPACE HERE
    request.fastify
    // or
    reply.fastify

    reply.code(204).send({
      type: 'warning',
      message: 'No content'
    });
  }
};
于 2020-02-01T09:32:14.940 回答
2

路线/身份验证:

module.exports = function(fastify, opts, next) {
  const authHandler = require('../handlers/auth')(fastify)
  fastify.get('/', authHandler.getRoot)
  next()
}

处理程序/身份验证:

module.exports = function (fastify) {
  getRoot: (request, reply) {
    fastify;
    reply.code(204).send({
      type: 'warning',
      message: 'No content'
    })
  }
}

于 2018-11-13T14:05:56.283 回答
2

fastify.decorateRequest('fastify', fastify); 现在将返回一条警告消息:

FastifyDeprecation: You are decorating Request/Reply with a reference type. This reference is shared amongst all requests. Use onRequest hook instead. Property: fastify

以下是请求的 OnRequest 挂钩的更新用法:

fastify.decorateRequest('fastify', null)    
fastify.addHook("onRequest", async (req) => {
        req.fastify = fastify;
}); 

如果需要回复,请将“onRequest”替换为“onReply”。 请参阅此处的 Fastify 文档。

于 2021-10-18T21:39:52.960 回答