web-dev-qa-db-ja.com

PythonスクリプトをDenoから実行する方法は?

次のコードを含むpythonスクリプトがあります:

print("Hello Deno")

Denoを使用してtest.tsからこのpythonスクリプト(test.py)を実行します。これは、これまでのtest.tsのコードです。

const cmd = Deno.run({cmd: ["python3", "test.py"]});

Denoのpythonスクリプト)の出力を取得するにはどうすればよいですか?

4

_Deno.run_は _Deno.Process_ のインスタンスを返します。出力を取得するには、.output()を使用します。内容を読みたい場合は、_stdout/stderr_オプションを渡すことを忘れないでください。

_// --allow-run
const cmd = Deno.run({
  cmd: ["python3", "test.py"], 
  stdout: "piped",
  stderr: "piped"
});

const output = await cmd.output() // "piped" must be set
const outStr = new TextDecoder().decode(output);

const error = await p.stderrOutput();
const errorStr = new TextDecoder().decode(error);

cmd.close(); // Don't forget to close it

console.log(outStr, errorStr);
_

stdoutプロパティを渡さない場合、出力は直接stdoutに送られます

_ const p = Deno.run({
      cmd: ["python3", "test.py"]
 });

 await p.status();
 // output to stdout "Hello Deno"
 // calling p.output() will result in an Error
 p.close()
_

出力をファイルに送信することもできます

_// --allow-run --allow-read --allow-write
const filepath = "/tmp/output";
const file = await Deno.open(filepath, {
      create: true,
      write: true
 });

const p = Deno.run({
      cmd: ["python3", "test.py"],
      stdout: file.rid,
      stderr: file.rid // you can use different file for stderr
});

await p.status();
p.close();
file.close();

const fileContents = await Deno.readFile(filepath);
const text = new TextDecoder().decode(fileContents);

console.log(text)
_

プロセスのステータスコードを確認するには、.status()を使用する必要があります

_const status = await cmd.status()
// { success: true, code: 0, signal: undefined }
// { success: false, code: number, signal: number }
_

stdinにデータを書き込む必要がある場合は、次のように実行できます。

_const p = Deno.run({
    cmd: ["python", "-c", "import sys; assert 'foo' == sys.stdin.read();"],
    stdin: "piped",
  });


// send other value for different status code
const msg = new TextEncoder().encode("foo"); 
const n = await p.stdin.write(msg);

p.stdin.close()

const status = await p.status();

p.close()
console.log(status)
_

_--allow-run_を使用するには、_Deno.run_フラグでDenoを実行する必要があります。

5