0

最近我开始玩 Deno,我按照 Deno 手册上的说明阅读和编码。

过了一会儿,我尝试编辑文件复制的内容,但找不到方法。

有人能帮我吗?

for (let i = 0; i < Deno.args.length ; i++) {
  let filename = Deno.args[i];
  let file = await Deno.open(filename);
  await Deno.copy(file, Deno.stdout);
  file.close()
}

这些是我使用的终端命令。

deno run --allow-read hello.ts password.txt users.txt

和输出:

Compile file:///home/lustepe/Dev/Practices/deno-test/hello.ts
<password>
<user>    

谢谢!

4

1 回答 1

0

现在 Deno 支持使用Deno.writeFile编辑 JSON 文件:

const encoder = new TextEncoder();
const data = encoder.encode("Hello world\n");
await Deno.writeFile("hello1.txt", data);  // overwrite "hello1.txt" or create it
await Deno.writeFile("hello2.txt", data, {create: false});  // only works if "hello2.txt" exists
await Deno.writeFile("hello3.txt", data, {mode: 0o777});  // set permissions on new file
await Deno.writeFile("hello4.txt", data, {append: true});  // add data to the end of the file

我找不到一种方法来编辑具有高度灵活性的文件,例如按位置、替换或正则表达式。

然后您唯一的选择是将文件加载到内存中,对其进行编辑,然后写入整个文件。

// load file
const decoder = new TextDecoder("utf-8");
const content = decoder.decode(await Deno.readFile('data.json'));
const json = JSON.parse(content);

// sets new data
json.data = "new data";

// write new data
const newtxt = JSON.stringify(json);
const newdata = new TextEncoder().encode(newtxt)
await Deno.writeFile("data.json", newdata);

let data = await Deno.readFile("data.json");
console.log(decoder.decode(data));
于 2020-05-18T23:09:02.200 回答