0

如何在 response.render 中调用另一个快速路由。以下是我的代码片段。我想在请求 /pages/performance 时渲染 performance.jade 并使用 /api/notifications 返回的数据填充翡翠

module.exports = function(app){
    app.get('/pages/performance', function(req, res){
        res.render("performance", {results: app.get("/api/notifications", function (request, response) {return response.body;}), title: "Performance"});
    });
};

/api/notifications 将返回json数据,然后在jade中使用如下:

block pageContent
    for result in results
         p #{result.message}
4

1 回答 1

0

创建一个函数来获取通知并将它们传递给回调。然后在两条路线中使用该功能。您可以将其编码为纯函数或连接中间件。

纯函数

function loadNotifications(callback) {
    database.getNotificiations(callback)
}

app.get('/api/notifications', function (req, res) {
    loadNotifications(function (error, results) {
        if (error) { return res.status(500).send(error);
        res.send(results);
    }
});

app.get('/pages/performance', function (req, res) {
    loadNotifications(function (error, results) {
        if (error) { return res.status(500).send(error);
        res.render('performance', {results: results});
    });
});

中间件

function loadNotifications(req, res, next) {
    database.getNotificiations(function (error, results) {
        if (error) { return next(error);}
        req.results = results;
        next();
    });
}

app.get('/api/notifications', loadNotifications, function (req, res) {
    res.send(req.results);
});

app.get('/pages/performance', loadNotifications, function (req, res) {
    res.render('performance', {results: req.results});
});
于 2013-06-12T11:42:20.533 回答