发布于 2015-08-27 16:29:22 | 202 次阅读 | 评论: 0 | 来源: 网络整理
As you know, the controller is responsible for handling each request that comes into a Symfony application. In reality, the controller delegates most of the heavy work to other places so that code can be tested and reused. When a controller needs to generate HTML, CSS or any other content, it hands the work off to the templating engine. In this chapter, you’ll learn how to write powerful templates that can be used to return content to the user, populate email bodies, and more. You’ll learn shortcuts, clever ways to extend templates and how to reuse template code.
注解
How to render templates is covered in the controller page of the book.
A template is simply a text file that can generate any text-based format (HTML, XML, CSV, LaTeX ...). The most familiar type of template is a PHP template - a text file parsed by PHP that contains a mix of text and PHP code:
<!DOCTYPE html> <html> <head> <title>Welcome to Symfony!</title> </head> <body> <h1><?php echo $page_title ?></h1> <ul id="navigation"> <?php foreach ($navigation as $item): ?> <li> <a href="<?php echo $item->getHref() ?>"> <?php echo $item->getCaption() ?> </a> </li> <?php endforeach ?> </ul> </body> </html>
But Symfony packages an even more powerful templating language called Twig. Twig allows you to write concise, readable templates that are more friendly to web designers and, in several ways, more powerful than PHP templates:
<!DOCTYPE html> <html> <head> <title>Welcome to Symfony!</title> </head> <body> <h1>{{ page_title }}</h1> <ul id="navigation"> {% for item in navigation %} <li><a href="{{ item.href }}">{{ item.caption }}</a></li> {% endfor %} </ul> </body> </html>
Twig defines three types of special syntax:
{{ ... }}
{% ... %}
{# ... #}
/* comment */
syntax. It’s used to add single or multi-line comments. The content of the comments isn’t included in the rendered pages.Twig also contains filters, which modify content before being rendered. The following makes the title
variable all uppercase before rendering it:
{{ title|upper }}
Twig comes with a long list of tags and filters that are available by default. You can even add your own extensions to Twig as needed.
小技巧
Registering a Twig extension is as easy as creating a new service and tagging it with twig.extension
tag.
As you’ll see throughout the documentation, Twig also supports functions and new functions can be easily added. For example, the following uses a standard for
tag and the cycle
function to print ten div tags, with alternating odd
, even
classes:
{% for i in 0..10 %} <div class="{{ cycle(['odd', 'even'], i) }}"> <!-- some HTML here --> </div> {% endfor %}
Throughout this chapter, template examples will be shown in both Twig and PHP.
小技巧
If you do choose to not use Twig and you disable it, you’ll need to implement your own exception handler via the kernel.exception
event.
为何选择Twig?
Twig templates are meant to be simple and won’t process PHP tags. This is by design: the Twig template system is meant to express presentation, not program logic. The more you use Twig, the more you’ll appreciate and benefit from this distinction. And of course, you’ll be loved by web designers everywhere.
Twig can also do things that PHP can’t, such as whitespace control, sandboxing, automatic and contextual output escaping, and the inclusion of custom functions and filters that only affect templates. Twig contains little features that make writing templates easier and more concise. Take the following example, which combines a loop with a logical if
statement:
<ul> {% for user in users if user.active %} <li>{{ user.username }}</li> {% else %} <li>No users found</li> {% endfor %} </ul>
Twig is fast. Each Twig template is compiled down to a native PHP class that is rendered at runtime. The compiled classes are located in the app/cache/{environment}/twig
directory (where {environment}
is the environment, such as dev
or prod
) and in some cases can be useful while debugging. See 运行环境 for more information on environments.
When debug
mode is enabled (common in the dev
environment), a Twig template will be automatically recompiled when changes are made to it. This means that during development you can happily make changes to a Twig template and instantly see the changes without needing to worry about clearing any cache.
When debug
mode is disabled (common in the prod
environment), however, you must clear the Twig cache directory so that the Twig templates will regenerate. Remember to do this when deploying your application.
More often than not, templates in a project share common elements, like the header, footer, sidebar or more. In Symfony, this problem is thought about differently: a template can be decorated by another one. This works exactly the same as PHP classes: template inheritance allows you to build a base “layout” template that contains all the common elements of your site defined as blocks (think “PHP class with base methods”). A child template can extend the base layout and override any of its blocks (think “PHP subclass that overrides certain methods of its parent class”).
First, build a base layout file:
{# app/Resources/views/base.html.twig #} <!DOCTYPE html> <html> <head> <meta http-equiv="Content-Type" content="text/html; charset=utf-8" /> <title>{% block title %}Test Application{% endblock %}</title> </head> <body> <div id="sidebar"> {% block sidebar %} <ul> <li><a href="/">Home</a></li> <li><a href="/blog">Blog</a></li> </ul> {% endblock %} </div> <div id="content"> {% block body %}{% endblock %} </div> </body> </html>
<!-- app/Resources/views/base.html.php --> <!DOCTYPE html> <html> <head> <meta http-equiv="Content-Type" content="text/html; charset=utf-8" /> <title><?php $view['slots']->output('title', 'Test Application') ?></title> </head> <body> <div id="sidebar"> <?php if ($view['slots']->has('sidebar')): ?> <?php $view['slots']->output('sidebar') ?> <?php else: ?> <ul> <li><a href="/">Home</a></li> <li><a href="/blog">Blog</a></li> </ul> <?php endif ?> </div> <div id="content"> <?php $view['slots']->output('body') ?> </div> </body> </html>
注解
Though the discussion about template inheritance will be in terms of Twig, the philosophy is the same between Twig and PHP templates.
This template defines the base HTML skeleton document of a simple two-column page. In this example, three {% block %}
areas are defined (title
, sidebar
and body
). Each block may be overridden by a child template or left with its default implementation. This template could also be rendered directly. In that case the title
, sidebar
and body
blocks would simply retain the default values used in this template.
A child template might look like this:
{# app/Resources/views/blog/index.html.twig #} {% extends 'base.html.twig' %} {% block title %}My cool blog posts{% endblock %} {% block body %} {% for entry in blog_entries %} <h2>{{ entry.title }}</h2> <p>{{ entry.body }}</p> {% endfor %} {% endblock %}
<!-- app/Resources/views/blog/index.html.php --> <?php $view->extend('base.html.php') ?> <?php $view['slots']->set('title', 'My cool blog posts') ?> <?php $view['slots']->start('body') ?> <?php foreach ($blog_entries as $entry): ?> <h2><?php echo $entry->getTitle() ?></h2> <p><?php echo $entry->getBody() ?></p> <?php endforeach ?> <?php $view['slots']->stop() ?>
注解
The parent template is identified by a special string syntax (base.html.twig
). This path is relative to the app/Resources/views
directory of the project. You could also use the logical name equivalent: ::base.html.twig
. This naming convention is explained fully in 模板命名规则和存放位置.
The key to template inheritance is the {% extends %}
tag. This tells the templating engine to first evaluate the base template, which sets up the layout and defines several blocks. The child template is then rendered, at which point the title
and body
blocks of the parent are replaced by those from the child. Depending on the value of blog_entries
, the output might look like this:
<!DOCTYPE html> <html> <head> <meta http-equiv="Content-Type" content="text/html; charset=utf-8" /> <title>My cool blog posts</title> </head> <body> <div id="sidebar"> <ul> <li><a href="/">Home</a></li> <li><a href="/blog">Blog</a></li> </ul> </div> <div id="content"> <h2>My first post</h2> <p>The body of the first post.</p> <h2>Another post</h2> <p>The body of the second post.</p> </div> </body> </html>
Notice that since the child template didn’t define a sidebar
block, the value from the parent template is used instead. Content within a {% block %}
tag in a parent template is always used by default.
You can use as many levels of inheritance as you want. In the next section, a common three-level inheritance model will be explained along with how templates are organized inside a Symfony project.
When working with template inheritance, here are some tips to keep in mind:
If you use {% extends %}
in a template, it must be the first tag in that template;
The more {% block %}
tags you have in your base templates, the better. Remember, child templates don’t have to define all parent blocks, so create as many blocks in your base templates as you want and give each a sensible default. The more blocks your base templates have, the more flexible your layout will be;
If you find yourself duplicating content in a number of templates, it probably means you should move that content to a {% block %}
in a parent template. In some cases, a better solution may be to move the content to a new template and include
it (see 包含其他模板);
If you need to get the content of a block from the parent template, you can use the {{ parent() }}
function. This is useful if you want to add to the contents of a parent block instead of completely overriding it:
{% block sidebar %} <h3>Table of Contents</h3> {# ... #} {{ parent() }} {% endblock %}
By default, templates can live in two different locations:
app/Resources/views/
views
directory can contain application-wide base templates (i.e. your application’s layouts and templates of the application bundle) as well as templates that override third party bundle templates (see 重载Bundle的模板).path/to/bundle/Resources/views/
Resources/views/
directory (and subdirectories). When you plan to share your bundle, you should put the templates in the bundle instead of the app/
directory.Most of the templates you’ll use live in the app/Resources/views/
directory. The path you’ll use will be relative to this directory. For example, to render/extend app/Resources/views/base.html.twig
, you’ll use the base.html.twig
path and to render/extend app/Resources/views/blog/index.html.twig
, you’ll use the blog/index.html.twig
path.
Symfony uses a bundle:directory:filename string syntax for templates that live inside a bundle. This allows for several types of templates, each which lives in a specific location:
AcmeBlogBundle:Blog:index.html.twig
: This syntax is used to specify a template for a specific page. The three parts of the string, each separated by a colon (:
), mean the following:
AcmeBlogBundle
: (bundle) the template lives inside the AcmeBlogBundle (e.g. src/Acme/BlogBundle
);Blog
: (directory) indicates that the template lives inside the Blog
subdirectory of Resources/views
;index.html.twig
: (filename) the actual name of the file is index.html.twig
.
AcmeBlogBundle::layout.html.twig
: This syntax refers to a base template that’s specific to the AcmeBlogBundle. Since the middle, “directory”, portion is missing (e.g. Blog
), the template lives at Resources/views/layout.html.twig
inside AcmeBlogBundle. Yes, there are 2 colons in the middle of the string when the “controller” subdirectory part is missing.
In the 重载Bundle的模板 section, you’ll find out how each template living inside the AcmeBlogBundle, for example, can be overridden by placing a template of the same name in the app/Resources/AcmeBlogBundle/views/
directory. This gives the power to override templates from any vendor bundle.
小技巧
Hopefully the template naming syntax looks familiar - it’s similar to the naming convention used to refer to Controller命名规则.
Every template name also has two extensions that specify the format and engine for that template.
Filename | Format | Engine |
---|---|---|
blog/index.html.twig |
HTML | Twig |
blog/index.html.php |
HTML | PHP |
blog/index.css.twig |
CSS | Twig |
By default, any Symfony template can be written in either Twig or PHP, and the last part of the extension (e.g. .twig
or .php
) specifies which of these two engines should be used. The first part of the extension, (e.g. .html
, .css
, etc) is the final format that the template will generate. Unlike the engine, which determines how Symfony parses the template, this is simply an organizational tactic used in case the same resource needs to be rendered as HTML (index.html.twig
), XML (index.xml.twig
), or any other format. For more information, read the 模板格式 section.
注解
The available “engines” can be configured and even new engines added. See Templating Configuration for more details.
No site would be complete without including JavaScript files and stylesheets. In Symfony, the inclusion of these assets is handled elegantly by taking advantage of Symfony’s template inheritance.
小技巧
This section will teach you the philosophy behind including stylesheet and JavaScript assets in Symfony. Symfony also packages another library, called Assetic, which follows this philosophy but allows you to do much more interesting things with those assets. For more information on using Assetic see 如何使用Assetic管理静态文件.
Start by adding two blocks to your base template that will hold your assets: one called stylesheets
inside the head
tag and another called javascripts
just above the closing body
tag. These blocks will contain all of the stylesheets and JavaScripts that you’ll need throughout your site:
{# app/Resources/views/base.html.twig #} <html> <head> {# ... #} {% block stylesheets %} <link href="{{ asset('css/main.css') }}" rel="stylesheet" /> {% endblock %} </head> <body> {# ... #} {% block javascripts %} <script src="{{ asset('js/main.js') }}"></script> {% endblock %} </body> </html>
// app/Resources/views/base.html.php <html> <head> <?php ... ?> <?php $view['slots']->start('stylesheets') ?> <link href="<?php echo $view['assets']->getUrl('css/main.css') ?>" rel="stylesheet" /> <?php $view['slots']->stop() ?> </head> <body> <?php ... ?> <?php $view['slots']->start('javascripts') ?> <script src="<?php echo $view['assets']->getUrl('js/main.js') ?>"></script> <?php $view['slots']->stop() ?> </body> </html>
That’s easy enough! But what if you need to include an extra stylesheet or JavaScript from a child template? For example, suppose you have a contact page and you need to include a contact.css
stylesheet just on that page. From inside that contact page’s template, do the following:
{# app/Resources/views/contact/contact.html.twig #} {% extends 'base.html.twig' %} {% block stylesheets %} {{ parent() }} <link href="{{ asset('css/contact.css') }}" rel="stylesheet" /> {% endblock %} {# ... #}
// app/Resources/views/contact/contact.html.twig <?php $view->extend('base.html.php') ?> <?php $view['slots']->start('stylesheets') ?> <link href="<?php echo $view['assets']->getUrl('css/contact.css') ?>" rel="stylesheet" /> <?php $view['slots']->stop() ?>
In the child template, you simply override the stylesheets
block and put your new stylesheet tag inside of that block. Of course, since you want to add to the parent block’s content (and not actually replace it), you should use the parent()
Twig function to include everything from the stylesheets
block of the base template.
You can also include assets located in your bundles’ Resources/public
folder. You will need to run the php app/console assets:install target [--symlink]
command, which moves (or symlinks) files into the correct location. (target is by default “web”).
<link href="{{ asset('bundles/acmedemo/css/contact.css') }}" rel="stylesheet" />
The end result is a page that includes both the main.css
and contact.css
stylesheets.
During each request, Symfony will set a global template variable app
in both Twig and PHP template engines by default. The app
variable is a GlobalVariables
instance which will give you access to some application specific variables automatically:
app.security
app.user
app.request
app.session
app.environment
app.debug
<p>Username: {{ app.user.username }}</p> {% if app.debug %} <p>Request method: {{ app.request.method }}</p> <p>Application Environment: {{ app.environment }}</p> {% endif %}
<p>Username: <?php echo $app->getUser()->getUsername() ?></p> <?php if ($app->getDebug()): ?> <p>Request method: <?php echo $app->getRequest()->getMethod() ?></p> <p>Application Environment: <?php echo $app->getEnvironment() ?></p> <?php endif ?>
2.6 新版功能: The global app.security
variable (or the $app->getSecurity()
method in PHP templates) is deprecated as of Symfony 2.6. Use app.user
($app->getUser()
) and is_granted()
($view['security']->isGranted()
) instead.
小技巧
You can add your own global template variables. See the cookbook example on Global Variables.
templating
Service¶The heart of the template system in Symfony is the templating Engine
. This special object is responsible for rendering templates and returning their content. When you render a template in a controller, for example, you’re actually using the templating engine service. For example:
return $this->render('article/index.html.twig');
is equivalent to:
use SymfonyComponentHttpFoundationResponse; $engine = $this->container->get('templating'); $content = $engine->render('article/index.html.twig'); return $response = new Response($content);
The templating engine (or “service”) is preconfigured to work automatically inside Symfony. It can, of course, be configured further in the application configuration file:
# app/config/config.yml framework: # ... templating: { engines: ['twig'] }
<!-- app/config/config.xml --> <?xml version="1.0" encoding="UTF-8" ?> <container xmlns="http://symfony.com/schema/dic/services" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns:framework="http://symfony.com/schema/dic/symfony" xsi:schemaLocation="http://symfony.com/schema/dic/services http://symfony.com/schema/dic/services/services-1.0.xsd http://symfony.com/schema/dic/symfony http://symfony.com/schema/dic/symfony/symfony-1.0.xsd"> <!-- ... --> <framework:config> <framework:templating> <framework:engine>twig</framework:engine> </framework:templating> </framework:config> </container>
// app/config/config.php $container->loadFromExtension('framework', array( // ... 'templating' => array( 'engines' => array('twig'), ), ));
Several configuration options are available and are covered in the Configuration Appendix.
注解
The twig
engine is mandatory to use the webprofiler (as well as many third-party bundles).
The Symfony community prides itself on creating and maintaining high quality bundles (see KnpBundles.com) for a large number of different features. Once you use a third-party bundle, you’ll likely need to override and customize one or more of its templates.
Suppose you’ve installed the imaginary open-source AcmeBlogBundle in your project. And while you’re really happy with everything, you want to override the blog “list” page to customize the markup specifically for your application. By digging into the Blog
controller of the AcmeBlogBundle, you find the following:
public function indexAction() { // some logic to retrieve the blogs $blogs = ...; $this->render( 'AcmeBlogBundle:Blog:index.html.twig', array('blogs' => $blogs) ); }
When the AcmeBlogBundle:Blog:index.html.twig
is rendered, Symfony actually looks in two different locations for the template:
app/Resources/AcmeBlogBundle/views/Blog/index.html.twig
src/Acme/BlogBundle/Resources/views/Blog/index.html.twig
To override the bundle template, just copy the index.html.twig
template from the bundle to app/Resources/AcmeBlogBundle/views/Blog/index.html.twig
(the app/Resources/AcmeBlogBundle
directory won’t exist, so you’ll need to create it). You’re now free to customize the template.
警告
If you add a template in a new location, you may need to clear your cache (php app/console cache:clear
), even if you are in debug mode.
This logic also applies to base bundle templates. Suppose also that each template in AcmeBlogBundle inherits from a base template called AcmeBlogBundle::layout.html.twig
. Just as before, Symfony will look in the following two places for the template:
app/Resources/AcmeBlogBundle/views/layout.html.twig
src/Acme/BlogBundle/Resources/views/layout.html.twig
Once again, to override the template, just copy it from the bundle to app/Resources/AcmeBlogBundle/views/layout.html.twig
. You’re now free to customize this copy as you see fit.
If you take a step back, you’ll see that Symfony always starts by looking in the app/Resources/{BUNDLE_NAME}/views/
directory for a template. If the template doesn’t exist there, it continues by checking inside the Resources/views
directory of the bundle itself. This means that all bundle templates can be overridden by placing them in the correct app/Resources
subdirectory.
注解
You can also override templates from within a bundle by using bundle inheritance. For more information, see 如何利用Bundle继承机制来重载Bundle部分功能.
Since the Symfony framework itself is just a bundle, core templates can be overridden in the same way. For example, the core TwigBundle contains a number of different “exception” and “error” templates that can be overridden by copying each from the Resources/views/Exception
directory of the TwigBundle to, you guessed it, the app/Resources/TwigBundle/views/Exception
directory.
One common way to use inheritance is to use a three-level approach. This method works perfectly with the three different types of templates that were just covered:
Create a app/Resources/views/base.html.twig
file that contains the main layout for your application (like in the previous example). Internally, this template is called base.html.twig
;
Create a template for each “section” of your site. For example, the blog functionality would have a template called blog/layout.html.twig
that contains only blog section-specific elements;
{# app/Resources/views/blog/layout.html.twig #} {% extends 'base.html.twig' %} {% block body %} <h1>Blog Application</h1> {% block content %}{% endblock %} {% endblock %}
Create individual templates for each page and make each extend the appropriate section template. For example, the “index” page would be called something close to blog/index.html.twig
and list the actual blog posts.
{# app/Resources/views/blog/index.html.twig #} {% extends 'blog/layout.html.twig' %} {% block content %} {% for entry in blog_entries %} <h2>{{ entry.title }}</h2> <p>{{ entry.body }}</p> {% endfor %} {% endblock %}
Notice that this template extends the section template (blog/layout.html.twig
) which in turn extends the base application layout (base.html.twig
). This is the common three-level inheritance model.
When building your application, you may choose to follow this method or simply make each page template extend the base application template directly (e.g. {% extends 'base.html.twig' %}
). The three-template model is a best-practice method used by vendor bundles so that the base template for a bundle can be easily overridden to properly extend your application’s base layout.
When generating HTML from a template, there is always a risk that a template variable may output unintended HTML or dangerous client-side code. The result is that dynamic content could break the HTML of the resulting page or allow a malicious user to perform a Cross Site Scripting (XSS) attack. Consider this classic example:
Hello {{ name }}
Hello <?php echo $name ?>
Imagine the user enters the following code for their name:
<script>alert('hello!')</script>
Without any output escaping, the resulting template will cause a JavaScript alert box to pop up:
Hello <script>alert('hello!')</script>
And while this seems harmless, if a user can get this far, that same user should also be able to write JavaScript that performs malicious actions inside the secure area of an unknowing, legitimate user.
The answer to the problem is output escaping. With output escaping on, the same template will render harmlessly, and literally print the script
tag to the screen:
Hello <script>alert('helloe')</script>
The Twig and PHP templating systems approach the problem in different ways. If you’re using Twig, output escaping is on by default and you’re protected. In PHP, output escaping is not automatic, meaning you’ll need to manually escape where necessary.
If you’re using Twig templates, then output escaping is on by default. This means that you’re protected out-of-the-box from the unintentional consequences of user-submitted code. By default, the output escaping assumes that content is being escaped for HTML output.
In some cases, you’ll need to disable output escaping when you’re rendering a variable that is trusted and contains markup that should not be escaped. Suppose that administrative users are able to write articles that contain HTML code. By default, Twig will escape the article body.
To render it normally, add the raw
filter:
{{ article.body|raw }}
You can also disable output escaping inside a {% block %}
area or for an entire template. For more information, see Output Escaping in the Twig documentation.
Output escaping is not automatic when using PHP templates. This means that unless you explicitly choose to escape a variable, you’re not protected. To use output escaping, use the special escape()
view method:
Hello <?php echo $view->escape($name) ?>
By default, the escape()
method assumes that the variable is being rendered within an HTML context (and thus the variable is escaped to be safe for HTML). The second argument lets you change the context. For example, to output something in a JavaScript string, use the js
context:
var myMsg = 'Hello <?php echo $view->escape($name, 'js') ?>';
When using PHP, you can use the dump() function from the VarDumper component if you need to quickly find the value of a variable passed. This is useful, for example, inside your controller:
// src/AppBundle/Controller/ArticleController.php namespace AppBundleController; // ... class ArticleController extends Controller { public function recentListAction() { $articles = ...; dump($articles); // ... } }
注解
The output of the dump()
function is then rendered in the web developer toolbar.
The same mechanism can be used in Twig templates thanks to dump
function:
{# app/Resources/views/article/recent_list.html.twig #} {{ dump(articles) }} {% for article in articles %} <a href="/article/{{ article.slug }}"> {{ article.title }} </a> {% endfor %}
The variables will only be dumped if Twig’s debug
setting (in config.yml
) is true
. By default this means that the variables will be dumped in the dev
environment but not the prod
environment.
You can check for syntax errors in Twig templates using the twig:lint
console command:
# You can check by filename: $ php app/console twig:lint app/Resources/views/article/recent_list.html.twig # or by directory: $ php app/console twig:lint app/Resources/views
Templates are a generic way to render content in any format. And while in most cases you’ll use templates to render HTML content, a template can just as easily generate JavaScript, CSS, XML or any other format you can dream of.
For example, the same “resource” is often rendered in several formats. To render an article index page in XML, simply include the format in the template name:
article/index.xml.twig
index.xml.twig
In reality, this is nothing more than a naming convention and the template isn’t actually rendered differently based on its format.
In many cases, you may want to allow a single controller to render multiple different formats based on the “request format”. For that reason, a common pattern is to do the following:
public function indexAction(Request $request) { $format = $request->getRequestFormat(); return $this->render('article/index.'.$format.'.twig'); }
The getRequestFormat
on the Request
object defaults to html
, but can return any other format based on the format requested by the user. The request format is most often managed by the routing, where a route can be configured so that /contact
sets the request format to html
while /contact.xml
sets the format to xml
. For more information, see the Advanced Example in the Routing chapter.
To create links that include the format parameter, include a _format
key in the parameter hash:
<a href="{{ path('article_show', {'id': 123, '_format': 'pdf'}) }}"> PDF Version </a>
<a href="<?php echo $view['router']->generate('article_show', array( 'id' => 123, '_format' => 'pdf', )) ?>"> PDF Version </a>
The templating engine in Symfony is a powerful tool that can be used each time you need to generate presentational content in HTML, XML or any other format. And though templates are a common way to generate content in a controller, their use is not mandatory. The Response
object returned by a controller can be created with or without the use of a template:
// creates a Response object whose content is the rendered template $response = $this->render('article/index.html.twig'); // creates a Response object whose content is simple text $response = new Response('response content');
Symfony’s templating engine is very flexible and two different template renderers are available by default: the traditional PHP templates and the sleek and powerful Twig templates. Both support a template hierarchy and come packaged with a rich set of helper functions capable of performing the most common tasks.
Overall, the topic of templating should be thought of as a powerful tool that’s at your disposal. In some cases, you may not need to render a template, and in Symfony, that’s absolutely fine.