如何让Node.js等待大量请求的响应

时间:2018-01-19 17:34:16

标签: javascript html node.js express multipartform-data

我发布了大量可能需要几分钟才能上传的文件。我使用多部分表单发布文件,然后等待POST的响应,但这可能需要几分钟。

如何让Node / Express等待此响应?截至目前,似乎请求是“超时”,Node或浏览器正在重新发布文件,因为它花了这么长时间。我可以看到这一点,因为对于需要太长时间的请求,我的中间件函数被多次调用。

是否存在使Node不超时的库?我应该尝试以不同的方式发布这些文件吗?感谢

var mid = function(req,res,next) {
  console.log('Called');
  next();
};

app.post('/api/GROBID', mid, authenticate, PDFupload.return_GROBID, PDFupload.post_doc, function(req, res) {
  if (res.locals.body == 400) res.send(400);
  /*if (process.env.TEST_ENV == 'unit-testing') {
    res.send(res.locals.body);
  }*/
  res.render('uploads', {files : res.locals.body});
});

编辑:这个中间件(用作示例)被调用两次。这意味着路线将被发布两次。我如何确保不会发生这种情况?

1 个答案:

答案 0 :(得分:3)

是否存在使Node不超时的库?

Express位于Node.js' built-in HTTP server之上。默认情况下,超时为2分钟。您可以修改其默认超时,如下所示:

var express = require('express');
var app = express();

var port = process.env.PORT || 3000;

app.get('/', function(req, res) {
    res.send('<html><head></head><body><h1>Hello world!</h1></body></html>');
});

var server = app.listen(port);
server.timeout = 1000 * 60 * 10; // 10 minutes

我是否应该尝试以不同的方式发布这些文件?

是的,您可以使用Multer,一个node.js中间件来处理多部分/表单数据,主要用于上传文件。

对于Multer,您不必再担心超时了。事件上传时间超过超时,默认为2分钟,Express就不会超时。

以下是示例代码:

app.js

var express = require('express');
var app = express();
var path = require('path');
var multer = require('multer');

const storage = multer.diskStorage({
  destination: function (req, file, cb) {
    cb(null, '/your/path/to/store/uploaded/files/')
  },
  filename: function (req, file, cb) {
    // Keep original file names
    cb(null, file.originalname)
  }
})
var upload = multer({ storage: storage })

// files is the name of the input html element
// 12 is the maximum number of files to upload
app.post('/upload', upload.array('files', 12), async (req, res) => {
  res.send('File uploaded!');
})

app.get('/', function (req, res) {
  res.sendFile(path.join(__dirname + '/index.html'));
});

app.listen(3000);

的index.html

<html>

<body>
  <form ref='uploadForm' id='uploadForm' 
    action='http://localhost:3000/upload' 
    method='post' 
    encType="multipart/form-data">

    <input type='file' name='files' multiple/>

    <input type='submit' value='Upload!' />
  </form>
</body>

</html>

现在尝试启动Web服务器:

node app.js

然后打开浏览器并转到http://localhost:3000

您现在可以上传一些大文件,稍后可以在文件夹/ your / path /中找到/ store / uploaded / files /