C++
Pruebas unitarias en C ++
Buscar..
Introducción
La prueba de unidad es un nivel en la prueba de software que valida el comportamiento y la corrección de las unidades de código.
En C ++, las "unidades de código" a menudo se refieren a clases, funciones o grupos de cualquiera de ellas. La prueba de unidad a menudo se realiza utilizando "marcos de prueba" especializados o "bibliotecas de prueba" que a menudo utilizan patrones de uso o sintaxis no triviales.
Este tema revisará diferentes estrategias y unidades de prueba de bibliotecas o marcos.
Prueba de google
Google Test es un marco de prueba de C ++ mantenido por Google. Requiere la creación de la biblioteca gtest
y su vinculación a su marco de prueba al crear un archivo de caso de prueba.
Ejemplo mínimo
// main.cpp
#include <gtest/gtest.h>
#include <iostream>
// Google Test test cases are created using a C++ preprocessor macro
// Here, a "test suite" name and a specific "test name" are provided.
TEST(module_name, test_name) {
std::cout << "Hello world!" << std::endl;
// Google Test will also provide macros for assertions.
ASSERT_EQ(1+1, 2);
}
// Google Test can be run manually from the main() function
// or, it can be linked to the gtest_main library for an already
// set-up main() function primed to accept Google Test test cases.
int main(int argc, char** argv) {
::testing::InitGoogleTest(&argc, argv);
return RUN_ALL_TESTS();
}
// Build command: g++ main.cpp -lgtest
Captura
Catch es una biblioteca de solo encabezado que le permite usar el estilo de prueba de unidad TDD y BDD .
El siguiente fragmento es de la página de documentación de Catch en este enlace :
SCENARIO( "vectors can be sized and resized", "[vector]" ) {
GIVEN( "A vector with some items" ) {
std::vector v( 5 );
REQUIRE( v.size() == 5 );
REQUIRE( v.capacity() >= 5 );
WHEN( "the size is increased" ) {
v.resize( 10 );
THEN( "the size and capacity change" ) {
REQUIRE( v.size() == 10 );
REQUIRE( v.capacity() >= 10 );
}
}
WHEN( "the size is reduced" ) {
v.resize( 0 );
THEN( "the size changes but not capacity" ) {
REQUIRE( v.size() == 0 );
REQUIRE( v.capacity() >= 5 );
}
}
WHEN( "more capacity is reserved" ) {
v.reserve( 10 );
THEN( "the capacity changes but not the size" ) {
REQUIRE( v.size() == 5 );
REQUIRE( v.capacity() >= 10 );
}
}
WHEN( "less capacity is reserved" ) {
v.reserve( 0 );
THEN( "neither size nor capacity are changed" ) {
REQUIRE( v.size() == 5 );
REQUIRE( v.capacity() >= 5 );
}
}
}
}
Convenientemente, estas pruebas se informarán de la siguiente manera cuando se ejecuten:
Scenario: vectors can be sized and resized Given: A vector with some items When: more capacity is reserved Then: the capacity changes but not the size