如何更新json文件中的值并通过node.js保存它?我有文件内容:
var file_content = fs.readFileSync(filename);
var content = JSON.parse(file_content);
var val1 = content.val1;
现在,我想更改的值val1
并将其保存到文件中。
如何更新json文件中的值并通过node.js保存它?我有文件内容:
var file_content = fs.readFileSync(filename);
var content = JSON.parse(file_content);
var val1 = content.val1;
现在,我想更改的值val1
并将其保存到文件中。
Answers:
异步执行此操作非常容易。如果您担心(可能)阻塞线程,那么它特别有用。
const fs = require('fs');
const fileName = './file.json';
const file = require(fileName);
file.key = "new value";
fs.writeFile(fileName, JSON.stringify(file), function writeJSON(err) {
if (err) return console.log(err);
console.log(JSON.stringify(file));
console.log('writing to ' + fileName);
});
需要注意的是,json是在一行中写入文件的,没有经过修饰。例如:
{
"key": "value"
}
将会...
{"key": "value"}
为了避免这种情况,只需将这两个额外的参数添加到 JSON.stringify
JSON.stringify(file, null, 2)
null
-表示替换功能。(在这种情况下,我们不想更改流程)
2
-表示要缩进的空格。
//change the value in the in-memory object
content.val1 = 42;
//Serialize as JSON and Write it to a file
fs.writeFileSync(filename, JSON.stringify(content));
// read file and make object
let content = JSON.parse(fs.readFileSync('file.json', 'utf8'));
// edit or add property
content.expiry_date = 999999999999;
//write file
fs.writeFileSync('file.json', JSON.stringify(content));
对于那些希望将项目添加到json集合的人
function save(item, path = './collection.json'){
if (!fs.existsSync(path)) {
fs.writeFile(path, JSON.stringify([item]));
} else {
var data = fs.readFileSync(path, 'utf8');
var list = (data.length) ? JSON.parse(data): [];
if (list instanceof Array) list.push(item)
else list = [item]
fs.writeFileSync(path, JSON.stringify(list));
}
}
我强烈建议不要使用同步(阻塞)功能,因为它们包含其他并发操作。相反,请使用异步fs.promises:
const fs = require('fs').promises
const setValue = (fn, value) =>
fs.readFile(fn)
.then(body => JSON.parse(body))
.then(json => {
// manipulate your data here
json.value = value
return json
})
.then(json => JSON.stringify(json))
.then(body => fs.writeFile(fn, body))
.catch(error => console.warn(error))
记住要setValue
返回未完成的承诺,您需要使用.then函数,或者在异步函数中使用await运算符。
// await operator
await setValue('temp.json', 1) // save "value": 1
await setValue('temp.json', 2) // then "value": 2
await setValue('temp.json', 3) // then "value": 3
// then-sequence
setValue('temp.json', 1) // save "value": 1
.then(() => setValue('temp.json', 2)) // then save "value": 2
.then(() => setValue('temp.json', 3)) // then save "value": 3