Node.js核心模块-fs文件系统

时间:2021-02-03 05:02:34

fs是file-system的简写,文件系统的意思。在Node中如果想要进行文件操作,就必须引入fs这个核心模块。

引入

const fs = require('fs')

fs.readFile(path[, options], callback)

  • path:要读取的文件路径
  • options:可选
    • encoding,指定字符编码
  • callback:回调函数,有两个参数,err和data
    • err:读取失败返回错误对象,读取成功返回null
    • data:读取成功返回读到的数据,否则返回undefined

比如文件路径错误时:err打印出错误对象,data为undefined

const fs = require('fs')

fs.readFile('./1.txt', function (err, data) {
console.log(err)
console.log(data)
}) //{ [Error: ENOENT: no such file or directory, open './1.txt'] errno: -2, code: 'ENOENT', syscall: 'open', path: './1.txt' }
// undefined

文件路径正常且读取成功时:

// null
// <Buffer 68 65 6c 6c 6f>

1.txt中文件读取成功并返回了buffer。文件中原本存储的是二进制数据0和1,二进制转为16进制即buffer。如果想转成我们认识的字符,可以通过toString()方法:

const fs = require('fs')

fs.readFile('./1.txt', function (err, data) {
console.log(data.toString())
}) // hello

或者通过字符编码

const fs = require('fs')

fs.readFile('./1.txt', 'utf8', function (err, data) {
console.log(data)
}) // hello

在读文件时建议做容错,避免读取错误data取不到报错

fs.readFile('./1.txt', function (err, data) {
if (err) {
console.log(err)
} else {
console.log(data.toString())
}
})

fs.writeFile(file, data[, options], callback)

  • file:要写入的文件路径
  • data:要写入的内容
  • options:可选
  • callback:回调函数
    • err:写入成功时为null,写入错误时为错误对象
fs.writeFile('./2.txt', '你好', function (err) {
if (err) {
console.log(err)
} else {
console.log('写入成功')
}
})

如果当前目录中有2.txt,会写入“你好”,如果当前目录中没有这个文件,会创建文件并写入

fs.readdir(path[, options], callback)

  • path:路径
  • option:可选
  • callback:回调函数
    • err
    • files 目录中文件名的数组

读取目录的内容

const fs = require('fs')
fs.readdir('/Users/lianglanlan/Desktop/code/study/node/www', (err, files) => {
if (err) {
return console.log('目录不存在')
}
console.log(files) //[ 'a.txt', 'apple', 'index.html', 'index1.html' ]
})

fs.existsSync(path)

  • path:路径
  • 返回值:布尔类型

如果路径存在,返回true,否则返回false

const fs = require('fs')
if (fs.existsSync('./1.txt')) {
console.log('该路径已存在');
}

fs.statSync(path[, options])

  • path:路径

返回fs.stats类

fs.stats类

提供关于文件的信息

stats.isDirectory()

如果是目录,则返回true