📜  如何使用 node.js 逐行读取文件?

📅  最后修改于: 2022-05-13 01:56:49.581000             🧑  作者: Mango

如何使用 node.js 逐行读取文件?

逐行读取文件的能力使我们能够读取大文件而无需将其完全存储到内存中。它有助于节省资源并提高应用程序的效率。它允许我们查找所需的信息,一旦找到相关信息,我们就可以停止搜索过程并防止不必要的内存使用。

我们将通过使用 Readline Module 和 Line-Reader Module 来实现目标。

方法一:使用 Readline 模块: Readline 是 Node.js 的一个原生模块,它是专门为从任何可读流中逐行读取内容而开发的。它可用于从命令行读取数据。
由于该模块是 Node.js 的原生模块,因此不需要任何安装,可以作为

const readline = require('readline');

由于 readline 模块只适用于可读流,所以我们需要首先使用 fs 模块创建一个可读流。

const file = readline.createInterface({
    input: fs.createReadStream('source_to_file'),
    output: process.stdout,
    terminal: false
});

现在,在文件对象上监听 line 事件。每当从流中读取新行时,该事件就会触发:

file.on('line', (line) => {
    console.log(line);
});

例子:

// Importing the Required Modules
const fs = require('fs');
const readline = require('readline');
  
// Creating a readable stream from file
// readline module reads line by line 
// but from a readable stream only.
const file = readline.createInterface({
    input: fs.createReadStream('gfg.txt'),
    output: process.stdout,
    terminal: false
});
  
// Printing the content of file line by
//  line to console by listening on the
// line event which will triggered
// whenever a new line is read from
// the stream
file.on('line', (line) => {
    console.log(line);
});

输出:

方法二:使用 Line-reader 模块line-reader 模块是 Node.js 中用于逐行读取文件的开源模块。它不是本机模块,因此您需要使用 npm(Node Package Manager) 使用以下命令安装它:

npm install line-reader --save

line-reader 模块提供了 eachLine() 方法,它逐行读取文件。它有一个回调函数,它有两个参数:行内容和一个布尔值,用于存储读取的行是否是文件的最后一行。

const lineReader = require('line-reader');

lineReader.eachLine('source-to-file', (line, last) => {
    console.log(line);
});

例子:

// Importing required libraries
const lineReader = require('line-reader');
  
// eachLine() method call on gfg.txt
// It got a callback function
// Printing content of file line by line
// on the console
lineReader.eachLine('gfg.txt', (line, last) => {
    console.log(line);
});

输出: