0

我正在尝试使用该node-cron模块每 2 秒发出一次 HTTP 请求。

我有 apiCalls.js;

var http = require('https');

module.exports = {
  getData: function(callback) {
    var options = {
      host: 'google.com',
      path: '/index.html'
    };

    var req = http.get(options, function(res) {
      console.log('STATUS: ' + res.statusCode);
      console.log('HEADERS: ' + JSON.stringify(res.headers));


      var bodyChunks = [];
      res.on('data', function(chunk) {

        bodyChunks.push(chunk);
      }).on('end', function() {
        var body = Buffer.concat(bodyChunks);
        console.log('BODY: ' + body);
        callback(body);

      })
    });

    req.on('error', function(e) {
      console.log('ERROR: ' + e.message);
    });
  }
}

这工作得很好。我想每 2 秒调用一次,稍后我想更新视图文件。在这里我不知道我是否需要socket.io或者我可以通过反应来做到这一点。

我在 index.js 中调用这个函数;

var express = require('express');
var router = express.Router();
var cron = require('node-cron');

var apiCalls = require('../apiCalls')

router.get('/', function(req, res, next) {
  var cronJob = cron.schedule('*/2 * * * * *', function(){
    apiCalls.getData(function(data){
      res.render('index', { title: 'example', data: data });
    });
  }); 
  cronJob.start();
});

module.exports = router;

但是我遇到了错误,因为我似乎已经设置了标题。我怎样才能做到这一点?

_http_outgoing.js:503
    throw new errors.Error('ERR_HTTP_HEADERS_SENT', 'set');
    ^

Error [ERR_HTTP_HEADERS_SENT]: Cannot set headers after they are sent to the client
    at validateHeader (_http_outgoing.js:503:11)

谢谢

4

1 回答 1

0

问题在于您res.render()每 2 秒在处理程序中一遍又一遍地调用route.get()- 每个请求处理程序只能有一个最终 res.render()。您不能期望您的网站在发出请求后每 2 秒自动更新一次,就像您编码的那样。您可以让客户端每 N 秒发送一次请求(请注意,效率不高),或者使用更高效的方法(例如 Web 套接字)来实现。

于 2017-12-26T02:25:39.450 回答