2

我刚刚开始学习node.js。在过去的两天里,我一直在从事一个接受用户输入并发布 ICS 文件的项目。我有所有的工作。现在考虑何时必须显示这些数据。我得到一个router.get看看我是否在/cal页面上并且..

router.get('/cal', function(req, res, next) 
    {

        var db = req.db;
        var ical = new icalendar.iCalendar();
        db.find({
            evauthor: 'mykey'
        }, function(err, docs) {
            docs.forEach(function(obj) {
                 var event2 = ical.addComponent('VEVENT');
                 event2.setSummary(obj.evics.evtitle);
                 event2.setDate(new Date(obj.evics.evdatestart), new Date(obj.evics.evdateend));
                 event2.setLocation(obj.evics.evlocation)
                 //console.log(ical.toString());
            });
        });

        res.send(ical.toString());
        // res.render('index', {
        //  title: 'Cal View'
        // })
    })

因此,当/cal被请求时,它会遍历我的数据库并创建一个 ICS 日历ical。如果我console.log(ical.toString) 在循环中这样做,它会按照协议为我提供一个格式正确的日历。

但是,我想以此结束回复。最后,我res.send只是看看页面上发布了什么。这就是发布的内容

BEGIN:VCALENDAR VERSION:2.0 
PRODID:calendar//EN 
END:VCALENDAR

现在原因很明显了。它是 node.js 的本质。在回调函数完成将每个人添加VEVENT到日历对象之前,响应被发送到浏览器。

我有两个相关的问题:

1)什么是“等待”直到回调完成的正确方法。

2)如何使用作为内容res发送.ics 动态链接 ical.toString()。我需要为此创建一个新视图吗?

编辑:我想对于 2 号,我必须像这样设置 HTTP 标头

//set correct content-type-header
header('Content-type: text/calendar; charset=utf-8');
header('Content-Disposition: inline; filename=calendar.ics');

但是在使用视图时我该怎么做。

4

1 回答 1

0

简单send的回应,一旦你得到了必要的数据!您不需要endsend直接在您的路线中,但也可以在嵌套回调中执行此操作:

router.get('/cal', function(req, res, next) {
    var db = req.db;
    var ical = new icalendar.iCalendar();

    db.find({
        evauthor: 'mykey'
    }, function(err, docs) {
        docs.forEach(function(obj) {
            var event2 = ical.addComponent('VEVENT');
            event2.setSummary(obj.evics.evtitle);
            event2.setDate(new Date(obj.evics.evdatestart), new Date(obj.evics.evdateend));
            event2.setLocation(obj.evics.evlocation)
        });

        res.type('ics');
        res.send(ical.toString());
    });
});

我还包括Content-Type使用res.type.

另外:不要忘记添加正确的错误处理。res.sendStatus(500)例如,如果在检索文档时发生错误,您可以使用。

于 2015-02-08T23:44:14.277 回答