Home > front end >  How to disable a unit test in rust with an attribute?
How to disable a unit test in rust with an attribute?

Time:11-02

A module contains multiple tests like following:

#[cfg(test)]
mod tests_cases {

    /*
    #[test]
    fn test_1() {
        let a = 1;
        let b = 2;
        println!("{},{}", a, b);
        assert_ne!(a, b);
    }
    */

    #[test]
    fn test_2() {
        let c = 1;
        let d = 1;
        println!("currently working on this: {},{}", c, d);
        assert_eq!(c, d);
    }
}

When working on the second tests with printing out (cargo test -- --nocapture), I do not want to see the output of the first tests.

Is there an option to disable the commented unit test?

Or is there an option to just run the second unit test?

Thank you.

CodePudding user response:

If you remove the #[test] attribute from the unwanted test, then cargo test will ignore it.

CodePudding user response:

Another option is to add the #[ignore] attribute.

#[ignore]
#[test]
fn test_1() {
    let a = 1;
    let b = 2;
    println!("{},{}", a, b);
    assert_ne!(a, b);
}

This adds a nice colored ignored to the test results.

test tests::test_1 ... ignored
test tests::test_2 ... ok

test result: ok. 1 passed; 0 failed; 1 ignored; 0 measured; 0 filtered out; finished in 0.03s
  • Related