Bun

指南进程

使用 Bun 解析命令行参数

参数向量是在程序运行时传递给程序的参数列表。它可以通过 Bun.argv 访问。

cli.ts
console.log(Bun.argv);

使用参数运行此文件会产生以下结果

bun run cli.ts --flag1 --flag2 value
[ '/path/to/bun', '/path/to/cli.ts', '--flag1', '--flag2', 'value' ]

要将 argv 解析为更有用的格式,util.parseArgs 会很有帮助。

示例

cli.ts
import { parseArgs } from "util";

const { values, positionals } = parseArgs({
  args: Bun.argv,
  options: {
    flag1: {
      type: 'boolean',
    },
    flag2: {
      type: 'string',
    },
  },
  strict: true,
  allowPositionals: true,
});

console.log(values);
console.log(positionals);

然后它输出

bun run cli.ts --flag1 --flag2 value
{
  flag1: true,
  flag2: "value",
}
[ "/path/to/bun", "/path/to/cli.ts" ]