A fast, memory-efficient Twig template engine implementation for Go.
Provides full support for the Twig template language in a Go-native way.
Twig for Go is a comprehensive template engine that implements the Twig syntax popularized in PHP, but designed specifically for Go applications. It offers exceptional performance with minimal memory usage while providing a rich feature set including template inheritance, macros, filters, and more. Whether you're building a website, API responses, or any text generation system, Twig makes template management elegant and maintainable.
- Superior Performance: Benchmarks show Twig is up to 57× faster than Go's standard template engine for complex templates
- Memory Efficiency: Uses up to 90% less memory than standard Go templates while being significantly faster
- Powerful Features: Template inheritance, macros, filters, and imports create a robust ecosystem for template reuse
- Developer Friendly: Clean, readable syntax with clear error messages that help debug template issues
- Zero Dependencies: No external Go dependencies means easy integration in any project
- Production Ready: Template caching, compilation, and development mode provide flexibility for all environments
- Features
- Installation
- Basic Usage
- Supported Twig Syntax
- Filter Support
- Custom Filter and Function Registration
- Macros and Reusability
- Development Mode and Caching
- Debugging and Error Handling
- String Escape Sequences
- Whitespace Handling
- Performance
- Examples
- Template Compilation
- Installation Requirements
- Running Tests
- Compatibility
- Versioning Policy
- Security Considerations
- Contributing
- Roadmap
- Community & Support
- License
- Zero-allocation rendering where possible
- Full Twig syntax support including macros, imports, and includes
- Template inheritance
- Extensible with filters, functions, tests, and operators
- Multiple loader types (filesystem, in-memory, compiled)
- Template compilation for maximum performance
- Whitespace control features (trim modifiers)
- Compatible with Go's standard library interfaces
- Memory pooling for improved performance
- Attribute caching to reduce reflection overhead
- Detailed error reporting and debugging tools
- Thread-safe and concurrency optimized
- Robust escape sequence handling in string literals
go get github.com/semihalev/twig
package main
import (
"fmt"
"github.com/semihalev/twig"
"os"
)
func main() {
// Create a new Twig engine
engine := twig.New()
// Add a template loader
loader := twig.NewFileSystemLoader([]string{"./templates"})
engine.RegisterLoader(loader)
// Render a template
context := map[string]interface{}{
"name": "World",
"items": []string{"apple", "banana", "orange"},
}
// Render to a string
result, err := engine.Render("index.twig", context)
if err != nil {
fmt.Println("Error:", err)
return
}
fmt.Println(result)
// Or render directly to a writer
err = engine.RenderTo(os.Stdout, "index.twig", context)
if err != nil {
fmt.Println("Error:", err)
return
}
}
- Variable printing:
{{ variable }}
- Control structures:
{% if %}
,{% for %}
, etc. - Filters:
{{ variable|filter }}
- Functions:
{{ function(args) }}
- Template inheritance:
{% extends %}
,{% block %}
- Includes:
{% include %}
- Macros:
{% macro name(args) %}...{% endmacro %}
- Imports:
{% import "template.twig" as alias %}
- Selective imports:
{% from "template.twig" import macro1, macro2 as alias %}
- Apply filters to blocks:
{% apply filter %}...{% endapply %}
- Verbatim content:
{% verbatim %}...{% endverbatim %}
- Comments:
{# comment #}
- Array literals:
[1, 2, 3]
- Conditional expressions:
condition ? true_expr : false_expr
- String escape sequences:
\n
,\"
,\\
,\{
, etc. - And more...
Twig filters allow you to modify variables and expressions. Filters are applied using the pipe (|
) character:
{{ 'hello'|upper }}
This implementation supports many standard Twig filters:
upper
: Converts a string to uppercaselower
: Converts a string to lowercasecapitalize
: Capitalizes a stringtrim
: Removes whitespace from both sides of a stringslice
: Extracts a slice of a string or arraydefault
: Returns a default value if the variable is empty or undefinedjoin
: Joins array elements with a delimitersplit
: Splits a string by a delimiterlength
/count
: Returns the length of a string, array, or collectionreplace
: Replaces occurrences of a substringescape
/e
: HTML-escapes a stringraw
: Marks the value as safe (no escaping)first
: Returns the first element of an array or first character of a stringlast
: Returns the last element of an array or last character of a stringreverse
: Reverses a string or arraysort
: Sorts an arraykeys
: Returns the keys of an array or mapmerge
: Merges arrays or mapsdate
: Formats a datenumber_format
: Formats a numberabs
: Returns the absolute value of a numberround
: Rounds a numberstriptags
: Strips HTML tags from a stringnl2br
: Replaces newlines with HTML line breaksspaceless
: Removes whitespace between HTML tags
Basic filters:
{{ 'hello'|upper }} {# Output: HELLO #}
{{ name|capitalize }} {# Output: Name #}
{{ 'hello world'|split(' ')|first }} {# Output: hello #}
Filters with arguments:
{{ 'hello world'|slice(0, 5) }} {# Output: hello #}
{{ [1, 2, 3]|join('-') }} {# Output: 1-2-3 #}
{{ 'hello'|replace('e', 'a') }} {# Output: hallo #}
Chained filters:
{{ 'hello'|upper|trim }} {# Output: HELLO #}
{{ ['a', 'b', 'c']|join(', ')|upper }} {# Output: A, B, C #}
Filters in expressions:
{{ (name|capitalize) ~ ' ' ~ (greeting|upper) }}
{% if name|length > 3 %}long{% else %}short{% endif %}
Twig allows you to register custom filters and functions to extend its functionality.
// Create a new Twig engine
engine := twig.New()
// Add a simple filter that reverses words in a string
engine.AddFilter("reverse_words", func(value interface{}, args ...interface{}) (interface{}, error) {
s := toString(value)
words := strings.Fields(s)
// Reverse the order of words
for i, j := 0, len(words)-1; i < j; i, j = i+1, j-1 {
words[i], words[j] = words[j], words[i]
}
return strings.Join(words, " "), nil
})
// Use it in a template
template, _ := engine.ParseTemplate("{{ 'hello world'|reverse_words }}")
result, _ := template.Render(nil)
// Result: "world hello"
// Add a custom function that repeats a string n times
engine.AddFunction("repeat", func(args ...interface{}) (interface{}, error) {
if len(args) < 2 {
return "", nil
}
text := toString(args[0])
count, err := toInt(args[1])
if err != nil {
return "", err
}
return strings.Repeat(text, count), nil
})
// Use it in a template
template, _ := engine.ParseTemplate("{{ repeat('abc', 3) }}")
result, _ := template.Render(nil)
// Result: "abcabcabc"
You can also create a custom extension with multiple filters and functions:
// Create and register a custom extension
engine.RegisterExtension("my_extension", func(ext *twig.CustomExtension) {
// Add a filter
ext.Filters["shuffle"] = func(value interface{}, args ...interface{}) (interface{}, error) {
s := toString(value)
runes := []rune(s)
// Simple shuffle algorithm
rand.Shuffle(len(runes), func(i, j int) {
runes[i], runes[j] = runes[j], runes[i]
})
return string(runes), nil
}
// Add a function
ext.Functions["add"] = func(args ...interface{}) (interface{}, error) {
if len(args) < 2 {
return 0, nil
}
a, errA := toFloat64(args[0])
b, errB := toFloat64(args[1])
if errA != nil || errB != nil {
return 0, nil
}
return a + b, nil
}
})
Twig macros are a powerful way to create reusable templates and components. They work like functions that can output template content.
Macros are defined using the {% macro %}
tag:
{% macro input(name, value = '', type = 'text') %}
<input type="{{ type }}" name="{{ name }}" value="{{ value|e }}" />
{% endmacro %}
Once defined, macros can be used directly in the same template:
{{ input('username', 'johndoe') }}
{{ input('password', '', 'password') }}
{{ input('submit', 'Login', 'submit') }}
Macros can have default parameter values:
{% macro button(text, type = 'button', class = 'btn') %}
<button type="{{ type }}" class="{{ class }}">{{ text }}</button>
{% endmacro %}
{# Using with defaults #}
{{ button('Click Me') }}
{# Overriding defaults #}
{{ button('Submit', 'submit', 'btn btn-primary') }}
Macros can be defined in one template and imported into another:
{# In forms.twig #}
{% macro input(name, value = '', type = 'text') %}
<input type="{{ type }}" name="{{ name }}" value="{{ value|e }}" />
{% endmacro %}
{# In template.twig #}
{% import "forms.twig" as forms %}
{{ forms.input('username') }}
Macros can call other macros:
{% macro field(name, value = '', type = 'text', label = '') %}
<div class="field">
{% if label %}
<label for="{{ name }}">{{ label }}</label>
{% endif %}
{{ input(name, value, type) }}
</div>
{% endmacro %}
{% macro input(name, value = '', type = 'text') %}
<input type="{{ type }}" name="{{ name }}" value="{{ value|e }}" />
{% endmacro %}
{{ field('username', user.username, 'text', 'Username') }}
Macros have their own variable scope, separate from the template that calls them:
{% set name = 'Global' %}
{% macro greet(name = 'Default') %}
{# This only sees the 'name' parameter, not the global 'name' #}
Hello, {{ name }}!
{% endmacro %}
{{ greet() }} {# Output: Hello, Default! #}
{{ greet('Local') }} {# Output: Hello, Local! #}
{{ name }} {# Output: Global #}
To access the template's context from within a macro, pass the special _context
variable:
{% macro listItems(items, _context) %}
{% for item in items %}
<li>{{ item }} (from {{ _context.templateName }})</li>
{% endfor %}
{% endmacro %}
{% set templateName = 'product-list' %}
{{ listItems(products, _context) }}
You can reference macros from the same template using the _self
variable:
{% macro input(name, value) %}<input name="{{ name }}" value="{{ value }}">{% endmacro %}
{% macro form(action) %}
<form action="{{ action }}">
{{ _self.input('username', '') }}
<button type="submit">Submit</button>
</form>
{% endmacro %}
{{ _self.form('/submit') }}
For larger applications, organize macros into component libraries:
{# components/forms.twig #}
{% macro input(name, value = '') %}...{% endmacro %}
{% macro textarea(name, value = '') %}...{% endmacro %}
{# components/layout.twig #}
{% macro card(title, content) %}...{% endmacro %}
{% macro panel(title, content) %}...{% endmacro %}
{# template.twig #}
{% import "components/forms.twig" as forms %}
{% import "components/layout.twig" as layout %}
{{ layout.card('Login', forms.input('username')) }}
Common errors to watch for:
- Undefined macros: Ensure macros are defined before calling them
- Parameter mismatches: Check parameter names and types
- Scope issues: Remember macros can't access parent scope without explicitly passing context
When debugging, enable debug mode to get detailed error messages:
engine.SetDebug(true)
According to our benchmarks, imported macros perform 27% better than direct macro usage due to optimizations in the caching system:
Macro Usage Type | Time (µs/op) | Relative Performance |
---|---|---|
Direct | 3.16 | 1.00x |
Imported | 2.30 | 0.73x (27% faster) |
Nested | 2.98 | 0.94x (6% faster) |
For high-performance applications:
- Prefer imported macros over direct macro usage
- Group related macros in dedicated template files
- Use the import cache efficiently by importing each macro file once
Twig provides several options to control template caching and debug behavior:
// Create a new Twig engine
engine := twig.New()
// Enable development mode (enables debug, enables auto-reload, disables caching)
engine.SetDevelopmentMode(true)
// Or control individual settings
engine.SetDebug(true) // Enable debug mode
engine.SetCache(false) // Disable template caching
engine.SetAutoReload(true) // Enable template auto-reloading
When development mode is enabled:
- Template caching is disabled, ensuring you always see the latest changes
- Auto-reload is enabled, which will check for template modifications
- Debug mode is enabled for more detailed error messages
This is ideal during development to avoid having to restart your application when templates change.
The engine can automatically detect when template files change on disk and reload them:
// Enable auto-reload to detect template changes
engine.SetAutoReload(true)
When auto-reload is enabled:
- The engine tracks the last modification time of each template
- When a template is requested, it checks if the file has been modified
- If the file has changed, it automatically reloads the template
- If the file hasn't changed, it uses the cached version (if caching is enabled)
This provides the best of both worlds:
- Fast performance (no unnecessary file system access for unchanged templates)
- Always up-to-date content (automatic reload when templates change)
By default, Twig runs in production mode:
- Template caching is enabled for maximum performance
- Auto-reload is disabled to avoid unnecessary file system checks
- Debug mode is disabled to reduce overhead
Twig provides enhanced error reporting and debugging tools to help during development:
// Enable debug mode
engine.SetDebug(true)
// Set custom debug level for more detailed logging
twig.SetDebugLevel(twig.DebugVerbose) // Options: DebugOff, DebugError, DebugWarning, DebugInfo, DebugVerbose
// Redirect debug output to a file
logFile, _ := os.Create("twig_debug.log")
twig.SetDebugWriter(logFile)
When debug is enabled, you get:
- Enhanced Error Messages: Includes template name, line number, and source context
- Performance Tracing: Log rendering times for templates and template sections
- Variable Inspection: Log template variable values and types
- Hierarchical Error Reporting: Proper error propagation through template inheritance
Example error output:
Error in template 'user_profile.twig' at line 45, column 12:
undefined variable "user"
Line 45: <h1>Welcome, {{ user.name }}!</h1>
^
// Render with proper error handling
result, err := engine.Render("template.twig", context)
if err != nil {
// Enhanced errors with full context
fmt.Printf("Rendering failed: %v\n", err)
return
}
Twig supports standard string escape sequences to include special characters in string literals:
{{ "Line with \n a newline character" }}
{{ "Quotes need escaping: \"quoted text\"" }}
{{ "Use \\ for a literal backslash" }}
{{ "Escape Twig syntax: \{\{ this is not a variable \}\}" }}
The following escape sequences are supported:
\n
: Newline\r
: Carriage return\t
: Tab\"
: Double quote\'
: Single quote\\
: Backslash\{
: Left curly brace (to avoid being interpreted as Twig syntax)\}
: Right curly brace (to avoid being interpreted as Twig syntax)
This is particularly useful in JavaScript blocks or when you need to include literal braces in your output.
Twig templates can have significant whitespace that affects the rendered output. This implementation supports the following mechanism for controlling whitespace:
The apply
tag allows you to apply a filter to an entire block of template content:
{% apply upper %}
This text will be converted to uppercase.
{{ variable }} will also be uppercase.
{% endapply %}
This is particularly useful for:
- Applying transformations to both static and dynamic content
- Handling complex HTML with the spaceless filter
- Creating consistent text formatting across multiple lines
- Processing content with custom filters
Example usages:
{# Remove whitespace between HTML tags #}
{% apply spaceless %}
<div>
<strong>Hello</strong>
</div>
{% endapply %}
{# Result: <div><strong>Hello</strong></div> #}
{# Convert content to uppercase #}
{% apply upper %}
Welcome, {{ user.name }}!
{% endapply %}
{# Replace content #}
{% apply replace('e', 'a') %}
Hello there
{% endapply %}
{# Result: Hallo thara #}
The verbatim
tag allows you to output Twig syntax without it being processed:
{% verbatim %}
This {{ will not be processed }} as a variable.
{% if statements won't be executed %}
{% endverbatim %}
This is useful when:
- Displaying Twig syntax as part of documentation
- Including template examples in your output
- Working with JavaScript frameworks that use similar syntax (Vue.js, Angular, etc.)
- Creating code examples that include Twig syntax
The whitespace control modifiers (-
character) allow you to trim whitespace around tags:
<div>
{{- greeting -}} {# Removes whitespace before and after #}
</div>
Using these modifiers:
{{- ... }}
: Removes whitespace before the variable output{{ ... -}}
: Removes whitespace after the variable output{{- ... -}}
: Removes whitespace both before and after{%- ... %}
: Removes whitespace before the block tag{% ... -%}
: Removes whitespace after the block tag{%- ... -%}
: Removes whitespace both before and after
This feature helps you create cleaner output, especially when generating HTML with proper indentation in templates but needing compact output for production.
The library is designed with performance in mind:
- Minimal memory allocations
- Efficient parsing and rendering
- Memory pooling for frequently allocated objects
- Attribute caching to reduce reflection overhead
- Template caching
- Production/development mode toggle
- Optimized filter chain processing
- Thread-safe concurrent rendering
Twig consistently outperforms other Go template engines, especially for complex templates:
Engine | Simple (µs/op) | Medium (µs/op) | Complex (µs/op) |
---|---|---|---|
Twig | 0.28 | 0.14 | 0.14 |
Go Template | 0.90 | 0.94 | 7.98 |
Pongo2 | 0.86 | 0.91 | 4.57 |
Stick | 4.00 | 15.85 | 54.56 |
For complex templates, Twig is:
- 57x faster than Go's standard library
- 33x faster than Pongo2
- 390x faster than Stick
Twig also uses approximately 90% less memory than Go's standard library while being 57x faster.
Macro Usage Type | Time (µs/op) | Relative Performance |
---|---|---|
Direct | 3.16 | 1.00x |
Imported | 2.30 | 0.73x (27% faster) |
Nested | 2.98 | 0.94x (6% faster) |
See full benchmark results for detailed comparison.
The repository includes several example applications demonstrating various features of Twig:
A basic example showing how to use Twig templates:
// From examples/simple/main.go
package main
import (
"fmt"
"github.com/semihalev/twig"
"os"
)
func main() {
// Create a Twig engine
engine := twig.New()
// Load templates from memory
template := "Hello, {{ name }}!"
engine.AddTemplateString("greeting", template)
// Render the template
context := map[string]interface{}{
"name": "World",
}
result, err := engine.Render("greeting", context)
if err != nil {
fmt.Println("Error:", err)
return
}
fmt.Println(result) // Output: Hello, World!
}
// From examples/development_mode/main.go
package main
import (
"fmt"
"github.com/semihalev/twig"
"os"
)
func main() {
// Create a Twig engine with development mode enabled
engine := twig.New()
engine.SetDevelopmentMode(true)
// Add a template loader
loader := twig.NewFileSystemLoader([]string{"./templates"})
engine.RegisterLoader(loader)
// Render a template
context := map[string]interface{}{
"name": "Developer",
}
// Templates will auto-reload if changed
result, err := engine.Render("hello.twig", context)
if err != nil {
fmt.Println("Error:", err)
return
}
fmt.Println(result)
}
Example showing how to create custom Twig extensions:
// From examples/custom_extensions/main.go
package main
import (
"fmt"
"github.com/semihalev/twig"
"strings"
)
func main() {
// Create a Twig engine
engine := twig.New()
// Register a custom extension
engine.RegisterExtension("text_tools", func(ext *twig.CustomExtension) {
// Add a filter to count words
ext.Filters["word_count"] = func(value interface{}, args ...interface{}) (interface{}, error) {
str, ok := value.(string)
if !ok {
return 0, nil
}
return len(strings.Fields(str)), nil
}
// Add a function to generate Lorem Ipsum text
ext.Functions["lorem"] = func(args ...interface{}) (interface{}, error) {
count := 5
if len(args) > 0 {
if c, ok := args[0].(int); ok {
count = c
}
}
return strings.Repeat("Lorem ipsum dolor sit amet. ", count), nil
}
})
// Use the custom extensions in a template
template := `
The following text has {{ text|word_count }} words:
{{ text }}
Generated text:
{{ lorem(3) }}
`
engine.AddTemplateString("example", template)
// Render the template
context := map[string]interface{}{
"text": "This is an example of a custom filter in action.",
}
result, err := engine.Render("example", context)
if err != nil {
fmt.Println("Error:", err)
return
}
fmt.Println(result)
}
Example showing how to use macros for reusable UI components:
// From examples/macros/main.go
package main
import (
"fmt"
"github.com/semihalev/twig"
"os"
)
func main() {
// Create a new Twig engine
engine := twig.New()
// Create template with macros
macrosTemplate := `
{# Define macros in a separate template #}
{% macro input(name, value = '', type = 'text', size = 20) %}
<input type="{{ type }}" name="{{ name }}" value="{{ value|e }}" size="{{ size }}">
{% endmacro %}
{% macro label(text, for = '') %}
<label{% if for %} for="{{ for }}"{% endif %}>{{ text }}</label>
{% endmacro %}
`
// Create a template that imports and uses macros
mainTemplate := `
{% import "macros.twig" as forms %}
<form>
<div class="form-row">
{{ forms.label('Username', 'username') }}
{{ forms.input('username', user.username) }}
</div>
<div class="form-row">
{{ forms.input('submit', 'Submit', 'submit') }}
</div>
</form>
`
// Register templates
engine.RegisterString("macros.twig", macrosTemplate)
engine.RegisterString("main.twig", mainTemplate)
// Create context with user data
context := map[string]interface{}{
"user": map[string]interface{}{
"username": "johndoe",
},
}
// Render the template
err := engine.RenderTo(os.Stdout, "main.twig", context)
if err != nil {
fmt.Printf("Error rendering template: %v\n", err)
}
}
More examples can be found in the examples/
directory:
examples/compiled_templates/
- Shows how to compile and use compiled templatesexamples/macros/
- Demonstrates the use of macros in templates with nested and imported examplesexamples/development_mode/
- Shows how to use the development mode for template auto-reloadingexamples/simple/
- Basic usage examples for quick reference
For maximum performance in production environments, Twig supports compiling templates to a binary format:
- Faster Rendering: Pre-compiled templates skip the parsing step, leading to faster rendering
- Reduced Memory Usage: Compiled templates can be more memory-efficient
- Better Deployment Options: Compile during build and distribute only compiled templates
- No Source Required: Run without needing access to the original template files
// Create a new engine
engine := twig.New()
// Compile a template
template, _ := engine.Load("template_name")
compiled, _ := template.Compile()
// Serialize to binary data
data, _ := twig.SerializeCompiledTemplate(compiled)
// Save to disk or transmit elsewhere...
ioutil.WriteFile("template.compiled", data, 0644)
// In production, load the compiled template
compiledData, _ := ioutil.ReadFile("template.compiled")
engine.LoadFromCompiledData(compiledData)
A dedicated CompiledLoader
provides easy handling of compiled templates:
// Create a loader for compiled templates
loader := twig.NewCompiledLoader("./compiled_templates")
// Compile all templates in the engine
loader.CompileAll(engine)
// In production
loader.LoadAll(engine)
See the examples/compiled_templates
directory for a complete example.
- Go 1.18 or higher
- No external dependencies required (all dependencies are included in Go's standard library)
To run the test suite:
go test ./...
For tests with coverage report:
go test -coverprofile=coverage.out ./...
go tool cover -html=coverage.out
This implementation aims to be compatible with Twig PHP version 3.x syntax and features. While we strive for full compatibility, there may be some minor differences due to the nature of the Go language compared to PHP.
This project follows Semantic Versioning:
- MAJOR version for incompatible API changes
- MINOR version for backwards-compatible functionality additions
- PATCH version for backwards-compatible bug fixes
When using Twig or any template engine:
- Never allow untrusted users to modify or create templates directly
- Be cautious with user-provided variables in templates
- Consider using the HTML escaping filters (
escape
ore
) for user-provided content - In sandbox mode (if implementing custom functions/filters), carefully validate inputs
Contributions are welcome! Here's how you can contribute:
- Fork the repository
- Create your feature branch (
git checkout -b feature/amazing-feature
) - Commit your changes (
git commit -m 'Add some amazing feature'
) - Push to the branch (
git push origin feature/amazing-feature
) - Open a Pull Request
Please make sure your code passes all tests and follows the existing code style.
Twig's sandbox mode provides a safe way to evaluate template code with restricted permissions. This is particularly useful when including templates from untrusted sources.
// Create a new Twig engine
engine := twig.New()
// Create a security policy that restricts what functions and filters can be used
policy := twig.NewDefaultSecurityPolicy()
// Customize allowed functions and filters
policy.AllowedFunctions["safe_function"] = true
policy.AllowedFilters["safe_filter"] = true
// Enable sandbox mode with the policy
engine.EnableSandbox(policy)
The most common use for sandbox mode is including templates with restricted permissions:
{# Include a template in sandbox mode with restricted permissions #}
{% include 'user_content.twig' sandboxed %}
When a template is included with the sandboxed
option:
- The included template runs in a sandbox with the security policy
- Any functions or filters not explicitly allowed will fail
- The main template remains unaffected by the sandbox restrictions
The DefaultSecurityPolicy
provides sensible defaults:
- Allows common, safe functions like
range
,cycle
,date
, etc. - Allows safe filters like
escape
,upper
,lower
, etc. - Allows basic control tags like
if
,for
,set
, etc.
You can customize this policy by adding or removing items from:
AllowedFunctions
: Map of allowed function namesAllowedFilters
: Map of allowed filter namesAllowedTags
: Map of allowed tag names
The parent()
function allows blocks in child templates to access and render the content of the same block from the parent template. This is useful for extending rather than completely replacing block content.
{# base.twig #}
<!DOCTYPE html>
<html>
<head>
<title>{% block title %}Default Title{% endblock %}</title>
</head>
<body>
<header>{% block header %}Default Header{% endblock %}</header>
<main>{% block content %}Default Content{% endblock %}</main>
<footer>{% block footer %}Default Footer{% endblock %}</footer>
</body>
</html>
{# child.twig #}
{% extends "base.twig" %}
{% block title %}Child Page - {{ parent() }}{% endblock %}
{% block header %}
<h1>Child Header</h1>
{{ parent() }}
{% endblock %}
{% block content %}
<p>This is the child content that overrides the parent.</p>
{% endblock %}
When rendered, the child.twig
template will:
- Render "Child Page - Default Title" as the title (combining its content with the parent's)
- Output the child's header content followed by the parent's header content
- Completely replace the parent's content block
The parent()
function is especially useful for:
- Adding to inherited CSS or JavaScript blocks
- Extending headers or footers without duplicating content
- Building complex layout hierarchies
Twig provides fine-grained control over whitespace in templates using the dash (-
) modifier:
<div>
{{- value -}} {# Trims whitespace before and after output #}
</div>
{# Output: <div>value</div> (no whitespace between the tags and value) #}
Whitespace control modifiers can be applied to any tag:
{{- ... }}
: Removes whitespace before the output{{ ... -}}
: Removes whitespace after the output{%- ... %}
: Removes whitespace before the block tag{% ... -%}
: Removes whitespace after the block tag
This allows for clean, readable template code without producing unwanted whitespace in the output:
{% for item in items -%}
{{ item }}
{%- endfor %}
{# No whitespace between items #}
✅ Features already implemented:
- Full macro functionality with imports
- Comprehensive benchmarking including memory usage
- Template inheritance and includes
- Filters and functions
- HTML escaping and safety
- Sandbox mode for enhanced security
- Whitespace control with dash modifiers
- Parent function for block inheritance
Future development plans include:
- Additional optimization techniques for macro evaluation
- Template profiling tools for performance analysis
- Additional loader types
- Enhanced from ... import syntax for selective macro imports
- Support for lazy-loading templates
- Test coverage improvements
- Plugin system for third-party extensions
- Submit bug reports and feature requests through GitHub Issues
- Ask questions using GitHub Discussions
- Contribute to the project by submitting Pull Requests
This project is licensed under the MIT License - see the LICENSE file for details.