Phoenix LiveView-style reactive components for Django with Rust-powered performance. Real-time UI updates over WebSocket, no JavaScript build step required.
Project description
Blazing fast reactive server-side rendering for Django, powered by Rust
djust brings Phoenix LiveView-style reactive components to Django, with performance that feels native. Write server-side Python code with automatic, instant client updates—no JavaScript bundling, no build step, no complexity.
🌐 djust.org | 🚀 Quick Start | 📝 Examples
✨ Features
- ⚡ 10-100x Faster - Rust-powered template engine and Virtual DOM diffing
- 🔄 Reactive Components - Phoenix LiveView-style server-side reactivity
- 🔌 Django Compatible - Works with existing Django templates and components
- 📦 Zero Build Step - ~29KB gzipped client JavaScript, no bundling needed
- 🌐 WebSocket Updates - Real-time DOM patches over WebSocket (with HTTP fallback)
- 🎯 Minimal Client Code - Smart diffing sends only what changed
- 🔒 Type Safe - Rust guarantees for core performance-critical code
- 🐞 Developer Debug Panel - Interactive debugging with event history and VDOM inspection
- 💤 Lazy Hydration - Defer WebSocket connections for below-fold content (20-40% memory savings)
- 🚀 TurboNav Compatible - Works seamlessly with Turbo-style client-side navigation
- 📱 PWA Support - Offline-first Progressive Web Apps with automatic sync
- 🏢 Multi-Tenant Ready - Production SaaS architecture with tenant isolation
- 🔐 Authentication & Authorization - View-level and handler-level auth with Django permissions integration
🎯 Quick Example
from djust import LiveView, event_handler
class CounterView(LiveView):
template_string = """
<div>
<h1>Count: {{ count }}</h1>
<button dj-click="increment">+</button>
<button dj-click="decrement">-</button>
</div>
"""
def mount(self, request, **kwargs):
self.count = 0
@event_handler
def increment(self):
self.count += 1 # Automatically updates client!
@event_handler
def decrement(self):
self.count -= 1
That's it! No JavaScript needed. State changes automatically trigger minimal DOM updates.
🔄 How Reactivity Works
djust uses a Rust-powered Virtual DOM (VDOM) to diff server-rendered HTML and send only the changed patches over WebSocket. Understanding a few core attributes makes everything click.
Template Anatomy
{% load djust_tags %}
<!DOCTYPE html>
<html>
<head>
{% djust_scripts %} {# Loads ~5KB client JavaScript #}
</head>
<body dj-view="{{ dj_view_id }}"> {# Identifies the WebSocket session #}
<div dj-root> {# Reactive boundary — only this is diffed #}
<h1>Count: {{ count }}</h1>
<button dj-click="increment">+</button>
</div>
{# Static content outside dj-root is never touched by VDOM patching #}
</body>
</html>
| Attribute | Where | Purpose |
|---|---|---|
{% djust_scripts %} |
<head> |
Injects client JavaScript |
dj-view="{{ dj_view_id }}" |
<body> |
Connects page to WebSocket session |
dj-root |
Inner <div> |
Marks the reactive region; only HTML inside is diffed and patched |
Stable List Identity
For lists that can reorder or have items inserted/deleted, add data-key or dj-key on each item. djust uses this to emit MoveChild patches instead of remove-then-insert pairs — preserving DOM state (focus, scroll position, animations):
{% for item in items %}
<div data-key="{{ item.id }}">
{{ item.name }}
<button dj-click="delete" data-item-id="{{ item.id }}">Delete</button>
</div>
{% endfor %}
Without a key, djust diffs by position — correct, but produces more DOM mutations for reorders.
Common Pitfall: One-Sided {% if %} in Class Attributes
Using {% if %} without {% else %} inside an HTML attribute value can cause VDOM patching misalignment due to djust's branch-aware div-depth counting:
{# WRONG: one-sided if inside class attribute #}
<div class="card {% if active %}active{% endif %}">
{# CORRECT: use full if/else #}
<div class="card {% if active %}active{% else %}{% endif %}">
{# ALSO CORRECT: move conditional outside the tag #}
{% if active %}
<div class="card active">
{% else %}
<div class="card">
{% endif %}
...
</div>
This applies only to attribute values — {% if %} blocks in element content work fine.
See the VDOM Architecture guide and Template Cheat Sheet for full details.
🚀 Getting Started
Here's a complete walkthrough from zero to a working reactive counter in 5 steps.
Step 1 — Install
pip install djust django-channels
Step 2 — Add to INSTALLED_APPS and configure settings
In myproject/settings.py:
INSTALLED_APPS = [
# ... your existing apps ...
'channels', # WebSocket support
'djust',
]
ASGI_APPLICATION = 'myproject.asgi.application'
CHANNEL_LAYERS = {
'default': {
'BACKEND': 'channels.layers.InMemoryChannelLayer',
}
}
Step 3 — Configure asgi.py
Replace myproject/asgi.py with:
import os
from django.core.asgi import get_asgi_application
from channels.routing import ProtocolTypeRouter, URLRouter
from channels.auth import AuthMiddlewareStack
from djust.websocket import LiveViewConsumer
from django.urls import path
os.environ.setdefault('DJANGO_SETTINGS_MODULE', 'myproject.settings')
application = ProtocolTypeRouter({
"http": get_asgi_application(),
"websocket": AuthMiddlewareStack(
URLRouter([
path('ws/live/', LiveViewConsumer.as_asgi()),
])
),
})
Step 4 — Add the URL route
In myproject/urls.py:
from django.urls import path
from myapp.views import CounterView
urlpatterns = [
path('counter/', CounterView.as_live_view(), name='counter'),
]
Step 5 — Write the view and template
myapp/views.py:
from djust import LiveView, event_handler
class CounterView(LiveView):
template_name = 'counter.html'
def mount(self, request, **kwargs):
self.count = 0
@event_handler
def increment(self):
self.count += 1
@event_handler
def decrement(self):
self.count -= 1
myapp/templates/counter.html:
{% load djust_tags %}
<!DOCTYPE html>
<html>
<head>
<title>Counter</title>
{% djust_scripts %}
</head>
<body dj-view="{{ dj_view_id }}">
<div dj-root>
<h1>Count: {{ count }}</h1>
<button dj-click="increment">+</button>
<button dj-click="decrement">-</button>
</div>
</body>
</html>
Run with uvicorn myproject.asgi:application --reload and open /counter/. Clicking the buttons updates the count without a page reload — no JavaScript written, no build step.
Next steps:
- Template Cheat Sheet — all directives and filters at a glance
- Components Guide — build reusable components with theming
- CSS Framework Guide — Tailwind and Bootstrap integration
- Deployment Guide — production deployment with uvicorn, Redis, and Nginx
📊 Performance
Benchmarked on M1 MacBook Pro (2021):
| Operation | Django | djust | Speedup |
|---|---|---|---|
| Template Rendering (100 items) | 2.5 ms | 0.15 ms | 16.7x |
| Large List (10k items) | 450 ms | 12 ms | 37.5x |
| Virtual DOM Diff | N/A | 0.08 ms | Sub-ms |
| Round-trip Update | 50 ms | 5 ms | 10x |
Run benchmarks yourself:
cd benchmarks
python benchmark.py
🚀 Installation
Prerequisites
- Python 3.8+
- Rust 1.70+ (for building from source)
- Django 3.2+
Install from PyPI
pip install djust
Build from Source
Using Make (Easiest - Recommended for Development)
# Clone the repository
git clone https://github.com/djust-org/djust.git
cd djust
# Install Rust (if needed)
curl --proto '=https' --tlsv1.2 -sSf https://sh.rustup.rs | sh
# Install everything and build
make install
# Start the development server
make start
# See all available commands
make help
Common Make Commands:
make start- Start development server with hot reloadmake stop- Stop the development servermake status- Check if server is runningmake test- Run all testsmake clean- Clean build artifactsmake help- Show all available commands
Using uv (Fast)
# Clone the repository
git clone https://github.com/djust-org/djust.git
cd djust
# Install Rust (if needed)
curl --proto '=https' --tlsv1.2 -sSf https://sh.rustup.rs | sh
# Install uv (if needed)
curl -LsSf https://astral.sh/uv/install.sh | sh
# Create virtual environment and install dependencies
uv venv
source .venv/bin/activate # On Windows: .venv\Scripts\activate
# Install maturin and build
uv pip install maturin
maturin develop --release
Using pip
# Clone the repository
git clone https://github.com/djust-org/djust.git
cd djust
# Install Rust (if needed)
curl --proto '=https' --tlsv1.2 -sSf https://sh.rustup.rs | sh
# Create virtual environment
python -m venv venv
source venv/bin/activate # On Windows: venv\Scripts\activate
# Install maturin
pip install maturin
# Build and install
maturin develop --release
# Or build wheel
maturin build --release
pip install target/wheels/djust-*.whl
📖 Documentation
Setup
- Add to
INSTALLED_APPS:
INSTALLED_APPS = [
# ...
'channels', # Required for WebSocket support
'djust',
# ...
]
- Configure ASGI application (
asgi.py):
import os
from django.core.asgi import get_asgi_application
from channels.routing import ProtocolTypeRouter, URLRouter
from channels.auth import AuthMiddlewareStack
from djust.websocket import LiveViewConsumer
from django.urls import path
os.environ.setdefault('DJANGO_SETTINGS_MODULE', 'myproject.settings')
application = ProtocolTypeRouter({
"http": get_asgi_application(),
"websocket": AuthMiddlewareStack(
URLRouter([
path('ws/live/', LiveViewConsumer.as_asgi()),
])
),
})
- Add to
settings.py:
ASGI_APPLICATION = 'myproject.asgi.application'
CHANNEL_LAYERS = {
'default': {
'BACKEND': 'channels.layers.InMemoryChannelLayer'
}
}
Creating LiveViews
Class-Based LiveView
from djust import LiveView, event_handler
class TodoListView(LiveView):
template_name = 'todos.html' # Or use template_string
def mount(self, request, **kwargs):
"""Called when view is first loaded"""
self.todos = []
@event_handler
def add_todo(self, text):
"""Event handler - called from client"""
self.todos.append({'text': text, 'done': False})
@event_handler
def toggle_todo(self, index):
self.todos[index]['done'] = not self.todos[index]['done']
Function-Based LiveView
from djust import live_view
@live_view(template_name='counter.html')
def counter_view(request):
count = 0
def increment():
nonlocal count
count += 1
return locals() # Returns all local variables as context
Template Syntax
djust supports Django template syntax with event binding:
<!-- Variables -->
<h1>{{ title }}</h1>
<!-- Filters (all 57 Django built-in filters supported) -->
<p>{{ text|upper }}</p>
<p>{{ description|truncatewords:20 }}</p>
<a href="?q={{ query|urlencode }}">Search</a>
{{ body|urlize }} {# No |safe needed — djust's Rust engine auto-marks urlize output as safe via safe_output_filters. Unlike standard Django where you'd add |safe, djust handles this automatically. #}
<!-- Control flow -->
{% if show %}
<div>Visible</div>
{% endif %}
{% if count > 10 %}
<div>Many items!</div>
{% endif %}
{% for item in items %}
<li>{{ item }}</li>
{% endfor %}
<!-- URL resolution -->
<a href="{% url 'myapp:detail' pk=item.id %}">View</a>
<!-- Template includes -->
{% include "partials/header.html" %}
<!-- Event binding -->
<button dj-click="increment">Click me</button>
<input dj-input="on_search" type="text" />
<form dj-submit="submit_form">
<input name="email" />
<button type="submit">Submit</button>
</form>
Django migration note: In standard Django,
urlizerequires|safeto render its HTML output. djust's Rust template engine automatically marksurlize,urlizetrunc, andunordered_listas safe (viasafe_output_filtersin the renderer) because these filters handle their own HTML escaping internally. Adding|safeafter them is unnecessary.
Supported Events
dj-click- Click eventsdj-input- Input events (passesvalue)dj-change- Change events (passesvalue)dj-submit- Form submission (passes form data as dict)
Reusable Components
djust provides a powerful component system with automatic state management and stable component IDs.
Basic Component Example
from djust.components import AlertComponent
class MyView(LiveView):
def mount(self, request):
# Components get automatic IDs based on attribute names
self.alert_success = AlertComponent(
message="Operation successful!",
type="success",
dismissible=True
)
# component_id automatically becomes "alert_success"
Component ID Management
Components automatically receive a stable component_id based on their attribute name in your view. This eliminates manual ID management:
# When you write:
self.alert_success = AlertComponent(message="Success!")
# The framework automatically:
# 1. Sets component.component_id = "alert_success"
# 2. Persists this ID across renders and events
# 3. Uses it in HTML: data-component-id="alert_success"
# 4. Routes events back to the correct component
Why it works:
- The attribute name (
alert_success) is already unique within your view - It's stable across re-renders and WebSocket reconnections
- Event handlers can reference components by their attribute names
- No manual ID strings to keep in sync
Event Routing Example:
class MyView(LiveView):
def mount(self, request):
self.alert_warning = AlertComponent(
message="Warning message",
dismissible=True
)
@event_handler
def dismiss(self, component_id: str = None):
"""Handle dismissal - automatically routes to correct component"""
if component_id and hasattr(self, component_id):
component = getattr(self, component_id)
if hasattr(component, 'dismiss'):
component.dismiss() # component_id="alert_warning"
When the dismiss button is clicked, the client sends component_id="alert_warning", and the handler uses getattr(self, "alert_warning") to find the component.
Creating Custom Components
from djust import Component, register_component, event_handler
@register_component('my-button')
class Button(Component):
template = '<button dj-click="on_click">{{ label }}</button>'
def __init__(self, label="Click"):
super().__init__()
self.label = label
self.clicks = 0
@event_handler
def on_click(self):
self.clicks += 1
print(f"Clicked {self.clicks} times!")
Decorators
from djust import LiveView, event_handler, reactive
class MyView(LiveView):
@event_handler
def handle_click(self):
"""Marks method as event handler"""
pass
@reactive
def count(self):
"""Reactive property - auto-triggers updates"""
return self._count
@count.setter
def count(self, value):
self._count = value
Configuration
Configure djust in your Django settings.py:
LIVEVIEW_CONFIG = {
# Transport mode
'use_websocket': True, # Set to False for HTTP-only mode (no WebSocket dependency)
# Debug settings
'debug_vdom': False, # Enable detailed VDOM patch logging (for troubleshooting)
# Serialization (issue #292)
'strict_serialization': False, # Raise TypeError for non-serializable state values (recommended in development)
# CSS Framework
'css_framework': 'bootstrap5', # Options: 'bootstrap5', 'tailwind', None
}
Common Configuration Options:
| Option | Default | Description |
|---|---|---|
use_websocket |
True |
Use WebSocket transport (requires Django Channels) |
debug_vdom |
False |
Enable detailed VDOM debugging logs |
strict_serialization |
False |
Raise TypeError for non-serializable state (recommended in dev) |
css_framework |
'bootstrap5' |
CSS framework for components |
CSS Framework Setup:
For Tailwind CSS (recommended), use the one-command setup:
python manage.py djust_setup_css tailwind
This auto-detects template directories, creates config files, and builds your CSS. For production:
python manage.py djust_setup_css tailwind --minify
See the CSS Framework Guide for detailed setup instructions, Bootstrap configuration, and CI/CD integration.
Debug Mode:
When troubleshooting VDOM issues, enable debug logging:
# In settings.py
LIVEVIEW_CONFIG = {
'debug_vdom': True,
}
# Or programmatically
from djust.config import config
config.set('debug_vdom', True)
This will log:
- Server-side: Patch generation details (stderr)
- Client-side: Patch application and DOM traversal (browser console)
State Management
djust provides Python-only state management decorators that eliminate the need for manual JavaScript.
🚀 Quick Start (5 minutes)
Build a debounced search in 8 lines of Python (no JavaScript):
from djust import LiveView
from djust.decorators import debounce
class ProductSearchView(LiveView):
template_string = """
<input dj-input="search" placeholder="Search products..." />
<div>{% for p in results %}<div>{{ p.name }}</div>{% endfor %}</div>
"""
def mount(self, request):
self.results = []
@debounce(wait=0.5) # Wait 500ms after typing stops
def search(self, query: str = "", **kwargs):
self.results = Product.objects.filter(name__icontains=query)[:10]
That's it! Server only queries after you stop typing. Add @optimistic for instant UI updates, @cache(ttl=300) to cache responses for 5 minutes.
👉 Full Quick Start Guide (5 min)
Key Features
- ✅ Zero JavaScript Required - Common patterns work without writing any JS
- ✅ 87% Code Reduction - Decorators replace hundreds of lines of manual JavaScript
- ✅ Lightweight Bundle - ~29KB gzipped client.js (vs Livewire ~50KB)
- ✅ Competitive DX - Matches Phoenix LiveView and Laravel Livewire developer experience
Available Decorators
| Decorator | Use When | Example |
|---|---|---|
@debounce(wait) |
User is typing | Search, autosave |
@throttle(interval) |
Rapid events | Scroll, resize |
@optimistic |
Instant feedback | Counter, toggle |
@cache(ttl, key_params) |
Repeated queries | Autocomplete |
@client_state(keys) |
Multi-component | Dashboard filters |
@background |
Long operations | AI generation, file processing |
DraftModeMixin |
Auto-save forms | Contact form |
Quick Decision Matrix:
- Typing in input? →
@debounce(0.5) - Scrolling/resizing? →
@throttle(0.1) - Need instant UI update? →
@optimistic - Same query multiple times? →
@cache(ttl) - Multiple components? →
@client_state([keys]) - Long-running work? →
@backgroundorself.start_async(callback) - Auto-save forms? →
DraftModeMixin
Learn More
- 🚀 Quick Start (5 min) - Get productive fast
- 📚 Full Tutorial (20 min) - Step-by-step Product Search
- 📖 API Reference - Complete decorator docs + cheat sheet
- 🎯 Examples - Copy-paste ready code
- 🔄 Migration Guide - Convert JavaScript to Python
- ⚖️ Framework Comparison - vs Phoenix LiveView & Laravel Livewire
🧭 Navigation Patterns
djust provides three navigation mechanisms for building multi-view applications without full page reloads:
When to Use What
| Scenario | Use | Why |
|---|---|---|
| Filter/sort/paginate within same view | dj-patch / live_patch() |
No remount, URL stays bookmarkable |
| Navigate to a different LiveView | dj-navigate / live_redirect() |
Same WebSocket, no page reload |
| Link to non-LiveView page | Standard <a href> |
Full page load needed |
Quick Decision Tree
Use this flowchart when choosing a navigation method:
Is this a direct user click on a link?
├─ Yes → Is it the same view (filter/sort)?
│ ├─ Yes → Use dj-patch
│ └─ No → Use dj-navigate
│
└─ No → Is navigation conditional on server logic?
├─ Yes → Use live_redirect() in @event_handler
│ Examples: form validation, auth checks, async operations
└─ No → You probably need dj-navigate (see anti-pattern below)
⚠️ Anti-Pattern: Don't Use dj-click for Navigation
This is the most common mistake when building multi-view djust apps. Using dj-click to trigger a handler that immediately calls live_redirect() creates an unnecessary round-trip.
❌ Wrong — using dj-click to trigger a handler that calls live_redirect():
# Anti-pattern: Handler does nothing but navigate
@event_handler()
def go_to_item(self, item_id, **kwargs):
self.live_redirect(f"/items/{item_id}/") # Wasteful round-trip!
<!-- Wrong: Forces WebSocket round-trip just to navigate -->
<button dj-click="go_to_item" dj-value-item_id="{{ item.id }}">View</button>
What actually happens:
- User clicks button → Client sends WebSocket message (50-100ms)
- Server receives message, processes handler (10-50ms)
- Server responds with
live_redirectcommand (50-100ms) - Client finally navigates to new view Total: 110-250ms + handler processing time
✅ Right — using dj-navigate directly:
<!-- Right: Client navigates immediately, no server round-trip -->
<a dj-navigate="/items/{{ item.id }}/">View Item</a>
What happens:
- User clicks link → Client navigates directly Total: ~10ms (just DOM updates)
Why it matters:
- Performance: 10-20x faster navigation
- Network efficiency: Saves WebSocket bandwidth
- User experience: Instant response, no loading indicators needed
- Simplicity: Less code, fewer moving parts
When to Use live_redirect() in Handlers
Use handlers for navigation only when navigation depends on server-side logic or validation:
✅ Conditional navigation after form validation:
@event_handler()
def submit_form(self, **kwargs):
if self.form.is_valid():
self.form.save()
self.live_redirect("/success/") # OK: Conditional on validation
else:
# Stay on form to show errors
pass
✅ Navigation based on auth/permissions:
@event_handler()
def view_sensitive_data(self, **kwargs):
if not self.request.user.has_perm('app.view_sensitive'):
self.live_redirect("/access-denied/") # OK: Auth check required
return
self.show_sensitive = True
✅ Navigation after async operations:
@event_handler()
async def create_and_view_item(self, name, **kwargs):
item = await Item.objects.acreate(name=name, owner=self.request.user)
self.live_redirect(f"/items/{item.id}/") # OK: Navigate to newly created item
✅ Multi-step wizard logic:
@event_handler()
def next_step(self, **kwargs):
if self.current_step == "payment" and not self.payment_valid:
# Stay on payment step if invalid
return
self.current_step = self.get_next_step()
self.live_patch(params={"step": self.current_step}) # OK: Conditional flow
Common theme: The handler does meaningful work before navigating. If your handler only calls live_redirect(), use dj-navigate instead.
Quick Example: Multi-View App
from djust import LiveView
from djust.mixins.navigation import NavigationMixin
from djust.decorators import event_handler
class ProductListView(NavigationMixin, LiveView):
template_string = """
<!-- Filter within same view: use dj-patch -->
<a dj-patch="?category=electronics">Electronics</a>
<a dj-patch="?category=books">Books</a>
<div>
{% for product in products %}
<!-- Navigate to different view: use dj-navigate -->
<a dj-navigate="/products/{{ product.id }}/">{{ product.name }}</a>
{% endfor %}
</div>
"""
def mount(self, request, **kwargs):
self.category = "all"
self.products = []
def handle_params(self, params, uri):
"""Called when URL changes via dj-patch or browser back/forward"""
self.category = params.get("category", "all")
self.products = Product.objects.filter(category=self.category)
Learn More:
- 📖 Navigation Guide - Complete API reference (
live_patch(),live_redirect(),handle_params())
Developer Tooling
Debug Panel
Interactive debugging tool for LiveView development (DEBUG mode only):
# In settings.py
DEBUG = True # Debug panel automatically enabled
Open: Press Ctrl+Shift+D (Windows/Linux) or Cmd+Shift+D (Mac), or click the 🐞 floating button
Features:
- 🔍 Event Handlers - Discover all handlers with parameters, types, and descriptions
- 📊 Event History - Real-time log with timing metrics (e.g.,
search • 45.2ms) - ⚡ VDOM Patches - Monitor DOM updates with sub-millisecond precision
- 🔬 Variables - Inspect current view state
Learn More:
- 📖 Debug Panel Guide - Complete user guide
- 📝 Event Handler Best Practices - Patterns and conventions
Event Handlers
Always use @event_handler decorator for auto-discovery and validation:
from djust.decorators import event_handler
@event_handler()
def search(self, value: str = "", **kwargs):
"""Search handler - description shown in debug panel"""
self.search_query = value
Parameter Convention: Use value for form inputs (dj-input, dj-change events):
# ✅ Correct - matches what form events send
@event_handler()
def search(self, value: str = "", **kwargs):
self.search_query = value
# ❌ Wrong - won't receive input value
@event_handler()
def search(self, query: str = "", **kwargs):
self.search_query = query # Always "" (default)
🏗️ Architecture
┌─────────────────────────────────────────────┐
│ Browser │
│ ├── Client.js (~29KB gz) - Events & DOM │
│ └── WebSocket Connection │
└─────────────────────────────────────────────┘
↕️ WebSocket (Binary/JSON)
┌─────────────────────────────────────────────┐
│ Django + Channels (Python) │
│ ├── LiveView Classes │
│ ├── Event Handlers │
│ └── State Management │
└─────────────────────────────────────────────┘
↕️ Python/Rust FFI (PyO3)
┌─────────────────────────────────────────────┐
│ Rust Core (Native Speed) │
│ ├── Template Engine (<1ms) │
│ ├── Virtual DOM Diffing (<100μs) │
│ ├── HTML Parser │
│ └── Binary Serialization (MessagePack) │
└─────────────────────────────────────────────┘
🎨 Examples
See the examples/demo_project directory for complete working examples:
- Counter - Simple reactive counter
- Todo List - CRUD operations with lists
- Chat - Real-time messaging
Run the demo:
cd examples/demo_project
pip install -r requirements.txt
python manage.py migrate
python manage.py runserver
Visit http://localhost:8000
🔧 Development
Project Structure
djust/
├── crates/
│ ├── djust_core/ # Core types & utilities
│ ├── djust_templates/ # Template engine
│ ├── djust_vdom/ # Virtual DOM & diffing
│ ├── djust_components/ # Reusable component library
│ └── djust_live/ # Main PyO3 bindings
├── python/
│ └── djust/ # Python package
│ ├── live_view.py # LiveView base class
│ ├── component.py # Component system
│ ├── websocket.py # WebSocket consumer
│ └── static/
│ └── client.js # Client runtime
├── branding/ # Logo and brand assets
├── examples/ # Example projects
├── benchmarks/ # Performance benchmarks
└── tests/ # Tests
Running Tests
# All tests (Python + Rust + JavaScript)
make test
# Individual test suites
make test-python # Python tests
make test-rust # Rust tests
make test-js # JavaScript tests
# Specific tests
pytest tests/unit/test_live_view.py
cargo test --workspace --exclude djust_live
For comprehensive testing documentation, see Testing Guide.
Building Documentation
cargo doc --open
💰 Supporting djust
djust is open source (MIT licensed) and free forever. If you're using djust in production or want to support development:
- ⭐ Star this repo - Help others discover djust
- 💜 GitHub Sponsors - Monthly support from $5/month
Your support helps us maintain and improve djust for everyone!
🤝 Contributing
Contributions welcome! Please read CONTRIBUTING.md first.
Areas we'd love help with:
- More example applications
- Performance optimizations
- Documentation improvements
- Browser compatibility testing
📝 Roadmap
- Template inheritance (
{% extends %}) -
{% url %}and{% include %}tags - Comparison operators in
{% if %}tags - All 57 Django built-in template filters
- Security hardening (WebSocket origin validation, HMAC signing, rate limiting)
- Developer debug panel with event history and VDOM inspection
- Reusable component library (
djust_componentscrate) - JIT pipeline improvements and stale-closure fixes
- Authentication & authorization (view-level + handler-level)
- File upload handling
- Server-sent events (SSE) fallback
- React/Vue component compatibility
- TypeScript definitions (
djust.d.tsshipped with the package) - Redis-backed session storage
- Horizontal scaling support
🔒 Security
- CSRF protection via Django middleware
- XSS protection via automatic template escaping (Rust engine escapes all variables by default)
- HTML-producing filters (
urlize,urlizetrunc,unordered_list) handle their own escaping internally — the Rust engine'ssafe_output_filterswhitelist prevents double-escaping, so|safeis never needed with these filters - WebSocket authentication via Django sessions
- WebSocket origin validation and HMAC message signing (v0.2.1)
- Per-view and global rate limiting support
- Configurable allowed origins for WebSocket connections
- View-level auth enforcement (
login_required,permission_required) beforemount() - Handler-level
@permission_requiredfor protecting individual event handlers djust_auditcommand anddjust.S005system check for auth posture visibility
Report security issues to: security@djust.org
📄 License
MIT License - see LICENSE file for details.
🙏 Acknowledgments
- Inspired by Phoenix LiveView
- Built with PyO3 for Python/Rust interop
- Uses html5ever for HTML parsing
- Powered by the amazing Rust and Django communities
💬 Community & Support
- 🌐 djust.org - Official website
- 🚀 Quick Start - Get started in minutes
- 📝 Examples - Live code examples
- 🐛 Issues - Bug reports & feature requests
- 📧 Email: support@djust.org
djust.org — Made with ❤️ by the djust community
Project details
Release history Release notifications | RSS feed
Download files
Download the file for your platform. If you're not sure which to choose, learn more about installing packages.
Source Distribution
Built Distributions
Filter files by name, interpreter, ABI, and platform.
If you're not sure about the file name format, learn more about wheel file names.
Copy a direct link to the current filters
File details
Details for the file djust-0.3.6rc4.tar.gz.
File metadata
- Download URL: djust-0.3.6rc4.tar.gz
- Upload date:
- Size: 2.8 MB
- Tags: Source
- Uploaded using Trusted Publishing? Yes
- Uploaded via: twine/6.1.0 CPython/3.13.7
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
ece3fc5a5b13ee0471814100e3d2b98e814df7bce14aec8fd488408555d6d347
|
|
| MD5 |
ea058957acf073b1f2762238d1ca3da8
|
|
| BLAKE2b-256 |
ab30c63f0e15ca901dbbcbafffa3b5504170f46f75988be76a07938861db5448
|
Provenance
The following attestation bundles were made for djust-0.3.6rc4.tar.gz:
Publisher:
release.yml on djust-org/djust
-
Statement:
-
Statement type:
https://in-toto.io/Statement/v1 -
Predicate type:
https://docs.pypi.org/attestations/publish/v1 -
Subject name:
djust-0.3.6rc4.tar.gz -
Subject digest:
ece3fc5a5b13ee0471814100e3d2b98e814df7bce14aec8fd488408555d6d347 - Sigstore transparency entry: 1099311655
- Sigstore integration time:
-
Permalink:
djust-org/djust@b8c1bc456bff0cfe4bd23ccae96513e98f183adf -
Branch / Tag:
refs/tags/v0.3.6rc4 - Owner: https://github.com/djust-org
-
Access:
public
-
Token Issuer:
https://token.actions.githubusercontent.com -
Runner Environment:
github-hosted -
Publication workflow:
release.yml@b8c1bc456bff0cfe4bd23ccae96513e98f183adf -
Trigger Event:
push
-
Statement type:
File details
Details for the file djust-0.3.6rc4-cp312-cp312-win_amd64.whl.
File metadata
- Download URL: djust-0.3.6rc4-cp312-cp312-win_amd64.whl
- Upload date:
- Size: 4.8 MB
- Tags: CPython 3.12, Windows x86-64
- Uploaded using Trusted Publishing? Yes
- Uploaded via: twine/6.1.0 CPython/3.13.7
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
0ee11e120bbf66a9899cf05c16fe396ec3e0766c251753d990b6e5d776c58d6e
|
|
| MD5 |
f588231555a000aa55ca0167386814ab
|
|
| BLAKE2b-256 |
a1a5374f26231b8f8b700cecb0ed9cf7578463b416360b9078fa7a3feb44f81c
|
Provenance
The following attestation bundles were made for djust-0.3.6rc4-cp312-cp312-win_amd64.whl:
Publisher:
release.yml on djust-org/djust
-
Statement:
-
Statement type:
https://in-toto.io/Statement/v1 -
Predicate type:
https://docs.pypi.org/attestations/publish/v1 -
Subject name:
djust-0.3.6rc4-cp312-cp312-win_amd64.whl -
Subject digest:
0ee11e120bbf66a9899cf05c16fe396ec3e0766c251753d990b6e5d776c58d6e - Sigstore transparency entry: 1099311973
- Sigstore integration time:
-
Permalink:
djust-org/djust@b8c1bc456bff0cfe4bd23ccae96513e98f183adf -
Branch / Tag:
refs/tags/v0.3.6rc4 - Owner: https://github.com/djust-org
-
Access:
public
-
Token Issuer:
https://token.actions.githubusercontent.com -
Runner Environment:
github-hosted -
Publication workflow:
release.yml@b8c1bc456bff0cfe4bd23ccae96513e98f183adf -
Trigger Event:
push
-
Statement type:
File details
Details for the file djust-0.3.6rc4-cp312-cp312-manylinux_2_34_x86_64.whl.
File metadata
- Download URL: djust-0.3.6rc4-cp312-cp312-manylinux_2_34_x86_64.whl
- Upload date:
- Size: 4.8 MB
- Tags: CPython 3.12, manylinux: glibc 2.34+ x86-64
- Uploaded using Trusted Publishing? Yes
- Uploaded via: twine/6.1.0 CPython/3.13.7
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
427a717ac2319a969bb49db36487bd422b50976011d9b047a24ebca467abccc4
|
|
| MD5 |
87821f3d7536a9b8c5713e004461f4a4
|
|
| BLAKE2b-256 |
a53ac35dc514ae2ede10af91087f8ad792fbb49212ce52b27c6d75d275923dce
|
Provenance
The following attestation bundles were made for djust-0.3.6rc4-cp312-cp312-manylinux_2_34_x86_64.whl:
Publisher:
release.yml on djust-org/djust
-
Statement:
-
Statement type:
https://in-toto.io/Statement/v1 -
Predicate type:
https://docs.pypi.org/attestations/publish/v1 -
Subject name:
djust-0.3.6rc4-cp312-cp312-manylinux_2_34_x86_64.whl -
Subject digest:
427a717ac2319a969bb49db36487bd422b50976011d9b047a24ebca467abccc4 - Sigstore transparency entry: 1099312065
- Sigstore integration time:
-
Permalink:
djust-org/djust@b8c1bc456bff0cfe4bd23ccae96513e98f183adf -
Branch / Tag:
refs/tags/v0.3.6rc4 - Owner: https://github.com/djust-org
-
Access:
public
-
Token Issuer:
https://token.actions.githubusercontent.com -
Runner Environment:
github-hosted -
Publication workflow:
release.yml@b8c1bc456bff0cfe4bd23ccae96513e98f183adf -
Trigger Event:
push
-
Statement type:
File details
Details for the file djust-0.3.6rc4-cp312-cp312-macosx_11_0_arm64.whl.
File metadata
- Download URL: djust-0.3.6rc4-cp312-cp312-macosx_11_0_arm64.whl
- Upload date:
- Size: 4.5 MB
- Tags: CPython 3.12, macOS 11.0+ ARM64
- Uploaded using Trusted Publishing? Yes
- Uploaded via: twine/6.1.0 CPython/3.13.7
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
6bf52eac4f61b21177cbf8db89a1232fe941cd12fe16a212a1ec9e6437cbe2b2
|
|
| MD5 |
01816cdf18f15bda697b6a3e881df8af
|
|
| BLAKE2b-256 |
11f54896c88315742425166d1c7a70447941eb241c5b2576c68b8049f7451121
|
Provenance
The following attestation bundles were made for djust-0.3.6rc4-cp312-cp312-macosx_11_0_arm64.whl:
Publisher:
release.yml on djust-org/djust
-
Statement:
-
Statement type:
https://in-toto.io/Statement/v1 -
Predicate type:
https://docs.pypi.org/attestations/publish/v1 -
Subject name:
djust-0.3.6rc4-cp312-cp312-macosx_11_0_arm64.whl -
Subject digest:
6bf52eac4f61b21177cbf8db89a1232fe941cd12fe16a212a1ec9e6437cbe2b2 - Sigstore transparency entry: 1099312114
- Sigstore integration time:
-
Permalink:
djust-org/djust@b8c1bc456bff0cfe4bd23ccae96513e98f183adf -
Branch / Tag:
refs/tags/v0.3.6rc4 - Owner: https://github.com/djust-org
-
Access:
public
-
Token Issuer:
https://token.actions.githubusercontent.com -
Runner Environment:
github-hosted -
Publication workflow:
release.yml@b8c1bc456bff0cfe4bd23ccae96513e98f183adf -
Trigger Event:
push
-
Statement type:
File details
Details for the file djust-0.3.6rc4-cp312-cp312-macosx_10_12_x86_64.whl.
File metadata
- Download URL: djust-0.3.6rc4-cp312-cp312-macosx_10_12_x86_64.whl
- Upload date:
- Size: 4.7 MB
- Tags: CPython 3.12, macOS 10.12+ x86-64
- Uploaded using Trusted Publishing? Yes
- Uploaded via: twine/6.1.0 CPython/3.13.7
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
496a7989ea1324c2e65c34b96e060a68fe8895c831b4db68bbd54f1882adc079
|
|
| MD5 |
abfe8601a3c7cdefd2585c2cd0df26bc
|
|
| BLAKE2b-256 |
9cf5c84dfdec8b7496cc5ab812d594d818f7d19410ba0936b816141554f6e9b9
|
Provenance
The following attestation bundles were made for djust-0.3.6rc4-cp312-cp312-macosx_10_12_x86_64.whl:
Publisher:
release.yml on djust-org/djust
-
Statement:
-
Statement type:
https://in-toto.io/Statement/v1 -
Predicate type:
https://docs.pypi.org/attestations/publish/v1 -
Subject name:
djust-0.3.6rc4-cp312-cp312-macosx_10_12_x86_64.whl -
Subject digest:
496a7989ea1324c2e65c34b96e060a68fe8895c831b4db68bbd54f1882adc079 - Sigstore transparency entry: 1099311756
- Sigstore integration time:
-
Permalink:
djust-org/djust@b8c1bc456bff0cfe4bd23ccae96513e98f183adf -
Branch / Tag:
refs/tags/v0.3.6rc4 - Owner: https://github.com/djust-org
-
Access:
public
-
Token Issuer:
https://token.actions.githubusercontent.com -
Runner Environment:
github-hosted -
Publication workflow:
release.yml@b8c1bc456bff0cfe4bd23ccae96513e98f183adf -
Trigger Event:
push
-
Statement type:
File details
Details for the file djust-0.3.6rc4-cp311-cp311-win_amd64.whl.
File metadata
- Download URL: djust-0.3.6rc4-cp311-cp311-win_amd64.whl
- Upload date:
- Size: 4.8 MB
- Tags: CPython 3.11, Windows x86-64
- Uploaded using Trusted Publishing? Yes
- Uploaded via: twine/6.1.0 CPython/3.13.7
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
227c22d451824d25d04eb6922ba01175fc0f48ccdcff0898359c5ee47d2b47fb
|
|
| MD5 |
d864ecf590f18f95606d2aae6e979fb7
|
|
| BLAKE2b-256 |
beade686c24446d5e71cf3ed06f02edbeab770889c599a01f2cf98f7feb6c561
|
Provenance
The following attestation bundles were made for djust-0.3.6rc4-cp311-cp311-win_amd64.whl:
Publisher:
release.yml on djust-org/djust
-
Statement:
-
Statement type:
https://in-toto.io/Statement/v1 -
Predicate type:
https://docs.pypi.org/attestations/publish/v1 -
Subject name:
djust-0.3.6rc4-cp311-cp311-win_amd64.whl -
Subject digest:
227c22d451824d25d04eb6922ba01175fc0f48ccdcff0898359c5ee47d2b47fb - Sigstore transparency entry: 1099311694
- Sigstore integration time:
-
Permalink:
djust-org/djust@b8c1bc456bff0cfe4bd23ccae96513e98f183adf -
Branch / Tag:
refs/tags/v0.3.6rc4 - Owner: https://github.com/djust-org
-
Access:
public
-
Token Issuer:
https://token.actions.githubusercontent.com -
Runner Environment:
github-hosted -
Publication workflow:
release.yml@b8c1bc456bff0cfe4bd23ccae96513e98f183adf -
Trigger Event:
push
-
Statement type:
File details
Details for the file djust-0.3.6rc4-cp311-cp311-manylinux_2_34_x86_64.whl.
File metadata
- Download URL: djust-0.3.6rc4-cp311-cp311-manylinux_2_34_x86_64.whl
- Upload date:
- Size: 4.8 MB
- Tags: CPython 3.11, manylinux: glibc 2.34+ x86-64
- Uploaded using Trusted Publishing? Yes
- Uploaded via: twine/6.1.0 CPython/3.13.7
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
e57ed20240347627ce59df91473801ffd5c7d0f4231ce883fb14b7feef4f59b7
|
|
| MD5 |
4d232ab710ee53a1c4e3966092d4f404
|
|
| BLAKE2b-256 |
25d95a61b49009a3da5374a62926da2ac01b0ebab42c52e049ada0226829eb14
|
Provenance
The following attestation bundles were made for djust-0.3.6rc4-cp311-cp311-manylinux_2_34_x86_64.whl:
Publisher:
release.yml on djust-org/djust
-
Statement:
-
Statement type:
https://in-toto.io/Statement/v1 -
Predicate type:
https://docs.pypi.org/attestations/publish/v1 -
Subject name:
djust-0.3.6rc4-cp311-cp311-manylinux_2_34_x86_64.whl -
Subject digest:
e57ed20240347627ce59df91473801ffd5c7d0f4231ce883fb14b7feef4f59b7 - Sigstore transparency entry: 1099312020
- Sigstore integration time:
-
Permalink:
djust-org/djust@b8c1bc456bff0cfe4bd23ccae96513e98f183adf -
Branch / Tag:
refs/tags/v0.3.6rc4 - Owner: https://github.com/djust-org
-
Access:
public
-
Token Issuer:
https://token.actions.githubusercontent.com -
Runner Environment:
github-hosted -
Publication workflow:
release.yml@b8c1bc456bff0cfe4bd23ccae96513e98f183adf -
Trigger Event:
push
-
Statement type:
File details
Details for the file djust-0.3.6rc4-cp311-cp311-macosx_11_0_arm64.whl.
File metadata
- Download URL: djust-0.3.6rc4-cp311-cp311-macosx_11_0_arm64.whl
- Upload date:
- Size: 4.5 MB
- Tags: CPython 3.11, macOS 11.0+ ARM64
- Uploaded using Trusted Publishing? Yes
- Uploaded via: twine/6.1.0 CPython/3.13.7
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
a04fd6db49ae762a8b1a382df4b0dcf88b966bf434abddec8fcac24db04f0d3d
|
|
| MD5 |
2aa8ad3c755fa9a33652d9a4b2de69e4
|
|
| BLAKE2b-256 |
7211ba4289c99c246e77d7d000594b2485a2f43d269e837d015b7d0758e91488
|
Provenance
The following attestation bundles were made for djust-0.3.6rc4-cp311-cp311-macosx_11_0_arm64.whl:
Publisher:
release.yml on djust-org/djust
-
Statement:
-
Statement type:
https://in-toto.io/Statement/v1 -
Predicate type:
https://docs.pypi.org/attestations/publish/v1 -
Subject name:
djust-0.3.6rc4-cp311-cp311-macosx_11_0_arm64.whl -
Subject digest:
a04fd6db49ae762a8b1a382df4b0dcf88b966bf434abddec8fcac24db04f0d3d - Sigstore transparency entry: 1099311933
- Sigstore integration time:
-
Permalink:
djust-org/djust@b8c1bc456bff0cfe4bd23ccae96513e98f183adf -
Branch / Tag:
refs/tags/v0.3.6rc4 - Owner: https://github.com/djust-org
-
Access:
public
-
Token Issuer:
https://token.actions.githubusercontent.com -
Runner Environment:
github-hosted -
Publication workflow:
release.yml@b8c1bc456bff0cfe4bd23ccae96513e98f183adf -
Trigger Event:
push
-
Statement type:
File details
Details for the file djust-0.3.6rc4-cp311-cp311-macosx_10_12_x86_64.whl.
File metadata
- Download URL: djust-0.3.6rc4-cp311-cp311-macosx_10_12_x86_64.whl
- Upload date:
- Size: 4.7 MB
- Tags: CPython 3.11, macOS 10.12+ x86-64
- Uploaded using Trusted Publishing? Yes
- Uploaded via: twine/6.1.0 CPython/3.13.7
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
fec96ac4adecfc0f309ef1fe825b013995c501d42f1dc23f401372eb2750eb80
|
|
| MD5 |
ec249f7798c7693a1f37f6d341695777
|
|
| BLAKE2b-256 |
114e1959c9d4ce61acd2d27dedfec66cee17f44fdef6bacf30b11177df3ddf88
|
Provenance
The following attestation bundles were made for djust-0.3.6rc4-cp311-cp311-macosx_10_12_x86_64.whl:
Publisher:
release.yml on djust-org/djust
-
Statement:
-
Statement type:
https://in-toto.io/Statement/v1 -
Predicate type:
https://docs.pypi.org/attestations/publish/v1 -
Subject name:
djust-0.3.6rc4-cp311-cp311-macosx_10_12_x86_64.whl -
Subject digest:
fec96ac4adecfc0f309ef1fe825b013995c501d42f1dc23f401372eb2750eb80 - Sigstore transparency entry: 1099311848
- Sigstore integration time:
-
Permalink:
djust-org/djust@b8c1bc456bff0cfe4bd23ccae96513e98f183adf -
Branch / Tag:
refs/tags/v0.3.6rc4 - Owner: https://github.com/djust-org
-
Access:
public
-
Token Issuer:
https://token.actions.githubusercontent.com -
Runner Environment:
github-hosted -
Publication workflow:
release.yml@b8c1bc456bff0cfe4bd23ccae96513e98f183adf -
Trigger Event:
push
-
Statement type:
File details
Details for the file djust-0.3.6rc4-cp310-cp310-manylinux_2_34_x86_64.whl.
File metadata
- Download URL: djust-0.3.6rc4-cp310-cp310-manylinux_2_34_x86_64.whl
- Upload date:
- Size: 4.8 MB
- Tags: CPython 3.10, manylinux: glibc 2.34+ x86-64
- Uploaded using Trusted Publishing? Yes
- Uploaded via: twine/6.1.0 CPython/3.13.7
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
478394887f842c10ac7a79016d158390ac3b7e60a33d73537a334d93c6963458
|
|
| MD5 |
9902e451c459e3e27c8ea940c05d03f4
|
|
| BLAKE2b-256 |
3b558dbb3a9bc645aa4f5d0c4e7081e434e9e939bee1db888abf489f37b0b42c
|
Provenance
The following attestation bundles were made for djust-0.3.6rc4-cp310-cp310-manylinux_2_34_x86_64.whl:
Publisher:
release.yml on djust-org/djust
-
Statement:
-
Statement type:
https://in-toto.io/Statement/v1 -
Predicate type:
https://docs.pypi.org/attestations/publish/v1 -
Subject name:
djust-0.3.6rc4-cp310-cp310-manylinux_2_34_x86_64.whl -
Subject digest:
478394887f842c10ac7a79016d158390ac3b7e60a33d73537a334d93c6963458 - Sigstore transparency entry: 1099311891
- Sigstore integration time:
-
Permalink:
djust-org/djust@b8c1bc456bff0cfe4bd23ccae96513e98f183adf -
Branch / Tag:
refs/tags/v0.3.6rc4 - Owner: https://github.com/djust-org
-
Access:
public
-
Token Issuer:
https://token.actions.githubusercontent.com -
Runner Environment:
github-hosted -
Publication workflow:
release.yml@b8c1bc456bff0cfe4bd23ccae96513e98f183adf -
Trigger Event:
push
-
Statement type:
File details
Details for the file djust-0.3.6rc4-cp39-cp39-manylinux_2_34_x86_64.whl.
File metadata
- Download URL: djust-0.3.6rc4-cp39-cp39-manylinux_2_34_x86_64.whl
- Upload date:
- Size: 4.8 MB
- Tags: CPython 3.9, manylinux: glibc 2.34+ x86-64
- Uploaded using Trusted Publishing? Yes
- Uploaded via: twine/6.1.0 CPython/3.13.7
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
d474e458a5148b9b0c022a7a2ef68fd2e29bacedb602513676952e37faa17953
|
|
| MD5 |
bbbac5455522227aa2af73991261c02d
|
|
| BLAKE2b-256 |
e2148a0f5c656a5b869932df9879de37dd5d16a5fcdb22dd8d3a85af7ca8bf18
|
Provenance
The following attestation bundles were made for djust-0.3.6rc4-cp39-cp39-manylinux_2_34_x86_64.whl:
Publisher:
release.yml on djust-org/djust
-
Statement:
-
Statement type:
https://in-toto.io/Statement/v1 -
Predicate type:
https://docs.pypi.org/attestations/publish/v1 -
Subject name:
djust-0.3.6rc4-cp39-cp39-manylinux_2_34_x86_64.whl -
Subject digest:
d474e458a5148b9b0c022a7a2ef68fd2e29bacedb602513676952e37faa17953 - Sigstore transparency entry: 1099311797
- Sigstore integration time:
-
Permalink:
djust-org/djust@b8c1bc456bff0cfe4bd23ccae96513e98f183adf -
Branch / Tag:
refs/tags/v0.3.6rc4 - Owner: https://github.com/djust-org
-
Access:
public
-
Token Issuer:
https://token.actions.githubusercontent.com -
Runner Environment:
github-hosted -
Publication workflow:
release.yml@b8c1bc456bff0cfe4bd23ccae96513e98f183adf -
Trigger Event:
push
-
Statement type: