在对应用程序进行功能测试时,我发现自己编写了几乎相同的测试来验证我的控制器是否需要身份验证。通常看起来像这样:
public function a_guest_cannot_view_any_of_the_pages()
{
$this->withExceptionHandling();
$model = factory(Model::class)->create();
$response = $this->get(route('models.show', [ 'id' => $model->id ]));
$response->assertRedirect(route('login'));
$response = $this->get(route('models.edit', [ 'id' => $model->id ]));
$response->assertRedirect(route('login'));
...etc
}
但是,对于需要身份验证的每个控制器,我发现像这样测试它不必要地麻烦。
使用身份验证中间件测试CRUD是否有任何策略?我该如何改善呢?
答案 0 :(得分:1)
您可以使用数据提供程序:
在tests / TestCase.php中:
/**
* @dataProvide dataProvider
*/
public function testRedirectToAuth($routeName)
{
$this->withExceptionHandling();
$model = factory(Model::class)->create();
$response = $this->get(route($routeName, [ 'id' => $model->id ]));
$response->assertRedirect(route('login'));
}
然后您可以在所有测试用例中调用它:
public function dataProvider()
{
return [
'model.show',
'model.edit',
...
];
}
答案 1 :(得分:0)
解决方案1 在控制器构造函数中定义将对所有功能起作用的中间件
public function __construct()
{
$this->middleware('auth');
}
ou 解决方案2 直接在路由上定义中间件
Route::get('admin/profile', function () {
//
})->middleware('auth');
答案 2 :(得分:0)
您可以使用ShowTrait
,使用此特征时必须指定您的路线和型号名称。
<?php
class ModelTest extends Test
{
use ShowTrait;
protected $routebase = 'api.v1.models.';
protected $model = Model::class;
}
abstract class Test extends TestCase
{
use RefreshDatabase, InteractsWithDatabase, UseAuthentication;
protected $routebase = 'api.v1.';
protected $model;
/**
* @test
*/
public function is_valid_model()
{
$this->assertTrue(class_exists($this->model));
}
}
trait ShowTrait {
public function test_show_as_authenticated_user()
{
$record = factory($this->model);
$this->assertShow($record)
}
protected function assertShow($record)
{
$route = route($this->routebase . "show", ['id' => $record->id]);
// Get response
$response = $this->get($route);
$response->assertRedirect(route('login'));
}
}