5

我是 Node.js 的新手,现在正在学习一些基础知识。我正在尝试使用一些打字稿代码稍后转换为 .js 代码。

我写了这个简单的代码来测试

    import * as fs from 'fs'


    const argv = require('yargs')
                .alias('f', 'filename')
                .alias('c', 'content')
                .demandOption('filename')
                .demandOption('content')
                .argv

    fs.writeFile(argv.filename, argv.content, (error)=>{
        if(error) 
            throw error
        console.log(`File ${argv.filename} saved.`)
    })

这很好用。但是当我将行require('yargs')更改为导入时,如下所示:

   import * as fs from 'fs'
   import * as yargs from 'yargs'

    const argv = yargs
                .alias('f', 'filename')
                .alias('c', 'content')
                .demandOption('filename')
                .demandOption('content')
                .argv

    fs.writeFile(argv.filename, argv.content, (error)=>{
        if(error) 
            throw error
        console.log(`File ${argv.filename} saved.`)
    })

我收到此错误:

Argument of type 'unknown' is not assignable to parameter of type 'string | number | Buffer | URL'.

Type '{}' is missing the following properties from type 'URL': hash, host, hostname, href, and 9 more.ts(2345)

有人知道使用导致此错误的模块/导入有什么区别吗?对于 fs 库,在此示例中两种方式都可以正常工作。

4

4 回答 4

2

您是否尝试过通过运行以下命令来安装 yargs 类型?

npm install --save @types/yargs

于 2021-04-06T09:17:11.280 回答
1

我认为仍然不支持符合 ES6 的导入,只需要工作。

import yargs from 'yargs'
console.log(yargs.argv)

$ node app.js
undefined
于 2021-04-03T23:36:57.263 回答
0

这是任何仍然想知道如何将 ES6 模块语法与 Yargs 一起使用的人的更正代码。我不得不使用 option() 添加一些类型信息以避免错误。有关更多信息,请参阅Github 讨论

import fs from 'fs';
import _yargs from 'yargs';
import { hideBin } from 'yargs/helpers';
const yargs = _yargs(hideBin(process.argv));

(async () => {
    const argv = await yargs
        .option('filename', { type: 'string', require: true })
        .option('content', { type: 'string', require: true })
        .alias('f', 'filename')
        .alias('c', 'content')
        .argv;

    fs.writeFile(argv.filename, '' + argv.content, error => {
        if (error) throw error;
        console.log(`File ${argv.filename} saved.`);
    });
})();
于 2021-12-25T18:00:02.513 回答
0

您需要从 argv 设置 args 的类型。尝试将您的核心更改为:

const argv = yargs
        .option('filename', {
            alias: 'f',
            demandOption: true,
            describe: 'Nome do arquivo',
            type: 'string'
        })
        .option('content', {
            alias: 'c',
            demandOption: true,
            describe: 'Conteudo',
            type: 'string'
        })
        .argv
于 2020-04-17T21:50:32.203 回答