我正在学习Rust并决定编写一个简单的客户端/服务器程序。客户端和服务器都将使用我已编写的非常简单的模块。知道这段代码可能会增长,我决定将我的源代码划分为清晰。现在我的当前层次结构如下所示:
├── Cargo.lock
├── Cargo.toml
├── README.md
├── src
│ ├── client
│ │ └── main.rs
│ ├── common
│ │ ├── communicate.rs
│ │ └── mod.rs
│ ├── lib.rs
│ └── server
│ └── main.rs
我在Stack Overflow上找到了 Many of the个例子,网络为项目根目录中的main.rs
提供了很好的示例。不幸的是,我正在尝试做一些不同的事情,如上所示。
communicate.rs
包含我编写的所有网络代码。最后,我将在此处添加其他Rust文件,并在public mod
中包含他们的mod.rs
语句。我目前只有common/mod.rs
pub mod communicate;
只关注client
文件夹,我所拥有的只是main.rs
,如图所示。文件“标题”列出
extern crate common;
use std::thread;
use std::time;
use std::net;
use std::mem;
use common::communicate;
pub fn main() {
// ...
}
除了基本的[package]
部分,Cargo.toml
中的所有内容都是
[[bin]]
name = "server"
path = "src/server/main.rs"
[[bin]]
name = "client"
path = "src/client/main.rs"
当我尝试构建客户端二进制文件时,编译器会抱怨无法找到common
个包。
$ cargo build
Compiling clientserver v0.1.0 (file:///home/soplu/rust/RustClientServer)
client/main.rs:1:1: 1:21 error: can't find crate for `common` [E0463]
client/main.rs:1 extern crate common;
^~~~~~~~~~~~~~~~~~~~
error: aborting due to previous error
error: Could not compile `clientserver`.
To learn more, run the command again with --verbose.
我认为这是因为它正在寻找client/
文件夹中的常见包。当我尝试使用mod
语句而不是extern crate
语句时,我遇到了同样的问题。
use std::thread;
use std::time;
use std::net;
use std::mem;
mod common;
给我:
client/main.rs:6:5: 6:11 error: file not found for module `common`
client/main.rs:6 mod common;
^~~~~~
client/main.rs:6:5: 12:11 help: name the file either common.rs or common/mod.rs inside the directory "client"
我还尝试(使用extern crate...
)在内容为lib.rs
的{{1}}中添加client
,但我仍然得到与第一个相同的错误。
我发现一个可能的解决方案就像this project一样对其进行建模,但这需要在每个文件夹中都有pub mod common;
,这是我想要避免的。
我觉得我很亲密,但我错过了什么。
答案 0 :(得分:1)
您现在没有将common
建立为箱子。正在构建的包是库clientserver
(库的默认名称是包名称)和二进制文件client
和server
。
通常情况下,extern crate clientserver;
应该有效。但是,如果要以不同方式命名库,可以通过在[lib]
section in Cargo.toml中指定其他名称来实现。在本节中,您还可以为库的主源文件指定不同的源路径。在你的情况下,它可能会更好,否则你最终会得到一个名为common
的箱子,它的所有内容都在一个名为common
的模块中,所以你要这样做必须以common::common::foo
访问所有内容。例如,将其添加到您的Cargo.toml:
[lib]
name = "common"
path = "src/common/lib.rs"
您可以将src/lib.rs
和src/common/mod.rs
合并到src/common/lib.rs
中。然后,extern crate common;
应该在您的二进制文件中有用。