Node.js 文件系统操作指南
// 引入Node.js文件系统模块
const fs = require('fs');
// 异步读取文件内容
fs.readFile('example.txt', 'utf8', (err, data) => {
if (err) throw err;
console.log(data);
});
// 同步读取文件内容
try {
const data = fs.readFileSync('example.txt', 'utf8');
console.log(data);
} catch (err) {
console.error(err);
}
// 异步写入文件内容
fs.writeFile('example.txt', 'Hello, Node.js!', 'utf8', (err) => {
if (err) throw err;
console.log('文件已被写入');
});
// 同步写入文件内容
try {
fs.writeFileSync('example.txt', 'Hello, Node.js!', 'utf8');
console.log('文件已被写入');
} catch (err) {
console.error(err);
}
// 异步追加文件内容
fs.appendFile('example.txt', ' Additional content', 'utf8', (err) => {
if (err) throw err;
console.log('内容已追加到文件');
});
// 同步追加文件内容
try {
fs.appendFileSync('example.txt', ' Additional content', 'utf8');
console.log('内容已追加到文件');
} catch (err) {
console.error(err);
}
这段代码展示了如何在Node.js中使用文件系统模块(fs)进行常见的文件操作,包括异步和同步方法。每个操作都有错误处理,并且在文件操作完成后给出反馈。这是学习Node.js文件操作的一个很好的起点。
评论已关闭