1

我可能在这里遗漏了一些非常微不足道的东西,但我无法让 phpunit 使用替代模拟类。

下面是一个示例,其中Foo我正在测试Bar的类和我想要模拟的类。

我希望下面的示例能够通过,因为我已经嘲笑Bar了 stubedBar::heavy_lifting以返回“not bar”,然后调用那个 trough Foo::do_stuff()。然而它失败了,这个例子仍然返回“bar”,似乎完全忽略了我的存根。

class Foo {
  public function do_stuff() {
    $b = new Bar();
    return $b->heavy_lifting();
  }
}

class Bar {
  public function heavy_lifting() {
    return "bar";
  }
}

class FooTest extends PHPUnit_Framework_TestCase {
  public function testBar() {
    $fake     = "not bar";
    $stand_in = $this->getMock("Bar");
    $stand_in->expects($this->any())
             ->method("heavy_lifting")
             ->will($this->returnValue($fake));

    $foo = new Foo();
    $this->assertEquals($foo->do_stuff(), $fake);
  }
}
4

1 回答 1

2

您的代码将无法按预期工作。存根不是要替换 Bar 类,而是创建可以传递到预期 Bar 的对象。您应该重构您的 Foo 类,例如:

class Foo {

    /* inject your dependency to Foo, it can be injected in many ways,
       using constructor, setter, or DI Container */

    public function __construct(Bar $bar) {
        $this->bar = $bar;
    }

    public  function do_stuff() {
        $this->bar->heavy_lifting();
    }

}

比您可以将模拟的 Bar 传递给 Foo 类。

于 2012-11-15T22:11:18.397 回答