Pruebas Unitarias
Rust y Cargo incluyen un sencillo framework para pruebas unitarias:
-
Las pruebas unitarias se admiten en todo el código.
-
Las pruebas de integración se admiten a través del directorio
tests/
.
Tests are marked with #[test]
. Unit tests are often put in a nested tests
module, using #[cfg(test)]
to conditionally compile them only when building tests.
fn first_word(text: &str) -> &str {
match text.find(' ') {
Some(idx) => &text[..idx],
None => &text,
}
}
#[cfg(test)]
mod test {
use super::*;
#[test]
fn test_empty() {
assert_eq!(first_word(""), "");
}
#[test]
fn test_single_word() {
assert_eq!(first_word("Hello"), "Hello");
}
#[test]
fn test_multiple_words() {
assert_eq!(first_word("Hello World"), "Hello");
}
}
- Esto permite realizar pruebas unitarias de los ayudantes privados.
- El atributo
#[cfg(test)]
solo está activo cuando se ejecutacargo test
.
This slide should take about 5 minutes.
Run the tests in the playground in order to show their results.