How to pass command line arguments to Deno?

让人想犯罪 __ 提交于 2020-06-27 18:26:46

问题


I have a Deno app, that I wish to pass some command line args to. I searched the manual, but found nothing.

I tried to use the same commands used in Node.js, assuming they might be sharing some for the std libraries, but it didn't work as well.

var args = process.argv.slice(2); 
// Uncaught ReferenceError: process is not defined

Any suggestions?


回答1:


You can use Deno.args to access the command line arguments in Deno.

To try it create a file test.ts :

console.log(Deno.args);

And run it with deno run test.ts firstArgument secondArgument

It will return you with an array of the passed args:

$ deno run test.ts firstArgument secondArgument
[ "firstArgument", "secondArgument" ]



回答2:


If you take a stroll through the standard library, you will find a library named flags, which sounds like it could be library for command line parsing. In the README, you will find your answer in the very first line:

const { args } = Deno;

Also, if you look at the Deno Manual, specifically the Examples section, you will find numerous examples of command line example programs that perform argument parsing, for example, a clone of the Unix cat command (which is also included in the First Steps section of the Deno Manual), where you will also find your answer in the first line:

for (let i = 0; i < Deno.args.length; i++)

So, in short: the command line arguments are a property of the global Deno object, which is documented here:

const Deno.args: string[]

Returns the script arguments to the program. If for example we run a program:

deno run --allow-read https://deno.land/std/examples/cat.ts /etc/passwd

Then Deno.args will contain:

[ "/etc/passwd" ]

Note: According to the Manual, all non-web APIs are under the global Deno namespace.




回答3:


You can achieve the same using the const { args } = Deno;, and there a parse() method inside the std/flags through which you can parse your args

Example:

const { args } = Deno;
import { parse } from "https://deno.land/std/flags/mod.ts";

console.dir(parse(args));

You can find the detailed blog on how to use the command-line interface in deno below.

Build a simple CLI tool using deno




回答4:


You can access arguments by using Deno.args, it will contain an array of the arguments passed to that script.

// deno run args.js one two three

console.log(Deno.args); // ['one, 'two', 'three']

If you want to parse those arguments you can use std/flags, which will parse the arguments similar to minimist

import { parse } from "https://deno.land/std/flags/mod.ts";

console.log(parse(Deno.args))

If you call it with:

deno run args.js -h 1 -w on

You'll get

{ _: [], h: 1, w: "on" }


来源:https://stackoverflow.com/questions/61832639/how-to-pass-command-line-arguments-to-deno

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!