Node.js 上传文件

Formidable 模块

有一个非常好的模块用于处理文件上传,称为 "Formidable".

Formidable 模块可以使用 NPM 下载和安装:

C:\Users\Your Name>npm install formidable

下载安装 Formidable 模块后,您可以将该模块包含在任何应用程序中:

var formidable = require('formidable');

上传文件

现在,您可以在 Node.js 中创建一个网页,让用户将文件上传到您的计算机:

第1步:创建上传表单

创建一个写 HTML 表单的 Node.js 文件,其中包含一个 upload 字段:

实例

这段代码将生成一个 HTML 表单:

var http = require('http');

http.createServer(function (req, res) {
  res.writeHead(200, {'Content-Type': 'text/html'});
  res.write('<form action="fileupload" method="post" enctype="multipart/form-data">');
  res.write('<input type="file" name="filetoupload"><br>');
  res.write('<input type="submit">');
  res.write('</form>');
  return res.end();
}).listen(8080);

第2步:解析上传的文件

加载 Formidable 模块,以便在上传的文件到达服务器后能够对其进行解析。

上传并解析文件后,它会被放在计算机上的临时文件夹中。

实例

文件将被上传,并放在一个临时文件夹中:

var http = require('http');
var formidable = require('formidable');

http.createServer(function (req, res) {
  if (req.url == '/fileupload') {
    var form = new formidable.IncomingForm();
    form.parse(req, function (err, fields, files) {
      res.write('File uploaded');
      res.end();
    });
  } else {
    res.writeHead(200, {'Content-Type': 'text/html'});
    res.write('<form action="fileupload" method="post" enctype="multipart/form-data">');
    res.write('<input type="file" name="filetoupload"><br>');
    res.write('<input type="submit">');
    res.write('</form>');
    return res.end();
  }
}).listen(8080);


第3步:保存文件

当文件成功上传到服务器时,它会被放置在一个临时文件夹中。

该目录的路径可以在 "files" 对象中找到,该对象作为 parse() 方法回调函数的第三个参数传递。

要将文件移动到所选文件夹,请使用"文件系统"模块,然后重命名文件:

实例

加载 fs 模块,并将文件移动到当前文件夹:

var http = require('http');
var formidable = require('formidable');
var fs = require('fs');

http.createServer(function (req, res) {
  if (req.url == '/fileupload') {
    var form = new formidable.IncomingForm();
    form.parse(req, function (err, fields, files) {
      var oldpath = files.filetoupload.path;
      var newpath = 'C:/Users/Your Name/' + files.filetoupload.name;
      fs.rename(oldpath, newpath, function (err) {
        if (err) throw err;
        res.write('File uploaded and moved!');
        res.end();
      });
 });
  } else {
    res.writeHead(200, {'Content-Type': 'text/html'});
    res.write('<form action="fileupload" method="post" enctype="multipart/form-data">');
    res.write('<input type="file" name="filetoupload"><br>');
    res.write('<input type="submit">');
    res.write('</form>');
    return res.end();
  }
}).listen(8080);