Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Recursive directory creation for Node.js 0.5.x

I have a function that downloads a file and saves it in a nested directory structure based on parameters sent to it (ex: ./somedir/a/b/c or ./somedir2/a/d/b). I cannot trust that any directory along the way has been created so I need to have each directory along the filepath checked and created if it doesn't exist. Now, I have some code that works perfectly for Node 0.4.x, but something has broken in at least the Windows version of Node 0.5.x (tested on 0.5.10 specifically).

I am terrible with understanding filesystems, so if someone could figure out how I could make this work or replace it with something else that works similarly, I would very much appreciate it. The goal is to have code that would function properly on both Unix and Windows as well as Node 0.4.x and 0.5.x.

// automatically create directories if they do not exist at a path
function mkdirs(_path, mode, callback) {
  var dirs = _path.split("/");
  var walker = [dirs.shift()];

  var walk = function (ds, acc, m, cb) {
    if (ds.length > 0) {
      var d = ds.shift();
      acc.push(d);
      var dir = acc.join("/");

      fs.stat(dir, function (err, stat) {
        if (err) {
          // file does not exist
          if (err.errno == 2) {
            fs.mkdir(dir, m, function (erro) {
              if (erro && erro.errno != 17) {
                terminal.error(erro, "Failed to make " + dir);
                return cb(new Error("Failed to make " + dir + "\n" + erro));
              } else {
                return walk(ds, acc, m, cb);
              }
            });
          } else {
            return cb(err);
          }
        } else {
          if (stat.isDirectory()) {
            return walk(ds, acc, m, cb);
          } else {
            return cb(new Error("Failed to mkdir " + dir + ": File exists\n"));
          }
        }
      });
    } else {
      return cb();
    }
  };
  return walk(dirs, walker, mode, callback);
};

Example Usage:

mkdirs('/path/to/file/directory/', 0777, function(err){

EDIT: Update for Node 0.8.x (in CoffeeScript):

# 
# Function mkdirs
# Ensures all directories in a path exist by creating those that don't
# @params
#    path:      string of the path to create (directories only, no files!)
#    mode:      the integer permission level
#    callback:  the callback to be used when complete
# @callback
#    an error object or false
#
mkdirs = (path, mode, callback) ->
  tryDirectory = (dir, cb) ->
    fs.stat dir, (err, stat) ->
      if err #the file doesn't exist, try one stage earlier then create
        if err.errno is 2 or err.errno is 32 or err.errno is 34
          if dir.lastIndexOf("/") is dir.indexOf("/") #only slash remaining is initial slash
            #should only be triggered when path is '/' in Unix, or 'C:/' in Windows
            cb new Error("notfound")
          else
            tryDirectory dir.substr(0, dir.lastIndexOf("/")), (err) ->
              if err #error, return
                cb err
              else #make this directory
                fs.mkdir dir, mode, (error) ->
                  if error and error.errno isnt 17
                    cb new Error("failed")
                  else
                    cb()
        else #unkown error
          cb err
      else
        if stat.isDirectory() #directory exists, no need to check previous directories
          cb()
        else #file exists at location, cannot make folder
          cb new Error("exists")
  path = (if path.indexOf("\\") >= 0 then path.replace("\\", "/") else path) #change windows slashes to unix
  path = path.substr(0, path.length - 1)  if path.substr(path.length - 1) is "/" #remove trailing slash
  tryDirectory path, callback
like image 402
geoffreak Avatar asked Oct 24 '11 03:10

geoffreak


People also ask

How do I create a directory in node JS?

In a Node. js application, you can use the mkdir() method provided by the fs core module to create a new directory. This method works asynchronously to create a new directory at the given location.

What is DIR in node JS?

__dirname is an environment variable that tells you the absolute path of the directory containing the currently executing file. In this article, you will explore how to implement __dirname in your Node. js project.


2 Answers

function mkdir(path, root) {

    var dirs = path.split('/'), dir = dirs.shift(), root = (root || '') + dir + '/';

    try { fs.mkdirSync(root); }
    catch (e) {
        //dir wasn't made, something went wrong
        if(!fs.statSync(root).isDirectory()) throw new Error(e);
    }

    return !dirs.length || mkdir(dirs.join('/'), root);
}

usage:

var fs = require('fs');
mkdir('parent/child/grandchild');
like image 149
alzclarke Avatar answered Sep 27 '22 20:09

alzclarke


Take a look at node-fs (https://npmjs.org/package/node-fs).

node-fs is an extension to the original nodejs fs library, offering new functionalities, such as recursive directory creation.

like image 23
bpedro Avatar answered Sep 27 '22 20:09

bpedro