In JavaScript (Node.js), how do I read a text file from a different directory and store into a string?

; Date: Sun Jun 18 2017

Tags: Node.JS

Built-in to Node.js are a few packages providing core services, including the "fs" package. As the name implies, it interfaces with the file-system, and among its functions is readFile that reads a file completely into memory. So, the short answer to this question is to simply call fs.readFile but we should take a longer look than that.

The first little caveat is the phrase "from a different directory" in the question. That requires we also familiarize ourselves with the path package, because of the path.join function.

const path = require('path');
const fs   = require('fs');

const srcdirectory = "path/to/some/where";
const file2read    = "file.txt";

const text = fs.readFileSync(path.join(srcdirectory, file2read), 'utf8');

The path.join function joins two strings as directory path names. We use it rather than srcdirectory+'/'+file2read because path.join ensures correctness. It knows when it's running on Windows where the slashes go the wrong way around, and it knows to check for slashes before blindly inserting one.

That second parameter is, however, making a huge assumption that you're reading a text file and that the text can be encoded in utf8.

That second argument is the options argument, and when used this way it signifies the text encoding. It can also be an object, and I recommend reading the documentation.

The glaring thing about this code snippet is that it is synchronous (fs.readFileSync). Node.js famously follows an asynchronous programming model. Reading text from a file inherently takes a long time (for a computer), during which time that Node.js process could be doing other things.

Typical Node.js code would do that function in this way:

const path = require('path');
const fs   = require('fs');

const srcdirectory = "path/to/some/where";
const file2read    = "file.txt";

fs.readFile(path.join(srcdirectory, file2read), 'utf8', (err, text) => {
    if (err) ... do something with the error;
    else {
        ... do something with the text;
    }
});

The key observation behind Node.js's very existence is the time difference between local memory access and other operations that take awhile, such as reading a file from disk or making a database query. A "blocking" operation, where execution has to wait for a long-running request to finish, does bad things to throughput of a network server handling thousands of requests a minute. Typical architecture for such servers is to rely on threads to handle lots of requests, but that carries with it lots of memory/processing overhead not to mention how tricky it is to get multi-threaded systems to work right.

Instead, Node.js paradigm is that when the result is ready it will invoke the provided callback function. That way Node.js can get back to the business of handling requests with very little overhead.

The cost is that the resulting value lands in an inconvenient place. Rather than landing at the next line of code, it's inside a callback function.

The newest version of Node.js, v8.x, includes native support for async/await functions. This is an amazing advance that tames asynchronous programming patterns in Node.js, making it a little bit like synchronous coding patterns in other languages.

const path = require('path');
const fs   = require('fs');

async function readFile(srcdirectory, file2read) {
    const text = await new Promise((resolve, reject) => {
        fs.readFile(path.join(srcdirectory, file2read), 'utf8', (err, text) => {
            if (err) reject(err);
            else resolve(text);
        });
    });
    ... do something with text;
    return text;
}

readFile("path/to/some/where", "file.txt")
.then(text => {
    ... do something with text
})
.catch(err => {
    console.error(err);
});

Inside an async function, asynchronous code must either return a Promise or else be called within the Promise object as shown here. A Promise is a new way of handling code that will execute in the future. Once the result of the code is known you either call reject to indicate an error, or resolve to indicate the resulting value.

The await keyword arranges things such that the result of the Promise is returned. It creates some magic allowing asynchronous code to execute, but your code looks more like synchronous code of other programming languages.

Unfortunately most Node.js packages have not been written to return Promise's and therefore we have to jump through a small hoop to get fs.readFile to return a Promise. There is a simple way get a version of this function, or others, that instead returns a Promise.

const path = require('path');
const fs   = require('fs');
const util = require('util');
const fs_readFileAsync = util.promisify(fs.readFile);

async function readFile(srcdirectory, file2read) {
    const text = await fs_readFileAsync(path.join(srcdirectory, file2read), 'utf8');
    ... do something with text;
    return text;
}

readFile("path/to/some/where", "file.txt")
.then(text => {
    ... do something with text
})
.catch(err => {
    console.error(err);
});

The util.promisify function takes a function using the normal Node.js convention, and makes a version that returns a Promise. The normal Node.js convention is for the final function argument to be the callback function, and that the first argument to the callback function is an error indicator.

All async functions themselves return a Promise, and we show in this code snippet the typical way of dealing with a Promise.

About the Author(s)

(davidherron.com) David Herron : David Herron is a writer and software engineer focusing on the wise use of technology. He is especially interested in clean energy technologies like solar power, wind power, and electric cars. David worked for nearly 30 years in Silicon Valley on software ranging from electronic mail systems, to video streaming, to the Java programming language, and has published several books on Node.js programming and electric vehicles.

Books by David Herron

(Sponsored)