1

我尝试使用 clap 库创建一个简单的应用程序解析命令行参数并将它们转换为Config自定义结构。我为我的结构实现From了 trait,但是,当我尝试调用from函数时,我收到以下错误:

the trait bound `minimal_example::Config: std::convert::From<cli::Opts>` is not satisfied
the following implementations were found:
  <minimal_example::Config as std::convert::From<minimal_example::cli::Opts>>
required by `std::convert::From::from` 

这是代码:

main.rs:

mod cli;

use clap::Clap;
use minimal_example::Config;

fn main() {
    println!("Hello, world!");
    let opts = cli::Opts::parse();
    let config = Config::from(opts);
}

cli.rs:

use clap::{Clap, crate_version};

/// This doc string acts as a help message when the user runs '--help'
/// as do all doc strings on fields
#[derive(Clap)]
#[clap(version = crate_version!(), author = "Yury")]
pub struct Opts {
    /// Simple option
    pub opt: String,
}

lib.rs:

mod cli;

pub struct Config {
    pub opt: String,
}

impl From<cli::Opts> for Config {
    fn from(opts: cli::Opts) -> Self {
        Config {
            opt: opts.opt,
        }
    }
}

货物.toml:

[package]
name = "minimal_example"
version = "0.1.0"
authors = ["Yury"]
edition = "2018"

# See more keys and their definitions at https://doc.rust-lang.org/cargo/reference/manifest.html

[dependencies]
clap = {version="3.0.0-beta.2", features=["wrap_help"]}

我究竟做错了什么?

4

1 回答 1

1

您已添加mod clilib.rsmain.rs

他们从彼此的角度来看是不同的。

当存在 main.rs 和 lib.rs 时,Rust 模块混淆 可能有助于理解这一点。

这就是错误所说的。满足std::convert::From<minimal_example::cli::Opts>但不满足std::convert::From<cli::Opts>

一个简单的修复:

main.rs

mod cli;
use clap::Clap;
use minimal_example::Config;

impl From<cli::Opts> for Config {
    fn from(opts: cli::Opts) -> Self {
        Config {
            opt: opts.opt,
        }
    }
}

fn main() {
    println!("Hello, world!");
    let opts = cli::Opts::parse();
    let config = Config::from(opts);
}

现在std::convert::From<cli::Opts>Config.

您实际上想要如何放置所有这些取决于您的包架构。

于 2020-11-23T07:25:34.087 回答