我正在尝试使用它自己的构造函数依赖项来模拟一个类。我正在使用Laravel 5.2。
class A {
public function something() {}
}
class B {
protected $a;
public function __construct(A $a) {
$this->a = $a;
}
public function getA() {
return $this->a->something();
}
}
MockingTest extends TestCase {
public function testItGetsSomething() {
$m = Mockery::mock('B');
$m->shouldReceive('getA')->once()->andReturn('Something');
}
}
我知道我可以将ClassB.__construct(A $a)
更改为:
public function __construct(A $a = null) {
$this->a = $a ?: new A();
}
但有更好/更清洁的方法吗?如果有更可接受的方法,我不想仅仅为了单元测试而更改我的构造函数代码。
答案 0 :(得分:1)
我不是100%肯定你要测试的是什么,但是如果你想模拟B类中的类A实例,你可以在创建B的新实例时注入一个模拟版本的A:
$mockA = Mockery::mock('A');
$mockA->shouldReceive('something')->once()->andReturn('Something');
$classBwithMockedA = new B($mockA);
然后你可以这样做(如果你想测试B类中的getA方法):
$this->assertEquals('Something', $classBwithMockedA->getA());