Blog post cover
Arek Nawo
02 May 2019
12 min read

Node.js File System API - beginner-friendly guide

Continuing the Node.js inside-out! series, today we’ll be taking a closer look at the File System API - one of the biggest Node.js APIs there is! Just a note - we’re using Node.js LTS v10.15.3. Now, without further ado, let’s dive in!

File System API

Accessing file system, managing and editing files is probably one of the most important tasks that are done on the server-side. Thus, Node.js is deemed to provide such functionality. It does so in the form of File System (FS) API, containing a vast number of methods and properties. While casual use of this API is usually limited to just reading and writing files, there’s still much, much more to discover…

Asynchronous nature

Operations performed on files can take a while. With JS single-threaded nature, it’s a no-brainer that FS API provides a solution for that problem, in the form of asynchronicity. Thus, all methods, related to reading and writing have both asynchronous and synchronous versions. As async is definitely a better solution for such cases, it’s the sync versions of the methods that have proper -Sync suffix. You should keep in mind that the use of sync methods is just highly not-recommended and, when used, will block the main thread from performing any other operations. Just use them with care (and only if you really have to)!

For the reasons described above, we’ll be focusing only on asynchronous methods of the API. Their sync counterparts will look very similar (except callback and return value) and you can always check out the official docs if you want to know more.

Reading

Access check

