Googletest:断言成功时不打印消息
Googletest: messages are not printed on successful assertion
我试图在使用 GTest 创建的成功单元测试中发出警告。
我希望下面的代码在某处打印“我的警告消息”:
#include <gtest/gtest.h>
GTEST_API_ int main(int argc, char** argv)
{
testing::InitGoogleTest(&argc, argv);
return RUN_ALL_TESTS();
}
TEST(suite, name)
{
EXPECT_TRUE(true) << "My warning message";
}
但是,我在控制台和 XML 文件中都没有看到预期的字符串。
我尝试在调试器中单步执行代码,发现该字符串存储在宏 EXPECT_TRUE
.[=13 中创建的 class ::testing::AssertionResult
的对象中=]
但是,不清楚如何才能让它出现。
将 Googletest 更新到 master 分支的头部没有帮助。
所有 assertions/expectations 仅当断言 失败 时才打印自定义消息。在这个期望的情况下:
EXPECT_TRUE(true) << "My warning message";
它永远不会被触发。您可以致电确认:
EXPECT_TRUE(false) << "My warning message";
然而,使用它会使您的测试失败。如果你想在测试成功时打印消息,你可以使用 SUCCEED
和自定义 TestEventListener
:
class SuccessListener : public testing::EmptyTestEventListener {
void OnTestPartResult(const testing::TestPartResult& result) override {
if (result.type() == testing::TestPartResult::kSuccess) {
printf("%s\n", result.message());
}
}
};
int main(int argc, char* argv[]) {
::testing::InitGoogleTest(&argc, argv);
testing::UnitTest::GetInstance()->listeners().Append(new SuccessListener);
return RUN_ALL_TESTS();
}
TEST(SuccessPrintTest, SuccessPrint) {
SUCCEED() << "Custom message";
}
输出为:
[ RUN ] SuccessPrintTest.SuccessPrint
Succeeded
Custom message
[ OK ] SuccessPrintTest.SuccessPrint (0 ms)
如果打印到控制台,这将非常冗长 - 您可能希望将其重定向到一个文件(将由 SuccessListener
处理)。
我试图在使用 GTest 创建的成功单元测试中发出警告。
我希望下面的代码在某处打印“我的警告消息”:
#include <gtest/gtest.h>
GTEST_API_ int main(int argc, char** argv)
{
testing::InitGoogleTest(&argc, argv);
return RUN_ALL_TESTS();
}
TEST(suite, name)
{
EXPECT_TRUE(true) << "My warning message";
}
但是,我在控制台和 XML 文件中都没有看到预期的字符串。
我尝试在调试器中单步执行代码,发现该字符串存储在宏 EXPECT_TRUE
.[=13 中创建的 class ::testing::AssertionResult
的对象中=]
但是,不清楚如何才能让它出现。
将 Googletest 更新到 master 分支的头部没有帮助。
所有 assertions/expectations 仅当断言 失败 时才打印自定义消息。在这个期望的情况下:
EXPECT_TRUE(true) << "My warning message";
它永远不会被触发。您可以致电确认:
EXPECT_TRUE(false) << "My warning message";
然而,使用它会使您的测试失败。如果你想在测试成功时打印消息,你可以使用 SUCCEED
和自定义 TestEventListener
:
class SuccessListener : public testing::EmptyTestEventListener {
void OnTestPartResult(const testing::TestPartResult& result) override {
if (result.type() == testing::TestPartResult::kSuccess) {
printf("%s\n", result.message());
}
}
};
int main(int argc, char* argv[]) {
::testing::InitGoogleTest(&argc, argv);
testing::UnitTest::GetInstance()->listeners().Append(new SuccessListener);
return RUN_ALL_TESTS();
}
TEST(SuccessPrintTest, SuccessPrint) {
SUCCEED() << "Custom message";
}
输出为:
[ RUN ] SuccessPrintTest.SuccessPrint
Succeeded
Custom message
[ OK ] SuccessPrintTest.SuccessPrint (0 ms)
如果打印到控制台,这将非常冗长 - 您可能希望将其重定向到一个文件(将由 SuccessListener
处理)。