最佳答案
通过本指南,我创建了一个Cargo项目。
src/main.rs
fn main() {
hello::print_hello();
}
mod hello {
pub fn print_hello() {
println!("Hello, world!");
}
}
我用它来运行
cargo build && cargo run
它编译时没有错误。现在我试图将主模块分成两个,但不知道如何包括来自另一个文件的模块。
我的项目树是这样的
├── src
├── hello.rs
└── main.rs
以及文件内容:
src/main.rs
use hello;
fn main() {
hello::print_hello();
}
src/hello.rs
mod hello {
pub fn print_hello() {
println!("Hello, world!");
}
}
当我用cargo build
编译它时,我得到
error[E0432]: unresolved import `hello`
--> src/main.rs:1:5
|
1 | use hello;
| ^^^^^ no `hello` external crate
我尝试按照编译器的建议修改main.rs
为:
#![feature(globs)]
extern crate hello;
use hello::*;
fn main() {
hello::print_hello();
}
但这仍然没有多大帮助,现在我得到了这个:
error[E0463]: can't find crate for `hello`
--> src/main.rs:3:1
|
3 | extern crate hello;
| ^^^^^^^^^^^^^^^^^^^ can't find crate
是否有一个简单的例子说明如何将当前项目中的一个模块包含到项目的主文件中?