A resilient, cross-platform filesystem API that has a bunch of little pluses. Built on top of fs-extra and apido.
An API for the file system that can be used from a REST-like interface (or sockets). It does arguments checking, is pluggable in an express server, is self documenting. It also fetches additional information about files that is not available with the regular stat
.
It also has a 'collection' interface that allows you to bundle files into collections (virtual directories). Collections can be nested in collections.
It does it's best to be cross-platform and resilient to Ms Windows idiosyncrasies.
promised equivalent to fs-extra, with a few key differences:
- All async functions are promisified by default (but you can opt out of that)
- Async and sync versions are on two different objects. To use async functions, require
('fs-meta')
, and for sync versions, require('fs-meta').sync
readDir
is a proxy forreaddir
(finally, no more stupid typos).exists
is made to follow nodeback protocol (eg:fsm.exists(file,(err,exists))
) and is as such promisified too- Bundles readdirp available on
fsm.readdirp
- Can read meta-data from audio, images files, and load data from json/xml filesni/yaml files. You can add your own filters
- Can recurse through a directory and apply filters to files
- Can create an instance of
fsm
restricted to a certain directory (all operations will therefore take root into this directory). The feature is calledboxed
. - It has a text interface that always returns json. Can be used for GET requests or command-line
- All methods are self-scoped. In other words, you can do
import {readFile} from 'fs-meta'
install:
npm install --save fs-meta
Then:
var fsm = require('fs-meta');
fsm.readFile('path/to/file')
.then(contents=>console.log(contents))
.error(err=>throw err);
or sync:
var fsm = require('fs-meta').sync;
var contents = fsm.readFile('path/to/file');
//etc
or without promises:
var fsm = require('fs-meta').unpromised;
//functionally a drop-in replacement for fs.
fsm.readFile('path/to/file',function(err,contents){
//etc
})
or as an api:
fsm.makeAPI(rootDir)
.then(api=>api.runCommand('readdir',['/']))
.then(answer=>{
console.log(answer.result) // array of files
})
.error(done)
rename
ftruncate
truncate
chown
fchown
lchown
chmod
fchmod
lchmod
stat
lstat
fstat
link
symlink
readlink
realpath
unlink
rmdir
mkdir
readdir
close
open
utimes
futimes
fsync
write
read
readFile
writeFile
appendFile
watchFile
unwatchFile
watch
access
copy
createOutputStream
emptyDir
ensureFile
ensureDir
ensureLink
ensureSymlink
mkdirs
move
outputJson
readJson
remove
writeJson
function operation(filePath,stats,options,next){
doSomethingWithFile(filePath,(err)=>{
if(err){return next(err);}
return next();
});
}
var options = {
depth:10 //defaults to infinity
, lstat:false // if true, uses lstat instead of stat
}
fsm.traverse(path,options,operation)
.then(()=>console.log('done'))
.error(err=>throw err)
Directories' files are traversed first, and their parent directory last.
There is no sync version of this method.
returns a stream, see readdirp
function operation(fileInfo){
doSomethingWithFile(fileInfo);
}
var options = {
depth:10 // defaults to 1
, lstat:false // if true, readdirp uses fsm.lstat instead of fsm.stat in order to stat files and includes symlink entries in the stream along with files
, fileFilter:null //filter to include/exclude files found
, directoryFilter: null//filter to include/exclude directories found and to recurse into
, entryType: 'both' //determines if data events on the stream should be emitted for 'files', 'directories', 'both', or 'all'. Setting to 'all' will also include entries for other types of file descriptors like character devices, unix sockets and named pipes. Defaults to 'files'.
}
fsm.readdirp(path,options,operation)
.then(()=>console.log('done'))
.error(err=>throw err)
Differences with traverse
:
- readdirp will not process the root directory
- The default depth is 1, not infinity
- You do not need to call
next()
for the processing to continue
There is no synchronous version of this method.
Similar to stats
, but with three differences:
- If
options.followSymLinks
istrue
, it will automatically follow symlinks, and provide stats for both the symlink and the symlinked file - The stats object emitted is a pure object, without functions, and suitable for json storage. It also has additional properties
- if the array
options.filters
exists, filters provided will be run one by one on each file.
var collectedJson = []
var options = {
lstat:true // false will use stat instead of lstat
, followSymLinks:true // does nothing if `lstat` is false
, root:'' // if set, all paths will be truncated to this root dir
, filters:[
fsm.filters.fileSize
, fsm.filters.image
, function(stat,options,next,fs){
if(stat.extension == 'json'){
collectedJson.push(stat);
stat._isCollected = true;
}
next(null,stat);
}
]
}
fsm.getMeta(__dirname,options)
.then(()=>console.log(done))
.error(err=>throw err)
Available filters and stat object are described below.
There is no synchronous version of this method.
Bundles getMeta
and traverse
.
Options are:
lstat
: iftrue
, will use 'lstat' instead of 'stat'. Defaults totrue
.followSymLinks
: iftrue
, will follow symlinks and append the real file info to the symlink info. Defaults totrue
.filters
an array of filters to apply. Defaults to an empty arraydepth
: how many recursions before stopping. Defaults toInfinity
.
Just like in fsm.recurse
, filters are applied to files first, and parent directories last. This allows any changes in the directory to be operated before you operate on the directory itself.
var options = {
lstat:true // false will use stat instead of lstat
, followSymLinks:true // does nothing if `lstat` is false
, depth:10
, root:__dirname // if set, all paths will be truncated to this root dir
, filters:[
fsm.filters.fileSize
, fsm.filters.image
]
}
fsm.getMetaRecursive(__dirname,options)
.then(files=>console.log(files))
.error(err=>throw err)
getMetaRecursive
returns an object {indexes,files}
Directories have a file
array containing indexes of files in the returned array.
Example of returned object:
{
indexes:{
'directory/file.extension':0
, 'directory':1
}
files:[
{
isFile:true
, filename:'file.extension'
//other regular properties
}
, {
isDirectory:true
, filename:'directory'
, files:[0]
//other regular properties
}
]
}
Transforms a native node stats object into the json object described above. Used internally by getMeta
and getMetaRecursive
. The description of the stat object is below.
creates a new instance of fs-meta that is constrained to the given rootDirPath
.
rootDirPath
: root directory for all operationsoptions
: an object that may contain the following properties:sync
: iftrue
, will provide a sync version of fs-meta (that is, all methods will be sync methods);unpromised
: if true, will return regular nodebacks-accepting functionsfilters
: an array of filters to apply by default togetMeta
andgetMetaRecursive
methods
: an object of methods that map to fsm methods. Each method provided will wrap the fsm method and be provided with athis.super
that allows it to call the original method.
var boxedFsm = fsm.boxed(path.join(__dirname,'public'));
boxedFsm.readdir('js'),then()//...etc
// or:
var boxedFsmNoPromises = fsm.boxed(path.join(__dirname,'public'),{unpromised:true});
boxedFsmNoPromises.readdir('js',function(err,files){})//...etc
//or:
var boxedFsmSync = fsm.boxed(path.join(__dirname,'public'),{sync:true});
var files = boxedFsmSync.readdir('js')//...etc
Example of method wrapping:
var options = {
methods:{
stat(filename,cb){
console.log(`stat called for ${filename}`)
this.super(filename,(err,stat)=>{
if(err){cb(err);}
stat.someNewProperty = 'property';
cb(null,stat);
})
}
}
});
fsm.boxed(dir,options).stat('some/path')
.then(stat=>{
// stat.someNewProperty = 'property'
})
.error(/**...**/)
;
Creates an api through apido. apido needs to be installed:
npm install --save apido
import {boxed} from 'fs-meta';
import {apiFactory} from 'fs-meta/src/api'; //(or fs-meta/lib/api) if not using ES6
apiFactory(boxed(rootDir),{})
.then(api=>{
//api is ready
})
.error(done)
options is an object and may contain:
separator
: a string that specifies the separator between arguments. Defaults to ':'commandSeparator
: a string that specifies the separator between a command and arguments. Defaults to '/'- All other options are transferred to
fsm.boxed
whichapiFactory
uses internally
returns a function api
of the following signature:
apiFactory(__dirname)
.then(api=>{
return api.run(commandName,args)
})
.then(answer=>{
console.log(answer)
})
.error(err=>{throw err;})
where:
commandName
is any fsm commandargs
is an array or object of arguments
For more info, check out the readme at apido
note: all errors returned by api
, api.run
and api.middleware
are json objects.
Instead of using the default apiFactory
provided, you can compose your own. This would allow you to add your own commands and customizations:
import apido from 'apido'
import {boxed} from 'fs-meta'
import commandsProps from 'fs-meta/src/api/commands'; //apido-compatible list of commands
const fs = boxed('/some/dir');
const additionalMethods = [
{
name:'addTodo'
, parameters:[]
, run(props,cb){}
}
]
function makeAPI(cb){
apido({
name:'fs'
, description:'file system manager'
, commands:commandsProps.map(command=>command(fs)).concat(additionalMethods)
})
.then(api=>cb(null,api))
.error(cb)
}
note: you're better off importing from fs-meta/lib
than fs-meta/src
, unless you call babel in this fashion:
require('babel/register')({
ignore:/node_modules\/(?!fs-meta)/
});
// or, on the command-line:
// babel-node --ignore '/node_modules/(?fs-meta)' script.js
Provides a copy of fs-meta, but with all sync methods.
Provides a copy of fs-meta, but with regular methods instead of methods returning promises.
Pre-made filters for usage in getMeta
and getMetaRecursive
. Filters are described below.
The meta
object used in getMeta
and getMetaRecursive
contains the following properties:
basename
: the name of the file, without extensionfilename
: the name of the file, with extensionpath
: the full path of the filedirname
: path, without the file itselfextension
: extension, without the dot, lower casedisFile
:booleanisDirectory
:booleanisBlockDevice
:booleanisCharacterDevice
:booleanisSymbolicLink
:boolean (always false iflstat
wasn't used)isFIFO
:booleanisSocket
:booleanisHidden
: posix systems only: true if the filename begins with a dotmimeType
: mime type of the file, directories are'inode/directory'
, unknown mime types areapplication/octet-stream'
mime
:the mime type split at '/'. So'image/jpeg'
becomes['image','jpeg']
.- And all the stuff ported directly from the regular stat object:
dev
,ino
,mode
,nlink
,uid
,gid
,rdev
,size
,blksize
,blocks
,atime
,mtime
,ctime
,birthtime
This object is augmented by the filters that get applied.
A filter has the following signature:
function customFilter(meta,options,next,fs){
trySomething(meta,(err,properties){
if(err){return next(err);}
meta.newProperty = properties.newProperty;
next(null,meta);
})
}
meta
is the transformedmeta
object described aboveoptions
is whatever you passed togetMeta
orgetMetaRecursive
. You may add your own properties, if you want to.next
is the function you should call when you're done processing. It is a regular nodeback, call it witherror
as the first argument, or themeta
object as the second argument.fs
is agraceful-fs
instance (in other words, no promises or additional functions are available on this instance).
All filters are exposed on fsm.filters
. They require dependencies that are not included by default. To install all dependencies, do
npm install --save exif-parser filesize id3js image-size ini js-yaml xml2js
reads json, xml, ini, and yaml files, and appends any data found to a property called data
.
Needs:
npm install --save ini js-yaml xml2js
example data:
stat = {
//normal stat properties
, data:{
//json parsed data from the file
}
}
reads exif properties from jpegs
npm install --save exif-parser
example data:
stat = {
// normal stat properties...
, "exif": {
"image": {
"Orientation": 1,
"XResolution": 200,
"YResolution": 200,
"ResolutionUnit": 2,
"Software": "Adobe Photoshop CS Windows",
"ModifyDate": "2004:05:20 20:21:43",
"ExifOffset": 164
},
"thumbnail": {
"Compression": 6,
"XResolution": 72,
"YResolution": 72,
"ResolutionUnit": 2,
"ThumbnailOffset": 302,
"ThumbnailLength": 4438
},
"exif": {
"ColorSpace": 65535,
"ExifImageWidth": 2269,
"ExifImageHeight": 1535
},
"gps": {},
"interoperability": {},
"makernote": {}
}
}
adds human-readable file size to the object
Needs:
npm install --save filesize
example data:
var stat = {
// normal stat properties...
, humanSize:'12Mb'
}
Reads id3 data from mp3s
Needs:
npm install --save id3js
example data:
var stat = {
// normal stat properties...
, tags:{
"title": "Allegro from Duet in C Major",
"album": "Some Album",
"artist": "Someone",
"year": "2000",
"v1": {
"title": "Allegro from Duet in C Major",
"artist": "Someone",
"album": "Some Album",
"year": "2000",
"comment": "",
"track": 1,
"version": 1.1,
"genre": "Classical"
},
"v2": {
"version": [4,0],
"title": "Allegro from Duet in C Major",
"artist": "Someone",
"album": "Some Album",
"genre": "Classical",
"recording-time": "2000",
"track": "1",
"copyright": "",
"language": "",
"publisher": ""
}
}
}
Reads image size from bmps, gifs, jpegs, pngs, psds, tiffs, webps, and svgs
Needs:
npm install --save image-size
example data:
var stat = {
// normal stat properties...
, size:{
"height": 1535,
"width": 2269,
"type": "jpg"
},
}
Reads contents from txt, html, info, md, markdown, json, xml, ini, yaml, and css
example data:
var stat = {
// normal stat properties...
, contents:'utf-8 string representation of the file contents'
}
Adds a "types" array to the stat object, which may in certain cases be more useful than the mime types.
example data:
var stat = {
// normal stat properties...
, types:['directory']
}
types possible are:
'data'
: for json,xml,ini, and yaml files'text'
: for txt,html,info,md,markdown,json,xml,ini,yaml,css files'formatted'
: for html,md, and markdown files'archive'
: for zip,rar,tar,gz, and lzh files'audio'
: for wav,mp3, and ogg files'image'
: for bmp,gif,jpeg,png,psd,tiff,webp,ico, and svg files'bitmap'
: for bmp,gif,jpeg,png,psd,tiff,webp, and ico files'vector'
: for svg files
Types rack up, so an svg files with get types:['image','vector']
, and a json file will get types:['data','text']
.
npm install --dev
tests:
npm test
Compile:
npm run compile
Copyright © Jad Sarout
Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the “Software”), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions:
The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software.
THE SOFTWARE IS PROVIDED “AS IS”, WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.