URL Generation
Introduction
Laravel provides several helpers to assist you in generating URLs for your application. These helpers are primarily helpful when building links in your templates and API responses, or when generating redirect responses to another part of your application.
The Basics
Generating URLs
The url
helper may be used to generate arbitrary URLs for your application. The generated URL will automatically use the scheme (HTTP or HTTPS) and host from the current request being handled by the application:
1$post = App\Models\Post::find(1);23echo url("/posts/{$post->id}");45// http://example.com/posts/1
1$post = App\Models\Post::find(1);23echo url("/posts/{$post->id}");45// http://example.com/posts/1
Accessing the Current URL
If no path is provided to the url
helper, an Illuminate\Routing\UrlGenerator
instance is returned, allowing you to access information about the current URL:
1// Get the current URL without the query string...2echo url()->current();34// Get the current URL including the query string...5echo url()->full();67// Get the full URL for the previous request...8echo url()->previous();
1// Get the current URL without the query string...2echo url()->current();34// Get the current URL including the query string...5echo url()->full();67// Get the full URL for the previous request...8echo url()->previous();
Each of these methods may also be accessed via the URL
facade:
1use Illuminate\Support\Facades\URL;23echo URL::current();
1use Illuminate\Support\Facades\URL;23echo URL::current();
URLs for Named Routes
The route
helper may be used to generate URLs to named routes. Named routes allow you to generate URLs without being coupled to the actual URL defined on the route. Therefore, if the route's URL changes, no changes need to be made to your calls to the route
function. For example, imagine your application contains a route defined like the following:
1Route::get('/post/{post}', function (Post $post) {2 // ...3})->name('post.show');
1Route::get('/post/{post}', function (Post $post) {2 // ...3})->name('post.show');
To generate a URL to this route, you may use the route
helper like so:
1echo route('post.show', ['post' => 1]);23// http://example.com/post/1
1echo route('post.show', ['post' => 1]);23// http://example.com/post/1
Of course, the route
helper may also be used to generate URLs for routes with multiple parameters:
1Route::get('/post/{post}/comment/{comment}', function (Post $post, Comment $comment) {2 // ...3})->name('comment.show');45echo route('comment.show', ['post' => 1, 'comment' => 3]);67// http://example.com/post/1/comment/3
1Route::get('/post/{post}/comment/{comment}', function (Post $post, Comment $comment) {2 // ...3})->name('comment.show');45echo route('comment.show', ['post' => 1, 'comment' => 3]);67// http://example.com/post/1/comment/3
Any additional array elements that do not correspond to the route's definition parameters will be added to the URL's query string:
1echo route('post.show', ['post' => 1, 'search' => 'rocket']);23// http://example.com/post/1?search=rocket
1echo route('post.show', ['post' => 1, 'search' => 'rocket']);23// http://example.com/post/1?search=rocket
Eloquent Models
You will often be generating URLs using the route key (typically the primary key) of Eloquent models. For this reason, you may pass Eloquent models as parameter values. The route
helper will automatically extract the model's route key:
1echo route('post.show', ['post' => $post]);
1echo route('post.show', ['post' => $post]);
Signed URLs
Laravel allows you to easily create "signed" URLs to named routes. These URLs have a "signature" hash appended to the query string which allows Laravel to verify that the URL has not been modified since it was created. Signed URLs are especially useful for routes that are publicly accessible yet need a layer of protection against URL manipulation.
For example, you might use signed URLs to implement a public "unsubscribe" link that is emailed to your customers. To create a signed URL to a named route, use the signedRoute
method of the URL
facade:
1use Illuminate\Support\Facades\URL;23return URL::signedRoute('unsubscribe', ['user' => 1]);
1use Illuminate\Support\Facades\URL;23return URL::signedRoute('unsubscribe', ['user' => 1]);
You may exclude the domain from the signed URL hash by providing the absolute
argument to the signedRoute
method:
1return URL::signedRoute('unsubscribe', ['user' => 1], absolute: false);
1return URL::signedRoute('unsubscribe', ['user' => 1], absolute: false);
If you would like to generate a temporary signed route URL that expires after a specified amount of time, you may use the temporarySignedRoute
method. When Laravel validates a temporary signed route URL, it will ensure that the expiration timestamp that is encoded into the signed URL has not elapsed:
1use Illuminate\Support\Facades\URL;23return URL::temporarySignedRoute(4 'unsubscribe', now()->addMinutes(30), ['user' => 1]5);
1use Illuminate\Support\Facades\URL;23return URL::temporarySignedRoute(4 'unsubscribe', now()->addMinutes(30), ['user' => 1]5);
Validating Signed Route Requests
To verify that an incoming request has a valid signature, you should call the hasValidSignature
method on the incoming Illuminate\Http\Request
instance:
1use Illuminate\Http\Request;23Route::get('/unsubscribe/{user}', function (Request $request) {4 if (! $request->hasValidSignature()) {5 abort(401);6 }78 // ...9})->name('unsubscribe');
1use Illuminate\Http\Request;23Route::get('/unsubscribe/{user}', function (Request $request) {4 if (! $request->hasValidSignature()) {5 abort(401);6 }78 // ...9})->name('unsubscribe');
Sometimes, you may need to allow your application's frontend to append data to a signed URL, such as when performing client-side pagination. Therefore, you can specify request query parameters that should be ignored when validating a signed URL using the hasValidSignatureWhileIgnoring
method. Remember, ignoring parameters allows anyone to modify those parameters on the request:
1if (! $request->hasValidSignatureWhileIgnoring(['page', 'order'])) {2 abort(401);3}
1if (! $request->hasValidSignatureWhileIgnoring(['page', 'order'])) {2 abort(401);3}
Instead of validating signed URLs using the incoming request instance, you may assign the signed
(Illuminate\Routing\Middleware\ValidateSignature
) middleware to the route. If the incoming request does not have a valid signature, the middleware will automatically return a 403
HTTP response:
1Route::post('/unsubscribe/{user}', function (Request $request) {2 // ...3})->name('unsubscribe')->middleware('signed');
1Route::post('/unsubscribe/{user}', function (Request $request) {2 // ...3})->name('unsubscribe')->middleware('signed');
If your signed URLs do not include the domain in the URL hash, you should provide the relative
argument to the middleware:
1Route::post('/unsubscribe/{user}', function (Request $request) {2 // ...3})->name('unsubscribe')->middleware('signed:relative');
1Route::post('/unsubscribe/{user}', function (Request $request) {2 // ...3})->name('unsubscribe')->middleware('signed:relative');
Responding to Invalid Signed Routes
When someone visits a signed URL that has expired, they will receive a generic error page for the 403
HTTP status code. However, you can customize this behavior by defining a custom "render" closure for the InvalidSignatureException
exception in your application's bootstrap/app.php
file:
1use Illuminate\Routing\Exceptions\InvalidSignatureException;23->withExceptions(function (Exceptions $exceptions) {4 $exceptions->render(function (InvalidSignatureException $e) {5 return response()->view('error.link-expired', [], 403);6 });7})
1use Illuminate\Routing\Exceptions\InvalidSignatureException;23->withExceptions(function (Exceptions $exceptions) {4 $exceptions->render(function (InvalidSignatureException $e) {5 return response()->view('error.link-expired', [], 403);6 });7})
URLs for Controller Actions
The action
function generates a URL for the given controller action:
1use App\Http\Controllers\HomeController;23$url = action([HomeController::class, 'index']);
1use App\Http\Controllers\HomeController;23$url = action([HomeController::class, 'index']);
If the controller method accepts route parameters, you may pass an associative array of route parameters as the second argument to the function:
1$url = action([UserController::class, 'profile'], ['id' => 1]);
1$url = action([UserController::class, 'profile'], ['id' => 1]);
Default Values
For some applications, you may wish to specify request-wide default values for certain URL parameters. For example, imagine many of your routes define a {locale}
parameter:
1Route::get('/{locale}/posts', function () {2 // ...3})->name('post.index');
1Route::get('/{locale}/posts', function () {2 // ...3})->name('post.index');
It is cumbersome to always pass the locale
every time you call the route
helper. So, you may use the URL::defaults
method to define a default value for this parameter that will always be applied during the current request. You may wish to call this method from a route middleware so that you have access to the current request:
1<?php23namespace App\Http\Middleware;45use Closure;6use Illuminate\Http\Request;7use Illuminate\Support\Facades\URL;8use Symfony\Component\HttpFoundation\Response;910class SetDefaultLocaleForUrls11{12 /**13 * Handle an incoming request.14 *15 * @param \Closure(\Illuminate\Http\Request): (\Symfony\Component\HttpFoundation\Response) $next16 */17 public function handle(Request $request, Closure $next): Response18 {19 URL::defaults(['locale' => $request->user()->locale]);2021 return $next($request);22 }23}
1<?php23namespace App\Http\Middleware;45use Closure;6use Illuminate\Http\Request;7use Illuminate\Support\Facades\URL;8use Symfony\Component\HttpFoundation\Response;910class SetDefaultLocaleForUrls11{12 /**13 * Handle an incoming request.14 *15 * @param \Closure(\Illuminate\Http\Request): (\Symfony\Component\HttpFoundation\Response) $next16 */17 public function handle(Request $request, Closure $next): Response18 {19 URL::defaults(['locale' => $request->user()->locale]);2021 return $next($request);22 }23}
Once the default value for the locale
parameter has been set, you are no longer required to pass its value when generating URLs via the route
helper.
URL Defaults and Middleware Priority
Setting URL default values can interfere with Laravel's handling of implicit model bindings. Therefore, you should prioritize your middleware that set URL defaults to be executed before Laravel's own SubstituteBindings
middleware. You can accomplish this using the priority
middleware method in your application's bootstrap/app.php
file:
1->withMiddleware(function (Middleware $middleware) {2 $middleware->priority([3 \Illuminate\Foundation\Http\Middleware\HandlePrecognitiveRequests::class,4 \Illuminate\Cookie\Middleware\EncryptCookies::class,5 \Illuminate\Cookie\Middleware\AddQueuedCookiesToResponse::class,6 \Illuminate\Session\Middleware\StartSession::class,7 \Illuminate\View\Middleware\ShareErrorsFromSession::class,8 \Illuminate\Foundation\Http\Middleware\ValidateCsrfToken::class,9 \Illuminate\Contracts\Auth\Middleware\AuthenticatesRequests::class,10 \Illuminate\Routing\Middleware\ThrottleRequests::class,11 \Illuminate\Routing\Middleware\ThrottleRequestsWithRedis::class,12 \Illuminate\Session\Middleware\AuthenticateSession::class,13 \App\Http\Middleware\SetDefaultLocaleForUrls::class,14 \Illuminate\Routing\Middleware\SubstituteBindings::class,15 \Illuminate\Auth\Middleware\Authorize::class,16 ]);17})
1->withMiddleware(function (Middleware $middleware) {2 $middleware->priority([3 \Illuminate\Foundation\Http\Middleware\HandlePrecognitiveRequests::class,4 \Illuminate\Cookie\Middleware\EncryptCookies::class,5 \Illuminate\Cookie\Middleware\AddQueuedCookiesToResponse::class,6 \Illuminate\Session\Middleware\StartSession::class,7 \Illuminate\View\Middleware\ShareErrorsFromSession::class,8 \Illuminate\Foundation\Http\Middleware\ValidateCsrfToken::class,9 \Illuminate\Contracts\Auth\Middleware\AuthenticatesRequests::class,10 \Illuminate\Routing\Middleware\ThrottleRequests::class,11 \Illuminate\Routing\Middleware\ThrottleRequestsWithRedis::class,12 \Illuminate\Session\Middleware\AuthenticateSession::class,13 \App\Http\Middleware\SetDefaultLocaleForUrls::class,14 \Illuminate\Routing\Middleware\SubstituteBindings::class,15 \Illuminate\Auth\Middleware\Authorize::class,16 ]);17})