7

在询问时,如果您在同一个货物项目中有一个 bin 和一个 lib,并且想使用特定的 rustc cfg 选项构建 bin 和 lib,那么它不起作用。

您可以使用 rustc cfg 选项构建一个或另一个,但不能同时构建两者。如果您尝试构建 lib,那么当 bin 被编译时,bin 会在没有 rustc 选项的情况下重新编译 lib。

有没有办法做到这两点,如果没有,为什么?无论如何,我注定要创建自己的构建脚本吗?如果是这样,拥有货物有什么意义?

编辑

好吧,也许我有点戏剧化

背景/扩展

说我有类似的东西:

src/lib.rs

pub mod mylib {

    #[cfg(not(dosomething))]
    pub use self::without_cfg::dosomething;

    #[cfg(dosomething)]
    pub use self::with_cfg::dosomething;


    mod with_cfg {
        pub fn dosomething() {
            println!("config option");
        }
    }

    mod without_cfg {
        pub fn dosomething() {
            println!("no config option");
        }
    }

} 

src/main.rs

extern crate modules;

use modules::mylib::dosomething;

fn main() {
    dosomething();
}

因此,如果我使用 dosomething 的 cfg 选项进行编译,我将获得一个函数版本,但如果我没有配置,我将获得“默认”行为或其他任何内容。

现在,如果我尝试使用 cargo rustc 进行编译,我将永远无法获得在 lib 中设置了 cfg dosomething 的 bin 版本。

我最接近能够在货物中做到这一切的是:

cargo rustc -v --lib -- --cfg dosomething
cargo rustc -v --bin [bin name] -- --cfg dosomething

第一个命令将使用 cfg 编译 lib,但第二个命令将在没有 cfg 的情况下重新编译lib 以创建 bin。

我想出的唯一解决方法是:

cargo rustc -v --bin [bin name] -- --cfg dosomething

复制它为命令编译而吐出的内容,例如:

rustc src/main.rs --crate-name [bin name] --crate-type bin -g --cfg dosomething --out-dir [/path/to/project]/target/debug --emit=dep-info,link -L dependency=[/path/to/project]/target/debug -L dependency=[/path/to/project]/target/debug/deps --extern modules=[/path/to/project]/target/debug/libmodules.rlib`

然后运行:

cargo rustc -v --lib -- --cfg dosomething

最后复制并粘贴之前的 rustc 命令,以便使用设置了 cfg 选项的 lib 编译 bin。

这是唯一的方法吗?为什么我不能以某种方式指定哪些库/箱获得我想要的 rustc cfg 选项,即使它在 Cargo.toml 中?还是我自己都没有意识到?

对于那些问...

货物.toml:

[package]
name = "[bin name]"
version = "0.1.0"
authors = ["[Me] <[my email]>"]

[lib]
name = "modules"
path = "src/lib.rs"

PS 感谢所有从事 rust 和 cargo 工作的人,总而言之,我觉得这是一个愉快的工作环境,并且喜欢这种语言。保持良好的工作。

4

1 回答 1

6

如果我对您的理解正确,那么 Cargos功能应该在这里有所帮助:

src/lib.rs

#[cfg(feature = "dosomething")]
pub use self::with_cfg::dosomething;

#[cfg(not(feature = "dosomething"))]
pub use self::without_cfg::dosomething;

#[cfg(feature = "dosomething")]
mod with_cfg {
    pub fn dosomething() {
        println!("config option");
    }
}

#[cfg(not(feature = "dosomething"))]
mod without_cfg {
    pub fn dosomething() {
        println!("no config option");
    }
}

src/main.rs

extern crate what;

use what::dosomething;

fn main() {
    dosomething();
}

货运.toml

[package]
name = "what"
version = "0.1.0"
authors = ["An Devloper <an.devloper@example.com>"]

[features]
dosomething = []

现在,当我可以在任一模式下编译或运行时:

$ cargo run
   Compiling what v0.1.0 (file:///private/tmp/what)
     Running `target/debug/what`
no config option

$ cargo run --features dosomething
   Compiling what v0.1.0 (file:///private/tmp/what)
     Running `target/debug/what`
config option
于 2015-05-25T21:48:01.817 回答