如何将库中的源文件导入build.rs



我有以下文件结构:

src/
lib.rs
foo.rs
build.rs

我想从foo.rs(lib.rs中已经有pub mod foo(导入一些内容到build.rs中。(我试图导入一个类型,以便在构建时生成一些JSON模式(

这可能吗?

您不能干净地——构建脚本用于构建库,因此根据定义,必须在构建库之前运行。

清洁溶液

将类型放入另一个库中,并将新库导入构建脚本和原始库中

.
├── the_library
│   ├── Cargo.toml
│   ├── build.rs
│   └── src
│       └── lib.rs
└── the_type
├── Cargo.toml
└── src
└── lib.rs

the_type/src/lib.rs

pub struct TheCoolType;

库/货物.toml

# ...
[dependencies]
the_type = { path = "../the_type" }
[build-dependencies]
the_type = { path = "../the_type" }

_library/build.rs

fn main() {
the_type::TheCoolType;
}

库/src/lib.rs

pub fn thing() {
the_type::TheCoolType;
}

破解解决方案

使用类似#[path] mod ...include!的内容来包含两次代码。这基本上是纯文本替换,所以它非常脆弱。

.
├── Cargo.toml
├── build.rs
└── src
├── foo.rs
└── lib.rs

build.rs

// One **exactly one** of this...
#[path = "src/foo.rs"]
mod foo;
// ... or this
// mod foo {
//     include!("src/foo.rs");
// }
fn main() {
foo::TheCoolType;
}

src/lib.rs

mod foo;
pub fn thing() {
foo::TheCoolType;
}

src/foo.rs

pub struct TheCoolType;

相关内容

  • 没有找到相关文章

最新更新