嘲弄 - call_user_func_array() 期望参数 1 是有效的回调

2022-08-30 20:19:42

我有一个需要模拟的类:

class MessagePublisher
{
    /**
     * @param \PhpAmqpLib\Message\AMQPMessage $msg
     * @param string $exchange - if not provided then one passed in constructor is used
     * @param string $routing_key
     * @param bool $mandatory
     * @param bool $immediate
     * @param null $ticket
     */
    public function publish(AMQPMessage $msg, $exchange = "", $routing_key = "", $mandatory = false, $immediate = false, $ticket = null)
    {
        if (empty($exchange)) {
            $exchange = $this->exchangeName;
        }

        $this->channel->basic_publish($msg, $exchange, $routing_key, $mandatory, $immediate, $ticket);
    }
}

我正在使用 Mockery 0.7.2

$mediaPublisherMock = \Mockery::mock('MessagePublisher')
    ->shouldReceive('publish')
    ->withAnyArgs()
    ->times(3)
    ->andReturn(null);

不幸的是,由于此错误,我的测试失败了

call_user_func_array() 期望参数 1 是有效的回调,但类 'Mockery\Expect' 在第 54 行的 /vendor/mockery/mockery/library/Mockery/CompositeExpectation 中没有方法 'publish'.php

我试图调试,我发现测试在此代码中失败

public function __call($method, array $args)
{
    foreach ($this->_expectations as $expectation) {
        call_user_func_array(array($expectation, $method), $args);
    }
    return $this;
}

其中
$method = 'publish'
$args = array()
$expectation 是 Mockery\Expect 对象 () 的实例

我正在使用php 5.3.10 - 任何想法是什么问题?


答案 1

发生这种情况是因为您正在将模拟期望分配给 ,而不是模拟本身。尝试将该方法添加到该调用的末尾,如下所示:$mediaPublisherMockgetMock

$mediaPublisherMock = \Mockery::mock('MessagePublisher')
    ->shouldReceive('publish')
    ->withAnyArgs()
    ->times(3)
    ->andReturn(null)
    ->getMock();

答案 2

使用标准 PhpUnit 模拟库解决的 Ok 问题

这有效:

$mediaPublisherMock = $this->getMock('Mrok\Model\MessagePublisher', array('publish'), array(), '', false);
$mediaPublisherMock->expects($this->once())
    ->method('publish');

为什么我没有从这个;)


推荐