我有一个小脚本,在每4个字符后将文本分成'var foo'。它工作正常。 但我的实际数据是在一个文本文件中说'a.txt'。如何在'var foo'中获取整个文件文本。并将拆分输出写入另一个文本文件?
var foo = "this is sample text !!!";
var arr = [];
for (var i = 0; i < foo.length; i++) {
if (i % 4 == 0 && i != 0)
arr.push(foo.substring(i - 4, i));
if (i == foo.length - 1)
arr.push(foo.substring(i - (i % 4), i+1));
}
document.write(arr);
console.log(arr);
答案 0 :(得分:3)
要获取文件的内容,您需要使用输入标记选择文件。
<!DOCTYPE html>
<head>
<meta charset="UTF-8">
</head>
<body>
<input id="input" type="file" accept="text/plain">
<script src="script.js"></script>
</body>
阅读文件内容的好时机是在更改事件中。
const input = document.querySelector("#input");
input.addEventListener("change", () => {
const file = input.files.item(0);
});
要将文件内容作为字符串读取,您需要转换它。
function fileToText(file, callback) {
const reader = new FileReader();
reader.readAsText(file);
reader.onload = () => {
callback(reader.result);
};
}
作为字符串的文件内容将可用于回调函数。您可以创建链接并使用click事件将字符串下载到文本文件中。
function save(content, fileName, mime) {
const blob = new Blob([content], {
tipe: mime
});
const url = URL.createObjectURL(blob);
const a = document.createElement("a");
a.href = url;
a.download = fileName;
a.click();
}
这是完整的代码
const input = document.querySelector("#input");
input.addEventListener("change", () => {
const file = input.files.item(0);
fileToText(file, (text) => {
save(text, "fileName.txt", "text/plain");
});
});
function fileToText(file, callback) {
const reader = new FileReader();
reader.readAsText(file);
reader.onload = () => {
callback(reader.result);
};
}
function save(content, fileName, mime) {
const blob = new Blob([content], {
tipe: mime
});
const url = URL.createObjectURL(blob);
const a = document.createElement("a");
a.href = url;
a.download = fileName;
a.click();
}
<!DOCTYPE html>
<head>
<meta charset="UTF-8">
</head>
<body>
<input id="input" type="file" accept="text/plain">
<script src="script.js"></script>
</body>
您可以在此处详细了解如何使用JavaScript操作文件:https://www.html5rocks.com/en/tutorials/file/dndfiles/
答案 1 :(得分:1)
解决方案对我有帮助:
How do I load the contents of a text file into a javascript variable?
var client = new XMLHttpRequest();
client.open('GET', '/foo.txt');
client.onreadystatechange = function() {
alert(client.responseText);
}
client.send();