有没有办法使模拟函数与ON_CALL "interesting"?

Is there a way to make mock functions "interesting" with ON_CALL?

本文关键字:CALL interesting ON 模拟 函数 有没有      更新时间:2023-10-16

给定:

#include "gmock/gmock.h"
#include <string>
using namespace testing; // tsk, tsk
// -- -- -- -- -- -- -- -- -- -- -- -- -- -- -- -- -- -- -- -- --
struct Mockable {
    virtual std::string ify(int x) const;
};
std::string Mockable::ify(int x) const
{
    return std::to_string(x);
}
// -- -- -- -- -- -- -- -- -- -- -- -- -- -- -- -- -- -- -- -- --
struct Mocked : public Mockable {
    MOCK_CONST_METHOD1(ify, std::string(int));
};
// -- -- -- -- -- -- -- -- -- -- -- -- -- -- -- -- -- -- -- -- --
std::string tested(Mockable const& u, int x)
{
    return u.ify(x);
}
TEST(TC,T42)
{
    Mocked mock;
    ON_CALL(mock, ify(Eq(42)))
    .WillByDefault(Return("33"));
    std::string const& ret = tested(mock, 42);
    EXPECT_EQ("42", ret);
}
TEST(TC,T33)
{
    Mocked mock;
    ON_CALL(mock, ify(Eq(33)))
    .WillByDefault(Return("333"));
    std::string const& ret = tested(mock, 42);
    EXPECT_EQ("42", ret);
}
int main(int argc, char *argv[])
{
    ::testing::InitGoogleTest(&argc, argv);
    //::testing::FLAGS_gmock_verbose = "info";
    return RUN_ALL_TESTS();
}

输出为:

$ ./mocktest 
[==========] Running 2 tests from 1 test case.
[----------] Global test environment set-up.
[----------] 2 tests from TC
[ RUN      ] TC.T42
GMOCK WARNING:
Uninteresting mock function call - taking default action specified at:
mocktest.cc:40:
    Function call: ify(42)
          Returns: "33"
Stack trace:
mocktest.cc:44: Failure
Value of: ret
  Actual: "33"
Expected: "42"
[  FAILED  ] TC.T42 (0 ms)
[ RUN      ] TC.T33
GMOCK WARNING:
Uninteresting mock function call - returning default value.
    Function call: ify(42)
          Returns: ""
Stack trace:
mocktest.cc:54: Failure
Value of: ret
  Actual: ""
Expected: "42"
[  FAILED  ] TC.T33 (1 ms)
[----------] 2 tests from TC (1 ms total)
[----------] Global test environment tear-down
[==========] 2 tests from 1 test case ran. (1 ms total)
[  PASSED  ] 0 tests.
[  FAILED  ] 2 tests, listed below:
[  FAILED  ] TC.T42
[  FAILED  ] TC.T33

在这两种情况下,Gmock在应用行为时都表现正确(或者在TC33中不应用)。但为什么在这两种情况下都说"非故意模拟函数调用"呢?只有当使用EXPECT_CALL指定时,mock函数调用才有意思吗?

"只有在使用EXPECT_CALL指定时,mock函数调用才有趣吗?"

简而言之,是的
ON_CALL()宏只影响要对mock方法调用执行的操作,而不影响对mock对象设置的调用期望值。

不过,您可以使用NiceMock<>模板来抑制这些警告
引用谷歌模拟"食谱"

假设您的测试使用模拟类MockFoo:

TEST(...) {
  MockFoo mock_foo;
  EXPECT_CALL(mock_foo, DoThis());
  ... code that uses mock_foo ...
}

如果调用了DoThis()以外的mock_foo方法,Google mock会将其报告为警告。然而,如果您重写测试以使用NiceMock,则警告将消失,从而产生更干净的测试输出:

using ::testing::NiceMock;
TEST(...) {
  NiceMock<MockFoo> mock_foo;
  EXPECT_CALL(mock_foo, DoThis());
  ... code that uses mock_foo ...
}

NiceMock<MockFoo>MockFoo的一个子类,因此它可以在接受MockFoo的任何地方使用。

可以将EXPECT_CALLWillRepeated一起使用:

EXPECT_CALL(mock, DoThis()).WillRepeatedly(Return("42"));