繁体   English   中英

我如何在没有承诺的情况下在异步函数中读取文件?

[英]How do I read a file in an async function without promises?

我正在尝试在异步函数中读取/写入文件(示例):

async readWrite() {
      // Create a variable representing the path to a .txt
      const file = 'file.txt';

      // Write "test" to the file
      fs.writeFileAsync(file, 'test');
      // Log the contents to console
      console.log(fs.readFileAsync(file));
}

但是每当我运行它时,我总是会得到错误:

(node:13480) UnhandledPromiseRejectionWarning: Unhandled promise rejection (rejection id: 2): TypeError: Cannot read property 'map' of null

我尝试通过在项目目录中使用npm install bluebird并添加以下内容来尝试使用bluebird:

const Bluebird = require('bluebird');
const fs = Bluebird.promisifyAll(require('fs'));

到我的index.js (主)文件中,并添加:

const fs = require('fs');

到我不想使用fs的每个文件。

我仍然遇到相同的错误,只能通过注释掉东西将问题缩小到fs。

任何帮助,将不胜感激。

首先: async function返回一个Promise。 因此,根据定义,您已经在使用诺言。

其次,没有fs.writeFileAsync 您正在寻找fs.writeFile https://nodejs.org/api/fs.html#fs_fs_writefile_file_data_options_callback

承诺,利用异步功能的力量

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

// Promisify the fs.writeFile and fs.readFile
const write = util.promisify(fs.writeFile);
const read = util.promisify(fs.readFile);

async readWrite() {
  // Create a variable representing the path to a .txt
  const file = 'file.txt';

  // Write "test" to the file
  await write(file, 'test');
  // Log the contents to console
  const contents = await read(file, 'utf8');
  console.log(contents);
}

在以上内容中:我们使用util.promisify来使用功能将诺言转换为nodejs回调样式。 在异步函数内部,您可以使用await关键字将承诺的已解析内容存储到const / let / var。

进一步的阅读材料: https : //ponyfoo.com/articles/understanding-javascript-async-await

没有承诺,回调样式

const fs = require('fs');
async readWrite() {
  // Create a variable representing the path to a .txt
  const file = 'file.txt';

  // Write "test" to the file
  fs.writeFile(file, 'test', err => {
    if (!err) fs.readFile(file, 'utf8', (err, contents)=> {
      console.log(contents);
    })
  });
}

暂无
暂无

声明:本站的技术帖子网页,遵循CC BY-SA 4.0协议,如果您需要转载,请注明本站网址或者原文地址。任何问题请咨询:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM