Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Is it possible, using PHPUnit mock objects, to expect a call to a magic __call() method?

I've got a mock object in a test. The real object, PageRepository, implements a magic method using __call(), so if you call $pageRepository->findOneByXXXX($value_of_field_XXXX), it will search the database for records matching that parameter.

Is there a way to mock that method?

The real method call would look something like this:

$homepage = $pageRepository->findOneBySlug('homepage'); 

The test would look like this:

$mockPageRepository->expects($this->any())     ->method('findOneBySlug')     ->will($this->returnValue(new Page())); 

But it doesn't work -- PHPUnit doesn't spot the method call. The only way to get it to see the method is to define the method explicitly in PageRepository.

like image 1000
Jeremy Warne Avatar asked Jun 02 '11 05:06

Jeremy Warne


1 Answers

PHPUnit's getMock() takes a second argument, an array with the names of methods to be mocked. If you include a method name in this array, the mock object will contain a method with that name, which expects() and friends will work on.

This applies even for methods that are not defined in the "real" class, so something like the following should do the trick:

$mockPageRepository = $this->getMock('PageRepository', array('findOneBySlug')); 

Keep in mind that you'll have to explicitly include any other methods that also need to be mocked, since only the methods named in the array are defined for the mock object.

like image 123
John Flatness Avatar answered Oct 05 '22 21:10

John Flatness