使用readFile方法读取文件内容
// 1.导入 fs 模块
const fs = require('fs')
// 2.调用 fs.readFile() 方法读取文件
// 参数1:文件路径
// 参数2:读取文件的编码格式,默认 utf8
// 参数3:回调函数,拿到失败和成功的结果 err, dataStr
fs.readFile('./file/1.txt', 'utf8', function(err, dataStr) {
// 打印失败的结果
// 如果读取成功,则 err 的值为 null
// 如果读取失败,则 err 的值为 错误对象,dataStr 的值为 undefined
console.log(err)
// 打印成功的结果
console.log(dataStr)
})
判断读取文件是否成功
// 1.导入 fs 模块
const fs = require('fs')
// 2.调用 fs.readFile() 方法读取文件
// 参数1:文件路径
// 参数2:读取文件的编码格式,默认 utf8
// 参数3:回调函数,拿到失败和成功的结果 err, dataStr
fs.readFile('./file/2.txt', 'utf8', function(err, dataStr) {
// 如果读取文件失败,则 err 会自动转译为 true
if (err) {
return console.log('读取文件失败!' + err.message)
}
console.log('读取文件成功!' + dataStr)
})
使用writeFile方法写入文件的内容
// 1.导入 fs 模块
const fs = require('fs')
// 2.调用 fs.writeFile() 方法,写入文件的内容
// 参数1:文件存放的路径
// 参数2:要写入的内容
// 参数3:回调函数
fs.writeFile('./file/2.txt', 'abc', function(err) {
// 如果文件写入成功,则 err 的值为 null
// 如果文件写入失败,则 err 的值为 错误对象
console.log(err)
})
判断写入文件是否成功
// 1.导入 fs 模块
const fs = require('fs')
// 2.调用 fs.writeFile() 方法,写入文件的内容
// 参数1:文件存放的路径
// 参数2:要写入的内容
// 参数3:回调函数
fs.writeFile('./file/2.txt', 'abc', function(err) {
// 如果文件写入失败,则 err 会自动转译为 true
if (err) {
return console.log('文件写入失败!' + err.message)
}
console.log('文件写入成功!')
})
评论