我有一个使用Multer在NodeJS中编写的简单上传应用程序,它工作正常。这是代码:
var express = require('express'),
bodyParser = require('body-parser'),
qs = require('querystring'),
multer = require('multer'),
logger = require('morgan');
var config = require('./config'),
oauth = require('./oauth');
function extractExtension(filename) {
return filename.split('.').pop();
}
function getRandom(min, max) {
return Math.floor(Math.random() * max) + min;
}
var app = express();
//app.use(cors());
// Add headers
app.use(function(req, res, next) {
// Website you wish to allow to connect
res.setHeader('Access-Control-Allow-Origin', 'http://localhost:8080');
// Request methods you wish to allow
res.setHeader('Access-Control-Allow-Methods', 'GET, POST, OPTIONS, PUT, PATCH, DELETE');
// Request headers you wish to allow
res.setHeader('Access-Control-Allow-Headers', 'X-Requested-With,Authorization,content-type');
// Set to true if you need the website to include cookies in the requests sent
// to the API (e.g. in case you use sessions)
res.setHeader('Access-Control-Allow-Credentials', true);
// Pass to next layer of middleware
next();
});
// Multer
var momentUpload = multer({
dest: './uploads/',
limits: {
fileSize: 256 * 1024 * 1024
},
rename: function(fieldname, filename) {
return Date.now() + '-' + getRandom(100000, 999999) + '.' + extractExtension(filename);
},
onFileUploadStart: function(file) {
console.log(file.originalname + ' is starting ...')
},
onFileUploadComplete: function(file) {
console.log(file.fieldname + ' uploaded to ' + file.path)
}
}).single('file');
app.set('port', 4000);
app.use(logger('dev'));
app.use(bodyParser.json());
app.use(bodyParser.urlencoded({
extended: true
}));
app.post('/file/upload', [oauth.ensureAuthenticated, momentUpload, function(req, res) {
console.log(req.body); // form fields
console.log(req.file); // form files
res.status(204).end();
}]);
// Start the Server
app.listen(app.get('port'), function() {
console.log('Metadata store env: ' + config.METADATASTORE_ENV);
console.log('Express server listening on port ' + app.get('port'));
firebase.authenticate();
console.log('Connected to Firebase');
});
但问题是,Multer的配置似乎根本不起作用。 destPath有效,文件出现在我提供的文件夹中(./uploads/)。允许更大的文件大小(例如400MB的文件,而选项明确表示256MB),并且回调函数不会被触发一次。没有错误消息。知道我在这里做错了吗?我在谷歌和官方网页上关注了导游,但无法让它发挥作用。
答案 0 :(得分:1)
首先,multer最近更改了API,因此不再接受rename
,onFileUploadStart
或onFileUploadComplete
!
我们可以在这里查看API https://github.com/expressjs/multer,让我们分析一下新的工作方式!
注意:如果您尚未更新您的multer版本,我强烈建议您,因为怀疑旧版本存在安全漏洞。
基本用法
Multer接受一个选项对象,其中最基本的是dest 属性,告诉Multer上传文件的位置。如果你 省略选项对象,文件将保留在内存中,永远不会 写入磁盘。
默认情况下,Multer会重命名文件以避免命名 冲突。重命名功能可以根据您的要求定制 需要。 options对象还接受
fileFilter
(控制上载文件的函数)和limits
(指定大小限制的对象)参数。
所以,你的代码看起来像这样(只关注multer部分并考虑你想要使用你不需要的所有选项):
// Multer
var momentUpload = multer({
dest: './uploads/',
limits: {
fileSize: 256 * 1024 * 1024
},
fileFilter: function(req, file, cb) {
// The function should call `cb` with a boolean
// to indicate if the file should be accepted
// To reject this file pass `false`, like so:
cb(null, false)
// To accept the file pass `true`, like so:
cb(null, true)
// You can always pass an error if something goes wrong:
cb(new Error('I don\'t have a clue!'))
}
}).single('file');
如果您想要更多地控制文件的存储,可以使用存储引擎。您可以创建自己的,也可以只使用可用的。
可用的是:diskStorage
将文件存储在磁盘上,或memoryStorage
将文件作为Buffer
个对象存储在内存中。
由于您显然希望将文件存储在磁盘中,我们来谈谈diskStorage
。
有两种选择:destination
和filename
。
destination
用于确定上传的文件夹 文件应该存储。这也可以作为字符串给出(例如 '/ TMP /上传')。如果没有给出目的地,则为操作系统 使用临时文件的默认目录。注意:您负责在提供时创建目录 目的地作为一种功能。当传递一个字符串时,multer会做 确保为您创建了目录。
filename
用于确定文件夹中应该命名的文件。如果没有给出文件名,则每个文件都将被赋予一个不包含任何文件扩展名的随机名称。
因此,您的代码(仅涉及multer部分)将如下所示:
// Multer
//Storage configuration
var storageOpts = multer.diskStorage({
destination: function (req, file, cb) {
//Choose a destination
var dest = './uploads/';
//If you want to ensure that the directory exists and
//if it doesn't, it is created you can use the fs module
//If you use the following line don't forget to require the fs module!!!
fs.ensureDirSync(dest);
cb(null, dest);
},
filename: function (req, file, cb) {
//here you can use what you want to specify the file name
//(fieldname, originalname, encoding, mimetype, size, destination, filename, etc)
cb(null, file.originalname);
}
});
var momentUpload = multer({
storage: storageOpts,
limits: {
fileSize: 256 * 1024 * 1024
},
fileFilter: function(req, file, cb) {
// The function should call `cb` with a boolean
// to indicate if the file should be accepted
// To reject this file pass `false`, like so:
cb(null, false)
// To accept the file pass `true`, like so:
cb(null, true)
// You can always pass an error if something goes wrong:
cb(new Error('I don\'t have a clue!'))
}
}).single('file');
希望它有所帮助! :)