The process of reading, or as some might say accessing the file is relatively the simplest of all FS-related processes. But, before reading the file itself, it’s a good practice to check if it’s even available with [fs.access()](https://nodejs.org/dist/latest-v10.x/docs/api/fs.html#fs_fs_access_path_mode_callback) method.

const fs = require("fs");

fs.access("file.js", fs.constants.F_OK, err => {
    console.log(err ? "Doesn't exist" : "Exists");
});

Like many other FS methods, fs.access() takes a file path as the first parameter. When passing this argument, you should remember that it almost always has 3 acceptable forms - string, buffer, and URL object.

const pathStr = "file.js";
const pathBuff = Buffer.from("file.js");
const pathURL = new URL("file:///current/dir/file.js");

The string and Buffer form can represent both relative and absolute paths, while URL is restricted to the usage of file: protocol and absolute paths only. The data type that you’ll represent your path in will depend on your use-cases, defaulting most likely to the string form. Also, there are some quirks with Windows and the way that it handles absolute paths and drives’ letters - more on that in the docs.

The second optional argument usually called mode can be used to define what type of access rights you need for the given file. It can be e.g. read, write access or just a simple check if the file exists. It’s represented with an integer and thus, with fs.access() method in mind, you’ll usually use File Access Constants, accessed through [fs.constants](https://nodejs.org/dist/latest-v10.x/docs/api/fs.html#fs_fs_constants_1) to set it. These are F_OK, R_OK, W_OK, and X_OK indicating file visibility (if it even exists), read rights, write rights and executions rights respectively.

Lastly, you need to pass a callback that always provides you with an error if something went wrong and nothing otherwise. Thus, if there’s no error thrown, you can be sure that you’ve got the correct access to the file.

Reading files

With the correct results of the access check, you can continue to read the file. In Node.js it’s not harder than calling [fs.readFile()](https://nodejs.org/dist/latest-v10.x/docs/api/fs.html#fs_fs_readfile_path_options_callback). As arguments, you must pass the path to the file and callback, where you get access to your file’s data in a buffer format.

// ...
fs.readFile("file.js", (err, data) => {
    if (!err) {
        console.log(data); // <Buffer ...>
    }
});
// ...

But, data in buffer format isn’t really useful. Sure, you can still use it the way you want and e.g. parse it later, but let’s say that we want to access the content of the file in “text” format, meaning with standard utf8 encoding. For this purpose, we can utilize the optional options parameter and pass a string indicating the encoding or an object with encoding and flag properties. The second one should be a string consisting of available File System Flags, meaning e.g. "a" (append), "r" (read, default) or "w" (write).

// ...
fs.readFile("file.js", "utf8", (err, data) => {
    if (!err) {
        console.log(data); // file content
    }
});
// ...

Reading directories

Using fs.readFile() with directory paths isn’t recommended because of its platform-specific behavior (mostly error-throwing). Instead, you should use the respective [fs.readdir()](https://nodejs.org/dist/latest-v10.x/docs/api/fs.html#fs_fs_readdir_path_options_callback) method. In its form, this method is extremely similar to its file-reading counterpart - same arguments, just different optional parameters and lower-case letter in method’s name.

// ...
fs.readdir("some/dir", (err, entries) => {
    if (!err) {
        console.log(entries); // ["file1.js", "file2.js"]
    }
});
// ...

In the options object, encoding defaults to "utf8" now (set to "buffer" if you want buffers) and second, withFileTypes boolean being set to true, results in an array of [fs.Dirent](https://nodejs.org/dist/latest-v10.x/docs/api/fs.html#fs_class_fs_dirent) instances, providing useful info with methods such as .isDirectory(), .isFile(), or .isSymbolicLink().

// ...
fs.readdir("some/dir", {withFileTypes: true }, (err, entries) => {
    if (!err) {
        entries.forEach(entry => {
            console.log(entry.isFile()); // true
        });
    }
});
// ...

Speaking of linking, you can easily get its source path with [fs.readlink()](https://nodejs.org/dist/latest-v10.x/docs/api/fs.html#fs_fs_readlink_path_options_callback). Its form is similar to the previous methods, with optional object properties including only encoding, which defaults to "utf8".

// ...
fs.readlink("symlinkedFile.js", (err, link) => {
    if (!err) {
        console.log(link); // symlink source path 
    }
});
// ...

File descriptors

Last but not least, we have the [fs.open()](https://nodejs.org/dist/latest-v10.x/docs/api/fs.html#fs_fs_open_path_flags_mode_callback). It’s a lower-level method, used internally by almost all Node.js methods related to FS read and write. Given the path, string of system flags, optional mode number and callback function it can create, read or recreate file that will later be available to read, write or whatever, depending on the passed arguments. It’s important to know that in comparison to fs.access(), this method’s mode parameter can be set, again, with fs.constants (File Open Constants), but this time they’re starting with O_ - e.g. O_RDONLY, O_WRONLY.

// ...
fs.open("file.js", "r+", fs.constants.O_RDWR, (err, fd) => {
    if (!err) {
        console.log(fd);
    }
});
// ...

Again, this is a bit more lower-level method and you’ll most likely won’t be using it for everyday tasks. Here, one of the most important things is the value it returns - often named fd. It’s so-called file descriptor. It’s basically an integer ID for the given file. It’s very often referenced throughout FS module docs and used by other low-level methods, like [fs.read()](https://nodejs.org/dist/latest-v10.x/docs/api/fs.html#fs_fs_read_fd_buffer_offset_length_position_callback) or [fs.write()](https://nodejs.org/dist/latest-v10.x/docs/api/fs.html#fs_fs_write_fd_buffer_offset_length_position_callback) that interact with buffers more deeply. Again, we won’t cover them as you won’t really need them for most of FS tasks. But, what’s more interesting, file descriptors can also be used instead of paths for some FS methods, like fs.readFile().

// ...
fs.open("file.js", "r+", fs.constants.O_RDWR, (err, fd) => {
    if (!err) {
        fs.readFile(fd, "utf8", (err, data) => {
            if (!err) {
                console.log(data);
            }
        });
    }
});
// ...

File “opened” with fs.open() can later be “closed” with extremely simple [fs.close()](https://nodejs.org/dist/latest-v10.x/docs/api/fs.html#fs_fs_close_fd_callback) taking only file descriptor and a callback.

// ...
fs.close(fd, () => {
    if (!err) {
        // ...
    }
});
// ...

As you can see, reading files is quite easy. You just need to know a bit about these fs.constants and File System Flags. But even if, it’s only for more advanced used and modern TS-enabled IDE or code editor with autocompletion will most likely do the job of remembering them for you. Also, don’t let the examples above blind you - handling FS errors needs a bit more care than simple if-checks. And finally, if you wonder just why only the fs.readFile() is written in the camelCase (apart from -Sync counterparts), it’s because of what they represent. Methods written in camelCase are those implemented by Node.js itself, while the other ones are modeled after POSIX C functions. The same goes for all up-coming methods. Mind the single-worded ones!

Writing

In FS-related stuff, writing can be understood in two ways - either you’re writing some content to a file or you’re writing any kind of changes to the file system (including changing a file). Here, we’re going with the second, broader approach.

Writing files

Starting with a casual file’s content writing, we have the [fs.writeFile()](https://nodejs.org/dist/latest-v10.x/docs/api/fs.html#fs_fs_writefile_file_data_options_callback) method. Here, we provide the path of our writable file (or file descriptor), data to be written in the form of string or buffer and the callback function. The additional options object can include flag (File System Flags string - "w" by default), encoding for the data you provide (defaults to "utf8") and mode properties, or be a simple string that specifies the encoding only. But, most of the times you’ll be just fine without them.

// ...
fs.writeFile("file.js", "Data to be written", err => {
    if (!err) {
        console.log("Written");
    }
});
// ...

While fs.writeFile() completely wipes out the previous content of the file, the [fs.appendFile()](https://nodejs.org/dist/latest-v10.x/docs/api/fs.html#fs_fs_appendfile_path_data_options_callback) will do the job just fine when you want to append something to the file. It’s calling structure is almost the same as fs.writeFile() with the one, the single difference being that optional File System Flags string (file property) defaults to "a" to allow appending.

// ...
fs.appendFile("file.js", "Data to be appended", err => {
    if (!err) {
        console.log("Appended");
    }
});
// ...

Finally, you can also truncate the current content of the given file with [fs.truncate()](https://nodejs.org/dist/latest-v10.x/docs/api/fs.html#fs_fs_truncate_path_len_callback). It simply takes the path for a file and a number indicating to what length you want to truncate it to. Oh, and surely a callback.

// ...
fs.truncate("file.js", 10, err => {
    if (!err) {
        console.log("Truncated");
    }
});
// ...

If the provided length exceeds the lengths of the given file, it will be filled with null characters, leaving weird, most-likely unwanted chars in your files. You can’t use this method with file descriptors. For this, you can use its direct counterpart called [fs.ftruncate()](https://nodejs.org/dist/latest-v10.x/docs/api/fs.html#fs_fs_ftruncate_fd_len_callback).

Directories

Node.js also provides a set of methods related to changing/writing directories. One of which being well-known for many terminal users is [fs.mkdir()](https://nodejs.org/dist/latest-v10.x/docs/api/fs.html#fs_fs_ftruncate_fd_len_callback). It takes the path for your new directory, options object (optional) and a callback function. In options object, you can pass the mode property (again, for permissions and stuff) and recursive boolean indicating whether parent dirs leading to the one provided within your path should be created if they don’t already exist.

// ...
fs.mkdir("my/new/dir", {recursive: true}, err => {
    if(!err) {
        console.log("Created");
    }
});
// ...

If your new directory is meant to store only some temporary data, you should use the [fs.mkdtemp()](https://nodejs.org/dist/latest-v10.x/docs/api/fs.html#fs_fs_mkdtemp_prefix_options_callback) method. It’s a bit different from fs.mkdir(). Instead of a path, it has a prefix parameter, which is kind of like a path, but six random characters will be later added to it. Options object takes the encoding property (defaults to "utf8") which indicates the encoding for the processed path, but you can also use the string format. And finally, a callback (apart from standard err argument) is provided with the name for your new temporary directory.

const fs = require("fs");
const os = require("os");
const path = require("path");

fs.mkdtemp(path.join(os.tmpdir(), "mydir"), (err, tempDir) => {
  if (!err) {
    console.log(tempDir); // e.g. /tmp/mydirY4ciGj on Linux
  }
});

Just remember to follow a mindful practice of creating a temporary directory in your OS’s temporary folder - it won’t be done automatically!

Lastly, you can remove the given dir with simple [fs.rmdir()](https://nodejs.org/dist/latest-v10.x/docs/api/fs.html#fs_fs_mkdtemp_prefix_options_callback) call - standard stuff. Know that the directory should be empty before removal!

// ...
fs.rmdir("dir/to/remove", err => {
    if (!err) {
        console.log("Removed");
    }
});
// ...

Creating hard and symbolic links can also be considered as an activity of writing changes to FS. In Node.js you can create symlinks with a nice [fs.symlink()](https://nodejs.org/dist/latest-v10.x/docs/api/fs.html#fs_fs_symlink_target_path_type_callback) method. It takes the target and path for the link.

// ...
fs.symlink("target/to/symlink", "symlink/dir", err => {
    if (!err) {
        console.log("Symlinked");
    }
});
// ...

Only Windows needs to make life harder by requiring a type parameter that no other platform supports. It’s a string and can have a value of "dir", "file", or "junction", respecting the type of your symlink’s target.

Hard links can be created with [fs.link()](https://nodejs.org/dist/latest-v10.x/docs/api/fs.html#fs_fs_link_existingpath_newpath_callback) method, just like with fs.symlink() but with no Windows type parameter this time.

// ...
fs.link("target/to/link", "link/dir", err => {
    if (!err) {
        console.log("Linked");
    }
});
// ...

A link can be removed with the [fs.unlink()](https://nodejs.org/dist/latest-v10.x/docs/api/fs.html#fs_fs_unlink_path_callback) providing its path. Only file links work with this method. For directories use earlier mentioned fs.rmdir().

// ...
fs.unlink("link/dir", err => {
    if (!err) {
        console.log("Unlinked");
    }
});
// ...

Other changes

Beyond all goodness above, in Node.js you can also rename or copy your files. The first operation can be performed with [fs.rename()](https://nodejs.org/dist/latest-v10.x/docs/api/fs.html#fs_fs_rename_oldpath_newpath_callback) method, requiring nothing more than the current and new path… and a callback naturally.

// ...
fs.rename("file.js", "renamedFile.js", err => {
  if (!err) {
    console.log("Renamed");
  }
});
// ...

Copying files is a little more demanding and require you to use [fs.copyFile()](https://nodejs.org/dist/latest-v10.x/docs/api/fs.html#fs_fs_rename_oldpath_newpath_callback) method and pass not only source and destination paths but also some flags (optionally). These can be set with constants available at fs.constants (File Copy Constants) - COPYFILE_EXCL, COPYFILE_FICLONE, and COPYFILE_FICLONE_FORCE all referring to the relation between source and destination.

// ...
fs.copyFile("file.js", "dest.js", err => {
  if (!err) {
      console.log("Copied");
  }
});
// ...

Pause

Is that all? Well… of course not! There’s still a lot to cover, including all other methods, streams and even more Node.js goodness! Just, writing, as well as reading (IMHO) such a big article wouldn’t be a pleasant experience. Thus, remember that we’re not done yet and our exploration will continue in the future posts from this series.

So, do you like the article? Did it help you learn something new today? If so, please share it with others! Also, let me know what do you think in the comments and with a reaction below. If you want to stay up-to-date with the latest content from this blog (including this series and continuation of the article) be sure to sign up for the weekly newsletter and follow me on Twitter or on my Facebook page. As always, thank you for reading this post and have a nice day!

If you need

Custom Web App

I can help you get your next project, from idea to reality.

© 2024 Arek Nawo Ideas