ServerClient
上传文件很简单或非常复杂,具体取决于你想要做什么。通常,传输文件本身并不困难。但是附件,二进制文件等有很多边缘情况。真正的关键点是水平扩展,并创建一个解决方案,当服务器被克隆第二次,第三次和第 n 次时。
让我们从基本的服务器/客户端上传模型开始。我们首先将文件输入元素添加到文档对象模型中。
<template name="example">
<input type=file />
</template>
然后将一个事件附加到控制器中的 input 元素,并调用本地 Meteor 方法``startFileTransfer’‘来启动传输。
// client/example.js
Template.example.events({
'change input': function(ev) {
_.each(ev.srcElement.files, function(file) {
Meteor.startFileTransfer(file, file.name);
});
}
});
// client/save.js
/**
* @blob (https://developer.mozilla.org/en-US/docs/DOM/Blob)
* @name the file's name
* @type the file's type: binary, text (https://developer.mozilla.org/en-US/docs/DOM/FileReader#Methods)
*
* TODO Support other encodings: https://developer.mozilla.org/en-US/docs/DOM/FileReader#Methods
* ArrayBuffer / DataURL (base64)
*/
Meteor.startFileTransfer = function(blob, name, path, type, callback) {
var fileReader = new FileReader(),
method, encoding = 'binary', type = type || 'binary';
switch (type) {
case 'text':
// TODO Is this needed? If we're uploading content from file, yes, but if it's from an input/textarea I think not...
method = 'readAsText';
encoding = 'utf8';
break;
case 'binary':
method = 'readAsBinaryString';
encoding = 'binary';
break;
default:
method = 'readAsBinaryString';
encoding = 'binary';
break;
}
fileReader.onload = function(file) {
Meteor.call('saveFileToDisk', file.srcElement.result, name, path, encoding, callback);
}
fileReader[method](blob);
}
然后,客户端将调用 saveFileToDisk 服务器方法,该方法执行实际传输并将所有内容放入磁盘。
//
/**
* TODO support other encodings:
* http://stackoverflow.com/questions/7329128/how-to-write-binary-data-to-a-file-using-node-js
*/
Meteor.methods({
saveFileToDisk: function(blob, name, path, encoding) {
var path = cleanPath(path), fs = __meteor_bootstrap__.require('fs'),
name = cleanName(name || 'file'), encoding = encoding || 'binary',
chroot = Meteor.chroot || 'public';
// Clean up the path. Remove any initial and final '/' -we prefix them-,
// any sort of attempt to go to the parent directory '..' and any empty directories in
// between '/////' - which may happen after removing '..'
path = chroot + (path ? '/' + path + '/' : '/');
// TODO Add file existance checks, etc...
fs.writeFile(path + name, blob, encoding, function(err) {
if (err) {
throw (new Meteor.Error(500, 'Failed to save file.', err));
} else {
console.log('The file ' + name + ' (' + encoding + ') was saved to ' + path);
}
});
function cleanPath(str) {
if (str) {
return str.replace(/\.\./g,'').replace(/\/+/g,'').
replace(/^\/+/,'').replace(/\/+$/,'');
}
}
function cleanName(str) {
return str.replace(/\.\./g,'').replace(/\//g,'');
}
}
});
这是一种简单的方法,它还有很多不足之处。这可能适合上传 CSV 文件或其他东西,但这就是它。