如何在 Rust 中正确包含文件?
How to correctly include files in rust?
我刚开始学习 Rust,在包含文件时遇到问题。
所以我的问题是,当我想在 b.rs
中使用 a.rs
中的 struct
时,我让它工作的唯一方法是通过绝对路径。所以use crate::stuff::a::StructA;
。根据我的阅读,我应该可以在这里使用 mod
因为它在同一个模块中。
要回答我的问题,对于具有 c/c++ 和 python 背景的人,我应该如何正确地包含内容? (因为这个绝对路径确实感觉不方便。)
目录结构:
src
├── stuff
│ ├── a.rs
│ ├── b.rs
│ └── c.rs
├── stuff.rs
└── main.rs
b.rs
:
use crate::stuff::a::StructA;
/* doesn't work
mod stuff;
use stuff::a::StructA;
*/
/* doesn't work
mod a;
use a::StructA;
*/
// Works but why should I define the path. It's in the same dir/mod.
#[path = "a.rs"]
mod a;
use a::StructA;
stuff.rs
:
pub mod a;
pub mod b;
pub mod c;
main.rs
:
use crate::stuff::a::StructA;
use crate::stuff::b::StructB;
use crate::stuff::c::StructC;
fn main() {
let a = StructA::new();
let b = StructB::new(a);
let c = StructC::new(a, b);
}
b.rs
和 c.rs
使用了 a.rs
的一部分。 main.rs
使用 a.rs
、b.rs
和 c.rs
。
编辑:
我还读到不建议使用 mod.rs
。
mod
关键字仅用于定义模块,因为您在 stuff.rs
中这样做了,其他地方都不需要它。你想要做的而不是使用绝对路径是 use super::a::StructA
,其中 super 将你从它所使用的模块中提升一个级别。
我刚开始学习 Rust,在包含文件时遇到问题。
所以我的问题是,当我想在 b.rs
中使用 a.rs
中的 struct
时,我让它工作的唯一方法是通过绝对路径。所以use crate::stuff::a::StructA;
。根据我的阅读,我应该可以在这里使用 mod
因为它在同一个模块中。
要回答我的问题,对于具有 c/c++ 和 python 背景的人,我应该如何正确地包含内容? (因为这个绝对路径确实感觉不方便。)
目录结构:
src
├── stuff
│ ├── a.rs
│ ├── b.rs
│ └── c.rs
├── stuff.rs
└── main.rs
b.rs
:
use crate::stuff::a::StructA;
/* doesn't work
mod stuff;
use stuff::a::StructA;
*/
/* doesn't work
mod a;
use a::StructA;
*/
// Works but why should I define the path. It's in the same dir/mod.
#[path = "a.rs"]
mod a;
use a::StructA;
stuff.rs
:
pub mod a;
pub mod b;
pub mod c;
main.rs
:
use crate::stuff::a::StructA;
use crate::stuff::b::StructB;
use crate::stuff::c::StructC;
fn main() {
let a = StructA::new();
let b = StructB::new(a);
let c = StructC::new(a, b);
}
b.rs
和 c.rs
使用了 a.rs
的一部分。 main.rs
使用 a.rs
、b.rs
和 c.rs
。
编辑:
我还读到不建议使用 mod.rs
。
mod
关键字仅用于定义模块,因为您在 stuff.rs
中这样做了,其他地方都不需要它。你想要做的而不是使用绝对路径是 use super::a::StructA
,其中 super 将你从它所使用的模块中提升一个级别。