如何测试函数是否会产生分段错误?
我现在所知道的,我能做到:
EXPECT_DEATH(foo(nullParameter))
在函数的一侧,产生一个分段错误,这是我想要失败的行为。上面的代码段将使测试通过,因为这是预期的,过程的死亡。
现在,我怎么能让它失败?
答案 0 :(得分:5)
这是一个函数,如果传递空指针参数,则会发生段错误 不:
int deref(int * pint)
{
return *pint;
}
这是一个测试该行为的googletest程序:
<强>的main.cpp 强>
#include <gtest/gtest.h>
int deref(int * pint)
{
return *pint;
}
TEST(test_deref_1,will_segfault)
{
ASSERT_EXIT((deref(nullptr),exit(0)),::testing::KilledBySignal(SIGSEGV),".*");
}
TEST(test_dref_2,will_not_segfault)
{
int i = 42;
ASSERT_EXIT((deref(&i),exit(0)),::testing::ExitedWithCode(0),".*");
}
int main(int argc, char **argv) {
::testing::InitGoogleTest(&argc, argv);
return RUN_ALL_TESTS();
}
编译和链接:
$ g++ -Wall -Wextra -pedantic -o tester main.cpp -pthread -lgtest
执行命令
$ ./tester
[==========] Running 2 tests from 2 test cases.
[----------] Global test environment set-up.
[----------] 1 test from test_deref_1
[ RUN ] test_deref_1.will_segfault
[ OK ] test_deref_1.will_segfault (168 ms)
[----------] 1 test from test_deref_1 (168 ms total)
[----------] 1 test from test_dref_2
[ RUN ] test_dref_2.will_not_segfault
[ OK ] test_dref_2.will_not_segfault (1 ms)
[----------] 1 test from test_dref_2 (1 ms total)
[----------] Global test environment tear-down
[==========] 2 tests from 2 test cases ran. (169 ms total)
[ PASSED ] 2 tests.
据我所知,TEST(test_deref_1,will_segfault)
是无意义的考验,
因为我想不出任何我想要保证的情况
我自己认为一个程序会因为打电话给某个程序而发生段错误
我写的功能。
TEST(test_dref_2,will_not_segfault)
可能是一种有用的测试。有效,
这是一个测试程序:
int main()
{
int i = 42;
defref(&i);
exit(0);
}
将以exit(0)
终止,而不是以任何过早的异常方式终止。一个更好的名字
此测试可能是TEST(test_dref,does_not_crash)
或类似。
这是一种可能有用的测试,因为它可能存在很大的风险
失败,如果defref
是一些足够复杂的代码,那么测试套件
可以报告失败而不会崩溃。我们可以通过重写来强制失败
它:
TEST(test_dref_2,will_not_segfault)
{
ASSERT_EXIT((deref(nullptr),exit(0)),::testing::ExitedWithCode(0),".*");
}
然后测试测试报告是:
$ ./tester
[==========] Running 2 tests from 2 test cases.
[----------] Global test environment set-up.
[----------] 1 test from test_deref_1
[ RUN ] test_deref_1.will_segfault
[ OK ] test_deref_1.will_segfault (147 ms)
[----------] 1 test from test_deref_1 (147 ms total)
[----------] 1 test from test_dref_2
[ RUN ] test_dref_2.will_not_segfault
main.cpp:25: Failure
Death test: (deref(nullptr),exit(0))
Result: died but not with expected exit code:
Terminated by signal 11 (core dumped)
Actual msg:
[ DEATH ]
[ FAILED ] test_dref_2.will_not_segfault (90 ms)
[----------] 1 test from test_dref_2 (90 ms total)
[----------] Global test environment tear-down
[==========] 2 tests from 2 test cases ran. (237 ms total)
[ PASSED ] 1 test.
[ FAILED ] 1 test, listed below:
[ FAILED ] test_dref_2.will_not_segfault
1 FAILED TEST
答案 1 :(得分:2)
测试哪些崩溃已经失败(可能您不希望任何代码发生错误)。只需测试您期望的行为,就像测试任何其他行为一样。