formidableは、フォームを操作するための非常に便利なライブラリです。
次のコードは、formidable の github から取得し、わずかに変更した、完全に機能するノード アプリの例です。GET でフォームを表示し、POST でフォームからのアップロードを処理し、ファイルを読み取り、その内容をエコーします。
var formidable = require('formidable'),
http = require('http'),
util = require('util'),
fs = require('fs');
http.createServer(function(req, res) {
if (req.url == '/upload' && req.method.toLowerCase() == 'post') {
// parse a file upload
var form = new formidable.IncomingForm();
form.parse(req, function(err, fields, files) {
res.writeHead(200, {'content-type': 'text/plain'});
// The next function call, and the require of 'fs' above, are the only
// changes I made from the sample code on the formidable github
//
// This simply reads the file from the tempfile path and echoes back
// the contents to the response.
fs.readFile(files.upload.path, function (err, data) {
res.end(data);
});
});
return;
}
// show a file upload form
res.writeHead(200, {'content-type': 'text/html'});
res.end(
'<form action="/upload" enctype="multipart/form-data" method="post">'+
'<input type="text" name="title"><br>'+
'<input type="file" name="upload" multiple="multiple"><br>'+
'<input type="submit" value="Upload">'+
'</form>'
);
}).listen(8080);
これは明らかに非常に単純な例ですが、formidable は大きなファイルを扱う場合にも優れています。これにより、解析されたフォーム データの読み取りストリームにアクセスできるようになります。これにより、アップロード中のデータを操作したり、別のストリームに直接パイプしたりできます。
// As opposed to above, where the form is parsed fully into files and fields,
// this is how you might handle form data yourself, while it's being parsed
form.onPart = function(part) {
part.addListener('data', function(data) {
// do something with data
});
}
form.parse();