New in Symfony 4.3: Always Include Route Default Values

Symfony
2 min readJan 2, 2019

--

Vladimir Luchaninov

Contributed by
Vladimir Luchaninov
in #29599.

In Symfony applications, you can give route placeholders a default value so they can be omitted from the generated URL. Consider this route definition:

namespace App\Controller;

use Symfony\Bundle\FrameworkBundle\Controller\AbstractController;
use Symfony\Component\Routing\Annotation\Route;

class BlogController extends AbstractController
{
/**
* @Route("/blog/{page}", name="blog_list")
*/
public function list($page = 1)
{
// ...
}
}

If you don’t provide the value of the page variable when generating the URL for the blog_list route, the resulting URL will be /blog and the value of the page placeholder will be 1:

$router = ... // a UrlGeneratorInterface instance

$url = $router->generate('blog_list'); // /blog
$url = $router->generate('blog_list', ['page' => 1]); // /blog/1
$url = $router->generate('blog_list', ['page' => 7]); // /blog/7

Although this is the desired behavior in most applications, sometimes you may prefer to always include the value of the placeholder, even when you don’t provide it while generating the URL. In Symfony 4.3 we made this possible with a new syntax for route placeholders:

/**
* @Route("/blog/{!page}", name="blog_list")
*/
public function list($page = 1)
{
// ...
}

The ! character before the placeholder name tells Symfony to always include its value in the generated URL, no matter if it's a default value:

$url = $router->generate('blog_list');                // /blog/1
$url = $router->generate('blog_list', ['page' => 1]); // /blog/1
$url = $router->generate('blog_list', ['page' => 7]); // /blog/7

--

--

Symfony

Official stories and announcements from the Symfony project.