HTTP 測試
簡介
Laravel 提供了一個非常流暢的 API,用於向你的應用程式發出 HTTP 請求並檢查回應。舉例來說,請看下方定義的功能測試:
<?php
test('the application returns a successful response', function () {
$response = $this->get('/');
$response->assertStatus(200);
});
<?php
namespace Tests\Feature;
use Tests\TestCase;
class ExampleTest extends TestCase
{
/**
* A basic test example.
*/
public function test_the_application_returns_a_successful_response(): void
{
$response = $this->get('/');
$response->assertStatus(200);
}
}
get
方法會向應用程式發出一個 GET
請求,而 assertStatus
方法則斷言回傳的回應應該具有給定的 HTTP 狀態碼。除了這個簡單的斷言之外,Laravel 也包含了多種斷言,用於檢查回應標頭、內容、JSON 結構等等。
發出請求
若要向應用程式發出請求,您可以在測試中呼叫 get
、post
、put
、patch
或 delete
方法。這些方法並不會真正向您的應用程式發出「真實的」HTTP 請求。相反地,整個網路請求是在內部模擬的。
測試請求方法不會回傳 Illuminate\Http\Response
實例,而是回傳 Illuminate\Testing\TestResponse
的實例,它提供了各種有用的斷言,讓您可以檢查應用程式的回應:
<?php
test('basic request', function () {
$response = $this->get('/');
$response->assertStatus(200);
});
<?php
namespace Tests\Feature;
use Tests\TestCase;
class ExampleTest extends TestCase
{
/**
* A basic test example.
*/
public function test_a_basic_request(): void
{
$response = $this->get('/');
$response->assertStatus(200);
}
}
通常,您的每個測試都應該只對應用程式發出一次請求。如果在單一測試方法中執行多個請求,可能會發生意料之外的行為。
📌 備註
為了方便起見,當執行測試時,CSRF 中介層會自動停用。
自訂請求標頭
您可以使用 withHeaders
方法來在請求傳送至應用程式之前自訂請求的標頭。此方法允許您將任何自訂標頭新增至請求中:
<?php
test('interacting with headers', function () {
$response = $this->withHeaders([
'X-Header' => 'Value',
])->post('/user', ['name' => 'Sally']);
$response->assertStatus(201);
});
<?php
namespace Tests\Feature;
use Tests\TestCase;
class ExampleTest extends TestCase
{
/**
* A basic functional test example.
*/
public function test_interacting_with_headers(): void
{
$response = $this->withHeaders([
'X-Header' => 'Value',
])->post('/user', ['name' => 'Sally']);
$response->assertStatus(201);
}
}
Cookie
您可以使用 withCookie
或 withCookies
方法在發出請求之前設定 cookie 值。withCookie
方法接受 cookie 名稱和值作為其兩個參數,而 withCookies
方法則接受一個名稱/值對的陣列:
<?php
test('interacting with cookies', function () {
$response = $this->withCookie('color', 'blue')->get('/');
$response = $this->withCookies([
'color' => 'blue',
'name' => 'Taylor',
])->get('/');
//
});
<?php
namespace Tests\Feature;
use Tests\TestCase;
class ExampleTest extends TestCase
{
public function test_interacting_with_cookies(): void
{
$response = $this->withCookie('color', 'blue')->get('/');
$response = $this->withCookies([
'color' => 'blue',
'name' => 'Taylor',
])->get('/');
//
}
}
Session / 身份驗證
Laravel 提供了多個輔助函式,用於在 HTTP 測試期間與 session 互動。首先,您可以使用 withSession
方法將 session 資料設定為給定的陣列。這在向應用程式發出請求之前,將資料載入到 session 中非常有用:
<?php
test('interacting with the session', function () {
$response = $this->withSession(['banned' => false])->get('/');
//
});
<?php
namespace Tests\Feature;
use Tests\TestCase;
class ExampleTest extends TestCase
{
public function test_interacting_with_the_session(): void
{
$response = $this->withSession(['banned' => false])->get('/');
//
}
}
Laravel 的 session 通常用於維護當前已驗證使用者的狀態。因此,actingAs
輔助方法提供了一種簡單的方式來將給定使用者驗證為當前使用者。例如,我們可以使用模型工廠來產生並驗證使用者:
<?php
use App\Models\User;
test('an action that requires authentication', function () {
$user = User::factory()->create();
$response = $this->actingAs($user)
->withSession(['banned' => false])
->get('/');
//
});
<?php
namespace Tests\Feature;
use App\Models\User;
use Tests\TestCase;
class ExampleTest extends TestCase
{
public function test_an_action_that_requires_authentication(): void
{
$user = User::factory()->create();
$response = $this->actingAs($user)
->withSession(['banned' => false])
->get('/');
//
}
}
您也可以透過將 guard 名稱作為 actingAs
方法的第二個參數傳入,來指定應該使用哪個 guard 來驗證給定的使用者。提供給 actingAs
方法的 guard 也將成為測試期間的預設 guard:
$this->actingAs($user, 'web');
如果您想確保請求未經驗證,您可以使用 actingAsGuest
方法:
$this->actingAsGuest();
偵錯回應
在向應用程式發出測試請求後,可以使用 dump
、dumpHeaders
和 dumpSession
方法來檢查和偵錯回應內容:
<?php
test('basic test', function () {
$response = $this->get('/');
$response->dump();
$response->dumpHeaders();
$response->dumpSession();
});
<?php
namespace Tests\Feature;
use Tests\TestCase;
class ExampleTest extends TestCase
{
/**
* A basic test example.
*/
public function test_basic_test(): void
{
$response = $this->get('/');
$response->dump();
$response->dumpHeaders();
$response->dumpSession();
}
}
或者,您可以使用 dd
、ddHeaders
、ddBody
、ddJson
和 ddSession
方法來傾印回應的資訊,然後停止執行:
<?php
test('basic test', function () {
$response = $this->get('/');
$response->dd();
$response->ddHeaders();
$response->ddBody();
$response->ddJson();
$response->ddSession();
});
<?php
namespace Tests\Feature;
use Tests\TestCase;
class ExampleTest extends TestCase
{
/**
* A basic test example.
*/
public function test_basic_test(): void
{
$response = $this->get('/');
$response->dd();
$response->ddHeaders();
$response->ddBody();
$response->ddJson();
$response->ddSession();
}
}
異常處理
有時候您可能需要測試您的應用程式是否拋出了特定的異常。為此,您可以透過「偽造」(fake) 異常處理器,經由 Exceptions
facade。一旦異常處理器被偽造(fake)後,您就可以使用 assertReported
和 assertNotReported
方法,對於請求期間拋出的異常進行斷言:
<?php
use App\Exceptions\InvalidOrderException;
use Illuminate\Support\Facades\Exceptions;
test('exception is thrown', function () {
Exceptions::fake();
$response = $this->get('/order/1');
// Assert an exception was thrown...
Exceptions::assertReported(InvalidOrderException::class);
// Assert against the exception...
Exceptions::assertReported(function (InvalidOrderException $e) {
return $e->getMessage() === 'The order was invalid.';
});
});
<?php
namespace Tests\Feature;
use App\Exceptions\InvalidOrderException;
use Illuminate\Support\Facades\Exceptions;
use Tests\TestCase;
class ExampleTest extends TestCase
{
/**
* A basic test example.
*/
public function test_exception_is_thrown(): void
{
Exceptions::fake();
$response = $this->get('/');
// Assert an exception was thrown...
Exceptions::assertReported(InvalidOrderException::class);
// Assert against the exception...
Exceptions::assertReported(function (InvalidOrderException $e) {
return $e->getMessage() === 'The order was invalid.';
});
}
}
assertNotReported
和 assertNothingReported
方法可用來斷言在請求期間沒有拋出特定的異常,或者沒有拋出任何異常:
Exceptions::assertNotReported(InvalidOrderException::class);
Exceptions::assertNothingReported();
您可以在發出請求之前,透過呼叫 withoutExceptionHandling
方法,完全停用對於某個請求的異常處理:
$response = $this->withoutExceptionHandling()->get('/');
此外,如果您想確保您的應用程式沒有使用到已被 PHP 語言或您的應用程式所使用的函式庫棄用的功能,您可以在發出請求之前呼叫 withoutDeprecationHandling
方法。當棄用處理被停用時,棄用警告將會被轉換為異常,進而導致您的測試失敗:
$response = $this->withoutDeprecationHandling()->get('/');
assertThrows
方法可用來斷言指定閉包中的程式碼會拋出特定類型的異常:
$this->assertThrows(
fn () => (new ProcessOrder)->execute(),
OrderInvalid::class
);
如果您想檢查並對拋出的異常進行斷言,您可以將一個閉包作為第二個參數傳遞給 assertThrows
方法:
$this->assertThrows(
fn () => (new ProcessOrder)->execute(),
fn (OrderInvalid $e) => $e->orderId() === 123;
);
assertDoesntThrow
方法可用來斷言指定閉包中的程式碼不會拋出任何異常:
$this->assertDoesntThrow(fn () => (new ProcessOrder)->execute());
測試 JSON API
Laravel 也提供了多個輔助工具,用於測試 JSON API 及其回應。例如,可以使用 json
、getJson
、postJson
、putJson
、patchJson
、deleteJson
和 optionsJson
方法來發出帶有不同 HTTP 動詞的 JSON 請求。您也可以輕鬆地向這些方法傳遞資料和標頭。首先,讓我們編寫一個測試,向 /api/user
發出一個 POST
請求,並斷言預期的 JSON 資料已回傳:
<?php
test('making an api request', function () {
$response = $this->postJson('/api/user', ['name' => 'Sally']);
$response
->assertStatus(201)
->assertJson([
'created' => true,
]);
});
<?php
namespace Tests\Feature;
use Tests\TestCase;
class ExampleTest extends TestCase
{
/**
* A basic functional test example.
*/
public function test_making_an_api_request(): void
{
$response = $this->postJson('/api/user', ['name' => 'Sally']);
$response
->assertStatus(201)
->assertJson([
'created' => true,
]);
}
}
此外,JSON 回應資料可以作為回應中的陣列變數存取,這讓您可以方便地檢查 JSON 回應中回傳的個別值:
expect($response['created'])->toBeTrue();
$this->assertTrue($response['created']);
📌 備註
assertJson
方法會將回應轉換為陣列,以驗證給定的陣列存在於應用程式回傳的 JSON 回應中。因此,如果 JSON 回應中還有其他屬性,只要給定的片段存在,這個測試仍然會通過。
斷言精確的 JSON 相符
如前所述,assertJson
方法可用於斷言 JSON 回應中存在 JSON 片段。如果您想驗證給定的陣列完全符合應用程式回傳的 JSON,您應該使用 assertExactJson
方法:
<?php
test('asserting an exact json match', function () {
$response = $this->postJson('/user', ['name' => 'Sally']);
$response
->assertStatus(201)
->assertExactJson([
'created' => true,
]);
});
<?php
namespace Tests\Feature;
use Tests\TestCase;
class ExampleTest extends TestCase
{
/**
* A basic functional test example.
*/
public function test_asserting_an_exact_json_match(): void
{
$response = $this->postJson('/user', ['name' => 'Sally']);
$response
->assertStatus(201)
->assertExactJson([
'created' => true,
]);
}
}
<?php
test('asserting a json path value', function () {
$response = $this->postJson('/user', ['name' => 'Sally']);
$response
->assertStatus(201)
->assertJsonPath('team.owner.name', 'Darian');
});
<?php
namespace Tests\Feature;
use Tests\TestCase;
class ExampleTest extends TestCase
{
/**
* A basic functional test example.
*/
public function test_asserting_a_json_paths_value(): void
{
$response = $this->postJson('/user', ['name' => 'Sally']);
$response
->assertStatus(201)
->assertJsonPath('team.owner.name', 'Darian');
}
}
assertJsonPath
方法也接受一個閉包,可用於動態判斷斷言是否應該通過:
$response->assertJsonPath('team.owner.name', fn (string $name) => strlen($name) >= 3);
流暢的 JSON 測試
Laravel 也提供了一種優雅的方式來流暢地測試您應用程式的 JSON 回應。首先,您可以將一個閉包傳遞給 assertJson
方法。這個閉包會使用 Illuminate\Testing\Fluent\AssertableJson
的實例進行呼叫,該實例可用於對應用程式回傳的 JSON 進行斷言。where
方法可用於對 JSON 的特定屬性進行斷言,而 missing
方法則可用於斷言 JSON 中缺少特定的屬性:
use Illuminate\Testing\Fluent\AssertableJson;
test('fluent json', function () {
$response = $this->getJson('/users/1');
$response
->assertJson(fn (AssertableJson $json) =>
$json->where('id', 1)
->where('name', 'Victoria Faith')
->where('email', fn (string $email) => str($email)->is('[email protected]'))
->whereNot('status', 'pending')
->missing('password')
->etc()
);
});
use Illuminate\Testing\Fluent\AssertableJson;
/**
* A basic functional test example.
*/
public function test_fluent_json(): void
{
$response = $this->getJson('/users/1');
$response
->assertJson(fn (AssertableJson $json) =>
$json->where('id', 1)
->where('name', 'Victoria Faith')
->where('email', fn (string $email) => str($email)->is('[email protected]'))
->whereNot('status', 'pending')
->missing('password')
->etc()
);
}
理解 etc
方法
在上面的範例中,您可能已經注意到我們在斷言鏈的末尾呼叫了 etc
方法。此方法會告知 Laravel,JSON 物件上可能存在其他屬性。如果未使用 etc
方法,那麼如果 JSON 物件上存在您未對其進行斷言的其他屬性,測試將會失敗。
此行為的目的是保護您免於無意中暴露 JSON 回應中的敏感資訊,方法是強迫您明確地對屬性進行斷言,或透過 etc
方法明確允許額外屬性。
然而,您應該意識到,在斷言鏈中不包含 etc
方法並不能確保不會有額外的屬性被新增到巢狀於 JSON 物件中的陣列。etc
方法只確保在呼叫 etc
方法的巢狀層級中不存在額外的屬性。
斷言屬性的存在與否
若要斷言屬性是否存在,您可以使用 has
和 missing
方法:
$response->assertJson(fn (AssertableJson $json) =>
$json->has('data')
->missing('message')
);
此外,hasAll
和 missingAll
方法允許同時斷言多個屬性的存在與否:
$response->assertJson(fn (AssertableJson $json) =>
$json->hasAll(['status', 'data'])
->missingAll(['message', 'code'])
);
您可以使用 hasAny
方法來判斷給定屬性列表中至少有一個存在:
$response->assertJson(fn (AssertableJson $json) =>
$json->has('status')
->hasAny('data', 'message', 'code')
);
斷言 JSON 集合
通常,您的路由會回傳包含多個項目的 JSON 回應,例如多位使用者:
Route::get('/users', function () {
return User::all();
});
在這些情況下,我們可以使用流暢 JSON 物件的 has
方法來對回應中包含的使用者進行斷言。例如,讓我們斷言 JSON 回應包含三位使用者。接下來,我們將使用 first
方法對集合中的第一位使用者進行一些斷言。first
方法接受一個閉包,該閉包會接收另一個可斷言的 JSON 字串,我們可以使用它來對 JSON 集合中的第一個物件進行斷言:
$response
->assertJson(fn (AssertableJson $json) =>
$json->has(3)
->first(fn (AssertableJson $json) =>
$json->where('id', 1)
->where('name', 'Victoria Faith')
->where('email', fn (string $email) => str($email)->is('[email protected]'))
->missing('password')
->etc()
)
);
限定 JSON 集合斷言範圍
有時,您應用程式的路由會回傳具有命名鍵的 JSON 集合:
Route::get('/users', function () {
return [
'meta' => [...],
'users' => User::all(),
];
})
測試這些路由時,您可以使用 has
方法來斷言集合中的項目數量。此外,您還可以使用 has
方法來限定斷言鏈的範圍:
$response
->assertJson(fn (AssertableJson $json) =>
$json->has('meta')
->has('users', 3)
->has('users.0', fn (AssertableJson $json) =>
$json->where('id', 1)
->where('name', 'Victoria Faith')
->where('email', fn (string $email) => str($email)->is('[email protected]'))
->missing('password')
->etc()
)
);
然而,與其對 users
集合進行兩次單獨的 has
方法呼叫進行斷言,不如進行一次呼叫,並將一個閉包作為其第三個參數。這樣做時,該閉包將會自動被呼叫並將範圍限定為集合中的第一個項目:
$response
->assertJson(fn (AssertableJson $json) =>
$json->has('meta')
->has('users', 3, fn (AssertableJson $json) =>
$json->where('id', 1)
->where('name', 'Victoria Faith')
->where('email', fn (string $email) => str($email)->is('[email protected]'))
->missing('password')
->etc()
)
);
斷言 JSON 型別
您可能只想斷言 JSON 回應中的屬性是某種特定型別。Illuminate\Testing\Fluent\AssertableJson
類別提供了 whereType
和 whereAllType
方法,用於實現這一點:
$response->assertJson(fn (AssertableJson $json) =>
$json->whereType('id', 'integer')
->whereAllType([
'users.0.name' => 'string',
'meta' => 'array'
])
);
您可以使用 |
字元指定多種型別,或將型別陣列作為第二個參數傳遞給 whereType
方法。如果回應值是所列出的任何一種型別,斷言將會成功:
$response->assertJson(fn (AssertableJson $json) =>
$json->whereType('name', 'string|null')
->whereType('id', ['string', 'integer'])
);
whereType
和 whereAllType
方法識別以下型別:string
、integer
、double
、boolean
、array
和 null
。
測試檔案上傳
Illuminate\Http\UploadedFile
類別提供了 fake
方法,可用於生成虛擬檔案或圖片進行測試。這與 Storage
Facade 的 fake
方法結合,大大簡化了檔案上傳的測試。例如,您可以結合這兩個功能,輕鬆測試一個頭像上傳表單:
<?php
use Illuminate\Http\UploadedFile;
use Illuminate\Support\Facades\Storage;
test('avatars can be uploaded', function () {
Storage::fake('avatars');
$file = UploadedFile::fake()->image('avatar.jpg');
$response = $this->post('/avatar', [
'avatar' => $file,
]);
Storage::disk('avatars')->assertExists($file->hashName());
});
<?php
namespace Tests\Feature;
use Illuminate\Http\UploadedFile;
use Illuminate\Support\Facades\Storage;
use Tests\TestCase;
class ExampleTest extends TestCase
{
public function test_avatars_can_be_uploaded(): void
{
Storage::fake('avatars');
$file = UploadedFile::fake()->image('avatar.jpg');
$response = $this->post('/avatar', [
'avatar' => $file,
]);
Storage::disk('avatars')->assertExists($file->hashName());
}
}
如果您想斷言特定檔案不存在,您可以使用 Storage
Facade 提供的 assertMissing
方法:
Storage::fake('avatars');
// ...
Storage::disk('avatars')->assertMissing('missing.jpg');
虛擬檔案自訂
當您使用 UploadedFile
類別提供的 fake
方法建立檔案時,您可以指定圖片的寬度、高度和大小 (單位為 KB),以便更好地測試應用程式的驗證規則:
UploadedFile::fake()->image('avatar.jpg', $width, $height)->size(100);
除了建立圖片,您還可以使用 create
方法建立任何其他類型的檔案:
UploadedFile::fake()->create('document.pdf', $sizeInKilobytes);
如有需要,您可以傳遞 $mimeType
引數給該方法,以明確定義檔案應回傳的 MIME 類型:
UploadedFile::fake()->create(
'document.pdf', $sizeInKilobytes, 'application/pdf'
);
測試視圖
Laravel 還允許您渲染視圖,而無需對應用程式發出模擬的 HTTP 請求。為此,您可以在測試中呼叫 view
方法。view
方法接受視圖名稱和一個可選的資料陣列。該方法回傳 Illuminate\Testing\TestView
的實例,該實例提供了數個方法,方便地對視圖內容進行斷言:
<?php
test('a welcome view can be rendered', function () {
$view = $this->view('welcome', ['name' => 'Taylor']);
$view->assertSee('Taylor');
});
<?php
namespace Tests\Feature;
use Tests\TestCase;
class ExampleTest extends TestCase
{
public function test_a_welcome_view_can_be_rendered(): void
{
$view = $this->view('welcome', ['name' => 'Taylor']);
$view->assertSee('Taylor');
}
}
TestView
類別提供了以下斷言方法:assertSee
、assertSeeInOrder
、assertSeeText
、assertSeeTextInOrder
、assertDontSee
和 assertDontSeeText
。
如有需要,您可以將 TestView
實例轉型為字串,以獲取原始的、渲染後的視圖內容:
$contents = (string) $this->view('welcome');
共用錯誤
有些視圖可能依賴於 Laravel 提供的全域錯誤包中共用的錯誤。為了用錯誤訊息填充錯誤包,您可以使用 withViewErrors
方法:
$view = $this->withViewErrors([
'name' => ['Please provide a valid name.']
])->view('form');
$view->assertSee('Please provide a valid name.');
渲染 Blade 與元件
如有必要,您可以使用 blade
方法評估並渲染原始的 Blade 字串。與 view
方法類似,blade
方法回傳 Illuminate\Testing\TestView
的實例:
$view = $this->blade(
'<x-component :name="$name" />',
['name' => 'Taylor']
);
$view->assertSee('Taylor');
您可以使用 component
方法評估並渲染 Blade component。component
方法回傳 Illuminate\Testing\TestComponent
的實例:
$view = $this->component(Profile::class, ['name' => 'Taylor']);
$view->assertSee('Taylor');
可用的斷言
回應斷言
Laravel 的 Illuminate\Testing\TestResponse
類別提供了多種自訂的斷言方法,供您在測試應用程式時使用。這些斷言可以在 json
、get
、post
、put
和 delete
這些測試方法回傳的回應中取用:
assertAcceptedassertBadRequestassertClientErrorassertConflictassertCookieassertCookieExpiredassertCookieNotExpiredassertCookieMissingassertCreatedassertDontSeeassertDontSeeTextassertDownloadassertExactJsonassertExactJsonStructureassertForbiddenassertFoundassertGoneassertHeaderassertHeaderMissingassertInternalServerErrorassertJsonassertJsonCountassertJsonFragmentassertJsonIsArrayassertJsonIsObjectassertJsonMissingassertJsonMissingExactassertJsonMissingValidationErrorsassertJsonPathassertJsonMissingPathassertJsonStructureassertJsonValidationErrorsassertJsonValidationErrorForassertLocationassertMethodNotAllowedassertMovedPermanentlyassertContentassertNoContentassertStreamedassertStreamedContentassertNotFoundassertOkassertPaymentRequiredassertPlainCookieassertRedirectassertRedirectBackassertRedirectBackWithErrorsassertRedirectBackWithoutErrorsassertRedirectContainsassertRedirectToRouteassertRedirectToSignedRouteassertRequestTimeoutassertSeeassertSeeInOrderassertSeeTextassertSeeTextInOrderassertServerErrorassertServiceUnavailableassertSessionHasassertSessionHasInputassertSessionHasAllassertSessionHasErrorsassertSessionHasErrorsInassertSessionHasNoErrorsassertSessionDoesntHaveErrorsassertSessionMissingassertStatusassertSuccessfulassertTooManyRequestsassertUnauthorizedassertUnprocessableassertUnsupportedMediaTypeassertValidassertInvalidassertViewHasassertViewHasAllassertViewIsassertViewMissing
assertAccepted
斷言回應具有已接受 (202) HTTP 狀態碼:
$response->assertAccepted();
assertBadRequest
斷言回應具有不正確的請求 (400) HTTP 狀態碼:
$response->assertBadRequest();
assertClientError
斷言回應具有客戶端錯誤 (>= 400, < 500) HTTP 狀態碼:
$response->assertClientError();
assertConflict
斷言回應具有衝突 (409) HTTP 狀態碼:
$response->assertConflict();
assertCookie
斷言回應包含給定的 cookie:
$response->assertCookie($cookieName, $value = null);
assertCookieExpired
斷言回應包含給定的 cookie 且其已過期:
$response->assertCookieExpired($cookieName);
assertCookieNotExpired
斷言回應包含給定的 cookie 且其未過期:
$response->assertCookieNotExpired($cookieName);
assertCookieMissing
斷言回應不包含給定的 cookie:
$response->assertCookieMissing($cookieName);
assertCreated
斷言回應具有 201 HTTP 狀態碼:
$response->assertCreated();
assertDontSee
斷言回應不包含給定字串。此斷言會自動逸出給定字串,除非您傳遞第二個參數 false
:
$response->assertDontSee($value, $escape = true);
assertDontSeeText
斷言回應文字不包含給定字串。此斷言會自動逸出給定字串,除非您傳遞第二個參數 false
。此方法會在進行斷言之前,將回應內容傳遞給 strip_tags
PHP 函式:
$response->assertDontSeeText($value, $escape = true);
assertDownload
斷言回應為「下載」。通常,這表示回傳回應的被呼叫路由回傳了 Response::download
回應、BinaryFileResponse
或 Storage::download
回應:
$response->assertDownload();
如果需要,您可以斷言可下載的檔案被指派了指定的檔案名稱:
$response->assertDownload('image.jpg');
assertExactJson
斷言回應包含與給定 JSON 資料完全匹配的內容:
$response->assertExactJson(array $data);
assertExactJsonStructure
斷言回應包含與給定 JSON 結構完全匹配的內容:
$response->assertExactJsonStructure(array $data);
此方法是 assertJsonStructure 的更嚴格變體。與 assertJsonStructure
不同,如果回應包含任何未明確包含在預期 JSON 結構中的鍵,此方法將會失敗。
assertForbidden
斷言回應具有禁止 (403) HTTP 狀態碼:
$response->assertForbidden();
assertFound
斷言回應具有已找到 (302) HTTP 狀態碼:
$response->assertFound();
assertGone
斷言回應具有已不存在 (410) HTTP 狀態碼:
$response->assertGone();
assertHeader
斷言回應包含給定的標頭和值:
$response->assertHeader($headerName, $value = null);
assertHeaderMissing
斷言回應不包含給定的標頭:
$response->assertHeaderMissing($headerName);
assertInternalServerError
斷言回應具有「內部伺服器錯誤」(500) HTTP 狀態碼:
$response->assertInternalServerError();
assertJson
斷言回應包含給定的 JSON 資料:
$response->assertJson(array $data, $strict = false);
assertJson
方法會將回應轉換為陣列,以驗證給定陣列是否存在於應用程式回傳的 JSON 回應中。因此,即使 JSON 回應中存在其他屬性,只要給定的片段存在,此測試仍會通過。
assertJsonCount
斷言回應 JSON 在給定鍵上具有預期項目數量的陣列:
$response->assertJsonCount($count, $key = null);
assertJsonFragment
斷言回應包含回應中任何位置的給定 JSON 資料:
Route::get('/users', function () {
return [
'users' => [
[
'name' => 'Taylor Otwell',
],
],
];
});
$response->assertJsonFragment(['name' => 'Taylor Otwell']);
assertJsonIsArray
斷言回應 JSON 是一個陣列:
$response->assertJsonIsArray();
assertJsonIsObject
斷言回應 JSON 是一個物件:
$response->assertJsonIsObject();
assertJsonMissing
斷言回應不包含給定的 JSON 資料:
$response->assertJsonMissing(array $data);
assertJsonMissingExact
斷言回應不包含精確的 JSON 資料:
$response->assertJsonMissingExact(array $data);
assertJsonMissingValidationErrors
斷言回應對於給定鍵沒有 JSON 驗證錯誤:
$response->assertJsonMissingValidationErrors($keys);
📌 備註
更通用的 assertValid 方法可用於斷言回應沒有作為 JSON 回傳的驗證錯誤 並且 沒有錯誤被快閃到 Session 儲存。
assertJsonPath
斷言回應在指定路徑處包含給定資料:
$response->assertJsonPath($path, $expectedValue);
例如,如果您的應用程式回傳以下 JSON 回應:
{
"user": {
"name": "Steve Schoger"
}
}
您可以像這樣斷言 user
物件的 name
屬性與給定值匹配:
$response->assertJsonPath('user.name', 'Steve Schoger');
assertJsonMissingPath
斷言回應不包含給定路徑:
$response->assertJsonMissingPath($path);
例如,如果您的應用程式回傳以下 JSON 回應:
{
"user": {
"name": "Steve Schoger"
}
}
您可以斷言它不包含 user
物件的 email
屬性:
$response->assertJsonMissingPath('user.email');
assertJsonStructure
斷言回應具有給定的 JSON 結構:
$response->assertJsonStructure(array $structure);
例如,如果您的應用程式回傳的 JSON 回應包含以下資料:
{
"user": {
"name": "Steve Schoger"
}
}
您可以像這樣斷言 JSON 結構符合您的預期:
$response->assertJsonStructure([
'user' => [
'name',
]
]);
有時,您的應用程式回傳的 JSON 回應可能包含物件陣列:
{
"user": [
{
"name": "Steve Schoger",
"age": 55,
"location": "Earth"
},
{
"name": "Mary Schoger",
"age": 60,
"location": "Earth"
}
]
}
在這種情況下,您可以使用 *
字元來斷言陣列中所有物件的結構:
$response->assertJsonStructure([
'user' => [
'*' => [
'name',
'age',
'location'
]
]
]);
assertJsonValidationErrors
斷言回應對於給定鍵具有給定的 JSON 驗證錯誤。當驗證錯誤作為 JSON 結構回傳而不是快閃到 Session 時,應使用此方法進行斷言:
$response->assertJsonValidationErrors(array $data, $responseKey = 'errors');
📌 備註
更通用的 assertInvalid 方法可用於斷言回應具有作為 JSON 回傳的驗證錯誤 或 錯誤已快閃到 Session 儲存。
assertJsonValidationErrorFor
斷言回應對於給定鍵具有任何 JSON 驗證錯誤:
$response->assertJsonValidationErrorFor(string $key, $responseKey = 'errors');
assertMethodNotAllowed
斷言回應具有不允許的方法 (405) HTTP 狀態碼:
$response->assertMethodNotAllowed();
assertMovedPermanently
斷言回應具有永久移動 (301) HTTP 狀態碼:
$response->assertMovedPermanently();
assertLocation
斷言回應在 Location
標頭中具有給定的 URI 值:
$response->assertLocation($uri);
assertContent
斷言給定字串與回應內容匹配:
$response->assertContent($value);
assertNoContent
斷言回應具有給定的 HTTP 狀態碼且無內容:
$response->assertNoContent($status = 204);
assertStreamed
斷言回應是一個串流回應:
$response->assertStreamed();
assertStreamedContent
斷言給定字串與串流回應內容匹配:
$response->assertStreamedContent($value);
assertNotFound
斷言回應具有未找到 (404) HTTP 狀態碼:
$response->assertNotFound();
assertOk
斷言回應具有 200 HTTP 狀態碼:
$response->assertOk();
assertPaymentRequired
斷言回應具有需要付款 (402) HTTP 狀態碼:
$response->assertPaymentRequired();
assertPlainCookie
斷言回應包含給定的未加密 cookie:
$response->assertPlainCookie($cookieName, $value = null);
assertRedirect
斷言回應重新導向到給定的 URI:
$response->assertRedirect($uri = null);
assertRedirectBack
斷言回應是否重新導向回上一頁:
$response->assertRedirectBack();
assertRedirectBackWithErrors
斷言回應是否重新導向回上一頁且 Session 包含給定的錯誤:
$response->assertRedirectBackWithErrors(
array $keys = [], $format = null, $errorBag = 'default'
);
assertRedirectBackWithoutErrors
斷言回應是否重新導向回上一頁且 Session 不包含任何錯誤訊息:
$response->assertRedirectBackWithoutErrors();
assertRedirectContains
斷言回應是否重新導向到包含給定字串的 URI:
$response->assertRedirectContains($string);
assertRedirectToRoute
斷言回應重新導向到給定的 命名路由:
$response->assertRedirectToRoute($name, $parameters = []);
assertRedirectToSignedRoute
斷言回應重新導向到給定的 簽名路由:
$response->assertRedirectToSignedRoute($name = null, $parameters = []);
assertRequestTimeout
斷言回應具有請求逾時 (408) HTTP 狀態碼:
$response->assertRequestTimeout();
assertSee
斷言回應包含給定字串。此斷言會自動逸出給定字串,除非您傳遞第二個參數 false
:
$response->assertSee($value, $escape = true);
assertSeeInOrder
斷言回應中依序包含給定字串。此斷言會自動逸出給定字串,除非您傳遞第二個參數 false
:
$response->assertSeeInOrder(array $values, $escape = true);
assertSeeText
斷言回應文字包含給定字串。此斷言會自動逸出給定字串,除非您傳遞第二個參數 false
。在進行斷言之前,回應內容將傳遞給 strip_tags
PHP 函式:
$response->assertSeeText($value, $escape = true);
assertSeeTextInOrder
斷言回應文字中依序包含給定字串。此斷言會自動逸出給定字串,除非您傳遞第二個參數 false
。在進行斷言之前,回應內容將傳遞給 strip_tags
PHP 函式:
$response->assertSeeTextInOrder(array $values, $escape = true);
assertServerError
斷言回應具有伺服器錯誤 (>= 500 , < 600) HTTP 狀態碼:
$response->assertServerError();
assertServiceUnavailable
斷言回應具有「服務不可用」(503) HTTP 狀態碼:
$response->assertServiceUnavailable();
assertSessionHas
斷言 Session 包含給定的資料片段:
$response->assertSessionHas($key, $value = null);
如果需要,可以將閉包作為第二個參數傳遞給 assertSessionHas
方法。如果閉包回傳 true
,則斷言將通過:
$response->assertSessionHas($key, function (User $value) {
return $value->name === 'Taylor Otwell';
});
assertSessionHasInput
斷言 Session 在 快閃輸入陣列 中具有給定值:
$response->assertSessionHasInput($key, $value = null);
如果需要,可以將閉包作為第二個參數傳遞給 assertSessionHasInput
方法。如果閉包回傳 true
,則斷言將通過:
use Illuminate\Support\Facades\Crypt;
$response->assertSessionHasInput($key, function (string $value) {
return Crypt::decryptString($value) === 'secret';
});
assertSessionHasAll
斷言 Session 包含給定的鍵/值對陣列:
$response->assertSessionHasAll(array $data);
例如,如果您的應用程式 Session 包含 name
和 status
鍵,您可以斷言兩者都存在並具有指定值:
$response->assertSessionHasAll([
'name' => 'Taylor Otwell',
'status' => 'active',
]);
assertSessionHasErrors
斷言 Session 包含給定 $keys
的錯誤。如果 $keys
是一個關聯陣列,則斷言 Session 對於每個欄位 (鍵) 包含特定的錯誤訊息 (值)。當測試將驗證錯誤快閃到 Session 而不是將其作為 JSON 結構回傳的路由時,應使用此方法:
$response->assertSessionHasErrors(
array $keys = [], $format = null, $errorBag = 'default'
);
例如,要斷言 name
和 email
欄位具有已快閃到 Session 的驗證錯誤訊息,您可以像這樣呼叫 assertSessionHasErrors
方法:
$response->assertSessionHasErrors(['name', 'email']);
或者,您可以斷言給定欄位具有特定的驗證錯誤訊息:
$response->assertSessionHasErrors([
'name' => 'The given name was invalid.'
]);
📌 備註
更通用的 assertInvalid 方法可用於斷言回應具有作為 JSON 回傳的驗證錯誤 或 錯誤已快閃到 Session 儲存。
assertSessionHasErrorsIn
斷言 Session 在特定的 錯誤包 中包含給定 $keys
的錯誤。如果 $keys
是一個關聯陣列,則斷言 Session 在錯誤包中對於每個欄位 (鍵) 包含特定的錯誤訊息 (值):
$response->assertSessionHasErrorsIn($errorBag, $keys = [], $format = null);
assertSessionHasNoErrors
斷言 Session 沒有驗證錯誤:
$response->assertSessionHasNoErrors();
assertSessionDoesntHaveErrors
斷言 Session 對於給定鍵沒有驗證錯誤:
$response->assertSessionDoesntHaveErrors($keys = [], $format = null, $errorBag = 'default');
📌 備註
更通用的 assertValid 方法可用於斷言回應沒有作為 JSON 回傳的驗證錯誤 並且 沒有錯誤被快閃到 Session 儲存。
assertSessionMissing
斷言 Session 不包含給定鍵:
$response->assertSessionMissing($key);
assertStatus
斷言回應具有給定的 HTTP 狀態碼:
$response->assertStatus($code);
assertSuccessful
斷言回應具有成功 (>= 200 且 < 300) HTTP 狀態碼:
$response->assertSuccessful();
assertTooManyRequests
斷言回應具有過多請求 (429) HTTP 狀態碼:
$response->assertTooManyRequests();
assertUnauthorized
斷言回應具有未授權 (401) HTTP 狀態碼:
$response->assertUnauthorized();
assertUnprocessable
斷言回應具有無法處理的實體 (422) HTTP 狀態碼:
$response->assertUnprocessable();
assertUnsupportedMediaType
斷言回應具有不支援的媒體類型 (415) HTTP 狀態碼:
$response->assertUnsupportedMediaType();
assertValid
斷言回應對於給定鍵沒有驗證錯誤。此方法可用於斷言驗證錯誤作為 JSON 結構回傳的回應,或驗證錯誤已快閃到 Session 儲存的回應:
// Assert that no validation errors are present...
$response->assertValid();
// Assert that the given keys do not have validation errors...
$response->assertValid(['name', 'email']);
assertInvalid
斷言回應對於給定鍵具有驗證錯誤。此方法可用於斷言驗證錯誤作為 JSON 結構回傳的回應,或驗證錯誤已快閃到 Session 儲存的回應:
$response->assertInvalid(['name', 'email']);
您還可以斷言給定鍵具有特定的驗證錯誤訊息。這樣做時,您可以提供完整的訊息或只是一小部分訊息:
$response->assertInvalid([
'name' => 'The name field is required.',
'email' => 'valid email address',
]);
如果您想斷言給定欄位是唯一具有驗證錯誤的欄位,您可以使用 assertOnlyInvalid
方法:
$response->assertOnlyInvalid(['name', 'email']);
assertViewHas
斷言回應視圖包含給定的資料片段:
$response->assertViewHas($key, $value = null);
將閉包作為第二個參數傳遞給 assertViewHas
方法,將允許您檢查和斷言特定的視圖資料:
$response->assertViewHas('user', function (User $user) {
return $user->name === 'Taylor';
});
此外,視圖資料可以作為回應上的陣列變數存取,方便您檢查:
expect($response['name'])->toBe('Taylor');
$this->assertEquals('Taylor', $response['name']);
assertViewHasAll
斷言回應視圖具有給定的資料列表:
$response->assertViewHasAll(array $data);
此方法可用於斷言視圖僅包含與給定鍵匹配的資料:
$response->assertViewHasAll([
'name',
'email',
]);
或者,您可以斷言視圖資料存在並具有特定值:
$response->assertViewHasAll([
'name' => 'Taylor Otwell',
'email' => '[email protected],',
]);
assertViewIs
斷言路由回傳了給定的視圖:
$response->assertViewIs($value);
assertViewMissing
斷言應用程式回應中回傳的視圖未提供給定資料鍵:
$response->assertViewMissing($key);
身份驗證斷言
Laravel 也提供各種與身份驗證相關的斷言,供您在應用程式的功能測試中運用。請注意,這些方法是在測試類別本身上呼叫的,而不是在 Illuminate\Testing\TestResponse
實例上,這些實例是由 get
和 post
等方法回傳的。
assertAuthenticated
斷言使用者已通過身份驗證:
$this->assertAuthenticated($guard = null);
assertGuest
斷言使用者未通過身份驗證:
$this->assertGuest($guard = null);
assertAuthenticatedAs
斷言特定使用者已通過身份驗證:
$this->assertAuthenticatedAs($user, $guard = null);
驗證斷言
Laravel 提供兩個主要的驗證相關斷言,您可以用來確保您請求中提供的資料是有效或無效的。
assertValid
斷言回應對於指定的鍵沒有任何驗證錯誤。此方法可用於斷言那些驗證錯誤以 JSON 結構回傳或已快閃 (flashed) 到 session 的回應:
// Assert that no validation errors are present...
$response->assertValid();
// Assert that the given keys do not have validation errors...
$response->assertValid(['name', 'email']);
assertInvalid
斷言回應對於指定的鍵有驗證錯誤。此方法可用於斷言那些驗證錯誤以 JSON 結構回傳或已快閃 (flashed) 到 session 的回應:
$response->assertInvalid(['name', 'email']);
您也可以斷言指定的鍵具有特定的驗證錯誤訊息。在這樣做的時候,您可以提供完整的訊息,或僅是訊息的一小部分:
$response->assertInvalid([
'name' => 'The name field is required.',
'email' => 'valid email address',
]);