对于单元测试模块的helper/静态函数,编译任何合理的结构都有困难。几乎所有的这个模块都是静态函数,它有很多静态函数,所以我不想把所有的测试放在同一个文件中。具体(大量)错误是:/usr/bin/ld: /usr/lib/debug/usr/lib/x86_64-linux-gnu/crt1.o(.debug_info): relocation 0 has invalid symbol index 11
但我对一种通用的编译方法感兴趣。
在命令行中,首先安装Cunit:
# Install cunit
sudo apt-get install libcunit1 libcunit1-doc libcunit1-dev
在
module_a.c
中:#include <stdio.h>
int main(void)
{
// Do the real thing
printf("The number 42: %d\n", get_42());
printf("The number 0: %d\n", get_0());
return 0;
}
static int32_t get_42(void)
{
return 42;
}
static int32_t get_0(void)
{
return 42;
}
在
module_a_tests.c
中:#define UNIT_TEST
#include "module_a.c"
#include "CUnit/Basic.h"
#ifdef UNIT_TEST
int set_up(void)
{
return 0;
}
int tear_down(void)
{
return 0;
}
void run_good_fn(void)
{
CU_ASSERT(42 == get_42());
}
void run_bad_fn(void)
{
CU_ASSERT(0 == get_0());
}
int main(void)
{
CU_pSuite p_suite = NULL;
// Initialize
if (CU_initialize_registry() != CUE_SUCCESS) {
return CU_get_error();
}
p_suite = CU_add_suite("First Suite", set_up, tear_down);
if (p_suite == NULL) {
goto exit;
}
CU_basic_set_mode(CU_BRM_VERBOSE);
// Add tests
if (CU_add_test(p_suite, "Testing run_good_fn", run_good_fn) == NULL) {
goto exit;
}
if (CU_add_test(p_suite, "Testing run_bad_fn", run_bad_fn) == NULL) {
goto exit;
}
// Run the tests
CU_basic_run_tests();
exit:
CU_cleanup_registry();
return CU_get_error();
}
#endif
相关:
How to test a static function
最佳答案
这有点老套,但一种方法是在正确的位置使用#include
作为原始文本替换(在所有静态函数的前向声明之后)。它依赖于位置,但如果遵循惯例,则很容易理解:
在module_a.c
中:
#include <stdio.h>
// Comment this macro in and out to enable/disable unit testing
#define UNIT_TEST
static int32_t get_42(void);
static int32_t get_0(void);
#ifndef UNIT_TEST
int main(void)
{
// Do the real thing
printf("The number 42: %d\n", get_42());
printf("The number 0: %d\n", get_0());
return 0;
}
#else
#include "module_a_tests.c"
#endif
static int32_t get_42(void)
{
return 42;
}
static int32_t get_0(void)
{
return 42;
}
在
module_a_tests.c
中:// Add a #include guard
#ifndef MODULE_A_TESTS_C
#define MODULE_A_TESTS_C
#include "CUnit/Basic.h"
int set_up(void)
{
return 0;
}
int tear_down(void)
{
return 0;
}
void run_good_fn(void)
{
CU_ASSERT(42 == get_42());
}
void run_bad_fn(void)
{
CU_ASSERT(0 == get_0());
}
int main(void)
{
CU_pSuite p_suite = NULL;
// Initialize
if (CU_initialize_registry() != CUE_SUCCESS) {
return CU_get_error();
}
p_suite = CU_add_suite("First Suite", set_up, tear_down);
if (p_suite == NULL) {
goto exit;
}
CU_basic_set_mode(CU_BRM_VERBOSE);
// Add tests
if (CU_add_test(p_suite, "run_good_fn", run_good_fn) == NULL) {
goto exit;
}
if (CU_add_test(p_suite, "run_bad_fn", run_bad_fn) == NULL) {
goto exit;
}
// Run the tests
CU_basic_run_tests();
exit:
CU_cleanup_registry();
return CU_get_error();
}
#endif
关于c - 如何在C中构造静态函数测试?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/30588529/