说我有一个看起来像这样的javascript对象:
var data = {
name: "cliff",
age: "34",
name: "ted",
age: "42",
name: "bob",
age: "12"
}
var jsonData = JSON.stringify(data);
我将其字符串化以转换为JSON。如何将此JSON保存到本地文本文件,以便可以在记事本等中打开它。
Answers:
Node.js:
var fs = require('fs');
fs.writeFile("test.txt", jsonData, function(err) {
if (err) {
console.log(err);
}
});
浏览器(webapi):
function download(content, fileName, contentType) {
var a = document.createElement("a");
var file = new Blob([content], {type: contentType});
a.href = URL.createObjectURL(file);
a.download = fileName;
a.click();
}
download(jsonData, 'json.txt', 'text/plain');
[object Object]
何时执行此操作
[object Object]
..我必须先调用JSON.stringify()
,然后传递该值,而不是对象本身。
a.click()
,我们应该调用revokeObjectURL
以便让浏览器知道不再保留对该文件的引用:URL.revokeObjectURL(a.href).
更多信息:developer.mozilla.org/en-US/docs/Web/API/URL/revokeObjectURL。
这是纯js的解决方案。您可以使用html5 saveAs来实现。例如,该库可能会有所帮助:https
: //github.com/eligrey/FileSaver.js
查看演示: http //eligrey.com/demos/FileSaver.js/
PS没有有关json保存的信息,但是您可以将文件类型更改为"application/json"
并将其格式更改为.json
这是将本地数据保存到txt文件的解决方案。
function export2txt() {
const originalData = {
members: [{
name: "cliff",
age: "34"
},
{
name: "ted",
age: "42"
},
{
name: "bob",
age: "12"
}
]
};
const a = document.createElement("a");
a.href = URL.createObjectURL(new Blob([JSON.stringify(originalData, null, 2)], {
type: "text/plain"
}));
a.setAttribute("download", "data.txt");
document.body.appendChild(a);
a.click();
document.body.removeChild(a);
}
<button onclick="export2txt()">Export data to local txt file</button>