web-dev-qa-db-ja.com

Laravel:PhpUnitでスタックトレースエラーを有効にする方法

laravel 5.4のフレッシュインストールがあります。

失敗したテストを確認するために、デフォルトのテストを変更しようとしました。

tests/ExampleTest.php

class ExampleTest extends TestCase
{
    /**
     * A basic test example.
     *
     * @return void
     */
    public function testBasicTest()
    {
        $response = $this->get('/ooops');

        $response->assertStatus(200);
    }
}

no route has been found or definedなどのようなより詳細なエラーが表示されることを期待していましたが、代わりにこのエラーは

Time: 1.13 seconds, Memory: 8.00MB

There was 1 failure:

1) Tests\Feature\ExampleTest::testBasicTest
Expected status code 200 but received 404.
Failed asserting that false is true.

/var/www/vendor/laravel/framework/src/Illuminate/Foundation/Testing/TestResponse.php:51
/var/www/tests/Feature/ExampleTest.php:21

意味のあるエラーなしでTDDを実行するのは本当に難しいです(この場合は404で十分ですが、ほとんどの場合そうではありません)。

ブラウザに表示されるものと同じスタックトレースを有効にする方法はありますか?または、少なくとも次のステップに進むと、次のステップが何かわかります。

前もって感謝します。

15
Jaime Sangcap

Laravel 5.4の場合、Adam Wathanが this Gist で提示したdisableExceptionHandlingメソッドを使用できます(以下のソースコード))

テストで実行する場合:

$this->disableExceptionHandling();

問題を見つけるのに役立つ完全な情報を取得する必要があります。

Laravel 5.5以上の場合、Laravelに組み込まれているwithoutExceptionHandlingメソッドを使用できます

Adam Wathan's Gistのソースコード

<?php

namespace Tests;

use App\Exceptions\Handler;
use Illuminate\Contracts\Debug\ExceptionHandler;
use Illuminate\Foundation\Testing\TestCase as BaseTestCase;

abstract class TestCase extends BaseTestCase
{
    use CreatesApplication;

    protected function setUp()
    {
        /**
         * This disables the exception handling to display the stacktrace on the console
         * the same way as it shown on the browser
         */
        parent::setUp();
        $this->disableExceptionHandling();
    }

    protected function disableExceptionHandling()
    {
        $this->app->instance(ExceptionHandler::class, new class extends Handler {
            public function __construct() {}

            public function report(\Exception $e)
            {
                // no-op
            }

            public function render($request, \Exception $e) {
                throw $e;
            }
        });
    }
}
22

Laravel 5.5以上を使用している場合は、組み込みのメソッドを使用できます。

$this->withoutExceptionHandling();
$this->withExceptionHandling();

SetUpメソッド、またはテストメソッドのいずれか。それらは次の trait で定義されています。

すばやくダーティなデバッグを行うには、dumpオブジェクトでresponseメソッドを使用することもできます。

/** @test */
public function it_can_delete_an_attribute()
{
    $response = $this->json('DELETE', "/api/attributes/3");

    $response->dump()->assertStatus(200);

    $this->assertDatabaseMissing('table', [
        'id' => $id
    ]);

    ...
}

これらの詳細をカバーする laracast レッスンがあります。

6
Patrick.SE