function  readFile(){
  var lineReader = require('readline').createInterface({
    input: require('fs').createReadStream(FILE_PATH)
  });
  lineReader.on('line', function (line) {
    setTimeout(() => {
      console.log("HEYYYYY");
    }, 10000);
  });
}


为什么这只等待10秒一次,并且打印“嘿”?我想每10秒打印一次嘿,但它不起作用。不知道为什么。

编辑:这将通过文件上的行数来重复(查看侦听器“行”),我需要在每行之间延迟10秒。

最佳答案

我遇到了同样的问题,并通过以下示例中的“示例:逐行读取文件流”解决了该问题:

在您的情况下,将是这样的:

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

    async function processLineByLine() {
    const fileStream = fs.createReadStream(FILE_PATH);

    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}`);
      await sleep(10000)
    }
  }

  function sleep(ms){
        return new Promise(resolve=>{
            setTimeout(resolve,ms)
        })
    }


本示例将每10秒为您打印一行。

关于javascript - 延迟在nodejs中使用readline,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/48123128/

10-16 14:22