为什么GMOCK对象在依赖注入中不返回EXPECT_CALL设置的值

问题描述 投票:0回答:1

我有以下要模拟的对象:

class Esc {
 public:
  Esc() = default;
  virtual ~Esc() {}
  virtual int GetMaxPulseDurationInMicroSeconds() const noexcept{
    return 100;
  }
};

我写了这个模拟:

class MockEsc : public Esc {
 public:
  MockEsc(){}
  MockEsc(const MockEsc&){}
  MOCK_METHOD(int, GetMaxPulseDurationInMicroSeconds, (), (const, noexcept, override));
};

这是被测试的单元,调用前面提到的

Esc.GetMaxPulseDurationInMicroSeconds()
方法

class LeTodar2204{
 public:
  LeTodar2204() = delete;
  explicit LeTodar2204(std::unique_ptr<Esc> esc) : esc_(std::move(esc)){}
  int CallingMethod(){
    int a = esc_->GetMaxPulseDurationInMicroSeconds();
    return a;
  }

 private:
  std::unique_ptr<Esc> esc_;
};

在我的测试装置的设置中,我想将我的模拟设置为返回 1 并将其注入到被测单元中。

class Letodar2204Tests : public ::testing::Test {
 protected:
  Letodar2204Tests() {}
  virtual void SetUp() {
    EXPECT_CALL(esc_, GetMaxPulseDurationInMicroSeconds()).WillOnce(::testing::Return(1));
    unit_under_test_ = std::make_unique<LeTodar2204>(std::make_unique<MockEsc>(esc_));
  }

  MockEsc esc_;
  std::unique_ptr<LeTodar2204> unit_under_test_;
};

现在在测试中我调用了应该调用模拟方法的方法,但是我的模拟对象的

GetMaxPulseDurationInMicroSeconds
仅返回0(也称为默认值)并警告我有关无趣的函数调用。

这是测试

TEST_F(Letodar2204Tests, get_pulse_duration) {
  EXPECT_CALL(esc_, GetMaxPulseDurationInMicroSeconds()).WillOnce(::testing::Return(1));
  auto duration = unit_under_test_->CallingMethod();
  ASSERT_EQ(duration, 1);
}

我错过了什么?

c++ unit-testing mocking googlemock
1个回答
2
投票

因为您实际上将期望分配给您无论如何都会复制的对象。一旦

esc_
实例化,就会调用
Letodar2204Tests
默认 ctor。现在,在
SetUp
中,您对类字段
esc_
指定一个期望,然后基于
esc_
使用其复制向量创建一个 全新 对象(在堆上,使用
make_unique
)。期望也不会被神奇地复制。我相信你应该将
unique_ptr<MockEsc> esc_
存储为类字段,在
SetUp
内的堆上实例化它并注入到
LeTodar
:

class Letodar2204Tests : public ::testing::Test {
 protected:
  Letodar2204Tests() {}
  virtual void SetUp() {
    esc_ = std::make_unique<MockEsc>();
    EXPECT_CALL(*esc_, GetMaxPulseDurationInMicroSeconds()).WillOnce(::testing::Return(1));
    unit_under_test_ = std::make_unique<propulsion::LeTodar2204>(esc_);
  }

  std::unique_ptr<MockEsc> esc_;
  std::unique_ptr<propulsion::LeTodar2204> unit_under_test_;
};

在这里,你隐式地调用了copy-ctor:

std::make_unique<MockEsc>(esc_)

你可以做一个简单的测试:在 MockEsc 中将 copy ctor 标记为“已删除”,你会发现你的项目不再编译(至少不应该是:D)

© www.soinside.com 2019 - 2024. All rights reserved.