1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
|
# Filters
Values such as those obtained from variables can be post-processed
using **filters**.
Filters are applied to values using the pipe symbol (`|`) and may
have optional extra arguments in parentheses.
Note that the pipe symbol must not be surrounded by spaces;
otherwise, it will be interpreted as the `BitOr` operator.
Filters can be chained, in which case the output from one filter
is passed to the next.
```
{{ "HELLO"|lower }}
```
Askama has a collection of built-in filters, documented below, but can also include custom filters.
Additionally, the `json` and `yaml` filters are included in the built-in filters,
but are disabled by default. Enable them with Cargo features (see below for more information).
**Table of contents**
* **[Built-in filters][#built-in-filters]:**
[`abs`][#abs],
[`as_ref`][#as_ref],
[`capitalize`][#capitalize],
[`center`][#center],
[`escape|e`][#escape],
[`filesizeformat`][#filesizeformat],
[`format`][#format],
[`indent`][#indent],
[`join`][#join],
[`linebreaks`][#linebreaks],
[`linebreaksbr`][#linebreaksbr],
[`lower|lowercase`][#lower],
[`safe`][#safe],
[`trim`][#trim],
[`truncate`][#truncate],
[`upper|uppercase`][#upper],
[`wordcount`][#wordcount]
* **[Optional / feature gated filters][#optional-filters]:**
[`json|tojson`][#json],
[`markdown`][#markdown],
[`yaml`][#yaml]
* **[Custom filters][#custom-filters]**
## Built-In Filters
[#built-in-filters]: #built-in-filters
### abs
[#abs]: #abs
Returns the absolute value.
```
{{ -2|abs }}
```
Output:
```
2
```
### as_ref
[#as_ref]: #as_ref
Creates a reference to the given argument.
```
{{ "a"|as_ref }}
{{ self.x|as_ref }}
```
will become:
```
&a
&self.x
```
### capitalize
[#capitalize]: #capitalize
Capitalize a value. The first character will be uppercase, all others lowercase:
```
{{ "hello"|capitalize }}
```
Output:
```
Hello
```
### center
[#center]: #center
Centers the value in a field of a given width:
```
-{{ "a"|center(5) }}-
```
Output:
```
- a -
```
### escape | e
[#escape]: #escape--e
Escapes HTML characters in strings:
```
{{ "Escape <>&"|e }}
```
Output:
```
Escape <>&
```
Optionally, it is possible to specify and override which escaper is used.
Consider a template where the escaper is configured as [`escape = "none"`].
However, somewhere escaping using the HTML escaper is desired.
Then it is possible to override and use the HTML escaper like this:
```jinja
{{ "Don't Escape <>&"|escape }}
{{ "Don't Escape <>&"|e }}
{{ "Escape <>&"|escape("html") }}
{{ "Escape <>&"|e("html") }}
```
Output:
```text
Don't Escape <>&
Don't Escape <>&
Escape <>&
Escape <>&
```
[`escape = "none"`]: creating_templates.html#the-template-attribute
### filesizeformat
[#filesizeformat]: #filesizeformat
Returns adequate string representation (in KB, ..) of number of bytes:
```
{{ 1000|filesizeformat }}
```
Output:
```
1 KB
```
### format
[#format]: #format
Formats arguments according to the specified format.
The first argument to this filter must be a string literal (as in normal Rust).
All arguments are passed through to the `format!()` macro by the Askama code generator.
```
{{ "{:?}"|format(var) }}
```
### indent
[#indent]: #indent
Indent newlines with width spaces.
```
{{ "hello\nfoo\nbar"|indent(4) }}
```
Output:
```
hello
foo
bar
```
### join
[#join]: #join
Joins iterable into a string separated by provided argument.
```
array = &["foo", "bar", "bazz"]
```
```
{{ array|join(", ") }}
```
Output:
```
foo, bar, bazz
```
### linebreaks
[#linebreaks]: #linebreaks
Replaces line breaks in plain text with appropriate HTML.
A single newline becomes an HTML line break `<br>` and a new line followed by a blank line becomes a paragraph break `<p>`.
```
{{ "hello\nworld\n\nfrom\naskama"|linebreaks }}
```
Output:
```
<p>hello<br />world</p><p>from<br />askama</p>
```
### linebreaksbr
[#linebreaksbr]: #linebreaksbr
Converts all newlines in a piece of plain text to HTML line breaks.
```
{{ "hello\nworld\n\nfrom\naskama"|linebreaks }}
```
Output:
```
hello<br />world<br /><br />from<br />askama
```
### paragraphbreaks
[#paragraphbreaks]: #paragraphbreaks
A new line followed by a blank line becomes `<p>`, but, unlike `linebreaks`, single new lines are ignored and no `<br/>` tags are generated.
Consecutive double line breaks will be reduced down to a single paragraph break.
This is useful in contexts where changing single line breaks to line break tags would interfere with other HTML elements, such as lists and nested `<div>` tags.
```
{{ "hello\nworld\n\nfrom\n\n\n\naskama"|paragraphbreaks }}
```
Output:
```
<p>hello\nworld</p><p>from</p><p>askama</p>
```
### lower | lowercase
[#lower]: #lower--lowercase
Converts to lowercase.
```
{{ "HELLO"|lower }}
```
Output:
```
hello
```
### safe
[#safe]: #safe
Marks a string (or other Display type) as safe. By default all strings are escaped according to the format.
```
{{ "<p>I'm Safe</p>"|safe }}
```
Output:
```
<p>I'm Safe</p>
```
### trim
[#trim]: #trim
Strip leading and trailing whitespace.
```
{{ " hello "|trim }}
```
Output:
```
hello
```
### truncate
[#truncate]: #truncate
Limit string length, appends '...' if truncated.
```
{{ "hello"|truncate(2) }}
```
Output:
```
he...
```
### upper | uppercase
[#upper]: #upper--uppercase
Converts to uppercase.
```
{{ "hello"|upper }}
```
Output:
```
HELLO
```
### wordcount
[#wordcount]: #wordcount
Count the words in that string.
```
{{ "askama is sort of cool"|wordcount }}
```
Output:
```
5
```
## Optional / feature gated filters
[#optional-filters]: #optional--feature-gated-filters
The following filters can be enabled by requesting the respective feature in the Cargo.toml
[dependencies section](https://doc.rust-lang.org/cargo/reference/specifying-dependencies.html), e.g.
```
[dependencies]
askama = { version = "0.11.2", features = "serde-json" }
```
### `json` | `tojson`
[#json]: #json--tojson
Enabling the `serde-json` feature will enable the use of the `json` filter.
This will output formatted JSON for any value that implements the required
[`Serialize`](https://docs.rs/serde/1.*/serde/trait.Serialize.html) trait.
The generated string does not contain ampersands `&`, chevrons `< >`, or apostrophes `'`.
To use it in a `<script>` you can combine it with the safe filter.
In HTML attributes, you can either use it in quotation marks `"{{data|json}}"` as is,
or in apostrophes with the (optional) safe filter `'{{data|json|safe}}'`.
In HTML texts the output of e.g. `<pre>{{data|json|safe}}</pre>` is safe, too.
```
Good: <li data-extra="{{data|json}}">…</li>
Good: <li data-extra='{{data|json|safe}}'>…</li>
Good: <pre>{{data|json|safe}}</pre>
Good: <script>var data = {{data|json|safe}};</script>
Bad: <li data-extra="{{data|json|safe}}">…</li>
Bad: <script>var data = {{data|json}};</script>
Bad: <script>var data = "{{data|json|safe}}";</script>
Ugly: <script>var data = "{{data|json}}";</script>
Ugly: <script>var data = '{{data|json|safe}}';</script>
```
### `markdown`
[#markdown]: #markdown
Enabling the `markdown` feature will enable the use of the `markdown` filter.
This will render a value using a [GitHub flavored CommonMark](https://docs.rs/comrak/0.14.*/comrak/) syntax.
By default the extensions “autolink”, “strikethrough”, “tagfilter”, and “table” are enabled.
Any raw HTML gets escaped.
```jinja
{{ "**<i>Hello</i>, world!**"|markdown }}
```
Output:
```html
<p><strong><i>Hello</i>, world!</strong></p>
```
You can change the default settings by supplying [custom options][ComrakRenderOptions], e.g. to enable unsafe raw HTML.
You can find a usage example in our [unit tests][markdown-tests].
[ComrakRenderOptions]: https://docs.rs/comrak/0.12.*/comrak/struct.ComrakRenderOptions.html
[markdown-tests]: https://github.com/djc/askama/blob/5748c357d435b24848d1571df010d777859fede9/testing/tests/markdown.rs#L36-L75
### `yaml`
[#yaml]: #yaml
Enabling the `serde-yaml` feature will enable the use of the `yaml` filter.
This will output formatted YAML for any value that implements the required
[`Serialize`](https://docs.rs/serde/1.*/serde/trait.Serialize.html) trait.
```jinja
{{ foo|yaml }}
```
## Custom Filters
[#custom-filters]: #custom-filters
To define your own filters, simply have a module named `filters` in scope of the context deriving a `Template` impl
and define the filters as functions within this module.
The functions must have at least one argument and the return type must be `::askama::Result<T>`.
Although there are no restrictions on `T` for a single filter,
the final result of a chain of filters must implement `Display`.
The arguments to the filters are passed as follows.
The first argument corresponds to the expression they are applied to.
Subsequent arguments, if any, must be given directly when calling the filter.
The first argument may or may not be a reference, depending on the context in which the filter is called.
To abstract over ownership, consider defining your argument as a trait bound.
For example, the `trim` built-in filter accepts any value implementing `Display`.
Its signature is similar to `fn trim(s: impl std::fmt::Display) -> ::askama::Result<String>`.
Note that built-in filters have preference over custom filters, so, in case of name collision, the built-in filter is applied.
### Examples
Implementing a filter that replaces all instances of `"oo"` for `"aa"`.
```rust
use askama::Template;
#[derive(Template)]
#[template(source = "{{ s|myfilter }}", ext = "txt")]
struct MyFilterTemplate<'a> {
s: &'a str,
}
// Any filter defined in the module `filters` is accessible in your template.
mod filters {
// This filter does not have extra arguments
pub fn myfilter<T: std::fmt::Display>(s: T) -> ::askama::Result<String> {
let s = s.to_string();
Ok(s.replace("oo", "aa"))
}
}
fn main() {
let t = MyFilterTemplate { s: "foo" };
assert_eq!(t.render().unwrap(), "faa");
}
```
Implementing a filter that replaces all instances of `"oo"` for `n` times `"a"`.
```rust
use askama::Template;
#[derive(Template)]
#[template(source = "{{ s|myfilter(4) }}", ext = "txt")]
struct MyFilterTemplate<'a> {
s: &'a str,
}
// Any filter defined in the module `filters` is accessible in your template.
mod filters {
// This filter requires a `usize` input when called in templates
pub fn myfilter<T: std::fmt::Display>(s: T, n: usize) -> ::askama::Result<String> {
let s = s.to_string();
let mut replace = String::with_capacity(n);
replace.extend((0..n).map(|_| "a"));
Ok(s.replace("oo", &replace))
}
}
fn main() {
let t = MyFilterTemplate { s: "foo" };
assert_eq!(t.render().unwrap(), "faaaa");
}
```
|