Laravel streamlines testing HTTP interactions with its elegant shorthand syntax for HTTP response fakes. This approach substantially reduces code verbosity while making your test mocks more intuitive.
The basic implementation offers multiple response type shortcuts:
use Illuminate\Support\Facades\Http; Http::fake([ 'google.com' => 'Hello World', 'github.com' => ['foo' => 'bar'], 'forge.laravel.com' => 204,]);
This syntax works beautifully in comprehensive testing scenarios:
class ApiIntegrationTest extends TestCase{ public function test_service_communication() { Http::fake([ // String responses 'api.notifications.com/*' => 'Message sent', // Array responses (converted to JSON) 'api.products.com/*' => [ 'products' => [ ['id' => 1, 'name' => 'Laptop'], ['id' => 2, 'name' => 'Phone'] ] ], // Status code responses 'api.status.com/check' => 200, 'api.deprecated.com/*' => 410, // Different response types for related endpoints 'api.orders.com/active' => ['status' => 'processing'], 'api.orders.com/error' => 400, 'api.orders.com/message' => 'System unavailable' ]); // Test with assertions $response = Http::get('api.notifications.com/send'); $this->assertEquals('Message sent', $response->body()); $products = Http::get('api.products.com/list'); $this->assertCount(2, $products['products']); $status = Http::get('api.status.com/check'); $this->assertTrue($status->successful()); }}
This shorthand syntax significantly improves test maintainability by reducing the cognitive load when reading tests, allowing you to focus on the business logic rather than HTTP mocking details.
