NOTE: This branch is under active development right now (2014-4-4). It has bugs and the API may continue to change. Please help test it and fix bugs, but don't use in production yet.
If you have Documentation feedback/requests please post on issue 206
CollectionFS is a smart package for Meteor that provides a complete file management solution including uploading, downloading, storage, synchronization, manipulation, and copying. It supports several storage adapters for saving to the local filesystem, GridFS, or S3, and additional storage adapters can be created.
Install Meteorite, if you have not yet done so, and then:
$ cd <app dir>
$ mrt add collectionFS
$ mrt add <storage adapter package>
$ mrt add <CFS add-on packages>You must add collectionFS, which is the main package, and at least one storage
adapter package. See the Storage Adapters section for a list of the available
storage adapter packages. Depending on what you need to do, you may need to add
additional add-on packages. These are explained in the documentation sections
to which they apply.
To pull down the most recent updates to every package,
just run mrt update again at any time. If you're having trouble, you can
alternatively try cloning this repo.
Make sure your
smart.jsonsays"collectionFS": {}pointing to the latest version
Adding the collectionFS package currently gives you the 0.4.x release, which is
the new API documented here and in development on the devel branch. This API is
fairly stable and allows you to do much more than the old API, but it currently
lacks complete tests and may change a bit prior to the 1.0 release. If you prefer
to use the old API, edit your app's smart.json so that the collectionFS line
looks like this:
"packages": {
"collectionFS": "0.3.7"
}If you have tried the new API, you can remove any other CFS packages that might be
in your smart.json file. Then run the following commands:
$ cd <app dir>
$ mrt update
$ meteor add collectionFSYou must call meteor add for all packages that you manually added to smart.json.
The CollectionFS package makes available two important global variables:
FS.File and FS.Collection.
- A
FS.Filewraps a file and its data on the client or server. It is similar to the browserFileobject (and can be created from aFileobject), but it has additional properties and methods. - A
FS.Collectionprovides a collection in which information about files can be stored.
A document from a FS.Collection is represented as a FS.File.
CollectionFS also provides an HTTP upload package that has the necessary mechanisms to upload files, track upload progress reactively, and pause and resume uploads. This can be swapped for a DDP upload package, but we do not currently recommend using DDP for uploads due to known issues with the current DDP spec and large files.
The first step in using this package is to define a FS.Collection.
common.js:
var Images = new FS.Collection("images", {
stores: [new FS.Store.FileSystem("images", {path: "~/uploads"})]
});In this example, we've defined a FS.Collection named "images", which will
be a new collection in your MongoDB database with the name "cfs.images.filerecord". We've
also told it to store the files in ~/uploads on the local filesystem. If you
don't specify a path, a cfs/files folder in your app container (bundle directory)
will be used.
Your FS.Collection and FS.Store variables do not necessarily have to be global on the client or the server, but be sure to give them the same name (the first argument in each constructor) on both the client and the server.
If you're using a storage adapter that requires sensitive information such as
access keys, we recommend supplying that information using environment variables.
If you instead decide to pass options to the storage adapter constructor,
then be sure that you do that only in the server code (and not simply within a
Meteor.isServer block).
Now we can upload a file from the client. Here is an example of doing so from the change event handler of an HTML file input:
Template.myForm.events({
'change .myFileInput': function(event, template) {
var files = event.target.files;
for (var i = 0, ln = files.length; i < ln; i++) {
Images.insert(files[i], function (err, fileObj) {
//Inserted new doc with ID fileObj._id, and kicked off the data upload using HTTP
});
}
}
});You can optionally make this code a bit cleaner by using a provided utility
method, FS.Utility.eachFile:
Template.myForm.events({
'change .myFileInput': function(event, template) {
FS.Utility.eachFile(event, function(file) {
Images.insert(file, function (err, fileObj) {
//Inserted new doc with ID fileObj._id, and kicked off the data upload using HTTP
});
});
}
});Notice that the only thing we're doing is passing the browser-provided File
object to Images.insert(). This will create a FS.File from the
File, link it with the Images FS.Collection, and then immediately
begin uploading the data to the server with reactive progress updates.
The insert method can directly accept a variety of different file
representations as its first argument:
Fileobject (client only)Blobobject (client only)Uint8ArrayArrayBufferBuffer(server only)- A full URL that begins with "http:" or "https:"
- A local filepath (server only)
- A data URI string
Where possible, streams are used, so in general you should avoid using any of the buffer/binary options unless you have no choice, perhaps because you are generating small files in memory.
The most common usage is to pass a File object on the client or a URL on
either the client or the server. Note that when you pass a URL on the client,
the actual data download from that URL happens on the server, so you don't
need to worry about CORS. In fact, we recommend doing all inserts on the
client (managing security through allow/deny), unless you are generating
the data on the server.
After the server receives the FS.File and all the corresponding binary file
data, it saves copies of the file in the stores that you specified.
If any storage adapters fail to save any of the copies in the designated store, the server will periodically retry saving them. After a configurable number of failed attempts at saving, the server will give up.
To configure the maximum number of save attempts, use the maxTries option
when creating your store. The default is 5.
There are currently three available storage adapters, which are in separate packages. Refer to the package documentation for usage instructions.
- cfs-gridfs: Allows you to save data to mongodb GridFS.
- cfs-filesystem: Allows you to save to the server filesystem.
- cfs-s3: Allows you to save to an Amazon S3 bucket.
Storage adapters also handle retrieving the file data and removing the file data when you delete the file.
You may want to manipulate files before saving them. For example, if a user uploads a large image, you may want to reduce its resolution, crop it, compress it, etc. before allowing the storage adapter to save it. You may also want to convert to another content type or change the filename or encrypt the file. You can do all of this by defining stream transformations on a store.
The most common type of transformation is a "write" transformation, that is,
a function that changes the data as it is initially stored. You can define
this function using the transformWrite option on any store constructor. If the
transformation requires a companion transformation when the data is later read
out of the store (such as encrypt/decrypt), you can define a transformRead
function as well.
For illustration purposes, here is an example of a transformWrite function that doesn't do anything:
transformWrite: function(fileObj, readStream, writeStream) {
readStream.pipe(writeStream);
}The important thing is that you must pipe the readStream to the writeStream before returning from the function. Generally you will manipulate the stream in some way before piping it.
A common use for transformWrite is to manipulate images before saving them.
To get this set up:
- Install GraphicsMagick or ImageMagick on your development machine and on any server that will host your app. (The free Meteor deployment servers do not have either of these, so you can't deploy to there.) These are normal operating system applications, so you have to install them using the correct method for your OS. For example, on Mac OSX you can use
brew install graphicsmagickassuming you have Homebrew installed. - Add the
graphicsmagickMeteor package to your app:mrt add graphicsmagick
The following are some examples.
Images = new FS.Collection("images", {
stores: [
new FS.Store.FileSystem("images"),
new FS.Store.FileSystem("thumbs", {
transformWrite: function(fileObj, readStream, writeStream) {
// Transform the image into a 10x10px thumbnail
gm(readStream, fileObj.name).resize('10', '10').stream().pipe(writeStream);
}
)
],
filter: {
allow: {
contentTypes: ['image/*'] //allow only images in this FS.Collection
}
}
});Note that this example requires the cfs-filesystem package.
To convert every file to a specific image format, you can pass a GraphicsMagick format string to the stream method, but you will also need to alter the FS.File instance as necessary before returning from the function.
Images = new FS.Collection("images", {
stores: [
new FS.Store.FileSystem("images"),
new FS.Store.FileSystem("thumbs", {
transformWrite: function(fileObj, readStream, writeStream) {
// Transform the image into a 10x10px PNG thumbnail.
// We must change the name and type, but the new size
// will be automatically detected and set.
fileObj.copies.thumbs.name = FS.Utility.setFileExtension(fileObj.copies.thumbs.name, 'png');
fileObj.copies.thumbs.type = 'image/png';
gm(readStream).resize(60).stream('PNG').pipe(writeStream);
}
)
],
filter: {
allow: {
contentTypes: ['image/*'] //allow only images in this FS.Collection
}
}
});You may want to adjust a bunch of images that you've already stored. This can be done easily by streaming out of the store and then back into it. The following example is for illustration purposes, but you should not use it on production data unless you have a throttled queue in a separate process or only a very small number of images.
Images.find().forEach(function (fileObj) {
var readStream = fileObj.createReadStream('images');
var writeStream = fileObj.createWriteStream('images');
gm(readStream).swirl(180).stream().pipe(writeStream);
});Note that you could also pipe the readStream from one store to the writeStream from another store to move files between stores, for example if you decide to use a different storage adapter and need to quickly and easily migrate the data. (We have not tested this, but it should be possible.)
You may specify filters to allow (or deny) only certain content types,
file extensions, or file sizes in a FS.Collection. Use the filter option.
Images = new FS.Collection("images", {
filter: {
maxSize: 1048576, //in bytes
allow: {
contentTypes: ['image/*'],
extensions: ['png']
},
deny: {
contentTypes: ['image/*'],
extensions: ['png']
},
onInvalid: function (message) {
if (Meteor.isClient) {
alert(message);
} else {
console.log(message);
}
}
}
});To be secure, this must be added on the server; however, you should use the filter
option on the client, too, to help catch many of the disallowed uploads there
and allow you to display a helpful message with your onInvalid function.
You can mix and match filtering based on extension or content types. The contentTypes array also supports "image/*" and "audio/*" and "video/*" like the "accepts" attribute on the HTML5 file input element.
If a file extension or content type matches any of those listed in allow,
it is allowed. If not, it is denied. If it matches both allow and deny,
it is denied. Typically, you would use only allow or only deny,
but not both. If you do not pass the filter option, all files are allowed,
as long as they pass the tests in your FS.Collection.allow() and
FS.Collection.deny() functions.
The extension checks are used only when there is a filename. It's possible to upload a file with no name. Thus, you should generally use extension checks only in addition to content type checks, and not instead of content type checks.
The file extensions must be specified without a leading period. Extension matching is case-insensitive.
File uploads and downloads can be secured using standard Meteor allow
and deny methods. To best understand how CollectionFS security works, you
must first understand that there are two ways in which a user could interact
with a file:
- She could view or edit information about the file or any custom metadata you've attached to the file record.
- She could view or edit the actual file data.
You may find it necessary to secure file records with different criteria from that of file data. This is easy to do.
Here's an overview of the various ways of securing various aspects of files:
- To determine who can see file metadata, such as filename, size, content type,
and any custom metadata that you set, use normal Meteor publish/subscribe
to publish and subscribe to an
FS.Collectioncursor. This does not allow the user to download the file data. - To determine who can download the actual file, use "download" allow/deny functions. This is a custom type of allow/deny function provided by CollectionFS. The first argument is the userId and the second argument is the FS.File being requested for download.
- To determine who can set file metadata, insert files, and upload file data, use "insert" allow/deny functions.
- To determine who can update file metadata, use "update" allow/deny functions.
- To determine who can remove files, which removes all file data and file metadata, use "remove" allow/deny functions.
To secure a file based on a user "owner" or "role" or some other piece of custom metadata, you must set this information on the file when originally inserting it. You can then check it in your allow/deny functions.
var fsFile = new FS.File();
fsFile.attachData(event.target.files[0]);
fsFile.owner = Meteor.userId();
fsCollection.insert(fsFile, function (err) {
if (err) throw err;
});Note that you will want to verify this owner metadata in a deny function
since the client could put any user ID there.
When you need to insert a file that's located on a client, always call
myFSCollection.insert on the client. While you could define your own method,
pass it the fsFile, and call myFSCollection.insert on the server, the
difficulty is with getting the data from the client to the server. When you
pass the fsFile to your method, only the file info is sent and not the data.
By contrast, when you do the insert directly on the client, it automatically
chunks the file's data after insert, and then queues it to be sent chunk by
chunk to the server. And then there is the matter of recombining all those
chunks on the server and stuffing the data back into the fsFile. So doing
client-side inserts actually saves you all of this complex work, and that's
why we recommend it.
Calling insert on the server should be done only when you have the file somewhere on the server filesystem already or you're generating the data on the server.
Some of the API methods are designed to be usable as UI helpers.
Returns the HTTP file URL for the current FS.File.
Use with an FS.File instance as the current context.
Specify a store attribute to get the URL for a specific store. If you don't
specify the store name, the URL will be for the copy in the first defined store.
{{#each images}}
URL: {{url}}
<img src="{{url store='thumbnail'}}" alt="thumbnail">
{{/each}}Returns true if the copy of this file in the specified store has an image content type. If the file object is unmounted or was not saved in the specified store, the content type of the original file is checked instead.
Use with an FS.File instance as the current context.
{{#if isImage}}
{{/if}}
{{#if isImage store='thumbnail'}}
{{/if}}Returns true if the copy of this file in the specified store has an audio content type. If the file object is unmounted or was not saved in the specified store, the content type of the original file is checked instead.
Use with an FS.File instance as the current context.
{{#if isImage}}
{{/if}}
{{#if isImage store='thumbnail'}}
{{/if}}Returns true if the copy of this file in the specified store has a video content type. If the file object is unmounted or was not saved in the specified store, the content type of the original file is checked instead.
Use with an FS.File instance as the current context.
{{#if isImage}}
{{/if}}
{{#if isImage store='thumbnail'}}
{{/if}}Returns true if all the data for the file has been successfully received on the server. It may not have been stored yet.
Use with an FS.File instance as the current context.
{{#with fileObj}}
{{#if isUploaded}}
{{/if}}
{{/with}}CollectionFS automatically mounts an HTTP access point that supports secure GET, PUT, HEAD, and DELETE requests for all FS.Collection instances.
To change the base URL for the endpoints:
common.js
FS.HTTP.setBaseUrl('/files');It's important to call this both on the server and on the client. Also be sure that the resulting URL will not conflict with other resources.
To add custom headers for files returned by the GET endpoint:
server.js or common.js
FS.HTTP.setHeadersForGet([
['Cache-Control', 'public, max-age=31536000']
]);- When you insert a file, a worker begins saving copies of it to all of the
stores you define for the collection. The copies are saved to stores in the
order you list them in the
storesoption array. Thus, you may want to prioritize certain stores by listing them first. For example, if you have an images collection with a thumbnail store and a large-size store, you may want to list the thumbnail store first to ensure that thumbnails appear on screen as soon as possible after inserting a new file. Or if you are storing audio files, you may want to prioritize a "sample" store over a "full-length" store.
The following code examples will get you started with common tasks.
In client code:
Template.myForm.events({
'change .myFileInput': function(event, template) {
FS.Utility.eachFile(event, function(file) {
Images.insert(file, function (err, fileObj) {
//If !err, we have inserted new doc with ID fileObj._id, and
//kicked off the data upload using HTTP
});
});
}
});Note that this works regardless of whether the file input accepts multiple files.
Install the ui-dropped-event package. It adds the dropped event to the Meteor templates.
Note the
FS.Utility.eachFileutility function - it supports files from both<input>anddroppedfiles.
Template
<div id="dropzone" class="dropzone">
<div style="text-align: center; color: gray;">Drop file to upload</div>
</div>Javascript
Template.hello.events({
// Catch the dropped event
'dropped #dropzone': function(event, temp) {
console.log('files dropped');
FS.Utility.eachFile(event, function(file) {
Images.insert(file, function (err, fileObj) {
//If !err, we have inserted new doc with ID fileObj._id, and
//kicked off the data upload using HTTP
});
});
}
});In either client or server code:
Images.insert(url, function (error, fileObj) {
//If !error, we have inserted new doc with ID fileObj._id, and
//remote URL data will be downloaded and stored on the server. The
//URL must support a HEAD request since we do one to get the
//content type, size, etc. for filtering inserts.
});On the server, you can omit the callback and the method will block until the data download and insert are both complete. Then it will return the new FS.File instance.
var newFileObj = Images.insert(url);On the client, you can omit the callback if you don't need to access the resulting FS.File instance, and any errors will be thrown.
When you pass a URL directly to insert, the filename will be extracted
from the end of the URL string, but only if it ends with an extension. Otherwise
filename will be null. If you want to avoid a null filename, you will have to
explicitly attach the URL to a new FS.File instance and set the name:
var newFile = new FS.File();
newFile.attachData(url, function (error) {
if (error) throw error;
newFile.name = "newImage.png";
Images.insert(newFile, function (error, fileObj) {
//If !error, we have inserted new doc with ID fileObj._id, and
//remote URL data will be downloaded and stored on the server. The
//URL must support a HEAD request since we do one to get the
//content type, size, etc. for filtering inserts.
});
});You can set any additional properties on your file object before inserting. To avoid conflicts with built-in properties and method names, you may want to group them in one object property, like metadata. For example,
with a file input:
Template.myForm.events({
'change .myFileInput': function(event, template) {
FS.Utility.eachFile(event, function(file) {
var newFile = new FS.File(file);
newFile.metadata = {foo: "bar"};
Images.insert(newFile, function (err, fileObj) {
//If !err, we have inserted new doc with ID fileObj._id, and
//kicked off the data upload using HTTP
});
});
}
});Knowing the file's _id, you can call update on the FS.Collection instance:
myFSCollection.update({_id: fileId}, {$set: {'metadata.foo': 'bar'}});If you have the FS.File instance, you can call update on it:
myFsFile.update({$set: {'metadata.foo': 'bar'}});