Handling file operations with server-side JavaScript in 80 characters

SeniorTechInfo
3 Min Read

Master the Art of Streaming Files in JavaScript

Handling files in JavaScript can be a challenging yet rewarding task, especially when dealing with large files that need to be processed efficiently. One crucial aspect of file handling is streaming chunks of data, a technique that allows for better memory management and performance.

Reading Files with fs.readFile()

First, let’s explore reading files using the fs module in Node.js. Below is a code snippet demonstrating how to read a file and process the data:


const fs = require('fs');

const filename = "binary.bin";

fs.readFile(filename, (err, data) => {
  if (err) {
    console.error('Error reading file:', err);
    return;
  }
  console.log(data);

  // Process the Buffer data using Buffer methods (e.g., slice, copy)
});

Writing Files in Streaming Chunks

Now, let’s dive into streaming files in JavaScript. Streaming data in chunks is essential for handling large files effectively. Below is an example of writing out data in streaming chunks:


const fs = require('fs');

const filename = "large_file.txt";
const chunkSize = 1024 * 1024;
const content = "This is some content to be written in chunks.";
const fileSizeLimit = 5 * 1024 * 1024;

let writtenBytes = 0;

const writeStream = fs.createWriteStream(filename, { highWaterMark: chunkSize });

function writeChunk() {
  const chunk = content.repeat(Math.ceil(chunkSize / content.length));

  if (writtenBytes + chunk.length > fileSizeLimit) {
    console.error('File size limit reached');
    writeStream.end();
    return;
  }
  console.log(`Wrote chunk of size: ${chunk.length}, Total written: ${writtenBytes}`);
}

writeStream.on('error', (err) => {
  console.error('Error writing file:', err);
});

writeStream.on('finish', () => {
  console.log('Finished writing file');
});

writeChunk();

Key Points to Note:

  1. We specify a chunk size to control how much data is written at a time.
  2. Creating a file size limit ensures we do not exceed a specific threshold.
  3. Using a writeStream object with a defined chunk size optimizes memory usage.
  4. The writeChunk() function handles writing chunks of data recursively.
  5. Event listeners for ‘error’ and ‘finish’ provide error handling and completion notification.

Streaming files in JavaScript offers a powerful way to manage and process large amounts of data efficiently. By breaking down data into manageable chunks, you can optimize memory usage and improve performance in file handling operations.

Share This Article
Leave a comment

Leave a Reply

Your email address will not be published. Required fields are marked *