我如何测试setState()
之前没有调用subscribe()
方法,同时允许但不强迫在之后调用它?
下面的代码显示了我想要实现的目标。
这是我要测试的方法:
...
void FirstState::enter()
{
mInfoSubscription.subscribe(mInfoListener);
mStateMachine.setState(mFactory.makeState(StateId::SecondState));
}
...
这是单元测试:
class FirstStateTest : public ::testing::Test {
protected:
FirstStateTest()
: mFirstState{mMockStateMachine, mMockStatesFactory,
mMockInfoSubscription, mMockInfoListener}
{
}
NiceMock<MockStateMachine> mMockStateMachine;
NiceMock<MockStatesFactory> mMockStatesFactory;
NiceMock<MockInfoSubscription> mMockInfoSubscription;
NiceMock<MockInfoListener> mMockInfoListener;
FirstState mFirstState;
};
TEST_F(FirstStateTest, ensure_that_subscription_is_done_before_state_change)
{
// This method must not be called before "subscribe()".
EXPECT_CALL(mMockStateMachine, doSetState(_)).Times(0); // doesn't work the way I want
EXPECT_CALL(mMockInfoSubscription, subscribe(_)).Times(1);
// At this moment it doesn't matter if this method is called or not.
EXPECT_CALL(mMockStateMachine, doSetState(_)).Times(AtLeast(0)); // doesn't work the way I want
mFirstState.enter();
}
// other unit tests ...
...
编辑1:
以防万一,MockStateMachine
的外观如下:
class MockStateMachine : public IStateMachine {
public:
MOCK_METHOD1(doSetState, void(IState* newState));
void setState(std::unique_ptr<IState> newState) { doSetState(newState.get()); }
};
答案 0 :(得分:2)
您可以使用::testing::InSequence
来确保预期的通话正常。
TEST_F(FirstStateTest, ensure_that_subscription_is_done_before_state_change) {
InSequence expect_calls_in_order;
// `subscribe` must be called first.
EXPECT_CALL(mMockInfoSubscription, subscribe(_)).Times(1);
// After the `subscribe` call, expect any number of SetState calls.
EXPECT_CALL(mMockStateMachine, doSetState(_)).Times(AtLeast(0));
mFirstState.enter();
}