如何在路由中组织路由?

时间:2019-12-03 07:45:53

标签: node.js express routing middleware fastify

请原谅我这些异端演讲,但从开发人员的经验来看,我认为express是api构建的最佳库。但是令我无法在任何地方使用它的原因是,每个人都在说(并通过基准测试确认)它运行缓慢。

我试图为自己选择一个选择,但我找不到适合自己的东西。

例如,使用express我可以简单地组织以下结构:
userAuthMiddleware.js

export const userAuthMiddleware = (req, res, next) => {
    console.log('user auth');
    next();
};

adminAuthMiddleware.js

export const adminAuthMiddleware = (req, res, next) => {
    console.log('admin auth');
    next();
};

setUserRoutes.js

export const setUserRoutes = (router) => {
    router.get('/news', (req, res) => res.send(['news1', 'news2']));
    router.get('/news/:id', (req, res) => res.send(`news${req.params.id}`));
};

setAdminRoutes.js

export const setAdminRoutes = (router) => {
    router.post('/news', (req, res) => res.send('created'));
    router.put('/news/:id', (req, res) => res.send('uodated'));
};

userApi.js

imports...

const userApi = express.Router();

userApi.use(userAuthMiddleware);
// add handlers for '/movies', '/currency-rates', '/whatever'
setUserRoutes(userApi);

export default userApi;

server.js

imports...

const app = express();

app.use(bodyparser); // an example of middleware which will handle all requests at all. too lazy to come up with a custom

app.use('/user', userApi);
app.use('/admin', adminApi);

app.listen(3333, () => {
    console.info(`Express server listening...`);
});

现在,将处理程序添加到不同的“区域”非常容易,这些处理程序将通过必要的中间件。 (例如,用户和管理员授权采用根本不同的逻辑)。但是我将这种中间件添加到一个地方,不再考虑它,它可以正常工作。

在这里,我正在尝试在fastify上组织类似的灵活路由结构。到目前为止,我还没有成功。文档要么太小气,要么我不够专心。

通过'use'添加的Fast中间件从http库而不是fastify库获取req和res对象。因此,使用它们并不是很方便-将某些东西从身体中拉出来是一个故事。

请在fastify中给出一个路由示例,该示例比官方文档中的内容更为详细。例如,类似于我在express上使用user和admin的示例。

1 个答案:

答案 0 :(得分:2)

我这样组织我的路线:

fastify.register(
  function(api, opts, done) {
    api.addHook('preHandler', async (req, res) => {
      //do something on api routes
      if (res.sent) return //stop on error (like user authentication)
    }) 

    api.get('/hi', async () => {
      return { hello: 'world' }
    })

    // only for authenticated users with role.
    api.register(async role => {
       role.addHook('preHandler', async (req, res) => {
         // check role for all role routes
         if (res.sent) return //stop on error
       }) 

       role.get('/my_profile', async () => {
         return { hello: 'world' }
       })

    })

    done()
  },
  {
    prefix: '/api'
  }
)

现在所有对api / *的请求将由fastify处理。