0

我在我的路由中使用模型绑定将模型传递给我的控制器操作,并希望能够编写测试。如果测试不需要访问数据库,那将是可取的。

在本例中使用用户名绑定模型,然后在路由定义中使用。

// routes.php
Route::model('user', function($value, $route)
{
    return User::whereUsername($value)->firstOrFail();
});

Route::get('users/{user}', 'UsersController@show');

在我的控制器中,绑定用户被传递给操作。

// UsersController.php
function show(User $user)
{
    return View::make('users.show', compact('user');
}

现在,在我的测试中,我试图模拟用户。

// UsersControllerTest.php
public function setUp()
{
    parent::setUp();

    $this->mock = Mockery::mock('Eloquent', 'User');
    $this->app->instance('User', $this->mock);
}

public function testShowPage()
{
    $this->mock->shouldReceive('whereSlug')->once()->andReturn($this->mock);

    $this->action('GET', 'UsersController@show');

    $this->assertResponseOk();
    $this->assertViewHas('user');
}

运行此测试时,我收到以下错误:

ErrorException: Argument 1 passed to UsersController::show() must be an instance of User, instance of Illuminate\Database\Eloquent\Builder given

我也希望能够使用return User::firstByAttribtues($value);,但 Mockery 不会让我模拟受保护的方法 - 有什么办法可以解决这个问题吗?

4

2 回答 2

1

我不得不通过 Mockery 的源代码来找到这个,但是你看过 shouldAllowMockingProtectedMethods 吗?

即,模拟类 foo 并允许模拟受保护的方法:

$bar = \Mockery::mock('foo')->shouldAllowMockingProtectedMethods();
// now set your expectations up

然后从那里继续前进。

于 2015-01-08T09:07:44.750 回答
0

不知道为什么你没有收到像意外方法“firstOrFail”这样的错误调用。但是,乍一看,我认为问题在于您在 routes.php 中定义的模型路由也调用了 firstOrFail 方法。

因此,您的测试应如下所示:

public function testShowPage()
{
    $stubQuery = \Mockery::mock('Illuminate\Database\Eloquent\Builder');
    $this->mock->shouldReceive('whereSlug')->once()->andReturn($stubQuery);
    $stubQuery->shouldReceive('firstOrFail')->andReturn($this->mock);


    $this->action('GET', 'UsersController@show');

    $this->assertResponseOk();
    $this->assertViewHas('user');
}
于 2014-06-07T00:21:20.803 回答