How do I access files in the src directory from files in my tests directory?

懵懂的女人 提交于 2020-01-15 08:59:21

问题


I have a project layout that looks like the following:

src/
    int_rle.rs
    lib.rs
tests/
    test_int_rle.rs

The project compiles with cargo build, but I am unable to run the test with cargo test. I get the error

error[E0432]: unresolved import `int_rle`. There is no `int_rle` in the crate root
 --> tests/test_int_rle.rs:1:5
  |
1 | use int_rle;
  |     ^^^^^^^

error[E0433]: failed to resolve. Use of undeclared type or module `int_rle`
 --> tests/test_int_rle.rs:7:9
  |
7 |         int_rle::IntRle { values: vec![1, 2, 3] }
  |         ^^^^^^^^^^^^^^^ Use of undeclared type or module `int_rle`

error: aborting due to 2 previous errors

error: Could not compile `minimal_example_test_directories`.

My code:

// src/lib.rs
pub mod int_rle;

// src/int_rle.rs

#[derive(Debug, PartialEq)]
pub struct IntRle {
    pub values: Vec<i32>,
}

// tests/test_int_rle.rs
use int_rle;

#[cfg(test)]
mod tests {
    #[test]
    fn it_works() {
        int_rle::IntRle { values: vec![1, 2, 3] }
    }
}

// Cargo.toml
[package]
name = "minimal_example_test_directories"
version = "0.1.0"
authors = ["Johann Gambolputty de von Ausfern ... von Hautkopft of Ulm"]

[dependencies]

Related: How do I compile a multi-file crate in Rust? (how to do it if the test and source files are in the same folder.)


回答1:


The files src/int_rle.rs and src/lib.rs form your library, and together are called a crate.

Your tests and examples folders are not considered part of the crate. This is good, because when someone uses your library, they don't need your tests, they just need your library.

You can fix your issue by adding the line extern crate minimal_example_test_directories; to the top of tests/test_int_rle.rs.

You can read more about Rust's crate and module structure in the book, here.

This should be a working version of your test file:

// tests/test_int_rle.rs
extern crate minimal_example_test_directories;

pub use minimal_example_test_directories::int_rle;

#[cfg(test)]
mod tests {
    #[test]
    fn it_works() {
        super::int_rle::IntRle { values: vec![1, 2, 3] };
    }
}


来源:https://stackoverflow.com/questions/40305337/how-do-i-access-files-in-the-src-directory-from-files-in-my-tests-directory

标签
易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!