Node.js에서 텍스트 파일을 한 줄씩 읽기
Node.js에서 큰 텍스트 파일을 한 번에 한 줄씩 읽기 광범위한 데이터 세트를 처리하는 데 중요한 작업이 될 수 있습니다. Quora에서 언급한 질문은 STDIN에서 읽기를 다루는 반면, 이 기사에서는 이 개념을 텍스트 파일에서 읽기로 확장하는 데 중점을 둡니다.
fs.open과 관련된 초기 접근 방식이 기초 역할을 합니다. 누락된 단계는 Lazy 모듈을 활용하여 열린 파일 설명자에서 한 줄씩 읽기를 수행하는 것입니다. 하지만 Node.js v0.12부터는 내장된 readline 코어 모듈을 사용하는 더욱 강력한 솔루션이 있습니다.
readline을 사용하는 두 가지 접근 방식을 살펴보겠습니다.
const fs = require('fs'); const readline = require('readline'); async function processLineByLine() { const fileStream = fs.createReadStream('input.txt'); const rl = readline.createInterface({ input: fileStream, crlfDelay: Infinity }); // Note: we use the crlfDelay option to recognize all instances of CR LF // ('\r\n') in input.txt as a single line break. for await (const line of rl) { // Each line in input.txt will be successively available here as `line`. console.log(`Line from file: ${line}`); } } processLineByLine();
또는 다음을 사용할 수 있습니다.
var lineReader = require('readline').createInterface({ input: require('fs').createReadStream('file.in') }); lineReader.on('line', function (line) { console.log('Line from file:', line); }); lineReader.on('close', function () { console.log('all done, son'); });
두 접근 방식 모두 readline 모듈을 활용하여 텍스트 파일에서 한 번에 한 줄씩 효과적으로 읽습니다. 마지막 줄 바꿈이 없더라도 마지막 줄은 올바르게 읽혀집니다(Node v0.12 이상 기준).
위 내용은 Node.js에서 대용량 텍스트 파일을 한 줄씩 효율적으로 읽으려면 어떻게 해야 합니까?의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!