node json写入文件
Sometimes the best way to store some data in a Node.js application is to save it to the filesystem.
有时,在Node.js应用程序中存储某些数据的最佳方法是将其保存到文件系统中。
If you have an object that can be serialized to JSON, you can use the JSON.stringify()
method and the fs
method fs.writeFileSync()
which synchronously writes a piece of data to a file:
如果您有一个可以序列化为JSON的对象,则可以使用JSON.stringify()
方法和fs
方法fs.writeFileSync()
将数据同步写入文件:
const fs = require('fs')
const storeData = (data, path) => {
try {
fs.writeFileSync(path, JSON.stringify(data))
} catch (err) {
console.error(err)
}
}
To retrieve the data, you can use fs.readFileSync()
:
要检索数据,可以使用fs.readFileSync()
:
const loadData = (path) => {
try {
return fs.readFileSync(path, 'utf8')
} catch (err) {
console.error(err)
return false
}
}
We used a synchronous API, so we can easily return the data once we get it.
我们使用了同步API,因此一旦获得数据便可以轻松返回数据。
We can also decide to use the asynchronous versions, fs.writeFile
and fs.readFile
, although the code will change a little bit, and I recommend you take a read at how to write files using Node.js and how to read files using Node.js for this.
我们也可以决定使用异步版本fs.writeFile
和fs.readFile
,尽管代码会有所变化,我建议您阅读一下如何使用Node.js写入文件以及如何使用Node读取文件。 .js 。
翻译自: https://flaviocopes.com/how-to-save-json-object-to-file-nodejs/
node json写入文件