Tags
The following tags (opens new window) are available to Twig templates in Craft:
Tag | Description |
---|---|
apply (opens new window) | Applies Twig filters to the nested template code. |
autoescape (opens new window) | Controls the escaping strategy for the nested template code. |
block (opens new window) | Defines a template block. |
cache | Caches a portion of your template. |
css | Registers a <style> tag on the page. |
dd | Dump and die. |
dump | Quietly dump a variable to the Yii debug toolbar. |
deprecated (opens new window) | Triggers a PHP deprecation error. |
do (opens new window) | Does. |
embed (opens new window) | Embeds another template. |
exit | Ends the request. |
extends (opens new window) | Extends another template. |
flush (opens new window) | Flushes the output buffer. |
for (opens new window) | Loops through an array. |
from (opens new window) | Imports macros from a template. |
header | Sets an HTTP header on the response. |
hook | Invokes a template hook. |
html | Registers arbitrary HTML code on the page. |
if (opens new window) | Conditionally executes the nested template code. |
import (opens new window) | Imports macros from a template. |
include (opens new window) | Includes another template. |
js | Registers a <script> tag on the page. |
macro (opens new window) | Defines a macro. |
namespace | Namespaces input names and other HTML attributes, as well as CSS selectors. |
nav | Creates a hierarchical nav menu. |
paginate | Paginates an element query. |
redirect | Redirects the browser. |
requireAdmin | Requires that an admin user is logged in. |
requireEdition | Requires Craft’s edition to be equal to or better than what’s specified. |
requireGuest | Requires that no user is logged in. |
requireLogin | Requires that a user is logged in. |
requirePermission | Requires that a user is logged in with a given permission. |
script | Renders an HTML script tag on the page. |
set (opens new window) | Sets a variable. |
switch | Switch the template output based on a give value. |
tag | Renders an HTML tag on the page. |
use (opens new window) | Inherits from another template horizontally. |
verbatim (opens new window) | Disables parsing of nested Twig code. |
with (opens new window) | Creates a nested template scope. |
# cache
This tag will cache a portion of your template, which can improve performance for subsequent requests because they’ll have less work to do.
{% cache %}
{% for block in entry.myMatrixField.all() %}
<p>{{ block.text }}</p>
{% endfor %}
{% endcache %}
Since the cache tag is for caching output and not logic, avoid caching {{ csrfInput() }}
, form fields, or parts of templates where dynamic output is expected.
By default, cached output will be kept by URL without regard for the query string.
While carefully-placed {% cache %}
tags can offer significant boosts to performance, it’s important to know how the cache tag’s parameters can be used to fine-tune its behavior.
The {% cache %}
tag captures code and styles registered with {% js %}
,
{% script %}
and {% css %}
tags.
External references from {% js %}
and {% css %}
tags will be stored as well.
# Parameters
The {% cache %}
tag supports the following parameters:
# globally
Caches the output globally (for the current site locale), rather than on a per-URL basis.
{% cache globally %}
# using key
Specifies the name of the key the cache should use. When the key changes, the tag’s contents are re-rendered. If this parameter is not provided, a random key will be generated each time Twig re-parses the template.
{% cache using key "page-header" %}
If you change template code within a {% cache %}
that uses a custom key, existing template caches will not automatically be purged. Either assign the tag a new key, or clear your existing template caches manually by navigating to Utilities → Caches and clearing Data caches.
You can provide a dynamic key and combine it with globally for more control over template caching. For example, you could cache based on the URL with the query string that’s ignored by default:
{% set request = craft.app.request %}
{% set uriWithQueryString = request.fullUri ~ request.queryStringWithoutPath %}
{% cache globally using key uriWithQueryString %}
# for
The amount of time it should take for the cache to expire.
{% cache for 3 weeks %}
The accepted duration units are:
sec
(s
)second
(s
)min
(s
)minute
(s
)hour
(s
)day
(s
)fortnight
(s
)forthnight
(s
)month
(s
)year
(s
)week
(s
)
Tip: If this parameter is omitted, your cacheDuration config setting will be used to define the default duration.
# until
A DateTime (opens new window) object defining when the cache should expire.
{% cache until entry.eventDate %}
# if
Only activates the {% cache %}
tag if a certain condition is met.
{# Only cache if this is a mobile browser #}
{% cache if craft.app.request.isMobileBrowser() %}
# unless
Prevents the {% cache %}
tag from activating if a certain condition is met.
{# Don’t cache if someone is logged in #}
{% cache unless currentUser %}
# Cache Clearing
Your template caches will automatically clear when any elements (entries, assets, etc.) within the tags are saved or deleted.
If you have any element queries within the tags (e.g. a craft.entries
), and you create a new element that should be returned by one of the queries, Craft will also be able to figure that out and clear the cache.
You can also manually clear your template caches from the Utilities page, using the “Clear Caches” tool, or by using the invalidate-tags/template
console command.
php craft invalidate-tags/template
# When to Use {% cache %}
Tags
You should use {% cache %}
tags any time you’ve got a template that’s causing a lot of database queries, or you’re doing something very computationally expensive with Twig.
Here are some examples of when to use them:
- A big list of entries
- A Matrix field loop, where some of the blocks have relational fields on them, adding their own additional database queries to the page
- Whenever you’re pulling in data from another site
There are also some cases where it’s not a good idea to use them:
- Don’t use them to cache static text; that will be more expensive than simply outputting the text.
- You can’t use them outside of top-level
{% block %}
tags within a template that extends another.
The {% cache %}
tag detects ungenerated image transform URLs within it. When it finds any, it holds off caching the template until the next request so those temporary image URLs aren’t cached.
# css
The {% css %}
tag can be used to register a CSS file or a CSS code block.
{# Register a CSS file #}
{% css "/assets/css/style.css" %}
{# Register a CSS code block #}
{% css %}
.content {
color: {{ entry.textColor }};
}
{% endcss %}
To register a CSS file, the URL must begin with https://
or http://
, or end in .css
.
# Parameters
The {% css %}
tag supports the following parameters:
# with
Any HTML attributes that should be included on the <style>
tag.
{% css with {type: 'text/css'} %}
Attributes will be rendered by yii\helpers\BaseHtml::renderTagAttributes() (opens new window).
# dd
Outputs a variable to the browser and ends the request. (dd
is short for “Dump-and-Die”)
{% set entry = craft.entries().id(entryId).one() %}
{% dd entry %}
# dump
Unlike dd
(which halts execution), {% dump %}
quietly logs the current context (or a provided variable) to the Yii debug toolbar, in a special Dumps tab. You can use the tag any number of times during a request, and Craft will keep track of the template path and line number that produced the output. For example, this template…
{# templates/_blog/post #}
{% dump entry %}
{# ... #}
…would log a craft\elements\Entry (opens new window) object tagged templates/_blog/post:3
to the debug toolbar. If you’re not sure what variables you have access to in a given template, you can use the tag without a variable to dump everything:
{% dump %}
In this scenario, keys of the dumped array are variable names, and the values represent the data types. Expand complex types to view nested properties by clicking any value with a signature like craft\elements\Category {#123 ▶}
.
To enable the debug toolbar, visit your user profile in the control panel and check Show the debug toolbar on the front end within the Preferences tab.
# exit
This tag will prevent the rest of the template from executing, and end the request.
{% set entry = craft.entries().id(entryId).one() %}
{% if not entry %}
{% exit 404 %}
{% endif %}
# Parameters
The {% exit %}
tag supports the following parameters:
# Status
If you choose to set the HTTP status code that should be included with the response, Craft will look for the appropriate error template to render. For example, {% exit 404 %}
will get Craft to return the 404.twig
template. If the template doesn’t exist, Craft will fall back on its own template corresponding to the status code.
{% exit %}
throws an HttpException (opens new window) with the appropriate status code, so with devMode enabled a full error report and stack trace will be shown instead of an error template.
# Message 4.5.0+
The second parameter is passed to the error template as the message
variable:
{% if not currentUser.isInGroup('powerUsers') ?? false %}
{% exit 403 'You must be a power user to access this page!' %}
{% endif %}
# header
This tag will set a new HTTP header on the response.
{# Tell the browser to cache this page for 30 days #}
{% set expiry = now|date_modify('+30 days') %}
{% header "Cache-Control: max-age=" ~ (expiry.timestamp - now.timestamp) %}
{% header "Pragma: cache" %}
{% header "Expires: " ~ expiry|date('D, d M Y H:i:s', 'GMT') ~ " GMT" %}
Headers which contain dates must be formatted according to RFC 7234 (opens new window). You can use the httpdate filter (added in Craft 3.6.10) to do this:
{% header "Expires: #{myDate|httpdate}" %}
# Parameters
The {% header %}
tag supports the following parameter:
# Header
You specify the actual header that should be set by typing it as a string after the word header
. This parameter is required.
# hook
This tag gives plugins and modules an opportunity to hook into the template, to either return additional HTML or make changes to the available template variables.
{# Give plugins a chance to make changes here #}
{% hook 'my-custom-hook-name' %}
See Template Hooks for details on plugins and modules can work with {% hook %}
tags.
# html
The {% html %}
tag can be used to register arbitrary HTML code on the page.
{% html %}
<p>This will be placed right before the <code></body></code> tag.</p>
{% endhtml %}
The tag calls craft\web\View::registerHtml() (opens new window) under the hood, which can also be accessed via the global view
variable.
{% set para = '<p>This will be placed right before the <code></body></code> tag.</p>' %}
{% do view.registerHtml(para) %}
# Parameters
The {% html %}
tag supports the following parameters:
# Position
You can specify where the HTML code should be injected into the page using one of these position keywords:
Keyword | Description |
---|---|
at head | In the page’s <head> |
at beginBody | At the beginning of the page’s <body> |
at endBody | At the end of the page’s <body> |
{% html at head %}
By default, at endBody
will be used.
# js
The {% js %}
tag can be used to register a JavaScript file or a JavaScript code block.
{# Register a JS file: #}
{% js "/assets/js/script.js" %}
{# Register a JS code block: #}
{% js %}
_gaq.push([
"_trackEvent",
"Search",
"{{ searchTerm|e('js') }}"
]);
{% endjs %}
To register a JavaScript file, the URL must begin with https://
or http://
, or end in .js
.
To provide a dynamic filename reference, use view.registerJsFile()
(opens new window) instead:
{% set myJsFile = "/assets/js/script.js" %}
{% do view.registerJsFile(myJsFile) %}
If a duplicate URL or JavaScript block is registered, Craft will only output it once. Blocks are registered with a key derived from the md5
hash of its contents, after stripping whitespace from its start and end, and ensuring it is terminated by a semicolon.
Suppose one of your entries relied on a carousel library for slideshows managed via a Matrix field—some entries may have no slideshows, but others may have multiple:
{% for block in entry.myMatrixField.all() %}
{% switch block.type %}
{% case 'text' %}
{{ block.text|md }}
{% case 'slideshow' %}
{# 1. Include carousel library: #}
{% js 'https://cdn.jsdelivr.net/npm/package/file' %}
{# 2. Initialize this carousel instance: #}
{% js %}
Carousel.init('#carousel-{{ block.uid | e('js') }}')
{% endjs %}
{# 3. Output carousel markup: #}
<div id="carousel-{{ block.uid }}">
{% for image in block.images.all() %}
{{ image.getImg() }}
{% endfor %}
</div>
{% default %}
<p>Unknown block type!</p>
{% endfor %}
Rendering this template would result in the library (1) being output once (because the URL is the same each time), but each initialization block (2) being output individually (because it includes a unique id
target for the current carousel). If no slideshow
blocks were rendered, no scripts would be output—but you could still register the same script elsewhere on your site without fear of it being included twice.
# Parameters
The {% js %}
tag supports the following parameters:
# Position
You can specify where the <script>
tag should be added to the page using one of these position keywords:
Keyword | Description |
---|---|
at head | In the page’s <head> |
at beginBody | At the beginning of the page’s <body> |
at endBody | At the end of the page’s <body> |
on load | At the end of the page’s <body> , within jQuery(window).load() |
on ready | At the end of the page’s <body> , within jQuery(document).ready() |
{% js at head %}
By default, at endBody
will be used.
Setting the position to on load
or on ready
will cause Craft to load its internal copy of jQuery onto the page (even if the template is already including its own copy), so you should probably avoid using them in front-end templates.
# with
Any HTML attributes that should be included on the <script>
tag.
{% js "/assets/js/script.js" with {
defer: true
} %}
Attributes will be rendered by yii\helpers\BaseHtml::renderTagAttributes() (opens new window).
The with
parameter is only available when you specify a JavaScript file; it won’t have any effect with a JavaScript code block.
# namespace
The {% namespace %}
tag can be used to namespace input names and other HTML attributes, as well as CSS selectors.
For example, this:
{% namespace 'foo' %}
<style>
.text { font-size: larger; }
#title { font-weight: bold; }
</style>
<input class="text" id="title" name="title" type="text">
{% endnamespace %}
would become this:
<style>
.text { font-size: larger; }
#foo-title { font-weight: bold; }
</style>
<input class="text" id="foo-title" name="foo[title]" type="text">
Notice how the #title
CSS selector became #foo-title
, the id
attribute changed from title
to foo-title
, and the name
attribute changed from title
to foo[title]
.
If you want class names to get namespaced as well, add the withClasses
flag. That will affect both class CSS selectors and class
attributes:
{% namespace 'foo' withClasses %}
That would result in:
<style>
.foo-text { font-size: larger; }
#foo-title { font-weight: bold; }
</style>
<input class="foo-text" id="foo-title" name="foo[title]" type="text">
This tag works identically to the namespace filter, except that it will call craft\web\View::setNamespace() (opens new window) at the beginning, so any PHP code executed within it can be aware of what the nested IDs will become.
# nav
This tag helps create a hierarchical navigation menu for entries in a Structure section or a Category Group.
{% set entries = craft.entries().section('pages').all() %}
<ul id="nav">
{% nav entry in entries %}
<li>
<a href="{{ entry.url }}">{{ entry.title }}</a>
{% ifchildren %}
<ul>
{% children %}
</ul>
{% endifchildren %}
</li>
{% endnav %}
</ul>
The {% nav %}
tag should only be used in times when you want to show elements in a hierarchical list. If you want to show elements in a flat list, use a for (opens new window) tag instead.
# Parameters
The {% nav %}
tag has the following parameters:
# Item name
The first thing to follow “{% nav
” is the variable name you’d like to use to represent each item in the loop, e.g. item
, entry
, or category
. You will be using this variable name to reference the items inside the loop.
# in
Next you need to type the word “in
”, followed by the array of entries the tag should loop through. This can be an array of elements, or an element query.
The {% nav %}
tag requires elements to be queried in a specific (hierarchical) order, so make sure you don’t override the order
criteria parameter in conjunction with this tag.
# Showing children
The {% children %}
tag will output the children of the current element in the loop, using the same template defined between your {% nav %}
and {% endnav %}
tags.
If you want to show some additional HTML surrounding the children, but only in the event that the element actually has children, wrap your {% children %}
tag with {% ifchildren %}
and {% endifchildren %}
tags.
Don’t add any special logic between your {% ifchildren %}
and {% endifchildren %}
tags. These are special tags that are used to identify the raw HTML that should be output surrounding nested nav items. They don’t get parsed in the order you’d expect.
# paginate
This tag makes it easy to paginate query results across multiple pages.
{% set query = craft.entries()
.section('blog')
.limit(10) %}
{% paginate query as pageInfo, pageEntries %}
{% for entry in pageEntries %}
<article>
<h1>{{ entry.title }}</h1>
{{ entry.body }}
</article>
{% endfor %}
{% if pageInfo.prevUrl %}<a href="{{ pageInfo.prevUrl }}">Previous Page</a>{% endif %}
{% if pageInfo.nextUrl %}<a href="{{ pageInfo.nextUrl }}">Next Page</a>{% endif %}
Complete reference for the paginate
tag and the related pageInfo
objects is available on the element queries page.
Only a single {% paginate %}
tag should be used per request.
# Parameters
The {% paginate %}
tag has the following parameters:
# Query
The first thing you pass into the {% paginate %}
tag is a query object (such as an element query), which defines all of the results that should be paginated. Use the limit
parameter to define how many results should show up per page (100 by default).
This parameter needs to be an actual query object, not an array of pre-fetched results. So don’t call all()
on the query before passing it in.
# as
Next up you need to type “as
”, followed by one or two variable names:
as pageInfo, pageEntries
as pageEntries
Here’s what they get set to:
pageInfo
gets set to a craft\web\twig\variables\Paginate (opens new window) object, which provides info about the current page, and some helper methods for creating links to other pages. (See below for more info.)pageEntries
gets set to an array of the results (e.g. the elements) that belong to the current page.
If you only specify one variable name here, the pageInfo
variable will be called paginate
by default for backwards compatibility.
# Showing the results
The {% paginate %}
tag won’t actually output the current page’s results for you. It will only give you an array of the results that should be on the current page (referenced by the variable you defined in the as
parameter.)
Following your {% paginate %}
tag, you will need to loop through this page’s results using a for (opens new window) tag.
{% paginate craft.entries().section('blog').limit(10) as pageEntries %}
{% for entry in pageEntries %}
<article>
<h1>{{ entry.title }}</h1>
{{ entry.body }}
</article>
{% endfor %}
# The pageInfo
variable
The pageInfo
variable (or whatever you’ve called it) provides the following properties and methods:
pageInfo.first
– The offset of the first result on the current page.pageInfo.last
– The offset of the last result on the current page.pageInfo.total
– The total number of results across all pagespageInfo.currentPage
– The current page number.pageInfo.totalPages
– The total number of pages.pageInfo.prevUrl
– The URL to the previous page, ornull
if you’re on the first page.pageInfo.nextUrl
– The URL to the next page, ornull
if you’re on the last page.pageInfo.firstUrl
– The URL to the first page.pageInfo.lastUrl
– The URL to the last page.pageInfo.getPageUrl( page )
– Returns the URL to a given page number, ornull
if the page doesn’t exist.pageInfo.getPrevUrls( [dist] )
– Returns an array of URLs to the previous pages, with keys set to the page numbers. The URLs are returned in ascending order. You can optionally pass in the maximum distance away from the current page the function should go.pageInfo.getNextUrls( [dist] )
– Returns an array of URLs to the next pages, with keys set to the page numbers. The URLs are returned in ascending order. You can optionally pass in the maximum distance away from the current page the function should go.pageInfo.getRangeUrls( start, end )
– Returns an array of URLs to pages in a given range of page numbers, with keys set to the page numbers.pageInfo.getDynamicRangeUrls( max )
– Returns an array of URLs to pages in a dynamic range of page numbers that surround (and include) the current page, with keys set to the page numbers.
# Navigation examples
The pageInfo variable gives you lots of options for building the pagination navigation that’s right for you. Here are a few common examples.
# Previous/Next Page Links
If you just want simple Previous Page and Next Page links to appear, you can do this:
{% set query = craft.entries()
.section('blog')
.limit(10) %}
{% paginate query as pageInfo, pageEntries %}
{% if pageInfo.prevUrl %}<a href="{{ pageInfo.prevUrl }}">Previous Page</a>{% endif %}
{% if pageInfo.nextUrl %}<a href="{{ pageInfo.nextUrl }}">Next Page</a>{% endif %}
Note that we’re wrapping those links in conditionals because there won’t always be a previous or next page.
# First/Last Page Links
You can add First Page and Last Page links into the mix, you can do that too:
{% set query = craft.entries()
.section('blog')
.limit(10) %}
{% paginate query as pageInfo, pageEntries %}
<a href="{{ pageInfo.firstUrl }}">First Page</a>
{% if pageInfo.prevUrl %}<a href="{{ pageInfo.prevUrl }}">Previous Page</a>{% endif %}
{% if pageInfo.nextUrl %}<a href="{{ pageInfo.nextUrl }}">Next Page</a>{% endif %}
<a href="{{ pageInfo.lastUrl }}">Last Page</a>
There’s no reason to wrap those links in conditionals since there will always be a first and last page.
# Nearby Page Links
If you want to create a list of nearby pages, perhaps surrounding the current page number, you can do that too!
{% set query = craft.entries()
.section('blog')
.limit(10) %}
{% paginate query as pageInfo, pageEntries %}
<a href="{{ pageInfo.firstUrl }}">First Page</a>
{% if pageInfo.prevUrl %}<a href="{{ pageInfo.prevUrl }}">Previous Page</a>{% endif %}
{% for page, url in pageInfo.getPrevUrls(5) %}
<a href="{{ url }}">{{ page }}</a>
{% endfor %}
<span class="current">{{ pageInfo.currentPage }}</span>
{% for page, url in pageInfo.getNextUrls(5) %}
<a href="{{ url }}">{{ page }}</a>
{% endfor %}
{% if pageInfo.nextUrl %}<a href="{{ pageInfo.nextUrl }}">Next Page</a>{% endif %}
<a href="{{ pageInfo.lastUrl }}">Last Page</a>
In this example we’re only showing up to five page links in either direction of the current page. If you’d prefer to show more or less, just change the numbers that are passed into getPrevUrls()
and getNextUrls()
. You can also choose to not pass any number in at all, in which case all previous/next page URLs will be returned.
# redirect
This tag will redirect the browser to a different URL.
{% if not user or not user.isInGroup('members') %}
{% redirect "pricing" %}
{% endif %}
# Parameters
The {% redirect %}
tag has the following parameter:
# The URL
Immediately after typing “{% redirect
”, you need to tell the tag where to redirect the browser. You can either give it a full URL, or just the path.
# The Status Code
By default, redirects will have 302
status codes, which tells the browser that the requested URL has only been moved to the redirected URL temporarily.
You can customize which status code accompanies your redirect response by typing it right after the URL. For example, the following code would return a 301
redirect (permanent):
{% redirect "pricing" 301 %}
# Flash Messages
You can optionally set flash messages that will show up for the user on the next request using the with notice
and/or with error
params:
{% if not currentUser.isInGroup('members') %}
{% redirect "pricing" 301 with notice "You have to be a member to access that!" %}
{% endif %}
# requireAdmin
This tag will ensure that an admin user is logged in. If the user is not logged in, they’ll be redirected to the Login page specified by your loginPath config setting and returned to the original page after logging in as an admin.
A user that’s already logged in but not an admin will get a 403 response.
{% requireAdmin %}
You can place this tag anywhere in your template, including within a conditional. If/when Twig gets to it, the admin enforcement will take place.
# requireEdition
Requires Craft’s active edition to be equal to or “greater” than what’s specified. This is generally only useful to plugin developers who need to expose features only when a plugin is installed in a site running one edition or another.
If the Craft edition does not meet the requirement, the visitor will get a 404 response.
0
– Craft Solo1
– Craft Pro
{# Require Craft Pro #}
{% requireEdition 1 %}
You can place this tag anywhere in your template, including within a conditional. If/when Twig gets to it, the edition enforcement will take place.
Control panel templates can use the CraftSolo
and CraftPro
variables.
Example: {% requireEdition CraftPro %}
.
# requireGuest
This tag will ensure that the user is not logged in. If they’re already logged in, they’ll be redirected to the page specified by your postLoginRedirect config setting.
{% requireGuest %}
You can place this tag anywhere in your template, including within a conditional. If/when Twig gets to it, the guest enforcement will take place.
# requireLogin
This tag will ensure that the user is logged in. If they aren’t, they’ll be redirected to a Login page and returned to the original page after successfully logging in.
{% requireLogin %}
You can place this tag anywhere in your template, including within a conditional. If/when Twig gets to it, the login enforcement will take place.
The login page location is based on your loginPath config setting. If you do not set loginPath, it defaults to login
. That will throw a 404
error if you have not handled the /login
route with a custom template. To use the control panel’s login form, set it to admin/login
or [your cpTrigger]/login
.
# requirePermission
This tag will ensure that the current user is logged in with an account that has a given permission.
{% requirePermission 'stayUpLate' %}
The user can have the permission either directly or through one of their user groups. If they don’t have it, a 403 (Forbidden) error will be served.
See the Users page for a list of available permissions.
# script
Similar to the {% js %}
tag, but with full control over the resulting <script>
tag’s attributes.
{% script with {type: 'module'} %}
// some JavaScript
{% endscript %}
# switch
“Switch statements” offer a clean way to compare a variable against multiple possible values, instead of using several repetitive {% if %}
conditionals.
Take this template for example, which is running different template code depending on a Matrix block’s type:
{% if matrixBlock.type == "text" %}
{{ matrixBlock.textField|markdown }}
{% elseif matrixBlock.type == "image" %}
{{ matrixBlock.image[0].getImg() }}
{% else %}
<p>A font walks into a bar.</p>
<p>The bartender says, “Hey, we don’t serve your type in here!”</p>
{% endif %}
Since all of the conditionals are evaluating the same thing – matrixBlock.type
– we can simplify that code using a {% switch %}
tag instead:
{% switch matrixBlock.type %}
{% case "text" %}
{{ matrixBlock.textField|markdown }}
{% case "image" %}
{{ matrixBlock.image[0].getImg() }}
{% default %}
<p>A font walks into a bar.</p>
<p>The bartender says, “Hey, we don’t serve your type in here!”</p>
{% endswitch %}
Unlike switch
statements in other languages, the matching case
block will be broken out of automatically. You don’t need to worry about adding break
statements.
# Checking multiple values from a single {% case %}
tag
If you want to check for mulitple values from a single {% case %}
tag, separate the values with or
operators.
{% case "h2" or "h3" or "p" %}
{# output an <h2>, <h3>, or <p> tag, depending on the block type #}
{{ tag(matrixBlock.type, {
text: matrixBlock.text
}) }}
# Accessing the parent loop
variable
If you’re using the {% switch %}
tag inside of a {% for %}
loop, you won’t be able to access Twig’s loop variable (opens new window) directly inside of the {% switch %}
tag. Instead, you can access it like so:
{% for matrixBlock in entry.matrixField.all() %}
{% set loopIndex = loop.index %}
{% switch matrixBlock.type %}
{% case "text" %}
Loop #{{ loopIndex }}
{% endswitch %}
{% endfor %}
# tag
The {% tag %}
tag can be used to render an HTML element in a template.
It’s similar to the tag function, however the {% tag %}
tag is better suited for cases where the tag contents need to be dynamic.
{% tag 'p' with {
class: 'welcome',
} %}
Hello, {{ currentUser.friendlyName }}
{% endtag %}
{# Output: <p class="welcome">Hello, Tim</p> #}
{% tag %}
tags can also be nested:
{% tag 'div' with {
class: 'foo',
} %}
{% tag 'p' with {
class: 'welcome',
} -%}
Hello, {{ currentUser.friendlyName }}
{%- endtag %}
{% endtag %}
{# Output: <div class="foo"><p class="welcome">Hello, Tim</p></div> #}
Attribute values are HTML-encoded automatically:
{% tag 'p' with {
title: 'Hello & Welcome',
} %}
Hello, {{ currentUser.friendlyName }}
{% endtag %}
{# Output: <p title="Hello & Welcome">Hello, Tim</p> #}
# Parameters
The {% tag %}
tag has the following parameters:
# Name
The first thing you must pass to the {% tag %}
tag is the name of the node that should be rendered.
# with
Next, you can optionally type “with
” followed by an object with attributes for the node.
These will be rendered using yii\helpers\BaseHtml::renderTagAttributes() (opens new window) just like the tag function, except for the html
and text
keys because inner content will go between {% tag %}
and {% endtag %}
instead.
If an attribute is set to true
, it will be added without a value:
{% tag 'textarea' with {
name: 'message',
required: true
} -%}
Please foo some bar.
{%- endtag %}
{# Output: <textarea name="message" required>Please foo some bar.</textarea> #}