如何将源文件从我的库导入到 build.rs?
How can I import a source file from my library into 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;
the_library/Cargo.toml
# ...
[dependencies]
the_type = { path = "../the_type" }
[build-dependencies]
the_type = { path = "../the_type" }
the_library/build.rs
fn main() {
the_type::TheCoolType;
}
the_library/src/lib.rs
pub fn thing() {
the_type::TheCoolType;
}
Hacky 解决方案
使用类似 #[path] mod ...
or 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;
我有以下文件结构:
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;
the_library/Cargo.toml
# ...
[dependencies]
the_type = { path = "../the_type" }
[build-dependencies]
the_type = { path = "../the_type" }
the_library/build.rs
fn main() {
the_type::TheCoolType;
}
the_library/src/lib.rs
pub fn thing() {
the_type::TheCoolType;
}
Hacky 解决方案
使用类似 #[path] mod ...
or 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;