Release notes¤
🚨📢 v0.140.0¤
🚨📢 BREAKING CHANGES¤
-
Component typing no longer uses generics. Instead, the types are now defined as class attributes of the component class.
Before:
Args = Tuple[float, str] +
Release Notes - Django-Components Django-ComponentsRelease NotesRelease notes¤
🚨📢 v0.140.0¤
🚨📢 BREAKING CHANGES¤
-
Component typing no longer uses generics. Instead, the types are now defined as class attributes of the component class.
Before:
v0.139.1¤
Fix¤
- Fix compatibility of component caching with
{% extend %}
block (#1135)
Refactor¤
-
Component ID is now prefixed with
c
, e.g.c123456
. -
When typing a Component, you can now specify as few or as many parameters as you want.
Fix¤
- Fix bug: Context processors data was being generated anew for each component. Now the data correctly created once and reused across components with the same request (#1165).
v0.139.1¤
Fix¤
- Fix compatibility of component caching with
{% extend %}
block (#1135)
Refactor¤
-
Component ID is now prefixed with
c
, e.g.c123456
. -
When typing a Component, you can now specify as few or as many parameters as you want.
Component[Args] Component[Args, Kwargs] Component[Args, Kwargs, Slots] Component[Args, Kwargs, Slots, Data] Component[Args, Kwargs, Slots, Data, JsData] Component[Args, Kwargs, Slots, Data, JsData, CssData] -
All omitted parameters will default to
Any
. -
Added
typing_extensions
to the project as a dependency -
Multiple extensions with the same name (case-insensitive) now raise an error
-
Extension names (case-insensitive) also MUST NOT conflict with existing Component class API.
So if you name an extension
render
, it will conflict with therender()
method of theComponent
class, and thus raise an error.
v0.139.0¤
Fix¤
- Fix bug: Fix compatibility with
Finder.find()
in Django 5.2 (#1119)
v0.138¤
Fix¤
- Fix bug: Allow components with
Url.public = True
to be defined beforedjango.setup()
v0.137¤
Feat¤
-
Each Component class now has a
class_id
attribute, which is unique to the component subclass.NOTE: This is different from
Component.id
, which is unique to each rendered instance.To look up a component class by its
class_id
, useget_component_by_class_id()
. -
It's now easier to create URLs for component views.
Before, you had to call
Component.as_view()
and pass that tourlpatterns
.Now this can be done for you if you set
Component.Url.public
toTrue
:All omitted parameters will default to
Any
. -
Added
typing_extensions
to the project as a dependency -
Multiple extensions with the same name (case-insensitive) now raise an error
-
Extension names (case-insensitive) also MUST NOT conflict with existing Component class API.
So if you name an extension
render
, it will conflict with therender()
method of theComponent
class, and thus raise an error.
v0.139.0¤
Fix¤
- Fix bug: Fix compatibility with
Finder.find()
in Django 5.2 (#1119)
v0.138¤
Fix¤
- Fix bug: Allow components with
Url.public = True
to be defined beforedjango.setup()
v0.137¤
Feat¤
-
Each Component class now has a
class_id
attribute, which is unique to the component subclass.NOTE: This is different from
Component.id
, which is unique to each rendered instance.To look up a component class by its
class_id
, useget_component_by_class_id()
. -
It's now easier to create URLs for component views.
Before, you had to call
Component.as_view()
and pass that tourlpatterns
.Now this can be done for you if you set
Component.Url.public
toTrue
:
Fix¤
- Make it possible to resolve URLs added by extensions by their names
v0.135¤
Feat¤
- Add defaults for the component inputs with the
Component.Defaults
nested class. Defaults are applied if the argument is not given, or if it set toNone
.
For lists, dictionaries, or other objects, wrap the value in
Default()
class to mark it as a factory function:```python +
Fix¤
- Make it possible to resolve URLs added by extensions by their names
v0.135¤
Feat¤
- Add defaults for the component inputs with the
Component.Defaults
nested class. Defaults are applied if the argument is not given, or if it set toNone
.
For lists, dictionaries, or other objects, wrap the value in
Default()
class to mark it as a factory function:```python from django_components import Default class Table(Component): @@ -187,23 +187,23 @@ style={"background-color": "green", "color": None, "width": False} style="position: absolute; height: 12px;" %} -
Read more on HTML attributes.
Fix¤
- Fix compat with Windows when reading component files (#1074)
- Fix resolution of component media files edge case (#1073)
v0.134¤
Fix¤
- HOTFIX: Fix the use of URLs in
Component.Media.js
andComponent.Media.css
v0.133¤
⚠️ Attention ⚠️ - Please update to v0.134 to fix bugs introduced in v0.132.
Fix¤
- HOTFIX: Fix the use of URLs in
Component.Media.js
andComponent.Media.css
v0.132¤
⚠️ Attention ⚠️ - Please update to v0.134 to fix bugs introduced in v0.132.
Feat¤
-
Allow to use glob patterns as paths for additional JS / CSS in
Component.Media.js
andComponent.Media.css
Read more on HTML attributes.
Fix¤
- Fix compat with Windows when reading component files (#1074)
- Fix resolution of component media files edge case (#1073)
v0.134¤
Fix¤
- HOTFIX: Fix the use of URLs in
Component.Media.js
andComponent.Media.css
v0.133¤
⚠️ Attention ⚠️ - Please update to v0.134 to fix bugs introduced in v0.132.
Fix¤
- HOTFIX: Fix the use of URLs in
Component.Media.js
andComponent.Media.css
v0.132¤
⚠️ Attention ⚠️ - Please update to v0.134 to fix bugs introduced in v0.132.
Feat¤
-
Allow to use glob patterns as paths for additional JS / CSS in
Component.Media.js
andComponent.Media.css
Fix¤
- Fix installation for Python 3.13 on Windows.
v0.131¤
Feat¤
-
Support for extensions (plugins) for django-components!
- Hook into lifecycle events of django-components
- Pre-/post-process component inputs, outputs, and templates
- Add extra methods or attributes to Components
- Add custom extension-specific CLI commands
- Add custom extension-specific URL routes
Read more on Extensions.
-
New CLI commands:
components list
- List all componentscomponents create <name>
- Create a new component (supersedesstartcomponent
)components upgrade
- Upgrade a component (supersedesupgradecomponent
)components ext list
- List all extensionscomponents ext run <extension> <command>
- Run a command added by an extension
-
@djc_test
decorator for writing tests that involve Components.- The decorator manages global state, ensuring that tests don't leak.
- If using
pytest
, the decorator allows you to parametrize Django or Components settings. - The decorator also serves as a stand-in for Django's
@override_settings
.
See the API reference for
@djc_test
for more details. -
ComponentRegistry
now has ahas()
method to check if a component is registered without raising an error. -
Get all created
Component
classes withall_components()
. -
Get all created
ComponentRegistry
instances withall_registries()
.
Refactor¤
-
The
startcomponent
andupgradecomponent
commands are deprecated, and will be removed in v1.Instead, use
components create <name>
andcomponents upgrade
.
Internal¤
- Settings are now loaded only once, and thus are considered immutable once loaded. Previously, django-components would load settings from
settings.COMPONENTS
on each access. The new behavior aligns with Django's settings.
v0.130¤
Feat¤
-
Access the HttpRequest object under
Component.request
.To pass the request object to a component, either: - Render a template or component with
RequestContext
, - Or set therequest
kwarg toComponent.render()
orComponent.render_to_response()
.Read more on HttpRequest.
-
Access the context processors data under
Component.context_processors_data
.Context processors data is available only when the component has access to the
request
object, either by: - Passing the request toComponent.render()
orComponent.render_to_response()
, - Or by rendering a template or component withRequestContext
, - Or being nested in another component that has access to the request object.The data from context processors is automatically available within the component's template.
Read more on HttpRequest.
v0.129¤
Fix¤
- Fix thread unsafe media resolve validation by moving it to ComponentMedia
__post_init
(#977 - Fix bug: Relative path in extends and include does not work when using template_file (#976
- Fix error when template cache setting (
template_cache_size
) is set to 0 (#974
v0.128¤
Feat¤
-
Configurable cache - Set
COMPONENTS.cache
to change where and how django-components caches JS and CSS files. (#946)Read more on Caching.
-
Highlight coponents and slots in the UI - We've added two boolean settings
COMPONENTS.debug_highlight_components
andCOMPONENTS.debug_highlight_slots
, which can be independently set toTrue
. First will wrap components in a blue border, the second will wrap slots in a red border. (#942)Read more on Troubleshooting.
Refactor¤
- Removed use of eval for node validation (#944)
Perf¤
-
Components can now be infinitely nested. (#936)
-
Component input validation is now 6-7x faster on CPython and PyPy. This previously made up 10-30% of the total render time. (#945)
v0.127¤
Fix¤
- Fix component rendering when using
{% cache %}
with remote cache and multiple web servers (#930)
v0.126¤
Refactor¤
- Replaced BeautifulSoup4 with a custom HTML parser.
- The heuristic for inserting JS and CSS dependenies into the default place has changed.
- JS is still inserted at the end of the
<body>
, and CSS at the end of<head>
. - However, we find end of
<body>
by searching for last occurrence of</body>
- And for the end of
<head>
we search for the first occurrence of</head>
- JS is still inserted at the end of the
v0.125¤
⚠️ Attention ⚠️ - We migrated from
EmilStenstrom/django-components
todjango-components/django-components
.Repo name and documentation URL changed. Package name remains the same.
If you see any broken links or other issues, please report them in #922.
Feat¤
@template_tag
andBaseNode
- A decorator and a class that allow you to define custom template tags that will behave similarly to django-components' own template tags.
Read more on Template tags.
Template tags defined with
@template_tag
andBaseNode
will have the following features:-
Accepting args, kwargs, and flags.
-
Allowing literal lists and dicts as inputs as:
key=[1, 2, 3]
orkey={"a": 1, "b": 2}
- Using template tags tag inputs as:{% my_tag key="{% lorem 3 w %}" / %}
- Supporting the flat dictionary definition:attr:key=value
- Spreading args and kwargs with...
:{% my_tag ...args ...kwargs / %}
- Being able to call the template tag as:{% my_tag %} ... {% endmy_tag %}
or{% my_tag / %}
Refactor¤
-
Refactored template tag input validation. When you now call template tags like
{% slot %}
,{% fill %}
,{% html_attrs %}
, and others, their inputs are now validated the same way as Python function inputs are.So, for example
Fix¤
- Fix installation for Python 3.13 on Windows.
v0.131¤
Feat¤
-
Support for extensions (plugins) for django-components!
- Hook into lifecycle events of django-components
- Pre-/post-process component inputs, outputs, and templates
- Add extra methods or attributes to Components
- Add custom extension-specific CLI commands
- Add custom extension-specific URL routes
Read more on Extensions.
-
New CLI commands:
components list
- List all componentscomponents create <name>
- Create a new component (supersedesstartcomponent
)components upgrade
- Upgrade a component (supersedesupgradecomponent
)components ext list
- List all extensionscomponents ext run <extension> <command>
- Run a command added by an extension
-
@djc_test
decorator for writing tests that involve Components.- The decorator manages global state, ensuring that tests don't leak.
- If using
pytest
, the decorator allows you to parametrize Django or Components settings. - The decorator also serves as a stand-in for Django's
@override_settings
.
See the API reference for
@djc_test
for more details. -
ComponentRegistry
now has ahas()
method to check if a component is registered without raising an error. -
Get all created
Component
classes withall_components()
. -
Get all created
ComponentRegistry
instances withall_registries()
.
Refactor¤
-
The
startcomponent
andupgradecomponent
commands are deprecated, and will be removed in v1.Instead, use
components create <name>
andcomponents upgrade
.
Internal¤
- Settings are now loaded only once, and thus are considered immutable once loaded. Previously, django-components would load settings from
settings.COMPONENTS
on each access. The new behavior aligns with Django's settings.
v0.130¤
Feat¤
-
Access the HttpRequest object under
Component.request
.To pass the request object to a component, either: - Render a template or component with
RequestContext
, - Or set therequest
kwarg toComponent.render()
orComponent.render_to_response()
.Read more on HttpRequest.
-
Access the context processors data under
Component.context_processors_data
.Context processors data is available only when the component has access to the
request
object, either by: - Passing the request toComponent.render()
orComponent.render_to_response()
, - Or by rendering a template or component withRequestContext
, - Or being nested in another component that has access to the request object.The data from context processors is automatically available within the component's template.
Read more on HttpRequest.
v0.129¤
Fix¤
- Fix thread unsafe media resolve validation by moving it to ComponentMedia
__post_init
(#977 - Fix bug: Relative path in extends and include does not work when using template_file (#976
- Fix error when template cache setting (
template_cache_size
) is set to 0 (#974
v0.128¤
Feat¤
-
Configurable cache - Set
COMPONENTS.cache
to change where and how django-components caches JS and CSS files. (#946)Read more on Caching.
-
Highlight coponents and slots in the UI - We've added two boolean settings
COMPONENTS.debug_highlight_components
andCOMPONENTS.debug_highlight_slots
, which can be independently set toTrue
. First will wrap components in a blue border, the second will wrap slots in a red border. (#942)Read more on Troubleshooting.
Refactor¤
- Removed use of eval for node validation (#944)
Perf¤
-
Components can now be infinitely nested. (#936)
-
Component input validation is now 6-7x faster on CPython and PyPy. This previously made up 10-30% of the total render time. (#945)
v0.127¤
Fix¤
- Fix component rendering when using
{% cache %}
with remote cache and multiple web servers (#930)
v0.126¤
Refactor¤
- Replaced BeautifulSoup4 with a custom HTML parser.
- The heuristic for inserting JS and CSS dependenies into the default place has changed.
- JS is still inserted at the end of the
<body>
, and CSS at the end of<head>
. - However, we find end of
<body>
by searching for last occurrence of</body>
- And for the end of
<head>
we search for the first occurrence of</head>
- JS is still inserted at the end of the
v0.125¤
⚠️ Attention ⚠️ - We migrated from
EmilStenstrom/django-components
todjango-components/django-components
.Repo name and documentation URL changed. Package name remains the same.
If you see any broken links or other issues, please report them in #922.
Feat¤
@template_tag
andBaseNode
- A decorator and a class that allow you to define custom template tags that will behave similarly to django-components' own template tags.
Read more on Template tags.
Template tags defined with
@template_tag
andBaseNode
will have the following features:-
Accepting args, kwargs, and flags.
-
Allowing literal lists and dicts as inputs as:
key=[1, 2, 3]
orkey={"a": 1, "b": 2}
- Using template tags tag inputs as:{% my_tag key="{% lorem 3 w %}" / %}
- Supporting the flat dictionary definition:attr:key=value
- Spreading args and kwargs with...
:{% my_tag ...args ...kwargs / %}
- Being able to call the template tag as:{% my_tag %} ... {% endmy_tag %}
or{% my_tag / %}
Refactor¤
-
Refactored template tag input validation. When you now call template tags like
{% slot %}
,{% fill %}
,{% html_attrs %}
, and others, their inputs are now validated the same way as Python function inputs are.So, for example
will raise an error, because the positional argument
name
is given twice.NOTE: Special kwargs whose keys are not valid Python variable names are not affected by this change. So when you define:
The
data-id
will still be accepted as a valid kwarg, assuming that yourget_context_data()
accepts**kwargs
:
v0.124¤
Feat¤
-
Instead of inlining the JS and CSS under
Component.js
andComponent.css
, you can move them to their own files, and link the JS/CSS files withComponent.js_file
andComponent.css_file
.Even when you specify the JS/CSS with
Component.js_file
orComponent.css_file
, then you can still access the content underComponent.js
orComponent.css
- behind the scenes, the content of the JS/CSS files will be set toComponent.js
/Component.css
upon first access.The same applies to
Component.template_file
, which will populateComponent.template
upon first access.With this change, the role of
Component.js/css
and the JS/CSS inComponent.Media
has changed:- The JS/CSS defined in
Component.js/css
orComponent.js/css_file
is the "main" JS/CSS - The JS/CSS defined in
Component.Media.js/css
are secondary or additional
See the updated "Getting Started" tutorial
- The JS/CSS defined in
Refactor¤
-
The canonical way to define a template file was changed from
template_name
totemplate_file
, to align with the rest of the API.template_name
remains for backwards compatibility. When you get / settemplate_name
, internally this is proxied totemplate_file
. -
The undocumented
Component.component_id
was removed. Instead, useComponent.id
. Changes:- While
component_id
was unique every time you instantiatedComponent
, the newid
is unique every time you render the component (e.g. withComponent.render()
) - The new
id
is available only during render, so e.g. from withinget_context_data()
- While
-
Component's HTML / CSS / JS are now resolved and loaded lazily. That is, if you specify
template_name
/template_file
,js_file
,css_file
, orMedia.js/css
, the file paths will be resolved only once you:- Try to access component's HTML / CSS / JS, or
- Render the component.
Read more on Accessing component's HTML / JS / CSS.
-
Component inheritance:
- When you subclass a component, the JS and CSS defined on parent's
Media
class is now inherited by the child component. - You can disable or customize Media inheritance by setting
extend
attribute on theComponent.Media
nested class. This work similarly to Django'sMedia.extend
. - When child component defines either
template
ortemplate_file
, both of parent'stemplate
andtemplate_file
are ignored. The same applies tojs_file
andcss_file
.
- When you subclass a component, the JS and CSS defined on parent's
-
Autodiscovery now ignores files and directories that start with an underscore (
_
), except__init__.py
-
The Signals emitted by or during the use of django-components are now documented, together the
template_rendered
signal.
v0.123¤
Fix¤
- Fix edge cases around rendering components whose templates used the
{% extends %}
template tag (#859)
v0.122¤
Feat¤
- Add support for HTML fragments. HTML fragments can be rendered by passing
type="fragment"
toComponent.render()
orComponent.render_to_response()
. Read more on how to use HTML fragments with HTMX, AlpineJS, or vanillaJS.
v0.121¤
Fix¤
- Fix the use of Django template filters (
|lower:"etc"
) with component inputs #855.
v0.120¤
⚠️ Attention ⚠️ - Please update to v0.121 to fix bugs introduced in v0.119.
Fix¤
- Fix the use of translation strings
_("bla")
as inputs to components #849.
v0.119¤
⚠️ Attention ⚠️ - This release introduced bugs #849, #855. Please update to v0.121.
Fix¤
- Fix compatibility with custom subclasses of Django's
Template
that need to accessorigin
or other initialization arguments. (https://github.com/django-components/django-components/pull/828)
Refactor¤
- Compatibility with
django-debug-toolbar-template-profiler
: -
Monkeypatching of Django's
Template
now happens atAppConfig.ready()
(https://github.com/django-components/django-components/pull/825) -
Internal parsing of template tags tag was updated. No API change. (https://github.com/django-components/django-components/pull/827)
v0.118¤
Feat¤
- Add support for
context_processors
andRenderContext
inside component templates
Component.render()
andComponent.render_to_response()
now accept an extra kwargrequest
.```py +
v0.124¤
Feat¤
-
Instead of inlining the JS and CSS under
Component.js
andComponent.css
, you can move them to their own files, and link the JS/CSS files withComponent.js_file
andComponent.css_file
.Even when you specify the JS/CSS with
Component.js_file
orComponent.css_file
, then you can still access the content underComponent.js
orComponent.css
- behind the scenes, the content of the JS/CSS files will be set toComponent.js
/Component.css
upon first access.The same applies to
Component.template_file
, which will populateComponent.template
upon first access.With this change, the role of
Component.js/css
and the JS/CSS inComponent.Media
has changed:- The JS/CSS defined in
Component.js/css
orComponent.js/css_file
is the "main" JS/CSS - The JS/CSS defined in
Component.Media.js/css
are secondary or additional
See the updated "Getting Started" tutorial
- The JS/CSS defined in
Refactor¤
-
The canonical way to define a template file was changed from
template_name
totemplate_file
, to align with the rest of the API.template_name
remains for backwards compatibility. When you get / settemplate_name
, internally this is proxied totemplate_file
. -
The undocumented
Component.component_id
was removed. Instead, useComponent.id
. Changes:- While
component_id
was unique every time you instantiatedComponent
, the newid
is unique every time you render the component (e.g. withComponent.render()
) - The new
id
is available only during render, so e.g. from withinget_context_data()
- While
-
Component's HTML / CSS / JS are now resolved and loaded lazily. That is, if you specify
template_name
/template_file
,js_file
,css_file
, orMedia.js/css
, the file paths will be resolved only once you:- Try to access component's HTML / CSS / JS, or
- Render the component.
Read more on Accessing component's HTML / JS / CSS.
-
Component inheritance:
- When you subclass a component, the JS and CSS defined on parent's
Media
class is now inherited by the child component. - You can disable or customize Media inheritance by setting
extend
attribute on theComponent.Media
nested class. This work similarly to Django'sMedia.extend
. - When child component defines either
template
ortemplate_file
, both of parent'stemplate
andtemplate_file
are ignored. The same applies tojs_file
andcss_file
.
- When you subclass a component, the JS and CSS defined on parent's
-
Autodiscovery now ignores files and directories that start with an underscore (
_
), except__init__.py
-
The Signals emitted by or during the use of django-components are now documented, together the
template_rendered
signal.
v0.123¤
Fix¤
- Fix edge cases around rendering components whose templates used the
{% extends %}
template tag (#859)
v0.122¤
Feat¤
- Add support for HTML fragments. HTML fragments can be rendered by passing
type="fragment"
toComponent.render()
orComponent.render_to_response()
. Read more on how to use HTML fragments with HTMX, AlpineJS, or vanillaJS.
v0.121¤
Fix¤
- Fix the use of Django template filters (
|lower:"etc"
) with component inputs #855.
v0.120¤
⚠️ Attention ⚠️ - Please update to v0.121 to fix bugs introduced in v0.119.
Fix¤
- Fix the use of translation strings
_("bla")
as inputs to components #849.
v0.119¤
⚠️ Attention ⚠️ - This release introduced bugs #849, #855. Please update to v0.121.
Fix¤
- Fix compatibility with custom subclasses of Django's
Template
that need to accessorigin
or other initialization arguments. (https://github.com/django-components/django-components/pull/828)
Refactor¤
- Compatibility with
django-debug-toolbar-template-profiler
: -
Monkeypatching of Django's
Template
now happens atAppConfig.ready()
(https://github.com/django-components/django-components/pull/825) -
Internal parsing of template tags tag was updated. No API change. (https://github.com/django-components/django-components/pull/827)
v0.118¤
Feat¤
- Add support for
context_processors
andRenderContext
inside component templates
Component.render()
andComponent.render_to_response()
now accept an extra kwargrequest
.```py def my_view(request) return MyTable.render_to_response( request=request ) ``` -
-
When you pass in
request
, the component will useRenderContext
instead ofContext
. Thus the context processors will be applied to the context. -
NOTE: When you pass in both
request
andcontext
toComponent.render()
, andcontext
is already an instance ofContext
, therequest
kwarg will be ignored.
v0.117¤
Fix¤
- The HTML parser no longer erronously inserts
<html><head><body>
on some occasions, and no longer tries to close unclosed HTML tags.
Refactor¤
- Replaced Selectolax with BeautifulSoup4 as project dependencies.
v0.116¤
⚠️ Attention ⚠️ - Please update to v0.117 to fix known bugs. See #791 and #789 and #818.
Fix¤
- Fix the order of execution of JS scripts:
- Scripts in
Component.Media.js
are executed in the order they are defined -
Scripts in
Component.js
are executed AFTERMedia.js
scripts -
Fix compatibility with AlpineJS
- Scripts in
Component.Media.js
are now again inserted as<script>
tags - By default,
Component.Media.js
are inserted as synchronous<script>
tags, so the AlpineJS components registered in theMedia.js
scripts will now again run BEFORE the core AlpineJS script.
AlpineJS can be configured like so:
Option 1 - AlpineJS loaded in
<head>
withdefer
attribute:-
When you pass in
request
, the component will useRenderContext
instead ofContext
. Thus the context processors will be applied to the context. -
NOTE: When you pass in both
request
andcontext
toComponent.render()
, andcontext
is already an instance ofContext
, therequest
kwarg will be ignored.
v0.117¤
Fix¤
- The HTML parser no longer erronously inserts
<html><head><body>
on some occasions, and no longer tries to close unclosed HTML tags.
Refactor¤
- Replaced Selectolax with BeautifulSoup4 as project dependencies.
v0.116¤
⚠️ Attention ⚠️ - Please update to v0.117 to fix known bugs. See #791 and #789 and #818.
Fix¤
- Fix the order of execution of JS scripts:
- Scripts in
Component.Media.js
are executed in the order they are defined -
Scripts in
Component.js
are executed AFTERMedia.js
scripts -
Fix compatibility with AlpineJS
- Scripts in
Component.Media.js
are now again inserted as<script>
tags - By default,
Component.Media.js
are inserted as synchronous<script>
tags, so the AlpineJS components registered in theMedia.js
scripts will now again run BEFORE the core AlpineJS script.
AlpineJS can be configured like so:
Option 1 - AlpineJS loaded in
<head>
withdefer
attribute:<html> <head> {% component_css_dependencies %} <script defer src="https://unpkg.com/alpinejs"></script> @@ -224,7 +224,7 @@ def my_view(request) <script src="https://unpkg.com/alpinejs"></script> </body> </html> -
v0.115¤
⚠️ Attention ⚠️ - Please update to v0.117 to fix known bugs. See #791 and #789 and #818.
Fix¤
- Fix integration with ManifestStaticFilesStorage on Windows by resolving component filepaths (like
Component.template_name
) to POSIX paths.
v0.114¤
⚠️ Attention ⚠️ - Please update to v0.117 to fix known bugs. See #791 and #789 and #818.
Fix¤
- Prevent rendering Slot tags during fill discovery stage to fix a case when a component inside a slot fill tried to access provided data too early.
v0.113¤
⚠️ Attention ⚠️ - Please update to v0.117 to fix known bugs. See #791 and #789 and #818.
Fix¤
- Ensure consistent order of scripts in
Component.Media.js
v0.112¤
⚠️ Attention ⚠️ - Please update to v0.117 to fix known bugs. See #791 and #789 and #818.
Fix¤
- Allow components to accept default fill even if no default slot was encountered during rendering
v0.111¤
⚠️ Attention ⚠️ - Please update to v0.117 to fix known bugs. See #791 and #789 and #818.
Fix¤
- Prevent rendering Component tags during fill discovery stage to fix a case when a component inside the default slot tried to access provided data too early.
🚨📢 v0.110¤
⚠️ Attention ⚠️ - Please update to v0.117 to fix known bugs. See #791 and #789 and #818.
General¤
🚨📢 BREAKING CHANGES¤
-
Installation changes:
- If your components include JS or CSS, you now must use the middleware and add django-components' URLs to your
urlpatterns
(See "Adding support for JS and CSS")
- If your components include JS or CSS, you now must use the middleware and add django-components' URLs to your
-
Component typing signature changed from
v0.115¤
⚠️ Attention ⚠️ - Please update to v0.117 to fix known bugs. See #791 and #789 and #818.
Fix¤
- Fix integration with ManifestStaticFilesStorage on Windows by resolving component filepaths (like
Component.template_name
) to POSIX paths.
v0.114¤
⚠️ Attention ⚠️ - Please update to v0.117 to fix known bugs. See #791 and #789 and #818.
Fix¤
- Prevent rendering Slot tags during fill discovery stage to fix a case when a component inside a slot fill tried to access provided data too early.
v0.113¤
⚠️ Attention ⚠️ - Please update to v0.117 to fix known bugs. See #791 and #789 and #818.
Fix¤
- Ensure consistent order of scripts in
Component.Media.js
v0.112¤
⚠️ Attention ⚠️ - Please update to v0.117 to fix known bugs. See #791 and #789 and #818.
Fix¤
- Allow components to accept default fill even if no default slot was encountered during rendering
v0.111¤
⚠️ Attention ⚠️ - Please update to v0.117 to fix known bugs. See #791 and #789 and #818.
Fix¤
- Prevent rendering Component tags during fill discovery stage to fix a case when a component inside the default slot tried to access provided data too early.
🚨📢 v0.110¤
⚠️ Attention ⚠️ - Please update to v0.117 to fix known bugs. See #791 and #789 and #818.
General¤
🚨📢 BREAKING CHANGES¤
-
Installation changes:
- If your components include JS or CSS, you now must use the middleware and add django-components' URLs to your
urlpatterns
(See "Adding support for JS and CSS")
- If your components include JS or CSS, you now must use the middleware and add django-components' URLs to your
-
Component typing signature changed from
to
-
If you rendered a component A with
Component.render()
and then inserted that into another component B, now you must passrender_dependencies=False
to component A:prerendered_a = CompA.render( args=[...], @@ -244,7 +244,7 @@ def my_view(request) autodiscover=True, ... ) -
- Use
get_component_dirs()
andget_component_files()
to get the same list of dirs / files that would be imported byautodiscover()
, but without actually importing them.
Refactor¤
-
For advanced use cases, use can omit the middleware and instead manage component JS and CSS dependencies yourself with
render_dependencies
-
The
ComponentRegistry
settingsRegistrySettings
were lowercased to align with the global settings: RegistrySettings.CONTEXT_BEHAVIOR
->RegistrySettings.context_behavior
RegistrySettings.TAG_FORMATTER
->RegistrySettings.tag_formatter
The old uppercase settings
CONTEXT_BEHAVIOR
andTAG_FORMATTER
are deprecated and will be removed in v1.-
The setting
reload_on_template_change
was renamed toreload_on_file_change
. And now it properly triggers server reload when any file in the component dirs change. The old namereload_on_template_change
is deprecated and will be removed in v1. -
The setting
forbidden_static_files
was renamed tostatic_files_forbidden
to align withstatic_files_allowed
The old nameforbidden_static_files
is deprecated and will be removed in v1.
Tags¤
🚨📢 BREAKING CHANGES¤
-
{% component_dependencies %}
tag was removed. Instead, use{% component_js_dependencies %}
and{% component_css_dependencies %}
-
The combined tag was removed to encourage the best practice of putting JS scripts at the end of
<body>
, and CSS styles inside<head>
.On the other hand, co-locating JS script and CSS styles can lead to a flash of unstyled content, as either JS scripts will block the rendering, or CSS will load too late.
-
-
The undocumented keyword arg
preload
of{% component_js_dependencies %}
and{% component_css_dependencies %}
tags was removed. This will be replaced with HTML fragment support.
Fix¤
- Allow using forward slash (
/
) when defining custom TagFormatter, e.g.{% MyComp %}..{% /MyComp %}
.
Refactor¤
{% component_dependencies %}
tags are now OPTIONAL - If your components use JS and CSS, but you don't use{% component_dependencies %}
tags, the JS and CSS will now be, by default, inserted at the end of<body>
and at the end of<head>
respectively.
Slots¤
Feat¤
- Fills can now be defined within loops (
{% for %}
) or other tags (like{% with %}
), or even other templates using{% include %}
.
Following is now possible
- Use
get_component_dirs()
andget_component_files()
to get the same list of dirs / files that would be imported byautodiscover()
, but without actually importing them.
Refactor¤
-
For advanced use cases, use can omit the middleware and instead manage component JS and CSS dependencies yourself with
render_dependencies
-
The
ComponentRegistry
settingsRegistrySettings
were lowercased to align with the global settings: RegistrySettings.CONTEXT_BEHAVIOR
->RegistrySettings.context_behavior
RegistrySettings.TAG_FORMATTER
->RegistrySettings.tag_formatter
The old uppercase settings
CONTEXT_BEHAVIOR
andTAG_FORMATTER
are deprecated and will be removed in v1.-
The setting
reload_on_template_change
was renamed toreload_on_file_change
. And now it properly triggers server reload when any file in the component dirs change. The old namereload_on_template_change
is deprecated and will be removed in v1. -
The setting
forbidden_static_files
was renamed tostatic_files_forbidden
to align withstatic_files_allowed
The old nameforbidden_static_files
is deprecated and will be removed in v1.
Tags¤
🚨📢 BREAKING CHANGES¤
-
{% component_dependencies %}
tag was removed. Instead, use{% component_js_dependencies %}
and{% component_css_dependencies %}
-
The combined tag was removed to encourage the best practice of putting JS scripts at the end of
<body>
, and CSS styles inside<head>
.On the other hand, co-locating JS script and CSS styles can lead to a flash of unstyled content, as either JS scripts will block the rendering, or CSS will load too late.
-
-
The undocumented keyword arg
preload
of{% component_js_dependencies %}
and{% component_css_dependencies %}
tags was removed. This will be replaced with HTML fragment support.
Fix¤
- Allow using forward slash (
/
) when defining custom TagFormatter, e.g.{% MyComp %}..{% /MyComp %}
.
Refactor¤
{% component_dependencies %}
tags are now OPTIONAL - If your components use JS and CSS, but you don't use{% component_dependencies %}
tags, the JS and CSS will now be, by default, inserted at the end of<body>
and at the end of<head>
respectively.
Slots¤
Feat¤
- Fills can now be defined within loops (
{% for %}
) or other tags (like{% with %}
), or even other templates using{% include %}
.
Following is now possible
{% component "table" %} {% for slot_name in slots %} {% fill name=slot_name %} {% endfill %} @@ -284,7 +284,7 @@ def my_view(request) {% endcomponent %} </div> """ -
Fix¤
-
Slots defined with
{% fill %}
tags are now properly accessible viaself.input.slots
inget_context_data()
-
Do not raise error if multiple slots with same name are flagged as default
-
Slots can now be defined within loops (
{% for %}
) or other tags (like{% with %}
), or even other templates using{% include %}
.
Previously, following would cause the kwarg
name
to be an empty string:Fix¤
-
Slots defined with
{% fill %}
tags are now properly accessible viaself.input.slots
inget_context_data()
-
Do not raise error if multiple slots with same name are flagged as default
-
Slots can now be defined within loops (
{% for %}
) or other tags (like{% with %}
), or even other templates using{% include %}
.
Previously, following would cause the kwarg
name
to be an empty string:Refactor¤
- When you define multiple slots with the same name inside a template, you now have to set the
default
andrequired
flags individually.
<div class="calendar-component"> @@ -341,7 +341,7 @@ def my_view(request) Hello from content slot {% endfill %} {% endcomponent %} -
🚨📢 v0.100¤
BREAKING CHANGES¤
-
django_components.safer_staticfiles
app was removed. It is no longer needed. -
Installation changes:
- Instead of defining component directories in
STATICFILES_DIRS
, set them toCOMPONENTS.dirs
. -
You now must define
STATICFILES_FINDERS
- Instead of defining component directories in
Feat¤
- Beside the top-level
/components
directory, you can now define also app-level components dirs, e.g.[app]/components
(SeeCOMPONENTS.app_dirs
).
Refactor¤
- When you call
as_view()
on a component instance, that instance will be passed toView.as_view()
v0.97¤
Fix¤
- Fixed template caching. You can now also manually create cached templates with
cached_template()
Refactor¤
-
The previously undocumented
get_template
was made private. -
In it's place, there's a new
get_template
, which supersedesget_template_string
(will be removed in v1). The newget_template
is the same asget_template_string
, except it allows to return either a string or a Template instance. -
You now must use only one of
template
,get_template
,template_name
, orget_template_name
.
v0.96¤
Feat¤
-
Run-time type validation for Python 3.11+ - If the
Component
class is typed, e.g.Component[Args, Kwargs, ...]
, the args, kwargs, slots, and data are validated against the given types. (See Runtime input validation with types) -
Render hooks - Set
on_render_before
andon_render_after
methods onComponent
to intercept or modify the template or context before rendering, or the rendered result afterwards. (See Component hooks) -
component_vars.is_filled
context variable can be accessed from withinon_render_before
andon_render_after
hooks asself.is_filled.my_slot
0.95¤
Feat¤
- Added support for dynamic components, where the component name is passed as a variable. (See Dynamic components)
Refactor¤
- Changed
Component.input
to raiseRuntimeError
if accessed outside of render context. Previously it returnedNone
if unset.
v0.94¤
Feat¤
-
django_components now automatically configures Django to support multi-line tags. (See Multi-line tags)
-
New setting
reload_on_template_change
. Set this toTrue
to reload the dev server on changes to component template files. (See Reload dev server on component file changes)
v0.93¤
Feat¤
-
Spread operator
...dict
inside template tags. (See Spread operator) -
Use template tags inside string literals in component inputs. (See Use template tags inside component inputs)
-
Dynamic slots, fills and provides - The
name
argument for these can now be a variable, a template expression, or via spread operator -
Component library authors can now configure
CONTEXT_BEHAVIOR
andTAG_FORMATTER
settings independently from user settings.
🚨📢 v0.92¤
BREAKING CHANGES¤
Component
class is no longer a subclass ofView
. To configure theView
class, set theComponent.View
nested class. HTTP methods likeget
orpost
can still be defined directly onComponent
class, andComponent.as_view()
internally callsComponent.View.as_view()
. (See Modifying the View class)
Feat¤
-
The inputs (args, kwargs, slots, context, ...) that you pass to
Component.render()
can be accessed from withinget_context_data
,get_template
andget_template_name
viaself.input
. (See Accessing data passed to the component) -
Typing:
Component
class supports generics that specify types forComponent.render
(See Adding type hints with Generics)
v0.90¤
Feat¤
-
All tags (
component
,slot
,fill
, ...) now support "self-closing" or "inline" form, where you can omit the closing tag:🚨📢 v0.100¤
BREAKING CHANGES¤
-
django_components.safer_staticfiles
app was removed. It is no longer needed. -
Installation changes:
- Instead of defining component directories in
STATICFILES_DIRS
, set them toCOMPONENTS.dirs
. -
You now must define
STATICFILES_FINDERS
- Instead of defining component directories in
Feat¤
- Beside the top-level
/components
directory, you can now define also app-level components dirs, e.g.[app]/components
(SeeCOMPONENTS.app_dirs
).
Refactor¤
- When you call
as_view()
on a component instance, that instance will be passed toView.as_view()
v0.97¤
Fix¤
- Fixed template caching. You can now also manually create cached templates with
cached_template()
Refactor¤
-
The previously undocumented
get_template
was made private. -
In it's place, there's a new
get_template
, which supersedesget_template_string
(will be removed in v1). The newget_template
is the same asget_template_string
, except it allows to return either a string or a Template instance. -
You now must use only one of
template
,get_template
,template_name
, orget_template_name
.
v0.96¤
Feat¤
-
Run-time type validation for Python 3.11+ - If the
Component
class is typed, e.g.Component[Args, Kwargs, ...]
, the args, kwargs, slots, and data are validated against the given types. (See Runtime input validation with types) -
Render hooks - Set
on_render_before
andon_render_after
methods onComponent
to intercept or modify the template or context before rendering, or the rendered result afterwards. (See Component hooks) -
component_vars.is_filled
context variable can be accessed from withinon_render_before
andon_render_after
hooks asself.is_filled.my_slot
0.95¤
Feat¤
- Added support for dynamic components, where the component name is passed as a variable. (See Dynamic components)
Refactor¤
- Changed
Component.input
to raiseRuntimeError
if accessed outside of render context. Previously it returnedNone
if unset.
v0.94¤
Feat¤
-
django_components now automatically configures Django to support multi-line tags. (See Multi-line tags)
-
New setting
reload_on_template_change
. Set this toTrue
to reload the dev server on changes to component template files. (See Reload dev server on component file changes)
v0.93¤
Feat¤
-
Spread operator
...dict
inside template tags. (See Spread operator) -
Use template tags inside string literals in component inputs. (See Use template tags inside component inputs)
-
Dynamic slots, fills and provides - The
name
argument for these can now be a variable, a template expression, or via spread operator -
Component library authors can now configure
CONTEXT_BEHAVIOR
andTAG_FORMATTER
settings independently from user settings.
🚨📢 v0.92¤
BREAKING CHANGES¤
Component
class is no longer a subclass ofView
. To configure theView
class, set theComponent.View
nested class. HTTP methods likeget
orpost
can still be defined directly onComponent
class, andComponent.as_view()
internally callsComponent.View.as_view()
. (See Modifying the View class)
Feat¤
-
The inputs (args, kwargs, slots, context, ...) that you pass to
Component.render()
can be accessed from withinget_context_data
,get_template
andget_template_name
viaself.input
. (See Accessing data passed to the component) -
Typing:
Component
class supports generics that specify types forComponent.render
(See Adding type hints with Generics)
v0.90¤
Feat¤
-
All tags (
component
,slot
,fill
, ...) now support "self-closing" or "inline" form, where you can omit the closing tag:{# Before #} {% component "button" %}{% endcomponent %} {# After #} {% component "button" / %} diff --git a/dev/search/search_index.json b/dev/search/search_index.json index 92c3aef2..435d334f 100644 --- a/dev/search/search_index.json +++ b/dev/search/search_index.json @@ -1 +1 @@ -{"config":{"lang":["en"],"separator":"[\\s\\-]+","pipeline":["stopWordFilter"]},"docs":[{"location":"","title":"Welcome to Django Components","text":"
django-components
combines Django's templating system with the modularity seen in modern frontend frameworks like Vue or React.With
"},{"location":"#quickstart","title":"Quickstart","text":"django-components
you can support Django projects small and large without leaving the Django ecosystem.A component in django-components can be as simple as a Django template and Python code to declare the component:
components/calendar/calendar.html
components/calendar/calendar.py<div class=\"calendar\">\n Today's date is <span>{{ date }}</span>\n</div>\n
from django_components import Component\n\nclass Calendar(Component):\n template_file = \"calendar.html\"\n
Or a combination of Django template, Python, CSS, and Javascript:
components/calendar/calendar.html
components/calendar/calendar.css<div class=\"calendar\">\n Today's date is <span>{{ date }}</span>\n</div>\n
components/calendar/calendar.js.calendar {\n width: 200px;\n background: pink;\n}\n
components/calendar/calendar.pydocument.querySelector(\".calendar\").onclick = () => {\n alert(\"Clicked calendar!\");\n};\n
from django_components import Component\n\nclass Calendar(Component):\n template_file = \"calendar.html\"\n js_file = \"calendar.js\"\n css_file = \"calendar.css\"\n\n def get_template_data(self, args, kwargs, slots, context):\n return {\"date\": kwargs[\"date\"]}\n
Use the component like this:
{% component \"calendar\" date=\"2024-11-06\" %}{% endcomponent %}\n
And this is what gets rendered:
<div class=\"calendar-component\">\n Today's date is <span>2024-11-06</span>\n</div>\n
Read on to learn about all the exciting details and configuration possibilities!
(If you instead prefer to jump right into the code, check out the example project)
"},{"location":"#features","title":"Features","text":""},{"location":"#modern-and-modular-ui","title":"Modern and modular UI","text":"- Create self-contained, reusable UI elements.
- Each component can include its own HTML, CSS, and JS, or additional third-party JS and CSS.
- HTML, CSS, and JS can be defined on the component class, or loaded from files.
"},{"location":"#composition-with-slots","title":"Composition with slots","text":"from django_components import Component\n\n@register(\"calendar\")\nclass Calendar(Component):\n template = \"\"\"\n <div class=\"calendar\">\n Today's date is\n <span>{{ date }}</span>\n </div>\n \"\"\"\n\n css = \"\"\"\n .calendar {\n width: 200px;\n background: pink;\n }\n \"\"\"\n\n js = \"\"\"\n document.querySelector(\".calendar\")\n .addEventListener(\"click\", () => {\n alert(\"Clicked calendar!\");\n });\n \"\"\"\n\n # Additional JS and CSS\n class Media:\n js = [\"https://cdn.jsdelivr.net/npm/htmx.org@2.1.1/dist/htmx.min.js\"]\n css = [\"bootstrap/dist/css/bootstrap.min.css\"]\n\n # Variables available in the template\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"date\": kwargs[\"date\"]\n }\n
- Render components inside templates with
{% component %}
tag. - Compose them with
{% slot %}
and{% fill %}
tags. - Vue-like slot system, including scoped slots.
"},{"location":"#extended-template-tags","title":"Extended template tags","text":"{% component \"Layout\"\n bookmarks=bookmarks\n breadcrumbs=breadcrumbs\n%}\n {% fill \"header\" %}\n <div class=\"flex justify-between gap-x-12\">\n <div class=\"prose\">\n <h3>{{ project.name }}</h3>\n </div>\n <div class=\"font-semibold text-gray-500\">\n {{ project.start_date }} - {{ project.end_date }}\n </div>\n </div>\n {% endfill %}\n\n {# Access data passed to `{% slot %}` with `data` #}\n {% fill \"tabs\" data=\"tabs_data\" %}\n {% component \"TabItem\" header=\"Project Info\" %}\n {% component \"ProjectInfo\"\n project=project\n project_tags=project_tags\n attrs:class=\"py-5\"\n attrs:width=tabs_data.width\n / %}\n {% endcomponent %}\n {% endfill %}\n{% endcomponent %}\n
django-components
is designed for flexibility, making working with templates a breeze.It extends Django's template tags syntax with:
- Literal lists and dictionaries in the template
- Self-closing tags
{% mytag / %}
- Multi-line template tags
- Spread operator
...
to dynamically pass args or kwargs into the template tag - Template tags inside literal strings like
\"{{ first_name }} {{ last_name }}\"
- Pass dictonaries by their key-value pairs
attr:key=val
{% component \"table\"\n ...default_attrs\n title=\"Friend list for {{ user.name }}\"\n headers=[\"Name\", \"Age\", \"Email\"]\n data=[\n {\n \"name\": \"John\"|upper,\n \"age\": 30|add:1,\n \"email\": \"john@example.com\",\n \"hobbies\": [\"reading\"],\n },\n {\n \"name\": \"Jane\"|upper,\n \"age\": 25|add:1,\n \"email\": \"jane@example.com\",\n \"hobbies\": [\"reading\", \"coding\"],\n },\n ],\n attrs:class=\"py-4 ma-2 border-2 border-gray-300 rounded-md\"\n/ %}\n
You too can define template tags with these features by using
@template_tag()
orBaseNode
.Read more on Custom template tags.
"},{"location":"#full-programmatic-access","title":"Full programmatic access","text":"When you render a component, you can access everything about the component:
- Component input: args, kwargs, slots and context
- Component's template, CSS and JS
- Django's context processors
- Unique render ID
"},{"location":"#granular-html-attributes","title":"Granular HTML attributes","text":"class Table(Component):\n js_file = \"table.js\"\n css_file = \"table.css\"\n\n template = \"\"\"\n <div class=\"table\">\n <span>{{ variable }}</span>\n </div>\n \"\"\"\n\n def get_template_data(self, args, kwargs, slots, context):\n # Access component's ID\n assert self.id == \"djc1A2b3c\"\n\n # Access component's inputs and slots\n assert self.input.args == (123, \"str\")\n assert self.input.kwargs == {\"variable\": \"test\", \"another\": 1}\n footer_slot = self.input.slots[\"footer\"]\n some_var = self.input.context[\"some_var\"]\n\n # Access the request object and Django's context processors, if available\n assert self.request.GET == {\"query\": \"something\"}\n assert self.context_processors_data['user'].username == \"admin\"\n\n return {\n \"variable\": kwargs[\"variable\"],\n }\n\n# Access component's HTML / JS / CSS\nTable.template\nTable.js\nTable.css\n\n# Render the component\nrendered = Table.render(\n kwargs={\"variable\": \"test\", \"another\": 1},\n args=(123, \"str\"),\n slots={\"footer\": \"MY_FOOTER\"},\n)\n
Use the
{% html_attrs %}
template tag to render HTML attributes.It supports:
- Defining attributes as whole dictionaries or keyword arguments
- Merging attributes from multiple sources
- Boolean attributes
- Appending attributes
- Removing attributes
- Defining default attributes
<div\n {% html_attrs\n attrs\n defaults:class=\"default-class\"\n class=\"extra-class\"\n %}\n>\n
{% html_attrs %}
offers a Vue-like granular control forclass
andstyle
HTML attributes, where you can use a dictionary to manage each class name or style property separately.{% html_attrs\n class=\"foo bar\"\n class={\n \"baz\": True,\n \"foo\": False,\n }\n class=\"extra\"\n%}\n
{% html_attrs\n style=\"text-align: center; background-color: blue;\"\n style={\n \"background-color\": \"green\",\n \"color\": None,\n \"width\": False,\n }\n style=\"position: absolute; height: 12px;\"\n%}\n
Read more about HTML attributes.
"},{"location":"#html-fragment-support","title":"HTML fragment support","text":"django-components
makes integration with HTMX, AlpineJS or jQuery easy by allowing components to be rendered as HTML fragments:-
Components's JS and CSS files are loaded automatically when the fragment is inserted into the DOM.
-
Components can be exposed as Django Views with
get()
,post()
,put()
,patch()
,delete()
methods -
Automatically create an endpoint for a component with
Component.View.public
"},{"location":"#provide-inject","title":"Provide / Inject","text":"# components/calendar/calendar.py\n@register(\"calendar\")\nclass Calendar(Component):\n template_file = \"calendar.html\"\n\n class View:\n # Register Component with `urlpatterns`\n public = True\n\n # Define handlers\n def get(self, request, *args, **kwargs):\n page = request.GET.get(\"page\", 1)\n return self.component.render_to_response(\n request=request,\n kwargs={\n \"page\": page,\n },\n )\n\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"page\": kwargs[\"page\"],\n }\n\n# Get auto-generated URL for the component\nurl = get_component_url(Calendar)\n\n# Or define explicit URL in urls.py\npath(\"calendar/\", Calendar.as_view())\n
django-components
supports the provide / inject pattern, similarly to React's Context Providers or Vue's provide / inject:- Use the
{% provide %}
tag to provide data to the component tree - Use the
Component.inject()
method to inject data into the component
Read more about Provide / Inject.
<body>\n {% provide \"theme\" variant=\"light\" %}\n {% component \"header\" / %}\n {% endprovide %}\n</body>\n
"},{"location":"#input-validation-and-static-type-hints","title":"Input validation and static type hints","text":"@register(\"header\")\nclass Header(Component):\n template = \"...\"\n\n def get_template_data(self, args, kwargs, slots, context):\n theme = self.inject(\"theme\").variant\n return {\n \"theme\": theme,\n }\n
Avoid needless errors with type hints and runtime input validation.
To opt-in to input validation, define types for component's args, kwargs, slots, and more:
from typing import NamedTuple, Optional\nfrom django.template import Context\nfrom django_components import Component, Slot, SlotInput\n\nclass Button(Component):\n class Args(NamedTuple):\n size: int\n text: str\n\n class Kwargs(NamedTuple):\n variable: str\n another: int\n maybe_var: Optional[int] = None # May be omitted\n\n class Slots(NamedTuple):\n my_slot: Optional[SlotInput] = None\n another_slot: SlotInput\n\n def get_template_data(self, args: Args, kwargs: Kwargs, slots: Slots, context: Context):\n args.size # int\n kwargs.variable # str\n slots.my_slot # Slot[MySlotData]\n
To have type hints when calling
Button.render()
orButton.render_to_response()
, wrap the inputs in their respectiveArgs
,Kwargs
, andSlots
classes:
"},{"location":"#extensions","title":"Extensions","text":"Button.render(\n # Error: First arg must be `int`, got `float`\n args=Button.Args(\n size=1.25,\n text=\"abc\",\n ),\n # Error: Key \"another\" is missing\n kwargs=Button.Kwargs(\n variable=\"text\",\n ),\n)\n
Django-components functionality can be extended with Extensions. Extensions allow for powerful customization and integrations. They can:
- Tap into lifecycle events, such as when a component is created, deleted, or registered
- Add new attributes and methods to the components
- Add custom CLI commands
- Add custom URLs
Some of the extensions include:
- Component caching
- Django View integration
- Component defaults
- Pydantic integration (input validation)
Some of the planned extensions include:
- AlpineJS integration
- Storybook integration
- Component-level benchmarking with asv
- Components can be cached using Django's cache framework.
- Caching rules can be configured on a per-component basis.
- Components are cached based on their input. Or you can write custom caching logic.
"},{"location":"#simple-testing","title":"Simple testing","text":"from django_components import Component\n\nclass MyComponent(Component):\n class Cache:\n enabled = True\n ttl = 60 * 60 * 24 # 1 day\n\n def hash(self, *args, **kwargs):\n return hash(f\"{json.dumps(args)}:{json.dumps(kwargs)}\")\n
- Write tests for components with
@djc_test
decorator. - The decorator manages global state, ensuring that tests don't leak.
- If using
pytest
, the decorator allows you to parametrize Django or Components settings. - The decorator also serves as a stand-in for Django's
@override_settings
.
"},{"location":"#debugging-features","title":"Debugging features","text":"from django_components.testing import djc_test\n\nfrom components.my_table import MyTable\n\n@djc_test\ndef test_my_table():\n rendered = MyTable.render(\n kwargs={\n \"title\": \"My table\",\n },\n )\n assert rendered == \"<table>My table</table>\"\n
- Visual component inspection: Highlight components and slots directly in your browser.
- Detailed tracing logs to supply AI-agents with context: The logs include component and slot names and IDs, and their position in the tree.
- Install and use third-party components from PyPI
- Or publish your own \"component registry\"
-
Highly customizable - Choose how the components are called in the template (and more):
{% component \"calendar\" date=\"2024-11-06\" %}\n{% endcomponent %}\n\n{% calendar date=\"2024-11-06\" %}\n{% endcalendar %}\n
Our aim is to be at least as fast as Django templates.
As of
Render time django 68.9\u00b10.6ms django-components 259\u00b14ms0.130
,django-components
is ~4x slower than Django templates.See the full performance breakdown for more information.
"},{"location":"#release-notes","title":"Release notes","text":"Read the Release Notes to see the latest features and fixes.
"},{"location":"#community-examples","title":"Community examples","text":"One of our goals with
"},{"location":"#contributing-and-development","title":"Contributing and development","text":"django-components
is to make it easy to share components between projects. Head over to the Community examples to see some examples.Get involved or sponsor this project - See here
Running django-components locally for development - See here
"},{"location":"migrating_from_safer_staticfiles/","title":"Migrating from safer_staticfiles","text":"This guide is for you if you're upgrating django_components to v0.100 or later from older versions.
In version 0.100, we changed how components' static JS and CSS files are handled. See more in the \"Static files\" section.
Migration steps:
- Remove
django_components.safer_staticfiles
fromINSTALLED_APPS
in yoursettings.py
, and replace it withdjango.contrib.staticfiles
.
Before:
INSTALLED_APPS = [\n \"django.contrib.admin\",\n ...\n # \"django.contrib.staticfiles\", # <-- ADD\n \"django_components\",\n \"django_components.safer_staticfiles\", # <-- REMOVE\n]\n
After:
INSTALLED_APPS = [\n \"django.contrib.admin\",\n ...\n \"django.contrib.staticfiles\",\n \"django_components\",\n]\n
- Add
STATICFILES_FINDERS
tosettings.py
, and adddjango_components.finders.ComponentsFileSystemFinder
:
STATICFILES_FINDERS = [\n # Default finders\n \"django.contrib.staticfiles.finders.FileSystemFinder\",\n \"django.contrib.staticfiles.finders.AppDirectoriesFinder\",\n # Django components\n \"django_components.finders.ComponentsFileSystemFinder\", # <-- ADDED\n]\n
- Add
COMPONENTS.dirs
tosettings.py
.
If you previously defined
STATICFILES_DIRS
, move only those directories fromSTATICFILES_DIRS
that point to components directories, and keep the rest.E.g. if you have
STATICFILES_DIRS
like this:STATICFILES_DIRS = [\n BASE_DIR / \"components\", # <-- MOVE\n BASE_DIR / \"myapp\" / \"components\", # <-- MOVE\n BASE_DIR / \"assets\",\n]\n
Then first two entries point to components dirs, whereas
/assets
points to non-component static files. In this case move only the first two paths:COMPONENTS = {\n \"dirs\": [\n BASE_DIR / \"components\", # <-- MOVED\n BASE_DIR / \"myapp\" / \"components\", # <-- MOVED\n ],\n}\n\nSTATICFILES_DIRS = [\n BASE_DIR / \"assets\",\n]\n
Moreover, if you defined app-level component directories in
STATICFILES_DIRS
before, you can now define as a RELATIVE path inapp_dirs
:
"},{"location":"release_notes/","title":"Release notes","text":""},{"location":"release_notes/#v01400","title":"\ud83d\udea8\ud83d\udce2 v0.140.0","text":""},{"location":"release_notes/#breaking-changes","title":"\ud83d\udea8\ud83d\udce2 BREAKING CHANGES","text":"COMPONENTS = {\n \"dirs\": [\n # Search top-level \"/components/\" dir\n BASE_DIR / \"components\",\n ],\n \"app_dirs\": [\n # Search \"/[app]/components/\" dirs\n \"components\",\n ],\n}\n\nSTATICFILES_DIRS = [\n BASE_DIR / \"assets\",\n]\n
-
Component typing no longer uses generics. Instead, the types are now defined as class attributes of the component class.
Before:
Args = Tuple[float, str]\n\nclass Button(Component[Args]):\n pass\n
After:
class Button(Component):\n class Args(NamedTuple):\n size: float\n text: str\n
See Migrating from generics to class attributes for more info.
-
The middleware
ComponentDependencyMiddleware
was removed as it is no longer needed.The middleware served one purpose - to render the JS and CSS dependencies of components when you rendered templates with
Template.render()
ordjango.shortcuts.render()
and those templates contained{% component %}
tags.Now, the JS and CSS dependencies of components are automatically rendered, even when you render Templates with
Template.render()
ordjango.shortcuts.render()
.- NOTE: If you rendered HTML with
Component.render()
orComponent.render_to_response()
, the JS and CSS were already rendered.
To disable this behavior, set the
DJC_DEPS_STRATEGY
context key to\"ignore\"
when rendering the template:# With `Template.render()`:\ntemplate = Template(template_str)\nrendered = template.render(Context({\"DJC_DEPS_STRATEGY\": \"ignore\"}))\n\n# Or with django.shortcuts.render():\nfrom django.shortcuts import render\nrendered = render(\n request,\n \"my_template.html\",\n context={\"DJC_DEPS_STRATEGY\": \"ignore\"},\n)\n
In fact, you can set the
DJC_DEPS_STRATEGY
context key to any of the strategies:\"document\"
\"fragment\"
\"simple\"
\"prepend\"
\"append\"
\"ignore\"
See Dependencies rendering for more info.
- NOTE: If you rendered HTML with
-
The interface of the not-yet-released
get_js_data()
andget_css_data()
methods has changed to matchget_template_data()
.Before:
def get_js_data(self, *args, **kwargs):\ndef get_css_data(self, *args, **kwargs):\n
After:
def get_js_data(self, args, kwargs, slots, context):\ndef get_css_data(self, args, kwargs, slots, context):\n
-
Removed
EmptyTuple
andEmptyDict
types. Instead, there is now a singleEmpty
type.from django_components import Component, Empty\n\nclass Button(Component):\n template = \"Hello\"\n\n Args = Empty\n Kwargs = Empty\n
-
Arguments in
Component.render_to_response()
have changed to match that ofComponent.render()
.Please ensure that you pass the parameters as kwargs, not as positional arguments, to avoid breaking changes.
The signature changed, moving the
args
andkwargs
parameters to 2nd and 3rd position.Next, the
render_dependencies
parameter was added to matchComponent.render()
.Lastly:
- Previously, any extra ARGS and KWARGS were passed to the
response_class
. - Now, only extra KWARGS will be passed to the
response_class
.
Before:
def render_to_response(\n cls,\n context: Optional[Union[Dict[str, Any], Context]] = None,\n slots: Optional[SlotsType] = None,\n escape_slots_content: bool = True,\n args: Optional[ArgsType] = None,\n kwargs: Optional[KwargsType] = None,\n deps_strategy: DependenciesStrategy = \"document\",\n request: Optional[HttpRequest] = None,\n *response_args: Any,\n **response_kwargs: Any,\n ) -> HttpResponse:\n
After:
def render_to_response(\n context: Optional[Union[Dict[str, Any], Context]] = None,\n args: Optional[Tuple[Any, ...]] = None,\n kwargs: Optional[Mapping] = None,\n slots: Optional[Mapping] = None,\n escape_slots_content: bool = True,\n deps_strategy: DependenciesStrategy = \"document\",\n render_dependencies: bool = True,\n request: Optional[HttpRequest] = None,\n **response_kwargs: Any,\n) -> HttpResponse:\n
- Previously, any extra ARGS and KWARGS were passed to the
-
The
Component.Url
class was merged withComponent.View
.Instead of
Component.Url.public
, useComponent.View.public
.If you imported
ComponentUrl
fromdjango_components
, you need to update your import toComponentView
.Before:
class MyComponent(Component):\n class Url:\n public = True\n\n class View:\n def get(self, request):\n return self.render_to_response()\n
After:
class MyComponent(Component):\n class View:\n public = True\n\n def get(self, request):\n return self.render_to_response()\n
-
Component name in the
{% component %}
tag can no longer be set as a kwarg.Instead, the component name MUST be the first POSITIONAL argument only.
Before, it was possible to set the component name as a kwarg and put it anywhere in the
{% component %}
tag:{% component rows=rows headers=headers name=\"my_table\" ... / %}\n
Now, the component name MUST be the first POSITIONAL argument:
{% component \"my_table\" rows=rows headers=headers ... / %}\n
Thus, the
name
kwarg can now be used as a regular input.{% component \"profile\" name=\"John\" job=\"Developer\" / %}\n
-
The second argument to
render_dependencies()
is nowstrategy
instead oftype
.Before:
render_dependencies(content, type=\"document\")\n
After:
render_dependencies(content, strategy=\"document\")\n
-
get_context_data()
is now deprecated. Useget_template_data()
instead.get_template_data()
behaves the same way, but has a different function signature to accept also slots and context.Since
get_context_data()
is widely used, it will remain available until v2. -
The
type
kwarg inComponent.render()
andComponent.render_to_response()
is now deprecated. Usedeps_strategy
instead. Thetype
kwarg will be removed in v1.Before:
Calendar.render_to_response(type=\"fragment\")\n
After:
Calendar.render_to_response(deps_strategy=\"fragment\")\n
-
The
render_dependencies
kwarg inComponent.render()
andComponent.render_to_response()
is now deprecated. Usedeps_strategy=\"ignore\"
instead. Therender_dependencies
kwarg will be removed in v1.Before:
Calendar.render_to_response(render_dependencies=False)\n
After:
Calendar.render_to_response(deps_strategy=\"ignore\")\n
-
SlotContent
was renamed toSlotInput
. The old name is deprecated and will be removed in v1. -
In the
on_component_data()
extension hook, thecontext_data
field of the context object was superseded bytemplate_data
.The
context_data
field will be removed in v1.0.Before:
class MyExtension(ComponentExtension):\n def on_component_data(self, ctx: OnComponentDataContext) -> None:\n ctx.context_data[\"my_template_var\"] = \"my_value\"\n
After:
class MyExtension(ComponentExtension):\n def on_component_data(self, ctx: OnComponentDataContext) -> None:\n ctx.template_data[\"my_template_var\"] = \"my_value\"\n
-
New method to render template variables -
get_template_data()
get_template_data()
behaves the same way asget_context_data()
, but has a different function signature to accept also slots and context.class Button(Component):\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"val1\": args[0],\n \"val2\": kwargs[\"field\"],\n }\n
If you define
Component.Args
,Component.Kwargs
,Component.Slots
, then theargs
,kwargs
,slots
arguments will be instances of these classes:class Button(Component):\n class Args(NamedTuple):\n field1: str\n\n class Kwargs(NamedTuple):\n field2: int\n\n def get_template_data(self, args: Args, kwargs: Kwargs, slots, context):\n return {\n \"val1\": args.field1,\n \"val2\": kwargs.field2,\n }\n
-
Input validation is now part of the render process.
When you specify the input types (such as
Component.Args
,Component.Kwargs
, etc), the actual inputs to data methods (Component.get_template_data()
, etc) will be instances of the types you specified.This practically brings back input validation, because the instantiation of the types will raise an error if the inputs are not valid.
Read more on Typing and validation
-
Render emails or other non-browser HTML with new \"dependencies strategies\"
When rendering a component with
Component.render()
orComponent.render_to_response()
, thedeps_strategy
kwarg (previouslytype
) now accepts additional options:\"simple\"
\"prepend\"
\"append\"
\"ignore\"
Calendar.render_to_response(\n request=request,\n kwargs={\n \"date\": request.GET.get(\"date\", \"\"),\n },\n deps_strategy=\"append\",\n)\n
Comparison of dependencies render strategies:
\"document\"
- Smartly inserts JS / CSS into placeholders or into
<head>
and<body>
tags. - Inserts extra script to allow
fragment
strategy to work. - Assumes the HTML will be rendered in a JS-enabled browser.
- Smartly inserts JS / CSS into placeholders or into
\"fragment\"
- A lightweight HTML fragment to be inserted into a document with AJAX.
- Ignores placeholders and any
<head>
/<body>
tags. - No JS / CSS included.
\"simple\"
- Smartly insert JS / CSS into placeholders or into
<head>
and<body>
tags. - No extra script loaded.
- Smartly insert JS / CSS into placeholders or into
\"prepend\"
- Insert JS / CSS before the rendered HTML.
- Ignores placeholders and any
<head>
/<body>
tags. - No extra script loaded.
\"append\"
- Insert JS / CSS after the rendered HTML.
- Ignores placeholders and any
<head>
/<body>
tags. - No extra script loaded.
\"ignore\"
- Rendered HTML is left as-is. You can still process it with a different strategy later with
render_dependencies()
. - Used for inserting rendered HTML into other components.
- Rendered HTML is left as-is. You can still process it with a different strategy later with
See Dependencies rendering for more info.
-
get_component_url()
now optionally acceptsquery
andfragment
arguments.from django_components import get_component_url\n\nurl = get_component_url(\n MyComponent,\n query={\"foo\": \"bar\"},\n fragment=\"baz\",\n)\n# /components/ext/view/components/c1ab2c3?foo=bar#baz\n
- Fix compatibility of component caching with
{% extend %}
block (#1135)
-
Component ID is now prefixed with
c
, e.g.c123456
. -
When typing a Component, you can now specify as few or as many parameters as you want.
Component[Args]\nComponent[Args, Kwargs]\nComponent[Args, Kwargs, Slots]\nComponent[Args, Kwargs, Slots, Data]\nComponent[Args, Kwargs, Slots, Data, JsData]\nComponent[Args, Kwargs, Slots, Data, JsData, CssData]\n
All omitted parameters will default to
Any
. -
Added
typing_extensions
to the project as a dependency -
Multiple extensions with the same name (case-insensitive) now raise an error
-
Extension names (case-insensitive) also MUST NOT conflict with existing Component class API.
So if you name an extension
render
, it will conflict with therender()
method of theComponent
class, and thus raise an error.
- Fix bug: Fix compatibility with
Finder.find()
in Django 5.2 (#1119)
- Fix bug: Allow components with
Url.public = True
to be defined beforedjango.setup()
-
Each Component class now has a
class_id
attribute, which is unique to the component subclass.NOTE: This is different from
Component.id
, which is unique to each rendered instance.To look up a component class by its
class_id
, useget_component_by_class_id()
. -
It's now easier to create URLs for component views.
Before, you had to call
Component.as_view()
and pass that tourlpatterns
.Now this can be done for you if you set
Component.Url.public
toTrue
:class MyComponent(Component):\n class Url:\n public = True\n ...\n
Then, to get the URL for the component, use
get_component_url()
:from django_components import get_component_url\n\nurl = get_component_url(MyComponent)\n
This way you don't have to mix your app URLs with component URLs.
Read more on Component views and URLs.
-
Per-component caching - Set
Component.Cache.enabled
toTrue
to enable caching for a component.Component caching allows you to store the rendered output of a component. Next time the component is rendered with the same input, the cached output is returned instead of re-rendering the component.
class TestComponent(Component):\n template = \"Hello\"\n\n class Cache:\n enabled = True\n ttl = 0.1 # .1 seconds TTL\n cache_name = \"custom_cache\"\n\n # Custom hash method for args and kwargs\n # NOTE: The default implementation simply serializes the input into a string.\n # As such, it might not be suitable for complex objects like Models.\n def hash(self, *args, **kwargs):\n return f\"{json.dumps(args)}:{json.dumps(kwargs)}\"\n
Read more on Component caching.
-
@djc_test
can now be called without first callingdjango.setup()
, in which case it does it for you. -
Expose
ComponentInput
class, which is a typing forComponent.input
.
-
Currently, view request handlers such as
get()
andpost()
methods can be defined directly on theComponent
class:class MyComponent(Component):\n def get(self, request):\n return self.render_to_response()\n
Or, nested within the
Component.View
class:class MyComponent(Component):\n class View:\n def get(self, request):\n return self.render_to_response()\n
In v1, these methods should be defined only on the
Component.View
class instead.
Component.get_context_data()
can now omit a return statement or returnNone
.
-
Component input validation was moved to a separate extension
djc-ext-pydantic
.If you relied on components raising errors when inputs were invalid, you need to install
djc-ext-pydantic
and add it to extensions:# settings.py\nCOMPONENTS = {\n \"extensions\": [\n \"djc_pydantic.PydanticExtension\",\n ],\n}\n
- Make it possible to resolve URLs added by extensions by their names
- Add defaults for the component inputs with the
Component.Defaults
nested class. Defaults are applied if the argument is not given, or if it set toNone
.
For lists, dictionaries, or other objects, wrap the value in
Default()
class to mark it as a factory function:```python\nfrom django_components import Default\n\nclass Table(Component):\n class Defaults:\n position = \"left\"\n width = \"200px\"\n options = Default(lambda: [\"left\", \"right\", \"center\"])\n\n def get_context_data(self, position, width, options):\n return {\n \"position\": position,\n \"width\": width,\n \"options\": options,\n }\n\n# `position` is used as given, `\"right\"`\n# `width` uses default because it's `None`\n# `options` uses default because it's missing\nTable.render(\n kwargs={\n \"position\": \"right\",\n \"width\": None,\n }\n)\n```\n
-
{% html_attrs %}
now offers a Vue-like granular control overclass
andstyle
HTML attributes, where each class name or style property can be managed separately.{% html_attrs\n class=\"foo bar\"\n class={\"baz\": True, \"foo\": False}\n class=\"extra\"\n%}\n
{% html_attrs\n style=\"text-align: center; background-color: blue;\"\n style={\"background-color\": \"green\", \"color\": None, \"width\": False}\n style=\"position: absolute; height: 12px;\"\n%}\n
Read more on HTML attributes.
- Fix compat with Windows when reading component files (#1074)
- Fix resolution of component media files edge case (#1073)
- HOTFIX: Fix the use of URLs in
Component.Media.js
andComponent.Media.css
\u26a0\ufe0f Attention \u26a0\ufe0f - Please update to v0.134 to fix bugs introduced in v0.132.
"},{"location":"release_notes/#fix_6","title":"Fix","text":"- HOTFIX: Fix the use of URLs in
Component.Media.js
andComponent.Media.css
\u26a0\ufe0f Attention \u26a0\ufe0f - Please update to v0.134 to fix bugs introduced in v0.132.
"},{"location":"release_notes/#feat_3","title":"Feat","text":"-
Allow to use glob patterns as paths for additional JS / CSS in
Component.Media.js
andComponent.Media.css
class MyComponent(Component):\n class Media:\n js = [\"*.js\"]\n css = [\"*.css\"]\n
- Fix installation for Python 3.13 on Windows.
-
Support for extensions (plugins) for django-components!
- Hook into lifecycle events of django-components
- Pre-/post-process component inputs, outputs, and templates
- Add extra methods or attributes to Components
- Add custom extension-specific CLI commands
- Add custom extension-specific URL routes
Read more on Extensions.
-
New CLI commands:
components list
- List all componentscomponents create <name>
- Create a new component (supersedesstartcomponent
)components upgrade
- Upgrade a component (supersedesupgradecomponent
)components ext list
- List all extensionscomponents ext run <extension> <command>
- Run a command added by an extension
-
@djc_test
decorator for writing tests that involve Components.- The decorator manages global state, ensuring that tests don't leak.
- If using
pytest
, the decorator allows you to parametrize Django or Components settings. - The decorator also serves as a stand-in for Django's
@override_settings
.
See the API reference for
@djc_test
for more details. -
ComponentRegistry
now has ahas()
method to check if a component is registered without raising an error. -
Get all created
Component
classes withall_components()
. -
Get all created
ComponentRegistry
instances withall_registries()
.
-
The
startcomponent
andupgradecomponent
commands are deprecated, and will be removed in v1.Instead, use
components create <name>
andcomponents upgrade
.
- Settings are now loaded only once, and thus are considered immutable once loaded. Previously, django-components would load settings from
settings.COMPONENTS
on each access. The new behavior aligns with Django's settings.
-
Access the HttpRequest object under
Component.request
.To pass the request object to a component, either: - Render a template or component with
RequestContext
, - Or set therequest
kwarg toComponent.render()
orComponent.render_to_response()
.Read more on HttpRequest.
-
Access the context processors data under
Component.context_processors_data
.Context processors data is available only when the component has access to the
request
object, either by: - Passing the request toComponent.render()
orComponent.render_to_response()
, - Or by rendering a template or component withRequestContext
, - Or being nested in another component that has access to the request object.The data from context processors is automatically available within the component's template.
Read more on HttpRequest.
- Fix thread unsafe media resolve validation by moving it to ComponentMedia
__post_init
(#977 - Fix bug: Relative path in extends and include does not work when using template_file (#976
- Fix error when template cache setting (
template_cache_size
) is set to 0 (#974
-
Configurable cache - Set
COMPONENTS.cache
to change where and how django-components caches JS and CSS files. (#946)Read more on Caching.
-
Highlight coponents and slots in the UI - We've added two boolean settings
COMPONENTS.debug_highlight_components
andCOMPONENTS.debug_highlight_slots
, which can be independently set toTrue
. First will wrap components in a blue border, the second will wrap slots in a red border. (#942)Read more on Troubleshooting.
- Removed use of eval for node validation (#944)
-
Components can now be infinitely nested. (#936)
-
Component input validation is now 6-7x faster on CPython and PyPy. This previously made up 10-30% of the total render time. (#945)
- Fix component rendering when using
{% cache %}
with remote cache and multiple web servers (#930)
- Replaced BeautifulSoup4 with a custom HTML parser.
- The heuristic for inserting JS and CSS dependenies into the default place has changed.
- JS is still inserted at the end of the
<body>
, and CSS at the end of<head>
. - However, we find end of
<body>
by searching for last occurrence of</body>
- And for the end of
<head>
we search for the first occurrence of</head>
- JS is still inserted at the end of the
\u26a0\ufe0f Attention \u26a0\ufe0f - We migrated from
EmilStenstrom/django-components
todjango-components/django-components
.Repo name and documentation URL changed. Package name remains the same.
If you see any broken links or other issues, please report them in #922.
"},{"location":"release_notes/#feat_7","title":"Feat","text":"@template_tag
andBaseNode
- A decorator and a class that allow you to define custom template tags that will behave similarly to django-components' own template tags.
Read more on Template tags.
Template tags defined with
@template_tag
andBaseNode
will have the following features:-
Accepting args, kwargs, and flags.
-
Allowing literal lists and dicts as inputs as:
key=[1, 2, 3]
orkey={\"a\": 1, \"b\": 2}
- Using template tags tag inputs as:{% my_tag key=\"{% lorem 3 w %}\" / %}
- Supporting the flat dictionary definition:attr:key=value
- Spreading args and kwargs with...
:{% my_tag ...args ...kwargs / %}
- Being able to call the template tag as:{% my_tag %} ... {% endmy_tag %}
or{% my_tag / %}
-
Refactored template tag input validation. When you now call template tags like
{% slot %}
,{% fill %}
,{% html_attrs %}
, and others, their inputs are now validated the same way as Python function inputs are.So, for example
{% slot \"my_slot\" name=\"content\" / %}\n
will raise an error, because the positional argument
name
is given twice.NOTE: Special kwargs whose keys are not valid Python variable names are not affected by this change. So when you define:
{% component data-id=123 / %}\n
The
data-id
will still be accepted as a valid kwarg, assuming that yourget_context_data()
accepts**kwargs
:def get_context_data(self, **kwargs):\n return {\n \"data_id\": kwargs[\"data-id\"],\n }\n
-
Instead of inlining the JS and CSS under
Component.js
andComponent.css
, you can move them to their own files, and link the JS/CSS files withComponent.js_file
andComponent.css_file
.Even when you specify the JS/CSS with
Component.js_file
orComponent.css_file
, then you can still access the content underComponent.js
orComponent.css
- behind the scenes, the content of the JS/CSS files will be set toComponent.js
/Component.css
upon first access.The same applies to
Component.template_file
, which will populateComponent.template
upon first access.With this change, the role of
Component.js/css
and the JS/CSS inComponent.Media
has changed:- The JS/CSS defined in
Component.js/css
orComponent.js/css_file
is the \"main\" JS/CSS - The JS/CSS defined in
Component.Media.js/css
are secondary or additional
See the updated \"Getting Started\" tutorial
- The JS/CSS defined in
-
The canonical way to define a template file was changed from
template_name
totemplate_file
, to align with the rest of the API.template_name
remains for backwards compatibility. When you get / settemplate_name
, internally this is proxied totemplate_file
. -
The undocumented
Component.component_id
was removed. Instead, useComponent.id
. Changes:- While
component_id
was unique every time you instantiatedComponent
, the newid
is unique every time you render the component (e.g. withComponent.render()
) - The new
id
is available only during render, so e.g. from withinget_context_data()
- While
-
Component's HTML / CSS / JS are now resolved and loaded lazily. That is, if you specify
template_name
/template_file
,js_file
,css_file
, orMedia.js/css
, the file paths will be resolved only once you:- Try to access component's HTML / CSS / JS, or
- Render the component.
Read more on Accessing component's HTML / JS / CSS.
-
Component inheritance:
- When you subclass a component, the JS and CSS defined on parent's
Media
class is now inherited by the child component. - You can disable or customize Media inheritance by setting
extend
attribute on theComponent.Media
nested class. This work similarly to Django'sMedia.extend
. - When child component defines either
template
ortemplate_file
, both of parent'stemplate
andtemplate_file
are ignored. The same applies tojs_file
andcss_file
.
- When you subclass a component, the JS and CSS defined on parent's
-
Autodiscovery now ignores files and directories that start with an underscore (
_
), except__init__.py
-
The Signals emitted by or during the use of django-components are now documented, together the
template_rendered
signal.
- Fix edge cases around rendering components whose templates used the
{% extends %}
template tag (#859)
- Add support for HTML fragments. HTML fragments can be rendered by passing
type=\"fragment\"
toComponent.render()
orComponent.render_to_response()
. Read more on how to use HTML fragments with HTMX, AlpineJS, or vanillaJS.
- Fix the use of Django template filters (
|lower:\"etc\"
) with component inputs #855.
\u26a0\ufe0f Attention \u26a0\ufe0f - Please update to v0.121 to fix bugs introduced in v0.119.
"},{"location":"release_notes/#fix_12","title":"Fix","text":"- Fix the use of translation strings
_(\"bla\")
as inputs to components #849.
\u26a0\ufe0f Attention \u26a0\ufe0f - This release introduced bugs #849, #855. Please update to v0.121.
"},{"location":"release_notes/#fix_13","title":"Fix","text":"- Fix compatibility with custom subclasses of Django's
Template
that need to accessorigin
or other initialization arguments. (https://github.com/django-components/django-components/pull/828)
- Compatibility with
django-debug-toolbar-template-profiler
: -
Monkeypatching of Django's
Template
now happens atAppConfig.ready()
(https://github.com/django-components/django-components/pull/825) -
Internal parsing of template tags tag was updated. No API change. (https://github.com/django-components/django-components/pull/827)
- Add support for
context_processors
andRenderContext
inside component templates
Component.render()
andComponent.render_to_response()
now accept an extra kwargrequest
.```py\ndef my_view(request)\n return MyTable.render_to_response(\n request=request\n )\n```\n
-
When you pass in
request
, the component will useRenderContext
instead ofContext
. Thus the context processors will be applied to the context. -
NOTE: When you pass in both
request
andcontext
toComponent.render()
, andcontext
is already an instance ofContext
, therequest
kwarg will be ignored.
- The HTML parser no longer erronously inserts
<html><head><body>
on some occasions, and no longer tries to close unclosed HTML tags.
- Replaced Selectolax with BeautifulSoup4 as project dependencies.
\u26a0\ufe0f Attention \u26a0\ufe0f - Please update to v0.117 to fix known bugs. See #791 and #789 and #818.
"},{"location":"release_notes/#fix_15","title":"Fix","text":"- Fix the order of execution of JS scripts:
- Scripts in
Component.Media.js
are executed in the order they are defined -
Scripts in
Component.js
are executed AFTERMedia.js
scripts -
Fix compatibility with AlpineJS
- Scripts in
Component.Media.js
are now again inserted as<script>
tags - By default,
Component.Media.js
are inserted as synchronous<script>
tags, so the AlpineJS components registered in theMedia.js
scripts will now again run BEFORE the core AlpineJS script.
AlpineJS can be configured like so:
Option 1 - AlpineJS loaded in
<head>
withdefer
attribute:<html>\n <head>\n {% component_css_dependencies %}\n <script defer src=\"https://unpkg.com/alpinejs\"></script>\n </head>\n <body>\n {% component 'my_alpine_component' / %}\n {% component_js_dependencies %}\n </body>\n</html>\n
Option 2 - AlpineJS loaded in
<body>
AFTER{% component_js_depenencies %}
:
"},{"location":"release_notes/#v0115","title":"v0.115","text":"<html>\n <head>\n {% component_css_dependencies %}\n </head>\n <body>\n {% component 'my_alpine_component' / %}\n {% component_js_dependencies %}\n\n <script src=\"https://unpkg.com/alpinejs\"></script>\n </body>\n</html>\n
\u26a0\ufe0f Attention \u26a0\ufe0f - Please update to v0.117 to fix known bugs. See #791 and #789 and #818.
"},{"location":"release_notes/#fix_16","title":"Fix","text":"- Fix integration with ManifestStaticFilesStorage on Windows by resolving component filepaths (like
Component.template_name
) to POSIX paths.
\u26a0\ufe0f Attention \u26a0\ufe0f - Please update to v0.117 to fix known bugs. See #791 and #789 and #818.
"},{"location":"release_notes/#fix_17","title":"Fix","text":"- Prevent rendering Slot tags during fill discovery stage to fix a case when a component inside a slot fill tried to access provided data too early.
\u26a0\ufe0f Attention \u26a0\ufe0f - Please update to v0.117 to fix known bugs. See #791 and #789 and #818.
"},{"location":"release_notes/#fix_18","title":"Fix","text":"- Ensure consistent order of scripts in
Component.Media.js
\u26a0\ufe0f Attention \u26a0\ufe0f - Please update to v0.117 to fix known bugs. See #791 and #789 and #818.
"},{"location":"release_notes/#fix_19","title":"Fix","text":"- Allow components to accept default fill even if no default slot was encountered during rendering
\u26a0\ufe0f Attention \u26a0\ufe0f - Please update to v0.117 to fix known bugs. See #791 and #789 and #818.
"},{"location":"release_notes/#fix_20","title":"Fix","text":"- Prevent rendering Component tags during fill discovery stage to fix a case when a component inside the default slot tried to access provided data too early.
\u26a0\ufe0f Attention \u26a0\ufe0f - Please update to v0.117 to fix known bugs. See #791 and #789 and #818.
"},{"location":"release_notes/#general","title":"General","text":""},{"location":"release_notes/#breaking-changes_2","title":"\ud83d\udea8\ud83d\udce2 BREAKING CHANGES","text":"-
Installation changes:
- If your components include JS or CSS, you now must use the middleware and add django-components' URLs to your
urlpatterns
(See \"Adding support for JS and CSS\")
- If your components include JS or CSS, you now must use the middleware and add django-components' URLs to your
-
Component typing signature changed from
Component[Args, Kwargs, Data, Slots]\n
to
Component[Args, Kwargs, Slots, Data, JsData, CssData]\n
-
If you rendered a component A with
Component.render()
and then inserted that into another component B, now you must passrender_dependencies=False
to component A:prerendered_a = CompA.render(\n args=[...],\n kwargs={...},\n render_dependencies=False,\n)\n\nhtml = CompB.render(\n kwargs={\n content=prerendered_a,\n },\n)\n
- Intellisense and mypy validation for settings:
Instead of defining the
COMPONENTS
settings as a plain dict, you can useComponentsSettings
:# settings.py\nfrom django_components import ComponentsSettings\n\nCOMPONENTS = ComponentsSettings(\n autodiscover=True,\n ...\n)\n
- Use
get_component_dirs()
andget_component_files()
to get the same list of dirs / files that would be imported byautodiscover()
, but without actually importing them.
-
For advanced use cases, use can omit the middleware and instead manage component JS and CSS dependencies yourself with
render_dependencies
-
The
ComponentRegistry
settingsRegistrySettings
were lowercased to align with the global settings: RegistrySettings.CONTEXT_BEHAVIOR
->RegistrySettings.context_behavior
RegistrySettings.TAG_FORMATTER
->RegistrySettings.tag_formatter
The old uppercase settings
CONTEXT_BEHAVIOR
andTAG_FORMATTER
are deprecated and will be removed in v1.-
The setting
reload_on_template_change
was renamed toreload_on_file_change
. And now it properly triggers server reload when any file in the component dirs change. The old namereload_on_template_change
is deprecated and will be removed in v1. -
The setting
forbidden_static_files
was renamed tostatic_files_forbidden
to align withstatic_files_allowed
The old nameforbidden_static_files
is deprecated and will be removed in v1.
-
{% component_dependencies %}
tag was removed. Instead, use{% component_js_dependencies %}
and{% component_css_dependencies %}
-
The combined tag was removed to encourage the best practice of putting JS scripts at the end of
<body>
, and CSS styles inside<head>
.On the other hand, co-locating JS script and CSS styles can lead to a flash of unstyled content, as either JS scripts will block the rendering, or CSS will load too late.
-
-
The undocumented keyword arg
preload
of{% component_js_dependencies %}
and{% component_css_dependencies %}
tags was removed. This will be replaced with HTML fragment support.
- Allow using forward slash (
/
) when defining custom TagFormatter, e.g.{% MyComp %}..{% /MyComp %}
.
{% component_dependencies %}
tags are now OPTIONAL - If your components use JS and CSS, but you don't use{% component_dependencies %}
tags, the JS and CSS will now be, by default, inserted at the end of<body>
and at the end of<head>
respectively.
- Fills can now be defined within loops (
{% for %}
) or other tags (like{% with %}
), or even other templates using{% include %}
.
Following is now possible
{% component \"table\" %}\n {% for slot_name in slots %}\n {% fill name=slot_name %}\n {% endfill %}\n {% endfor %}\n{% endcomponent %}\n
- If you need to access the data or the default content of a default fill, you can set the
name
kwarg to\"default\"
.
Previously, a default fill would be defined simply by omitting the
{% fill %}
tags:{% component \"child\" %}\n Hello world\n{% endcomponent %}\n
But in that case you could not access the slot data or the default content, like it's possible for named fills:
{% component \"child\" %}\n {% fill name=\"header\" data=\"data\" %}\n Hello {{ data.user.name }}\n {% endfill %}\n{% endcomponent %}\n
Now, you can specify default tag by using
name=\"default\"
:{% component \"child\" %}\n {% fill name=\"default\" data=\"data\" %}\n Hello {{ data.user.name }}\n {% endfill %}\n{% endcomponent %}\n
- When inside
get_context_data()
or other component methods, the default fill can now be accessed asComponent.input.slots[\"default\"]
, e.g.:
class MyTable(Component):\n def get_context_data(self, *args, **kwargs):\n default_slot = self.input.slots[\"default\"]\n ...\n
- You can now dynamically pass all slots to a child component. This is similar to passing all slots in Vue:
"},{"location":"release_notes/#fix_22","title":"Fix","text":"class MyTable(Component):\n def get_context_data(self, *args, **kwargs):\n return {\n \"slots\": self.input.slots,\n }\n\n template: \"\"\"\n <div>\n {% component \"child\" %}\n {% for slot_name in slots %}\n {% fill name=slot_name data=\"data\" %}\n {% slot name=slot_name ...data / %}\n {% endfill %}\n {% endfor %}\n {% endcomponent %}\n </div>\n \"\"\"\n
-
Slots defined with
{% fill %}
tags are now properly accessible viaself.input.slots
inget_context_data()
-
Do not raise error if multiple slots with same name are flagged as default
-
Slots can now be defined within loops (
{% for %}
) or other tags (like{% with %}
), or even other templates using{% include %}
.
Previously, following would cause the kwarg
name
to be an empty string:
"},{"location":"release_notes/#refactor_11","title":"Refactor","text":"{% for slot_name in slots %}\n {% slot name=slot_name %}\n{% endfor %}\n
- When you define multiple slots with the same name inside a template, you now have to set the
default
andrequired
flags individually.
<div class=\"calendar-component\">\n <div class=\"header\">\n {% slot \"image\" default required %}Image here{% endslot %}\n </div>\n <div class=\"body\">\n {% slot \"image\" default required %}Image here{% endslot %}\n </div>\n</div>\n
This means you can also have multiple slots with the same name but different conditions.
E.g. in this example, we have a component that renders a user avatar - a small circular image with a profile picture of name initials.
If the component is given
image_src
orname_initials
variables, theimage
slot is optional. But if neither of those are provided, you MUST fill theimage
slot.<div class=\"avatar\">\n {% if image_src %}\n {% slot \"image\" default %}\n <img src=\"{{ image_src }}\" />\n {% endslot %}\n {% elif name_initials %}\n {% slot \"image\" default required %}\n <div style=\"\n border-radius: 25px;\n width: 50px;\n height: 50px;\n background: blue;\n \">\n {{ name_initials }}\n </div>\n {% endslot %}\n {% else %}\n {% slot \"image\" default required / %}\n {% endif %}\n</div>\n
- The slot fills that were passed to a component and which can be accessed as
Component.input.slots
can now be passed through the Django template, e.g. as inputs to other tags.
Internally, django-components handles slot fills as functions.
Previously, if you tried to pass a slot fill within a template, Django would try to call it as a function.
Now, something like this is possible:
class MyTable(Component):\n def get_context_data(self, *args, **kwargs):\n return {\n \"child_slot\": self.input.slots[\"child_slot\"],\n }\n\n template: \"\"\"\n <div>\n {% component \"child\" content=child_slot / %}\n </div>\n \"\"\"\n
NOTE: Using
{% slot %}
and{% fill %}
tags is still the preferred method, but the approach above may be necessary in some complex or edge cases.- The
is_filled
variable (and the{{ component_vars.is_filled }}
context variable) now returnsFalse
when you try to access a slot name which has not been defined:
Before:
{{ component_vars.is_filled.header }} -> True\n{{ component_vars.is_filled.footer }} -> False\n{{ component_vars.is_filled.nonexist }} -> \"\" (empty string)\n
After:
{{ component_vars.is_filled.header }} -> True\n{{ component_vars.is_filled.footer }} -> False\n{{ component_vars.is_filled.nonexist }} -> False\n
-
Components no longer raise an error if there are extra slot fills
-
Components will raise error when a slot is doubly-filled.
E.g. if we have a component with a default slot:
{% slot name=\"content\" default / %}\n
Now there is two ways how we can target this slot: Either using
name=\"default\"
orname=\"content\"
.In case you specify BOTH, the component will raise an error:
"},{"location":"release_notes/#v0100","title":"\ud83d\udea8\ud83d\udce2 v0.100","text":""},{"location":"release_notes/#breaking-changes_4","title":"BREAKING CHANGES","text":"{% component \"child\" %}\n {% fill slot=\"default\" %}\n Hello from default slot\n {% endfill %}\n {% fill slot=\"content\" data=\"data\" %}\n Hello from content slot\n {% endfill %}\n{% endcomponent %}\n
-
django_components.safer_staticfiles
app was removed. It is no longer needed. -
Installation changes:
- Instead of defining component directories in
STATICFILES_DIRS
, set them toCOMPONENTS.dirs
. -
You now must define
STATICFILES_FINDERS
-
See here how to migrate your settings.py
- Instead of defining component directories in
- Beside the top-level
/components
directory, you can now define also app-level components dirs, e.g.[app]/components
(SeeCOMPONENTS.app_dirs
).
- When you call
as_view()
on a component instance, that instance will be passed toView.as_view()
- Fixed template caching. You can now also manually create cached templates with
cached_template()
-
The previously undocumented
get_template
was made private. -
In it's place, there's a new
get_template
, which supersedesget_template_string
(will be removed in v1). The newget_template
is the same asget_template_string
, except it allows to return either a string or a Template instance. -
You now must use only one of
template
,get_template
,template_name
, orget_template_name
.
-
Run-time type validation for Python 3.11+ - If the
Component
class is typed, e.g.Component[Args, Kwargs, ...]
, the args, kwargs, slots, and data are validated against the given types. (See Runtime input validation with types) -
Render hooks - Set
on_render_before
andon_render_after
methods onComponent
to intercept or modify the template or context before rendering, or the rendered result afterwards. (See Component hooks) -
component_vars.is_filled
context variable can be accessed from withinon_render_before
andon_render_after
hooks asself.is_filled.my_slot
- Added support for dynamic components, where the component name is passed as a variable. (See Dynamic components)
- Changed
Component.input
to raiseRuntimeError
if accessed outside of render context. Previously it returnedNone
if unset.
-
django_components now automatically configures Django to support multi-line tags. (See Multi-line tags)
-
New setting
reload_on_template_change
. Set this toTrue
to reload the dev server on changes to component template files. (See Reload dev server on component file changes)
-
Spread operator
...dict
inside template tags. (See Spread operator) -
Use template tags inside string literals in component inputs. (See Use template tags inside component inputs)
-
Dynamic slots, fills and provides - The
name
argument for these can now be a variable, a template expression, or via spread operator -
Component library authors can now configure
CONTEXT_BEHAVIOR
andTAG_FORMATTER
settings independently from user settings.
Component
class is no longer a subclass ofView
. To configure theView
class, set theComponent.View
nested class. HTTP methods likeget
orpost
can still be defined directly onComponent
class, andComponent.as_view()
internally callsComponent.View.as_view()
. (See Modifying the View class)
-
The inputs (args, kwargs, slots, context, ...) that you pass to
Component.render()
can be accessed from withinget_context_data
,get_template
andget_template_name
viaself.input
. (See Accessing data passed to the component) -
Typing:
Component
class supports generics that specify types forComponent.render
(See Adding type hints with Generics)
-
All tags (
component
,slot
,fill
, ...) now support \"self-closing\" or \"inline\" form, where you can omit the closing tag:{# Before #}\n{% component \"button\" %}{% endcomponent %}\n{# After #}\n{% component \"button\" / %}\n
-
All tags now support the \"dictionary key\" or \"aggregate\" syntax (
kwarg:key=val
):{% component \"button\" attrs:class=\"hidden\" %}\n
-
You can change how the components are written in the template with TagFormatter.
The default is
django_components.component_formatter
:{% component \"button\" href=\"...\" disabled %}\n Click me!\n{% endcomponent %}\n
While
django_components.shorthand_component_formatter
allows you to write components like so:{% button href=\"...\" disabled %}\n Click me!\n{% endbutton %}\n
-
Autodiscovery module resolution changed. Following undocumented behavior was removed:
-
Previously, autodiscovery also imported any
[app]/components.py
files, and usedSETTINGS_MODULE
to search for component dirs.To migrate from:
-
[app]/components.py
- Define each module inCOMPONENTS.libraries
setting, or import each module inside theAppConfig.ready()
hook in respectiveapps.py
files. -
SETTINGS_MODULE
- Define component dirs usingSTATICFILES_DIRS
-
-
Previously, autodiscovery handled relative files in
STATICFILES_DIRS
. To align with Django,STATICFILES_DIRS
now must be full paths (Django docs).
-
- The order of arguments to
render_to_response
has changed, to align with the (now public)render
method ofComponent
class.
-
Component.render()
is public and documented -
Slots passed
render_to_response
andrender
can now be rendered also as functions.
- Vue-like provide/inject with the
{% provide %}
tag andinject()
method.
- Default value for the
COMPONENTS.context_behavior
setting was changes from\"isolated\"
to\"django\"
. If you did not set this value explicitly before, this may be a breaking change. See the rationale for change here.
-
The syntax for accessing default slot content has changed from
{% fill \"my_slot\" as \"alias\" %}\n {{ alias.default }}\n{% endfill %}\n
to
{% fill \"my_slot\" default=\"alias\" %}\n {{ alias }}\n{% endfill %}\n
-
{% html_attrs %}
tag for formatting data as HTML attributes -
prefix:key=val
construct for passing dicts to components
-
{% if_filled \"my_slot\" %}
tags were replaced with{{ component_vars.is_filled.my_slot }}
variables. -
Simplified settings -
slot_context_behavior
andcontext_behavior
were merged. See the documentation for more details.
- Changed the default way how context variables are resolved in slots. See the documentation for more details.
-
{% component_block %}
is now{% component %}
, and{% component %}
blocks need an ending{% endcomponent %}
tag.The new
python manage.py upgradecomponent
command can be used to upgrade a directory (use--path
argument to point to each dir) of templates that use components to the new syntax automatically.This change is done to simplify the API in anticipation of a 1.0 release of django_components. After 1.0 we intend to be stricter with big changes like this in point releases.
- Components as views, which allows you to handle requests and render responses from within a component. See the documentation for more details.
- 'implicit' slot filling and the
default
option forslot
tags.
- A second installable app
django_components.safer_staticfiles
. It provides the same behavior asdjango.contrib.staticfiles
but with extra security guarantees (more info below in Security Notes).
-
Changed the syntax for
{% slot %}
tags. From now on, we separate defining a slot ({% slot %}
) from filling a slot with content ({% fill %}
). This means you will likely need to change a lot of slot tags to fill.We understand this is annoying, but it's the only way we can get support for nested slots that fill in other slots, which is a very nice feature to have access to. Hoping that this will feel worth it!
-
All files inside components subdirectores are autoimported to simplify setup.
An existing project might start to get
AlreadyRegistered
errors because of this. To solve this, either remove your custom loading of components, or set\"autodiscover\": False
insettings.COMPONENTS
.
-
Renamed
Component.context
andComponent.template
toget_context_data
andget_template_name
. The old methods still work, but emit a deprecation warning.This change was done to sync naming with Django's class based views, and make using django-components more familiar to Django users.
Component.context
andComponent.template
will be removed when version 1.0 is released.
Component caching allows you to store the rendered output of a component. Next time the component is rendered with the same input, the cached output is returned instead of re-rendering the component.
This is particularly useful for components that are expensive to render or do not change frequently.
Info
Component caching uses Django's cache framework, so you can use any cache backend that is supported by Django.
"},{"location":"concepts/advanced/component_caching/#enabling-caching","title":"Enabling caching","text":"Caching is disabled by default.
To enable caching for a component, set
Component.Cache.enabled
toTrue
:
"},{"location":"concepts/advanced/component_caching/#time-to-live-ttl","title":"Time-to-live (TTL)","text":"from django_components import Component\n\nclass MyComponent(Component):\n class Cache:\n enabled = True\n
You can specify a time-to-live (TTL) for the cache entry with
Component.Cache.ttl
, which determines how long the entry remains valid. The TTL is specified in seconds.class MyComponent(Component):\n class Cache:\n enabled = True\n ttl = 60 * 60 * 24 # 1 day\n
- If
ttl > 0
, entries are cached for the specified number of seconds. - If
ttl = -1
, entries are cached indefinitely. - If
ttl = 0
, entries are not cached. - If
ttl = None
, the default TTL is used.
Since component caching uses Django's cache framework, you can specify a custom cache name with
Component.Cache.cache_name
to use a different cache backend:
"},{"location":"concepts/advanced/component_caching/#cache-key-generation","title":"Cache key generation","text":"class MyComponent(Component):\n class Cache:\n enabled = True\n cache_name = \"my_cache\"\n
By default, the cache key is generated based on the component's input (args and kwargs). So the following two calls would generate separate entries in the cache:
MyComponent.render(name=\"Alice\")\nMyComponent.render(name=\"Bob\")\n
However, you have full control over the cache key generation. As such, you can:
- Cache the component on all inputs (default)
- Cache the component on particular inputs
- Cache the component irrespective of the inputs
To achieve that, you can override the
Component.Cache.hash()
method to customize how arguments are hashed into the cache key.class MyComponent(Component):\n class Cache:\n enabled = True\n\n def hash(self, *args, **kwargs):\n return f\"{json.dumps(args)}:{json.dumps(kwargs)}\"\n
For even more control, you can override other methods available on the
ComponentCache
class.Warning
The default implementation of
"},{"location":"concepts/advanced/component_caching/#example","title":"Example","text":"Cache.hash()
simply serializes the input into a string. As such, it might not be suitable if you need to hash complex objects like Models.Here's a complete example of a component with caching enabled:
from django_components import Component\n\nclass MyComponent(Component):\n template = \"Hello, {{ name }}\"\n\n class Cache:\n enabled = True\n ttl = 300 # Cache for 5 minutes\n cache_name = \"my_cache\"\n\n def get_template_data(self, args, kwargs, slots, context):\n return {\"name\": kwargs[\"name\"]}\n
In this example, the component's rendered output is cached for 5 minutes using the
"},{"location":"concepts/advanced/component_context_scope/","title":"Component context and scope","text":"my_cache
backend.By default, context variables are passed down the template as in regular Django - deeper scopes can access the variables from the outer scopes. So if you have several nested forloops, then inside the deep-most loop you can access variables defined by all previous loops.
With this in mind, the
{% component %}
tag behaves similarly to{% include %}
tag - inside the component tag, you can access all variables that were defined outside of it.And just like with
{% include %}
, if you don't want a specific component template to have access to the parent context, addonly
to the{% component %}
tag:{% component \"calendar\" date=\"2015-06-19\" only / %}\n
NOTE:
{% csrf_token %}
tags need access to the top-level context, and they will not function properly if they are rendered in a component that is called with theonly
modifier.If you find yourself using the
only
modifier often, you can set the context_behavior option to\"isolated\"
, which automatically applies theonly
modifier. This is useful if you want to make sure that components don't accidentally access the outer context.Components can also access the outer context in their context methods like
"},{"location":"concepts/advanced/component_context_scope/#example-of-accessing-outer-context","title":"Example of Accessing Outer Context","text":"get_template_data
by accessing the propertyself.outer_context
.<div>\n {% component \"calender\" / %}\n</div>\n
Assuming that the rendering context has variables such as
date
, you can useself.outer_context
to access them from withinget_template_data
. Here's how you might implement it:class Calender(Component):\n\n ...\n\n def get_template_data(self, args, kwargs, slots, context):\n outer_field = self.outer_context[\"date\"]\n return {\n \"date\": outer_fields,\n }\n
However, as a best practice, it\u2019s recommended not to rely on accessing the outer context directly through
"},{"location":"concepts/advanced/component_context_scope/#context-behavior","title":"Context behavior","text":"self.outer_context
. Instead, explicitly pass the variables to the component. For instance, continue passing the variables in the component tag as shown in the previous examples.django_components supports both Django and Vue-like behavior when it comes to passing data to and through components. This can be configured in context_behavior.
This has two modes:
-
\"django\"
The default Django template behavior.
Inside the
{% fill %}
tag, the context variables you can access are a union of:- All the variables that were OUTSIDE the fill tag, including any\\
{% with %}
tags. - Any loops (
{% for ... %}
) that the{% fill %}
tag is part of. - Data returned from
Component.get_template_data()
of the component that owns the fill tag.
- All the variables that were OUTSIDE the fill tag, including any\\
-
\"isolated\"
Similar behavior to Vue or React, this is useful if you want to make sure that components don't accidentally access variables defined outside of the component.
Inside the
{% fill %}
tag, you can ONLY access variables from 2 places:- Any loops (
{% for ... %}
) that the{% fill %}
tag is part of. Component.get_template_data()
of the component which defined the template (AKA the \"root\" component).
- Any loops (
Warning
Notice that the component whose
get_template_data()
we use inside{% fill %}
is NOT the same across the two modes!Consider this example:
class Outer(Component):\n template = \"\"\"\n <div>\n {% component \"inner\" %}\n {% fill \"content\" %}\n {{ my_var }}\n {% endfill %}\n {% endcomponent %}\n </div>\n \"\"\"\n
-
\"django\"
-my_var
has access to data fromget_template_data()
of bothInner
andOuter
. If there are variables defined in both, thenInner
overshadowsOuter
. -
\"isolated\"
-my_var
has access to data fromget_template_data()
of ONLYOuter
.
Given this template:
@register(\"root_comp\")\nclass RootComp(Component):\n template = \"\"\"\n {% with cheese=\"feta\" %}\n {% component 'my_comp' %}\n {{ my_var }} # my_var\n {{ cheese }} # cheese\n {% endcomponent %}\n {% endwith %}\n \"\"\"\n\n def get_template_data(self, args, kwargs, slots, context):\n return { \"my_var\": 123 }\n
Then if
get_template_data()
of the component\"my_comp\"
returns following data:{ \"my_var\": 456 }\n
Then the template will be rendered as:
456 # my_var\nfeta # cheese\n
Because
\"my_comp\"
overshadows the outer variable\"my_var\"
, so{{ my_var }}
equals456
.And variable
"},{"location":"concepts/advanced/component_context_scope/#example-isolated","title":"Example \"isolated\"","text":"\"cheese\"
equalsfeta
, because the fill CAN access all the data defined in the outer layers, like the{% with %}
tag.Given this template:
class RootComp(Component):\n template = \"\"\"\n {% with cheese=\"feta\" %}\n {% component 'my_comp' %}\n {{ my_var }} # my_var\n {{ cheese }} # cheese\n {% endcomponent %}\n {% endwith %}\n \"\"\"\n\n def get_template_data(self, args, kwargs, slots, context):\n return { \"my_var\": 123 }\n
Then if
get_template_data()
of the component\"my_comp\"
returns following data:{ \"my_var\": 456 }\n
Then the template will be rendered as:
123 # my_var\n # cheese\n
Because variables
\"my_var\"
and\"cheese\"
are searched only insideRootComponent.get_template_data()
. But since\"cheese\"
is not defined there, it's empty.Info
Notice that the variables defined with the
"},{"location":"concepts/advanced/component_libraries/","title":"Component libraries","text":"{% with %}
tag are ignored inside the{% fill %}
tag with the\"isolated\"
mode.You can publish and share your components for others to use. Below you will find the steps to do so.
For live examples, see the Community examples.
"},{"location":"concepts/advanced/component_libraries/#writing-component-libraries","title":"Writing component libraries","text":"-
Create a Django project with a similar structure:
project/\n |-- myapp/\n |-- __init__.py\n |-- apps.py\n |-- templates/\n |-- table/\n |-- table.py\n |-- table.js\n |-- table.css\n |-- table.html\n |-- menu.py <--- single-file component\n |-- templatetags/\n |-- __init__.py\n |-- mytags.py\n
-
Create custom
Library
andComponentRegistry
instances inmytags.py
This will be the entrypoint for using the components inside Django templates.
Remember that Django requires the
Library
instance to be accessible under theregister
variable (See Django docs):from django.template import Library\nfrom django_components import ComponentRegistry, RegistrySettings\n\nregister = library = django.template.Library()\ncomp_registry = ComponentRegistry(\n library=library,\n settings=RegistrySettings(\n context_behavior=\"isolated\",\n tag_formatter=\"django_components.component_formatter\",\n ),\n)\n
As you can see above, this is also the place where we configure how our components should behave, using the
settings
argument. If omitted, default settings are used.For library authors, we recommend setting
context_behavior
to\"isolated\"
, so that the state cannot leak into the components, and so the components' behavior is configured solely through the inputs. This means that the components will be more predictable and easier to debug.Next, you can decide how will others use your components by setting the
tag_formatter
options.If omitted or set to
\"django_components.component_formatter\"
, your components will be used like this:{% component \"table\" items=items headers=headers %}\n{% endcomponent %}\n
Or you can use
\"django_components.component_shorthand_formatter\"
to use components like so:{% table items=items headers=headers %}\n{% endtable %}\n
Or you can define a custom TagFormatter.
Either way, these settings will be scoped only to your components. So, in the user code, there may be components side-by-side that use different formatters:
{% load mytags %}\n\n{# Component from your library \"mytags\", using the \"shorthand\" formatter #}\n{% table items=items headers=header %}\n{% endtable %}\n\n{# User-created components using the default settings #}\n{% component \"my_comp\" title=\"Abc...\" %}\n{% endcomponent %}\n
-
Write your components and register them with your instance of
ComponentRegistry
There's one difference when you are writing components that are to be shared, and that's that the components must be explicitly registered with your instance of
ComponentRegistry
from the previous step.For better user experience, you can also define the types for the args, kwargs, slots and data.
It's also a good idea to have a common prefix for your components, so they can be easily distinguished from users' components. In the example below, we use the prefix
my_
/My
.from typing import NamedTuple, Optional\nfrom django_components import Component, SlotInput, register, types\n\nfrom myapp.templatetags.mytags import comp_registry\n\n# Define the component\n# NOTE: Don't forget to set the `registry`!\n@register(\"my_menu\", registry=comp_registry)\nclass MyMenu(Component):\n # Define the types\n class Args(NamedTuple):\n size: int\n text: str\n\n class Kwargs(NamedTuple):\n vertical: Optional[bool] = None\n klass: Optional[str] = None\n style: Optional[str] = None\n\n class Slots(NamedTuple):\n default: Optional[SlotInput] = None\n\n def get_template_data(self, args: Args, kwargs: Kwargs, slots: Slots, context: Context):\n attrs = ...\n return {\n \"attrs\": attrs,\n }\n\n template: types.django_html = \"\"\"\n {# Load django_components template tags #}\n {% load component_tags %}\n\n <div {% html_attrs attrs class=\"my-menu\" %}>\n <div class=\"my-menu__content\">\n {% slot \"default\" default / %}\n </div>\n </div>\n \"\"\"\n
-
Import the components in
apps.py
Normally, users rely on autodiscovery and
COMPONENTS.dirs
to load the component files.Since you, as the library author, are not in control of the file system, it is recommended to load the components manually.
We recommend doing this in the
AppConfig.ready()
hook of yourapps.py
:from django.apps import AppConfig\n\nclass MyAppConfig(AppConfig):\n default_auto_field = \"django.db.models.BigAutoField\"\n name = \"myapp\"\n\n # This is the code that gets run when user adds myapp\n # to Django's INSTALLED_APPS\n def ready(self) -> None:\n # Import the components that you want to make available\n # inside the templates.\n from myapp.templates import (\n menu,\n table,\n )\n
Note that you can also include any other startup logic within
AppConfig.ready()
.
And that's it! The next step is to publish it.
"},{"location":"concepts/advanced/component_libraries/#publishing-component-libraries","title":"Publishing component libraries","text":"Once you are ready to share your library, you need to build a distribution and then publish it to PyPI.
django_components uses the
build
utility to build a distribution:python -m build --sdist --wheel --outdir dist/ .\n
And to publish to PyPI, you can use
twine
(See Python user guide)twine upload --repository pypi dist/* -u __token__ -p <PyPI_TOKEN>\n
Notes on publishing:
- If you use components where the HTML / CSS / JS files are separate, you may need to define
MANIFEST.in
to include those files with the distribution (see user guide).
After the package has been published, all that remains is to install it in other django projects:
-
Install the package:
pip install myapp django_components\n
-
Add the package to
INSTALLED_APPS
INSTALLED_APPS = [\n ...\n \"django_components\",\n \"myapp\",\n]\n
-
Optionally add the template tags to the
builtins
, so you don't have to call{% load mytags %}
in every template:TEMPLATES = [\n {\n ...,\n 'OPTIONS': {\n 'builtins': [\n 'myapp.templatetags.mytags',\n ]\n },\n },\n]\n
-
And, at last, you can use the components in your own project!
{% my_menu title=\"Abc...\" %}\n Hello World!\n{% endmy_menu %}\n
In previous examples you could repeatedly see us using
@register()
to \"register\" the components. In this section we dive deeper into what it actually means and how you can manage (add or remove) components.As a reminder, we may have a component like this:
from django_components import Component, register\n\n@register(\"calendar\")\nclass Calendar(Component):\n template_file = \"template.html\"\n\n # This component takes one parameter, a date string to show in the template\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"date\": kwargs[\"date\"],\n }\n
which we then render in the template as:
{% component \"calendar\" date=\"1970-01-01\" %}\n{% endcomponent %}\n
As you can see,
"},{"location":"concepts/advanced/component_registry/#what-is-componentregistry","title":"What is ComponentRegistry","text":"@register
links up the component class with the{% component %}
template tag. So when the template tag comes across a component called\"calendar\"
, it can look up it's class and instantiate it.The
@register
decorator is a shortcut for working with theComponentRegistry
.ComponentRegistry
manages which components can be used in the template tags.Each
ComponentRegistry
instance is associated with an instance of Django'sLibrary
. And Libraries are inserted into Django template using the{% load %}
tags.The
@register
decorator accepts an optional kwargregistry
, which specifies, theComponentRegistry
to register components into. If omitted, the defaultComponentRegistry
instance defined in django_components is used.my_registry = ComponentRegistry()\n\n@register(registry=my_registry)\nclass MyComponent(Component):\n ...\n
The default
ComponentRegistry
is associated with theLibrary
that you load when you call{% load component_tags %}
inside your template, or when you adddjango_components.templatetags.component_tags
to the template builtins.So when you register or unregister a component to/from a component registry, then behind the scenes the registry automatically adds/removes the component's template tags to/from the Library, so you can call the component from within the templates such as
"},{"location":"concepts/advanced/component_registry/#working-with-componentregistry","title":"Working with ComponentRegistry","text":"{% component \"my_comp\" %}
.The default
ComponentRegistry
instance can be imported as:from django_components import registry\n
You can use the registry to manually add/remove/get components:
"},{"location":"concepts/advanced/component_registry/#registering-components-to-custom-componentregistry","title":"Registering components to custom ComponentRegistry","text":"from django_components import registry\n\n# Register components\nregistry.register(\"button\", ButtonComponent)\nregistry.register(\"card\", CardComponent)\n\n# Get all or single\nregistry.all() # {\"button\": ButtonComponent, \"card\": CardComponent}\nregistry.get(\"card\") # CardComponent\n\n# Check if component is registered\nregistry.has(\"button\") # True\n\n# Unregister single component\nregistry.unregister(\"card\")\n\n# Unregister all components\nregistry.clear()\n
If you are writing a component library to be shared with others, you may want to manage your own instance of
ComponentRegistry
and register components onto a differentLibrary
instance than the default one.The
Library
instance can be set at instantiation ofComponentRegistry
. If omitted, then the default Library instance from django_components is used.from django.template import Library\nfrom django_components import ComponentRegistry\n\nmy_library = Library(...)\nmy_registry = ComponentRegistry(library=my_library)\n
When you have defined your own
ComponentRegistry
, you can either register the components withmy_registry.register()
, or pass the registry to the@component.register()
decorator via theregistry
kwarg:from path.to.my.registry import my_registry\n\n@register(\"my_component\", registry=my_registry)\nclass MyComponent(Component):\n ...\n
NOTE: The Library instance can be accessed under
"},{"location":"concepts/advanced/component_registry/#componentregistry-settings","title":"ComponentRegistry settings","text":"library
attribute ofComponentRegistry
.When you are creating an instance of
ComponentRegistry
, you can define the components' behavior within the template.The registry accepts these settings:
context_behavior
tag_formatter
from django.template import Library\nfrom django_components import ComponentRegistry, RegistrySettings\n\nregister = library = django.template.Library()\ncomp_registry = ComponentRegistry(\n library=library,\n settings=RegistrySettings(\n context_behavior=\"isolated\",\n tag_formatter=\"django_components.component_formatter\",\n ),\n)\n
These settings are the same as the ones you can set for django_components.
In fact, when you set
COMPONENT.tag_formatter
orCOMPONENT.context_behavior
, these are forwarded to the defaultComponentRegistry
.This makes it possible to have multiple registries with different settings in one projects, and makes sharing of component libraries possible.
"},{"location":"concepts/advanced/extensions/","title":"Extensions","text":"New in version 0.131
Django-components functionality can be extended with \"extensions\". Extensions allow for powerful customization and integrations. They can:
- Tap into lifecycle events, such as when a component is created, deleted, registered, or unregistered.
- Add new attributes and methods to the components under an extension-specific nested class.
- Define custom commands that can be executed via the Django management command interface.
- djc-ext-pydantic
Extensions are configured in the Django settings under
COMPONENTS.extensions
.Extensions can be set by either as an import string or by passing in a class:
"},{"location":"concepts/advanced/extensions/#lifecycle-hooks","title":"Lifecycle hooks","text":"# settings.py\n\nclass MyExtension(ComponentExtension):\n name = \"my_extension\"\n\n class ExtensionClass(ComponentExtension.ExtensionClass):\n ...\n\nCOMPONENTS = ComponentsSettings(\n extensions=[\n MyExtension,\n \"another_app.extensions.AnotherExtension\",\n \"my_app.extensions.ThirdExtension\",\n ],\n)\n
Extensions can define methods to hook into lifecycle events, such as:
- Component creation or deletion
- Un/registering a component
- Creating or deleting a registry
- Pre-processing data passed to a component on render
- Post-processing data returned from
get_template_data()
and others.
See the full list in Extension Hooks Reference.
"},{"location":"concepts/advanced/extensions/#configuring-extensions-per-component","title":"Configuring extensions per component","text":"Each extension has a corresponding nested class within the
Component
class. These allow to configure the extensions on a per-component basis.Note
Accessing the component instance from inside the nested classes:
Each method of the nested classes has access to the
component
attribute, which points to the component instance.
"},{"location":"concepts/advanced/extensions/#example-component-as-view","title":"Example: Component as View","text":"class MyTable(Component):\n class View:\n def get(self, request):\n # `self.component` points to the instance of `MyTable` Component.\n return self.component.get(request)\n
The Components as Views feature is actually implemented as an extension that is configured by a
View
nested class.You can override the
get()
,post()
, etc methods to customize the behavior of the component as a view:
"},{"location":"concepts/advanced/extensions/#example-storybook-integration","title":"Example: Storybook integration","text":"class MyTable(Component):\n class View:\n def get(self, request):\n return self.component.get(request)\n\n def post(self, request):\n return self.component.post(request)\n\n ...\n
The Storybook integration (work in progress) is an extension that is configured by a
Storybook
nested class.You can override methods such as
title
,parameters
, etc, to customize how to generate a Storybook JSON file from the component.
"},{"location":"concepts/advanced/extensions/#accessing-extensions-in-components","title":"Accessing extensions in components","text":"class MyTable(Component):\n class Storybook:\n def title(self):\n return self.component.__class__.__name__\n\n def parameters(self) -> Parameters:\n return {\n \"server\": {\n \"id\": self.component.__class__.__name__,\n }\n }\n\n def stories(self) -> List[StoryAnnotations]:\n return []\n\n ...\n
Above, we've configured extensions
View
andStorybook
for theMyTable
component.You can access the instances of these extension classes in the component instance.
For example, the View extension is available as
self.view
:class MyTable(Component):\n def get_template_data(self, args, kwargs, slots, context):\n # `self.view` points to the instance of `View` extension.\n return {\n \"view\": self.view,\n }\n
And the Storybook extension is available as
self.storybook
:class MyTable(Component):\n def get_template_data(self, args, kwargs, slots, context):\n # `self.storybook` points to the instance of `Storybook` extension.\n return {\n \"title\": self.storybook.title(),\n }\n
Thus, you can use extensions to add methods or attributes that will be available to all components in their component context.
"},{"location":"concepts/advanced/extensions/#writing-extensions","title":"Writing extensions","text":"Creating extensions in django-components involves defining a class that inherits from
"},{"location":"concepts/advanced/extensions/#defining-an-extension","title":"Defining an extension","text":"ComponentExtension
. This class can implement various lifecycle hooks and define new attributes or methods to be added to components.To create an extension, define a class that inherits from
ComponentExtension
and implement the desired hooks.- Each extension MUST have a
name
attribute. The name MUST be a valid Python identifier. - The extension MAY implement any of the hook methods.
- Each hook method receives a context object with relevant data.
from django_components.extension import ComponentExtension, OnComponentClassCreatedContext\n\nclass MyExtension(ComponentExtension):\n name = \"my_extension\"\n\n def on_component_class_created(self, ctx: OnComponentClassCreatedContext) -> None:\n # Custom logic for when a component class is created\n ctx.component_cls.my_attr = \"my_value\"\n
Warning
The
name
attribute MUST be unique across all extensions.Moreover, the
name
attribute MUST NOT conflict with existing Component class API.So if you name an extension
"},{"location":"concepts/advanced/extensions/#defining-the-extension-class","title":"Defining the extension class","text":"render
, it will conflict with therender()
method of theComponent
class.In previous sections we've seen the
View
andStorybook
extensions classes that were nested within theComponent
class:class MyComponent(Component):\n class View:\n ...\n\n class Storybook:\n ...\n
These can be understood as component-specific overrides or configuration.
The nested extension classes like
View
orStorybook
will actually subclass from a base extension class as defined on theComponentExtension.ExtensionClass
.This is how extensions define the \"default\" behavior of their nested extension classes.
For example, the
View
base extension class defines the handlers for GET, POST, etc:from django_components.extension import ComponentExtension\n\nclass ViewExtension(ComponentExtension):\n name = \"view\"\n\n # The default behavior of the `View` extension class.\n class ExtensionClass(ComponentExtension.ExtensionClass):\n def get(self, request):\n return self.component.get(request)\n\n def post(self, request):\n return self.component.post(request)\n\n ...\n
In any component that then defines a nested
View
extension class, theView
extension class will actually subclass from theViewExtension.ExtensionClass
class.In other words, when you define a component like this:
class MyTable(Component):\n class View:\n def get(self, request):\n # Do something\n ...\n
It will actually be implemented as if the
View
class subclassed from base classViewExtension.ExtensionClass
:class MyTable(Component):\n class View(ViewExtension.ExtensionClass):\n def get(self, request):\n # Do something\n ...\n
Warning
When writing an extension, the
ExtensionClass
MUST subclass the base classComponentExtension.ExtensionClass
.This base class ensures that the extension class will have access to the component instance.
"},{"location":"concepts/advanced/extensions/#registering-extensions","title":"Registering extensions","text":"Once the extension is defined, it needs to be registered in the Django settings to be used by the application.
Extensions can be given either as an extension class, or its import string:
# settings.py\nCOMPONENTS = {\n \"extensions\": [\n \"my_app.extensions.MyExtension\",\n ],\n}\n
Or by reference:
"},{"location":"concepts/advanced/extensions/#full-example-custom-logging-extension","title":"Full example: Custom logging extension","text":"# settings.py\nfrom my_app.extensions import MyExtension\n\nCOMPONENTS = {\n \"extensions\": [\n MyExtension,\n ],\n}\n
To tie it all together, here's an example of a custom logging extension that logs when components are created, deleted, or rendered:
- Each component can specify which color to use for the logging by setting
Component.ColorLogger.color
. - The extension will log the component name and color when the component is created, deleted, or rendered.
from django_components.extension import (\n ComponentExtension,\n OnComponentClassCreatedContext,\n OnComponentClassDeletedContext,\n OnComponentInputContext,\n)\n\nclass ColorLoggerExtensionClass(ComponentExtension.ExtensionClass):\n color: str\n\n\nclass ColorLoggerExtension(ComponentExtension):\n name = \"color_logger\"\n\n # All `Component.ColorLogger` classes will inherit from this class.\n ExtensionClass = ColorLoggerExtensionClass\n\n # These hooks don't have access to the Component instance, only to the Component class,\n # so we access the color as `Component.ColorLogger.color`.\n def on_component_class_created(self, ctx: OnComponentClassCreatedContext) -> None:\n log.info(\n f\"Component {ctx.component_cls} created.\",\n color=ctx.component_cls.ColorLogger.color,\n )\n\n def on_component_class_deleted(self, ctx: OnComponentClassDeletedContext) -> None:\n log.info(\n f\"Component {ctx.component_cls} deleted.\",\n color=ctx.component_cls.ColorLogger.color,\n )\n\n # This hook has access to the Component instance, so we access the color\n # as `self.component.color_logger.color`.\n def on_component_input(self, ctx: OnComponentInputContext) -> None:\n log.info(\n f\"Rendering component {ctx.component_cls}.\",\n color=ctx.component.color_logger.color,\n )\n
To use the
ColorLoggerExtension
, add it to your settings:# settings.py\nCOMPONENTS = {\n \"extensions\": [\n ColorLoggerExtension,\n ],\n}\n
Once registered, in any component, you can define a
ColorLogger
attribute:class MyComponent(Component):\n class ColorLogger:\n color = \"red\"\n
This will log the component name and color when the component is created, deleted, or rendered.
"},{"location":"concepts/advanced/extensions/#utility-functions","title":"Utility functions","text":"django-components provides a few utility functions to help with writing extensions:
all_components()
- returns a list of all created component classes.all_registries()
- returns a list of all created registry instances.
When you are writing the extension class that will be nested inside a Component class, e.g.
class MyTable(Component):\n class MyExtension:\n def some_method(self):\n ...\n
You can access the owner Component class (
MyTable
) from within methods of the extension class (MyExtension
) by using thecomponent_class
attribute:class MyTable(Component):\n class MyExtension:\n def some_method(self):\n print(self.component_class)\n
Here is how the
component_class
attribute may be used with ourColorLogger
extension shown above:
"},{"location":"concepts/advanced/extensions/#extension-commands","title":"Extension Commands","text":"class ColorLoggerExtensionClass(ComponentExtension.ExtensionClass):\n color: str\n\n def log(self, msg: str) -> None:\n print(f\"{self.component_class.name}: {msg}\")\n\n\nclass ColorLoggerExtension(ComponentExtension):\n name = \"color_logger\"\n\n # All `Component.ColorLogger` classes will inherit from this class.\n ExtensionClass = ColorLoggerExtensionClass\n
Extensions in django-components can define custom commands that can be executed via the Django management command interface. This allows for powerful automation and customization capabilities.
For example, if you have an extension that defines a command that prints \"Hello world\", you can run the command with:
python manage.py components ext run my_ext hello\n
Where:
python manage.py components
- is the Django entrypointext run
- is the subcommand to run extension commandsmy_ext
- is the extension namehello
- is the command name
To define a command, subclass from
ComponentCommand
. This subclass should define:name
- the command's namehelp
- the command's help texthandle
- the logic to execute when the command is run
"},{"location":"concepts/advanced/extensions/#defining-command-arguments-and-options","title":"Defining Command Arguments and Options","text":"from django_components import ComponentCommand, ComponentExtension\n\nclass HelloCommand(ComponentCommand):\n name = \"hello\"\n help = \"Say hello\"\n\n def handle(self, *args, **kwargs):\n print(\"Hello, world!\")\n\nclass MyExt(ComponentExtension):\n name = \"my_ext\"\n commands = [HelloCommand]\n
Commands can accept positional arguments and options (e.g.
--foo
), which are defined using thearguments
attribute of theComponentCommand
class.The arguments are parsed with
argparse
into a dictionary of arguments and options. These are then available as keyword arguments to thehandle
method of the command.from django_components import CommandArg, ComponentCommand, ComponentExtension\n\nclass HelloCommand(ComponentCommand):\n name = \"hello\"\n help = \"Say hello\"\n\n arguments = [\n # Positional argument\n CommandArg(\n name_or_flags=\"name\",\n help=\"The name to say hello to\",\n ),\n # Optional argument\n CommandArg(\n name_or_flags=[\"--shout\", \"-s\"],\n action=\"store_true\",\n help=\"Shout the hello\",\n ),\n ]\n\n def handle(self, name: str, *args, **kwargs):\n shout = kwargs.get(\"shout\", False)\n msg = f\"Hello, {name}!\"\n if shout:\n msg = msg.upper()\n print(msg)\n
You can run the command with arguments and options:
python manage.py components ext run my_ext hello John --shout\n>>> HELLO, JOHN!\n
Note
Command definitions are parsed with
argparse
, so you can use all the features ofargparse
to define your arguments and options.See the argparse documentation for more information.
django-components defines types as
CommandArg
,CommandArgGroup
,CommandSubcommand
, andCommandParserInput
to help with type checking.Note
If a command doesn't have the
"},{"location":"concepts/advanced/extensions/#grouping-arguments","title":"Grouping Arguments","text":"handle
method defined, the command will print a help message and exit.Arguments can be grouped using
CommandArgGroup
to provide better organization and help messages.Read more on argparse argument groups.
"},{"location":"concepts/advanced/extensions/#subcommands","title":"Subcommands","text":"from django_components import CommandArg, CommandArgGroup, ComponentCommand, ComponentExtension\n\nclass HelloCommand(ComponentCommand):\n name = \"hello\"\n help = \"Say hello\"\n\n # Argument parsing is managed by `argparse`.\n arguments = [\n # Positional argument\n CommandArg(\n name_or_flags=\"name\",\n help=\"The name to say hello to\",\n ),\n # Optional argument\n CommandArg(\n name_or_flags=[\"--shout\", \"-s\"],\n action=\"store_true\",\n help=\"Shout the hello\",\n ),\n # When printing the command help message, `--bar` and `--baz`\n # will be grouped under \"group bar\".\n CommandArgGroup(\n title=\"group bar\",\n description=\"Group description.\",\n arguments=[\n CommandArg(\n name_or_flags=\"--bar\",\n help=\"Bar description.\",\n ),\n CommandArg(\n name_or_flags=\"--baz\",\n help=\"Baz description.\",\n ),\n ],\n ),\n ]\n\n def handle(self, name: str, *args, **kwargs):\n shout = kwargs.get(\"shout\", False)\n msg = f\"Hello, {name}!\"\n if shout:\n msg = msg.upper()\n print(msg)\n
Extensions can define subcommands, allowing for more complex command structures.
Subcommands are defined similarly to root commands, as subclasses of
ComponentCommand
class.However, instead of defining the subcommands in the
commands
attribute of the extension, you define them in thesubcommands
attribute of the parent command:from django_components import CommandArg, CommandArgGroup, ComponentCommand, ComponentExtension\n\nclass ChildCommand(ComponentCommand):\n name = \"child\"\n help = \"Child command\"\n\n def handle(self, *args, **kwargs):\n print(\"Child command\")\n\nclass ParentCommand(ComponentCommand):\n name = \"parent\"\n help = \"Parent command\"\n subcommands = [\n ChildCommand,\n ]\n\n def handle(self, *args, **kwargs):\n print(\"Parent command\")\n
In this example, we can run two commands.
Either the parent command:
python manage.py components ext run parent\n>>> Parent command\n
Or the child command:
python manage.py components ext run parent child\n>>> Child command\n
Warning
Subcommands are independent of the parent command. When a subcommand runs, the parent command is NOT executed.
As such, if you want to pass arguments to both the parent and child commands, e.g.:
python manage.py components ext run parent --foo child --bar\n
You should instead pass all the arguments to the subcommand:
"},{"location":"concepts/advanced/extensions/#print-command-help","title":"Print command help","text":"python manage.py components ext run parent child --foo --bar\n
By default, all commands will print their help message when run with the
--help
/-h
flag.python manage.py components ext run my_ext --help\n
The help message prints out all the arguments and options available for the command, as well as any subcommands.
"},{"location":"concepts/advanced/extensions/#testing-commands","title":"Testing Commands","text":"Commands can be tested using Django's
call_command()
function, which allows you to simulate running the command in tests.from django.core.management import call_command\n\ncall_command('components', 'ext', 'run', 'my_ext', 'hello', '--name', 'John')\n
To capture the output of the command, you can use the
StringIO
module to redirect the output to a string:from io import StringIO\n\nout = StringIO()\nwith patch(\"sys.stdout\", new=out):\n call_command('components', 'ext', 'run', 'my_ext', 'hello', '--name', 'John')\noutput = out.getvalue()\n
And to temporarily set the extensions, you can use the
@djc_test
decorator.Thus, a full test example can then look like this:
"},{"location":"concepts/advanced/extensions/#extension-urls","title":"Extension URLs","text":"from io import StringIO\nfrom unittest.mock import patch\n\nfrom django.core.management import call_command\nfrom django_components.testing import djc_test\n\n@djc_test(\n components_settings={\n \"extensions\": [\n \"my_app.extensions.MyExtension\",\n ],\n },\n)\ndef test_hello_command(self):\n out = StringIO()\n with patch(\"sys.stdout\", new=out):\n call_command('components', 'ext', 'run', 'my_ext', 'hello', '--name', 'John')\n output = out.getvalue()\n assert output == \"Hello, John!\\n\"\n
Extensions can define custom views and endpoints that can be accessed through the Django application.
To define URLs for an extension, set them in the
urls
attribute of yourComponentExtension
class. Each URL is defined using theURLRoute
class, which specifies the path, handler, and optional name for the route.Here's an example of how to define URLs within an extension:
from django_components.extension import ComponentExtension, URLRoute\nfrom django.http import HttpResponse\n\ndef my_view(request):\n return HttpResponse(\"Hello from my extension!\")\n\nclass MyExtension(ComponentExtension):\n name = \"my_extension\"\n\n urls = [\n URLRoute(path=\"my-view/\", handler=my_view, name=\"my_view\"),\n URLRoute(path=\"another-view/<int:id>/\", handler=my_view, name=\"another_view\"),\n ]\n
Warning
The
URLRoute
objects are different from objects created with Django'sdjango.urls.path()
. Do NOT useURLRoute
objects in Django'surlpatterns
and vice versa!django-components uses a custom
URLRoute
class to define framework-agnostic routing rules.As of v0.131,
"},{"location":"concepts/advanced/extensions/#accessing-extension-urls","title":"Accessing Extension URLs","text":"URLRoute
objects are directly converted to Django'sURLPattern
andURLResolver
objects.The URLs defined in an extension are available under the path
/components/ext/<extension_name>/\n
For example, if you have defined a URL with the path
my-view/<str:name>/
in an extension namedmy_extension
, it can be accessed at:
"},{"location":"concepts/advanced/extensions/#nested-urls","title":"Nested URLs","text":"/components/ext/my_extension/my-view/john/\n
Extensions can also define nested URLs to allow for more complex routing structures.
To define nested URLs, set the
children
attribute of theURLRoute
object to a list of childURLRoute
objects:class MyExtension(ComponentExtension):\n name = \"my_extension\"\n\n urls = [\n URLRoute(\n path=\"parent/\",\n name=\"parent_view\",\n children=[\n URLRoute(path=\"child/<str:name>/\", handler=my_view, name=\"child_view\"),\n ],\n ),\n ]\n
In this example, the URL
/components/ext/my_extension/parent/child/john/\n
would call the
"},{"location":"concepts/advanced/extensions/#passing-kwargs-and-other-extra-fields-to-url-routes","title":"Passing kwargs and other extra fields to URL routes","text":"my_view
handler with the parametername
set to\"John\"
.The
URLRoute
class is framework-agnostic, so that extensions could be used with non-Django frameworks in the future.However, that means that there may be some extra fields that Django's
django.urls.path()
accepts, but which are not defined on theURLRoute
object.To address this, the
URLRoute
object has anextra
attribute, which is a dictionary that can be used to pass any extra kwargs todjango.urls.path()
:URLRoute(\n path=\"my-view/<str:name>/\",\n handler=my_view,\n name=\"my_view\",\n extra={\"kwargs\": {\"foo\": \"bar\"} },\n)\n
Is the same as:
django.urls.path(\n \"my-view/<str:name>/\",\n view=my_view,\n name=\"my_view\",\n kwargs={\"foo\": \"bar\"},\n)\n
because
URLRoute
is converted to Django's route like so:
"},{"location":"concepts/advanced/hooks/","title":"Lifecycle hooks","text":"django.urls.path(\n route.path,\n view=route.handler,\n name=route.name,\n **route.extra,\n)\n
New in version 0.96
Component hooks are functions that allow you to intercept the rendering process at specific positions.
"},{"location":"concepts/advanced/hooks/#available-hooks","title":"Available hooks","text":"on_render_before
def on_render_before(\n self: Component,\n context: Context,\n template: Template\n) -> None:\n
Hook that runs just before the component's template is rendered.
You can use this hook to access or modify the context or the template:
def on_render_before(self, context, template) -> None:\n # Insert value into the Context\n context[\"from_on_before\"] = \":)\"\n\n # Append text into the Template\n template.nodelist.append(TextNode(\"FROM_ON_BEFORE\"))\n
on_render_after
def on_render_after(\n self: Component,\n context: Context,\n template: Template,\n content: str\n) -> None | str | SafeString:\n
Hook that runs just after the component's template was rendered. It receives the rendered output as the last argument.
You can use this hook to access the context or the template, but modifying them won't have any effect.
To override the content that gets rendered, you can return a string or SafeString from this hook:
"},{"location":"concepts/advanced/hooks/#component-hooks-example","title":"Component hooks example","text":"def on_render_after(self, context, template, content):\n # Prepend text to the rendered content\n return \"Chocolate cookie recipe: \" + content\n
You can use hooks together with provide / inject to create components that accept a list of items via a slot.
In the example below, each
tab_item
component will be rendered on a separate tab page, but they are all defined in the default slot of thetabs
component.See here for how it was done
"},{"location":"concepts/advanced/html_fragments/","title":"HTML fragments","text":"{% component \"tabs\" %}\n {% component \"tab_item\" header=\"Tab 1\" %}\n <p>\n hello from tab 1\n </p>\n {% component \"button\" %}\n Click me!\n {% endcomponent %}\n {% endcomponent %}\n\n {% component \"tab_item\" header=\"Tab 2\" %}\n Hello this is tab 2\n {% endcomponent %}\n{% endcomponent %}\n
Django-components provides a seamless integration with HTML fragments with AJAX (HTML over the wire), whether you're using jQuery, HTMX, AlpineJS, vanilla JavaScript, or other.
If the fragment component has any JS or CSS, django-components will:
- Automatically load the associated JS and CSS
- Ensure that JS is loaded and executed only once even if the fragment is inserted multiple times
Info
What are HTML fragments and \"HTML over the wire\"?
It is one of the methods for updating the state in the browser UI upon user interaction.
How it works is that:
- User makes an action - clicks a button or submits a form
- The action causes a request to be made from the client to the server.
- Server processes the request (e.g. form submission), and responds with HTML of some part of the UI (e.g. a new entry in a table).
- A library like HTMX, AlpineJS, or custom function inserts the new HTML into the correct place.
Components support different \"strategies\" for rendering JS and CSS.
Two of them are used to enable HTML fragments - \"document\" and \"fragment\".
What's the difference?
"},{"location":"concepts/advanced/html_fragments/#document-strategy","title":"Document strategy","text":"Document strategy assumes that the rendered components will be embedded into the HTML of the initial page load. This means that:
- The JS and CSS is embedded into the HTML as
<script>
and<style>
tags (see Default JS / CSS locations) - Django-components injects a JS script for managing JS and CSS assets
A component is rendered as a \"document\" when:
- It is embedded inside a template as
{% component %}
- It is rendered with
Component.render()
orComponent.render_to_response()
with thedeps_strategy
kwarg set to\"document\"
(default)
Example:
"},{"location":"concepts/advanced/html_fragments/#fragment-strategy","title":"Fragment strategy","text":"MyTable.render(\n kwargs={...},\n)\n\n# or\n\nMyTable.render(\n kwargs={...},\n deps_strategy=\"document\",\n)\n
Fragment strategy assumes that the main HTML has already been rendered and loaded on the page. The component renders HTML that will be inserted into the page as a fragment, at a LATER time:
- JS and CSS is not directly embedded to avoid duplicately executing the same JS scripts. So template tags like
{% component_js_dependencies %}
inside of fragments are ignored. - Instead, django-components appends the fragment's content with a JSON
<script>
to trigger a call to its asset manager JS script, which will load the JS and CSS smartly. - The asset manager JS script is assumed to be already loaded on the page.
A component is rendered as \"fragment\" when:
- It is rendered with
Component.render()
orComponent.render_to_response()
with thedeps_strategy
kwarg set to\"fragment\"
Example:
"},{"location":"concepts/advanced/html_fragments/#live-examples","title":"Live examples","text":"MyTable.render(\n kwargs={...},\n deps_strategy=\"fragment\",\n)\n
For live interactive examples, start our demo project (
sampleproject
).Then navigate to these URLs:
/fragment/base/alpine
/fragment/base/htmx
/fragment/base/js
This is the HTML into which a fragment will be loaded using HTMX.
[root]/components/demo.py
"},{"location":"concepts/advanced/html_fragments/#2-define-fragment-html","title":"2. Define fragment HTML","text":"from django_components import Component, types\n\nclass MyPage(Component):\n template = \"\"\"\n {% load component_tags %}\n <!DOCTYPE html>\n <html>\n <head>\n {% component_css_dependencies %}\n <script src=\"https://unpkg.com/htmx.org@1.9.12\"></script>\n </head>\n <body>\n <div id=\"target\">OLD</div>\n\n <button\n hx-get=\"/mypage/frag\"\n hx-swap=\"outerHTML\"\n hx-target=\"#target\"\n >\n Click me!\n </button>\n\n {% component_js_dependencies %}\n </body>\n </html>\n \"\"\"\n\n class View:\n def get(self, request):\n return self.component.render_to_response(request=request)\n
The fragment to be inserted into the document.
IMPORTANT: Don't forget to set
[root]/components/demo.pydeps_strategy=\"fragment\"
"},{"location":"concepts/advanced/html_fragments/#3-create-view-and-urls","title":"3. Create view and URLs","text":"[app]/urls.pyclass Frag(Component):\n template = \"\"\"\n <div class=\"frag\">\n 123\n <span id=\"frag-text\"></span>\n </div>\n \"\"\"\n\n js = \"\"\"\n document.querySelector('#frag-text').textContent = 'xxx';\n \"\"\"\n\n css = \"\"\"\n .frag {\n background: blue;\n }\n \"\"\"\n\n class View:\n def get(self, request):\n return self.component.render_to_response(\n request=request,\n # IMPORTANT: Don't forget `deps_strategy=\"fragment\"`\n deps_strategy=\"fragment\",\n )\n
"},{"location":"concepts/advanced/html_fragments/#example-alpinejs","title":"Example - AlpineJS","text":""},{"location":"concepts/advanced/html_fragments/#1-define-document-html_1","title":"1. Define document HTML","text":"from django.urls import path\n\nfrom components.demo import MyPage, Frag\n\nurlpatterns = [\n path(\"mypage/\", MyPage.as_view())\n path(\"mypage/frag\", Frag.as_view()),\n]\n
This is the HTML into which a fragment will be loaded using AlpineJS.
[root]/components/demo.py
"},{"location":"concepts/advanced/html_fragments/#2-define-fragment-html_1","title":"2. Define fragment HTML","text":"from django_components import Component, types\n\nclass MyPage(Component):\n template = \"\"\"\n {% load component_tags %}\n <!DOCTYPE html>\n <html>\n <head>\n {% component_css_dependencies %}\n <script defer src=\"https://unpkg.com/alpinejs\"></script>\n </head>\n <body x-data=\"{\n htmlVar: 'OLD',\n loadFragment: function () {\n const url = '/mypage/frag';\n fetch(url)\n .then(response => response.text())\n .then(html => {\n this.htmlVar = html;\n });\n }\n }\">\n <div id=\"target\" x-html=\"htmlVar\">OLD</div>\n\n <button @click=\"loadFragment\">\n Click me!\n </button>\n\n {% component_js_dependencies %}\n </body>\n </html>\n \"\"\"\n\n class View:\n def get(self, request):\n return self.component.render_to_response(request=request)\n
The fragment to be inserted into the document.
IMPORTANT: Don't forget to set
[root]/components/demo.pydeps_strategy=\"fragment\"
"},{"location":"concepts/advanced/html_fragments/#3-create-view-and-urls_1","title":"3. Create view and URLs","text":"[app]/urls.pyclass Frag(Component):\n # NOTE: We wrap the actual fragment in a template tag with x-if=\"false\" to prevent it\n # from being rendered until we have registered the component with AlpineJS.\n template = \"\"\"\n <template x-if=\"false\" data-name=\"frag\">\n <div class=\"frag\">\n 123\n <span x-data=\"frag\" x-text=\"fragVal\">\n </span>\n </div>\n </template>\n \"\"\"\n\n js = \"\"\"\n Alpine.data('frag', () => ({\n fragVal: 'xxx',\n }));\n\n // Now that the component has been defined in AlpineJS, we can \"activate\"\n // all instances where we use the `x-data=\"frag\"` directive.\n document.querySelectorAll('[data-name=\"frag\"]').forEach((el) => {\n el.setAttribute('x-if', 'true');\n });\n \"\"\"\n\n css = \"\"\"\n .frag {\n background: blue;\n }\n \"\"\"\n\n class View:\n def get(self, request):\n return self.component.render_to_response(\n request=request,\n # IMPORTANT: Don't forget `deps_strategy=\"fragment\"`\n deps_strategy=\"fragment\",\n )\n
"},{"location":"concepts/advanced/html_fragments/#example-vanilla-js","title":"Example - Vanilla JS","text":""},{"location":"concepts/advanced/html_fragments/#1-define-document-html_2","title":"1. Define document HTML","text":"from django.urls import path\n\nfrom components.demo import MyPage, Frag\n\nurlpatterns = [\n path(\"mypage/\", MyPage.as_view())\n path(\"mypage/frag\", Frag.as_view()),\n]\n
This is the HTML into which a fragment will be loaded using vanilla JS.
[root]/components/demo.py
"},{"location":"concepts/advanced/html_fragments/#2-define-fragment-html_2","title":"2. Define fragment HTML","text":"from django_components import Component, types\n\nclass MyPage(Component):\n template = \"\"\"\n {% load component_tags %}\n <!DOCTYPE html>\n <html>\n <head>\n {% component_css_dependencies %}\n </head>\n <body>\n <div id=\"target\">OLD</div>\n\n <button>\n Click me!\n </button>\n <script>\n const url = `/mypage/frag`;\n document.querySelector('#loader').addEventListener('click', function () {\n fetch(url)\n .then(response => response.text())\n .then(html => {\n document.querySelector('#target').outerHTML = html;\n });\n });\n </script>\n\n {% component_js_dependencies %}\n </body>\n </html>\n \"\"\"\n\n class View:\n def get(self, request):\n return self.component.render_to_response(request=request)\n
The fragment to be inserted into the document.
IMPORTANT: Don't forget to set
[root]/components/demo.pydeps_strategy=\"fragment\"
"},{"location":"concepts/advanced/html_fragments/#3-create-view-and-urls_2","title":"3. Create view and URLs","text":"[app]/urls.pyclass Frag(Component):\n template = \"\"\"\n <div class=\"frag\">\n 123\n <span id=\"frag-text\"></span>\n </div>\n \"\"\"\n\n js = \"\"\"\n document.querySelector('#frag-text').textContent = 'xxx';\n \"\"\"\n\n css = \"\"\"\n .frag {\n background: blue;\n }\n \"\"\"\n\n class View:\n def get(self, request):\n return self.component.render_to_response(\n request=request,\n # IMPORTANT: Don't forget `deps_strategy=\"fragment\"`\n deps_strategy=\"fragment\",\n )\n
"},{"location":"concepts/advanced/provide_inject/","title":"Prop drilling and provide / inject","text":"from django.urls import path\n\nfrom components.demo import MyPage, Frag\n\nurlpatterns = [\n path(\"mypage/\", MyPage.as_view())\n path(\"mypage/frag\", Frag.as_view()),\n]\n
New in version 0.80:
django-components
supports the provide / inject pattern, similarly to React's Context Providers or Vue's provide / inject.This is achieved with the combination of:
{% provide %}
tagComponent.inject()
method
Prop drilling refers to a scenario in UI development where you need to pass data through many layers of a component tree to reach the nested components that actually need the data.
Normally, you'd use props to send data from a parent component to its children. However, this straightforward method becomes cumbersome and inefficient if the data has to travel through many levels or if several components scattered at different depths all need the same piece of information.
This results in a situation where the intermediate components, which don't need the data for their own functioning, end up having to manage and pass along these props. This clutters the component tree and makes the code verbose and harder to manage.
A neat solution to avoid prop drilling is using the \"provide and inject\" technique.
With provide / inject, a parent component acts like a data hub for all its descendants. This setup allows any component, no matter how deeply nested it is, to access the required data directly from this centralized provider without having to messily pass props down the chain. This approach significantly cleans up the code and makes it easier to maintain.
This feature is inspired by Vue's Provide / Inject and React's Context / useContext.
As the name suggest, using provide / inject consists of 2 steps
- Providing data
- Injecting provided data
For examples of advanced uses of provide / inject, see this discussion.
"},{"location":"concepts/advanced/provide_inject/#providing-data","title":"Providing data","text":"First we use the
{% provide %}
tag to define the data we want to \"provide\" (make available).{% provide \"my_data\" hello=\"hi\" another=123 %}\n {% component \"child\" / %} <--- Can access \"my_data\"\n{% endprovide %}\n\n{% component \"child\" / %} <--- Cannot access \"my_data\"\n
The first argument to the
{% provide %}
tag is the key by which we can later access the data passed to this tag. The key in this case is\"my_data\"
.The key must resolve to a valid identifier (AKA a valid Python variable name).
Next you define the data you want to \"provide\" by passing them as keyword arguments. This is similar to how you pass data to the
{% with %}
tag or the{% slot %}
tag.Note
Kwargs passed to
{% provide %}
are NOT added to the context. In the example below, the{{ hello }}
won't render anything:{% provide \"my_data\" hello=\"hi\" another=123 %}\n {{ hello }}\n{% endprovide %}\n
Similarly to slots and fills, also provide's name argument can be set dynamically via a variable, a template expression, or a spread operator:
"},{"location":"concepts/advanced/provide_inject/#injecting-data","title":"Injecting data","text":"{% with my_name=\"my_name\" %}\n {% provide name=my_name ... %}\n ...\n {% endprovide %}\n{% endwith %}\n
To \"inject\" (access) the data defined on the
{% provide %}
tag, you can use theComponent.inject()
method from within any other component methods.For a component to be able to \"inject\" some data, the component (
{% component %}
tag) must be nested inside the{% provide %}
tag.In the example from previous section, we've defined two kwargs:
hello=\"hi\" another=123
. That means that if we now inject\"my_data\"
, we get an object with 2 attributes -hello
andanother
.class ChildComponent(Component):\n def get_template_data(self, args, kwargs, slots, context):\n my_data = self.inject(\"my_data\")\n print(my_data.hello) # hi\n print(my_data.another) # 123\n return {}\n
First argument to
Component.inject()
is the key (or name) of the provided data. This must match the string that you used in the{% provide %}
tag.If no provider with given key is found,
inject()
raises aKeyError
.To avoid the error, you can pass a second argument to
inject()
. This will act as a default value similar todict.get(key, default)
:class ChildComponent(Component):\n def get_template_data(self, args, kwargs, slots, context):\n my_data = self.inject(\"invalid_key\", DEFAULT_DATA)\n assert my_data == DEFAULT_DATA\n return {}\n
Note
The instance returned from
inject()
is immutable (subclass ofNamedTuple
). This ensures that the data returned frominject()
will always have all the keys that were passed to the{% provide %}
tag.Warning
"},{"location":"concepts/advanced/provide_inject/#full-example","title":"Full example","text":"inject()
works strictly only during render execution. If you try to callinject()
from outside, it will raise an error.@register(\"child\")\nclass ChildComponent(Component):\n template = \"\"\"\n <div> {{ my_data.hello }} </div>\n <div> {{ my_data.another }} </div>\n \"\"\"\n\n def get_template_data(self, args, kwargs, slots, context):\n my_data = self.inject(\"my_data\", \"default\")\n return {\"my_data\": my_data}\n\ntemplate_str = \"\"\"\n {% load component_tags %}\n {% provide \"my_data\" hello=\"hi\" another=123 %}\n {% component \"child\" / %}\n {% endprovide %}\n\"\"\"\n
renders:
"},{"location":"concepts/advanced/rendering_js_css/","title":"Rendering JS / CSS","text":""},{"location":"concepts/advanced/rendering_js_css/#introduction","title":"Introduction","text":"<div>hi</div>\n<div>123</div>\n
Components consist of 3 parts - HTML, JS and CSS.
Handling of HTML is straightforward - it is rendered as is, and inserted where the
{% component %}
tag is.However, handling of JS and CSS is more complex:
- JS and CSS is are inserted elsewhere in the HTML. As a best practice, JS is placed in the
<body>
HTML tag, and CSS in the<head>
. - Multiple components may use the same JS and CSS files. We don't want to load the same files multiple times.
- Fetching of JS and CSS may block the page, so the JS / CSS should be embedded in the HTML.
- Components inserted as HTML fragments need different handling for JS and CSS.
If your components use JS and CSS then, by default, the JS and CSS will be automatically inserted into the HTML:
- CSS styles will be inserted at the end of the
<head>
- JS scripts will be inserted at the end of the
<body>
If you want to place the dependencies elsewhere in the HTML, you can override the locations by inserting following Django template tags:
{% component_js_dependencies %}
- Set new location(s) for JS scripts{% component_css_dependencies %}
- Set new location(s) for CSS styles
So if you have a component with JS and CSS:
from django_components import Component, types\n\nclass MyButton(Component):\n template: types.django_html = \"\"\"\n <button class=\"my-button\">\n Click me!\n </button>\n \"\"\"\n\n js: types.js = \"\"\"\n for (const btnEl of document.querySelectorAll(\".my-button\")) {\n btnEl.addEventListener(\"click\", () => {\n console.log(\"BUTTON CLICKED!\");\n });\n }\n \"\"\"\n\n css: types.css \"\"\"\n .my-button {\n background: green;\n }\n \"\"\"\n\n class Media:\n js = [\"/extra/script.js\"]\n css = [\"/extra/style.css\"]\n
Then:
-
JS from
MyButton.js
andMyButton.Media.js
will be rendered at the default place (<body>
), or in{% component_js_dependencies %}
. -
CSS from
MyButton.css
andMyButton.Media.css
will be rendered at the default place (<head>
), or in{% component_css_dependencies %}
.
And if you don't specify
{% component_dependencies %}
tags, it is the equivalent of:<!doctype html>\n<html>\n <head>\n <title>MyPage</title>\n ...\n {% component_css_dependencies %}\n </head>\n <body>\n <main>\n ...\n </main>\n {% component_js_dependencies %}\n </body>\n</html>\n
Warning
If the rendered HTML does NOT contain neither
{% component_dependencies %}
template tags, nor<head>
and<body>
HTML tags, then the JS and CSS will NOT be inserted!To force the JS and CSS to be inserted, use the
"},{"location":"concepts/advanced/rendering_js_css/#dependencies-strategies","title":"Dependencies strategies","text":"\"append\"
or\"prepend\"
strategies.The rendered HTML may be used in different contexts (browser, email, etc). If your components use JS and CSS scripts, you may need to handle them differently.
The different ways for handling JS / CSS are called \"dependencies strategies\".
render()
andrender_to_response()
accept adeps_strategy
parameter, which controls where and how the JS / CSS are inserted into the HTML.main_page = MainPage.render(deps_strategy=\"document\")\nfragment = MyComponent.render_to_response(deps_strategy=\"fragment\")\n
The
deps_strategy
parameter is set at the root of a component render tree, which is why it is not available for the{% component %}
tag.When you use Django's
django.shortcuts.render()
orTemplate.render()
to render templates, you can't directly set thedeps_strategy
parameter.In this case, you can set the
deps_strategy
with theDJC_DEPS_STRATEGY
context variable.from django.template.context import Context\nfrom django.shortcuts import render\n\nctx = Context({\"DJC_DEPS_STRATEGY\": \"fragment\"})\nfragment = render(request, \"my_component.html\", ctx=ctx)\n
Info
The
deps_strategy
parameter is ultimately passed torender_dependencies()
.Why is
deps_strategy
required?This is a technical limitation of the current implementation.
When a component is rendered, django-components embeds metadata about the component's JS and CSS into the HTML.
This way we can compose components together, and know which JS / CSS dependencies are needed.
As the last step of rendering, django-components extracts this metadata and uses a selected strategy to insert the JS / CSS into the HTML.
There are six dependencies strategies:
document
(default)- Smartly inserts JS / CSS into placeholders or into
<head>
and<body>
tags. - Inserts extra script to allow
fragment
strategy to work. - Assumes the HTML will be rendered in a JS-enabled browser.
- Smartly inserts JS / CSS into placeholders or into
fragment
- A lightweight HTML fragment to be inserted into a document with AJAX.
- No JS / CSS included.
simple
- Smartly insert JS / CSS into placeholders or into
<head>
and<body>
tags. - No extra script loaded.
- Smartly insert JS / CSS into placeholders or into
prepend
- Insert JS / CSS before the rendered HTML.
- No extra script loaded.
append
- Insert JS / CSS after the rendered HTML.
- No extra script loaded.
ignore
- HTML is left as-is. You can still process it with a different strategy later with
render_dependencies()
. - Used for inserting rendered HTML into other components.
- HTML is left as-is. You can still process it with a different strategy later with
document
","text":"deps_strategy=\"document\"
is the default. Use this if you are rendering a whole page, or if no other option suits better.html = Button.render(deps_strategy=\"document\")\n
When you render a component tree with the
\"document\"
strategy, it is expected that:- The HTML will be rendered at page load.
- The HTML will be inserted into a page / browser where JS can be executed.
Location:
JS and CSS is inserted:
- Preferentially into JS / CSS placeholders like
{% component_js_dependencies %}
- Otherwise, JS into
<body>
element, and CSS into<head>
element - If neither found, JS / CSS are NOT inserted
Included scripts:
For the
\"document\"
strategy, the JS and CSS is set up to avoid any delays when the end user loads the page in the browser:-
Components' primary JS and CSS scripts (
Component.js
andComponent.css
) - fully inlined:<script>\n console.log(\"Hello from Button!\");\n</script>\n<style>\n .button {\n background-color: blue;\n }\n</style>\n
-
Components' secondary JS and CSS scripts (
Component.Media
) - inserted as links:<link rel=\"stylesheet\" href=\"https://example.com/styles.css\" />\n<script src=\"https://example.com/script.js\"></script>\n
-
A JS script is injected to manage component dependencies, enabling lazy loading of JS and CSS for HTML fragments.
Info
This strategy is required for fragments to work properly, as it sets up the dependency manager that fragments rely on.
How the dependency manager works
The dependency manager is a JS script that keeps track of all the JS and CSS dependencies that have already been loaded.
When a fragment is inserted into the page, it will also insert a JSON
<script>
tag with fragment metadata.The dependency manager will pick up on that, and check which scripts the fragment needs.
It will then fetch only the scripts that haven't been loaded yet.
"},{"location":"concepts/advanced/rendering_js_css/#fragment","title":"fragment
","text":"deps_strategy=\"fragment\"
is used when rendering a piece of HTML that will be inserted into a page that has already been rendered with the\"document\"
strategy:fragment = MyComponent.render(deps_strategy=\"fragment\")\n
The HTML of fragments is very lightweight because it doesn't include the JS and CSS scripts of the rendered components.
With fragments, even if a component has JS and CSS, you can insert the same component into a page hundreds of times, and the JS and CSS will only ever be loaded once.
This is intended for dynamic content that's loaded with AJAX after the initial page load, such as with jQuery, HTMX, AlpineJS or similar libraries.
Location:
None. The fragment's JS and CSS files will be loaded dynamically into the page.
Included scripts:
- A special JSON
<script>
tag that tells the dependency manager what JS and CSS to load.
simple
","text":"deps_strategy=\"simple\"
is used either for non-browser use cases, or when you don't want to use the dependency manager.Practically, this is the same as the
\"document\"
strategy, except that the dependency manager is not used.html = MyComponent.render(deps_strategy=\"simple\")\n
Location:
JS and CSS is inserted:
- Preferentially into JS / CSS placeholders like
{% component_js_dependencies %}
- Otherwise, JS into
<body>
element, and CSS into<head>
element - If neither found, JS / CSS are NOT inserted
Included scripts:
-
Components' primary JS and CSS scripts (
Component.js
andComponent.css
) - fully inlined:<script>\n console.log(\"Hello from Button!\");\n</script>\n<style>\n .button {\n background-color: blue;\n }\n</style>\n
-
Components' secondary JS and CSS scripts (
Component.Media
) - inserted as links:<link rel=\"stylesheet\" href=\"https://example.com/styles.css\" />\n<script src=\"https://example.com/script.js\"></script>\n
-
No extra scripts are inserted.
prepend
","text":"This is the same as
\"simple\"
, but placeholders like{% component_js_dependencies %}
and HTML tags<head>
and<body>
are all ignored. The JS and CSS are always inserted before the rendered content.html = MyComponent.render(deps_strategy=\"prepend\")\n
Location:
JS and CSS is always inserted before the rendered content.
Included scripts:
Same as for the
"},{"location":"concepts/advanced/rendering_js_css/#append","title":"\"simple\"
strategy.append
","text":"This is the same as
\"simple\"
, but placeholders like{% component_js_dependencies %}
and HTML tags<head>
and<body>
are all ignored. The JS and CSS are always inserted after the rendered content.html = MyComponent.render(deps_strategy=\"append\")\n
Location:
JS and CSS is always inserted after the rendered content.
Included scripts:
Same as for the
"},{"location":"concepts/advanced/rendering_js_css/#ignore","title":"\"simple\"
strategy.ignore
","text":"deps_strategy=\"ignore\"
is used when you do NOT want to process JS and CSS of the rendered HTML.html = MyComponent.render(deps_strategy=\"ignore\")\n
The rendered HTML is left as-is. You can still process it with a different strategy later with
render_dependencies()
.This is useful when you want to insert rendered HTML into another component.
"},{"location":"concepts/advanced/rendering_js_css/#manually-rendering-js-css","title":"Manually rendering JS / CSS","text":"html = MyComponent.render(deps_strategy=\"ignore\")\nhtml = AnotherComponent.render(slots={\"content\": html})\n
When rendering templates or components, django-components covers all the traditional ways how components or templates can be rendered:
Component.render()
Component.render_to_response()
Template.render()
django.shortcuts.render()
This way you don't need to manually handle rendering of JS / CSS.
However, for advanced or low-level use cases, you may need to control when to render JS / CSS.
In such case you can directly pass rendered HTML to
render_dependencies()
.This function will extract all used components in the HTML string, and insert the components' JS and CSS based on given strategy.
Info
The truth is that all the methods listed above call
render_dependencies()
internally.Example:
To see how
render_dependencies()
works, let's render a template with a component.We will render it twice:
- First time, we let
template.render()
handle the rendering. -
Second time, we prevent
template.render()
from inserting the component's JS and CSS withdeps_strategy=\"ignore\"
.Instead, we pass the \"unprocessed\" HTML to
render_dependencies()
ourselves to insert the component's JS and CSS.
from django.template.base import Template\nfrom django.template.context import Context\nfrom django_components import render_dependencies\n\ntemplate = Template(\"\"\"\n {% load component_tags %}\n <!doctype html>\n <html>\n <head>\n <title>MyPage</title>\n </head>\n <body>\n <main>\n {% component \"my_button\" %}\n Click me!\n {% endcomponent %}\n </main>\n </body>\n </html>\n\"\"\")\n\nrendered = template.render(Context({}))\n\nrendered2_raw = template.render(Context({\"DJC_DEPS_STRATEGY\": \"ignore\"}))\nrendered2 = render_dependencies(rendered2_raw)\n\nassert rendered == rendered2\n
Same applies to other strategies and other methods of rendering:
"},{"location":"concepts/advanced/rendering_js_css/#html-fragments","title":"HTML fragments","text":"raw_html = MyComponent.render(deps_strategy=\"ignore\")\nhtml = render_dependencies(raw_html, deps_strategy=\"document\")\n\nhtml2 = MyComponent.render(deps_strategy=\"document\")\n\nassert html == html2\n
Django-components provides a seamless integration with HTML fragments with AJAX (HTML over the wire), whether you're using jQuery, HTMX, AlpineJS, vanilla JavaScript, or other.
This is achieved by the combination of the
\"document\"
and\"fragment\"
strategies.Read more about HTML fragments.
"},{"location":"concepts/advanced/tag_formatters/","title":"Tag formatters","text":""},{"location":"concepts/advanced/tag_formatters/#customizing-component-tags-with-tagformatter","title":"Customizing component tags with TagFormatter","text":"New in version 0.89
By default, components are rendered using the pair of
{% component %}
/{% endcomponent %}
template tags:{% component \"button\" href=\"...\" disabled %}\nClick me!\n{% endcomponent %}\n\n{# or #}\n\n{% component \"button\" href=\"...\" disabled / %}\n
You can change this behaviour in the settings under the
COMPONENTS.tag_formatter
.For example, if you set the tag formatter to
django_components.component_shorthand_formatter
then the components' names will be used as the template tags:
"},{"location":"concepts/advanced/tag_formatters/#available-tagformatters","title":"Available TagFormatters","text":"{% button href=\"...\" disabled %}\n Click me!\n{% endbutton %}\n\n{# or #}\n\n{% button href=\"...\" disabled / %}\n
django_components provides following predefined TagFormatters:
ComponentFormatter
(django_components.component_formatter
)
Default
Uses the
component
andendcomponent
tags, and the component name is gives as the first positional argument.Example as block:
{% component \"button\" href=\"...\" %}\n {% fill \"content\" %}\n ...\n {% endfill %}\n{% endcomponent %}\n
Example as inlined tag:
{% component \"button\" href=\"...\" / %}\n
ShorthandComponentFormatter
(django_components.component_shorthand_formatter
)
Uses the component name as start tag, and
end<component_name>
as an end tag.Example as block:
{% button href=\"...\" %}\n Click me!\n{% endbutton %}\n
Example as inlined tag:
"},{"location":"concepts/advanced/tag_formatters/#writing-your-own-tagformatter","title":"Writing your own TagFormatter","text":""},{"location":"concepts/advanced/tag_formatters/#background","title":"Background","text":"{% button href=\"...\" / %}\n
First, let's discuss how TagFormatters work, and how components are rendered in django_components.
When you render a component with
{% component %}
(or your own tag), the following happens:component
must be registered as a Django's template tag- Django triggers django_components's tag handler for tag
component
. - The tag handler passes the tag contents for pre-processing to
TagFormatter.parse()
.
So if you render this:
{% component \"button\" href=\"...\" disabled %}\n{% endcomponent %}\n
Then
TagFormatter.parse()
will receive a following input:[\"component\", '\"button\"', 'href=\"...\"', 'disabled']\n
TagFormatter
extracts the component name and the remaining input.
So, given the above,
TagFormatter.parse()
returns the following:TagResult(\n component_name=\"button\",\n tokens=['href=\"...\"', 'disabled']\n)\n
- The tag handler resumes, using the tokens returned from
TagFormatter
.
So, continuing the example, at this point the tag handler practically behaves as if you rendered:
{% component href=\"...\" disabled %}\n
- Tag handler looks up the component
button
, and passes the args, kwargs, and slots to it.
TagFormatter
handles following parts of the process above:-
Generates start/end tags, given a component. This is what you then call from within your template as
{% component %}
. -
When you
{% component %}
, tag formatter pre-processes the tag contents, so it can link back the custom template tag to the right component.
To do so, subclass from
TagFormatterABC
and implement following method:start_tag
end_tag
parse
For example, this is the implementation of
ShorthandComponentFormatter
class ShorthandComponentFormatter(TagFormatterABC):\n # Given a component name, generate the start template tag\n def start_tag(self, name: str) -> str:\n return name # e.g. 'button'\n\n # Given a component name, generate the start template tag\n def end_tag(self, name: str) -> str:\n return f\"end{name}\" # e.g. 'endbutton'\n\n # Given a tag, e.g.\n # `{% button href=\"...\" disabled %}`\n #\n # The parser receives:\n # `['button', 'href=\"...\"', 'disabled']`\n def parse(self, tokens: List[str]) -> TagResult:\n tokens = [*tokens]\n name = tokens.pop(0)\n return TagResult(\n name, # e.g. 'button'\n tokens # e.g. ['href=\"...\"', 'disabled']\n )\n
That's it! And once your
"},{"location":"concepts/advanced/template_tags/","title":"Custom template tags","text":"TagFormatter
is ready, don't forget to update the settings!Template tags introduced by django-components, such as
{% component %}
and{% slot %}
, offer additional features over the default Django template tags:- Self-closing tags
{% mytag / %}
- Allowing the use of
:
,-
(and more) in keys - Spread operator
...
- Using template tags as inputs to other template tags
- Flat definition of dictionaries
attr:key=val
- Function-like input validation
You too can easily create custom template tags that use the above features.
"},{"location":"concepts/advanced/template_tags/#defining-template-tags-with-template_tag","title":"Defining template tags with@template_tag
","text":"The simplest way to create a custom template tag is using the
template_tag
decorator. This decorator allows you to define a template tag by just writing a function that returns the rendered content.from django.template import Context, Library\nfrom django_components import BaseNode, template_tag\n\nlibrary = Library()\n\n@template_tag(\n library,\n tag=\"mytag\",\n end_tag=\"endmytag\",\n allowed_flags=[\"required\"]\n)\ndef mytag(node: BaseNode, context: Context, name: str, **kwargs) -> str:\n return f\"Hello, {name}!\"\n
This will allow you to use the tag in your templates like this:
"},{"location":"concepts/advanced/template_tags/#parameters","title":"Parameters","text":"{% mytag name=\"John\" %}\n{% endmytag %}\n\n{# or with self-closing syntax #}\n{% mytag name=\"John\" / %}\n\n{# or with flags #}\n{% mytag name=\"John\" required %}\n{% endmytag %}\n
The
@template_tag
decorator accepts the following parameters:library
: The Django template library to register the tag withtag
: The name of the template tag (e.g.\"mytag\"
for{% mytag %}
)end_tag
: Optional. The name of the end tag (e.g.\"endmytag\"
for{% endmytag %}
)allowed_flags
: Optional. List of flags that can be used with the tag (e.g.[\"required\"]
for{% mytag required %}
)
The function decorated with
@template_tag
must accept at least two arguments:node
: The node instance (we'll explain this in detail in the next section)context
: The Django template context
Any additional parameters in your function's signature define what inputs your template tag accepts. For example:
@template_tag(library, tag=\"greet\")\ndef greet(\n node: BaseNode,\n context: Context,\n name: str, # required positional argument\n count: int = 1, # optional positional argument\n *, # keyword-only arguments marker\n msg: str, # required keyword argument\n mode: str = \"default\", # optional keyword argument\n) -> str:\n return f\"{msg}, {name}!\" * count\n
This allows the tag to be used like:
{# All parameters #}\n{% greet \"John\" count=2 msg=\"Hello\" mode=\"custom\" %}\n\n{# Only required parameters #}\n{% greet \"John\" msg=\"Hello\" %}\n\n{# Missing required parameter - will raise error #}\n{% greet \"John\" %} {# Error: missing 'msg' #}\n
When you pass input to a template tag, it behaves the same way as if you passed the input to a function:
- If required parameters are missing, an error is raised
- If unexpected parameters are passed, an error is raised
To accept keys that are not valid Python identifiers (e.g.
data-id
), or would conflict with Python keywords (e.g.is
), you can use the**kwargs
syntax:@template_tag(library, tag=\"greet\")\ndef greet(\n node: BaseNode,\n context: Context,\n **kwargs,\n) -> str:\n attrs = kwargs.copy()\n is_var = attrs.pop(\"is\", None)\n attrs_str = \" \".join(f'{k}=\"{v}\"' for k, v in attrs.items())\n\n return mark_safe(f\"\"\"\n <div {attrs_str}>\n Hello, {is_var}!\n </div>\n \"\"\")\n
This allows you to use the tag like this:
"},{"location":"concepts/advanced/template_tags/#defining-template-tags-with-basenode","title":"Defining template tags with{% greet is=\"John\" data-id=\"123\" %}\n
BaseNode
","text":"For more control over your template tag, you can subclass
BaseNode
directly instead of using the decorator. This gives you access to additional features like the node's internal state and parsing details.
"},{"location":"concepts/advanced/template_tags/#node-properties","title":"Node properties","text":"from django_components import BaseNode\n\nclass GreetNode(BaseNode):\n tag = \"greet\"\n end_tag = \"endgreet\"\n allowed_flags = [\"required\"]\n\n def render(self, context: Context, name: str, **kwargs) -> str:\n # Access node properties\n if self.flags[\"required\"]:\n return f\"Required greeting: Hello, {name}!\"\n return f\"Hello, {name}!\"\n\n# Register the node\nGreetNode.register(library)\n
When using
BaseNode
, you have access to several useful properties:node_id
: A unique identifier for this node instanceflags
: Dictionary of flag values (e.g.{\"required\": True}
)params
: List of raw parameters passed to the tagnodelist
: The template nodes between the start and end tagsactive_flags
: List of flags that are currently set to True
This is what the
"},{"location":"concepts/advanced/template_tags/#rendering-content-between-tags","title":"Rendering content between tags","text":"node
parameter in the@template_tag
decorator gives you access to - it's the instance of the node class that was automatically created for your template tag.When your tag has an end tag, you can access and render the content between the tags using
nodelist
:
"},{"location":"concepts/advanced/template_tags/#unregistering-nodes","title":"Unregistering nodes","text":"class WrapNode(BaseNode):\n tag = \"wrap\"\n end_tag = \"endwrap\"\n\n def render(self, context: Context, tag: str = \"div\", **attrs) -> str:\n # Render the content between tags\n inner = self.nodelist.render(context)\n attrs_str = \" \".join(f'{k}=\"{v}\"' for k, v in attrs.items())\n return f\"<{tag} {attrs_str}>{inner}</{tag}>\"\n\n# Usage:\n{% wrap tag=\"section\" class=\"content\" %}\n Hello, world!\n{% endwrap %}\n
You can unregister a node from a library using the
unregister
method:GreetNode.unregister(library)\n
This is particularly useful in testing when you want to clean up after registering temporary tags.
"},{"location":"concepts/advanced/testing/","title":"Testing","text":"New in version 0.131
The
"},{"location":"concepts/advanced/testing/#usage","title":"Usage","text":"@djc_test
decorator is a powerful tool for testing components created withdjango-components
. It ensures that each test is properly isolated, preventing components registered in one test from affecting others.The
@djc_test
decorator can be applied to functions, methods, or classes.When applied to a class, it decorates all methods starting with
"},{"location":"concepts/advanced/testing/#applying-to-a-function","title":"Applying to a Function","text":"test_
, and all nested classes starting withTest
, recursively.To apply
djc_test
to a function, simply decorate the function as shown below:
"},{"location":"concepts/advanced/testing/#applying-to-a-class","title":"Applying to a Class","text":"import django\nfrom django_components.testing import djc_test\n\n@djc_test\ndef test_my_component():\n @register(\"my_component\")\n class MyComponent(Component):\n template = \"...\"\n ...\n
When applied to a class,
djc_test
decorates eachtest_
method, as well as all nested classes starting withTest
.import django\nfrom django_components.testing import djc_test\n\n@djc_test\nclass TestMyComponent:\n def test_something(self):\n ...\n\n class TestNested:\n def test_something_else(self):\n ...\n
This is equivalent to applying the decorator to both of the methods individually:
"},{"location":"concepts/advanced/testing/#arguments","title":"Arguments","text":"import django\nfrom django_components.testing import djc_test\n\nclass TestMyComponent:\n @djc_test\n def test_something(self):\n ...\n\n class TestNested:\n @djc_test\n def test_something_else(self):\n ...\n
See the API reference for
"},{"location":"concepts/advanced/testing/#setting-up-django","title":"Setting Up Django","text":"@djc_test
for more details.If you want to define a common Django settings that would be the baseline for all tests, you can call
django.setup()
before the@djc_test
decorator:import django\nfrom django_components.testing import djc_test\n\ndjango.setup(...)\n\n@djc_test\ndef test_my_component():\n ...\n
Info
If you omit
"},{"location":"concepts/advanced/testing/#example-parametrizing-context-behavior","title":"Example: Parametrizing Context Behavior","text":"django.setup()
in the example above,@djc_test
will call it for you, so you don't need to do it manually.You can parametrize the context behavior using
djc_test
:
"},{"location":"concepts/fundamentals/autodiscovery/","title":"Autodiscovery","text":"from django_components.testing import djc_test\n\n@djc_test(\n # Settings applied to all cases\n components_settings={\n \"app_dirs\": [\"custom_dir\"],\n },\n # Parametrized settings\n parametrize=(\n [\"components_settings\"],\n [\n [{\"context_behavior\": \"django\"}],\n [{\"context_behavior\": \"isolated\"}],\n ],\n [\"django\", \"isolated\"],\n )\n)\ndef test_context_behavior(components_settings):\n rendered = MyComponent().render()\n ...\n
django-components automatically searches for files containing components in the
"},{"location":"concepts/fundamentals/autodiscovery/#manually-register-components","title":"Manually register components","text":"COMPONENTS.dirs
andCOMPONENTS.app_dirs
directories.Every component that you want to use in the template with the
{% component %}
tag needs to be registered with theComponentRegistry
.We use the
@register
decorator for that:from django_components import Component, register\n\n@register(\"calendar\")\nclass Calendar(Component):\n ...\n
But for the component to be registered, the code needs to be executed - and for that, the file needs to be imported as a module.
This is the \"discovery\" part of the process.
One way to do that is by importing all your components in
apps.py
:from django.apps import AppConfig\n\nclass MyAppConfig(AppConfig):\n name = \"my_app\"\n\n def ready(self) -> None:\n from components.card.card import Card\n from components.list.list import List\n from components.menu.menu import Menu\n from components.button.button import Button\n ...\n
However, there's a simpler way!
"},{"location":"concepts/fundamentals/autodiscovery/#autodiscovery","title":"Autodiscovery","text":"By default, the Python files found in the
COMPONENTS.dirs
andCOMPONENTS.app_dirs
are auto-imported in order to execute the code that registers the components.Autodiscovery occurs when Django is loaded, during the
AppConfig.ready()
hook of theapps.py
file.If you are using autodiscovery, keep a few points in mind:
- Avoid defining any logic on the module-level inside the components directories, that you would not want to run anyway.
- Components inside the auto-imported files still need to be registered with
@register
- Auto-imported component files must be valid Python modules, they must use suffix
.py
, and module name should follow PEP-8. - Subdirectories and files starting with an underscore
_
(except__init__.py
) are ignored.
Autodiscovery can be disabled in the settings with
"},{"location":"concepts/fundamentals/autodiscovery/#manually-trigger-autodiscovery","title":"Manually trigger autodiscovery","text":"autodiscover=False
.Autodiscovery can be also triggered manually, using the
autodiscover()
function. This is useful if you want to run autodiscovery at a custom point of the lifecycle:from django_components import autodiscover\n\nautodiscover()\n
To get the same list of modules that
autodiscover()
would return, but without importing them, useget_component_files()
:
"},{"location":"concepts/fundamentals/component_defaults/","title":"Component defaults","text":"from django_components import get_component_files\n\nmodules = get_component_files(\".py\")\n
When a component is being rendered, the component inputs are passed to various methods like
get_template_data()
,get_js_data()
, orget_css_data()
.It can be cumbersome to specify default values for each input in each method.
To make things easier, Components can specify their defaults. Defaults are used when no value is provided, or when the value is set to
"},{"location":"concepts/fundamentals/component_defaults/#defining-defaults","title":"Defining defaults","text":"None
for a particular input.To define defaults for a component, you create a nested
Defaults
class within yourComponent
class. Each attribute in theDefaults
class represents a default value for a corresponding input.from django_components import Component, Default, register\n\n@register(\"my_table\")\nclass MyTable(Component):\n\n class Defaults:\n position = \"left\"\n selected_items = Default(lambda: [1, 2, 3])\n\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"position\": kwargs[\"position\"],\n \"selected_items\": kwargs[\"selected_items\"],\n }\n\n ...\n
In this example,
position
is a simple default value, whileselected_items
uses a factory function wrapped inDefault
to ensure a new list is created each time the default is used.Now, when we render the component, the defaults will be applied:
{% component \"my_table\" position=\"right\" / %}\n
In this case:
position
input is set toright
, so no defaults appliedselected_items
is not set, so it will be set to[1, 2, 3]
.
Same applies to rendering the Component in Python with the
render()
method:MyTable.render(\n kwargs={\n \"position\": \"right\",\n \"selected_items\": None,\n },\n)\n
Notice that we've set
selected_items
toNone
.None
values are treated as missing values, and soselected_items
will be set to[1, 2, 3]
.Warning
The defaults are aplied only to keyword arguments. They are NOT applied to positional arguments!
Warning
When typing your components with
Args
,Kwargs
, orSlots
classes, you may be inclined to define the defaults in the classes.class ProfileCard(Component):\n class Kwargs(NamedTuple):\n show_details: bool = True\n
This is NOT recommended, because:
- The defaults will NOT be applied to inputs when using
self.input
property. - The defaults will NOT be applied when a field is given but set to
None
.
Instead, define the defaults in the
"},{"location":"concepts/fundamentals/component_defaults/#default-factories","title":"Default factories","text":"Defaults
class.For objects such as lists, dictionaries or other instances, you have to be careful - if you simply set a default value, this instance will be shared across all instances of the component!
from django_components import Component\n\nclass MyTable(Component):\n class Defaults:\n # All instances will share the same list!\n selected_items = [1, 2, 3]\n
To avoid this, you can use a factory function wrapped in
Default
.from django_components import Component, Default\n\nclass MyTable(Component):\n class Defaults:\n # A new list is created for each instance\n selected_items = Default(lambda: [1, 2, 3])\n
This is similar to how the dataclass fields work.
In fact, you can also use the dataclass's
field
function to define the factories:
"},{"location":"concepts/fundamentals/component_defaults/#accessing-defaults","title":"Accessing defaults","text":"from dataclasses import field\nfrom django_components import Component\n\nclass MyTable(Component):\n class Defaults:\n selected_items = field(default_factory=lambda: [1, 2, 3])\n
Since the defaults are defined on the component class, you can access the defaults for a component with the
Component.Defaults
property.So if we have a component like this:
from django_components import Component, Default, register\n\n@register(\"my_table\")\nclass MyTable(Component):\n\n class Defaults:\n position = \"left\"\n selected_items = Default(lambda: [1, 2, 3])\n\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"position\": kwargs[\"position\"],\n \"selected_items\": kwargs[\"selected_items\"],\n }\n
We can access individual defaults like this:
"},{"location":"concepts/fundamentals/component_views_urls/","title":"Component views and URLs","text":"print(MyTable.Defaults.position)\nprint(MyTable.Defaults.selected_items)\n
New in version 0.34
Note: Since 0.92,
Component
is no longer a subclass of Django'sView
. Instead, the nestedComponent.View
class is a subclass of Django'sView
.For web applications, it's common to define endpoints that serve HTML content (AKA views).
django-components has a suite of features that help you write and manage views and their URLs:
-
For each component, you can define methods for handling HTTP requests (GET, POST, etc.) -
get()
,post()
, etc. -
Use
Component.as_view()
to be able to use your Components with Django'surlpatterns
. This works the same way asView.as_view()
. -
To avoid having to manually define the endpoints for each component, you can set the component to be \"public\" with
Component.View.public = True
. This will automatically create a URL for the component. To retrieve the component URL, useget_component_url()
. -
In addition,
Component
has arender_to_response()
method that renders the component template based on the provided input and returns anHttpResponse
object.
Here's an example of a calendar component defined as a view. Simply define a
[project root]/components/calendar.pyView
class with your customget()
method to handle GET requests:from django_components import Component, ComponentView, register\n\n@register(\"calendar\")\nclass Calendar(Component):\n template = \"\"\"\n <div class=\"calendar-component\">\n <div class=\"header\">\n {% slot \"header\" / %}\n </div>\n <div class=\"body\">\n Today's date is <span>{{ date }}</span>\n </div>\n </div>\n \"\"\"\n\n class View:\n # Handle GET requests\n def get(self, request, *args, **kwargs):\n # Return HttpResponse with the rendered content\n return Calendar.render_to_response(\n request=request,\n kwargs={\n \"date\": request.GET.get(\"date\", \"2020-06-06\"),\n },\n slots={\n \"header\": \"Calendar header\",\n },\n )\n
Info
The View class supports all the same HTTP methods as Django's
View
class. These are:get()
,post()
,put()
,patch()
,delete()
,head()
,options()
,trace()
Each of these receive the
HttpRequest
object as the first argument.Warning
Deprecation warning:
Previously, the handler methods such as
get()
andpost()
could be defined directly on theComponent
class:class Calendar(Component):\n def get(self, request, *args, **kwargs):\n return self.render_to_response(\n kwargs={\n \"date\": request.GET.get(\"date\", \"2020-06-06\"),\n }\n )\n
This is deprecated from v0.137 onwards, and will be removed in v1.0.
"},{"location":"concepts/fundamentals/component_views_urls/#acccessing-component-instance","title":"Acccessing component instance","text":"You can access the component instance from within the View methods by using the
View.component
attribute:class Calendar(Component):\n ...\n\n class View:\n def get(self, request):\n return self.component.render_to_response(request=request)\n
Note
The
View.component
instance is a dummy instance created solely for the View methods.It is the same as if you instantiated the component class directly:
"},{"location":"concepts/fundamentals/component_views_urls/#register-urls-manually","title":"Register URLs manually","text":"component = Calendar()\ncomponent.render_to_response(request=request)\n
To register the component as a route / endpoint in Django, add an entry to your
[project root]/urls.pyurlpatterns
. In place of the view function, create a view object withComponent.as_view()
:from django.urls import path\nfrom components.calendar.calendar import Calendar\n\nurlpatterns = [\n path(\"calendar/\", Calendar.as_view()),\n]\n
"},{"location":"concepts/fundamentals/component_views_urls/#register-urls-automatically","title":"Register URLs automatically","text":"Component.as_view()
internally callsView.as_view()
, passing the component instance as one of the arguments.If you don't care about the exact URL of the component, you can let django-components manage the URLs for you by setting the
Component.View.public
attribute toTrue
:class MyComponent(Component):\n class View:\n public = True\n\n def get(self, request):\n return self.component.render_to_response(request=request)\n ...\n
Then, to get the URL for the component, use
get_component_url()
:from django_components import get_component_url\n\nurl = get_component_url(MyComponent)\n
This way you don't have to mix your app URLs with component URLs.
Info
If you need to pass query parameters or a fragment to the component URL, you can do so by passing the
query
andfragment
arguments toget_component_url()
:
"},{"location":"concepts/fundamentals/html_attributes/","title":"HTML attributes","text":"url = get_component_url(\n MyComponent,\n query={\"foo\": \"bar\"},\n fragment=\"baz\",\n)\n# /components/ext/view/components/c1ab2c3?foo=bar#baz\n
New in version 0.74:
You can use the
{% html_attrs %}
tag to render various data askey=\"value\"
HTML attributes.{% html_attrs %}
tag is versatile, allowing you to define HTML attributes however you need:- Define attributes within the HTML template
- Define attributes in Python code
- Merge attributes from multiple sources
- Boolean attributes
- Append attributes
- Remove attributes
- Define default attributes
From v0.135 onwards,
{% html_attrs %}
tag also supports mergingstyle
andclass
attributes the same way how Vue does.To get started, let's consider a simple example. If you have a template:
<div class=\"{{ classes }}\" data-id=\"{{ my_id }}\">\n</div>\n
You can rewrite it with the
{% html_attrs %}
tag:<div {% html_attrs class=classes data-id=my_id %}>\n</div>\n
The
{% html_attrs %}
tag accepts any number of keyword arguments, which will be merged and rendered as HTML attributes:<div class=\"text-red\" data-id=\"123\">\n</div>\n
Moreover, the
{% html_attrs %}
tag accepts two positional arguments:attrs
- a dictionary of attributes to be rendereddefaults
- a dictionary of default attributes
You can use this for example to allow users of your component to add extra attributes. We achieve this by capturing the extra attributes and passing them to the
{% html_attrs %}
tag as a dictionary:@register(\"my_comp\")\nclass MyComp(Component):\n # Pass all kwargs as `attrs`\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"attrs\": kwargs,\n \"classes\": \"text-red\",\n \"my_id\": 123,\n }\n\n template: t.django_html = \"\"\"\n {# Pass the extra attributes to `html_attrs` #}\n <div {% html_attrs attrs class=classes data-id=my_id %}>\n </div>\n \"\"\"\n
This way you can render
MyComp
with extra attributes:Either via Django template:
{% component \"my_comp\"\n id=\"example\"\n class=\"pa-4\"\n style=\"color: red;\"\n%}\n
Or via Python:
MyComp.render(\n kwargs={\n \"id\": \"example\",\n \"class\": \"pa-4\",\n \"style\": \"color: red;\",\n }\n)\n
In both cases, the attributes will be merged and rendered as:
"},{"location":"concepts/fundamentals/html_attributes/#summary","title":"Summary","text":"<div id=\"example\" class=\"text-red pa-4\" style=\"color: red;\" data-id=\"123\"></div>\n
-
The two arguments,
attrs
anddefaults
, can be passed as positional args:{% html_attrs attrs defaults key=val %}\n
or as kwargs:
{% html_attrs key=val defaults=defaults attrs=attrs %}\n
-
Both
attrs
anddefaults
are optional and can be omitted. -
Both
attrs
anddefaults
are dictionaries. As such, there's multiple ways to define them:-
By referencing a variable:
{% html_attrs attrs=attrs %}\n
-
By defining a literal dictionary:
{% html_attrs attrs={\"key\": value} %}\n
-
Or by defining the dictionary keys:
{% html_attrs attrs:key=value %}\n
-
-
All other kwargs are merged and can be repeated.
{% html_attrs class=\"text-red\" class=\"pa-4\" %}\n
Will render:
<div class=\"text-red pa-4\"></div>\n
In HTML, boolean attributes are usually rendered with no value. Consider the example below where the first button is disabled and the second is not:
<button disabled>Click me!</button>\n<button>Click me!</button>\n
HTML rendering with
html_attrs
tag orformat_attributes
works the same way - an attribute set toTrue
is rendered without the value, and an attribute set toFalse
is not rendered at all.So given this input:
attrs = {\n \"disabled\": True,\n \"autofocus\": False,\n}\n
And template:
<div {% html_attrs attrs %}>\n</div>\n
Then this renders:
"},{"location":"concepts/fundamentals/html_attributes/#removing-attributes","title":"Removing attributes","text":"<div disabled></div>\n
Given how the boolean attributes work, you can \"remove\" or prevent an attribute from being rendered by setting it to
False
orNone
.So given this input:
attrs = {\n \"class\": \"text-green\",\n \"required\": False,\n \"data-id\": None,\n}\n
And template:
<div {% html_attrs attrs %}>\n</div>\n
Then this renders:
"},{"location":"concepts/fundamentals/html_attributes/#default-attributes","title":"Default attributes","text":"<div class=\"text-green\"></div>\n
Sometimes you may want to specify default values for attributes. You can pass a second positional argument to set the defaults.
<div {% html_attrs attrs defaults %}>\n ...\n</div>\n
In the example above, if
attrs
contains a certain key, e.g. theclass
key,{% html_attrs %}
will render:<div class=\"{{ attrs.class }}\">\n ...\n</div>\n
Otherwise,
{% html_attrs %}
will render:
"},{"location":"concepts/fundamentals/html_attributes/#appending-attributes","title":"Appending attributes","text":"<div class=\"{{ defaults.class }}\">\n ...\n</div>\n
For the
class
HTML attribute, it's common that we want to join multiple values, instead of overriding them.For example, if you're authoring a component, you may want to ensure that the component will ALWAYS have a specific class. Yet, you may want to allow users of your component to supply their own
class
attribute.We can achieve this by adding extra kwargs. These values will be appended, instead of overwriting the previous value.
So if we have a variable
attrs
:attrs = {\n \"class\": \"my-class pa-4\",\n}\n
And on
{% html_attrs %}
tag, we set the keyclass
:<div {% html_attrs attrs class=\"some-class\" %}>\n</div>\n
Then these will be merged and rendered as:
<div data-value=\"my-class pa-4 some-class\"></div>\n
To simplify merging of variables, you can supply the same key multiple times, and these will be all joined together:
{# my_var = \"class-from-var text-red\" #}\n<div {% html_attrs attrs class=\"some-class another-class\" class=my_var %}>\n</div>\n
Renders:
"},{"location":"concepts/fundamentals/html_attributes/#merging-class-attributes","title":"Merging<div\n data-value=\"my-class pa-4 some-class another-class class-from-var text-red\"\n></div>\n
class
attributes","text":"The
class
attribute can be specified as a string of class names as usual.If you want granular control over individual class names, you can use a dictionary.
-
String: Used as is.
{% html_attrs class=\"my-class other-class\" %}\n
Renders:
<div class=\"my-class other-class\"></div>\n
-
Dictionary: Keys are the class names, and values are booleans. Only keys with truthy values are rendered.
{% html_attrs class={\n \"extra-class\": True,\n \"other-class\": False,\n} %}\n
Renders:
<div class=\"extra-class\"></div>\n
If a certain class is specified multiple times, it's the last instance that decides whether the class is rendered or not.
Example:
In this example, the
other-class
is specified twice. The last instance is{\"other-class\": False}
, so the class is not rendered.{% html_attrs\n class=\"my-class other-class\"\n class={\"extra-class\": True, \"other-class\": False}\n%}\n
Renders:
"},{"location":"concepts/fundamentals/html_attributes/#merging-style-attributes","title":"Merging<div class=\"my-class extra-class\"></div>\n
style
attributes","text":"The
style
attribute can be specified as a string of style properties as usual.If you want granular control over individual style properties, you can use a dictionary.
-
String: Used as is.
{% html_attrs style=\"color: red; background-color: blue;\" %}\n
Renders:
<div style=\"color: red; background-color: blue;\"></div>\n
-
Dictionary: Keys are the style properties, and values are their values.
{% html_attrs style={\n \"color\": \"red\",\n \"background-color\": \"blue\",\n} %}\n
Renders:
<div style=\"color: red; background-color: blue;\"></div>\n
If a style property is specified multiple times, the last value is used.
- Properties set to
None
are ignored. - If the last non-
None
instance of the property is set toFalse
, the property is removed.
Example:
In this example, the
width
property is specified twice. The last instance is{\"width\": False}
, so the property is removed.Secondly, the
background-color
property is also set twice. But the second time it's set toNone
, so that instance is ignored, leaving us only withbackground-color: blue
.The
color
property is set to a valid value in both cases, so the latter (green
) is used.{% html_attrs\n style=\"color: red; background-color: blue; width: 100px;\"\n style={\"color\": \"green\", \"background-color\": None, \"width\": False}\n%}\n
Renders:
"},{"location":"concepts/fundamentals/html_attributes/#usage-outside-of-templates","title":"Usage outside of templates","text":"<div style=\"color: green; background-color: blue;\"></div>\n
In some cases, you want to prepare HTML attributes outside of templates.
To achieve the same behavior as
"},{"location":"concepts/fundamentals/html_attributes/#merging-attributes","title":"Merging attributes","text":"{% html_attrs %}
tag, you can use themerge_attributes()
andformat_attributes()
helper functions.merge_attributes()
accepts any number of dictionaries and merges them together, using the same merge strategy as{% html_attrs %}
.from django_components import merge_attributes\n\nmerge_attributes(\n {\"class\": \"my-class\", \"data-id\": 123},\n {\"class\": \"extra-class\"},\n {\"class\": {\"cool-class\": True, \"uncool-class\": False} },\n)\n
Which will output:
{\n \"class\": \"my-class extra-class cool-class\",\n \"data-id\": 123,\n}\n
Warning
Unlike
"},{"location":"concepts/fundamentals/html_attributes/#formatting-attributes","title":"Formatting attributes","text":"{% html_attrs %}
, where you can pass extra kwargs,merge_attributes()
requires each argument to be a dictionary.format_attributes()
serializes attributes the same way as{% html_attrs %}
tag does.from django_components import format_attributes\n\nformat_attributes({\n \"class\": \"my-class text-red pa-4\",\n \"data-id\": 123,\n \"required\": True,\n \"disabled\": False,\n \"ignored-attr\": None,\n})\n
Which will output:
'class=\"my-class text-red pa-4\" data-id=\"123\" required'\n
Note
Prior to v0.135, the
format_attributes()
function was namedattributes_to_string()
.This function is now deprecated and will be removed in v1.0.
"},{"location":"concepts/fundamentals/html_attributes/#cheat-sheet","title":"Cheat sheet","text":"Assuming that:
class_from_var = \"from-var\"\n\nattrs = {\n \"class\": \"from-attrs\",\n \"type\": \"submit\",\n}\n\ndefaults = {\n \"class\": \"from-defaults\",\n \"role\": \"button\",\n}\n
Then:
-
Empty tag
<div {% html_attr %}></div>\n
renders nothing:
<div></div>\n
-
Only kwargs
<div {% html_attr class=\"some-class\" class=class_from_var data-id=\"123\" %}></div>\n
renders:
<div class=\"some-class from-var\" data-id=\"123\"></div>\n
-
Only attrs
<div {% html_attr attrs %}></div>\n
renders:
<div class=\"from-attrs\" type=\"submit\"></div>\n
-
Attrs as kwarg
<div {% html_attr attrs=attrs %}></div>\n
renders:
<div class=\"from-attrs\" type=\"submit\"></div>\n
-
Only defaults (as kwarg)
<div {% html_attr defaults=defaults %}></div>\n
renders:
<div class=\"from-defaults\" role=\"button\"></div>\n
-
Attrs using the
prefix:key=value
construct<div {% html_attr attrs:class=\"from-attrs\" attrs:type=\"submit\" %}></div>\n
renders:
<div class=\"from-attrs\" type=\"submit\"></div>\n
-
Defaults using the
prefix:key=value
construct<div {% html_attr defaults:class=\"from-defaults\" %}></div>\n
renders:
<div class=\"from-defaults\" role=\"button\"></div>\n
-
All together (1) - attrs and defaults as positional args:
<div {% html_attrs attrs defaults class=\"added_class\" class=class_from_var data-id=123 %}></div>\n
renders:
<div class=\"from-attrs added_class from-var\" type=\"submit\" role=\"button\" data-id=123></div>\n
-
All together (2) - attrs and defaults as kwargs args:
<div {% html_attrs class=\"added_class\" class=class_from_var data-id=123 attrs=attrs defaults=defaults %}></div>\n
renders:
<div class=\"from-attrs added_class from-var\" type=\"submit\" role=\"button\" data-id=123></div>\n
-
All together (3) - mixed:
<div {% html_attrs attrs defaults:class=\"default-class\" class=\"added_class\" class=class_from_var data-id=123 %}></div>\n
renders:
<div class=\"from-attrs added_class from-var\" type=\"submit\" data-id=123></div>\n
@register(\"my_comp\")\nclass MyComp(Component):\n template: t.django_html = \"\"\"\n <div\n {% html_attrs attrs\n defaults:class=\"pa-4 text-red\"\n class=\"my-comp-date\"\n class=class_from_var\n data-id=\"123\"\n %}\n >\n Today's date is <span>{{ date }}</span>\n </div>\n \"\"\"\n\n def get_template_data(self, args, kwargs, slots, context):\n date = kwargs.pop(\"date\")\n return {\n \"date\": date,\n \"attrs\": kwargs,\n \"class_from_var\": \"extra-class\"\n }\n\n@register(\"parent\")\nclass Parent(Component):\n template: t.django_html = \"\"\"\n {% component \"my_comp\"\n date=date\n attrs:class=\"pa-0 border-solid border-red\"\n attrs:data-json=json_data\n attrs:@click=\"(e) => onClick(e, 'from_parent')\"\n / %}\n \"\"\"\n\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"date\": datetime.now(),\n \"json_data\": json.dumps({\"value\": 456})\n }\n
Note: For readability, we've split the tags across multiple lines.
Inside
MyComp
, we defined a default attributedefaults:class=\"pa-4 text-red\"\n
So if
attrs
includes keyclass
, the default above will be ignored.MyComp
also definesclass
key twice. It means that whether theclass
attribute is taken fromattrs
ordefaults
, the twoclass
values will be appended to it.So by default,
MyComp
renders:<div class=\"pa-4 text-red my-comp-date extra-class\" data-id=\"123\">...</div>\n
Next, let's consider what will be rendered when we call
MyComp
fromParent
component.MyComp
accepts aattrs
dictionary, that is passed tohtml_attrs
, so the contents of that dictionary are rendered as the HTML attributes.In
Parent
, we make use of passing dictionary key-value pairs as kwargs to define individual attributes as if they were regular kwargs.So all kwargs that start with
attrs:
will be collected into anattrs
dict.attrs:class=\"pa-0 border-solid border-red\"\n attrs:data-json=json_data\n attrs:@click=\"(e) => onClick(e, 'from_parent')\"\n
And
get_template_data
ofMyComp
will receive a kwarg namedattrs
with following keys:attrs = {\n \"class\": \"pa-0 border-solid\",\n \"data-json\": '{\"value\": 456}',\n \"@click\": \"(e) => onClick(e, 'from_parent')\",\n}\n
attrs[\"class\"]
overrides the default value forclass
, whereas other keys will be merged.So in the end
MyComp
will render:
"},{"location":"concepts/fundamentals/html_js_css_files/","title":"HTML / JS / CSS files","text":""},{"location":"concepts/fundamentals/html_js_css_files/#overview","title":"Overview","text":"<div\n class=\"pa-0 border-solid my-comp-date extra-class\"\n data-id=\"123\"\n data-json='{\"value\": 456}'\n @click=\"(e) => onClick(e, 'from_parent')\"\n>\n ...\n</div>\n
Each component can have single \"primary\" HTML, CSS and JS file associated with them.
Each of these can be either defined inline, or in a separate file:
- HTML files are defined using
Component.template
orComponent.template_file
- CSS files are defined using
Component.css
orComponent.css_file
- JS files are defined using
Component.js
orComponent.js_file
@register(\"calendar\")\nclass Calendar(Component):\n template_file = \"calendar.html\"\n css_file = \"calendar.css\"\n js_file = \"calendar.js\"\n
or
@register(\"calendar\")\nclass Calendar(Component):\n template = \"\"\"\n <div class=\"welcome\">\n Hi there!\n </div>\n \"\"\"\n css = \"\"\"\n .welcome {\n color: red;\n }\n \"\"\"\n js = \"\"\"\n console.log(\"Hello, world!\");\n \"\"\"\n
These \"primary\" files will have special behavior. For example, each will receive variables from the component's data methods. Read more about each file type below:
- HTML
- CSS
- JS
In addition, you can define extra \"secondary\" CSS / JS files using the nested
Component.Media
class, by settingComponent.Media.js
andComponent.Media.css
.Single component can have many secondary files. There is no special behavior for them.
You can use these for third-party libraries, or for shared CSS / JS files.
Read more about Secondary JS / CSS files.
Warning
You cannot use both inlined code and separate file for a single language type (HTML, CSS, JS).
However, you can freely mix these for different languages:
"},{"location":"concepts/fundamentals/html_js_css_files/#html","title":"HTML","text":"class MyTable(Component):\n template: types.django_html = \"\"\"\n <div class=\"welcome\">\n Hi there!\n </div>\n \"\"\"\n js_file = \"my_table.js\"\n css_file = \"my_table.css\"\n
Components use Django's template system to define their HTML. This means that you can use Django's template syntax to define your HTML.
Inside the template, you can access the data returned from the
get_template_data()
method.You can define the HTML directly in your Python code using the
template
attribute:class Button(Component):\n template = \"\"\"\n <button class=\"btn\">\n {% if icon %}\n <i class=\"{{ icon }}\"></i>\n {% endif %}\n {{ text }}\n </button>\n \"\"\"\n\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"text\": kwargs.get(\"text\", \"Click me\"),\n \"icon\": kwargs.get(\"icon\", None),\n }\n
Or you can define the HTML in a separate file and reference it using
template_file
:
button.htmlclass Button(Component):\n template_file = \"button.html\"\n\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"text\": kwargs.get(\"text\", \"Click me\"),\n \"icon\": kwargs.get(\"icon\", None),\n }\n
"},{"location":"concepts/fundamentals/html_js_css_files/#html-processing","title":"HTML processing","text":"<button class=\"btn\">\n {% if icon %}\n <i class=\"{{ icon }}\"></i>\n {% endif %}\n {{ text }}\n</button>\n
Django Components expects the rendered template to be a valid HTML. This is needed to enable features like CSS / JS variables.
Here is how the HTML is post-processed:
-
Insert component ID: Each root element in the rendered HTML automatically receives a
data-djc-id-cxxxxxx
attribute containing a unique component instance ID.<!-- Output HTML -->\n<div class=\"card\" data-djc-id-c1a2b3c>\n ...\n</div>\n<div class=\"backdrop\" data-djc-id-c1a2b3c>\n ...\n</div>\n
-
Insert CSS ID: If the component defines CSS variables through
get_css_data()
, the root elements also receive adata-djc-css-xxxxxx
attribute. This attribute links the element to its specific CSS variables.<!-- Output HTML -->\n<div class=\"card\" data-djc-id-c1a2b3c data-djc-css-d4e5f6>\n <!-- Component content -->\n</div>\n
-
Insert JS and CSS: After the HTML is rendered, Django Components handles inserting JS and CSS dependencies into the page based on the dependencies rendering strategy (document, fragment, or inline).
For example, if your component contains the
{% component_js_dependencies %}
or{% component_css_dependencies %}
tags, or the<head>
and<body>
elements, the JS and CSS scripts will be inserted into the HTML.For more information on how JS and CSS dependencies are rendered, see Rendering JS / CSS.
The component's JS script is executed in the browser:
- It is executed AFTER the \"secondary\" JS files from
Component.Media.js
are loaded. - The script is only executed once, even if there are multiple instances of the component on the page.
- Component JS scripts are executed in the order how they appeared in the template / HTML (top to bottom).
You can define the JS directly in your Python code using the
js
attribute:class Button(Component):\n js = \"\"\"\n console.log(\"Hello, world!\");\n \"\"\"\n\n def get_js_data(self, args, kwargs, slots, context):\n return {\n \"text\": kwargs.get(\"text\", \"Click me\"),\n }\n
Or you can define the JS in a separate file and reference it using
js_file
:
button.jsclass Button(Component):\n js_file = \"button.js\"\n\n def get_js_data(self, args, kwargs, slots, context):\n return {\n \"text\": kwargs.get(\"text\", \"Click me\"),\n }\n
"},{"location":"concepts/fundamentals/html_js_css_files/#css","title":"CSS","text":"console.log(\"Hello, world!\");\n
You can define the CSS directly in your Python code using the
css
attribute:class Button(Component):\n css = \"\"\"\n .btn {\n width: 100px;\n color: var(--color);\n }\n \"\"\"\n\n def get_css_data(self, args, kwargs, slots, context):\n return {\n \"color\": kwargs.get(\"color\", \"red\"),\n }\n
Or you can define the CSS in a separate file and reference it using
css_file
:
button.cssclass Button(Component):\n css_file = \"button.css\"\n\n def get_css_data(self, args, kwargs, slots, context):\n return {\n \"text\": kwargs.get(\"text\", \"Click me\"),\n }\n
"},{"location":"concepts/fundamentals/html_js_css_files/#file-paths","title":"File paths","text":".btn {\n color: red;\n}\n
Compared to the secondary JS / CSS files, the definition of file paths for the main HTML / JS / CSS files is quite simple - just strings, without any lists, objects, or globs.
However, similar to the secondary JS / CSS files, you can specify the file paths relative to the component's directory.
So if you have a directory with following files:
[project root]/components/calendar/\n\u251c\u2500\u2500 calendar.html\n\u251c\u2500\u2500 calendar.css\n\u251c\u2500\u2500 calendar.js\n\u2514\u2500\u2500 calendar.py\n
You can define the component like this:
[project root]/components/calendar/calendar.pyfrom django_components import Component, register\n\n@register(\"calendar\")\nclass Calendar(Component):\n template_file = \"calendar.html\"\n css_file = \"calendar.css\"\n js_file = \"calendar.js\"\n
Assuming that
[project root]/components/calendar/calendar.pyCOMPONENTS.dirs
contains path[project root]/components
, the example above is the same as writing out:from django_components import Component, register\n\n@register(\"calendar\")\nclass Calendar(Component):\n template_file = \"calendar/template.html\"\n css_file = \"calendar/style.css\"\n js_file = \"calendar/script.js\"\n
If the path cannot be resolved relative to the component, django-components will attempt to resolve the path relative to the component directories, as set in
COMPONENTS.dirs
orCOMPONENTS.app_dirs
.Read more about file path resolution.
"},{"location":"concepts/fundamentals/html_js_css_files/#access-component-definition","title":"Access component definition","text":"Component's HTML / CSS / JS is resolved and loaded lazily.
This means that, when you specify any of
template_file
,js_file
,css_file
, orMedia.js/css
, these file paths will be resolved only once you either:-
Access any of the following attributes on the component:
media
,template
,template_file
,js
,js_file
,css
,css_file
-
Render the component.
Once the component's media files have been loaded once, they will remain in-memory on the Component class:
- HTML from
Component.template_file
will be available underComponent.template
- CSS from
Component.css_file
will be available underComponent.css
- JS from
Component.js_file
will be available underComponent.js
Thus, whether you define HTML via
Component.template_file
orComponent.template
, you can always access the HTML content underComponent.template
. And the same applies for JS and CSS.Example:
# When we create Calendar component, the files like `calendar/template.html`\n# are not yet loaded!\n@register(\"calendar\")\nclass Calendar(Component):\n template_file = \"calendar/template.html\"\n css_file = \"calendar/style.css\"\n js_file = \"calendar/script.js\"\n\n class Media:\n css = \"calendar/style1.css\"\n js = \"calendar/script2.js\"\n\n# It's only at this moment that django-components reads the files like `calendar/template.html`\nprint(Calendar.css)\n# Output:\n# .calendar {\n# width: 200px;\n# background: pink;\n# }\n
Warning
Do NOT modify HTML / CSS / JS after it has been loaded
django-components assumes that the component's media files like
js_file
orMedia.js/css
are static.If you need to dynamically change these media files, consider instead defining multiple Components.
Modifying these files AFTER the component has been loaded at best does nothing. However, this is an untested behavior, which may lead to unexpected errors.
"},{"location":"concepts/fundamentals/html_js_css_variables/","title":"HTML / JS / CSS variables","text":"When a component recieves input through
"},{"location":"concepts/fundamentals/html_js_css_variables/#overview","title":"Overview","text":"{% component %}
tag, or theComponent.render()
orComponent.render_to_response()
methods, you can define how the input is handled, and what variables will be available to the template, JavaScript and CSS.Django Components offers three key methods for passing variables to different parts of your component:
get_template_data()
- Provides variables to your HTML templateget_js_data()
- Provides variables to your JavaScript codeget_css_data()
- Provides variables to your CSS styles
These methods let you pre-process inputs before they're used in rendering.
Each method handles the data independently - you can define different data for the template, JS, and CSS.
"},{"location":"concepts/fundamentals/html_js_css_variables/#template-variables","title":"Template variables","text":"class ProfileCard(Component):\n class Kwargs(NamedTuple):\n user_id: int\n show_details: bool\n\n class Defaults:\n show_details = True\n\n def get_template_data(self, args, kwargs: Kwargs, slots, context):\n user = User.objects.get(id=kwargs.user_id)\n return {\n \"user\": user,\n \"show_details\": kwargs.show_details,\n }\n\n def get_js_data(self, args, kwargs: Kwargs, slots, context):\n return {\n \"user_id\": kwargs.user_id,\n }\n\n def get_css_data(self, args, kwargs: Kwargs, slots, context):\n text_color = \"red\" if kwargs.show_details else \"blue\"\n return {\n \"text_color\": text_color,\n }\n
The
get_template_data()
method is the primary way to provide variables to your HTML template. It receives the component inputs and returns a dictionary of data that will be available in the template.If
get_template_data()
returnsNone
, an empty dictionary will be used.class ProfileCard(Component):\n template_file = \"profile_card.html\"\n\n class Kwargs(NamedTuple):\n user_id: int\n show_details: bool\n\n def get_template_data(self, args, kwargs: Kwargs, slots, context):\n user = User.objects.get(id=kwargs.user_id)\n\n # Process and transform inputs\n return {\n \"user\": user,\n \"show_details\": kwargs.show_details,\n \"user_joined_days\": (timezone.now() - user.date_joined).days,\n }\n
In your template, you can then use these variables:
"},{"location":"concepts/fundamentals/html_js_css_variables/#legacy-get_context_data","title":"Legacy<div class=\"profile-card\">\n <h2>{{ user.username }}</h2>\n\n {% if show_details %}\n <p>Member for {{ user_joined_days }} days</p>\n <p>Email: {{ user.email }}</p>\n {% endif %}\n</div>\n
get_context_data()
","text":"The
get_context_data()
method is the legacy way to provide variables to your HTML template. It serves the same purpose asget_template_data()
- it receives the component inputs and returns a dictionary of data that will be available in the template.However,
get_context_data()
has a few drawbacks:- It does NOT receive the
slots
andcontext
parameters. - The
args
andkwargs
parameters are given as variadic*args
and**kwargs
parameters. As such, they cannot be typed.
class ProfileCard(Component):\n template_file = \"profile_card.html\"\n\n def get_context_data(self, user_id, show_details=False, *args, **kwargs):\n user = User.objects.get(id=user_id)\n return {\n \"user\": user,\n \"show_details\": show_details,\n }\n
There is a slight difference between
get_context_data()
andget_template_data()
when rendering a component with the{% component %}
tag.For example if you have component that accepts kwarg
date
:class MyComponent(Component):\n def get_context_data(self, date, *args, **kwargs):\n return {\n \"date\": date,\n }\n\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"date\": kwargs[\"date\"],\n }\n
The difference is that:
-
With
get_context_data()
, you can passdate
either as arg or kwarg:\u2705\n{% component \"my_component\" date=some_date %}\n{% component \"my_component\" some_date %}\n
-
But with
get_template_data()
,date
MUST be passed as kwarg:\u2705\n{% component \"my_component\" date=some_date %}\n\n\u274c\n{% component \"my_component\" some_date %}\n
Warning
get_template_data()
andget_context_data()
are mutually exclusive.If both methods return non-empty dictionaries, an error will be raised.
Note
The
"},{"location":"concepts/fundamentals/html_js_css_variables/#accessing-component-inputs","title":"Accessing component inputs","text":"get_context_data()
method will be removed in v2.The component inputs are available in two ways:
-
Function arguments (recommended)
The data methods receive the inputs as parameters, which you can access directly.
class ProfileCard(Component):\n def get_template_data(self, args, kwargs, slots, context):\n # Access inputs directly as parameters\n return {\n \"user_id\": user_id,\n \"show_details\": show_details,\n }\n
Info
By default, the
args
parameter is a list, whilekwargs
andslots
are dictionaries.If you add typing to your component with
Args
,Kwargs
, orSlots
classes, the respective inputs will be given as instances of these classes.Learn more about Component typing.
-
self.input
propertyThe data methods receive only the main inputs. There are additional settings that may be passed to components. If you need to access these, you can do so via the
self.input
property.The
input
property contains all the inputs passed to the component (instance ofComponentInput
).This includes:
input.args
- List of positional argumentsinput.kwargs
- Dictionary of keyword argumentsinput.slots
- Dictionary of slots. Values are normalized toSlot
instancesinput.context
-Context
object that should be used to render the componentinput.type
- The type of the component (document, fragment)input.render_dependencies
- Whether to render dependencies (CSS, JS)
For more details, see Component inputs.
class ProfileCard(Component):\n def get_template_data(self, args, kwargs, slots, context):\n # Access positional arguments\n user_id = self.input.args[0] if self.input.args else None\n\n # Access keyword arguments\n show_details = self.input.kwargs.get(\"show_details\", False)\n\n # Render component differently depending on the type\n if self.input.type == \"fragment\":\n ...\n\n return {\n \"user_id\": user_id,\n \"show_details\": show_details,\n }\n
Info
Unlike the parameters passed to the data methods, the
args
,kwargs
, andslots
inself.input
property are always lists and dictionaries, regardless of whether you added typing to your component.
You can use
Defaults
class to provide default values for your inputs.These defaults will be applied either when:
- The input is not provided at rendering time
- The input is provided as
None
When you then access the inputs in your data methods, the default values will be already applied.
Read more about Component Defaults.
from django_components import Component, Default, register\n\n@register(\"profile_card\")\nclass ProfileCard(Component):\n class Kwargs(NamedTuple):\n show_details: bool\n\n class Defaults:\n show_details = True\n\n # show_details will be set to True if `None` or missing\n def get_template_data(self, args, kwargs: Kwargs, slots, context):\n return {\n \"show_details\": kwargs.show_details,\n }\n\n ...\n
Warning
When typing your components with
Args
,Kwargs
, orSlots
classes, you may be inclined to define the defaults in the classes.class ProfileCard(Component):\n class Kwargs(NamedTuple):\n show_details: bool = True\n
This is NOT recommended, because:
- The defaults will NOT be applied to inputs when using
self.input
property. - The defaults will NOT be applied when a field is given but set to
None
.
Instead, define the defaults in the
"},{"location":"concepts/fundamentals/html_js_css_variables/#accessing-render-api","title":"Accessing Render API","text":"Defaults
class.All three data methods have access to the Component's Render API, which includes:
self.id
- The unique ID for the current render callself.input
- All the component inputsself.request
- The request object (if available)self.context_processors_data
- Data from Django's context processors (if request is available)self.inject()
- Inject data into the component
You can add type hints for the component inputs to ensure that the component logic is correct.
For this, define the
Args
,Kwargs
, andSlots
classes, and then add type hints to the data methods.This will also validate the inputs at runtime, as the type classes will be instantiated with the inputs.
Read more about Component typing.
from typing import NamedTuple, Optional\nfrom django_components import Component, SlotInput\n\nclass Button(Component):\n class Args(NamedTuple):\n name: str\n\n class Kwargs(NamedTuple):\n surname: str\n maybe_var: Optional[int] = None # May be omitted\n\n class Slots(NamedTuple):\n my_slot: Optional[SlotInput] = None\n footer: SlotInput\n\n # Use the above classes to add type hints to the data method\n def get_template_data(self, args: Args, kwargs: Kwargs, slots: Slots, context: Context):\n # The parameters are instances of the classes we defined\n assert isinstance(args, Button.Args)\n assert isinstance(kwargs, Button.Kwargs)\n assert isinstance(slots, Button.Slots)\n
Note
The data available via
"},{"location":"concepts/fundamentals/html_js_css_variables/#typing-data","title":"Typing data","text":"self.input
property is NOT typed.In the same fashion, you can add types and validation for the data that should be RETURNED from each data method.
For this, set the
TemplateData
,JsData
, andCssData
classes on the component class.For each data method, you can either return a plain dictionary with the data, or an instance of the respective data class.
"},{"location":"concepts/fundamentals/html_js_css_variables/#pass-through-kwargs","title":"Pass-through kwargs","text":"from typing import NamedTuple\nfrom django_components import Component\n\nclass Button(Component):\n class TemplateData(NamedTuple):\n data1: str\n data2: int\n\n class JsData(NamedTuple):\n js_data1: str\n js_data2: int\n\n class CssData(NamedTuple):\n css_data1: str\n css_data2: int\n\n def get_template_data(self, args, kwargs, slots, context):\n return Button.TemplateData(\n data1=\"...\",\n data2=123,\n )\n\n def get_js_data(self, args, kwargs, slots, context):\n return Button.JsData(\n js_data1=\"...\",\n js_data2=123,\n )\n\n def get_css_data(self, args, kwargs, slots, context):\n return Button.CssData(\n css_data1=\"...\",\n css_data2=123,\n )\n
It's best practice to explicitly define what args and kwargs a component accepts.
However, if you want a looser setup, you can easily write components that accept any number of kwargs, and pass them all to the template (similar to django-cotton).
To do that, simply return the
kwargs
dictionary itself fromget_template_data()
:class MyComponent(Component):\n def get_template_data(self, args, kwargs, slots, context):\n return kwargs\n
You can do the same for
get_js_data()
andget_css_data()
, if needed:
"},{"location":"concepts/fundamentals/http_request/","title":"HTTP Request","text":"class MyComponent(Component):\n def get_js_data(self, args, kwargs, slots, context):\n return kwargs\n\n def get_css_data(self, args, kwargs, slots, context):\n return kwargs\n
The most common use of django-components is to render HTML when the server receives a request. As such, there are a few features that are dependent on the request object.
"},{"location":"concepts/fundamentals/http_request/#passing-the-httprequest-object","title":"Passing the HttpRequest object","text":"In regular Django templates, the request object is available only within the
RequestContext
.In Components, you can either use
RequestContext
, or pass therequest
object explicitly toComponent.render()
andComponent.render_to_response()
.So the request object is available to components either when:
- The component is rendered with
RequestContext
(Regular Django behavior) - The component is rendered with a regular
Context
(or none), but you set therequest
kwarg ofComponent.render()
. - The component is nested and the parent has access to the request object.
# \u2705 With request\nMyComponent.render(request=request)\nMyComponent.render(context=RequestContext(request, {}))\n\n# \u274c Without request\nMyComponent.render()\nMyComponent.render(context=Context({}))\n
When a component is rendered within a template with
{% component %}
tag, the request object is available depending on whether the template is rendered withRequestContext
or not.
"},{"location":"concepts/fundamentals/http_request/#accessing-the-httprequest-object","title":"Accessing the HttpRequest object","text":"template = Template(\"\"\"\n<div>\n {% component \"MyComponent\" / %}\n</div>\n\"\"\")\n\n# \u274c No request\nrendered = template.render(Context({}))\n\n# \u2705 With request\nrendered = template.render(RequestContext(request, {}))\n
When the component has access to the
request
object, the request object will be available inComponent.request
.
"},{"location":"concepts/fundamentals/http_request/#context-processors","title":"Context Processors","text":"class MyComponent(Component):\n def get_template_data(self, args, kwargs, slots, context):\n return {\n 'user_id': self.request.GET['user_id'],\n }\n
Components support Django's context processors.
In regular Django templates, the context processors are applied only when the template is rendered with
RequestContext
.In Components, the context processors are applied when the component has access to the
"},{"location":"concepts/fundamentals/http_request/#accessing-context-processors-data","title":"Accessing context processors data","text":"request
object.The data from context processors is automatically available within the component's template.
class MyComponent(Component):\n template = \"\"\"\n <div>\n {{ csrf_token }}\n </div>\n \"\"\"\n\nMyComponent.render(request=request)\n
You can also access the context processors data from within
get_template_data()
and other methods underComponent.context_processors_data
.class MyComponent(Component):\n def get_template_data(self, args, kwargs, slots, context):\n csrf_token = self.context_processors_data['csrf_token']\n return {\n 'csrf_token': csrf_token,\n }\n
This is a dictionary with the context processors data.
If the request object is not available, then
self.context_processors_data
will be an empty dictionary.Warning
The
"},{"location":"concepts/fundamentals/render_api/","title":"Render API","text":"self.context_processors_data
object is generated dynamically, so changes to it are not persisted.When a component is being rendered, whether with
Component.render()
or{% component %}
, a component instance is populated with the current inputs and context. This allows you to access things like component inputs.We refer to these render-time-only methods and attributes as the \"Render API\".
Render API is available inside these
Component
methods:get_template_data()
get_js_data()
get_css_data()
get_context_data()
on_render_before()
on_render_after()
Note
If you try to access the Render API outside of these methods, you will get a
RuntimeError
.Example:
"},{"location":"concepts/fundamentals/render_api/#overview","title":"Overview","text":"class Table(Component):\n def get_template_data(self, args, kwargs, slots, context):\n # Access component's ID\n assert self.id == \"c1A2b3c\"\n\n # Access component's inputs, slots and context\n assert self.input.args == (123, \"str\")\n assert self.input.kwargs == {\"variable\": \"test\", \"another\": 1}\n footer_slot = self.input.slots[\"footer\"]\n some_var = self.input.context[\"some_var\"]\n\n # Access the request object and Django's context processors, if available\n assert self.request.GET == {\"query\": \"something\"}\n assert self.context_processors_data['user'].username == \"admin\"\n\n return {\n \"variable\": variable,\n }\n\nrendered = Table.render(\n kwargs={\"variable\": \"test\", \"another\": 1},\n args=(123, \"str\"),\n slots={\"footer\": \"MY_SLOT\"},\n)\n
The Render API includes:
self.id
- The unique ID for the current render callself.input
- All the component inputsself.request
- The request object (if available)self.context_processors_data
- Data from Django's context processors (if request is available)self.inject()
- Inject data into the component
Component ID (or render ID) is a unique identifier for the current render call.
That means that if you call
Component.render()
multiple times, the ID will be different for each call.It is available as
self.id
.The ID is a 7-letter alphanumeric string in the format
cXXXXXX
, whereXXXXXX
is a random string of 6 alphanumeric characters (case-sensitive).E.g.
c1a2b3c
.A single render ID has a chance of collision 1 in 57 billion. However, due to birthday paradox, the chance of collision increases to 1% when approaching ~33K render IDs.
Thus, there is currently a soft-cap of ~30K components rendered on a single page.
If you need to expand this limit, please open an issue on GitHub.
"},{"location":"concepts/fundamentals/render_api/#component-inputs","title":"Component inputs","text":"class Table(Component):\n def get_template_data(self, args, kwargs, slots, context):\n # Access component's ID\n assert self.id == \"c1A2b3c\"\n\n return {}\n
All the component inputs are captured and available as
self.input
.self.input
(ComponentInput
) has the mostly the same fields as the input toComponent.render()
. This includes:args
- List of positional argumentskwargs
- Dictionary of keyword argumentsslots
- Dictionary of slots. Values are normalized toSlot
instancescontext
-Context
object that should be used to render the component- And other kwargs passed to
Component.render()
liketype
andrender_dependencies
Thus, use can use
self.input.args
andself.input.kwargs
to access the positional and keyword arguments passed toComponent.render()
.
"},{"location":"concepts/fundamentals/render_api/#request-object-and-context-processors","title":"Request object and context processors","text":"class Table(Component):\n def get_template_data(self, args, kwargs, slots, context):\n # Access component's inputs, slots and context\n assert self.input.args == [123, \"str\"]\n assert self.input.kwargs == {\"variable\": \"test\", \"another\": 1}\n footer_slot = self.input.slots[\"footer\"]\n some_var = self.input.context[\"some_var\"]\n\n return {}\n\nrendered = TestComponent.render(\n kwargs={\"variable\": \"test\", \"another\": 1},\n args=(123, \"str\"),\n slots={\"footer\": \"MY_SLOT\"},\n)\n
If the component was either:
- Given a
request
kwarg - Rendered with
RenderContext
- Nested in another component for which any of these conditions is true
Then the request object will be available in
self.request
.If the request object is available, you will also be able to access the
context processors
data inself.context_processors_data
.This is a dictionary with the context processors data.
If the request object is not available, then
self.context_processors_data
will be an empty dictionary.Read more about the request object and context processors in the HTTP Request section.
"},{"location":"concepts/fundamentals/render_api/#provide-inject","title":"Provide / Inject","text":"from django.http import HttpRequest\n\nclass Table(Component):\n def get_template_data(self, args, kwargs, slots, context):\n # Access the request object and Django's context processors\n assert self.request.GET == {\"query\": \"something\"}\n assert self.context_processors_data['user'].username == \"admin\"\n\n return {}\n\nrendered = Table.render(\n request=HttpRequest(),\n)\n
Components support a provide / inject system as known from Vue or React.
When rendering the component, you can call
self.inject()
with the key of the data you want to inject.The object returned by
self.inject()
To provide data to components, use the
{% provide %}
template tag.Read more about Provide / Inject.
"},{"location":"concepts/fundamentals/rendering_components/","title":"Rendering components","text":"class Table(Component):\n def get_template_data(self, args, kwargs, slots, context):\n # Access provided data\n data = self.inject(\"some_data\")\n assert data.some_data == \"some_data\"\n
Your components can be rendered either within your Django templates, or directly in Python code.
"},{"location":"concepts/fundamentals/rendering_components/#overview","title":"Overview","text":"Django Components provides three main methods to render components:
{% component %}
tag - Renders the component within your Django templatesComponent.render()
method - Renders the component to a stringComponent.render_to_response()
method - Renders the component and wraps it in an HTTP response
{% component %}
tag","text":"Use the
{% component %}
tag to render a component within your Django templates.The
{% component %}
tag takes:- Component's registered name as the first positional argument,
- Followed by any number of positional and keyword arguments.
{% load component_tags %}\n<div>\n {% component \"button\" name=\"John\" job=\"Developer\" / %}\n</div>\n
To pass in slots content, you can insert
{% fill %}
tags, directly within the{% component %}
tag to \"fill\" the slots:{% component \"my_table\" rows=rows headers=headers %}\n {% fill \"pagination\" %}\n < 1 | 2 | 3 >\n {% endfill %}\n{% endcomponent %}\n
You can even nest
{% fill %}
tags within{% if %}
,{% for %}
and other tags:{% component \"my_table\" rows=rows headers=headers %}\n {% if rows %}\n {% fill \"pagination\" %}\n < 1 | 2 | 3 >\n {% endfill %}\n {% endif %}\n{% endcomponent %}\n
Omitting the
component
keywordIf you would like to omit the
component
keyword, and simply refer to your components by their registered names:{% button name=\"John\" job=\"Developer\" / %}\n
You can do so by setting the \"shorthand\" Tag formatter in the settings:
# settings.py\nCOMPONENTS = {\n \"tag_formatter\": \"django_components.component_shorthand_formatter\",\n}\n
Extended template tag syntax
Unlike regular Django template tags, django-components' tags offer extra features like defining literal lists and dicts, and more. Read more about Template tag syntax.
"},{"location":"concepts/fundamentals/rendering_components/#registering-components","title":"Registering components","text":"For a component to be renderable with the
{% component %}
tag, it must be first registered with the@register()
decorator.For example, if you register a component under the name
\"button\"
:from typing import NamedTuple\nfrom django_components import Component, register\n\n@register(\"button\")\nclass Button(Component):\n template_file = \"button.html\"\n\n class Kwargs(NamedTuple):\n name: str\n job: str\n\n def get_template_data(self, args, kwargs, slots, context):\n ...\n
Then you can render this component by using its registered name
\"button\"
in the template:{% component \"button\" name=\"John\" job=\"Developer\" / %}\n
As you can see above, the args and kwargs passed to the
{% component %}
tag correspond to the component's input.For more details, read Registering components.
Why do I need to register components?
TL;DR: To be able to share components as libraries, and because components can be registed with multiple registries / libraries.
Django-components allows to share components across projects.
However, different projects may use different settings. For example, one project may prefer the \"long\" format:
{% component \"button\" name=\"John\" job=\"Developer\" / %}\n
While the other may use the \"short\" format:
{% button name=\"John\" job=\"Developer\" / %}\n
Both approaches are supported simultaneously for backwards compatibility, because django-components started out with only the \"long\" format.
To avoid ambiguity, when you use a 3rd party library, it uses the syntax that the author had configured for it.
So when you are creating a component, django-components need to know which registry the component belongs to, so it knows which syntax to use.
"},{"location":"concepts/fundamentals/rendering_components/#rendering-templates","title":"Rendering templates","text":"If you have embedded the component in a Django template using the
[project root]/templates/my_template.html{% component %}
tag:{% load component_tags %}\n<div>\n {% component \"calendar\" date=\"2024-12-13\" / %}\n</div>\n
You can simply render the template with the Django's API:
django.shortcuts.render()
from django.shortcuts import render\n\ncontext = {\"date\": \"2024-12-13\"}\nrendered_template = render(request, \"my_template.html\", context)\n
Template.render()
"},{"location":"concepts/fundamentals/rendering_components/#isolating-components","title":"Isolating components","text":"from django.template import Template\nfrom django.template.loader import get_template\n\n# Either from a file\ntemplate = get_template(\"my_template.html\")\n\n# or inlined\ntemplate = Template(\"\"\"\n {% load component_tags %}\n <div>\n {% component \"calendar\" date=\"2024-12-13\" / %}\n </div>\n\"\"\")\n\nrendered_template = template.render()\n
By default, components behave similarly to Django's
{% include %}
, and the template inside the component has access to the variables defined in the outer template.You can selectively isolate a component, using the
only
flag, so that the inner template can access only the data that was explicitly passed to it:{% component \"name\" positional_arg keyword_arg=value ... only / %}\n
Alternatively, you can set all components to be isolated by default, by setting
context_behavior
to\"isolated\"
in your settings:
"},{"location":"concepts/fundamentals/rendering_components/#render-method","title":"# settings.py\nCOMPONENTS = {\n \"context_behavior\": \"isolated\",\n}\n
render()
method","text":"The
Component.render()
method renders a component to a string.This is the equivalent of calling the
{% component %}
tag.from typing import NamedTuple, Optional\nfrom django_components import Component, SlotInput\n\nclass Button(Component):\n template_file = \"button.html\"\n\n class Args(NamedTuple):\n name: str\n\n class Kwargs(NamedTuple):\n surname: str\n age: int\n\n class Slots(NamedTuple):\n footer: Optional[SlotInput] = None\n\n def get_template_data(self, args, kwargs, slots, context):\n ...\n\nButton.render(\n args=[\"John\"],\n kwargs={\n \"surname\": \"Doe\",\n \"age\": 30,\n },\n slots={\n \"footer\": \"i AM A SLOT\",\n },\n)\n
Component.render()
accepts the following arguments:args
- Positional arguments to pass to the component (as a list or tuple)kwargs
- Keyword arguments to pass to the component (as a dictionary)slots
- Slot content to pass to the component (as a dictionary)context
- Django context for rendering (can be a dictionary or aContext
object)deps_strategy
- Dependencies rendering strategy (default:\"document\"
)request
- HTTP request object, used for context processors (optional)escape_slots_content
- Whether to HTML-escape slot content (default:True
)
All arguments are optional. If not provided, they default to empty values or sensible defaults.
See the API reference for
"},{"location":"concepts/fundamentals/rendering_components/#render_to_response-method","title":"Component.render()
for more details on the arguments.render_to_response()
method","text":"The
Component.render_to_response()
method works just likeComponent.render()
, but wraps the result in an HTTP response.It accepts all the same arguments as
Component.render()
.Any extra arguments are passed to the
HttpResponse
constructor.from typing import NamedTuple, Optional\nfrom django_components import Component, SlotInput\n\nclass Button(Component):\n template_file = \"button.html\"\n\n class Args(NamedTuple):\n name: str\n\n class Kwargs(NamedTuple):\n surname: str\n age: int\n\n class Slots(NamedTuple):\n footer: Optional[SlotInput] = None\n\n def get_template_data(self, args, kwargs, slots, context):\n ...\n\n# Render the component to an HttpResponse\nresponse = Button.render_to_response(\n args=[\"John\"],\n kwargs={\n \"surname\": \"Doe\",\n \"age\": 30,\n },\n slots={\n \"footer\": \"i AM A SLOT\",\n },\n # Additional response arguments\n status=200,\n headers={\"X-Custom-Header\": \"Value\"},\n)\n
This method is particularly useful in view functions, as you can return the result of the component directly:
"},{"location":"concepts/fundamentals/rendering_components/#custom-response-classes","title":"Custom response classes","text":"def profile_view(request, user_id):\n return Button.render_to_response(\n kwargs={\n \"surname\": \"Doe\",\n \"age\": 30,\n },\n request=request,\n )\n
By default,
Component.render_to_response()
returns a standard DjangoHttpResponse
.You can customize this by setting the
response_class
attribute on your component:
"},{"location":"concepts/fundamentals/rendering_components/#dependencies-rendering","title":"Dependencies rendering","text":"from django.http import HttpResponse\nfrom django_components import Component\n\nclass MyHttpResponse(HttpResponse):\n ...\n\nclass MyComponent(Component):\n response_class = MyHttpResponse\n\nresponse = MyComponent.render_to_response()\nassert isinstance(response, MyHttpResponse)\n
The rendered HTML may be used in different contexts (browser, email, etc), and each may need different handling of JS and CSS scripts.
render()
andrender_to_response()
accept adeps_strategy
parameter, which controls where and how the JS / CSS are inserted into the HTML.The
deps_strategy
parameter is ultimately passed torender_dependencies()
.Learn more about Rendering JS / CSS.
There are six dependencies rendering strategies:
document
(default)- Smartly inserts JS / CSS into placeholders (
{% component_js_dependencies %}
) or into<head>
and<body>
tags. - Inserts extra script to allow
fragment
components to work. - Assumes the HTML will be rendered in a JS-enabled browser.
- Smartly inserts JS / CSS into placeholders (
fragment
- A lightweight HTML fragment to be inserted into a document with AJAX.
- Assumes the page was already rendered with
\"document\"
strategy. - No JS / CSS included.
simple
- Smartly insert JS / CSS into placeholders (
{% component_js_dependencies %}
) or into<head>
and<body>
tags. - No extra script loaded.
- Smartly insert JS / CSS into placeholders (
prepend
- Insert JS / CSS before the rendered HTML.
- Ignores the placeholders (
{% component_js_dependencies %}
) and any<head>
/<body>
HTML tags. - No extra script loaded.
append
- Insert JS / CSS after the rendered HTML.
- Ignores the placeholders (
{% component_js_dependencies %}
) and any<head>
/<body>
HTML tags. - No extra script loaded.
ignore
- HTML is left as-is. You can still process it with a different strategy later with
render_dependencies()
. - Used for inserting rendered HTML into other components.
- HTML is left as-is. You can still process it with a different strategy later with
Info
You can use the
\"prepend\"
and\"append\"
strategies to force to output JS / CSS for components that don't have neither the placeholders like{% component_js_dependencies %}
, nor any<head>
/<body>
HTML tags:rendered = Calendar.render_to_response(\n request=request,\n kwargs={\n \"date\": request.GET.get(\"date\", \"\"),\n },\n deps_strategy=\"append\",\n)\n
Renders something like this:
"},{"location":"concepts/fundamentals/rendering_components/#passing-context","title":"Passing context","text":"<!-- Calendar component -->\n<div class=\"calendar\">\n ...\n</div>\n<!-- Appended JS / CSS -->\n<script src=\"...\"></script>\n<link href=\"...\"></link>\n
The
render()
andrender_to_response()
methods accept an optionalcontext
argument. This sets the context within which the component is rendered.When a component is rendered within a template with the
{% component %}
tag, this will be automatically set to the Context instance that is used for rendering the template.When you call
Component.render()
directly from Python, there is no context object, so you can ignore this input most of the time. Instead, useargs
,kwargs
, andslots
to pass data to the component.However, you can pass
RequestContext
to thecontext
argument, so that the component will gain access to the request object and will use context processors. Read more on Working with HTTP requests.Button.render(\n context=RequestContext(request),\n)\n
For advanced use cases, you can use
context
argument to \"pre-render\" the component in Python, and then pass the rendered output as plain string to the template. With this, the inner component is rendered as if it was within the template with{% component %}
.class Button(Component):\n def render(self, context, template):\n # Pass `context` to Icon component so it is rendered\n # as if nested within Button.\n icon = Icon.render(\n context=context,\n args=[\"icon-name\"],\n deps_strategy=\"ignore\",\n )\n # Update context with icon\n with context.update({\"icon\": icon}):\n return template.render(context)\n
Warning
Whether the variables defined in
context
are actually available in the template depends on the context behavior mode:-
In
\"django\"
context behavior mode, the template will have access to the keys of this context. -
In
\"isolated\"
context behavior mode, the template will NOT have access to this context, and data MUST be passed via component's args and kwargs.
Therefore, it's strongly recommended to not rely on defining variables on the context object, but instead passing them through as
args
andkwargs
\u274c Don't do this:
html = ProfileCard.render(\n context={\"name\": \"John\"},\n)\n
\u2705 Do this:
"},{"location":"concepts/fundamentals/rendering_components/#typing-render-methods","title":"Typing render methods","text":"html = ProfileCard.render(\n kwargs={\"name\": \"John\"},\n)\n
Neither
Component.render()
norComponent.render_to_response()
are typed, due to limitations of Python's type system.To add type hints, you can wrap the inputs in component's
Args
,Kwargs
, andSlots
classes.Read more on Typing and validation.
"},{"location":"concepts/fundamentals/rendering_components/#components-as-input","title":"Components as input","text":"from typing import NamedTuple, Optional\nfrom django_components import Component, Slot, SlotInput\n\n# Define the component with the types\nclass Button(Component):\n class Args(NamedTuple):\n name: str\n\n class Kwargs(NamedTuple):\n surname: str\n age: int\n\n class Slots(NamedTuple):\n my_slot: Optional[SlotInput] = None\n footer: SlotInput\n\n# Add type hints to the render call\nButton.render(\n args=Button.Args(\n name=\"John\",\n ),\n kwargs=Button.Kwargs(\n surname=\"Doe\",\n age=30,\n ),\n slots=Button.Slots(\n footer=Slot(lambda *a, **kwa: \"Click me!\"),\n ),\n)\n
django_components makes it possible to compose components in a \"React-like\" way, where you can render one component and use its output as input to another component:
from django.utils.safestring import mark_safe\n\n# Render the inner component\ninner_html = InnerComponent.render(\n kwargs={\"some_data\": \"value\"},\n deps_strategy=\"ignore\", # Important for nesting!\n)\n\n# Use inner component's output in the outer component\nouter_html = OuterComponent.render(\n kwargs={\n \"content\": mark_safe(inner_html), # Mark as safe to prevent escaping\n },\n)\n
The key here is setting
deps_strategy=\"ignore\"
for the inner component. This prevents duplicate rendering of JS / CSS dependencies when the outer component is rendered.When
deps_strategy=\"ignore\"
:- No JS or CSS dependencies will be added to the output HTML
- The component's content is rendered as-is
- The outer component will take care of including all needed dependencies
Read more about Rendering JS / CSS.
"},{"location":"concepts/fundamentals/rendering_components/#dynamic-components","title":"Dynamic components","text":"Django components defines a special \"dynamic\" component (
DynamicComponent
).Normally, you have to hard-code the component name in the template:
{% component \"button\" / %}\n
The dynamic component allows you to dynamically render any component based on the
is
kwarg. This is similar to Vue's dynamic components (<component :is>
).{% component \"dynamic\" is=table_comp data=table_data headers=table_headers %}\n {% fill \"pagination\" %}\n {% component \"pagination\" / %}\n {% endfill %}\n{% endcomponent %}\n
The args, kwargs, and slot fills are all passed down to the underlying component.
As with other components, the dynamic component can be rendered from Python:
"},{"location":"concepts/fundamentals/rendering_components/#dynamic-component-name","title":"Dynamic component name","text":"from django_components import DynamicComponent\n\nDynamicComponent.render(\n kwargs={\n \"is\": table_comp,\n \"data\": table_data,\n \"headers\": table_headers,\n },\n slots={\n \"pagination\": PaginationComponent.render(\n deps_strategy=\"ignore\",\n ),\n },\n)\n
By default, the dynamic component is registered under the name
\"dynamic\"
. In case of a conflict, you can set theCOMPONENTS.dynamic_component_name
setting to change the name used for the dynamic components.# settings.py\nCOMPONENTS = ComponentsSettings(\n dynamic_component_name=\"my_dynamic\",\n)\n
After which you will be able to use the dynamic component with the new name:
"},{"location":"concepts/fundamentals/rendering_components/#html-fragments","title":"HTML fragments","text":"{% component \"my_dynamic\" is=table_comp data=table_data headers=table_headers %}\n {% fill \"pagination\" %}\n {% component \"pagination\" / %}\n {% endfill %}\n{% endcomponent %}\n
Django-components provides a seamless integration with HTML fragments with AJAX (HTML over the wire), whether you're using jQuery, HTMX, AlpineJS, vanilla JavaScript, or other.
This is achieved by the combination of the
\"document\"
and\"fragment\"
dependencies rendering strategies.Read more about HTML fragments and Rendering JS / CSS.
"},{"location":"concepts/fundamentals/secondary_js_css_files/","title":"Secondary JS / CSS files","text":""},{"location":"concepts/fundamentals/secondary_js_css_files/#overview","title":"Overview","text":"Each component can define extra or \"secondary\" CSS / JS files using the nested
Component.Media
class, by settingComponent.Media.js
andComponent.Media.css
.The main HTML / JS / CSS files are limited to 1 per component. This is not the case for the secondary files, where components can have many of them.
There is also no special behavior or post-processing for these secondary files, they are loaded as is.
You can use these for third-party libraries, or for shared CSS / JS files.
These must be set as paths, URLs, or custom objects.
@register(\"calendar\")\nclass Calendar(Component):\n class Media:\n js = [\n \"https://unpkg.com/alpinejs@3.14.7/dist/cdn.min.js\",\n \"calendar/script.js\",\n ]\n css = [\n \"https://unpkg.com/tailwindcss@^2/dist/tailwind.min.css\",\n \"calendar/style.css\",\n ]\n
Note
django-component's management of files is inspired by Django's
Media
class.To be familiar with how Django handles static files, we recommend reading also:
- How to manage static files (e.g. images, JavaScript, CSS)
Media
class","text":"Use the
Media
class to define secondary JS / CSS files for a component.This
Media
class behaves similarly to Django's Media class:- Static paths - Paths are handled as static file paths, and are resolved to URLs with Django's
{% static %}
template tag. - URLs - A path that starts with
http
,https
, or/
is considered a URL. URLs are NOT resolved with{% static %}
. - HTML tags - Both static paths and URLs are rendered to
<script>
and<link>
HTML tags withmedia_class.render_js()
andmedia_class.render_css()
. - Bypass formatting - A
SafeString
, or a function (with__html__
method) is considered an already-formatted HTML tag, skipping both static file resolution and rendering withmedia_class.render_js()
ormedia_class.render_css()
. - Inheritance - You can set
extend
to configure whether to inherit JS / CSS from parent components. See Media inheritance.
However, there's a few differences from Django's Media class:
- Our Media class accepts various formats for the JS and CSS files: either a single file, a list, or (CSS-only) a dictonary (See
ComponentMediaInput
). - Individual JS / CSS files can be any of
str
,bytes
,Path
,SafeString
, or a function (SeeComponentMediaInputPath
). - Individual JS / CSS files can be glob patterns, e.g.
*.js
orstyles/**/*.css
. - If you set
Media.extend
to a list, it should be a list ofComponent
classes.
"},{"location":"concepts/fundamentals/secondary_js_css_files/#css-media-types","title":"CSS media types","text":"from components.layout import LayoutComp\n\nclass MyTable(Component):\n class Media:\n js = [\n \"path/to/script.js\",\n \"path/to/*.js\", # Or as a glob\n \"https://unpkg.com/alpinejs@3.14.7/dist/cdn.min.js\", # AlpineJS\n ]\n css = {\n \"all\": [\n \"path/to/style.css\",\n \"path/to/*.css\", # Or as a glob\n \"https://unpkg.com/tailwindcss@^2/dist/tailwind.min.css\", # TailwindCSS\n ],\n \"print\": [\"path/to/style2.css\"],\n }\n\n # Reuse JS / CSS from LayoutComp\n extend = [\n LayoutComp,\n ]\n
You can define which stylesheets will be associated with which CSS media types. You do so by defining CSS files as a dictionary.
See the corresponding Django Documentation.
Again, you can set either a single file or a list of files per media type:
class MyComponent(Component):\n class Media:\n css = {\n \"all\": \"path/to/style1.css\",\n \"print\": [\"path/to/style2.css\", \"path/to/style3.css\"],\n }\n
Which will render the following HTML:
<link href=\"/static/path/to/style1.css\" media=\"all\" rel=\"stylesheet\">\n<link href=\"/static/path/to/style2.css\" media=\"print\" rel=\"stylesheet\">\n<link href=\"/static/path/to/style3.css\" media=\"print\" rel=\"stylesheet\">\n
Note
When you define CSS as a string or a list, the
all
media type is implied.So these two examples are the same:
class MyComponent(Component):\n class Media:\n css = \"path/to/style1.css\"\n
"},{"location":"concepts/fundamentals/secondary_js_css_files/#media-inheritance","title":"Media inheritance","text":"class MyComponent(Component):\n class Media:\n css = {\n \"all\": [\"path/to/style1.css\"],\n }\n
By default, the media files are inherited from the parent component.
class ParentComponent(Component):\n class Media:\n js = [\"parent.js\"]\n\nclass MyComponent(ParentComponent):\n class Media:\n js = [\"script.js\"]\n\nprint(MyComponent.media._js) # [\"parent.js\", \"script.js\"]\n
You can set the component NOT to inherit from the parent component by setting the
extend
attribute toFalse
:class ParentComponent(Component):\n class Media:\n js = [\"parent.js\"]\n\nclass MyComponent(ParentComponent):\n class Media:\n extend = False # Don't inherit parent media\n js = [\"script.js\"]\n\nprint(MyComponent.media._js) # [\"script.js\"]\n
Alternatively, you can specify which components to inherit from. In such case, the media files are inherited ONLY from the specified components, and NOT from the original parent components:
class ParentComponent(Component):\n class Media:\n js = [\"parent.js\"]\n\nclass MyComponent(ParentComponent):\n class Media:\n # Only inherit from these, ignoring the files from the parent\n extend = [OtherComponent1, OtherComponent2]\n\n js = [\"script.js\"]\n\nprint(MyComponent.media._js) # [\"script.js\", \"other1.js\", \"other2.js\"]\n
Info
The
extend
behaves consistently with Django's Media class, with one exception:- When you set
extend
to a list, the list is expected to contain Component classes (or other classes that have a nestedMedia
class).
To access the files that you defined under
Component.Media
, useComponent.media
(lowercase).This is consistent behavior with Django's Media class.
class MyComponent(Component):\n class Media:\n js = \"path/to/script.js\"\n css = \"path/to/style.css\"\n\nprint(MyComponent.media)\n# Output:\n# <script src=\"/static/path/to/script.js\"></script>\n# <link href=\"/static/path/to/style.css\" media=\"all\" rel=\"stylesheet\">\n
When working with component media files, it is important to understand the difference:
-
Component.Media
- Is the \"raw\" media definition, or the input, which holds only the component's own media definition
- This class is NOT instantiated, it merely holds the JS / CSS files.
-
Component.media
- Returns all resolved media files, including those inherited from parent components
- Is an instance of
Component.media_class
class ParentComponent(Component):\n class Media:\n js = [\"parent.js\"]\n\nclass ChildComponent(ParentComponent):\n class Media:\n js = [\"child.js\"]\n\n# Access only this component's media\nprint(ChildComponent.Media.js) # [\"child.js\"]\n\n# Access all inherited media\nprint(ChildComponent.media._js) # [\"parent.js\", \"child.js\"]\n
Note
You should not manually modify
Component.media
orComponent.Media
after the component has been resolved, as this may lead to unexpected behavior.If you want to modify the class that is instantiated for
"},{"location":"concepts/fundamentals/secondary_js_css_files/#file-paths","title":"File paths","text":"Component.media
, you can configureComponent.media_class
(See example).Unlike the main HTML / JS / CSS files, the path definition for the secondary files are quite ergonomic.
"},{"location":"concepts/fundamentals/secondary_js_css_files/#relative-to-component","title":"Relative to component","text":"As seen in the getting started example, to associate HTML / JS / CSS files with a component, you can set them as
[project root]/components/calendar/calendar.pyComponent.template_file
,Component.js_file
andComponent.css_file
respectively:from django_components import Component, register\n\n@register(\"calendar\")\nclass Calendar(Component):\n template_file = \"template.html\"\n css_file = \"style.css\"\n js_file = \"script.js\"\n
In the example above, we defined the files relative to the directory where the component file is defined.
Alternatively, you can specify the file paths relative to the directories set in
COMPONENTS.dirs
orCOMPONENTS.app_dirs
.If you specify the paths relative to component's directory, django-componenents does the conversion automatically for you.
Thus, assuming that
[project root]/components/calendar/calendar.pyCOMPONENTS.dirs
contains path[project root]/components
, the example above is the same as writing:from django_components import Component, register\n\n@register(\"calendar\")\nclass Calendar(Component):\n template_file = \"calendar/template.html\"\n css_file = \"calendar/style.css\"\n js_file = \"calendar/script.js\"\n
Important
File path resolution in-depth
At component class creation, django-components checks all file paths defined on the component (e.g.
Component.template_file
).For each file path, it checks if the file path is relative to the component's directory. And such file exists, the component's file path is re-written to be defined relative to a first matching directory in
COMPONENTS.dirs
orCOMPONENTS.app_dirs
.Example:
[root]/components/mytable/mytable.pyclass MyTable(Component):\n template_file = \"mytable.html\"\n
- Component
MyTable
is defined in file[root]/components/mytable/mytable.py
. - The component's directory is thus
[root]/components/mytable/
. - Because
MyTable.template_file
ismytable.html
, django-components tries to resolve it as[root]/components/mytable/mytable.html
. - django-components checks the filesystem. If there's no such file, nothing happens.
- If there IS such file, django-components tries to rewrite the path.
- django-components searches
COMPONENTS.dirs
andCOMPONENTS.app_dirs
for a first directory that contains[root]/components/mytable/mytable.html
. - It comes across
[root]/components/
, which DOES contain the path tomytable.html
. - Thus, it rewrites
template_file
frommytable.html
tomytable/mytable.html
.
NOTE: In case of ambiguity, the preference goes to resolving the files relative to the component's directory.
"},{"location":"concepts/fundamentals/secondary_js_css_files/#globs","title":"Globs","text":"Components can have many secondary files. To simplify their declaration, you can use globs.
Globs MUST be relative to the component's directory.
[project root]/components/calendar/calendar.pyfrom django_components import Component, register\n\n@register(\"calendar\")\nclass Calendar(Component):\n class Media:\n js = [\n \"path/to/*.js\",\n \"another/path/*.js\",\n ]\n css = \"*.css\"\n
How this works is that django-components will detect that the path is a glob, and will try to resolve all files matching the glob pattern relative to the component's directory.
After that, the file paths are handled the same way as if you defined them explicitly.
"},{"location":"concepts/fundamentals/secondary_js_css_files/#supported-types","title":"Supported types","text":"File paths can be any of:
str
bytes
PathLike
(__fspath__
method)SafeData
(__html__
method)Callable
that returns any of the above, evaluated at class creation (__new__
)
To help with typing the union, use
ComponentMediaInputPath
.
"},{"location":"concepts/fundamentals/secondary_js_css_files/#paths-as-objects","title":"Paths as objects","text":"from pathlib import Path\n\nfrom django.utils.safestring import mark_safe\n\nclass SimpleComponent(Component):\n class Media:\n css = [\n mark_safe('<link href=\"/static/calendar/style1.css\" rel=\"stylesheet\" />'),\n Path(\"calendar/style1.css\"),\n \"calendar/style2.css\",\n b\"calendar/style3.css\",\n lambda: \"calendar/style4.css\",\n ]\n js = [\n mark_safe('<script src=\"/static/calendar/script1.js\"></script>'),\n Path(\"calendar/script1.js\"),\n \"calendar/script2.js\",\n b\"calendar/script3.js\",\n lambda: \"calendar/script4.js\",\n ]\n
In the example above, you can see that when we used Django's
mark_safe()
to mark a string as aSafeString
, we had to define the URL / path as an HTML<script>
/<link>
elements.This is an extension of Django's Paths as objects feature, where \"safe\" strings are taken as is, and are accessed only at render time.
Because of that, the paths defined as \"safe\" strings are NEVER resolved, neither relative to component's directory, nor relative to
COMPONENTS.dirs
. It is assumed that you will define the full<script>
/<link>
tag with the correct URL / path.\"Safe\" strings can be used to lazily resolve a path, or to customize the
<script>
or<link>
tag for individual paths:In the example below, we make use of \"safe\" strings to add
type=\"module\"
to the script tag that will fetchcalendar/script2.js
. In this case, we implemented a \"safe\" string by defining a__html__
method.
"},{"location":"concepts/fundamentals/secondary_js_css_files/#rendering-paths","title":"Rendering paths","text":"# Path object\nclass ModuleJsPath:\n def __init__(self, static_path: str) -> None:\n self.static_path = static_path\n\n # Lazily resolve the path\n def __html__(self):\n full_path = static(self.static_path)\n return format_html(\n f'<script type=\"module\" src=\"{full_path}\"></script>'\n )\n\n@register(\"calendar\")\nclass Calendar(Component):\n template_file = \"calendar/template.html\"\n\n class Media:\n css = \"calendar/style1.css\"\n js = [\n # <script> tag constructed by Media class\n \"calendar/script1.js\",\n # Custom <script> tag\n ModuleJsPath(\"calendar/script2.js\"),\n ]\n
As part of the rendering process, the secondary JS / CSS files are resolved and rendered into
<link>
and<script>
HTML tags, so they can be inserted into the render.In the Paths as objects section, we saw that we can use that to selectively change how the HTML tags are constructed.
However, if you need to change how ALL CSS and JS files are rendered for a given component, you can provide your own subclass of Django's
Media
class to theComponent.media_class
attribute.To change how the tags are constructed, you can override the
Media.render_js()
andMedia.render_css()
methods:
"},{"location":"concepts/fundamentals/single_file_components/","title":"Single-file components","text":"from django.forms.widgets import Media\nfrom django_components import Component, register\n\nclass MyMedia(Media):\n # Same as original Media.render_js, except\n # the `<script>` tag has also `type=\"module\"`\n def render_js(self):\n tags = []\n for path in self._js:\n if hasattr(path, \"__html__\"):\n tag = path.__html__()\n else:\n tag = format_html(\n '<script type=\"module\" src=\"{}\"></script>',\n self.absolute_path(path)\n )\n return tags\n\n@register(\"calendar\")\nclass Calendar(Component):\n template_file = \"calendar/template.html\"\n css_file = \"calendar/style.css\"\n js_file = \"calendar/script.js\"\n\n class Media:\n css = \"calendar/style1.css\"\n js = \"calendar/script2.js\"\n\n # Override the behavior of Media class\n media_class = MyMedia\n
Components can be defined in a single file, inlining the HTML, JS and CSS within the Python code.
"},{"location":"concepts/fundamentals/single_file_components/#writing-single-file-components","title":"Writing single file components","text":"To do this, you can use the
template
,js
, andcss
class attributes instead of thetemplate_file
,js_file
, andcss_file
.For example, here's the calendar component from the Getting started tutorial:
calendar.pyfrom django_components import Component\n\nclass Calendar(Component):\n template_file = \"calendar.html\"\n js_file = \"calendar.js\"\n css_file = \"calendar.css\"\n
And here is the same component, rewritten in a single file:
[project root]/components/calendar.pyfrom django_components import Component, register, types\n\n@register(\"calendar\")\nclass Calendar(Component):\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"date\": kwargs[\"date\"],\n }\n\n template: types.django_html = \"\"\"\n <div class=\"calendar\">\n Today's date is <span>{{ date }}</span>\n </div>\n \"\"\"\n\n css: types.css = \"\"\"\n .calendar {\n width: 200px;\n background: pink;\n }\n .calendar span {\n font-weight: bold;\n }\n \"\"\"\n\n js: types.js = \"\"\"\n (function(){\n if (document.querySelector(\".calendar\")) {\n document.querySelector(\".calendar\").onclick = () => {\n alert(\"Clicked calendar!\");\n };\n }\n })()\n \"\"\"\n
You can mix and match, so you can have a component with inlined HTML, while the JS and CSS are in separate files:
[project root]/components/calendar.py
"},{"location":"concepts/fundamentals/single_file_components/#syntax-highlighting","title":"Syntax highlighting","text":"from django_components import Component, register, types\n\n@register(\"calendar\")\nclass Calendar(Component):\n js_file = \"calendar.js\"\n css_file = \"calendar.css\"\n\n template: types.django_html = \"\"\"\n <div class=\"calendar\">\n Today's date is <span>{{ date }}</span>\n </div>\n \"\"\"\n
If you \"inline\" the HTML, JS and CSS code into the Python class, you should set up syntax highlighting to let your code editor know that the inlined code is HTML, JS and CSS.
In the examples above, we've annotated the
template
,js
, andcss
attributes with thetypes.django_html
,types.js
andtypes.css
types. These are used for syntax highlighting in VSCode.Warning
Autocompletion / intellisense does not work in the inlined code.
Help us add support for intellisense in the inlined code! Start a conversation in the GitHub Discussions.
"},{"location":"concepts/fundamentals/single_file_components/#vscode","title":"VSCode","text":"-
First install Python Inline Source Syntax Highlighting extension, it will give you syntax highlighting for the template, CSS, and JS.
-
Next, in your component, set typings of
Component.template
,Component.js
,Component.css
totypes.django_html
,types.css
, andtypes.js
respectively. The extension will recognize these and will activate syntax highlighting.
"},{"location":"concepts/fundamentals/single_file_components/#pycharm-or-other-jetbrains-ides","title":"Pycharm (or other Jetbrains IDEs)","text":"from django_components import Component, register, types\n\n@register(\"calendar\")\nclass Calendar(Component):\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"date\": kwargs[\"date\"],\n }\n\n template: types.django_html = \"\"\"\n <div class=\"calendar-component\">\n Today's date is <span>{{ date }}</span>\n </div>\n \"\"\"\n\n css: types.css = \"\"\"\n .calendar-component {\n width: 200px;\n background: pink;\n }\n .calendar-component span {\n font-weight: bold;\n }\n \"\"\"\n\n js: types.js = \"\"\"\n (function(){\n if (document.querySelector(\".calendar-component\")) {\n document.querySelector(\".calendar-component\").onclick = function(){ alert(\"Clicked calendar!\"); };\n }\n })()\n \"\"\"\n
With PyCharm (or any other editor from Jetbrains), you don't need to use
types.django_html
,types.css
,types.js
since Pycharm uses language injections.You only need to write the comments
# language=<lang>
above the variables.
"},{"location":"concepts/fundamentals/single_file_components/#markdown-code-blocks-with-pygments","title":"Markdown code blocks with Pygments","text":"from django_components import Component, register\n\n@register(\"calendar\")\nclass Calendar(Component):\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"date\": kwargs[\"date\"],\n }\n\n # language=HTML\n template= \"\"\"\n <div class=\"calendar-component\">\n Today's date is <span>{{ date }}</span>\n </div>\n \"\"\"\n\n # language=CSS\n css = \"\"\"\n .calendar-component {\n width: 200px;\n background: pink;\n }\n .calendar-component span {\n font-weight: bold;\n }\n \"\"\"\n\n # language=JS\n js = \"\"\"\n (function(){\n if (document.querySelector(\".calendar-component\")) {\n document.querySelector(\".calendar-component\").onclick = function(){ alert(\"Clicked calendar!\"); };\n }\n })()\n \"\"\"\n
Pygments is a syntax highlighting library written in Python. It's also what's used by this documentation site (mkdocs-material) to highlight code blocks.
To write code blocks with syntax highlighting, you need to install the
pygments-djc
package.pip install pygments-djc\n
And then initialize it by importing
pygments_djc
somewhere in your project:import pygments_djc\n
Now you can use the
djc_py
code block to write code blocks with syntax highlighting for components.\\```djc_py\nfrom django_components import Component, register\n\n@register(\"calendar\")\nclass Calendar(Component):\n template = \"\"\"\n <div class=\"calendar-component\">\n Today's date is <span>{{ date }}</span>\n </div>\n \"\"\"\n\n css = \"\"\"\n .calendar-component {\n width: 200px;\n background: pink;\n }\n .calendar-component span {\n font-weight: bold;\n }\n \"\"\"\n\\```\n
Will be rendered as below. Notice that the CSS and HTML are highlighted correctly:
"},{"location":"concepts/fundamentals/slots/","title":"Slots","text":"from django_components import Component, register\n\n@register(\"calendar\")\nclass Calendar(Component):\n template= \"\"\"\n <div class=\"calendar-component\">\n Today's date is <span>{{ date }}</span>\n </div>\n \"\"\"\n\n css = \"\"\"\n .calendar-component {\n width: 200px;\n background: pink;\n }\n .calendar-component span {\n font-weight: bold;\n }\n \"\"\"\n
New in version 0.26:
- The
slot
tag now serves only to declare new slots inside the component template. - To override the content of a declared slot, use the newly introduced
fill
tag instead. - Whereas unfilled slots used to raise a warning, filling a slot is now optional by default.
- To indicate that a slot must be filled, the new
required
option should be added at the end of theslot
tag.
Components support something called 'slots'. When a component is used inside another template, slots allow the parent template to override specific parts of the child component by passing in different content. This mechanism makes components more reusable and composable. This behavior is similar to slots in Vue.
In the example below we introduce two block tags that work hand in hand to make this work. These are...
{% slot <name> %}
/{% endslot %}
: Declares a new slot in the component template.{% fill <name> %}
/{% endfill %}
: (Used inside a{% component %}
tag pair.) Fills a declared slot with the specified content.
Let's update our calendar component to support more customization. We'll add
slot
tag pairs to its template, template.html.<div class=\"calendar-component\">\n <div class=\"header\">\n {% slot \"header\" %}Calendar header{% endslot %}\n </div>\n <div class=\"body\">\n {% slot \"body\" %}Today's date is <span>{{ date }}</span>{% endslot %}\n </div>\n</div>\n
When using the component, you specify which slots you want to fill and where you want to use the defaults from the template. It looks like this:
{% component \"calendar\" date=\"2020-06-06\" %}\n {% fill \"body\" %}\n Can you believe it's already <span>{{ date }}</span>??\n {% endfill %}\n{% endcomponent %}\n
Since the 'header' fill is unspecified, it's taken from the base template. If you put this in a template, and pass in
date=2020-06-06
, this is what gets rendered:
"},{"location":"concepts/fundamentals/slots/#named-slots","title":"Named slots","text":"<div class=\"calendar-component\">\n <div class=\"header\">\n Calendar header\n </div>\n <div class=\"body\">\n Can you believe it's already <span>2020-06-06</span>??\n </div>\n</div>\n
As seen in the previouse section, you can use
{% fill slot_name %}
to insert content into a specific slot.You can define fills for multiple slot simply by defining them all within the
{% component %} {% endcomponent %}
tags:{% component \"calendar\" date=\"2020-06-06\" %}\n {% fill \"header\" %}\n Hi this is header!\n {% endfill %}\n {% fill \"body\" %}\n Can you believe it's already <span>{{ date }}</span>??\n {% endfill %}\n{% endcomponent %}\n
You can also use
{% for %}
,{% with %}
, or other non-component tags (even{% include %}
) to construct the{% fill %}
tags, as long as these other tags do not leave any text behind!
"},{"location":"concepts/fundamentals/slots/#default-slot","title":"Default slot","text":"{% component \"table\" %}\n {% for slot_name in slots %}\n {% fill name=slot_name %}\n {{ slot_name }}\n {% endfill %}\n {% endfor %}\n\n {% with slot_name=\"abc\" %}\n {% fill name=slot_name %}\n {{ slot_name }}\n {% endfill %}\n {% endwith %}\n{% endcomponent %}\n
Added in version 0.28
As you can see, component slots lets you write reusable containers that you fill in when you use a component. This makes for highly reusable components that can be used in different circumstances.
It can become tedious to use
fill
tags everywhere, especially when you're using a component that declares only one slot. To make things easier,slot
tags can be marked with an optional keyword:default
.When added to the tag (as shown below), this option lets you pass filling content directly in the body of a
component
tag pair \u2013 without using afill
tag. Choose carefully, though: a component template may contain at most one slot that is marked asdefault
. Thedefault
option can be combined with other slot options, e.g.required
.Here's the same example as before, except with default slots and implicit filling.
The template:
<div class=\"calendar-component\">\n <div class=\"header\">\n {% slot \"header\" %}Calendar header{% endslot %}\n </div>\n <div class=\"body\">\n {% slot \"body\" default %}Today's date is <span>{{ date }}</span>{% endslot %}\n </div>\n</div>\n
Including the component (notice how the
fill
tag is omitted):{% component \"calendar\" date=\"2020-06-06\" %}\n Can you believe it's already <span>{{ date }}</span>??\n{% endcomponent %}\n
The rendered result (exactly the same as before):
<div class=\"calendar-component\">\n <div class=\"header\">Calendar header</div>\n <div class=\"body\">Can you believe it's already <span>2020-06-06</span>??</div>\n</div>\n
You may be tempted to combine implicit fills with explicit
fill
tags. This will not work. The following component template will raise an error when rendered.{# DON'T DO THIS #}\n{% component \"calendar\" date=\"2020-06-06\" %}\n {% fill \"header\" %}Totally new header!{% endfill %}\n Can you believe it's already <span>{{ date }}</span>??\n{% endcomponent %}\n
Instead, you can use a named fill with name
default
to target the default fill:{# THIS WORKS #}\n{% component \"calendar\" date=\"2020-06-06\" %}\n {% fill \"header\" %}Totally new header!{% endfill %}\n {% fill \"default\" %}\n Can you believe it's already <span>{{ date }}</span>??\n {% endfill %}\n{% endcomponent %}\n
NOTE: If you doubly-fill a slot, that is, that both
"},{"location":"concepts/fundamentals/slots/#accessing-default-slot-in-python","title":"Accessing default slot in Python","text":"{% fill \"default\" %}
and{% fill \"header\" %}
would point to the same slot, this will raise an error when rendered.Since the default slot is stored under the slot name
default
, you can access the default slot like so:
"},{"location":"concepts/fundamentals/slots/#render-fill-in-multiple-places","title":"Render fill in multiple places","text":"class MyTable(Component):\n def get_template_data(self, args, kwargs, slots, context):\n default_slot = slots[\"default\"]\n return {\n \"default_slot\": default_slot,\n }\n
Added in version 0.70
You can render the same content in multiple places by defining multiple slots with identical names:
<div class=\"calendar-component\">\n <div class=\"header\">\n {% slot \"image\" %}Image here{% endslot %}\n </div>\n <div class=\"body\">\n {% slot \"image\" %}Image here{% endslot %}\n </div>\n</div>\n
So if used like:
{% component \"calendar\" date=\"2020-06-06\" %}\n {% fill \"image\" %}\n <img src=\"...\" />\n {% endfill %}\n{% endcomponent %}\n
This renders:
"},{"location":"concepts/fundamentals/slots/#default-and-required-slots","title":"Default and required slots","text":"<div class=\"calendar-component\">\n <div class=\"header\">\n <img src=\"...\" />\n </div>\n <div class=\"body\">\n <img src=\"...\" />\n </div>\n</div>\n
If you use a slot multiple times, you can still mark the slot as
default
orrequired
. For that, you must mark each slot individually, e.g.:<div class=\"calendar-component\">\n <div class=\"header\">\n {% slot \"image\" default required %}Image here{% endslot %}\n </div>\n <div class=\"body\">\n {% slot \"image\" default required %}Image here{% endslot %}\n </div>\n</div>\n
Which you can then use as regular default slot:
{% component \"calendar\" date=\"2020-06-06\" %}\n <img src=\"...\" />\n{% endcomponent %}\n
Since each slot is tagged individually, you can have multiple slots with the same name but different conditions.
E.g. in this example, we have a component that renders a user avatar - a small circular image with a profile picture or name initials.
If the component is given
image_src
orname_initials
variables, theimage
slot is optional. But if neither of those are provided, you MUST fill theimage
slot.
"},{"location":"concepts/fundamentals/slots/#accessing-original-content-of-slots","title":"Accessing original content of slots","text":"<div class=\"avatar\">\n {% if image_src %}\n {% slot \"image\" default %}\n <img src=\"{{ image_src }}\" />\n {% endslot %}\n {% elif name_initials %}\n {% slot \"image\" default %}\n <div style=\"\n border-radius: 25px;\n width: 50px;\n height: 50px;\n background: blue;\n \">\n {{ name_initials }}\n </div>\n {% endslot %}\n {% else %}\n {% slot \"image\" default required / %}\n {% endif %}\n</div>\n
Added in version 0.26
NOTE: In version 0.77, the syntax was changed from
{% fill \"my_slot\" as \"alias\" %} {{ alias.default }}\n
to
{% fill \"my_slot\" default=\"slot_default\" %} {{ slot_default }}\n
Sometimes you may want to keep the original slot, but only wrap or prepend/append content to it. To do so, you can access the default slot via the
default
kwarg.Similarly to the
data
attribute, you specify the variable name through which the default slot will be made available.For instance, let's say you're filling a slot called 'body'. To render the original slot, assign it to a variable using the
'default'
keyword. You then render this variable to insert the default content:{% component \"calendar\" date=\"2020-06-06\" %}\n {% fill \"body\" default=\"body_default\" %}\n {{ body_default }}. Have a great day!\n {% endfill %}\n{% endcomponent %}\n
This produces:
<div class=\"calendar-component\">\n <div class=\"header\">\n Calendar header\n </div>\n <div class=\"body\">\n Today's date is <span>2020-06-06</span>. Have a great day!\n </div>\n</div>\n
To access the original content of a default slot, set the name to
default
:
"},{"location":"concepts/fundamentals/slots/#conditional-slots","title":"Conditional slots","text":"{% component \"calendar\" date=\"2020-06-06\" %}\n {% fill \"default\" default=\"slot_default\" %}\n {{ slot_default }}. Have a great day!\n {% endfill %}\n{% endcomponent %}\n
Added in version 0.26.
NOTE: In version 0.70,
{% if_filled %}
tags were replaced with{{ component_vars.is_filled }}
variables. If your slot name contained special characters, see the section Accessingis_filled
of slot names with special characters.In certain circumstances, you may want the behavior of slot filling to depend on whether or not a particular slot is filled.
For example, suppose we have the following component template:
<div class=\"frontmatter-component\">\n <div class=\"title\">\n {% slot \"title\" %}Title{% endslot %}\n </div>\n <div class=\"subtitle\">\n {% slot \"subtitle\" %}{# Optional subtitle #}{% endslot %}\n </div>\n</div>\n
By default the slot named 'subtitle' is empty. Yet when the component is used without explicit fills, the div containing the slot is still rendered, as shown below:
<div class=\"frontmatter-component\">\n <div class=\"title\">Title</div>\n <div class=\"subtitle\"></div>\n</div>\n
This may not be what you want. What if instead the outer 'subtitle' div should only be included when the inner slot is in fact filled?
The answer is to use the
{{ component_vars.is_filled.<name> }}
variable. You can use this together with Django's{% if/elif/else/endif %}
tags to define a block whose contents will be rendered only if the component slot with the corresponding 'name' is filled.This is what our example looks like with
component_vars.is_filled
.<div class=\"frontmatter-component\">\n <div class=\"title\">\n {% slot \"title\" %}Title{% endslot %}\n </div>\n {% if component_vars.is_filled.subtitle %}\n <div class=\"subtitle\">\n {% slot \"subtitle\" %}{# Optional subtitle #}{% endslot %}\n </div>\n {% endif %}\n</div>\n
Here's our example with more complex branching.
<div class=\"frontmatter-component\">\n <div class=\"title\">\n {% slot \"title\" %}Title{% endslot %}\n </div>\n {% if component_vars.is_filled.subtitle %}\n <div class=\"subtitle\">\n {% slot \"subtitle\" %}{# Optional subtitle #}{% endslot %}\n </div>\n {% elif component_vars.is_filled.title %}\n ...\n {% elif component_vars.is_filled.<name> %}\n ...\n {% endif %}\n</div>\n
Sometimes you're not interested in whether a slot is filled, but rather that it isn't. To negate the meaning of
component_vars.is_filled
, simply treat it as boolean and negate it withnot
:
"},{"location":"concepts/fundamentals/slots/#accessing-is_filled-of-slot-names-with-special-characters","title":"Accessing{% if not component_vars.is_filled.subtitle %}\n<div class=\"subtitle\">\n {% slot \"subtitle\" / %}\n</div>\n{% endif %}\n
is_filled
of slot names with special characters","text":"To be able to access a slot name via
component_vars.is_filled
, the slot name needs to be composed of only alphanumeric characters and underscores (e.g.this__isvalid_123
).However, you can still define slots with other special characters. In such case, the slot name in
component_vars.is_filled
is modified to replace all invalid characters into_
.So a slot named
\"my super-slot :)\"
will be available ascomponent_vars.is_filled.my_super_slot___
.Same applies when you are accessing
is_filled
from within the Python, e.g.:
"},{"location":"concepts/fundamentals/slots/#conditional-fills","title":"Conditional fills","text":"class MyTable(Component):\n def on_render_before(self, context, template) -> None:\n # \u2705 Works\n if self.is_filled[\"my_super_slot___\"]:\n # Do something\n\n # \u274c Does not work\n if self.is_filled[\"my super-slot :)\"]:\n # Do something\n
Similarly, you can use
{% if %}
and{% for %}
when defining the{% fill %}
tags, to conditionally fill the slots when using the componnet:In the example below, the
{% fill \"footer\" %}
fill is used only if the condition is true. If falsy, the fill is ignored, and so themy_table
component will use its default content for thefooter
slot.{% component \"my_table\" %}\n {% if editable %}\n {% fill \"footer\" %}\n <input name=\"name\" />\n {% endfill %}\n {% endif %}\n{% endcomponent %}\n
You can even combine
{% if %}
and{% for %}
:
"},{"location":"concepts/fundamentals/slots/#scoped-slots","title":"Scoped slots","text":"{% component \"my_table\" %}\n {% for header in headers %}\n {% if header != \"hyperlink\" %}\n {# Generate fill name like `header.my_column` #}\n {% fill name=\"header.\"|add:header\" %}\n <b>{{ header }}</b>\n {% endfill %}\n {% endif %}\n {% endfor %}\n{% endcomponent %}\n
Added in version 0.76:
Consider a component with slot(s). This component may do some processing on the inputs, and then use the processed variable in the slot's default template:
@register(\"my_comp\")\nclass MyComp(Component):\n template = \"\"\"\n <div>\n {% slot \"content\" default %}\n input: {{ input }}\n {% endslot %}\n </div>\n \"\"\"\n\n def get_template_data(self, args, kwargs, slots, context):\n processed_input = do_something(kwargs[\"input\"])\n return {\"input\": processed_input}\n
You may want to design a component so that users of your component can still access the
input
variable, so they don't have to recompute it.This behavior is called \"scoped slots\". This is inspired by Vue scoped slots and scoped slots of django-web-components.
Using scoped slots consists of two steps:
- Passing data to
slot
tag - Accessing data in
fill
tag
To pass the data to the
slot
tag, simply pass them as keyword attributes (key=value
):
"},{"location":"concepts/fundamentals/slots/#accessing-slot-data-in-fill","title":"Accessing slot data in fill","text":"@register(\"my_comp\")\nclass MyComp(Component):\n template = \"\"\"\n <div>\n {% slot \"content\" default input=input %}\n input: {{ input }}\n {% endslot %}\n </div>\n \"\"\"\n\n def get_template_data(self, args, kwargs, slots, context):\n processed_input = do_something(kwargs[\"input\"])\n return {\n \"input\": processed_input,\n }\n
Next, we head over to where we define a fill for this slot. Here, to access the slot data we set the
data
attribute to the name of the variable through which we want to access the slot data. In the example below, we set it todata
:{% component \"my_comp\" %}\n {% fill \"content\" data=\"slot_data\" %}\n {{ slot_data.input }}\n {% endfill %}\n{% endcomponent %}\n
To access slot data on a default slot, you have to explictly define the
{% fill %}
tags.So this works:
{% component \"my_comp\" %}\n {% fill \"content\" data=\"slot_data\" %}\n {{ slot_data.input }}\n {% endfill %}\n{% endcomponent %}\n
While this does not:
{% component \"my_comp\" data=\"data\" %}\n {{ data.input }}\n{% endcomponent %}\n
Note: You cannot set the
data
attribute anddefault
attribute) to the same name. This raises an error:
"},{"location":"concepts/fundamentals/slots/#slot-data-of-default-slots","title":"Slot data of default slots","text":"{% component \"my_comp\" %}\n {% fill \"content\" data=\"slot_var\" default=\"slot_var\" %}\n {{ slot_var.input }}\n {% endfill %}\n{% endcomponent %}\n
To access data of a default slot, you can specify
{% fill name=\"default\" %}
:
"},{"location":"concepts/fundamentals/slots/#dynamic-slots-and-fills","title":"Dynamic slots and fills","text":"{% component \"my_comp\" %}\n {% fill \"default\" data=\"slot_data\" %}\n {{ slot_data.input }}\n {% endfill %}\n{% endcomponent %}\n
Until now, we were declaring slot and fill names statically, as a string literal, e.g.
{% slot \"content\" / %}\n
However, sometimes you may want to generate slots based on the given input. One example of this is a table component like that of Vuetify, which creates a header and an item slots for each user-defined column.
In django_components you can achieve the same, simply by using a variable (or a template expression) instead of a string literal:
<table>\n <tr>\n {% for header in headers %}\n <th>\n {% slot \"header-{{ header.key }}\" value=header.title %}\n {{ header.title }}\n {% endslot %}\n </th>\n {% endfor %}\n </tr>\n</table>\n
When using the component, you can either set the fill explicitly:
{% component \"table\" headers=headers items=items %}\n {% fill \"header-name\" data=\"data\" %}\n <b>{{ data.value }}</b>\n {% endfill %}\n{% endcomponent %}\n
Or also use a variable:
{% component \"table\" headers=headers items=items %}\n {# Make only the active column bold #}\n {% fill \"header-{{ active_header_name }}\" data=\"data\" %}\n <b>{{ data.value }}</b>\n {% endfill %}\n{% endcomponent %}\n
NOTE: It's better to use static slot names whenever possible for clarity. The dynamic slot names should be reserved for advanced use only.
Lastly, in rare cases, you can also pass the slot name via the spread operator. This is possible, because the slot name argument is actually a shortcut for a
name
keyword argument.So this:
{% slot \"content\" / %}\n
is the same as:
{% slot name=\"content\" / %}\n
So it's possible to define a
name
key on a dictionary, and then spread that onto the slot tag:
"},{"location":"concepts/fundamentals/slots/#pass-through-all-the-slots","title":"Pass through all the slots","text":"{# slot_props = {\"name\": \"content\"} #}\n{% slot ...slot_props / %}\n
You can dynamically pass all slots to a child component. This is similar to passing all slots in Vue:
"},{"location":"concepts/fundamentals/slots/#escaping-slots-content","title":"Escaping slots content","text":"class MyTable(Component):\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"slots\": slots,\n }\n\n template = \"\"\"\n <div>\n {% component \"child\" %}\n {% for slot_name in slots %}\n {% fill name=slot_name data=\"data\" %}\n {% slot name=slot_name ...data / %}\n {% endfill %}\n {% endfor %}\n {% endcomponent %}\n </div>\n \"\"\"\n
Slots content are automatically escaped by default to prevent XSS attacks.
In other words, it's as if you would be using Django's
mark_safe()
function on the slot content:from django.utils.safestring import mark_safe\n\nclass Calendar(Component):\n template = \"\"\"\n <div>\n {% slot \"date\" default date=date / %}\n </div>\n \"\"\"\n\nCalendar.render(\n slots={\n \"date\": mark_safe(\"<b>Hello</b>\"),\n }\n)\n
To disable escaping, you can pass
escape_slots_content=False
toComponent.render()
orComponent.render_to_response()
methods.Warning
If you disable escaping, you should make sure that any content you pass to the slots is safe, especially if it comes from user input!
Info
If you're planning on passing an HTML string, check Django's use of
"},{"location":"concepts/fundamentals/subclassing_components/","title":"Subclassing components","text":"format_html
andmark_safe
.In larger projects, you might need to write multiple components with similar behavior. In such cases, you can extract shared behavior into a standalone component class to keep things DRY.
When subclassing a component, there's a couple of things to keep in mind:
"},{"location":"concepts/fundamentals/subclassing_components/#template-js-and-css-inheritance","title":"Template, JS, and CSS inheritance","text":"When it comes to the pairs:
Component.template
/Component.template_file
Component.js
/Component.js_file
Component.css
/Component.css_file
inheritance follows these rules:
- If a child component class defines either member of a pair (e.g., either
template
ortemplate_file
), it takes precedence and the parent's definition is ignored completely. - For example, if a child component defines
template_file
, the parent'stemplate
ortemplate_file
will be ignored. - This applies independently to each pair - you can inherit the JS while overriding the template, for instance.
For example:
"},{"location":"concepts/fundamentals/subclassing_components/#media-inheritance","title":"Media inheritance","text":"class BaseCard(Component):\n template = \"\"\"\n <div class=\"card\">\n <div class=\"card-content\">{{ content }}</div>\n </div>\n \"\"\"\n css = \"\"\"\n .card {\n border: 1px solid gray;\n }\n \"\"\"\n js = \"\"\"console.log('Base card loaded');\"\"\"\n\n# This class overrides parent's template, but inherits CSS and JS\nclass SpecialCard(BaseCard):\n template = \"\"\"\n <div class=\"card special\">\n <div class=\"card-content\">\u2728 {{ content }} \u2728</div>\n </div>\n \"\"\"\n\n# This class overrides parent's template and CSS, but inherits JS\nclass CustomCard(BaseCard):\n template_file = \"custom_card.html\"\n css = \"\"\"\n .card {\n border: 2px solid gold;\n }\n \"\"\"\n
The
Component.Media
nested class follows Django's media inheritance rules:- If both parent and child define a
Media
class, the child's media will automatically include both its own and the parent's JS and CSS files. - This behavior can be configured using the
extend
attribute in the Media class, similar to Django's forms. Read more on this in Media inheritance.
For example:
"},{"location":"concepts/fundamentals/subclassing_components/#regular-python-inheritance","title":"Regular Python inheritance","text":"class BaseModal(Component):\n template = \"<div>Modal content</div>\"\n\n class Media:\n css = [\"base_modal.css\"]\n js = [\"base_modal.js\"] # Contains core modal functionality\n\nclass FancyModal(BaseModal):\n class Media:\n # Will include both base_modal.css/js AND fancy_modal.css/js\n css = [\"fancy_modal.css\"] # Additional styling\n js = [\"fancy_modal.js\"] # Additional animations\n\nclass SimpleModal(BaseModal):\n class Media:\n extend = False # Don't inherit parent's media\n css = [\"simple_modal.css\"] # Only this CSS will be included\n js = [\"simple_modal.js\"] # Only this JS will be included\n
All other attributes and methods (including the
Component.View
class and its methods) follow standard Python inheritance rules.For example:
"},{"location":"concepts/fundamentals/template_tag_syntax/","title":"Template tag syntax","text":"class BaseForm(Component):\n template = \"\"\"\n <form>\n {{ form_content }}\n <button type=\"submit\">\n {{ submit_text }}\n </button>\n </form>\n \"\"\"\n\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"form_content\": self.get_form_content(),\n \"submit_text\": \"Submit\"\n }\n\n def get_form_content(self):\n return \"<input type='text' name='data'>\"\n\nclass ContactForm(BaseForm):\n # Extend parent's \"context\"\n # but override \"submit_text\"\n def get_template_data(self, args, kwargs, slots, context):\n context = super().get_template_data(args, kwargs, slots, context)\n context[\"submit_text\"] = \"Send Message\" \n return context\n\n # Completely override parent's get_form_content\n def get_form_content(self):\n return \"\"\"\n <input type='text' name='name' placeholder='Your Name'>\n <input type='email' name='email' placeholder='Your Email'>\n <textarea name='message' placeholder='Your Message'></textarea>\n \"\"\"\n
All template tags in django_component, like
"},{"location":"concepts/fundamentals/template_tag_syntax/#self-closing-tags","title":"Self-closing tags","text":"{% component %}
or{% slot %}
, and so on, support extra syntax that makes it possible to write components like in Vue or React (JSX).When you have a tag like
{% component %}
or{% slot %}
, but it has no content, you can simply append a forward slash/
at the end, instead of writing out the closing tags like{% endcomponent %}
or{% endslot %}
:So this:
{% component \"button\" %}{% endcomponent %}\n
becomes
"},{"location":"concepts/fundamentals/template_tag_syntax/#special-characters","title":"Special characters","text":"{% component \"button\" / %}\n
New in version 0.71:
Keyword arguments can contain special characters
# @ . - _
, so keywords like so are still valid:<body>\n {% component \"calendar\" my-date=\"2015-06-19\" @click.native=do_something #some_id=True / %}\n</body>\n
These can then be accessed inside
get_template_data
so:
"},{"location":"concepts/fundamentals/template_tag_syntax/#spread-operator","title":"Spread operator","text":"@register(\"calendar\")\nclass Calendar(Component):\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"date\": kwargs[\"my-date\"],\n \"id\": kwargs[\"#some_id\"],\n \"on_click\": kwargs[\"@click.native\"]\n }\n
New in version 0.93:
Instead of passing keyword arguments one-by-one:
{% component \"calendar\" title=\"How to abc\" date=\"2015-06-19\" author=\"John Wick\" / %}\n
You can use a spread operator
...dict
to apply key-value pairs from a dictionary:post_data = {\n \"title\": \"How to...\",\n \"date\": \"2015-06-19\",\n \"author\": \"John Wick\",\n}\n
{% component \"calendar\" ...post_data / %}\n
This behaves similar to JSX's spread operator or Vue's
v-bind
.Spread operators are treated as keyword arguments, which means that:
- Spread operators must come after positional arguments.
- You cannot use spread operators for positional-only arguments.
Other than that, you can use spread operators multiple times, and even put keyword arguments in-between or after them:
{% component \"calendar\" ...post_data id=post.id ...extra / %}\n
In a case of conflicts, the values added later (right-most) overwrite previous values.
"},{"location":"concepts/fundamentals/template_tag_syntax/#template-tags-inside-literal-strings","title":"Template tags inside literal strings","text":"New in version 0.93
When passing data around, sometimes you may need to do light transformations, like negating booleans or filtering lists.
Normally, what you would have to do is to define ALL the variables inside
get_template_data()
. But this can get messy if your components contain a lot of logic.@register(\"calendar\")\nclass Calendar(Component):\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"editable\": kwargs[\"editable\"],\n \"readonly\": not kwargs[\"editable\"],\n \"input_id\": f\"input-{kwargs['id']}\",\n \"icon_id\": f\"icon-{kwargs['id']}\",\n ...\n }\n
Instead, template tags in django_components (
{% component %}
,{% slot %}
,{% provide %}
, etc) allow you to treat literal string values as templates:{% component 'blog_post'\n \"As positional arg {# yay #}\"\n title=\"{{ person.first_name }} {{ person.last_name }}\"\n id=\"{% random_int 10 20 %}\"\n readonly=\"{{ editable|not }}\"\n author=\"John Wick {# TODO: parametrize #}\"\n/ %}\n
In the example above, the component receives:
- Positional argument
\"As positional arg \"
(Comment omitted) title
- passed asstr
, e.g.John Doe
id
- passed asint
, e.g.15
readonly
- passed asbool
, e.g.False
author
- passed asstr
, e.g.John Wick
(Comment omitted)
This is inspired by django-cotton.
"},{"location":"concepts/fundamentals/template_tag_syntax/#passing-data-as-string-vs-original-values","title":"Passing data as string vs original values","text":"In the example above, the kwarg
id
was passed as an integer, NOT a string.When the string literal contains only a single template tag, with no extra text (and no extra whitespace), then the value is passed as the original type instead of a string.
Here,
page
is an integer:{% component 'blog_post' page=\"{% random_int 10 20 %}\" / %}\n
Here,
page
is a string:{% component 'blog_post' page=\" {% random_int 10 20 %} \" / %}\n
And same applies to the
{{ }}
variable tags:Here,
items
is a list:{% component 'cat_list' items=\"{{ cats|slice:':2' }}\" / %}\n
Here,
items
is a string:
"},{"location":"concepts/fundamentals/template_tag_syntax/#evaluating-python-expressions-in-template","title":"Evaluating Python expressions in template","text":"{% component 'cat_list' items=\"{{ cats|slice:':2' }} See more\" / %}\n
You can even go a step further and have a similar experience to Vue or React, where you can evaluate arbitrary code expressions:
<MyForm value={isEnabled ? inputValue : null} />\n
Similar is possible with
django-expr
, which adds anexpr
tag and filter that you can use to evaluate Python expressions from within the template:{% component \"my_form\"\n value=\"{% expr 'input_value if is_enabled else None' %}\"\n/ %}\n
Note: Never use this feature to mix business logic and template logic. Business logic should still be in the view!
"},{"location":"concepts/fundamentals/template_tag_syntax/#pass-dictonary-by-its-key-value-pairs","title":"Pass dictonary by its key-value pairs","text":"New in version 0.74:
Sometimes, a component may expect a dictionary as one of its inputs.
Most commonly, this happens when a component accepts a dictionary of HTML attributes (usually called
attrs
) to pass to the underlying template.In such cases, we may want to define some HTML attributes statically, and other dynamically. But for that, we need to define this dictionary on Python side:
@register(\"my_comp\")\nclass MyComp(Component):\n template = \"\"\"\n {% component \"other\" attrs=attrs / %}\n \"\"\"\n\n def get_template_data(self, args, kwargs, slots, context):\n attrs = {\n \"class\": \"pa-4 flex\",\n \"data-some-id\": kwargs[\"some_id\"],\n \"@click.stop\": \"onClickHandler\",\n }\n return {\"attrs\": attrs}\n
But as you can see in the case above, the event handler
@click.stop
and stylingpa-4 flex
are disconnected from the template. If the component grew in size and we moved the HTML to a separate file, we would have hard time reasoning about the component's template.Luckily, there's a better way.
When we want to pass a dictionary to a component, we can define individual key-value pairs as component kwargs, so we can keep all the relevant information in the template. For that, we prefix the key with the name of the dict and
:
. So keyclass
of inputattrs
becomesattrs:class
. And our example becomes:@register(\"my_comp\")\nclass MyComp(Component):\n template = \"\"\"\n {% component \"other\"\n attrs:class=\"pa-4 flex\"\n attrs:data-some-id=some_id\n attrs:@click.stop=\"onClickHandler\"\n / %}\n \"\"\"\n\n def get_template_data(self, args, kwargs, slots, context):\n return {\"some_id\": kwargs[\"some_id\"]}\n
Sweet! Now all the relevant HTML is inside the template, and we can move it to a separate file with confidence:
{% component \"other\"\n attrs:class=\"pa-4 flex\"\n attrs:data-some-id=some_id\n attrs:@click.stop=\"onClickHandler\"\n/ %}\n
Note: It is NOT possible to define nested dictionaries, so
attrs:my_key:two=2
would be interpreted as:
"},{"location":"concepts/fundamentals/template_tag_syntax/#multiline-tags","title":"Multiline tags","text":"{\"attrs\": {\"my_key:two\": 2}}\n
By default, Django expects a template tag to be defined on a single line.
However, this can become unwieldy if you have a component with a lot of inputs:
{% component \"card\" title=\"Joanne Arc\" subtitle=\"Head of Kitty Relations\" date_last_active=\"2024-09-03\" ... %}\n
Instead, when you install django_components, it automatically configures Django to suport multi-line tags.
So we can rewrite the above as:
{% component \"card\"\n title=\"Joanne Arc\"\n subtitle=\"Head of Kitty Relations\"\n date_last_active=\"2024-09-03\"\n ...\n%}\n
Much better!
To disable this behavior, set
"},{"location":"concepts/fundamentals/typing_and_validation/","title":"Typing and validation","text":""},{"location":"concepts/fundamentals/typing_and_validation/#typing-overview","title":"Typing overview","text":"COMPONENTS.multiline_tag
toFalse
Warning
In versions 0.92 to 0.139 (inclusive), the component typing was specified through generics.
Since v0.140, the types must be specified as class attributes of the Component class -
Args
,Kwargs
,Slots
,TemplateData
,JsData
, andCssData
.See Migrating from generics to class attributes for more info.
Warning
Input validation was NOT part of Django Components between versions 0.136 and 0.139 (inclusive).
The
Component
class optionally accepts class attributes that allow you to define the types of args, kwargs, slots, as well as the data returned from the data methods.Use this to add type hints to your components, to validate the inputs at runtime, and to document them.
from typing import NamedTuple, Optional\nfrom django.template import Context\nfrom django_components import Component, SlotInput\n\nclass Button(Component):\n class Args(NamedTuple):\n size: int\n text: str\n\n class Kwargs(NamedTuple):\n variable: str\n maybe_var: Optional[int] = None # May be omitted\n\n class Slots(NamedTuple):\n my_slot: Optional[SlotInput] = None\n\n def get_template_data(self, args: Args, kwargs: Kwargs, slots: Slots, context: Context):\n ...\n\n template_file = \"button.html\"\n
The class attributes are:
Args
- Type for positional arguments.Kwargs
- Type for keyword arguments.Slots
- Type for slots.TemplateData
- Type for data returned fromget_template_data()
.JsData
- Type for data returned fromget_js_data()
.CssData
- Type for data returned fromget_css_data()
.
You can specify as many or as few of these as you want, the rest will default to
"},{"location":"concepts/fundamentals/typing_and_validation/#typing-inputs","title":"Typing inputs","text":"None
.You can use
Component.Args
,Component.Kwargs
, andComponent.Slots
to type the component inputs.When you set these classes, at render time the
args
,kwargs
, andslots
parameters of the data methods (get_template_data()
,get_js_data()
,get_css_data()
) will be instances of these classes.This way, each component can have runtime validation of the inputs:
- When you use
NamedTuple
or@dataclass
, instantiating these classes will check ONLY for the presence of the attributes. - When you use Pydantic models, instantiating these classes will check for the presence AND type of the attributes.
If you omit the
Args
,Kwargs
, orSlots
classes, or set them toNone
, the inputs will be passed as plain lists or dictionaries, and will not be validated.from typing_extensions import NamedTuple, TypedDict\nfrom django.template import Context\nfrom django_components import Component, Slot, SlotInput\n\n# The data available to the `footer` scoped slot\nclass ButtonFooterSlotData(TypedDict):\n value: int\n\n# Define the component with the types\nclass Button(Component):\n class Args(NamedTuple):\n name: str\n\n class Kwargs(NamedTuple):\n surname: str\n age: int\n maybe_var: Optional[int] = None # May be omitted\n\n class Slots(NamedTuple):\n # Use `SlotInput` to allow slots to be given as `Slot` instance,\n # plain string, or a function that returns a string.\n my_slot: Optional[SlotInput] = None\n # Use `Slot` to allow ONLY `Slot` instances.\n # The generic is optional, and it specifies the data available\n # to the slot function.\n footer: Slot[ButtonFooterSlotData]\n\n # Add type hints to the data method\n def get_template_data(self, args: Args, kwargs: Kwargs, slots: Slots, context: Context):\n # The parameters are instances of the classes we defined\n assert isinstance(args, Button.Args)\n assert isinstance(kwargs, Button.Kwargs)\n assert isinstance(slots, Button.Slots)\n\n args.name # str\n kwargs.age # int\n slots.footer # Slot[ButtonFooterSlotData]\n\n# Add type hints to the render call\nButton.render(\n args=Button.Args(\n name=\"John\",\n ),\n kwargs=Button.Kwargs(\n surname=\"Doe\",\n age=30,\n ),\n slots=Button.Slots(\n footer=Slot(lambda *a, **kwa: \"Click me!\"),\n ),\n)\n
If you don't want to validate some parts, set them to
None
or omit them.The following will validate only the keyword inputs:
class Button(Component):\n # We could also omit these\n Args = None\n Slots = None\n\n class Kwargs(NamedTuple):\n name: str\n age: int\n\n # Only `kwargs` is instantiated. `args` and `slots` are not.\n def get_template_data(self, args, kwargs: Kwargs, slots, context: Context):\n assert isinstance(args, list)\n assert isinstance(slots, dict)\n assert isinstance(kwargs, Button.Kwargs)\n\n args[0] # str\n slots[\"footer\"] # Slot[ButtonFooterSlotData]\n kwargs.age # int\n
Info
Components can receive slots as strings, functions, or instances of
Slot
.Internally these are all normalized to instances of
Slot
.Therefore, the
slots
dictionary available in data methods (likeget_template_data()
) will always be a dictionary ofSlot
instances.To correctly type this dictionary, you should set the fields of
Slots
toSlot
orSlotInput
:
"},{"location":"concepts/fundamentals/typing_and_validation/#typing-data","title":"Typing data","text":"SlotInput
is a union ofSlot
, string, and function types.You can use
Component.TemplateData
,Component.JsData
, andComponent.CssData
to type the data returned fromget_template_data()
,get_js_data()
, andget_css_data()
.When you set these classes, at render time they will be instantiated with the data returned from these methods.
This way, each component can have runtime validation of the returned data:
- When you use
NamedTuple
or@dataclass
, instantiating these classes will check ONLY for the presence of the attributes. - When you use Pydantic models, instantiating these classes will check for the presence AND type of the attributes.
If you omit the
TemplateData
,JsData
, orCssData
classes, or set them toNone
, the validation and instantiation will be skipped.from typing import NamedTuple\nfrom django_components import Component\n\nclass Button(Component):\n class TemplateData(NamedTuple):\n data1: str\n data2: int\n\n class JsData(NamedTuple):\n js_data1: str\n js_data2: int\n\n class CssData(NamedTuple):\n css_data1: str\n css_data2: int\n\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"data1\": \"...\",\n \"data2\": 123,\n }\n\n def get_js_data(self, args, kwargs, slots, context):\n return {\n \"js_data1\": \"...\",\n \"js_data2\": 123,\n }\n\n def get_css_data(self, args, kwargs, slots, context):\n return {\n \"css_data1\": \"...\",\n \"css_data2\": 123,\n }\n
For each data method, you can either return a plain dictionary with the data, or an instance of the respective data class directly.
"},{"location":"concepts/fundamentals/typing_and_validation/#custom-types","title":"Custom types","text":"from typing import NamedTuple\nfrom django_components import Component\n\nclass Button(Component):\n class TemplateData(NamedTuple):\n data1: str\n data2: int\n\n class JsData(NamedTuple):\n js_data1: str\n js_data2: int\n\n class CssData(NamedTuple):\n css_data1: str\n css_data2: int\n\n def get_template_data(self, args, kwargs, slots, context):\n return Button.TemplateData(\n data1=\"...\",\n data2=123,\n )\n\n def get_js_data(self, args, kwargs, slots, context):\n return Button.JsData(\n js_data1=\"...\",\n js_data2=123,\n )\n\n def get_css_data(self, args, kwargs, slots, context):\n return Button.CssData(\n css_data1=\"...\",\n css_data2=123,\n )\n
We recommend to use
NamedTuple
for theArgs
class, andNamedTuple
, dataclasses, or Pydantic models forKwargs
,Slots
,TemplateData
,JsData
, andCssData
classes.However, you can use any class, as long as they meet the conditions below.
For example, here is how you can use Pydantic models to validate the inputs at runtime.
"},{"location":"concepts/fundamentals/typing_and_validation/#args-class","title":"from django_components import Component\nfrom pydantic import BaseModel\n\nclass Table(Component):\n class Kwargs(BaseModel):\n name: str\n age: int\n\n def get_template_data(self, args, kwargs, slots, context):\n assert isinstance(kwargs, Table.Kwargs)\n\nTable.render(\n kwargs=Table.Kwargs(name=\"John\", age=30),\n)\n
Args
class","text":"The
Args
class represents a list of positional arguments. It must meet two conditions:-
The constructor for the
Args
class must accept positional arguments.Args(*args)\n
-
The
Args
instance must be convertable to a list.list(Args(1, 2, 3))\n
To implement the conversion to a list, you can implement the
__iter__()
method:
"},{"location":"concepts/fundamentals/typing_and_validation/#dictionary-classes","title":"Dictionary classes","text":"class MyClass:\n def __init__(self):\n self.x = 1\n self.y = 2\n\n def __iter__(self):\n return iter([('x', self.x), ('y', self.y)])\n
On the other hand, other types (
Kwargs
,Slots
,TemplateData
,JsData
, andCssData
) represent dictionaries. They must meet these two conditions:-
The constructor must accept keyword arguments.
Kwargs(**kwargs)\nSlots(**slots)\n
-
The instance must be convertable to a dictionary.
dict(Kwargs(a=1, b=2))\ndict(Slots(a=1, b=2))\n
To implement the conversion to a dictionary, you can implement either:
-
_asdict()
methodclass MyClass:\n def __init__(self):\n self.x = 1\n self.y = 2\n\n def _asdict(self):\n return {'x': self.x, 'y': self.y}\n
-
Or make the class dict-like with
__iter__()
and__getitem__()
class MyClass:\n def __init__(self):\n self.x = 1\n self.y = 2\n\n def __iter__(self):\n return iter([('x', self.x), ('y', self.y)])\n\n def __getitem__(self, key):\n return getattr(self, key)\n
You may have a component that accepts any number of args or kwargs.
However, this cannot be described with the current Python's typing system (as of v0.140).
As a workaround:
-
For a variable number of positional arguments (
*args
), set a positional argument that accepts a list of values:class Table(Component):\n class Args(NamedTuple):\n args: List[str]\n\nTable.render(\n args=Table.Args(args=[\"a\", \"b\", \"c\"]),\n)\n
-
For a variable number of keyword arguments (
**kwargs
), set a keyword argument that accepts a dictionary of values:class Table(Component):\n class Kwargs(NamedTuple):\n variable: str\n another: int\n # Pass any extra keys under `extra`\n extra: Dict[str, any]\n\nTable.render(\n kwargs=Table.Kwargs(\n variable=\"a\",\n another=1,\n extra={\"foo\": \"bar\"},\n ),\n)\n
To declare that a component accepts no args, kwargs, etc, define the types with no attributes using the
pass
keyword:from typing import NamedTuple\nfrom django_components import Component\n\nclass Button(Component):\n class Args(NamedTuple):\n pass\n\n class Kwargs(NamedTuple):\n pass\n\n class Slots(NamedTuple):\n pass\n
This can get repetitive, so we added a
Empty
type to make it easier:
"},{"location":"concepts/fundamentals/typing_and_validation/#subclassing","title":"Subclassing","text":"from django_components import Component, Empty\n\nclass Button(Component):\n Args = Empty\n Kwargs = Empty\n Slots = Empty\n
Subclassing components with types is simple.
Since each type class is a separate class attribute, you can just override them in the Component subclass.
In the example below,
ButtonExtra
inheritsKwargs
fromButton
, but overrides theArgs
class.from django_components import Component, Empty\n\nclass Button(Component):\n class Args(NamedTuple):\n size: int\n\n class Kwargs(NamedTuple):\n color: str\n\nclass ButtonExtra(Button):\n class Args(NamedTuple):\n name: str\n size: int\n\n# Stil works the same way!\nButtonExtra.render(\n args=ButtonExtra.Args(name=\"John\", size=30),\n kwargs=ButtonExtra.Kwargs(color=\"red\"),\n)\n
The only difference is when it comes to type hints to the data methods like
get_template_data()
.When you define the nested classes like
Args
andKwargs
directly on the class, you can reference them just by their class name (Args
andKwargs
).But when you have a Component subclass, and it uses
Args
orKwargs
from the parent, you will have to reference the type as a forward reference, including the full name of the component (Button.Args
andButton.Kwargs
).Compare the following:
"},{"location":"concepts/fundamentals/typing_and_validation/#runtime-type-validation","title":"Runtime type validation","text":"class Button(Component):\n class Args(NamedTuple):\n size: int\n\n class Kwargs(NamedTuple):\n color: str\n\n # Both `Args` and `Kwargs` are defined on the class\n def get_template_data(self, args: Args, kwargs: Kwargs, slots, context):\n pass\n\nclass ButtonExtra(Button):\n class Args(NamedTuple):\n name: str\n size: int\n\n # `Args` is defined on the subclass, `Kwargs` is defined on the parent\n def get_template_data(self, args: Args, kwargs: \"ButtonExtra.Kwargs\", slots, context):\n pass\n\nclass ButtonSame(Button):\n # Both `Args` and `Kwargs` are defined on the parent\n def get_template_data(self, args: \"ButtonSame.Args\", kwargs: \"ButtonSame.Kwargs\", slots, context):\n pass\n
When you add types to your component, and implement them as
NamedTuple
ordataclass
, the validation will check only for the presence of the attributes.So this will not catch if you pass a string to an
int
attribute.To enable runtime type validation, you need to use Pydantic models, and install the
djc-ext-pydantic
extension.The
djc-ext-pydantic
extension ensures compatibility between django-components' classes such asComponent
, orSlot
and Pydantic models.First install the extension:
pip install djc-ext-pydantic\n
And then add the extension to your project:
"},{"location":"concepts/fundamentals/typing_and_validation/#migrating-from-generics-to-class-attributes","title":"Migrating from generics to class attributes","text":"COMPONENTS = {\n \"extensions\": [\n \"djc_pydantic.PydanticExtension\",\n ],\n}\n
In versions 0.92 to 0.139 (inclusive), the component typing was specified through generics.
Since v0.140, the types must be specified as class attributes of the Component class -
Args
,Kwargs
,Slots
,TemplateData
,JsData
, andCssData
.This change was necessary to make it possible to subclass components. Subclassing with generics was otherwise too complicated. Read the discussion here.
Because of this change, the
Component.render()
method is no longer typed. To type-check the inputs, you should wrap the inputs inComponent.Args
,Component.Kwargs
,Component.Slots
, etc.For example, if you had a component like this:
from typing import NotRequired, Tuple, TypedDict\nfrom django_components import Component, Slot, SlotInput\n\nButtonArgs = Tuple[int, str]\n\nclass ButtonKwargs(TypedDict):\n variable: str\n another: int\n maybe_var: NotRequired[int] # May be omitted\n\nclass ButtonSlots(TypedDict):\n # Use `SlotInput` to allow slots to be given as `Slot` instance,\n # plain string, or a function that returns a string.\n my_slot: NotRequired[SlotInput]\n # Use `Slot` to allow ONLY `Slot` instances.\n another_slot: Slot\n\nButtonType = Component[ButtonArgs, ButtonKwargs, ButtonSlots]\n\nclass Button(ButtonType):\n def get_context_data(self, *args, **kwargs):\n self.input.args[0] # int\n self.input.kwargs[\"variable\"] # str\n self.input.slots[\"my_slot\"] # Slot[MySlotData]\n\nButton.render(\n args=(1, \"hello\"),\n kwargs={\n \"variable\": \"world\",\n \"another\": 123,\n },\n slots={\n \"my_slot\": \"...\",\n \"another_slot\": Slot(lambda: ...),\n },\n)\n
The steps to migrate are:
- Convert all the types (
ButtonArgs
,ButtonKwargs
,ButtonSlots
) to subclasses ofNamedTuple
. - Move these types inside the Component class (
Button
), and rename them toArgs
,Kwargs
, andSlots
. - If you defined typing for the data methods (like
get_context_data()
), move them inside the Component class, and rename them toTemplateData
,JsData
, andCssData
. - Remove the
Component
generic. -
If you accessed the
args
,kwargs
, orslots
attributes viaself.input
, you will need to add the type hints yourself, becauseself.input
is no longer typed.Otherwise, you may use
Component.get_template_data()
instead ofget_context_data()
, asget_template_data()
receivesargs
,kwargs
,slots
andcontext
as arguments. You will still need to add the type hints yourself. -
Lastly, you will need to update the
Component.render()
calls to wrap the inputs inComponent.Args
,Component.Kwargs
, andComponent.Slots
, to manually add type hints.
Thus, the code above will become:
"},{"location":"getting_started/adding_js_and_css/","title":"Adding JS and CSS","text":"from typing import NamedTuple, Optional\nfrom django.template import Context\nfrom django_components import Component, Slot, SlotInput\n\n# The Component class does not take any generics\nclass Button(Component):\n # Types are now defined inside the component class\n class Args(NamedTuple):\n size: int\n text: str\n\n class Kwargs(NamedTuple):\n variable: str\n another: int\n maybe_var: Optional[int] = None # May be omitted\n\n class Slots(NamedTuple):\n # Use `SlotInput` to allow slots to be given as `Slot` instance,\n # plain string, or a function that returns a string.\n my_slot: Optional[SlotInput] = None\n # Use `Slot` to allow ONLY `Slot` instances.\n another_slot: Slot\n\n # The args, kwargs, slots are instances of the component's Args, Kwargs, and Slots classes\n def get_template_data(self, args: Args, kwargs: Kwargs, slots: Slots, context: Context):\n args.size # int\n kwargs.variable # str\n slots.my_slot # Slot[MySlotData]\n\nButton.render(\n # Wrap the inputs in the component's Args, Kwargs, and Slots classes\n args=Button.Args(1, \"hello\"),\n kwargs=Button.Kwargs(\n variable=\"world\",\n another=123,\n ),\n slots=Button.Slots(\n my_slot=\"...\",\n another_slot=Slot(lambda: ...),\n ),\n)\n
Next we will add CSS and JavaScript to our template.
Info
In django-components, using JS and CSS is as simple as defining them on the Component class. You don't have to insert the
<script>
and<link>
tags into the HTML manually.Behind the scenes, django-components keeps track of which components use which JS and CSS files. Thus, when a component is rendered on the page, the page will contain only the JS and CSS used by the components, and nothing more!
"},{"location":"getting_started/adding_js_and_css/#1-update-project-structure","title":"1. Update project structure","text":"Start by creating empty
calendar.js
andcalendar.css
files:
"},{"location":"getting_started/adding_js_and_css/#2-write-css","title":"2. Write CSS","text":"sampleproject/\n\u251c\u2500\u2500 calendarapp/\n\u251c\u2500\u2500 components/\n\u2502 \u2514\u2500\u2500 calendar/\n\u2502 \u251c\u2500\u2500 calendar.py\n\u2502 \u251c\u2500\u2500 calendar.js \ud83c\udd95\n\u2502 \u251c\u2500\u2500 calendar.css \ud83c\udd95\n\u2502 \u2514\u2500\u2500 calendar.html\n\u251c\u2500\u2500 sampleproject/\n\u251c\u2500\u2500 manage.py\n\u2514\u2500\u2500 requirements.txt\n
Inside
[project root]/components/calendar/calendar.csscalendar.css
, write:.calendar {\n width: 200px;\n background: pink;\n}\n.calendar span {\n font-weight: bold;\n}\n
Be sure to prefix your rules with unique CSS class like
calendar
, so the CSS doesn't clash with other rules.Note
Soon, django-components will automatically scope your CSS by default, so you won't have to worry about CSS class clashes.
This CSS will be inserted into the page as an inlined
<style>
tag, at the position defined by{% component_css_dependencies %}
, or at the end of the inside the<head>
tag (See Default JS / CSS locations).So in your HTML, you may see something like this:
"},{"location":"getting_started/adding_js_and_css/#3-write-js","title":"3. Write JS","text":"<html>\n <head>\n ...\n <style>\n .calendar {\n width: 200px;\n background: pink;\n }\n .calendar span {\n font-weight: bold;\n }\n </style>\n </head>\n <body>\n ...\n </body>\n</html>\n
Next we write a JavaScript file that specifies how to interact with this component.
You are free to use any javascript framework you want.
[project root]/components/calendar/calendar.js(function () {\n document.querySelector(\".calendar\").onclick = () => {\n alert(\"Clicked calendar!\");\n };\n})();\n
A good way to make sure the JS of this component doesn't clash with other components is to define all JS code inside an anonymous self-invoking function (
(() => { ... })()
). This makes all variables defined only be defined inside this component and not affect other components.Note
Soon, django-components will automatically wrap your JS in a self-invoking function by default (except for JS defined with
<script type=\"module\">
).Similarly to CSS, JS will be inserted into the page as an inlined
<script>
tag, at the position defined by{% component_js_dependencies %}
, or at the end of the inside the<body>
tag (See Default JS / CSS locations).So in your HTML, you may see something like this:
"},{"location":"getting_started/adding_js_and_css/#rules-of-js-execution","title":"Rules of JS execution","text":"<html>\n <head>\n ...\n </head>\n <body>\n ...\n <script>\n (function () {\n document.querySelector(\".calendar\").onclick = () => {\n alert(\"Clicked calendar!\");\n };\n })();\n </script>\n </body>\n</html>\n
-
JS is executed in the order in which the components are found in the HTML
By default, the JS is inserted as a synchronous script (
<script> ... </script>
)So if you define multiple components on the same page, their JS will be executed in the order in which the components are found in the HTML.
So if we have a template like so:
<html>\n <head>\n ...\n </head>\n <body>\n {% component \"calendar\" / %}\n {% component \"table\" / %}\n </body>\n</html>\n
Then the JS file of the component
calendar
will be executed first, and the JS file of componenttable
will be executed second. -
JS will be executed only once, even if there is multiple instances of the same component
In this case, the JS of
calendar
will STILL execute first (because it was found first), and will STILL execute only once, even though it's present twice:<html>\n <head>\n ...\n </head>\n <body>\n {% component \"calendar\" / %}\n {% component \"table\" / %}\n {% component \"calendar\" / %}\n </body>\n</html>\n
Finally, we return to our Python component in
calendar.py
to tie this together.To link JS and CSS defined in other files, use
[project root]/components/calendar/calendar.pyjs_file
andcss_file
attributes:from django_components import Component\n\nclass Calendar(Component):\n template_file = \"calendar.html\"\n js_file = \"calendar.js\" # <--- new\n css_file = \"calendar.css\" # <--- new\n\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"date\": \"1970-01-01\",\n }\n
And that's it! If you were to embed this component in an HTML, django-components will automatically embed the associated JS and CSS.
Note
Similarly to the template file, the JS and CSS file paths can be either:
- Relative to the Python component file (as seen above),
- Relative to any of the component directories as defined by
COMPONENTS.dirs
and/orCOMPONENTS.app_dirs
(e.g.[your apps]/components
dir and[project root]/components
) - Relative to any of the directories defined by
STATICFILES_DIRS
.
Your components may depend on third-party packages or styling, or other shared logic. To load these additional dependencies, you can use a nested
Media
class.This
Media
class behaves similarly to Django's Media class, with a few differences:- Our Media class accepts various formats for the JS and CSS files: either a single file, a list, or (CSS-only) a dictonary (see below).
- Individual JS / CSS files can be any of
str
,bytes
,Path
,SafeString
, or a function. - Individual JS / CSS files can be glob patterns, e.g.
*.js
orstyles/**/*.css
. - If you set
Media.extend
to a list, it should be a list ofComponent
classes.
Learn more about using Media.
[project root]/components/calendar/calendar.pyfrom django_components import Component\n\nclass Calendar(Component):\n template_file = \"calendar.html\"\n js_file = \"calendar.js\"\n css_file = \"calendar.css\"\n\n class Media: # <--- new\n js = [\n \"path/to/shared.js\",\n \"path/to/*.js\", # Or as a glob\n \"https://unpkg.com/alpinejs@3.14.7/dist/cdn.min.js\", # AlpineJS\n ]\n css = [\n \"path/to/shared.css\",\n \"path/to/*.css\", # Or as a glob\n \"https://unpkg.com/tailwindcss@^2/dist/tailwind.min.css\", # Tailwind\n ]\n\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"date\": \"1970-01-01\",\n }\n
Note
Same as with the \"primary\" JS and CSS, the file paths files can be either:
- Relative to the Python component file (as seen above),
- Relative to any of the component directories as defined by
COMPONENTS.dirs
and/orCOMPONENTS.app_dirs
(e.g.[your apps]/components
dir and[project root]/components
)
Info
The
Media
nested class is shaped based on Django's Media class.As such, django-components allows multiple formats to define the nested Media class:
# Single files\nclass Media:\n js = \"calendar.js\"\n css = \"calendar.css\"\n\n# Lists of files\nclass Media:\n js = [\"calendar.js\", \"calendar2.js\"]\n css = [\"calendar.css\", \"calendar2.css\"]\n\n# Dictionary of media types for CSS\nclass Media:\n js = [\"calendar.js\", \"calendar2.js\"]\n css = {\n \"all\": [\"calendar.css\", \"calendar2.css\"],\n }\n
If you define a list of JS files, they will be executed one-by-one, left-to-right.
"},{"location":"getting_started/adding_js_and_css/#rules-of-execution-of-scripts-in-mediajs","title":"Rules of execution of scripts inMedia.js
","text":"The scripts defined in
Media.js
still follow the rules outlined above:- JS is executed in the order in which the components are found in the HTML.
- JS will be executed only once, even if there is multiple instances of the same component.
Additionally to
Media.js
applies that:- JS in
Media.js
is executed before the component's primary JS. - JS in
Media.js
is executed in the same order as it was defined. - If there is multiple components that specify the same JS path or URL in
Media.js
, this JS will be still loaded and executed only once.
Putting all of this together, our
Calendar
component above would render HTML like so:<html>\n <head>\n ...\n <!-- CSS from Media.css -->\n <link href=\"/static/path/to/shared.css\" media=\"all\" rel=\"stylesheet\" />\n <link\n href=\"https://unpkg.com/tailwindcss@^2/dist/tailwind.min.css\"\n media=\"all\"\n rel=\"stylesheet\"\n />\n <!-- CSS from Component.css_file -->\n <style>\n .calendar {\n width: 200px;\n background: pink;\n }\n .calendar span {\n font-weight: bold;\n }\n </style>\n </head>\n <body>\n ...\n <!-- JS from Media.js -->\n <script src=\"/static/path/to/shared.js\"></script>\n <script src=\"https://unpkg.com/alpinejs@3.14.7/dist/cdn.min.js\"></script>\n <!-- JS from Component.js_file -->\n <script>\n (function () {\n document.querySelector(\".calendar\").onclick = () => {\n alert(\"Clicked calendar!\");\n };\n })();\n </script>\n </body>\n</html>\n
Now that we have a fully-defined component, next let's use it in a Django template \u27a1\ufe0f.
"},{"location":"getting_started/adding_slots/","title":"Adding slots","text":"Our calendar component's looking great! But we just got a new assignment from our colleague - The calendar date needs to be shown on 3 different pages:
- On one page, it needs to be shown as is
- On the second, the date needs to be bold
- On the third, the date needs to be in italics
As a reminder, this is what the component's template looks like:
<div class=\"calendar\">\n Today's date is <span>{{ date }}</span>\n</div>\n
There's many ways we could approach this:
- Expose the date in a slot
- Style
.calendar > span
differently on different pages - Pass a variable to the component that decides how the date is rendered
- Create a new component
First two options are more flexible, because the custom styling is not baked into a component's implementation. And for the sake of demonstration, we'll solve this challenge with slots.
"},{"location":"getting_started/adding_slots/#1-what-are-slots","title":"1. What are slots","text":"Components support something called Slots.
When a component is used inside another template, slots allow the parent template to override specific parts of the child component by passing in different content.
This mechanism makes components more reusable and composable.
This behavior is similar to slots in Vue.
In the example below we introduce two tags that work hand in hand to make this work. These are...
{% slot <name> %}
/{% endslot %}
: Declares a new slot in the component template.{% fill <name> %}
/{% endfill %}
: (Used inside a{% component %}
tag pair.) Fills a declared slot with the specified content.
Let's update our calendar component to support more customization. We'll add
{% slot %}
tag to the template:<div class=\"calendar\">\n Today's date is\n {% slot \"date\" default %} {# <--- new #}\n <span>{{ date }}</span>\n {% endslot %}\n</div>\n
Notice that:
-
We named the slot
date
- so we can fill this slot by using{% fill \"date\" %}
-
We also made it the default slot.
-
We placed our original implementation inside the
{% slot %}
tag - this is what will be rendered when the slot is NOT overriden.
Now we can use
{% fill %}
tags inside the{% component %}
tags to override thedate
slot to generate the bold and italics variants:{# Default #}\n{% component \"calendar\" date=\"2024-12-13\" / %}\n\n{# Bold #}\n{% component \"calendar\" date=\"2024-12-13\" %}\n <b> 2024-12-13 </b>\n{% endcomponent %}\n\n{# Italics #}\n{% component \"calendar\" date=\"2024-12-13\" %}\n <i> 2024-12-13 </i>\n{% endcomponent %}\n
Which will render as:
<!-- Default -->\n<div class=\"calendar\">\n Today's date is <span>2024-12-13</span>\n</div>\n\n<!-- Bold -->\n<div class=\"calendar\">\n Today's date is <b>2024-12-13</b>\n</div>\n\n<!-- Italics -->\n<div class=\"calendar\">\n Today's date is <i>2024-12-13</i>\n</div>\n
Info
Since we used the
default
flag on{% slot \"date\" %}
inside our calendar component, we can target thedate
component in multiple ways:-
Explicitly by it's name
{% component \"calendar\" date=\"2024-12-13\" %}\n {% fill \"date\" %}\n <i> 2024-12-13 </i>\n {% endfill %}\n{% endcomponent %}\n
-
Implicitly as the default slot (Omitting the
{% fill %}
tag){% component \"calendar\" date=\"2024-12-13\" %}\n <i> 2024-12-13 </i>\n{% endcomponent %}\n
-
Explicitly as the default slot (Setting fill name to
default
){% component \"calendar\" date=\"2024-12-13\" %}\n {% fill \"default\" %}\n <i> 2024-12-13 </i>\n {% endfill %}\n{% endcomponent %}\n
There is a mistake in our code!
2024-12-13
is Friday, so that's fine. But if we updated the to2024-12-14
, which is Saturday, our template from previous step would render this:<!-- Default -->\n<div class=\"calendar\">\n Today's date is <span>2024-12-16</span>\n</div>\n\n<!-- Bold -->\n<div class=\"calendar\">\n Today's date is <b>2024-12-14</b>\n</div>\n\n<!-- Italics -->\n<div class=\"calendar\">\n Today's date is <i>2024-12-14</i>\n</div>\n
The first instance rendered
2024-12-16
, while the rest rendered2024-12-14
!Why? Remember that in the
[project root]/components/calendar/calendar.pyget_template_data()
method of our Calendar component, we pre-process the date. If the date falls on Saturday or Sunday, we shift it to next Monday:from datetime import date\n\nfrom django_components import Component, register\n\n# If date is Sat or Sun, shift it to next Mon, so the date is always workweek.\ndef to_workweek_date(d: date):\n ...\n\n@register(\"calendar\")\nclass Calendar(Component):\n template_file = \"calendar.html\"\n ...\n def get_template_data(self, args, kwargs, slots, context):\n workweek_date = to_workweek_date(kwargs[\"date\"])\n return {\n \"date\": workweek_date,\n \"extra_class\": kwargs.get(\"extra_class\", \"text-blue\"),\n }\n
And the issue is that in our template, we used the
"},{"location":"getting_started/adding_slots/#5-adding-data-to-slots","title":"5. Adding data to slots","text":"date
value that we used as input, which is NOT the same as thedate
variable used inside Calendar's template.We want to use the same
date
variable that's used inside Calendar's template.Luckily, django-components allows passing data to the slot, also known as Scoped slots.
This consists of two steps:
- Pass the
date
variable to the{% slot %}
tag - Access the
date
variable in the{% fill %}
tag by using the specialdata
kwarg
Let's update the Calendar's template:
<div class=\"calendar\">\n Today's date is\n {% slot \"date\" default date=date %} {# <--- changed #}\n <span>{{ date }}</span>\n {% endslot %}\n</div>\n
Info
The
{% slot %}
tag has one special kwarg,name
. When you write{% slot \"date\" / %}\n
It's the same as:
{% slot name=\"date\" / %}\n
Other than the
name
kwarg, you can pass any extra kwargs to the{% slot %}
tag, and these will be exposed as the slot's data.
"},{"location":"getting_started/adding_slots/#6-accessing-slot-data-in-fills","title":"6. Accessing slot data in fills","text":"{% slot name=\"date\" kwarg1=123 kwarg2=\"text\" kwarg3=my_var / %}\n
Now, on the
{% fill %}
tags, we can use thedata
kwarg to specify the variable under which the slot data will be available.The variable from the
data
kwarg contains all the extra kwargs passed to the{% slot %}
tag.So if we set
data=\"slot_data\"
, then we can access the date variable underslot_data.date
:{# Default #}\n{% component \"calendar\" date=\"2024-12-13\" / %}\n\n{# Bold #}\n{% component \"calendar\" date=\"2024-12-13\" %}\n {% fill \"date\" data=\"slot_data\" %}\n <b> {{ slot_data.date }} </b>\n {% endfill %}\n{% endcomponent %}\n\n{# Italics #}\n{% component \"calendar\" date=\"2024-12-13\" %}\n {% fill \"date\" data=\"slot_data\" %}\n <i> {{ slot_data.date }} </i>\n {% endfill %}\n{% endcomponent %}\n
By using the
date
variable from the slot, we'll render the correct date each time:<!-- Default -->\n<div class=\"calendar\">\n Today's date is <span>2024-12-16</span>\n</div>\n\n<!-- Bold -->\n<div class=\"calendar\">\n Today's date is <b>2024-12-16</b>\n</div>\n\n<!-- Italics -->\n<div class=\"calendar\">\n Today's date is <i>2024-12-16</i>\n</div>\n
Info
When to use slots vs variables?
Generally, slots are more flexible - you can access the slot data, even the original slot content. Thus, slots behave more like functions that render content based on their context.
On the other hand, variables are simpler - the variable you pass to a component is what will be used.
Moreover, slots are treated as part of the template - for example the CSS scoping (work in progress) is applied to the slot content too.
"},{"location":"getting_started/components_in_templates/","title":"Components in templates","text":"By the end of this section, we want to be able to use our components in Django templates like so:
"},{"location":"getting_started/components_in_templates/#1-register-component","title":"1. Register component","text":"{% load component_tags %}\n<!DOCTYPE html>\n<html>\n <head>\n <title>My example calendar</title>\n </head>\n <body>\n {% component \"calendar\" / %}\n </body>\n<html>\n
First, however, we need to register our component class with
ComponentRegistry
.To register a component with a
[project root]/components/calendar/calendar.pyComponentRegistry
, we will use the@register
decorator, and give it a name under which the component will be accessible from within the template:from django_components import Component, register # <--- new\n\n@register(\"calendar\") # <--- new\nclass Calendar(Component):\n template_file = \"calendar.html\"\n js_file = \"calendar.js\"\n css_file = \"calendar.css\"\n\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"date\": \"1970-01-01\",\n }\n
This will register the component to the default registry. Default registry is loaded into the template by calling
{% load component_tags %}
inside the template.Info
Why do we have to register components?
We want to use our component as a template tag (
{% ... %}
) in Django template.In Django, template tags are managed by the
Library
instances. Whenever you include{% load xxx %}
in your template, you are loading aLibrary
instance into your template.ComponentRegistry
acts like a router and connects the registered components with the associatedLibrary
.That way, when you include
{% load component_tags %}
in your template, you are able to \"call\" components like{% component \"calendar\" / %}
.ComponentRegistries
also make it possible to group and share components as standalone packages. Learn more here.Note
You can create custom
ComponentRegistry
instances, which will use differentLibrary
instances. In that case you will have to load different libraries depending on which components you want to use:Example 1 - Using component defined in the default registry
{% load component_tags %}\n<div>\n {% component \"calendar\" / %}\n</div>\n
Example 2 - Using component defined in a custom registry
{% load my_custom_tags %}\n<div>\n {% my_component \"table\" / %}\n</div>\n
Note that, because the tag name
"},{"location":"getting_started/components_in_templates/#2-load-and-use-the-component-in-template","title":"2. Load and use the component in template","text":"component
is use by the default ComponentRegistry, the custom registry was configured to use the tagmy_component
instead. Read more hereThe component is now registered under the name
calendar
. All that remains to do is to load and render the component inside a template:{% load component_tags %} {# Load the default registry #}\n<!DOCTYPE html>\n<html>\n <head>\n <title>My example calendar</title>\n </head>\n <body>\n {% component \"calendar\" / %} {# Render the component #}\n </body>\n<html>\n
Info
Component tags should end with
/
if they do not contain any Slot fills. But you can also use{% endcomponent %}
instead:{% component \"calendar\" %}{% endcomponent %}\n
We defined the Calendar's template as
<div class=\"calendar\">\n Today's date is <span>{{ date }}</span>\n</div>\n
and the variable
date
as\"1970-01-01\"
.Thus, the final output will look something like this:
<!DOCTYPE html>\n<html>\n <head>\n <title>My example calendar</title>\n <style>\n .calendar {\n width: 200px;\n background: pink;\n }\n .calendar span {\n font-weight: bold;\n }\n </style>\n </head>\n <body>\n <div class=\"calendar\">\n Today's date is <span>1970-01-01</span>\n </div>\n <script>\n (function () {\n document.querySelector(\".calendar\").onclick = () => {\n alert(\"Clicked calendar!\");\n };\n })();\n </script>\n </body>\n<html>\n
This makes it possible to organize your front-end around reusable components, instead of relying on template tags and keeping your CSS and Javascript in the static directory.
Info
Remember that you can use
{% component_js_dependencies %}
and{% component_css_dependencies %}
to change where the<script>
and<style>
tags will be rendered (See Default JS / CSS locations).Info
How does django-components pick up registered components?
Notice that it was enough to add
@register
to the component. We didn't need to import the component file anywhere to execute it.This is because django-components automatically imports all Python files found in the component directories during an event called Autodiscovery.
So with Autodiscovery, it's the same as if you manually imported the component files on the
ready()
hook:class MyApp(AppConfig):\n default_auto_field = \"django.db.models.BigAutoField\"\n name = \"myapp\"\n\n def ready(self):\n import myapp.components.calendar\n import myapp.components.table\n ...\n
You can now render the components in templates!
Currently our component always renders the same content. Let's parametrise it, so that our Calendar component is configurable from within the template \u27a1\ufe0f
"},{"location":"getting_started/parametrising_components/","title":"Parametrising components","text":"So far, our Calendar component will always render the date
1970-01-01
. Let's make it more useful and flexible by being able to pass in custom date.What we want is to be able to use the Calendar component within the template like so:
"},{"location":"getting_started/parametrising_components/#1-understading-component-inputs","title":"1. Understading component inputs","text":"{% component \"calendar\" date=\"2024-12-13\" extra_class=\"text-red\" / %}\n
In section Create your first component, we defined the
[project root]/components/calendar/calendar.pyget_template_data()
method that defines what variables will be available within the template:from django_components import Component, register\n\n@register(\"calendar\")\nclass Calendar(Component):\n template_file = \"calendar.html\"\n ...\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"date\": \"1970-01-01\",\n }\n
What we didn't say is that
get_template_data()
actually receives the args and kwargs that were passed to a component.So if we call a component with a
date
andextra_class
keywords:{% component \"calendar\" date=\"2024-12-13\" extra_class=\"text-red\" / %}\n
This is the same as calling:
Calendar.get_template_data(\n args=[],\n kwargs={\"date\": \"2024-12-13\", \"extra_class\": \"text-red\"},\n)\n
And same applies to positional arguments, or mixing args and kwargs, where:
{% component \"calendar\" \"2024-12-13\" extra_class=\"text-red\" / %}\n
is same as
"},{"location":"getting_started/parametrising_components/#2-define-inputs","title":"2. Define inputs","text":"Calendar.get_template_data(\n args=[\"2024-12-13\"],\n kwargs={\"extra_class\": \"text-red\"},\n)\n
Let's put this to test. We want to pass
[project root]/components/calendar/calendar.pydate
andextra_class
kwargs to the component. And so, we can write theget_template_data()
method such that it expects those parameters:from datetime import date\n\nfrom django_components import Component, register\n\n@register(\"calendar\")\nclass Calendar(Component):\n template_file = \"calendar.html\"\n ...\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"date\": kwargs[\"date\"],\n \"extra_class\": kwargs.get(\"extra_class\", \"text-blue\"),\n }\n
Since
extra_class
is optional in the function signature, it's optional also in the template. So both following calls are valid:{% component \"calendar\" date=\"2024-12-13\" / %}\n{% component \"calendar\" date=\"2024-12-13\" extra_class=\"text-red\" / %}\n
Warning
get_template_data()
differentiates between positional and keyword arguments, so you have to make sure to pass the arguments correctly.Since
date
is expected to be a keyword argument, it MUST be provided as such:
"},{"location":"getting_started/parametrising_components/#3-process-inputs","title":"3. Process inputs","text":"\u2705 `date` is kwarg\n{% component \"calendar\" date=\"2024-12-13\" / %}\n\n\u274c `date` is arg\n{% component \"calendar\" \"2024-12-13\" / %}\n
The
get_template_data()
method is powerful, because it allows us to decouple component inputs from the template variables. In other words, we can pre-process the component inputs, and massage them into a shape that's most appropriate for what the template needs. And it also allows us to pass in static data into the template.Imagine our component receives data from the database that looks like below (taken from Django).
cities = [\n {\"name\": \"Mumbai\", \"population\": \"19,000,000\", \"country\": \"India\"},\n {\"name\": \"Calcutta\", \"population\": \"15,000,000\", \"country\": \"India\"},\n {\"name\": \"New York\", \"population\": \"20,000,000\", \"country\": \"USA\"},\n {\"name\": \"Chicago\", \"population\": \"7,000,000\", \"country\": \"USA\"},\n {\"name\": \"Tokyo\", \"population\": \"33,000,000\", \"country\": \"Japan\"},\n]\n
We need to group the list items by size into following buckets by population:
- 0-10,000,000
- 10,000,001-20,000,000
- 20,000,001-30,000,000
- +30,000,001
So we want to end up with following data:
cities_by_pop = [\n {\n \"name\": \"0-10,000,000\",\n \"items\": [\n {\"name\": \"Chicago\", \"population\": \"7,000,000\", \"country\": \"USA\"},\n ]\n },\n {\n \"name\": \"10,000,001-20,000,000\",\n \"items\": [\n {\"name\": \"Calcutta\", \"population\": \"15,000,000\", \"country\": \"India\"},\n {\"name\": \"Mumbai\", \"population\": \"19,000,000\", \"country\": \"India\"},\n {\"name\": \"New York\", \"population\": \"20,000,000\", \"country\": \"USA\"},\n ]\n },\n {\n \"name\": \"30,000,001-40,000,000\",\n \"items\": [\n {\"name\": \"Tokyo\", \"population\": \"33,000,000\", \"country\": \"Japan\"},\n ]\n },\n]\n
Without the
get_template_data()
method, we'd have to either:- Pre-process the data in Python before passing it to the components.
- Define a Django filter or template tag to take the data and process it on the spot.
Instead, with
get_template_data()
, we can keep this transformation private to this component, and keep the rest of the codebase clean.def group_by_pop(data):\n ...\n\n@register(\"population_table\")\nclass PopulationTable(Component):\n template_file = \"population_table.html\"\n\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"data\": group_by_pop(kwargs[\"data\"]),\n }\n
Similarly we can make use of
[project root]/components/calendar/calendar.pyget_template_data()
to pre-process the date that was given to the component:
"},{"location":"getting_started/parametrising_components/#4-pass-inputs-to-components","title":"4. Pass inputs to components","text":"from datetime import date\n\nfrom django_components import Component, register\n\n# If date is Sat or Sun, shift it to next Mon, so the date is always workweek.\ndef to_workweek_date(d: date):\n ...\n\n@register(\"calendar\")\nclass Calendar(Component):\n template_file = \"calendar.html\"\n ...\n def get_template_data(self, args, kwargs, slots, context):\n workweek_date = to_workweek_date(kwargs[\"date\"]) # <--- new\n return {\n \"date\": workweek_date, # <--- changed\n \"extra_class\": kwargs.get(\"extra_class\", \"text-blue\"),\n }\n
Once we're happy with
Calendar.get_template_data()
, we can update our templates to use the parametrized version of the component:<div>\n {% component \"calendar\" date=\"2024-12-13\" / %}\n {% component \"calendar\" date=\"1970-01-01\" / %}\n</div>\n
Next, you will learn how to use slots give your components even more flexibility \u27a1\ufe0f
"},{"location":"getting_started/parametrising_components/#5-add-defaults","title":"5. Add defaults","text":"In our example, we've set the
extra_class
to default to\"text-blue\"
by setting it in theget_template_data()
method.However, you may want to use the same default value in multiple methods, like
get_js_data()
orget_css_data()
.To make things easier, Components can specify their defaults. Defaults are used when no value is provided, or when the value is set to
None
for a particular input.To define defaults for a component, you create a nested
Defaults
class within yourComponent
class. Each attribute in theDefaults
class represents a default value for a corresponding input.
"},{"location":"getting_started/rendering_components/","title":"Rendering components","text":"from django_components import Component, Default, register\n\n@register(\"calendar\")\nclass Calendar(Component):\n template_file = \"calendar.html\"\n\n class Defaults: # <--- new\n extra_class = \"text-blue\"\n\n def get_template_data(self, args, kwargs, slots, context):\n workweek_date = to_workweek_date(kwargs[\"date\"])\n return {\n \"date\": workweek_date,\n \"extra_class\": kwargs[\"extra_class\"], # <--- changed\n }\n
Our calendar component can accept and pre-process data, defines its own CSS and JS, and can be used in templates.
...But how do we actually render the components into HTML?
There's 3 ways to render a component:
- Render the template that contains the
{% component %}
tag - Render the component directly with
Component.render()
- Render the component directly with
Component.render_to_response()
As a reminder, this is what the calendar component looks like:
[project root]/components/calendar/calendar.py
"},{"location":"getting_started/rendering_components/#1-render-the-template","title":"1. Render the template","text":"from django_components import Component, register\n\n@register(\"calendar\")\nclass Calendar(Component):\n template_file = \"calendar.html\"\n js_file = \"calendar.js\"\n css_file = \"calendar.css\"\n\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"date\": \"1970-01-01\",\n }\n
If you have embedded the component in a Django template using the
[project root]/templates/my_template.html{% component %}
tag:{% load component_tags %}\n<div>\n {% component \"calendar\" date=\"2024-12-13\" / %}\n</div>\n
You can simply render the template with the Django tooling:
"},{"location":"getting_started/rendering_components/#with-djangoshortcutsrender","title":"Withdjango.shortcuts.render()
","text":"
"},{"location":"getting_started/rendering_components/#with-templaterender","title":"Withfrom django.shortcuts import render\n\ncontext = {\"date\": \"2024-12-13\"}\nrendered_template = render(request, \"my_template.html\", context)\n
Template.render()
","text":"Either loading the template with
get_template()
:from django.template.loader import get_template\n\ntemplate = get_template(\"my_template.html\")\ncontext = {\"date\": \"2024-12-13\"}\nrendered_template = template.render(context)\n
Or creating a new
Template
instance:
"},{"location":"getting_started/rendering_components/#2-render-the-component","title":"2. Render the component","text":"from django.template import Template\n\ntemplate = Template(\"\"\"\n{% load component_tags %}\n<div>\n {% component \"calendar\" date=\"2024-12-13\" / %}\n</div>\n\"\"\")\nrendered_template = template.render()\n
You can also render the component directly with
Component.render()
, without wrapping the component in a template.from components.calendar import Calendar\n\ncalendar = Calendar\nrendered_component = calendar.render()\n
You can pass args, kwargs, slots, and more, to the component:
from components.calendar import Calendar\n\ncalendar = Calendar\nrendered_component = calendar.render(\n args=[\"2024-12-13\"],\n kwargs={\n \"extra_class\": \"my-class\"\n },\n slots={\n \"date\": \"<b>2024-12-13</b>\"\n },\n)\n
Info
Among other, you can pass also the
request
object to therender
method:from components.calendar import Calendar\n\ncalendar = Calendar\nrendered_component = calendar.render(request=request)\n
The
"},{"location":"getting_started/rendering_components/#3-render-the-component-to-httpresponse","title":"3. Render the component to HttpResponse","text":"request
object is required for some of the component's features, like using Django's context processors.A common pattern in Django is to render the component and then return the resulting HTML as a response to an HTTP request.
For this, you can use the
Component.render_to_response()
convenience method.render_to_response()
accepts the same args, kwargs, slots, and more, asComponent.render()
, but wraps the result in anHttpResponse
.from components.calendar import Calendar\n\ndef my_view(request):\n response = Calendar.render_to_response(\n args=[\"2024-12-13\"],\n kwargs={\n \"extra_class\": \"my-class\"\n },\n slots={\n \"date\": \"<b>2024-12-13</b>\"\n },\n request=request,\n )\n return response\n
Info
Response class of
render_to_response
While
render
method returns a plain string,render_to_response
wraps the rendered content in a \"Response\" class. By default, this isdjango.http.HttpResponse
.If you want to use a different Response class in
render_to_response
, set theComponent.response_class
attribute:
"},{"location":"getting_started/rendering_components/#rendering-slots","title":"Rendering slots","text":"class MyCustomResponse(HttpResponse):\n def __init__(self, *args, **kwargs) -> None:\n super().__init__(*args, **kwargs)\n # Configure response\n self.headers = ...\n self.status = ...\n\nclass SimpleComponent(Component):\n response_class = MyCustomResponse\n
Slots content are automatically escaped by default to prevent XSS attacks.
In other words, it's as if you would be using Django's
mark_safe()
function on the slot content:from django.utils.safestring import mark_safe\n\nclass Calendar(Component):\n template = \"\"\"\n <div>\n {% slot \"date\" default date=date / %}\n </div>\n \"\"\"\n\nCalendar.render(\n slots={\n \"date\": mark_safe(\"<b>Hello</b>\"),\n }\n)\n
To disable escaping, you can pass
escape_slots_content=False
toComponent.render()
orComponent.render_to_response()
methods.Warning
If you disable escaping, you should make sure that any content you pass to the slots is safe, especially if it comes from user input!
Info
If you're planning on passing an HTML string, check Django's use of
"},{"location":"getting_started/rendering_components/#component-views-and-urls","title":"Component views and URLs","text":"format_html
andmark_safe
.For web applications, it's common to define endpoints that serve HTML content (AKA views).
If this is your case, you can define the view request handlers directly on your component by using the nested
Component.View
class.This is a great place for:
-
Endpoints that render whole pages, if your component is a page component.
-
Endpoints that render the component as HTML fragments, to be used with HTMX or similar libraries.
Read more on Component views and URLs.
[project root]/components/calendar.pyfrom django_components import Component, ComponentView, register\n\n@register(\"calendar\")\nclass Calendar(Component):\n template = \"\"\"\n <div class=\"calendar-component\">\n <div class=\"header\">\n {% slot \"header\" / %}\n </div>\n <div class=\"body\">\n Today's date is <span>{{ date }}</span>\n </div>\n </div>\n \"\"\"\n\n class View:\n # Handle GET requests\n def get(self, request, *args, **kwargs):\n # Return HttpResponse with the rendered content\n return Calendar.render_to_response(\n request=request,\n kwargs={\n \"date\": request.GET.get(\"date\", \"2020-06-06\"),\n },\n slots={\n \"header\": \"Calendar header\",\n },\n )\n
Info
The View class supports all the same HTTP methods as Django's
View
class. These are:get()
,post()
,put()
,patch()
,delete()
,head()
,options()
,trace()
Each of these receive the
HttpRequest
object as the first argument.Next, you need to set the URL for the component.
You can either:
-
Automatically assign the URL by setting the
Component.View.public
attribute toTrue
.In this case, use
get_component_url()
to get the URL for the component view.from django_components import Component, get_component_url\n\nclass Calendar(Component):\n class View:\n public = True\n\nurl = get_component_url(Calendar)\n
-
Manually assign the URL by setting
Component.as_view()
to yoururlpatterns
:from django.urls import path\nfrom components.calendar import Calendar\n\nurlpatterns = [\n path(\"calendar/\", Calendar.as_view()),\n]\n
And with that, you're all set! When you visit the URL, the component will be rendered and the content will be returned.
The
get()
,post()
, etc methods will receive theHttpRequest
object as the first argument. So you can parametrize how the component is rendered for example by passing extra query parameters to the URL:
"},{"location":"getting_started/your_first_component/","title":"Create your first component","text":"http://localhost:8000/calendar/?date=2024-12-13\n
A component in django-components can be as simple as a Django template and Python code to declare the component:
calendar.html
calendar.py<div class=\"calendar\">\n Today's date is <span>{{ date }}</span>\n</div>\n
from django_components import Component\n\nclass Calendar(Component):\n template_file = \"calendar.html\"\n
Or a combination of Django template, Python, CSS, and Javascript:
calendar.html
calendar.css<div class=\"calendar\">\n Today's date is <span>{{ date }}</span>\n</div>\n
calendar.js.calendar {\n width: 200px;\n background: pink;\n}\n
calendar.pydocument.querySelector(\".calendar\").onclick = function () {\n alert(\"Clicked calendar!\");\n};\n
from django_components import Component\n\nclass Calendar(Component):\n template_file = \"calendar.html\"\n js_file = \"calendar.js\"\n css_file = \"calendar.css\"\n
Alternatively, you can \"inline\" HTML, JS, and CSS right into the component class:
from django_components import Component\n\nclass Calendar(Component):\n template = \"\"\"\n <div class=\"calendar\">\n Today's date is <span>{{ date }}</span>\n </div>\n \"\"\"\n\n css = \"\"\"\n .calendar {\n width: 200px;\n background: pink;\n }\n \"\"\"\n\n js = \"\"\"\n document.querySelector(\".calendar\").onclick = function () {\n alert(\"Clicked calendar!\");\n };\n \"\"\"\n
Note
If you \"inline\" the HTML, JS and CSS code into the Python class, you can set up syntax highlighting for better experience. However, autocompletion / intellisense does not work with syntax highlighting.
We'll start by creating a component that defines only a Django template:
"},{"location":"getting_started/your_first_component/#1-create-project-structure","title":"1. Create project structure","text":"Start by creating empty
calendar.py
andcalendar.html
files:
"},{"location":"getting_started/your_first_component/#2-write-django-template","title":"2. Write Django template","text":"sampleproject/\n\u251c\u2500\u2500 calendarapp/\n\u251c\u2500\u2500 components/ \ud83c\udd95\n\u2502 \u2514\u2500\u2500 calendar/ \ud83c\udd95\n\u2502 \u251c\u2500\u2500 calendar.py \ud83c\udd95\n\u2502 \u2514\u2500\u2500 calendar.html \ud83c\udd95\n\u251c\u2500\u2500 sampleproject/\n\u251c\u2500\u2500 manage.py\n\u2514\u2500\u2500 requirements.txt\n
Inside
[project root]/components/calendar/calendar.htmlcalendar.html
, write:<div class=\"calendar\">\n Today's date is <span>{{ date }}</span>\n</div>\n
In this example we've defined one template variable
date
. You can use any and as many variables as you like. These variables will be defined in the Python file inget_template_data()
when creating an instance of this component.Note
The template will be rendered with whatever template backend you've specified in your Django settings file.
Currently django-components supports only the default
"},{"location":"getting_started/your_first_component/#3-create-new-component-in-python","title":"3. Create new Component in Python","text":"\"django.template.backends.django.DjangoTemplates\"
template backend!In
calendar.py
, create a subclass of Component to create a new component.To link the HTML template with our component, set
[project root]/components/calendar/calendar.pytemplate_file
to the name of the HTML file.from django_components import Component\n\nclass Calendar(Component):\n template_file = \"calendar.html\"\n
Note
The path to the template file can be either:
- Relative to the component's python file (as seen above),
- Relative to any of the component directories as defined by
COMPONENTS.dirs
and/orCOMPONENTS.app_dirs
(e.g.[your apps]/components
dir and[project root]/components
)
In
calendar.html
, we've used the variabledate
. So we need to define it for the template to work.This is done using
[project root]/components/calendar/calendar.pyComponent.get_template_data()
. It's a function that returns a dictionary. The entries in this dictionary will become available within the template as variables, e.g. as{{ date }}
.from django_components import Component\n\nclass Calendar(Component):\n template_file = \"calendar.html\"\n\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"date\": \"1970-01-01\",\n }\n
Now, when we render the component with
Component.render()
method:Calendar.render()\n
It will output
<div class=\"calendar\">\n Today's date is <span>1970-01-01</span>\n</div>\n
And voil\u00e1!! We've created our first component.
Next, let's add JS and CSS to this component \u27a1\ufe0f.
"},{"location":"guides/devguides/dependency_mgmt/","title":"JS and CSS rendering","text":"Aim of this doc is to share the intuition on how we manage the JS and CSS (\"dependencies\") associated with components, and how we render them.
"},{"location":"guides/devguides/dependency_mgmt/#starting-conditions","title":"Starting conditions","text":"-
First of all, when we consider a component, it has two kind of dependencies - the \"inlined\" JS and CSS, and additional linked JS and CSS via
Media.js/css
:from django_components import Component, types\n\nclass MyTable(Component):\n # Inlined JS\n js: types.js = \"\"\"\n console.log(123);\n \"\"\"\n\n # Inlined CSS\n css: types.css = \"\"\"\n .my-table {\n color: red;\n }\n \"\"\"\n\n # Linked JS / CSS\n class Media:\n js = [\n \"script-one.js\", # STATIC file relative to component file\n \"/script-two.js\", # URL path\n \"https://example.com/script-three.js\", # URL\n ]\n\n css = [\n \"style-one.css\", # STATIC file relative to component file\n \"/style-two.css\", # URL path\n \"https://example.com/style-three.css\", # URL\n ]\n
-
Second thing to keep in mind is that all component's are eventually rendered into a string. And so, if we want to associate extra info with a rendered component, it has to be serialized to a string.
This is because a component may be embedded in a Django Template with the
{% component %}
tag, which, when rendered, is turned into a string:template = Template(\"\"\"\n {% load component_tags %}\n <div>\n {% component \"my_table\" / %}\n </div>\n\"\"\")\n\nhtml_str = template.render(Context({}))\n
And for this reason, we take the same approach also when we render a component with
Component.render()
- It returns a string. -
Thirdly, we also want to add support for JS / CSS variables. That is, that a variable defined on the component would be somehow accessible from within the JS script / CSS style.
A simple approach to this would be to modify the inlined JS / CSS directly, and insert them for each component. But if you had extremely large JS / CSS, and e.g. only a single JS / CSS variable that you want to insert, it would be wasteful to create a copy of the JS / CSS scripts for each component instance.
So instead, a preferred approach here is to defined and insert the inlined JS / CSS only once, and have some kind of mechanism on how we make correct the JS / CSS variables available only to the correct components.
-
Last important thing is that we want the JS / CSS dependencies to work also with HTML fragments.
So normally, e.g. when a user hits URL of a web page, the server renders full HTML document, with
<!doctype>
,<html>
,<head>
, and<body>
. In such case, we know about ALL JS and CSS dependencies at render time, so we can e.g. insert them into<head>
and<body>
ourselves.However this renders only the initial state. HTML fragments is a common pattern where interactivity is added to the web page by fetching and replacing bits of HTML on the main HTML document after some user action.
In the case of HTML fragments, the HTML is NOT a proper document, but only the HTML that will be inserted somewhere into the DOM.
The challenge here is that Django template for the HTML fragment MAY contain components, and these components MAY have inlined or linked JS and CSS.
def fragment_view(request):\n template = Template(\"\"\"\n {% load component_tags %}\n <div>\n {% component \"my_table\" / %}\n </div>\n \"\"\")\n\n fragment_str = template.render(Context({}))\n return HttpResponse(fragment_str, status=200)\n
User may use different libraries to fetch and insert the HTML fragments (e.g. HTMX, AlpineJS, ...). From our perspective, the only thing that we can reliably say is that we expect that the HTML fragment WILL be eventually inserted into the DOM.
So to include the corresponding JS and CSS, a simple approach could be to append them to the HTML as
<style>
and<script>
, e.g.:<!-- Original content -->\n<div>...</div>\n<!-- Associated CSS files -->\n<link href=\"http://...\" />\n<style>\n .my-class {\n color: red;\n }\n</style>\n<!-- Associated JS files -->\n<script src=\"http://...\"></script>\n<script>\n console.log(123);\n</script>\n
But this has a number of issues:
- The JS scripts would run for each instance of the component.
- Bloating of the HTML file, as each inlined JS or CSS would be included fully for each component.
- While this sound OK, this could really bloat the HTML files if we used a UI component library for the basic building blocks like buttons, lists, cards, etc.
So the solution should address all the points above. To achieve that, we manage the JS / CSS dependencies ourselves in the browser. So when a full HTML document is loaded, we keep track of which JS and CSS have been loaded. And when an HTML fragment is inserted, we check which JS / CSS dependencies it has, and load only those that have NOT been loaded yet.
This is how we achieve that:
-
When a component is rendered, it inserts an HTML comment containing metadata about the rendered component.
So a template like this
{% load component_tags %}\n<div>\n {% component \"my_table\" / %}\n</div>\n{% component \"button\" %}\n Click me!\n{% endcomponent %}\n
May actually render:
<div>\n <!-- _RENDERED \"my_table_10bc2c,c020ad\" -->\n <table>\n ...\n </table>\n</div>\n<!-- _RENDERED \"button_309dcf,31c0da\" -->\n<button>Click me!</button>\n
Each
<!-- _RENDERED -->
comment includes comma-separated data - a unique hash for the component class, e.g.my_table_10bc2c
, and the component ID, e.g.c020ad
.This way, we or the user can freely pass the rendered around or transform it, treating it as a string to add / remove / replace bits. As long as the
<!-- _RENDERED -->
comments remain in the rendered string, we will be able to deduce which JS and CSS dependencies the component needs. -
Post-process the rendered HTML, extracting the
<!-- _RENDERED -->
comments, and instead inserting the corresponding JS and CSS dependencies.If we dealt only with JS, then we could get away with processing the
<!-- _RENDERED -->
comments on the client (browser). However, the CSS needs to be processed still on the server, so the browser receives CSS styles already inserted as<style>
or<link>
HTML tags. Because if we do not do that, we get a flash of unstyled content, as there will be a delay between when the HTML page loaded and when the CSS was fetched and loaded.So, assuming that a user has already rendered their template, which still contains
<!-- _RENDERED -->
comments, we need to extract and process these comments.There's multiple ways to achieve this:
-
If users are using
Component.render()
orComponent.render_to_response()
, these post-process the<!-- _RENDERED -->
comments by default. -
NOTE: Users are able to opt out of the post-processing by setting
deps_strategy=\"ignore\"
. -
If one renders a Template directly, the
<!-- _RENDERED -->
will be processed too. We achieve this by modifying Django'sTemplate.render()
method. -
For advanced use cases, users may use
render_dependencies()
directly. This is the function thatComponent.render()
calls internally.
render_dependencies()
, whether called directly, or other way, does the following:-
Find all
<!-- _RENDERED -->
comments, and for each comment: -
Look up the corresponding component class.
-
Get the component's inlined JS / CSS from
Component.js/css
, and linked JS / CSS fromComponent.Media.js/css
. -
Generate JS script that loads the JS / CSS dependencies.
-
Insert the JS scripts either at the end of
<body>
, or in place of{% component_dependencies %}
/{% component_js_dependencies %}
tags. -
To avoid the flash of unstyled content, we need place the styles into the HTML instead of dynamically loading them from within a JS script. The CSS is placed either at the end of
<head>
, or in place of{% component_dependencies %}
/{% component_css_dependencies %}
-
We cache the component's inlined JS and CSS, so they can be fetched via an URL, so the inlined JS / CSS an be treated the same way as the JS / CSS dependencies set in
Component.Media.js/css
.- NOTE: While this is currently not entirely necessary, it opens up the doors for allowing plugins to post-process the inlined JS and CSS. Because after it has been post-processed, we need to store it somewhere.
-
-
Server returns the post-processed HTML.
-
In the browser, the generated JS script from step 2.4 is executed. It goes through all JS and CSS dependencies it was given. If some JS / CSS was already loaded, it is NOT fetched again. Otherwise it generates the corresponding
<script>
or<link>
HTML tags to load the JS / CSS dependencies.In the browser, the \"dependency manager JS\" may look like this:
// Load JS or CSS script if not loaded already\nComponents.loadJs('<script src=\"/abc/xyz/script.js\">');\nComponents.loadCss('<link href=\"/abc/xyz/style.css\">');\n\n// Or mark one as already-loaded, so it is ignored when\n// we call `loadJs`\nComponents.markScriptLoaded(\"js\", \"/abc/def\");\n
Note that
loadJs() / loadCss()
receive whole<script> / <link>
tags, not just the URL. This is because when Django'sMedia
class renders JS and CSS, it formats it as<script>
and<link>
tags. And we allow users to modify how the JS and CSS should be rendered into the<script>
and<link>
tags.So, if users decided to add an extra attribute to their
<script>
tags, e.g.<script defer src=\"http://...\"></script>
, then this way we make sure that thedefer
attribute will be present on the<script>
tag when it is inserted into the DOM at the time of loading the JS script. -
To be able to fetch component's inlined JS and CSS, django-components adds a URL path under:
/components/cache/<str:comp_cls_id>.<str:script_type>/
E.g.
/components/cache/MyTable_10bc2c.js/
This endpoint takes the component's unique ID, e.g.
MyTable_10bc2c
, and looks up the component's inlined JS or CSS.
Thus, with this approach, we ensure that:
- All JS / CSS dependencies are loaded / executed only once.
- The approach is compatible with HTML fragments
- The approach is compatible with JS / CSS variables.
- Inlined JS / CSS may be post-processed by plugins
This doc serves as a primer on how component slots and fills are resolved.
"},{"location":"guides/devguides/slot_rendering/#flow","title":"Flow","text":"-
Imagine you have a template. Some kind of text, maybe HTML:
| ------\n| ---------\n| ----\n| -------\n
-
The template may contain some vars, tags, etc
| -- {{ my_var }} --\n| ---------\n| ----\n| -------\n
-
The template also contains some slots, etc
| -- {{ my_var }} --\n| ---------\n| -- {% slot \"myslot\" %} ---\n| -- {% endslot %} ---\n| ----\n| -- {% slot \"myslot2\" %} ---\n| -- {% endslot %} ---\n| -------\n
-
Slots may be nested
| -- {{ my_var }} --\n| -- ABC\n| -- {% slot \"myslot\" %} ---\n| ----- DEF {{ my_var }}\n| ----- {% slot \"myslot_inner\" %}\n| -------- GHI {{ my_var }}\n| ----- {% endslot %}\n| -- {% endslot %} ---\n| ----\n| -- {% slot \"myslot2\" %} ---\n| ---- JKL {{ my_var }}\n| -- {% endslot %} ---\n| -------\n
-
Some slots may be inside fills for other components
| -- {{ my_var }} --\n| -- ABC\n| -- {% slot \"myslot\" %}---\n| ----- DEF {{ my_var }}\n| ----- {% slot \"myslot_inner\" %}\n| -------- GHI {{ my_var }}\n| ----- {% endslot %}\n| -- {% endslot %} ---\n| ------\n| -- {% component \"mycomp\" %} ---\n| ---- {% slot \"myslot\" %} ---\n| ------- JKL {{ my_var }}\n| ------- {% slot \"myslot_inner\" %}\n| ---------- MNO {{ my_var }}\n| ------- {% endslot %}\n| ---- {% endslot %} ---\n| -- {% endcomponent %} ---\n| ----\n| -- {% slot \"myslot2\" %} ---\n| ---- PQR {{ my_var }}\n| -- {% endslot %} ---\n| -------\n
-
The names of the slots and fills may be defined using variables
| -- {% slot slot_name %} ---\n| ---- STU {{ my_var }}\n| -- {% endslot %} ---\n| -------\n
-
The slot and fill names may be defined using for loops or other variables defined within the template (e.g.
{% with %}
tag or{% ... as var %}
syntax)| -- {% for slot_name in slots %} ---\n| ---- {% slot slot_name %} ---\n| ------ STU {{ slot_name }}\n| ---- {% endslot %} ---\n| -- {% endfor %} ---\n| -------\n
-
Variables for names and for loops allow us implement \"passthrough slots\" - that is, taking all slots that our component received, and passing them to a child component, dynamically.
| -- {% component \"mycomp\" %} ---\n| ---- {% for slot_name in slots %} ---\n| ------ {% fill slot_name %} ---\n| -------- {% slot slot_name %} ---\n| ---------- XYZ {{ slot_name }}\n| --------- {% endslot %}\n| ------- {% endfill %}\n| ---- {% endfor %} ---\n| -- {% endcomponent %} ---\n| ----\n
-
Putting that all together, a document may look like this:
| -- {{ my_var }} --\n| -- ABC\n| -- {% slot \"myslot\" %}---\n| ----- DEF {{ my_var }}\n| ----- {% slot \"myslot_inner\" %}\n| -------- GHI {{ my_var }}\n| ----- {% endslot %}\n| -- {% endslot %} ---\n| ------\n| -- {% component \"mycomp\" %} ---\n| ---- {% slot \"myslot\" %} ---\n| ------- JKL {{ my_var }}\n| ------- {% slot \"myslot_inner\" %}\n| ---------- MNO {{ my_var }}\n| ------- {% endslot %}\n| ---- {% endslot %} ---\n| -- {% endcomponent %} ---\n| ----\n| -- {% slot \"myslot2\" %} ---\n| ---- PQR {{ my_var }}\n| -- {% endslot %} ---\n| -------\n| -- {% for slot_name in slots %} ---\n| ---- {% component \"mycomp\" %} ---\n| ------- {% slot slot_name %}\n| ---------- STU {{ slot_name }}\n| ------- {% endslot %}\n| ---- {% endcomponent %} ---\n| -- {% endfor %} ---\n| ----\n| -- {% component \"mycomp\" %} ---\n| ---- {% for slot_name in slots %} ---\n| ------ {% fill slot_name %} ---\n| -------- {% slot slot_name %} ---\n| ---------- XYZ {{ slot_name }}\n| --------- {% endslot %}\n| ------- {% endfill %}\n| ---- {% endfor %} ---\n| -- {% endcomponent %} ---\n| -------\n
-
Given the above, we want to render the slots with
{% fill %}
tag that were defined OUTSIDE of this template. How do I do that?NOTE: Before v0.110, slots were resolved statically, by walking down the Django Template and Nodes. However, this did not allow for using for loops or other variables defined in the template.
Currently, this consists of 2 steps:
-
If a component is rendered within a template using
{% component %}
tag, determine the given{% fill %}
tags in the component's body (the content in between{% component %}
and{% endcomponent %}
).After this step, we know about all the fills that were passed to the component.
-
Then we simply render the template as usual. And then we reach the
{% slot %}
tag, we search the context for the available fills.- If there IS a fill with the same name as the slot, we render the fill.
- If the slot is marked
default
, and there is a fill nameddefault
, then we render that. - Otherwise, we render the slot's default content.
-
-
Obtaining the fills from
{% fill %}
.When a component is rendered with
{% component %}
tag, and it has some content in between{% component %}
and{% endcomponent %}
, we want to figure out if that content is a default slot (no{% fill %}
used), or if there is a collection of named{% fill %}
tags:Default slot:
| -- {% component \"mycomp\" %} ---\n| ---- STU {{ slot_name }}\n| -- {% endcomponent %} ---\n
Named slots:
| -- {% component \"mycomp\" %} ---\n| ---- {% fill \"slot_a\" %}\n| ------ STU\n| ---- {% endslot %}\n| ---- {% fill \"slot_b\" %}\n| ------ XYZ\n| ---- {% endslot %}\n| -- {% endcomponent %} ---\n
To respect any forloops or other variables defined within the template to which the fills may have access, we:
- Render the content between
{% component %}
and{% endcomponent %}
using the context outside of the component. - When we reach a
{% fill %}
tag, we capture any variables that were created between the{% component %}
and{% fill %}
tags. - When we reach
{% fill %}
tag, we do not continue rendering deeper. Instead we make a record that we found the fill tag with given name, kwargs, etc. - After the rendering is done, we check if we've encountered any fills. If yes, we expect only named fills. If no, we assume that the the component's body is a default slot.
- Lastly we process the found fills, and make them available to the context, so any slots inside the component may access these fills.
- Render the content between
-
Rendering slots
Slot rendering works similarly to collecting fills, in a sense that we do not search for the slots ahead of the time, but instead let Django handle the rendering of the template, and we step in only when Django come across as
{% slot %}
tag.When we reach a slot tag, we search the context for the available fills.
- If there IS a fill with the same name as the slot, we render the fill.
- If the slot is marked
default
, and there is a fill nameddefault
, then we render that. - Otherwise, we render the slot's default content.
In previous section, we said that the
{% fill %}
tags should be already rendered by the time they are inserted into the{% slot %}
tags.This is not quite true. To help you understand, consider this complex case:
| -- {% for var in [1, 2, 3] %} ---\n| ---- {% component \"mycomp2\" %} ---\n| ------ {% fill \"first\" %}\n| ------- STU {{ my_var }}\n| ------- {{ var }}\n| ------ {% endfill %}\n| ------ {% fill \"second\" %}\n| -------- {% component var=var my_var=my_var %}\n| ---------- VWX {{ my_var }}\n| -------- {% endcomponent %}\n| ------ {% endfill %}\n| ---- {% endcomponent %} ---\n| -- {% endfor %} ---\n| -------\n
We want the forloop variables to be available inside the
{% fill %}
tags. Because of that, however, we CANNOT render the fills/slots in advance.Instead, our solution is closer to how Vue handles slots. In Vue, slots are effectively functions that accept a context variables and render some content.
While we do not wrap the logic in a function, we do PREPARE IN ADVANCE: 1. The content that should be rendered for each slot 2. The context variables from
get_template_data()
Thus, once we reach the
"},{"location":"guides/devguides/slots_and_blocks/","title":"Using slot and block tags","text":"{% slot %}
node, in it'srender()
method, we access the data above, and, depending on thecontext_behavior
setting, include the current context or not. For more info, seeSlotNode.render()
.-
First let's clarify how
include
andextends
tags work inside components.When component template includes
include
orextends
tags, it's as if the \"included\" template was inlined. So if the \"included\" template containsslot
tags, then the component uses those slots.If you have a template
abc.html
:<div>\n hello\n {% slot \"body\" %}{% endslot %}\n</div>\n
And components that make use of
abc.html
viainclude
orextends
:from django_components import Component, register\n\n@register(\"my_comp_extends\")\nclass MyCompWithExtends(Component):\n template = \"\"\"{% extends \"abc.html\" %}\"\"\"\n\n@register(\"my_comp_include\")\nclass MyCompWithInclude(Component):\n template = \"\"\"{% include \"abc.html\" %}\"\"\"\n
Then you can set slot fill for the slot imported via
include/extends
:{% component \"my_comp_extends\" %}\n {% fill \"body\" %}\n 123\n {% endfill %}\n{% endcomponent %}\n
And it will render:
<div>\n hello\n 123\n</div>\n
-
Slot and block
If you have a template
abc.html
like so:<div>\n hello\n {% block inner %}\n 1\n {% slot \"body\" %}\n 2\n {% endslot %}\n {% endblock %}\n</div>\n
and component
my_comp
:@register(\"my_comp\")\nclass MyComp(Component):\n template_file = \"abc.html\"\n
Then:
-
Since the
block
wasn't overriden, you can use thebody
slot:{% component \"my_comp\" %}\n {% fill \"body\" %}\n XYZ\n {% endfill %}\n{% endcomponent %}\n
And we get:
<div>hello 1 XYZ</div>\n
-
blocks
CANNOT be overriden through thecomponent
tag, so something like this:{% component \"my_comp\" %}\n {% fill \"body\" %}\n XYZ\n {% endfill %}\n{% endcomponent %}\n{% block \"inner\" %}\n 456\n{% endblock %}\n
Will still render the component content just the same:
<div>hello 1 XYZ</div>\n
-
You CAN override the
block
tags ofabc.html
if the component template usesextends
. In that case, just as you would expect, theblock inner
insideabc.html
will renderOVERRIDEN
:@register(\"my_comp\")\nclass MyComp(Component):\n template = \"\"\"\n {% extends \"abc.html\" %}\n {% block inner %}\n OVERRIDEN\n {% endblock %}\n \"\"\"\n
-
This is where it gets interesting (but still intuitive). You can insert even new
slots
inside these \"overriding\" blocks:@register(\"my_comp\")\nclass MyComp(Component):\n template = \"\"\"\n {% extends \"abc.html\" %}\n\n {% load component_tags %}\n {% block \"inner\" %}\n OVERRIDEN\n {% slot \"new_slot\" %}\n hello\n {% endslot %}\n {% endblock %}\n \"\"\"\n
And you can then pass fill for this
new_slot
when rendering the component:{% component \"my_comp\" %}\n {% fill \"new_slot\" %}\n XYZ\n {% endfill %}\n{% endcomponent %}\n
NOTE: Currently you can supply fills for both
new_slot
andbody
slots, and you will not get an error for an invalid/unknown slot name. But sincebody
slot is not rendered, it just won't do anything. So this renders the same as above:{% component \"my_comp\" %}\n {% fill \"new_slot\" %}\n XYZ\n {% endfill %}\n {% fill \"body\" %}\n www\n {% endfill %}\n{% endcomponent %}\n
-
As larger projects get more complex, it can be hard to debug issues. Django Components provides a number of tools and approaches that can help you with that.
"},{"location":"guides/other/troubleshooting/#component-and-slot-highlighting","title":"Component and slot highlighting","text":"Django Components provides a visual debugging feature that helps you understand the structure and boundaries of your components and slots. When enabled, it adds a colored border and a label around each component and slot on your rendered page.
To enable component and slot highlighting, set
debug_highlight_components
and/ordebug_highlight_slots
toTrue
in yoursettings.py
file:from django_components import ComponentsSettings\n\nCOMPONENTS = ComponentsSettings(\n debug_highlight_components=True,\n debug_highlight_slots=True,\n)\n
Components will be highlighted with a blue border and label:
While the slots will be highlighted with a red border and label:
Warning
Use this feature ONLY in during development. Do NOT use it in production.
"},{"location":"guides/other/troubleshooting/#component-path-in-errors","title":"Component path in errors","text":"When an error occurs, the error message will show the path to the component that caused the error. E.g.
KeyError: \"An error occured while rendering components MyPage > MyLayout > MyComponent > Childomponent(slot:content)\n
The error message contains also the slot paths, so if you have a template like this:
{% component \"my_page\" %}\n {% slot \"content\" %}\n {% component \"table\" %}\n {% slot \"header\" %}\n {% component \"table_header\" %}\n ... {# ERROR HERE #}\n {% endcomponent %}\n {% endslot %}\n {% endcomponent %}\n {% endslot %}\n{% endcomponent %}\n
Then the error message will show the path to the component that caused the error:
"},{"location":"guides/other/troubleshooting/#debug-and-trace-logging","title":"Debug and trace logging","text":"KeyError: \"An error occured while rendering components my_page > layout > layout(slot:content) > my_page(slot:content) > table > table(slot:header) > table_header > table_header(slot:content)\n
Django components supports logging with Django.
To configure logging for Django components, set the
django_components
logger inLOGGING
insettings.py
(below).Also see the
settings.py
file in sampleproject for a real-life example.import logging\nimport sys\n\nLOGGING = {\n 'version': 1,\n 'disable_existing_loggers': False,\n \"handlers\": {\n \"console\": {\n 'class': 'logging.StreamHandler',\n 'stream': sys.stdout,\n },\n },\n \"loggers\": {\n \"django_components\": {\n \"level\": logging.DEBUG,\n \"handlers\": [\"console\"],\n },\n },\n}\n
Info
To set TRACE level, set
\"level\"
to5
:
"},{"location":"guides/other/troubleshooting/#logger-levels","title":"Logger levels","text":"LOGGING = {\n \"loggers\": {\n \"django_components\": {\n \"level\": 5,\n \"handlers\": [\"console\"],\n },\n },\n}\n
As of v0.126, django-components primarily uses these logger levels:
DEBUG
: Report on loading associated HTML / JS / CSS files, autodiscovery, etc.TRACE
: Detailed interaction of components and slots. Logs when template tags, components, and slots are started / ended rendering, and when a slot is filled.
When you pass a slot fill to a Component, the component and slot names is remebered on the slot object.
Thus, you can check where a slot was filled from by printing it out:
class MyComponent(Component):\n def on_render_before(self):\n print(self.input.slots)\n
might print:
"},{"location":"guides/other/troubleshooting/#agentic-debugging","title":"Agentic debugging","text":"{\n 'content': <Slot component_name='layout' slot_name='content'>,\n 'header': <Slot component_name='my_page' slot_name='header'>,\n 'left_panel': <Slot component_name='layout' slot_name='left_panel'>,\n}\n
All the features above make django-components to work really well with coding AI agents like Github Copilot or CursorAI.
To debug component rendering with LLMs, you want to provide the LLM with:
- The components source code
- The rendered output
- As much additional context as possible
Your codebase already contains the components source code, but not the latter two.
"},{"location":"guides/other/troubleshooting/#providing-rendered-output","title":"Providing rendered output","text":"To provide the LLM with the rendered output, you can simply export the rendered output to a file.
rendered = ProjectPage.render(...)\nwith open(\"result.html\", \"w\") as f:\n f.write(rendered)\n
If you're using
render_to_response
, access the output from theHttpResponse
object:
"},{"location":"guides/other/troubleshooting/#providing-contextual-logs","title":"Providing contextual logs","text":"response = ProjectPage.render_to_response(...)\nwith open(\"result.html\", \"wb\") as f:\n f.write(response.content)\n
Next, we provide the agent with info on HOW we got the result that we have. We do so by providing the agent with the trace-level logs.
In your
settings.py
, configure the trace-level logs to be written to thedjango_components.log
file:
"},{"location":"guides/other/troubleshooting/#prompting-the-agent","title":"Prompting the agent","text":"LOGGING = {\n \"version\": 1,\n \"disable_existing_loggers\": False,\n \"handlers\": {\n \"file\": {\n \"class\": \"logging.FileHandler\",\n \"filename\": \"django_components.log\",\n \"mode\": \"w\", # Overwrite the file each time\n },\n },\n \"loggers\": {\n \"django_components\": {\n \"level\": 5,\n \"handlers\": [\"file\"],\n },\n },\n}\n
Now, you can prompt the agent and include the trace log and the rendered output to guide the agent with debugging.
I have a django-components (DJC) project. DJC is like if Vue or React component-based web development but made for Django ecosystem.
In the view
project_view
, I am rendering theProjectPage
component. However, the output is not as expected. The output is missing the tabs.You have access to the full log trace in
django_components.log
.You can also see the rendered output in
result.html
.With this information, help me debug the issue.
First, tell me what kind of info you would be looking for in the logs, and why (how it relates to understanding the cause of the bug).
Then tell me if that info was there, and what the implications are.
Finally, tell me what you would do to fix the issue.
"},{"location":"guides/setup/caching/","title":"Caching","text":"This page describes the kinds of assets that django-components caches and how to configure the cache backends.
"},{"location":"guides/setup/caching/#component-caching","title":"Component caching","text":"You can cache the output of your components by setting the
Component.Cache
options.Read more about Component caching.
"},{"location":"guides/setup/caching/#components-js-and-css-files","title":"Component's JS and CSS files","text":"django-components simultaneously supports:
- Rendering and fetching components as HTML fragments
- Allowing components (even fragments) to have JS and CSS files associated with them
- Features like JS/CSS variables or CSS scoping
To achieve all this, django-components defines additional temporary JS and CSS files. These temporary files need to be stored somewhere, so that they can be fetched by the browser when the component is rendered as a fragment. And for that, django-components uses Django's cache framework.
This includes:
- Inlined JS/CSS defined via
Component.js
andComponent.css
- JS/CSS variables generated from
get_js_data()
andget_css_data()
By default, django-components uses Django's local memory cache backend to store these assets. You can configure it to use any of your Django cache backends by setting the
COMPONENTS.cache
option in your settings:COMPONENTS = {\n # Name of the cache backend to use\n \"cache\": \"my-cache-backend\",\n}\n
The value should be the name of one of your configured cache backends from Django's
CACHES
setting.For example, to use Redis for caching component assets:
CACHES = {\n \"default\": {\n \"BACKEND\": \"django.core.cache.backends.locmem.LocMemCache\",\n },\n \"component-media\": {\n \"BACKEND\": \"django.core.cache.backends.redis.RedisCache\",\n \"LOCATION\": \"redis://127.0.0.1:6379/1\",\n }\n}\n\nCOMPONENTS = {\n # Use the Redis cache backend\n \"cache\": \"component-media\",\n}\n
See
"},{"location":"guides/setup/development_server/","title":"Development server","text":""},{"location":"guides/setup/development_server/#reload-dev-server-on-component-file-changes","title":"Reload dev server on component file changes","text":"COMPONENTS.cache
for more details about this setting.This is relevant if you are using the project structure as shown in our examples, where HTML, JS, CSS and Python are in separate files and nested in a directory.
sampleproject/\n\u251c\u2500\u2500 components/\n\u2502 \u2514\u2500\u2500 calendar/\n\u2502 \u251c\u2500\u2500 calendar.py\n\u2502 \u2514\u2500\u2500 calendar.html\n\u2502 \u2514\u2500\u2500 calendar.css\n\u2502 \u2514\u2500\u2500 calendar.js\n\u251c\u2500\u2500 sampleproject/\n\u251c\u2500\u2500 manage.py\n\u2514\u2500\u2500 requirements.txt\n
In this case you may notice that when you are running a development server, the server sometimes does not reload when you change component files.
From relevant StackOverflow thread:
TL;DR is that the server won't reload if it thinks the changed file is in a templates directory, or in a nested sub directory of a templates directory. This is by design.
To make the dev server reload on all component files, set
reload_on_file_change
toTrue
. This configures Django to watch for component files too.Warning
This setting should be enabled only for the dev environment!
"},{"location":"overview/code_of_conduct/","title":"Contributor Covenant Code of Conduct","text":""},{"location":"overview/code_of_conduct/#our-pledge","title":"Our Pledge","text":"In the interest of fostering an open and welcoming environment, we as contributors and maintainers pledge to making participation in our project and our community a harassment-free experience for everyone, regardless of age, body size, disability, ethnicity, sex characteristics, gender identity and expression, level of experience, education, socio-economic status, nationality, personal appearance, race, religion, or sexual identity and orientation.
"},{"location":"overview/code_of_conduct/#our-standards","title":"Our Standards","text":"Examples of behavior that contributes to creating a positive environment include:
- Using welcoming and inclusive language
- Being respectful of differing viewpoints and experiences
- Gracefully accepting constructive criticism
- Focusing on what is best for the community
- Showing empathy towards other community members
Examples of unacceptable behavior by participants include:
- The use of sexualized language or imagery and unwelcome sexual attention or advances
- Trolling, insulting/derogatory comments, and personal or political attacks
- Public or private harassment
- Publishing others' private information, such as a physical or electronic address, without explicit permission
- Other conduct which could reasonably be considered inappropriate in a professional setting
Project maintainers are responsible for clarifying the standards of acceptable behavior and are expected to take appropriate and fair corrective action in response to any instances of unacceptable behavior.
Project maintainers have the right and responsibility to remove, edit, or reject comments, commits, code, wiki edits, issues, and other contributions that are not aligned to this Code of Conduct, or to ban temporarily or permanently any contributor for other behaviors that they deem inappropriate, threatening, offensive, or harmful.
"},{"location":"overview/code_of_conduct/#scope","title":"Scope","text":"This Code of Conduct applies both within project spaces and in public spaces when an individual is representing the project or its community. Examples of representing a project or community include using an official project e-mail address, posting via an official social media account, or acting as an appointed representative at an online or offline event. Representation of a project may be further defined and clarified by project maintainers.
"},{"location":"overview/code_of_conduct/#enforcement","title":"Enforcement","text":"Instances of abusive, harassing, or otherwise unacceptable behavior may be reported by contacting the project team at emil@emilstenstrom.se. All complaints will be reviewed and investigated and will result in a response that is deemed necessary and appropriate to the circumstances. The project team is obligated to maintain confidentiality with regard to the reporter of an incident. Further details of specific enforcement policies may be posted separately.
Project maintainers who do not follow or enforce the Code of Conduct in good faith may face temporary or permanent repercussions as determined by other members of the project's leadership.
"},{"location":"overview/code_of_conduct/#attribution","title":"Attribution","text":"This Code of Conduct is adapted from the Contributor Covenant, version 1.4, available at https://www.contributor-covenant.org/version/1/4/code-of-conduct.html
For answers to common questions about this code of conduct, see https://www.contributor-covenant.org/faq
"},{"location":"overview/community/","title":"Community","text":""},{"location":"overview/community/#community-questions","title":"Community questions","text":"The best place to ask questions is in our Github Discussion board.
Please, before opening a new discussion, check if similar discussion wasn't opened already.
"},{"location":"overview/community/#community-examples","title":"Community examples","text":"One of our goals with
django-components
is to make it easy to share components between projects (see how to package components). If you have a set of components that you think would be useful to others, please open a pull request to add them to the list below.-
django-htmx-components: A set of components for use with htmx. Try out the live demo.
-
djc-heroicons: A component that renders icons from Heroicons.com.
Django-components supports all supported combinations versions of Django and Python.
Python version Django version 3.8 4.2 3.9 4.2 3.10 4.2, 5.1, 5.2 3.11 4.2, 5.1, 5.2 3.12 4.2, 5.1, 5.2 3.13 5.1, 5.2"},{"location":"overview/compatibility/#operating-systems","title":"Operating systems","text":"django-components is tested against Ubuntu and Windows, and should work on any operating system that supports Python.
Note
django-components uses Rust-based parsers for better performance.
These sub-packages are built with maturin which supports a wide range of operating systems, architectures, and Python versions (see the full list).
This should cover most of the cases.
However, if your environment is not supported, you will need to install Rust and Cargo to build the sub-packages from source.
"},{"location":"overview/contributing/","title":"Contributing","text":""},{"location":"overview/contributing/#bug-reports","title":"Bug reports","text":"If you find a bug, please open an issue with detailed description of what happened.
"},{"location":"overview/contributing/#bug-fixes","title":"Bug fixes","text":"If you found a fix for a bug or typo, go ahead and open a PR with a fix. We'll help you out with the rest!
"},{"location":"overview/contributing/#feature-requests","title":"Feature requests","text":"For feature requests or suggestions, please open either a discussion or an issue.
"},{"location":"overview/contributing/#getting-involved","title":"Getting involved","text":"django_components is still under active development, and there's much to build, so come aboard!
"},{"location":"overview/contributing/#sponsoring","title":"Sponsoring","text":"Another way you can get involved is by donating to the development of django_components.
"},{"location":"overview/development/","title":"Development","text":""},{"location":"overview/development/#install-locally-and-run-the-tests","title":"Install locally and run the tests","text":"Start by forking the project by clicking the Fork button up in the right corner in the GitHub. This makes a copy of the repository in your own name. Now you can clone this repository locally and start adding features:
git clone https://github.com/<your GitHub username>/django-components.git\ncd django-components\n
To quickly run the tests install the local dependencies by running:
pip install -r requirements-dev.txt\n
You also have to install this local django-components version. Use
-e
for editable mode so you don't have to re-install after every change:pip install -e .\n
Now you can run the tests to make sure everything works as expected:
pytest\n
The library is also tested across many versions of Python and Django. To run tests that way:
pyenv install -s 3.8\npyenv install -s 3.9\npyenv install -s 3.10\npyenv install -s 3.11\npyenv install -s 3.12\npyenv install -s 3.13\npyenv local 3.8 3.9 3.10 3.11 3.12 3.13\ntox -p\n
To run tests for a specific Python version, use:
tox -e py38\n
NOTE: See the available environments in
tox.ini
.And to run only linters, use:
"},{"location":"overview/development/#running-playwright-tests","title":"Running Playwright tests","text":"tox -e mypy,flake8,isort,black\n
We use Playwright for end-to-end tests. You will therefore need to install Playwright to be able to run these tests.
Luckily, Playwright makes it very easy:
pip install -r requirements-dev.txt\nplaywright install chromium --with-deps\n
After Playwright is ready, simply run the tests with
tox
:
"},{"location":"overview/development/#developing-against-live-django-app","title":"Developing against live Django app","text":"tox\n
How do you check that your changes to django-components project will work in an actual Django project?
Use the sampleproject demo project to validate the changes:
-
Navigate to sampleproject directory:
cd sampleproject\n
-
Install dependencies from the requirements.txt file:
pip install -r requirements.txt\n
-
Link to your local version of django-components:
pip install -e ..\n
Note
The path to the local version (in this case
..
) must point to the directory that has thesetup.py
file. -
Start Django server
python manage.py runserver\n
Once the server is up, it should be available at http://127.0.0.1:8000.
To display individual components, add them to the
"},{"location":"overview/development/#building-js-code","title":"Building JS code","text":"urls.py
, like in the case of http://127.0.0.1:8000/greetingdjango_components uses a bit of JS code to:
- Manage the loading of JS and CSS files used by the components
- Allow to pass data from Python to JS
When you make changes to this JS code, you also need to compile it:
-
Make sure you are inside
src/django_components_js
:cd src/django_components_js\n
-
Install the JS dependencies
npm install\n
-
Compile the JS/TS code:
python build.py\n
The script will combine all JS/TS code into a single
.js
file, minify it, and copy it todjango_components/static/django_components/django_components.min.js
.
To package the library into a distribution that can be published to PyPI, run:
# Install pypa/build\npython -m pip install build --user\n# Build a binary wheel and a source tarball\npython -m build --sdist --wheel --outdir dist/ .\n
To publish the package to PyPI, use
twine
(See Python user guide):twine upload --repository pypi dist/* -u __token__ -p <PyPI_TOKEN>\n
See the full workflow here.
"},{"location":"overview/development/#development-guides","title":"Development guides","text":"Head over to Dev guides for a deep dive into how django_components' features are implemented.
"},{"location":"overview/installation/","title":"Installation","text":""},{"location":"overview/installation/#basic-installation","title":"Basic installation","text":"-
Install
django_components
into your environment:pip install django_components\n
-
Load
django_components
into Django by adding it intoINSTALLED_APPS
in your settings file:# app/settings.py\nINSTALLED_APPS = [\n ...,\n 'django_components',\n]\n
-
BASE_DIR
setting is required. Ensure that it is defined:# app/settings.py\nfrom pathlib import Path\n\nBASE_DIR = Path(__file__).resolve().parent.parent\n
-
Next, modify
TEMPLATES
section ofsettings.py
as follows:- Remove
'APP_DIRS': True,
- NOTE: Instead of
APP_DIRS: True
, we will usedjango.template.loaders.app_directories.Loader
, which has the same effect.
- NOTE: Instead of
- Add
loaders
toOPTIONS
list and set it to following value:
This allows Django to load component HTML files as Django templates.
TEMPLATES = [\n {\n ...,\n 'OPTIONS': {\n ...,\n 'loaders':[(\n 'django.template.loaders.cached.Loader', [\n # Default Django loader\n 'django.template.loaders.filesystem.Loader',\n # Including this is the same as APP_DIRS=True\n 'django.template.loaders.app_directories.Loader',\n # Components loader\n 'django_components.template_loader.Loader',\n ]\n )],\n },\n },\n]\n
- Remove
-
Add django-component's URL paths to your
urlpatterns
:Django components already prefixes all URLs with
components/
. So when you are adding the URLs tourlpatterns
, you can use an empty string as the first argument:from django.urls import include, path\n\nurlpatterns = [\n ...\n path(\"\", include(\"django_components.urls\")),\n]\n
If you want to use JS or CSS with components, you will need to:
-
Add
\"django_components.finders.ComponentsFileSystemFinder\"
toSTATICFILES_FINDERS
in your settings file.This allows Django to serve component JS and CSS as static files.
STATICFILES_FINDERS = [\n # Default finders\n \"django.contrib.staticfiles.finders.FileSystemFinder\",\n \"django.contrib.staticfiles.finders.AppDirectoriesFinder\",\n # Django components\n \"django_components.finders.ComponentsFileSystemFinder\",\n]\n
-
Optional. If you want to change where the JS and CSS is rendered, use
{% component_js_dependencies %}
and{% component_css_dependencies %}
.By default, the JS
<script>
and CSS<link>
tags are automatically inserted into the HTML (See Default JS / CSS locations).<!doctype html>\n<html>\n <head>\n ...\n {% component_css_dependencies %}\n </head>\n <body>\n ...\n {% component_js_dependencies %}\n </body>\n</html>\n
-
Optional. By default, components' JS and CSS files are cached in memory.
If you want to change the cache backend, set the
COMPONENTS.cache
setting.Read more in Caching.
To avoid loading the app in each template using
{% load component_tags %}
, you can add the tag as a 'builtin' insettings.py
:
"},{"location":"overview/installation/#component-directories","title":"Component directories","text":"TEMPLATES = [\n {\n ...,\n 'OPTIONS': {\n ...,\n 'builtins': [\n 'django_components.templatetags.component_tags',\n ]\n },\n },\n]\n
django-components needs to know where to search for component HTML, JS and CSS files.
There are two ways to configure the component directories:
COMPONENTS.dirs
sets global component directories.COMPONENTS.app_dirs
sets app-level component directories.
By default, django-components will look for a top-level
/components
directory,{BASE_DIR}/components
, equivalent to:from django_components import ComponentsSettings\n\nCOMPONENTS = ComponentsSettings(\n dirs=[\n ...,\n Path(BASE_DIR) / \"components\",\n ],\n)\n
For app-level directories, the default is
[app]/components
, equivalent to:from django_components import ComponentsSettings\n\nCOMPONENTS = ComponentsSettings(\n app_dirs=[\n ...,\n \"components\",\n ],\n)\n
Note
The input to
COMPONENTS.dirs
is the same as forSTATICFILES_DIRS
, and the paths must be full paths. See Django docs.Now you're all set! Read on to find out how to build your first component.
"},{"location":"overview/license/","title":"License","text":"MIT License
Copyright (c) 2019 Emil Stenstr\u00f6m
Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the \"Software\"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions:
The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software.
THE SOFTWARE IS PROVIDED \"AS IS\", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.
"},{"location":"overview/performance/","title":"Performance","text":"We track the performance of
django-components
using ASV.See the benchmarks dashboard.
"},{"location":"overview/security_notes/","title":"Security notes \ud83d\udea8","text":"It is strongly recommended to read this section before using django-components in production.
"},{"location":"overview/security_notes/#static-files","title":"Static files","text":"TL;DR: No action needed from v0.100 onwards. Before v0.100, use
safer_staticfiles
to avoid exposing backend logic.Components can be organized however you prefer. That said, our prefered way is to keep the files of a component close together by bundling them in the same directory.
This means that files containing backend logic, such as Python modules and HTML templates, live in the same directory as static files, e.g. JS and CSS.
From v0.100 onwards, we keep component files (as defined by
COMPONENTS.dirs
andCOMPONENTS.app_dirs
) separate from the rest of the static files (defined bySTATICFILES_DIRS
). That way, the Python and HTML files are NOT exposed by the server. Only the static JS, CSS, and other common formats.Note
If you need to expose different file formats, you can configure these with
"},{"location":"overview/security_notes/#static-files-prior-to-v0100","title":"Static files prior to v0.100","text":"COMPONENTS.static_files_allowed
andCOMPONENTS.static_files_forbidden
.Prior to v0.100, if your were using django.contrib.staticfiles to collect static files, no distinction was made between the different kinds of files.
As a result, your Python code and templates may inadvertently become available on your static file server. You probably don't want this, as parts of your backend logic will be exposed, posing a potential security vulnerability.
From v0.27 until v0.100, django-components shipped with an additional installable app django_components.safer_staticfiles. It was a drop-in replacement for django.contrib.staticfiles. Its behavior is 100% identical except it ignores
.py
and.html
files, meaning these will not end up on your static files server.To use it, add it to
INSTALLED_APPS
and remove django.contrib.staticfiles.INSTALLED_APPS = [\n # 'django.contrib.staticfiles', # <-- REMOVE\n 'django_components',\n 'django_components.safer_staticfiles' # <-- ADD\n]\n
If you are on an pre-v0.27 version of django-components, your alternatives are:
- a) passing
--ignore <pattern>
options to the collecstatic CLI command, - b) defining a subclass of StaticFilesConfig.
Both routes are described in the official docs of the staticfiles app.
Note that
safer_staticfiles
excludes the.py
and.html
files for collectstatic command:python manage.py collectstatic\n
but it is ignored on the development server:
python manage.py runserver\n
For a step-by-step guide on deploying production server with static files, see the demo project.
See the older versions of the sampleproject for a setup with pre-v0.100 version.
"},{"location":"overview/welcome/","title":"Welcome to Django Components","text":"django-components
combines Django's templating system with the modularity seen in modern frontend frameworks like Vue or React.With
"},{"location":"overview/welcome/#quickstart","title":"Quickstart","text":"django-components
you can support Django projects small and large without leaving the Django ecosystem.A component in django-components can be as simple as a Django template and Python code to declare the component:
components/calendar/calendar.html
components/calendar/calendar.py<div class=\"calendar\">\n Today's date is <span>{{ date }}</span>\n</div>\n
from django_components import Component\n\nclass Calendar(Component):\n template_file = \"calendar.html\"\n
Or a combination of Django template, Python, CSS, and Javascript:
components/calendar/calendar.html
components/calendar/calendar.css<div class=\"calendar\">\n Today's date is <span>{{ date }}</span>\n</div>\n
components/calendar/calendar.js.calendar {\n width: 200px;\n background: pink;\n}\n
components/calendar/calendar.pydocument.querySelector(\".calendar\").onclick = () => {\n alert(\"Clicked calendar!\");\n};\n
from django_components import Component\n\nclass Calendar(Component):\n template_file = \"calendar.html\"\n js_file = \"calendar.js\"\n css_file = \"calendar.css\"\n\n def get_template_data(self, args, kwargs, slots, context):\n return {\"date\": kwargs[\"date\"]}\n
Use the component like this:
{% component \"calendar\" date=\"2024-11-06\" %}{% endcomponent %}\n
And this is what gets rendered:
<div class=\"calendar-component\">\n Today's date is <span>2024-11-06</span>\n</div>\n
Read on to learn about all the exciting details and configuration possibilities!
(If you instead prefer to jump right into the code, check out the example project)
"},{"location":"overview/welcome/#features","title":"Features","text":""},{"location":"overview/welcome/#modern-and-modular-ui","title":"Modern and modular UI","text":"- Create self-contained, reusable UI elements.
- Each component can include its own HTML, CSS, and JS, or additional third-party JS and CSS.
- HTML, CSS, and JS can be defined on the component class, or loaded from files.
"},{"location":"overview/welcome/#composition-with-slots","title":"Composition with slots","text":"from django_components import Component\n\n@register(\"calendar\")\nclass Calendar(Component):\n template = \"\"\"\n <div class=\"calendar\">\n Today's date is\n <span>{{ date }}</span>\n </div>\n \"\"\"\n\n css = \"\"\"\n .calendar {\n width: 200px;\n background: pink;\n }\n \"\"\"\n\n js = \"\"\"\n document.querySelector(\".calendar\")\n .addEventListener(\"click\", () => {\n alert(\"Clicked calendar!\");\n });\n \"\"\"\n\n # Additional JS and CSS\n class Media:\n js = [\"https://cdn.jsdelivr.net/npm/htmx.org@2.1.1/dist/htmx.min.js\"]\n css = [\"bootstrap/dist/css/bootstrap.min.css\"]\n\n # Variables available in the template\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"date\": kwargs[\"date\"]\n }\n
- Render components inside templates with
{% component %}
tag. - Compose them with
{% slot %}
and{% fill %}
tags. - Vue-like slot system, including scoped slots.
"},{"location":"overview/welcome/#extended-template-tags","title":"Extended template tags","text":"{% component \"Layout\"\n bookmarks=bookmarks\n breadcrumbs=breadcrumbs\n%}\n {% fill \"header\" %}\n <div class=\"flex justify-between gap-x-12\">\n <div class=\"prose\">\n <h3>{{ project.name }}</h3>\n </div>\n <div class=\"font-semibold text-gray-500\">\n {{ project.start_date }} - {{ project.end_date }}\n </div>\n </div>\n {% endfill %}\n\n {# Access data passed to `{% slot %}` with `data` #}\n {% fill \"tabs\" data=\"tabs_data\" %}\n {% component \"TabItem\" header=\"Project Info\" %}\n {% component \"ProjectInfo\"\n project=project\n project_tags=project_tags\n attrs:class=\"py-5\"\n attrs:width=tabs_data.width\n / %}\n {% endcomponent %}\n {% endfill %}\n{% endcomponent %}\n
django-components
is designed for flexibility, making working with templates a breeze.It extends Django's template tags syntax with:
- Literal lists and dictionaries in the template
- Self-closing tags
{% mytag / %}
- Multi-line template tags
- Spread operator
...
to dynamically pass args or kwargs into the template tag - Template tags inside literal strings like
\"{{ first_name }} {{ last_name }}\"
- Pass dictonaries by their key-value pairs
attr:key=val
{% component \"table\"\n ...default_attrs\n title=\"Friend list for {{ user.name }}\"\n headers=[\"Name\", \"Age\", \"Email\"]\n data=[\n {\n \"name\": \"John\"|upper,\n \"age\": 30|add:1,\n \"email\": \"john@example.com\",\n \"hobbies\": [\"reading\"],\n },\n {\n \"name\": \"Jane\"|upper,\n \"age\": 25|add:1,\n \"email\": \"jane@example.com\",\n \"hobbies\": [\"reading\", \"coding\"],\n },\n ],\n attrs:class=\"py-4 ma-2 border-2 border-gray-300 rounded-md\"\n/ %}\n
You too can define template tags with these features by using
@template_tag()
orBaseNode
.Read more on Custom template tags.
"},{"location":"overview/welcome/#full-programmatic-access","title":"Full programmatic access","text":"When you render a component, you can access everything about the component:
- Component input: args, kwargs, slots and context
- Component's template, CSS and JS
- Django's context processors
- Unique render ID
"},{"location":"overview/welcome/#granular-html-attributes","title":"Granular HTML attributes","text":"class Table(Component):\n js_file = \"table.js\"\n css_file = \"table.css\"\n\n template = \"\"\"\n <div class=\"table\">\n <span>{{ variable }}</span>\n </div>\n \"\"\"\n\n def get_template_data(self, args, kwargs, slots, context):\n # Access component's ID\n assert self.id == \"djc1A2b3c\"\n\n # Access component's inputs and slots\n assert self.input.args == (123, \"str\")\n assert self.input.kwargs == {\"variable\": \"test\", \"another\": 1}\n footer_slot = self.input.slots[\"footer\"]\n some_var = self.input.context[\"some_var\"]\n\n # Access the request object and Django's context processors, if available\n assert self.request.GET == {\"query\": \"something\"}\n assert self.context_processors_data['user'].username == \"admin\"\n\n return {\n \"variable\": kwargs[\"variable\"],\n }\n\n# Access component's HTML / JS / CSS\nTable.template\nTable.js\nTable.css\n\n# Render the component\nrendered = Table.render(\n kwargs={\"variable\": \"test\", \"another\": 1},\n args=(123, \"str\"),\n slots={\"footer\": \"MY_FOOTER\"},\n)\n
Use the
{% html_attrs %}
template tag to render HTML attributes.It supports:
- Defining attributes as whole dictionaries or keyword arguments
- Merging attributes from multiple sources
- Boolean attributes
- Appending attributes
- Removing attributes
- Defining default attributes
<div\n {% html_attrs\n attrs\n defaults:class=\"default-class\"\n class=\"extra-class\"\n %}\n>\n
{% html_attrs %}
offers a Vue-like granular control forclass
andstyle
HTML attributes, where you can use a dictionary to manage each class name or style property separately.{% html_attrs\n class=\"foo bar\"\n class={\n \"baz\": True,\n \"foo\": False,\n }\n class=\"extra\"\n%}\n
{% html_attrs\n style=\"text-align: center; background-color: blue;\"\n style={\n \"background-color\": \"green\",\n \"color\": None,\n \"width\": False,\n }\n style=\"position: absolute; height: 12px;\"\n%}\n
Read more about HTML attributes.
"},{"location":"overview/welcome/#html-fragment-support","title":"HTML fragment support","text":"django-components
makes integration with HTMX, AlpineJS or jQuery easy by allowing components to be rendered as HTML fragments:-
Components's JS and CSS files are loaded automatically when the fragment is inserted into the DOM.
-
Components can be exposed as Django Views with
get()
,post()
,put()
,patch()
,delete()
methods -
Automatically create an endpoint for a component with
Component.View.public
"},{"location":"overview/welcome/#provide-inject","title":"Provide / Inject","text":"# components/calendar/calendar.py\n@register(\"calendar\")\nclass Calendar(Component):\n template_file = \"calendar.html\"\n\n class View:\n # Register Component with `urlpatterns`\n public = True\n\n # Define handlers\n def get(self, request, *args, **kwargs):\n page = request.GET.get(\"page\", 1)\n return self.component.render_to_response(\n request=request,\n kwargs={\n \"page\": page,\n },\n )\n\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"page\": kwargs[\"page\"],\n }\n\n# Get auto-generated URL for the component\nurl = get_component_url(Calendar)\n\n# Or define explicit URL in urls.py\npath(\"calendar/\", Calendar.as_view())\n
django-components
supports the provide / inject pattern, similarly to React's Context Providers or Vue's provide / inject:- Use the
{% provide %}
tag to provide data to the component tree - Use the
Component.inject()
method to inject data into the component
Read more about Provide / Inject.
<body>\n {% provide \"theme\" variant=\"light\" %}\n {% component \"header\" / %}\n {% endprovide %}\n</body>\n
"},{"location":"overview/welcome/#input-validation-and-static-type-hints","title":"Input validation and static type hints","text":"@register(\"header\")\nclass Header(Component):\n template = \"...\"\n\n def get_template_data(self, args, kwargs, slots, context):\n theme = self.inject(\"theme\").variant\n return {\n \"theme\": theme,\n }\n
Avoid needless errors with type hints and runtime input validation.
To opt-in to input validation, define types for component's args, kwargs, slots, and more:
from typing import NamedTuple, Optional\nfrom django.template import Context\nfrom django_components import Component, Slot, SlotInput\n\nclass Button(Component):\n class Args(NamedTuple):\n size: int\n text: str\n\n class Kwargs(NamedTuple):\n variable: str\n another: int\n maybe_var: Optional[int] = None # May be omitted\n\n class Slots(NamedTuple):\n my_slot: Optional[SlotInput] = None\n another_slot: SlotInput\n\n def get_template_data(self, args: Args, kwargs: Kwargs, slots: Slots, context: Context):\n args.size # int\n kwargs.variable # str\n slots.my_slot # Slot[MySlotData]\n
To have type hints when calling
Button.render()
orButton.render_to_response()
, wrap the inputs in their respectiveArgs
,Kwargs
, andSlots
classes:
"},{"location":"overview/welcome/#extensions","title":"Extensions","text":"Button.render(\n # Error: First arg must be `int`, got `float`\n args=Button.Args(\n size=1.25,\n text=\"abc\",\n ),\n # Error: Key \"another\" is missing\n kwargs=Button.Kwargs(\n variable=\"text\",\n ),\n)\n
Django-components functionality can be extended with Extensions. Extensions allow for powerful customization and integrations. They can:
- Tap into lifecycle events, such as when a component is created, deleted, or registered
- Add new attributes and methods to the components
- Add custom CLI commands
- Add custom URLs
Some of the extensions include:
- Component caching
- Django View integration
- Component defaults
- Pydantic integration (input validation)
Some of the planned extensions include:
- AlpineJS integration
- Storybook integration
- Component-level benchmarking with asv
- Components can be cached using Django's cache framework.
- Caching rules can be configured on a per-component basis.
- Components are cached based on their input. Or you can write custom caching logic.
"},{"location":"overview/welcome/#simple-testing","title":"Simple testing","text":"from django_components import Component\n\nclass MyComponent(Component):\n class Cache:\n enabled = True\n ttl = 60 * 60 * 24 # 1 day\n\n def hash(self, *args, **kwargs):\n return hash(f\"{json.dumps(args)}:{json.dumps(kwargs)}\")\n
- Write tests for components with
@djc_test
decorator. - The decorator manages global state, ensuring that tests don't leak.
- If using
pytest
, the decorator allows you to parametrize Django or Components settings. - The decorator also serves as a stand-in for Django's
@override_settings
.
"},{"location":"overview/welcome/#debugging-features","title":"Debugging features","text":"from django_components.testing import djc_test\n\nfrom components.my_table import MyTable\n\n@djc_test\ndef test_my_table():\n rendered = MyTable.render(\n kwargs={\n \"title\": \"My table\",\n },\n )\n assert rendered == \"<table>My table</table>\"\n
- Visual component inspection: Highlight components and slots directly in your browser.
- Detailed tracing logs to supply AI-agents with context: The logs include component and slot names and IDs, and their position in the tree.
- Install and use third-party components from PyPI
- Or publish your own \"component registry\"
-
Highly customizable - Choose how the components are called in the template (and more):
{% component \"calendar\" date=\"2024-11-06\" %}\n{% endcomponent %}\n\n{% calendar date=\"2024-11-06\" %}\n{% endcalendar %}\n
Our aim is to be at least as fast as Django templates.
As of
Render time django 68.9\u00b10.6ms django-components 259\u00b14ms0.130
,django-components
is ~4x slower than Django templates.See the full performance breakdown for more information.
"},{"location":"overview/welcome/#release-notes","title":"Release notes","text":"Read the Release Notes to see the latest features and fixes.
"},{"location":"overview/welcome/#community-examples","title":"Community examples","text":"One of our goals with
"},{"location":"overview/welcome/#contributing-and-development","title":"Contributing and development","text":"django-components
is to make it easy to share components between projects. Head over to the Community examples to see some examples.Get involved or sponsor this project - See here
Running django-components locally for development - See here
"},{"location":"reference/api/","title":"API","text":""},{"location":"reference/api/#api","title":"API","text":""},{"location":"reference/api/#django_components.BaseNode","title":"BaseNode","text":"BaseNode(\n params: List[TagAttr], flags: Optional[Dict[str, bool]] = None, nodelist: Optional[NodeList] = None, node_id: Optional[str] = None\n)\n
Bases:
django.template.base.Node
See source code
Node class for all django-components custom template tags.
This class has a dual role:
-
It declares how a particular template tag should be parsed - By setting the
tag
,end_tag
, andallowed_flags
attributes:class SlotNode(BaseNode):\n tag = \"slot\"\n end_tag = \"endslot\"\n allowed_flags = [\"required\"]\n
This will allow the template tag
{% slot %}
to be used like this:{% slot required %} ... {% endslot %}\n
-
The
render
method is the actual implementation of the template tag.This is where the tag's logic is implemented:
class MyNode(BaseNode):\n tag = \"mynode\"\n\n def render(self, context: Context, name: str, **kwargs: Any) -> str:\n return f\"Hello, {name}!\"\n
This will allow the template tag
{% mynode %}
to be used like this:{% mynode name=\"John\" %}\n
The template tag accepts parameters as defined on the
render
method's signature.For more info, see
BaseNode.render()
.Methods:
-
parse
\u2013 -
register
\u2013 -
render
\u2013 -
unregister
\u2013
Attributes:
-
active_flags
(List[str]
) \u2013 -
allowed_flags
(Optional[List[str]]
) \u2013 -
end_tag
(Optional[str]
) \u2013 -
flags
\u2013 -
node_id
\u2013 -
nodelist
\u2013 -
params
\u2013 -
tag
(str
) \u2013
property
","text":"active_flags: List[str]\n
See source code
Flags that were set for this specific instance.
"},{"location":"reference/api/#django_components.BaseNode.allowed_flags","title":"allowed_flagsclass-attribute
instance-attribute
","text":"allowed_flags: Optional[List[str]] = None\n
See source code
The allowed flags for this tag.
E.g.
"},{"location":"reference/api/#django_components.BaseNode.end_tag","title":"end_tag[\"required\"]
will allow this tag to be used like{% slot required %}
.class-attribute
instance-attribute
","text":"end_tag: Optional[str] = None\n
See source code
The end tag name.
E.g.
\"endcomponent\"
or\"endslot\"
will make this class match template tags{% endcomponent %}
or{% endslot %}
.If not set, then this template tag has no end tag.
So instead of
"},{"location":"reference/api/#django_components.BaseNode.flags","title":"flags{% component %} ... {% endcomponent %}
, you'd use only{% component %}
.instance-attribute
","text":"
"},{"location":"reference/api/#django_components.BaseNode.node_id","title":"node_idflags = flags or {flag: Falsefor flag in allowed_flags or []}\n
instance-attribute
","text":"
"},{"location":"reference/api/#django_components.BaseNode.nodelist","title":"nodelistnode_id = node_id or gen_id()\n
instance-attribute
","text":"
"},{"location":"reference/api/#django_components.BaseNode.params","title":"paramsnodelist = nodelist or NodeList()\n
instance-attribute
","text":"
"},{"location":"reference/api/#django_components.BaseNode.tag","title":"tagparams = params\n
instance-attribute
","text":"tag: str\n
See source code
The tag name.
E.g.
"},{"location":"reference/api/#django_components.BaseNode.parse","title":"parse\"component\"
or\"slot\"
will make this class match template tags{% component %}
or{% slot %}
.classmethod
","text":"parse(parser: Parser, token: Token, **kwargs: Any) -> BaseNode\n
See source code
This function is what is passed to Django's
Library.tag()
when registering the tag.In other words, this method is called by Django's template parser when we encounter a tag that matches this node's tag, e.g.
{% component %}
or{% slot %}
.To register the tag, you can use
"},{"location":"reference/api/#django_components.BaseNode.register","title":"registerBaseNode.register()
.classmethod
","text":"register(library: Library) -> None\n
See source code
A convenience method for registering the tag with the given library.
class MyNode(BaseNode):\n tag = \"mynode\"\n\nMyNode.register(library)\n
Allows you to then use the node in templates like so:
"},{"location":"reference/api/#django_components.BaseNode.render","title":"render","text":"{% load mylibrary %}\n{% mynode %}\n
render(context: Context, *args: Any, **kwargs: Any) -> str\n
See source code
Render the node. This method is meant to be overridden by subclasses.
The signature of this function decides what input the template tag accepts.
The
render()
method MUST accept acontext
argument. Any arguments after that will be part of the tag's input parameters.So if you define a
render
method like this:def render(self, context: Context, name: str, **kwargs: Any) -> str:\n
Then the tag will require the
name
parameter, and accept any extra keyword arguments:
"},{"location":"reference/api/#django_components.BaseNode.unregister","title":"unregister{% component name=\"John\" age=20 %}\n
classmethod
","text":"unregister(library: Library) -> None\n
See source code
Unregisters the node from the given library.
"},{"location":"reference/api/#django_components.CommandLiteralAction","title":"CommandLiteralActionmodule-attribute
","text":"CommandLiteralAction = Literal['append', 'append_const', 'count', 'extend', 'store', 'store_const', 'store_true', 'store_false', 'version']\n
See source code
The basic type of action to be taken when this argument is encountered at the command line.
This is a subset of the values for
"},{"location":"reference/api/#django_components.Component","title":"Component","text":"action
inArgumentParser.add_argument()
.Component(registered_name: Optional[str] = None, outer_context: Optional[Context] = None, registry: Optional[ComponentRegistry] = None)\n
Methods:
-
as_view
\u2013 -
get_context_data
\u2013 -
get_css_data
\u2013 -
get_js_data
\u2013 -
get_template
\u2013 -
get_template_data
\u2013 -
get_template_name
\u2013 -
inject
\u2013 -
on_render_after
\u2013 -
on_render_before
\u2013 -
render
\u2013 -
render_to_response
\u2013
Attributes:
-
Args
(Type
) \u2013 -
Cache
(Type[ComponentCache]
) \u2013 -
CssData
(Type
) \u2013 -
Defaults
(Type[ComponentDefaults]
) \u2013 -
JsData
(Type
) \u2013 -
Kwargs
(Type
) \u2013 -
Media
(Optional[Type[ComponentMediaInput]]
) \u2013 -
Slots
(Type
) \u2013 -
TemplateData
(Type
) \u2013 -
View
(Type[ComponentView]
) \u2013 -
cache
(ComponentCache
) \u2013 -
class_id
(str
) \u2013 -
context_processors_data
(Dict
) \u2013 -
css
(Optional[str]
) \u2013 -
css_file
(Optional[str]
) \u2013 -
defaults
(ComponentDefaults
) \u2013 -
id
(str
) \u2013 -
input
(ComponentInput
) \u2013 -
is_filled
(SlotIsFilled
) \u2013 -
js
(Optional[str]
) \u2013 -
js_file
(Optional[str]
) \u2013 -
media
(Optional[Media]
) \u2013 -
media_class
(Type[Media]
) \u2013 -
name
(str
) \u2013 -
outer_context
(Optional[Context]
) \u2013 -
registered_name
(Optional[str]
) \u2013 -
registry
\u2013 -
request
(Optional[HttpRequest]
) \u2013 -
response_class
\u2013 -
template
(Optional[Union[str, Template]]
) \u2013 -
template_file
(Optional[str]
) \u2013 -
template_name
(Optional[str]
) \u2013 -
view
(ComponentView
) \u2013
class-attribute
instance-attribute
","text":"Args: Type = cast(Type, None)\n
See source code
Optional typing for positional arguments passed to the component.
If set and not
None
, then theargs
parameter of the data methods (get_template_data()
,get_js_data()
,get_css_data()
) will be the instance of this class:from typing import NamedTuple\nfrom django_components import Component\n\nclass Table(Component):\n class Args(NamedTuple):\n color: str\n size: int\n\n def get_template_data(self, args: Args, kwargs, slots, context):\n assert isinstance(args, Table.Args)\n\n return {\n \"color\": args.color,\n \"size\": args.size,\n }\n
The constructor of this class MUST accept positional arguments:
Args(*args)\n
As such, a good starting point is to set this field to a subclass of
NamedTuple
.Use
Args
to:- Validate the input at runtime.
- Set type hints for the positional arguments for data methods like
get_template_data()
. - Document the component inputs.
You can also use
Args
to validate the positional arguments forComponent.render()
:Table.render(\n args=Table.Args(color=\"red\", size=10),\n)\n
Read more on Typing and validation.
"},{"location":"reference/api/#django_components.Component.Cache","title":"Cacheinstance-attribute
","text":"Cache: Type[ComponentCache]\n
See source code
The fields of this class are used to configure the component caching.
Read more about Component caching.
Example:
"},{"location":"reference/api/#django_components.Component.CssData","title":"CssDatafrom django_components import Component\n\nclass MyComponent(Component):\n class Cache:\n enabled = True\n ttl = 60 * 60 * 24 # 1 day\n cache_name = \"my_cache\"\n
class-attribute
instance-attribute
","text":"CssData: Type = cast(Type, None)\n
See source code
Optional typing for the data to be returned from
get_css_data()
.If set and not
None
, then this class will be instantiated with the dictionary returned fromget_css_data()
to validate the data.The constructor of this class MUST accept keyword arguments:
CssData(**css_data)\n
You can also return an instance of
CssData
directly fromget_css_data()
to get type hints:from typing import NamedTuple\nfrom django_components import Component\n\nclass Table(Component):\n class CssData(NamedTuple):\n color: str\n size: int\n\n def get_css_data(self, args, kwargs, slots, context):\n return Table.CssData(\n color=kwargs[\"color\"],\n size=kwargs[\"size\"],\n )\n
A good starting point is to set this field to a subclass of
NamedTuple
or a dataclass.Use
CssData
to:- Validate the data returned from
get_css_data()
at runtime. - Set type hints for this data.
- Document the component data.
Read more on Typing and validation.
Info
If you use a custom class for
CssData
, this class needs to be convertable to a dictionary.You can implement either:
-
_asdict()
methodclass MyClass:\n def __init__(self):\n self.x = 1\n self.y = 2\n\n def _asdict(self):\n return {'x': self.x, 'y': self.y}\n
-
Or make the class dict-like with
__iter__()
and__getitem__()
class MyClass:\n def __init__(self):\n self.x = 1\n self.y = 2\n\n def __iter__(self):\n return iter([('x', self.x), ('y', self.y)])\n\n def __getitem__(self, key):\n return getattr(self, key)\n
instance-attribute
","text":"Defaults: Type[ComponentDefaults]\n
See source code
The fields of this class are used to set default values for the component's kwargs.
Read more about Component defaults.
Example:
"},{"location":"reference/api/#django_components.Component.JsData","title":"JsDatafrom django_components import Component, Default\n\nclass MyComponent(Component):\n class Defaults:\n position = \"left\"\n selected_items = Default(lambda: [1, 2, 3])\n
class-attribute
instance-attribute
","text":"JsData: Type = cast(Type, None)\n
See source code
Optional typing for the data to be returned from
get_js_data()
.If set and not
None
, then this class will be instantiated with the dictionary returned fromget_js_data()
to validate the data.The constructor of this class MUST accept keyword arguments:
JsData(**js_data)\n
You can also return an instance of
JsData
directly fromget_js_data()
to get type hints:from typing import NamedTuple\nfrom django_components import Component\n\nclass Table(Component):\n class JsData(NamedTuple):\n color: str\n size: int\n\n def get_js_data(self, args, kwargs, slots, context):\n return Table.JsData(\n color=kwargs[\"color\"],\n size=kwargs[\"size\"],\n )\n
A good starting point is to set this field to a subclass of
NamedTuple
or a dataclass.Use
JsData
to:- Validate the data returned from
get_js_data()
at runtime. - Set type hints for this data.
- Document the component data.
Read more on Typing and validation.
Info
If you use a custom class for
JsData
, this class needs to be convertable to a dictionary.You can implement either:
-
_asdict()
methodclass MyClass:\n def __init__(self):\n self.x = 1\n self.y = 2\n\n def _asdict(self):\n return {'x': self.x, 'y': self.y}\n
-
Or make the class dict-like with
__iter__()
and__getitem__()
class MyClass:\n def __init__(self):\n self.x = 1\n self.y = 2\n\n def __iter__(self):\n return iter([('x', self.x), ('y', self.y)])\n\n def __getitem__(self, key):\n return getattr(self, key)\n
class-attribute
instance-attribute
","text":"Kwargs: Type = cast(Type, None)\n
See source code
Optional typing for keyword arguments passed to the component.
If set and not
None
, then thekwargs
parameter of the data methods (get_template_data()
,get_js_data()
,get_css_data()
) will be the instance of this class:from typing import NamedTuple\nfrom django_components import Component\n\nclass Table(Component):\n class Kwargs(NamedTuple):\n color: str\n size: int\n\n def get_template_data(self, args, kwargs: Kwargs, slots, context):\n assert isinstance(kwargs, Table.Kwargs)\n\n return {\n \"color\": kwargs.color,\n \"size\": kwargs.size,\n }\n
The constructor of this class MUST accept keyword arguments:
Kwargs(**kwargs)\n
As such, a good starting point is to set this field to a subclass of
NamedTuple
or a dataclass.Use
Kwargs
to:- Validate the input at runtime.
- Set type hints for the keyword arguments for data methods like
get_template_data()
. - Document the component inputs.
You can also use
Kwargs
to validate the keyword arguments forComponent.render()
:Table.render(\n kwargs=Table.Kwargs(color=\"red\", size=10),\n)\n
Read more on Typing and validation.
"},{"location":"reference/api/#django_components.Component.Media","title":"Mediaclass-attribute
instance-attribute
","text":"Media: Optional[Type[ComponentMediaInput]] = None\n
See source code
Defines JS and CSS media files associated with this component.
This
Media
class behaves similarly to Django's Media class:- Paths are generally handled as static file paths, and resolved URLs are rendered to HTML with
media_class.render_js()
ormedia_class.render_css()
. - A path that starts with
http
,https
, or/
is considered a URL, skipping the static file resolution. This path is still rendered to HTML withmedia_class.render_js()
ormedia_class.render_css()
. - A
SafeString
(with__html__
method) is considered an already-formatted HTML tag, skipping both static file resolution and rendering withmedia_class.render_js()
ormedia_class.render_css()
. - You can set
extend
to configure whether to inherit JS / CSS from parent components. See Media inheritance.
However, there's a few differences from Django's Media class:
- Our Media class accepts various formats for the JS and CSS files: either a single file, a list, or (CSS-only) a dictionary (See
ComponentMediaInput
). - Individual JS / CSS files can be any of
str
,bytes
,Path
,SafeString
, or a function (SeeComponentMediaInputPath
).
Example:
"},{"location":"reference/api/#django_components.Component.Slots","title":"Slotsclass MyTable(Component):\n class Media:\n js = [\n \"path/to/script.js\",\n \"https://unpkg.com/alpinejs@3.14.7/dist/cdn.min.js\", # AlpineJS\n ]\n css = {\n \"all\": [\n \"path/to/style.css\",\n \"https://unpkg.com/tailwindcss@^2/dist/tailwind.min.css\", # TailwindCSS\n ],\n \"print\": [\"path/to/style2.css\"],\n }\n
class-attribute
instance-attribute
","text":"Slots: Type = cast(Type, None)\n
See source code
Optional typing for slots passed to the component.
If set and not
None
, then theslots
parameter of the data methods (get_template_data()
,get_js_data()
,get_css_data()
) will be the instance of this class:from typing import NamedTuple\nfrom django_components import Component, Slot, SlotInput\n\nclass Table(Component):\n class Slots(NamedTuple):\n header: SlotInput\n footer: Slot\n\n def get_template_data(self, args, kwargs, slots: Slots, context):\n assert isinstance(slots, Table.Slots)\n\n return {\n \"header\": slots.header,\n \"footer\": slots.footer,\n }\n
The constructor of this class MUST accept keyword arguments:
Slots(**slots)\n
As such, a good starting point is to set this field to a subclass of
NamedTuple
or a dataclass.Use
Slots
to:- Validate the input at runtime.
- Set type hints for the slots for data methods like
get_template_data()
. - Document the component inputs.
You can also use
Slots
to validate the slots forComponent.render()
:Table.render(\n slots=Table.Slots(\n header=\"HELLO IM HEADER\",\n footer=Slot(lambda: ...),\n ),\n)\n
Read more on Typing and validation.
Info
Components can receive slots as strings, functions, or instances of
Slot
.Internally these are all normalized to instances of
Slot
.Therefore, the
slots
dictionary available in data methods (likeget_template_data()
) will always be a dictionary ofSlot
instances.To correctly type this dictionary, you should set the fields of
Slots
toSlot
orSlotInput
:
"},{"location":"reference/api/#django_components.Component.TemplateData","title":"TemplateDataSlotInput
is a union ofSlot
, string, and function types.class-attribute
instance-attribute
","text":"TemplateData: Type = cast(Type, None)\n
See source code
Optional typing for the data to be returned from
get_template_data()
.If set and not
None
, then this class will be instantiated with the dictionary returned fromget_template_data()
to validate the data.The constructor of this class MUST accept keyword arguments:
TemplateData(**template_data)\n
You can also return an instance of
TemplateData
directly fromget_template_data()
to get type hints:from typing import NamedTuple\nfrom django_components import Component\n\nclass Table(Component):\n class TemplateData(NamedTuple):\n color: str\n size: int\n\n def get_template_data(self, args, kwargs, slots, context):\n return Table.TemplateData(\n color=kwargs[\"color\"],\n size=kwargs[\"size\"],\n )\n
A good starting point is to set this field to a subclass of
NamedTuple
or a dataclass.Use
TemplateData
to:- Validate the data returned from
get_template_data()
at runtime. - Set type hints for this data.
- Document the component data.
Read more on Typing and validation.
Info
If you use a custom class for
TemplateData
, this class needs to be convertable to a dictionary.You can implement either:
-
_asdict()
methodclass MyClass:\n def __init__(self):\n self.x = 1\n self.y = 2\n\n def _asdict(self):\n return {'x': self.x, 'y': self.y}\n
-
Or make the class dict-like with
__iter__()
and__getitem__()
class MyClass:\n def __init__(self):\n self.x = 1\n self.y = 2\n\n def __iter__(self):\n return iter([('x', self.x), ('y', self.y)])\n\n def __getitem__(self, key):\n return getattr(self, key)\n
instance-attribute
","text":"View: Type[ComponentView]\n
See source code
The fields of this class are used to configure the component views and URLs.
This class is a subclass of
django.views.View
. TheComponent
instance is available viaself.component
.Override the methods of this class to define the behavior of the component.
Read more about Component views and URLs.
Example:
"},{"location":"reference/api/#django_components.Component.cache","title":"cacheclass MyComponent(Component):\n class View:\n def get(self, request: HttpRequest, *args: Any, **kwargs: Any) -> HttpResponse:\n return HttpResponse(\"Hello, world!\")\n
instance-attribute
","text":"cache: ComponentCache\n
See source code
Instance of
"},{"location":"reference/api/#django_components.Component.class_id","title":"class_idComponentCache
available at component render time.class-attribute
","text":"class_id: str\n
See source code
Unique ID of the component class, e.g.
MyComponent_ab01f2
.This is derived from the component class' module import path, e.g.
"},{"location":"reference/api/#django_components.Component.context_processors_data","title":"context_processors_datapath.to.my.MyComponent
.property
","text":"context_processors_data: Dict\n
See source code
Retrieve data injected by
context_processors
.This data is also available from within the component's template, without having to return this data from
get_template_data()
.In regular Django templates, you need to use
RequestContext
to apply context processors.In Components, the context processors are applied to components either when:
- The component is rendered with
RequestContext
(Regular Django behavior) - The component is rendered with a regular
Context
(or none), but therequest
kwarg ofComponent.render()
is set. - The component is nested in another component that matches any of these conditions.
See
Component.request
on how therequest
(HTTPRequest) object is passed to and within the components.Raises
RuntimeError
if accessed outside of rendering execution.NOTE: This dictionary is generated dynamically, so any changes to it will not be persisted.
Example:
"},{"location":"reference/api/#django_components.Component.css","title":"cssclass MyComponent(Component):\n def get_template_data(self, args, kwargs, slots, context):\n user = self.context_processors_data['user']\n return {\n 'is_logged_in': user.is_authenticated,\n }\n
class-attribute
instance-attribute
","text":"css: Optional[str] = None\n
See source code
Main CSS associated with this component inlined as string.
Only one of
css
orcss_file
must be defined.Example:
"},{"location":"reference/api/#django_components.Component.css_file","title":"css_fileclass MyComponent(Component):\n css = \"\"\"\n .my-class {\n color: red;\n }\n \"\"\"\n
class-attribute
instance-attribute
","text":"css_file: Optional[str] = None\n
See source code
Main CSS associated with this component as file path.
The filepath must be either:
- Relative to the directory where the Component's Python file is defined.
- Relative to one of the component directories, as set by
COMPONENTS.dirs
orCOMPONENTS.app_dirs
(e.g.<root>/components/
). - Relative to the staticfiles directories, as set by Django's
STATICFILES_DIRS
setting (e.g.<root>/static/
).
When you create a Component class with
css_file
, these will happen:- If the file path is relative to the directory where the component's Python file is, the path is resolved.
- The file is read and its contents is set to
Component.css
.
Only one of
css
orcss_file
must be defined.Example:
path/to/style.css
path/to/component.py.my-class {\n color: red;\n}\n
"},{"location":"reference/api/#django_components.Component.defaults","title":"defaultsclass MyComponent(Component):\n css_file = \"path/to/style.css\"\n\nprint(MyComponent.css)\n# Output:\n# .my-class {\n# color: red;\n# };\n
instance-attribute
","text":"defaults: ComponentDefaults\n
See source code
Instance of
"},{"location":"reference/api/#django_components.Component.id","title":"idComponentDefaults
available at component render time.property
","text":"id: str\n
See source code
This ID is unique for every time a
Component.render()
(or equivalent) is called (AKA \"render ID\").This is useful for logging or debugging.
Raises
RuntimeError
if accessed outside of rendering execution.The ID is a 7-letter alphanumeric string in the format
cXXXXXX
, whereXXXXXX
is a random string of 6 alphanumeric characters (case-sensitive).E.g.
c1A2b3c
.A single render ID has a chance of collision 1 in 57 billion. However, due to birthday paradox, the chance of collision increases to 1% when approaching ~33K render IDs.
Thus, there is currently a soft-cap of ~30K components rendered on a single page.
If you need to expand this limit, please open an issue on GitHub.
Example:
"},{"location":"reference/api/#django_components.Component.input","title":"inputclass MyComponent(Component):\n def get_template_data(self, args, kwargs, slots, context):\n print(f\"Rendering '{self.id}'\")\n return {}\n\nMyComponent.render()\n# Rendering 'ab3c4d'\n
property
","text":"input: ComponentInput\n
See source code
Input holds the data that were passed to the current component at render time.
Raises
RuntimeError
if accessed outside of rendering execution.This includes:
args
- List of positional argumentskwargs
- Dictionary of keyword argumentsslots
- Dictionary of slots. Values are normalized toSlot
instancescontext
-Context
object that should be used to render the component- And other kwargs passed to
Component.render()
likedeps_strategy
Read more on Component inputs.
Example:
"},{"location":"reference/api/#django_components.Component.is_filled","title":"is_filledclass Table(Component):\n def get_template_data(self, args, kwargs, slots, context):\n # Access component's inputs, slots and context\n assert self.input.args == [123, \"str\"]\n assert self.input.kwargs == {\"variable\": \"test\", \"another\": 1}\n footer_slot = self.input.slots[\"footer\"]\n some_var = self.input.context[\"some_var\"]\n\n return {}\n\nrendered = TestComponent.render(\n kwargs={\"variable\": \"test\", \"another\": 1},\n args=(123, \"str\"),\n slots={\"footer\": \"MY_SLOT\"},\n)\n
property
","text":"is_filled: SlotIsFilled\n
See source code
Dictionary describing which slots have or have not been filled.
This attribute is available for use only within the template as
{{ component_vars.is_filled.slot_name }}
, and withinon_render_before
andon_render_after
hooks.Raises
"},{"location":"reference/api/#django_components.Component.js","title":"jsRuntimeError
if accessed outside of rendering execution.class-attribute
instance-attribute
","text":"js: Optional[str] = None\n
See source code
Main JS associated with this component inlined as string.
Only one of
js
orjs_file
must be defined.Example:
"},{"location":"reference/api/#django_components.Component.js_file","title":"js_fileclass MyComponent(Component):\n js = \"console.log('Hello, World!');\"\n
class-attribute
instance-attribute
","text":"js_file: Optional[str] = None\n
See source code
Main JS associated with this component as file path.
The filepath must be either:
- Relative to the directory where the Component's Python file is defined.
- Relative to one of the component directories, as set by
COMPONENTS.dirs
orCOMPONENTS.app_dirs
(e.g.<root>/components/
). - Relative to the staticfiles directories, as set by Django's
STATICFILES_DIRS
setting (e.g.<root>/static/
).
When you create a Component class with
js_file
, these will happen:- If the file path is relative to the directory where the component's Python file is, the path is resolved.
- The file is read and its contents is set to
Component.js
.
Only one of
js
orjs_file
must be defined.Example:
path/to/script.js
path/to/component.pyconsole.log('Hello, World!');\n
"},{"location":"reference/api/#django_components.Component.media","title":"mediaclass MyComponent(Component):\n js_file = \"path/to/script.js\"\n\nprint(MyComponent.js)\n# Output: console.log('Hello, World!');\n
class-attribute
instance-attribute
","text":"media: Optional[Media] = None\n
See source code
Normalized definition of JS and CSS media files associated with this component.
None
ifComponent.Media
is not defined.This field is generated from
Component.media_class
.Read more on Accessing component's HTML / JS / CSS.
Example:
"},{"location":"reference/api/#django_components.Component.media_class","title":"media_classclass MyComponent(Component):\n class Media:\n js = \"path/to/script.js\"\n css = \"path/to/style.css\"\n\nprint(MyComponent.media)\n# Output:\n# <script src=\"/static/path/to/script.js\"></script>\n# <link href=\"/static/path/to/style.css\" media=\"all\" rel=\"stylesheet\">\n
class-attribute
instance-attribute
","text":"media_class: Type[Media] = Media\n
See source code
Set the Media class that will be instantiated with the JS and CSS media files from
Component.Media
.This is useful when you want to customize the behavior of the media files, like customizing how the JS or CSS files are rendered into
<script>
or<link>
HTML tags.Read more in Defining HTML / JS / CSS files.
Example:
"},{"location":"reference/api/#django_components.Component.name","title":"nameclass MyTable(Component):\n class Media:\n js = \"path/to/script.js\"\n css = \"path/to/style.css\"\n\n media_class = MyMediaClass\n
property
","text":"
"},{"location":"reference/api/#django_components.Component.outer_context","title":"outer_contextname: str\n
instance-attribute
","text":"
"},{"location":"reference/api/#django_components.Component.registered_name","title":"registered_nameouter_context: Optional[Context] = outer_context\n
instance-attribute
","text":"
"},{"location":"reference/api/#django_components.Component.registry","title":"registryregistered_name: Optional[str] = registered_name\n
instance-attribute
","text":"
"},{"location":"reference/api/#django_components.Component.request","title":"requestregistry = registry or registry\n
property
","text":"request: Optional[HttpRequest]\n
See source code
HTTPRequest object passed to this component.
In regular Django templates, you have to use
RequestContext
to pass theHttpRequest
object to the template.But in Components, you can either use
RequestContext
, or pass therequest
object explicitly viaComponent.render()
andComponent.render_to_response()
.When a component is nested in another, the child component uses parent's
request
object.Raises
RuntimeError
if accessed outside of rendering execution.Example:
"},{"location":"reference/api/#django_components.Component.response_class","title":"response_classclass MyComponent(Component):\n def get_template_data(self, args, kwargs, slots, context):\n user_id = self.request.GET['user_id']\n return {\n 'user_id': user_id,\n }\n
class-attribute
instance-attribute
","text":"response_class = HttpResponse\n
See source code
This attribute configures what class is used to generate response from
Component.render_to_response()
.The response class should accept a string as the first argument.
Defaults to
django.http.HttpResponse
.Example:
"},{"location":"reference/api/#django_components.Component.template","title":"templatefrom django.http import HttpResponse\nfrom django_components import Component\n\nclass MyHttpResponse(HttpResponse):\n ...\n\nclass MyComponent(Component):\n response_class = MyHttpResponse\n\nresponse = MyComponent.render_to_response()\nassert isinstance(response, MyHttpResponse)\n
class-attribute
instance-attribute
","text":"template: Optional[Union[str, Template]] = None\n
See source code
Inlined Django template associated with this component. Can be a plain string or a Template instance.
Only one of
template_file
,get_template_name
,template
orget_template
must be defined.Example:
"},{"location":"reference/api/#django_components.Component.template_file","title":"template_fileclass MyComponent(Component):\n template = \"Hello, {{ name }}!\"\n\n def get_template_data(self, args, kwargs, slots, context):\n return {\"name\": \"World\"}\n
class-attribute
instance-attribute
","text":"template_file: Optional[str] = None\n
See source code
Filepath to the Django template associated with this component.
The filepath must be either:
- Relative to the directory where the Component's Python file is defined.
- Relative to one of the component directories, as set by
COMPONENTS.dirs
orCOMPONENTS.app_dirs
(e.g.<root>/components/
). - Relative to the template directories, as set by Django's
TEMPLATES
setting (e.g.<root>/templates/
).
Only one of
template_file
,get_template_name
,template
orget_template
must be defined.Example:
"},{"location":"reference/api/#django_components.Component.template_name","title":"template_nameclass MyComponent(Component):\n template_file = \"path/to/template.html\"\n\n def get_template_data(self, args, kwargs, slots, context):\n return {\"name\": \"World\"}\n
instance-attribute
","text":"template_name: Optional[str]\n
See source code
Alias for
template_file
.For historical reasons, django-components used
template_name
to align with Django's TemplateView.template_file
was introduced to align withjs/js_file
andcss/css_file
.Setting and accessing this attribute is proxied to
"},{"location":"reference/api/#django_components.Component.view","title":"viewtemplate_file
.instance-attribute
","text":"view: ComponentView\n
See source code
Instance of
"},{"location":"reference/api/#django_components.Component.as_view","title":"as_viewComponentView
available at component render time.classmethod
","text":"as_view(**initkwargs: Any) -> ViewFn\n
See source code
Shortcut for calling
Component.View.as_view
and passing component instance to it.Read more on Component views and URLs.
"},{"location":"reference/api/#django_components.Component.get_context_data","title":"get_context_data","text":"get_context_data(*args: Any, **kwargs: Any) -> Optional[Mapping]\n
See source code
DEPRECATED: Use
get_template_data()
instead. Will be removed in v2.Use this method to define variables that will be available in the template.
Receives the args and kwargs as they were passed to the Component.
This method has access to the Render API.
Read more about Template variables.
Example:
class MyComponent(Component):\n def get_context_data(self, name, *args, **kwargs):\n return {\n \"name\": name,\n \"id\": self.id,\n }\n\n template = \"Hello, {{ name }}!\"\n\nMyComponent.render(name=\"World\")\n
Warning
get_context_data()
andget_template_data()
are mutually exclusive.If both methods return non-empty dictionaries, an error will be raised.
"},{"location":"reference/api/#django_components.Component.get_css_data","title":"get_css_data","text":"get_css_data(args: Any, kwargs: Any, slots: Any, context: Context) -> Optional[Mapping]\n
See source code
Use this method to define variables that will be available from within the component's CSS code.
This method has access to the Render API.
The data returned from this method will be serialized to string.
Read more about CSS variables.
Example:
class MyComponent(Component):\n def get_css_data(self, args, kwargs, slots, context):\n return {\n \"color\": kwargs[\"color\"],\n }\n\n css = '''\n .my-class {\n color: var(--color);\n }\n '''\n\nMyComponent.render(color=\"red\")\n
Args:
args
: Positional arguments passed to the component.kwargs
: Keyword arguments passed to the component.slots
: Slots passed to the component.context
:Context
used for rendering the component template.
Pass-through kwargs:
It's best practice to explicitly define what args and kwargs a component accepts.
However, if you want a looser setup, you can easily write components that accept any number of kwargs, and pass them all to the CSS code.
To do that, simply return the
kwargs
dictionary itself fromget_css_data()
:class MyComponent(Component):\n def get_css_data(self, args, kwargs, slots, context):\n return kwargs\n
Type hints:
To get type hints for the
args
,kwargs
, andslots
parameters, you can define theArgs
,Kwargs
, andSlots
classes on the component class, and then directly reference them in the function signature ofget_css_data()
.When you set these classes, the
args
,kwargs
, andslots
parameters will be given as instances of these (args
instance ofArgs
, etc).When you omit these classes, or set them to
None
, then theargs
,kwargs
, andslots
parameters will be given as plain lists / dictionaries, unmodified.Read more on Typing and validation.
Example:
from typing import NamedTuple\nfrom django.template import Context\nfrom django_components import Component, SlotInput\n\nclass MyComponent(Component):\n class Args(NamedTuple):\n color: str\n\n class Kwargs(NamedTuple):\n size: int\n\n class Slots(NamedTuple):\n footer: SlotInput\n\n def get_css_data(self, args: Args, kwargs: Kwargs, slots: Slots, context: Context):\n assert isinstance(args, MyComponent.Args)\n assert isinstance(kwargs, MyComponent.Kwargs)\n assert isinstance(slots, MyComponent.Slots)\n\n return {\n \"color\": args.color,\n \"size\": kwargs.size,\n }\n
You can also add typing to the data returned from
get_css_data()
by defining theCssData
class on the component class.When you set this class, you can return either the data as a plain dictionary, or an instance of
CssData
.If you return plain dictionary, the data will be validated against the
CssData
class by instantiating it with the dictionary.Example:
"},{"location":"reference/api/#django_components.Component.get_js_data","title":"get_js_data","text":"class MyComponent(Component):\n class CssData(NamedTuple):\n color: str\n size: int\n\n def get_css_data(self, args, kwargs, slots, context):\n return {\n \"color\": kwargs[\"color\"],\n \"size\": kwargs[\"size\"],\n }\n # or\n return MyComponent.CssData(\n color=kwargs[\"color\"],\n size=kwargs[\"size\"],\n )\n
get_js_data(args: Any, kwargs: Any, slots: Any, context: Context) -> Optional[Mapping]\n
See source code
Use this method to define variables that will be available from within the component's JavaScript code.
This method has access to the Render API.
The data returned from this method will be serialized to JSON.
Read more about JavaScript variables.
Example:
class MyComponent(Component):\n def get_js_data(self, args, kwargs, slots, context):\n return {\n \"name\": kwargs[\"name\"],\n \"id\": self.id,\n }\n\n js = '''\n $onLoad(({ name, id }) => {\n console.log(name, id);\n });\n '''\n\nMyComponent.render(name=\"World\")\n
Args:
args
: Positional arguments passed to the component.kwargs
: Keyword arguments passed to the component.slots
: Slots passed to the component.context
:Context
used for rendering the component template.
Pass-through kwargs:
It's best practice to explicitly define what args and kwargs a component accepts.
However, if you want a looser setup, you can easily write components that accept any number of kwargs, and pass them all to the JavaScript code.
To do that, simply return the
kwargs
dictionary itself fromget_js_data()
:class MyComponent(Component):\n def get_js_data(self, args, kwargs, slots, context):\n return kwargs\n
Type hints:
To get type hints for the
args
,kwargs
, andslots
parameters, you can define theArgs
,Kwargs
, andSlots
classes on the component class, and then directly reference them in the function signature ofget_js_data()
.When you set these classes, the
args
,kwargs
, andslots
parameters will be given as instances of these (args
instance ofArgs
, etc).When you omit these classes, or set them to
None
, then theargs
,kwargs
, andslots
parameters will be given as plain lists / dictionaries, unmodified.Read more on Typing and validation.
Example:
from typing import NamedTuple\nfrom django.template import Context\nfrom django_components import Component, SlotInput\n\nclass MyComponent(Component):\n class Args(NamedTuple):\n color: str\n\n class Kwargs(NamedTuple):\n size: int\n\n class Slots(NamedTuple):\n footer: SlotInput\n\n def get_js_data(self, args: Args, kwargs: Kwargs, slots: Slots, context: Context):\n assert isinstance(args, MyComponent.Args)\n assert isinstance(kwargs, MyComponent.Kwargs)\n assert isinstance(slots, MyComponent.Slots)\n\n return {\n \"color\": args.color,\n \"size\": kwargs.size,\n \"id\": self.id,\n }\n
You can also add typing to the data returned from
get_js_data()
by defining theJsData
class on the component class.When you set this class, you can return either the data as a plain dictionary, or an instance of
JsData
.If you return plain dictionary, the data will be validated against the
JsData
class by instantiating it with the dictionary.Example:
"},{"location":"reference/api/#django_components.Component.get_template","title":"get_template","text":"class MyComponent(Component):\n class JsData(NamedTuple):\n color: str\n size: int\n\n def get_js_data(self, args, kwargs, slots, context):\n return {\n \"color\": kwargs[\"color\"],\n \"size\": kwargs[\"size\"],\n }\n # or\n return MyComponent.JsData(\n color=kwargs[\"color\"],\n size=kwargs[\"size\"],\n )\n
get_template(context: Context) -> Optional[Union[str, Template]]\n
See source code
Inlined Django template associated with this component. Can be a plain string or a Template instance.
Only one of
"},{"location":"reference/api/#django_components.Component.get_template_data","title":"get_template_data","text":"template_file
,get_template_name
,template
orget_template
must be defined.get_template_data(args: Any, kwargs: Any, slots: Any, context: Context) -> Optional[Mapping]\n
See source code
Use this method to define variables that will be available in the template.
This method has access to the Render API.
Read more about Template variables.
Example:
class MyComponent(Component):\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"name\": kwargs[\"name\"],\n \"id\": self.id,\n }\n\n template = \"Hello, {{ name }}!\"\n\nMyComponent.render(name=\"World\")\n
Args:
args
: Positional arguments passed to the component.kwargs
: Keyword arguments passed to the component.slots
: Slots passed to the component.context
:Context
used for rendering the component template.
Pass-through kwargs:
It's best practice to explicitly define what args and kwargs a component accepts.
However, if you want a looser setup, you can easily write components that accept any number of kwargs, and pass them all to the template (similar to django-cotton).
To do that, simply return the
kwargs
dictionary itself fromget_template_data()
:class MyComponent(Component):\n def get_template_data(self, args, kwargs, slots, context):\n return kwargs\n
Type hints:
To get type hints for the
args
,kwargs
, andslots
parameters, you can define theArgs
,Kwargs
, andSlots
classes on the component class, and then directly reference them in the function signature ofget_template_data()
.When you set these classes, the
args
,kwargs
, andslots
parameters will be given as instances of these (args
instance ofArgs
, etc).When you omit these classes, or set them to
None
, then theargs
,kwargs
, andslots
parameters will be given as plain lists / dictionaries, unmodified.Read more on Typing and validation.
Example:
from typing import NamedTuple\nfrom django.template import Context\nfrom django_components import Component, SlotInput\n\nclass MyComponent(Component):\n class Args(NamedTuple):\n color: str\n\n class Kwargs(NamedTuple):\n size: int\n\n class Slots(NamedTuple):\n footer: SlotInput\n\n def get_template_data(self, args: Args, kwargs: Kwargs, slots: Slots, context: Context):\n assert isinstance(args, MyComponent.Args)\n assert isinstance(kwargs, MyComponent.Kwargs)\n assert isinstance(slots, MyComponent.Slots)\n\n return {\n \"color\": args.color,\n \"size\": kwargs.size,\n \"id\": self.id,\n }\n
You can also add typing to the data returned from
get_template_data()
by defining theTemplateData
class on the component class.When you set this class, you can return either the data as a plain dictionary, or an instance of
TemplateData
.If you return plain dictionary, the data will be validated against the
TemplateData
class by instantiating it with the dictionary.Example:
class MyComponent(Component):\n class TemplateData(NamedTuple):\n color: str\n size: int\n\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"color\": kwargs[\"color\"],\n \"size\": kwargs[\"size\"],\n }\n # or\n return MyComponent.TemplateData(\n color=kwargs[\"color\"],\n size=kwargs[\"size\"],\n )\n
Warning
get_template_data()
andget_context_data()
are mutually exclusive.If both methods return non-empty dictionaries, an error will be raised.
"},{"location":"reference/api/#django_components.Component.get_template_name","title":"get_template_name","text":"get_template_name(context: Context) -> Optional[str]\n
See source code
Filepath to the Django template associated with this component.
The filepath must be relative to either the file where the component class was defined, or one of the roots of
STATIFILES_DIRS
.Only one of
"},{"location":"reference/api/#django_components.Component.inject","title":"inject","text":"template_file
,get_template_name
,template
orget_template
must be defined.inject(key: str, default: Optional[Any] = None) -> Any\n
See source code
Use this method to retrieve the data that was passed to a
{% provide %}
tag with the corresponding key.To retrieve the data,
inject()
must be called inside a component that's inside the{% provide %}
tag.You may also pass a default that will be used if the
{% provide %}
tag with given key was NOT found.This method is part of the Render API, and raises an error if called from outside the rendering execution.
Read more about Provide / Inject.
Example:
Given this template:
{% provide \"my_provide\" message=\"hello\" %}\n {% component \"my_comp\" / %}\n{% endprovide %}\n
And given this definition of \"my_comp\" component:
from django_components import Component, register\n\n@register(\"my_comp\")\nclass MyComp(Component):\n template = \"hi {{ message }}!\"\n\n def get_template_data(self, args, kwargs, slots, context):\n data = self.inject(\"my_provide\")\n message = data.message\n return {\"message\": message}\n
This renders into:
hi hello!\n
As the
"},{"location":"reference/api/#django_components.Component.on_render_after","title":"on_render_after","text":"{{ message }}
is taken from the \"my_provide\" provider.on_render_after(context: Context, template: Template, content: str) -> Optional[SlotResult]\n
See source code
Hook that runs just after the component's template was rendered. It receives the rendered output as the last argument.
You can use this hook to access the context or the template, but modifying them won't have any effect.
To override the content that gets rendered, you can return a string or SafeString from this hook.
"},{"location":"reference/api/#django_components.Component.on_render_before","title":"on_render_before","text":"on_render_before(context: Context, template: Template) -> None\n
See source code
Hook that runs just before the component's template is rendered.
You can use this hook to access or modify the context or the template.
"},{"location":"reference/api/#django_components.Component.render","title":"renderclassmethod
","text":"render(\n context: Optional[Union[Dict[str, Any], Context]] = None,\n args: Optional[Any] = None,\n kwargs: Optional[Any] = None,\n slots: Optional[Any] = None,\n escape_slots_content: bool = True,\n deps_strategy: DependenciesStrategy = \"document\",\n type: Optional[DependenciesStrategy] = None,\n render_dependencies: bool = True,\n request: Optional[HttpRequest] = None,\n) -> str\n
See source code
Render the component into a string. This is the equivalent of calling the
{% component %}
tag.Button.render(\n args=[\"John\"],\n kwargs={\n \"surname\": \"Doe\",\n \"age\": 30,\n },\n slots={\n \"footer\": \"i AM A SLOT\",\n },\n)\n
Inputs:
-
args
- Optional. A list of positional args for the component. This is the same as calling the component as:{% component \"button\" arg1 arg2 ... %}\n
-
kwargs
- Optional. A dictionary of keyword arguments for the component. This is the same as calling the component as:{% component \"button\" key1=val1 key2=val2 ... %}\n
-
slots
- Optional. A dictionary of slot fills. This is the same as passing{% fill %}
tags to the component.{% component \"button\" %}\n {% fill \"content\" %}\n Click me!\n {% endfill %}\n{% endcomponent %}\n
Dictionary keys are the slot names. Dictionary values are the slot fills.
Slot fills can be strings, render functions, or
Slot
instances:Button.render(\n slots={\n \"content\": \"Click me!\"\n \"content2\": lambda *a, **kwa: \"Click me!\",\n \"content3\": Slot(lambda *a, **kwa: \"Click me!\"),\n },\n)\n
-
context
- Optional. Plain dictionary or Django's Context. The context within which the component is rendered.When a component is rendered within a template with the
{% component %}
tag, this will be set to the Context instance that is used for rendering the template.When you call
Component.render()
directly from Python, you can ignore this input most of the time. Instead useargs
,kwargs
, andslots
to pass data to the component.You can pass
RequestContext
to thecontext
argument, so that the component will gain access to the request object and will use context processors. Read more on Working with HTTP requests.Button.render(\n context=RequestContext(request),\n)\n
For advanced use cases, you can use
context
argument to \"pre-render\" the component in Python, and then pass the rendered output as plain string to the template. With this, the inner component is rendered as if it was within the template with{% component %}
.class Button(Component):\n def render(self, context, template):\n # Pass `context` to Icon component so it is rendered\n # as if nested within Button.\n icon = Icon.render(\n context=context,\n args=[\"icon-name\"],\n deps_strategy=\"ignore\",\n )\n # Update context with icon\n with context.update({\"icon\": icon}):\n return template.render(context)\n
Whether the variables defined in
context
are available to the template depends on the context behavior mode:-
In
\"django\"
context behavior mode, the template will have access to the keys of this context. -
In
\"isolated\"
context behavior mode, the template will NOT have access to this context, and data MUST be passed via component's args and kwargs.
-
-
deps_strategy
- Optional. Configure how to handle JS and CSS dependencies. Read more about Dependencies rendering.There are six strategies:
\"document\"
(default)- Smartly inserts JS / CSS into placeholders or into
<head>
and<body>
tags. - Inserts extra script to allow
fragment
types to work. - Assumes the HTML will be rendered in a JS-enabled browser.
- Smartly inserts JS / CSS into placeholders or into
\"fragment\"
- A lightweight HTML fragment to be inserted into a document with AJAX.
- No JS / CSS included.
\"simple\"
- Smartly insert JS / CSS into placeholders or into
<head>
and<body>
tags. - No extra script loaded.
- Smartly insert JS / CSS into placeholders or into
\"prepend\"
- Insert JS / CSS before the rendered HTML.
- No extra script loaded.
\"append\"
- Insert JS / CSS after the rendered HTML.
- No extra script loaded.
\"ignore\"
- HTML is left as-is. You can still process it with a different strategy later with
render_dependencies()
. - Used for inserting rendered HTML into other components.
- HTML is left as-is. You can still process it with a different strategy later with
-
request
- Optional. HTTPRequest object. Pass a request object directly to the component to apply context processors.Read more about Working with HTTP requests.
-
escape_slots_content
- Optional. Whether the content fromslots
should be escaped with Django'sescape
. Defaults toTrue
.
Type hints:
Component.render()
is NOT typed. To add type hints, you can wrap the inputs in component'sArgs
,Kwargs
, andSlots
classes.Read more on Typing and validation.
"},{"location":"reference/api/#django_components.Component.render_to_response","title":"render_to_responsefrom typing import NamedTuple, Optional\nfrom django_components import Component, Slot, SlotInput\n\n# Define the component with the types\nclass Button(Component):\n class Args(NamedTuple):\n name: str\n\n class Kwargs(NamedTuple):\n surname: str\n age: int\n\n class Slots(NamedTuple):\n my_slot: Optional[SlotInput] = None\n footer: SlotInput\n\n# Add type hints to the render call\nButton.render(\n args=Button.Args(\n name=\"John\",\n ),\n kwargs=Button.Kwargs(\n surname=\"Doe\",\n age=30,\n ),\n slots=Button.Slots(\n footer=Slot(lambda *a, **kwa: \"Click me!\"),\n ),\n)\n
classmethod
","text":"render_to_response(\n context: Optional[Union[Dict[str, Any], Context]] = None,\n args: Optional[Any] = None,\n kwargs: Optional[Any] = None,\n slots: Optional[Any] = None,\n escape_slots_content: bool = True,\n deps_strategy: DependenciesStrategy = \"document\",\n type: Optional[DependenciesStrategy] = None,\n render_dependencies: bool = True,\n request: Optional[HttpRequest] = None,\n **response_kwargs: Any\n) -> HttpResponse\n
See source code
Render the component and wrap the content in an HTTP response class.
render_to_response()
takes the same inputs asComponent.render()
. See that method for more information.After the component is rendered, the HTTP response class is instantiated with the rendered content.
Any additional kwargs are passed to the response class.
Example:
Button.render_to_response(\n args=[\"John\"],\n kwargs={\n \"surname\": \"Doe\",\n \"age\": 30,\n },\n slots={\n \"footer\": \"i AM A SLOT\",\n },\n # HttpResponse kwargs\n status=201,\n headers={...},\n)\n# HttpResponse(content=..., status=201, headers=...)\n
Custom response class:
You can set a custom response class on the component via
Component.response_class
. Defaults todjango.http.HttpResponse
.
"},{"location":"reference/api/#django_components.ComponentCache","title":"ComponentCache","text":"from django.http import HttpResponse\nfrom django_components import Component\n\nclass MyHttpResponse(HttpResponse):\n ...\n\nclass MyComponent(Component):\n response_class = MyHttpResponse\n\nresponse = MyComponent.render_to_response()\nassert isinstance(response, MyHttpResponse)\n
Bases:
django_components.extension.BaseExtensionClass
See source code
The interface for
Component.Cache
.The fields of this class are used to configure the component caching.
Read more about Component caching.
Example:
from django_components import Component\n\nclass MyComponent(Component):\n class Cache:\n enabled = True\n ttl = 60 * 60 * 24 # 1 day\n cache_name = \"my_cache\"\n
Methods:
-
get_cache
\u2013 -
get_cache_key
\u2013 -
get_entry
\u2013 -
hash
\u2013 -
set_entry
\u2013
Attributes:
-
cache_name
(Optional[str]
) \u2013 -
enabled
(bool
) \u2013 -
ttl
(Optional[int]
) \u2013
class-attribute
instance-attribute
","text":"cache_name: Optional[str] = None\n
See source code
The name of the cache to use. If
"},{"location":"reference/api/#django_components.ComponentCache.enabled","title":"enabledNone
, the default cache will be used.class-attribute
instance-attribute
","text":"enabled: bool = False\n
See source code
Whether this Component should be cached. Defaults to
"},{"location":"reference/api/#django_components.ComponentCache.ttl","title":"ttlFalse
.class-attribute
instance-attribute
","text":"ttl: Optional[int] = None\n
See source code
The time-to-live (TTL) in seconds, i.e. for how long should an entry be valid in the cache.
- If
> 0
, the entries will be cached for the given number of seconds. - If
-1
, the entries will be cached indefinitely. - If
0
, the entries won't be cached. - If
None
, the default TTL will be used.
"},{"location":"reference/api/#django_components.ComponentCache.get_cache_key","title":"get_cache_key","text":"get_cache() -> BaseCache\n
"},{"location":"reference/api/#django_components.ComponentCache.get_entry","title":"get_entry","text":"get_cache_key(*args: Any, **kwargs: Any) -> str\n
"},{"location":"reference/api/#django_components.ComponentCache.hash","title":"hash","text":"get_entry(cache_key: str) -> Any\n
hash(*args: Any, **kwargs: Any) -> str\n
See source code
Defines how the input (both args and kwargs) is hashed into a cache key.
By default,
"},{"location":"reference/api/#django_components.ComponentCache.set_entry","title":"set_entry","text":"hash()
serializes the input into a string. As such, the default implementation might NOT be suitable if you need to hash complex objects.
"},{"location":"reference/api/#django_components.ComponentDefaults","title":"ComponentDefaults","text":"set_entry(cache_key: str, value: Any) -> None\n
Bases:
django_components.extension.BaseExtensionClass
See source code
The interface for
Component.Defaults
.The fields of this class are used to set default values for the component's kwargs.
Read more about Component defaults.
Example:
"},{"location":"reference/api/#django_components.ComponentExtension","title":"ComponentExtension","text":"from django_components import Component, Default\n\nclass MyComponent(Component):\n class Defaults:\n position = \"left\"\n selected_items = Default(lambda: [1, 2, 3])\n
Bases:
object
See source code
Base class for all extensions.
Read more on Extensions.
Methods:
-
on_component_class_created
\u2013 -
on_component_class_deleted
\u2013 -
on_component_data
\u2013 -
on_component_input
\u2013 -
on_component_registered
\u2013 -
on_component_rendered
\u2013 -
on_component_unregistered
\u2013 -
on_registry_created
\u2013 -
on_registry_deleted
\u2013
Attributes:
-
ExtensionClass
\u2013 -
class_name
(str
) \u2013 -
commands
(List[Type[ComponentCommand]]
) \u2013 -
name
(str
) \u2013 -
urls
(List[URLRoute]
) \u2013
class-attribute
instance-attribute
","text":"ExtensionClass = BaseExtensionClass\n
See source code
Base class that the \"extension class\" nested within a
Component
class will inherit from.This is where you can define new methods and attributes that will be available to the component instance.
Background:
The extension may add new features to the
Component
class by allowing users to define and access a nested class in theComponent
class. E.g.:class MyComp(Component):\n class MyExtension:\n ...\n\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"my_extension\": self.my_extension.do_something(),\n }\n
When rendering a component, the nested extension class will be set as a subclass of
ExtensionClass
. So it will be same as if the user had directly inherited fromExtensionClass
. E.g.:class MyComp(Component):\n class MyExtension(ComponentExtension.ExtensionClass):\n ...\n
This setting decides what the extension class will inherit from.
"},{"location":"reference/api/#django_components.ComponentExtension.class_name","title":"class_nameinstance-attribute
","text":"class_name: str\n
See source code
Name of the extension class.
By default, this is the same as
name
, but with snake_case converted to PascalCase.So if the extension name is
\"my_extension\"
, then the extension class name will be\"MyExtension\"
.
"},{"location":"reference/api/#django_components.ComponentExtension.commands","title":"commandsclass MyComp(Component):\n class MyExtension: # <--- This is the extension class\n ...\n
class-attribute
instance-attribute
","text":"commands: List[Type[ComponentCommand]] = []\n
See source code
List of commands that can be run by the extension.
These commands will be available to the user as
components ext run <extension> <command>
.Commands are defined as subclasses of
ComponentCommand
.Example:
This example defines an extension with a command that prints \"Hello world\". To run the command, the user would run
components ext run hello_world hello
.
"},{"location":"reference/api/#django_components.ComponentExtension.name","title":"namefrom django_components import ComponentCommand, ComponentExtension, CommandArg, CommandArgGroup\n\nclass HelloWorldCommand(ComponentCommand):\n name = \"hello\"\n help = \"Hello world command.\"\n\n # Allow to pass flags `--foo`, `--bar` and `--baz`.\n # Argument parsing is managed by `argparse`.\n arguments = [\n CommandArg(\n name_or_flags=\"--foo\",\n help=\"Foo description.\",\n ),\n # When printing the command help message, `bar` and `baz`\n # will be grouped under \"group bar\".\n CommandArgGroup(\n title=\"group bar\",\n description=\"Group description.\",\n arguments=[\n CommandArg(\n name_or_flags=\"--bar\",\n help=\"Bar description.\",\n ),\n CommandArg(\n name_or_flags=\"--baz\",\n help=\"Baz description.\",\n ),\n ],\n ),\n ]\n\n # Callback that receives the parsed arguments and options.\n def handle(self, *args, **kwargs):\n print(f\"HelloWorldCommand.handle: args={args}, kwargs={kwargs}\")\n\n# Associate the command with the extension\nclass HelloWorldExtension(ComponentExtension):\n name = \"hello_world\"\n\n commands = [\n HelloWorldCommand,\n ]\n
instance-attribute
","text":"name: str\n
See source code
Name of the extension.
Name must be lowercase, and must be a valid Python identifier (e.g.
\"my_extension\"
).The extension may add new features to the
Component
class by allowing users to define and access a nested class in theComponent
class.The extension name determines the name of the nested class in the
Component
class, and the attribute under which the extension will be accessible.E.g. if the extension name is
\"my_extension\"
, then the nested class in theComponent
class will beMyExtension
, and the extension will be accessible asMyComp.my_extension
.
"},{"location":"reference/api/#django_components.ComponentExtension.urls","title":"urlsclass MyComp(Component):\n class MyExtension:\n ...\n\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"my_extension\": self.my_extension.do_something(),\n }\n
class-attribute
instance-attribute
","text":"
"},{"location":"reference/api/#django_components.ComponentExtension.on_component_class_created","title":"on_component_class_created","text":"urls: List[URLRoute] = []\n
on_component_class_created(ctx: OnComponentClassCreatedContext) -> None\n
See source code
Called when a new
Component
class is created.This hook is called after the
Component
class is fully defined but before it's registered.Use this hook to perform any initialization or validation of the
Component
class.Example:
"},{"location":"reference/api/#django_components.ComponentExtension.on_component_class_deleted","title":"on_component_class_deleted","text":"from django_components import ComponentExtension, OnComponentClassCreatedContext\n\nclass MyExtension(ComponentExtension):\n def on_component_class_created(self, ctx: OnComponentClassCreatedContext) -> None:\n # Add a new attribute to the Component class\n ctx.component_cls.my_attr = \"my_value\"\n
on_component_class_deleted(ctx: OnComponentClassDeletedContext) -> None\n
See source code
Called when a
Component
class is being deleted.This hook is called before the
Component
class is deleted from memory.Use this hook to perform any cleanup related to the
Component
class.Example:
"},{"location":"reference/api/#django_components.ComponentExtension.on_component_data","title":"on_component_data","text":"from django_components import ComponentExtension, OnComponentClassDeletedContext\n\nclass MyExtension(ComponentExtension):\n def on_component_class_deleted(self, ctx: OnComponentClassDeletedContext) -> None:\n # Remove Component class from the extension's cache on deletion\n self.cache.pop(ctx.component_cls, None)\n
on_component_data(ctx: OnComponentDataContext) -> None\n
See source code
Called when a
Component
was triggered to render, after a component's context and data methods have been processed.This hook is called after
Component.get_template_data()
,Component.get_js_data()
andComponent.get_css_data()
.This hook runs after
on_component_input
.Use this hook to modify or validate the component's data before rendering.
Example:
"},{"location":"reference/api/#django_components.ComponentExtension.on_component_input","title":"on_component_input","text":"from django_components import ComponentExtension, OnComponentDataContext\n\nclass MyExtension(ComponentExtension):\n def on_component_data(self, ctx: OnComponentDataContext) -> None:\n # Add extra template variable to all components when they are rendered\n ctx.template_data[\"my_template_var\"] = \"my_value\"\n
on_component_input(ctx: OnComponentInputContext) -> Optional[str]\n
See source code
Called when a
Component
was triggered to render, but before a component's context and data methods are invoked.Use this hook to modify or validate component inputs before they're processed.
This is the first hook that is called when rendering a component. As such this hook is called before
Component.get_template_data()
,Component.get_js_data()
, andComponent.get_css_data()
methods, and theon_component_data
hook.This hook also allows to skip the rendering of a component altogether. If the hook returns a non-null value, this value will be used instead of rendering the component.
You can use this to implement a caching mechanism for components, or define components that will be rendered conditionally.
Example:
"},{"location":"reference/api/#django_components.ComponentExtension.on_component_registered","title":"on_component_registered","text":"from django_components import ComponentExtension, OnComponentInputContext\n\nclass MyExtension(ComponentExtension):\n def on_component_input(self, ctx: OnComponentInputContext) -> None:\n # Add extra kwarg to all components when they are rendered\n ctx.kwargs[\"my_input\"] = \"my_value\"\n
on_component_registered(ctx: OnComponentRegisteredContext) -> None\n
See source code
Called when a
Component
class is registered with aComponentRegistry
.This hook is called after a
Component
class is successfully registered.Example:
"},{"location":"reference/api/#django_components.ComponentExtension.on_component_rendered","title":"on_component_rendered","text":"from django_components import ComponentExtension, OnComponentRegisteredContext\n\nclass MyExtension(ComponentExtension):\n def on_component_registered(self, ctx: OnComponentRegisteredContext) -> None:\n print(f\"Component {ctx.component_cls} registered to {ctx.registry} as '{ctx.name}'\")\n
on_component_rendered(ctx: OnComponentRenderedContext) -> Optional[str]\n
See source code
Called when a
Component
was rendered, including all its child components.Use this hook to access or post-process the component's rendered output.
To modify the output, return a new string from this hook.
Example:
"},{"location":"reference/api/#django_components.ComponentExtension.on_component_unregistered","title":"on_component_unregistered","text":"from django_components import ComponentExtension, OnComponentRenderedContext\n\nclass MyExtension(ComponentExtension):\n def on_component_rendered(self, ctx: OnComponentRenderedContext) -> Optional[str]:\n # Append a comment to the component's rendered output\n return ctx.result + \"<!-- MyExtension comment -->\"\n
on_component_unregistered(ctx: OnComponentUnregisteredContext) -> None\n
See source code
Called when a
Component
class is unregistered from aComponentRegistry
.This hook is called after a
Component
class is removed from the registry.Example:
"},{"location":"reference/api/#django_components.ComponentExtension.on_registry_created","title":"on_registry_created","text":"from django_components import ComponentExtension, OnComponentUnregisteredContext\n\nclass MyExtension(ComponentExtension):\n def on_component_unregistered(self, ctx: OnComponentUnregisteredContext) -> None:\n print(f\"Component {ctx.component_cls} unregistered from {ctx.registry} as '{ctx.name}'\")\n
on_registry_created(ctx: OnRegistryCreatedContext) -> None\n
See source code
Called when a new
ComponentRegistry
is created.This hook is called after a new
ComponentRegistry
instance is initialized.Use this hook to perform any initialization needed for the registry.
Example:
"},{"location":"reference/api/#django_components.ComponentExtension.on_registry_deleted","title":"on_registry_deleted","text":"from django_components import ComponentExtension, OnRegistryCreatedContext\n\nclass MyExtension(ComponentExtension):\n def on_registry_created(self, ctx: OnRegistryCreatedContext) -> None:\n # Add a new attribute to the registry\n ctx.registry.my_attr = \"my_value\"\n
on_registry_deleted(ctx: OnRegistryDeletedContext) -> None\n
See source code
Called when a
ComponentRegistry
is being deleted.This hook is called before a
ComponentRegistry
instance is deleted.Use this hook to perform any cleanup related to the registry.
Example:
"},{"location":"reference/api/#django_components.ComponentFileEntry","title":"ComponentFileEntry","text":"from django_components import ComponentExtension, OnRegistryDeletedContext\n\nclass MyExtension(ComponentExtension):\n def on_registry_deleted(self, ctx: OnRegistryDeletedContext) -> None:\n # Remove registry from the extension's cache on deletion\n self.cache.pop(ctx.registry, None)\n
Bases:
tuple
See source code
Result returned by
get_component_files()
.Attributes:
-
dot_path
(str
) \u2013 -
filepath
(Path
) \u2013
instance-attribute
","text":"dot_path: str\n
See source code
The python import path for the module. E.g.
"},{"location":"reference/api/#django_components.ComponentFileEntry.filepath","title":"filepathapp.components.mycomp
instance-attribute
","text":"filepath: Path\n
See source code
The filesystem path to the module. E.g.
"},{"location":"reference/api/#django_components.ComponentInput","title":"ComponentInput/path/to/project/app/components/mycomp.py
dataclass
","text":"ComponentInput(\n context: Context,\n args: List,\n kwargs: Dict,\n slots: Dict[SlotName, Slot],\n deps_strategy: DependenciesStrategy,\n type: DependenciesStrategy,\n render_dependencies: bool,\n)\n
Bases:
object
See source code
Object holding the inputs that were passed to
Component.render()
or the{% component %}
template tag.This object is available only during render under
Component.input
.Read more about the Render API.
This class can be typed as:
Attributes:
-
args
(List
) \u2013 -
context
(Context
) \u2013 -
deps_strategy
(DependenciesStrategy
) \u2013 -
kwargs
(Dict
) \u2013 -
render_dependencies
(bool
) \u2013 -
slots
(Dict[SlotName, Slot]
) \u2013 -
type
(DependenciesStrategy
) \u2013
instance-attribute
","text":"
"},{"location":"reference/api/#django_components.ComponentInput.context","title":"contextargs: List\n
instance-attribute
","text":"
"},{"location":"reference/api/#django_components.ComponentInput.deps_strategy","title":"deps_strategycontext: Context\n
instance-attribute
","text":"
"},{"location":"reference/api/#django_components.ComponentInput.kwargs","title":"kwargsdeps_strategy: DependenciesStrategy\n
instance-attribute
","text":"
"},{"location":"reference/api/#django_components.ComponentInput.render_dependencies","title":"render_dependencieskwargs: Dict\n
instance-attribute
","text":"render_dependencies: bool\n
See source code
Deprecated. Instead use
"},{"location":"reference/api/#django_components.ComponentInput.slots","title":"slotsdeps_strategy=\"ignore\"
.instance-attribute
","text":"
"},{"location":"reference/api/#django_components.ComponentInput.type","title":"typeslots: Dict[SlotName, Slot]\n
instance-attribute
","text":"type: DependenciesStrategy\n
See source code
Deprecated alias for
"},{"location":"reference/api/#django_components.ComponentMediaInput","title":"ComponentMediaInput","text":"deps_strategy
.Bases:
typing.Protocol
See source code
Defines JS and CSS media files associated with a
Component
.class MyTable(Component):\n class Media:\n js = [\n \"path/to/script.js\",\n \"https://unpkg.com/alpinejs@3.14.7/dist/cdn.min.js\", # AlpineJS\n ]\n css = {\n \"all\": [\n \"path/to/style.css\",\n \"https://unpkg.com/tailwindcss@^2/dist/tailwind.min.css\", # TailwindCSS\n ],\n \"print\": [\"path/to/style2.css\"],\n }\n
Attributes:
-
css
(Optional[Union[ComponentMediaInputPath, List[ComponentMediaInputPath], Dict[str, ComponentMediaInputPath], Dict[str, List[ComponentMediaInputPath]]]]
) \u2013 -
extend
(Union[bool, List[Type[Component]]]
) \u2013 -
js
(Optional[Union[ComponentMediaInputPath, List[ComponentMediaInputPath]]]
) \u2013
class-attribute
instance-attribute
","text":"css: Optional[\n Union[\n ComponentMediaInputPath, List[ComponentMediaInputPath], Dict[str, ComponentMediaInputPath], Dict[str, List[ComponentMediaInputPath]]\n ]\n] = None\n
See source code
CSS files associated with a
Component
.-
If a string, it's assumed to be a path to a CSS file.
-
If a list, each entry is assumed to be a path to a CSS file.
-
If a dict, the keys are media types (e.g. \"all\", \"print\", \"screen\", etc.), and the values are either:
- A string, assumed to be a path to a CSS file.
- A list, each entry is assumed to be a path to a CSS file.
Each entry can be a string, bytes, SafeString, PathLike, or a callable that returns one of the former (see
ComponentMediaInputPath
).Examples:
class MyComponent(Component):\n class Media:\n css = \"path/to/style.css\"\n
class MyComponent(Component):\n class Media:\n css = [\"path/to/style1.css\", \"path/to/style2.css\"]\n
class MyComponent(Component):\n class Media:\n css = {\n \"all\": \"path/to/style.css\",\n \"print\": \"path/to/print.css\",\n }\n
"},{"location":"reference/api/#django_components.ComponentMediaInput.extend","title":"extendclass MyComponent(Component):\n class Media:\n css = {\n \"all\": [\"path/to/style1.css\", \"path/to/style2.css\"],\n \"print\": \"path/to/print.css\",\n }\n
class-attribute
instance-attribute
","text":"extend: Union[bool, List[Type[Component]]] = True\n
See source code
Configures whether the component should inherit the media files from the parent component.
- If
True
, the component inherits the media files from the parent component. - If
False
, the component does not inherit the media files from the parent component. - If a list of components classes, the component inherits the media files ONLY from these specified components.
Read more in Media inheritance section.
Example:
Disable media inheritance:
class ParentComponent(Component):\n class Media:\n js = [\"parent.js\"]\n\nclass MyComponent(ParentComponent):\n class Media:\n extend = False # Don't inherit parent media\n js = [\"script.js\"]\n\nprint(MyComponent.media._js) # [\"script.js\"]\n
Specify which components to inherit from. In this case, the media files are inherited ONLY from the specified components, and NOT from the original parent components:
"},{"location":"reference/api/#django_components.ComponentMediaInput.js","title":"jsclass ParentComponent(Component):\n class Media:\n js = [\"parent.js\"]\n\nclass MyComponent(ParentComponent):\n class Media:\n # Only inherit from these, ignoring the files from the parent\n extend = [OtherComponent1, OtherComponent2]\n\n js = [\"script.js\"]\n\nprint(MyComponent.media._js) # [\"script.js\", \"other1.js\", \"other2.js\"]\n
class-attribute
instance-attribute
","text":"js: Optional[Union[ComponentMediaInputPath, List[ComponentMediaInputPath]]] = None\n
See source code
JS files associated with a
Component
.-
If a string, it's assumed to be a path to a JS file.
-
If a list, each entry is assumed to be a path to a JS file.
Each entry can be a string, bytes, SafeString, PathLike, or a callable that returns one of the former (see
ComponentMediaInputPath
).Examples:
class MyComponent(Component):\n class Media:\n js = \"path/to/script.js\"\n
class MyComponent(Component):\n class Media:\n js = [\"path/to/script1.js\", \"path/to/script2.js\"]\n
"},{"location":"reference/api/#django_components.ComponentMediaInputPath","title":"ComponentMediaInputPathclass MyComponent(Component):\n class Media:\n js = lambda: [\"path/to/script1.js\", \"path/to/script2.js\"]\n
module-attribute
","text":"ComponentMediaInputPath = Union[str, bytes, SafeData, Path, PathLike, Callable[[], Union[str, bytes, SafeData, Path, PathLike]]]\n
See source code
A type representing an entry in Media.js or Media.css.
If an entry is a SafeString (or has
__html__
method), then entry is assumed to be a formatted HTML tag. Otherwise, it's assumed to be a path to a file.Example:
"},{"location":"reference/api/#django_components.ComponentRegistry","title":"ComponentRegistry","text":"class MyComponent\n class Media:\n js = [\n \"path/to/script.js\",\n b\"script.js\",\n SafeString(\"<script src='path/to/script.js'></script>\"),\n ]\n css = [\n Path(\"path/to/style.css\"),\n lambda: \"path/to/style.css\",\n lambda: Path(\"path/to/style.css\"),\n ]\n
ComponentRegistry(\n library: Optional[Library] = None, settings: Optional[Union[RegistrySettings, Callable[[ComponentRegistry], RegistrySettings]]] = None\n)\n
Bases:
object
See source code
Manages components and makes them available in the template, by default as
{% component %}
tags.{% component \"my_comp\" key=value %}\n{% endcomponent %}\n
To enable a component to be used in a template, the component must be registered with a component registry.
When you register a component to a registry, behind the scenes the registry automatically adds the component's template tag (e.g.
{% component %}
to theLibrary
. And the opposite happens when you unregister a component - the tag is removed.See Registering components.
Parameters:
-
library
(Library
, default:None
) \u2013Django
Library
associated with this registry. If omitted, the default Library instance from django_components is used. -
settings
(Union[RegistrySettings, Callable[[ComponentRegistry], RegistrySettings]]
, default:None
) \u2013Configure how the components registered with this registry will behave when rendered. See
RegistrySettings
. Can be either a static value or a callable that returns the settings. If omitted, the settings fromCOMPONENTS
are used.
Notes:
- The default registry is available as
django_components.registry
. - The default registry is used when registering components with
@register
decorator.
Example:
"},{"location":"reference/api/#django_components.ComponentRegistry--using-registry-to-share-components","title":"Using registry to share components","text":"# Use with default Library\nregistry = ComponentRegistry()\n\n# Or a custom one\nmy_lib = Library()\nregistry = ComponentRegistry(library=my_lib)\n\n# Usage\nregistry.register(\"button\", ButtonComponent)\nregistry.register(\"card\", CardComponent)\nregistry.all()\nregistry.clear()\nregistry.get(\"button\")\nregistry.has(\"button\")\n
You can use component registry for isolating or \"packaging\" components:
-
Create new instance of
ComponentRegistry
and Library:my_comps = Library()\nmy_comps_reg = ComponentRegistry(library=my_comps)\n
-
Register components to the registry:
my_comps_reg.register(\"my_button\", ButtonComponent)\nmy_comps_reg.register(\"my_card\", CardComponent)\n
-
In your target project, load the Library associated with the registry:
{% load my_comps %}\n
-
Use the registered components in your templates:
{% component \"button\" %}\n{% endcomponent %}\n
Methods:
-
all
\u2013 -
clear
\u2013 -
get
\u2013 -
has
\u2013 -
register
\u2013 -
unregister
\u2013
Attributes:
-
library
(Library
) \u2013 -
settings
(InternalRegistrySettings
) \u2013
property
","text":"library: Library\n
See source code
The template tag
"},{"location":"reference/api/#django_components.ComponentRegistry.settings","title":"settingsLibrary
that is associated with the registry.property
","text":"settings: InternalRegistrySettings\n
See source code
Registry settings configured for this registry.
"},{"location":"reference/api/#django_components.ComponentRegistry.all","title":"all","text":"all() -> Dict[str, Type[Component]]\n
See source code
Retrieve all registered
Component
classes.Returns:
-
Dict[str, Type[Component]]
\u2013Dict[str, Type[Component]]: A dictionary of component names to component classes
Example:
"},{"location":"reference/api/#django_components.ComponentRegistry.clear","title":"clear","text":"# First register components\nregistry.register(\"button\", ButtonComponent)\nregistry.register(\"card\", CardComponent)\n# Then get all\nregistry.all()\n# > {\n# > \"button\": ButtonComponent,\n# > \"card\": CardComponent,\n# > }\n
clear() -> None\n
See source code
Clears the registry, unregistering all components.
Example:
"},{"location":"reference/api/#django_components.ComponentRegistry.get","title":"get","text":"# First register components\nregistry.register(\"button\", ButtonComponent)\nregistry.register(\"card\", CardComponent)\n# Then clear\nregistry.clear()\n# Then get all\nregistry.all()\n# > {}\n
get(name: str) -> Type[Component]\n
See source code
Retrieve a
Component
class registered under the given name.Parameters:
-
name
(str
) \u2013The name under which the component was registered. Required.
Returns:
-
Type[Component]
\u2013Type[Component]: The component class registered under the given name.
Raises:
NotRegistered
if the given name is not registered.
Example:
"},{"location":"reference/api/#django_components.ComponentRegistry.has","title":"has","text":"# First register component\nregistry.register(\"button\", ButtonComponent)\n# Then get\nregistry.get(\"button\")\n# > ButtonComponent\n
has(name: str) -> bool\n
See source code
Check if a
Component
class is registered under the given name.Parameters:
-
name
(str
) \u2013The name under which the component was registered. Required.
Returns:
-
bool
(bool
) \u2013True
if the component is registered,False
otherwise.
Example:
"},{"location":"reference/api/#django_components.ComponentRegistry.register","title":"register","text":"# First register component\nregistry.register(\"button\", ButtonComponent)\n# Then check\nregistry.has(\"button\")\n# > True\n
register(name: str, component: Type[Component]) -> None\n
See source code
Register a
Component
class with this registry under the given name.A component MUST be registered before it can be used in a template such as:
{% component \"my_comp\" %}\n{% endcomponent %}\n
Parameters:
-
name
(str
) \u2013The name under which the component will be registered. Required.
-
component
(Type[Component]
) \u2013The component class to register. Required.
Raises:
AlreadyRegistered
if a different component was already registered under the same name.
Example:
"},{"location":"reference/api/#django_components.ComponentRegistry.unregister","title":"unregister","text":"registry.register(\"button\", ButtonComponent)\n
unregister(name: str) -> None\n
See source code
Unregister the
Component
class that was registered under the given name.Once a component is unregistered, it is no longer available in the templates.
Parameters:
-
name
(str
) \u2013The name under which the component is registered. Required.
Raises:
NotRegistered
if the given name is not registered.
Example:
"},{"location":"reference/api/#django_components.ComponentVars","title":"ComponentVars","text":"# First register component\nregistry.register(\"button\", ButtonComponent)\n# Then unregister\nregistry.unregister(\"button\")\n
Bases:
tuple
See source code
Type for the variables available inside the component templates.
All variables here are scoped under
component_vars.
, so e.g. attributeis_filled
on this class is accessible inside the template as:{{ component_vars.is_filled }}\n
Attributes:
-
is_filled
(Dict[str, bool]
) \u2013
instance-attribute
","text":"is_filled: Dict[str, bool]\n
See source code
Dictonary describing which component slots are filled (
True
) or are not (False
).New in version 0.70
Use as
{{ component_vars.is_filled }}
Example:
{# Render wrapping HTML only if the slot is defined #}\n{% if component_vars.is_filled.my_slot %}\n <div class=\"slot-wrapper\">\n {% slot \"my_slot\" / %}\n </div>\n{% endif %}\n
This is equivalent to checking if a given key is among the slot fills:
"},{"location":"reference/api/#django_components.ComponentView","title":"ComponentView","text":"class MyTable(Component):\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"my_slot_filled\": \"my_slot\" in slots\n }\n
ComponentView(component: Component, **kwargs: Any)\n
Bases:
django_components.extension.BaseExtensionClass
,django.views.generic.base.View
See source code
The interface for
Component.View
.The fields of this class are used to configure the component views and URLs.
This class is a subclass of
django.views.View
. TheComponent
instance is available viaself.component
.Override the methods of this class to define the behavior of the component.
Read more about Component views and URLs.
Example:
class MyComponent(Component):\n class View:\n def get(self, request: HttpRequest, *args: Any, **kwargs: Any) -> HttpResponse:\n return HttpResponse(\"Hello, world!\")\n
Component URL:
If the
public
attribute is set toTrue
, the component will have its own URL that will point to the Component's View.from django_components import Component\n\nclass MyComponent(Component):\n class View:\n public = True\n\n def get(self, request, *args, **kwargs):\n return HttpResponse(\"Hello, world!\")\n
Will create a URL route like
/components/ext/view/components/a1b2c3/
.To get the URL for the component, use
get_component_url
:url = get_component_url(MyComponent)\n
Methods:
-
delete
\u2013 -
get
\u2013 -
head
\u2013 -
options
\u2013 -
patch
\u2013 -
post
\u2013 -
put
\u2013 -
trace
\u2013
Attributes:
-
component
\u2013 -
public
\u2013 -
url
(str
) \u2013
class-attribute
instance-attribute
","text":"component = cast('Component', None)\n
See source code
The component instance.
This is a dummy instance created solely for the View methods.
It is the same as if you instantiated the component class directly:
"},{"location":"reference/api/#django_components.ComponentView.public","title":"publiccomponent = Calendar()\ncomponent.render_to_response(request=request)\n
class-attribute
instance-attribute
","text":"public = False\n
See source code
Whether the component should be available via a URL.
Example:
from django_components import Component\n\nclass MyComponent(Component):\n class View:\n public = True\n
Will create a URL route like
/components/ext/view/components/a1b2c3/
.To get the URL for the component, use
get_component_url
:
"},{"location":"reference/api/#django_components.ComponentView.url","title":"urlurl = get_component_url(MyComponent)\n
property
","text":"url: str\n
See source code
The URL for the component.
Raises
"},{"location":"reference/api/#django_components.ComponentView.delete","title":"delete","text":"RuntimeError
if the component is not public.
"},{"location":"reference/api/#django_components.ComponentView.get","title":"get","text":"delete(request: HttpRequest, *args: Any, **kwargs: Any) -> HttpResponse\n
"},{"location":"reference/api/#django_components.ComponentView.head","title":"head","text":"get(request: HttpRequest, *args: Any, **kwargs: Any) -> HttpResponse\n
"},{"location":"reference/api/#django_components.ComponentView.options","title":"options","text":"head(request: HttpRequest, *args: Any, **kwargs: Any) -> HttpResponse\n
"},{"location":"reference/api/#django_components.ComponentView.patch","title":"patch","text":"options(request: HttpRequest, *args: Any, **kwargs: Any) -> HttpResponse\n
"},{"location":"reference/api/#django_components.ComponentView.post","title":"post","text":"patch(request: HttpRequest, *args: Any, **kwargs: Any) -> HttpResponse\n
"},{"location":"reference/api/#django_components.ComponentView.put","title":"put","text":"post(request: HttpRequest, *args: Any, **kwargs: Any) -> HttpResponse\n
"},{"location":"reference/api/#django_components.ComponentView.trace","title":"trace","text":"put(request: HttpRequest, *args: Any, **kwargs: Any) -> HttpResponse\n
"},{"location":"reference/api/#django_components.ComponentsSettings","title":"ComponentsSettings","text":"trace(request: HttpRequest, *args: Any, **kwargs: Any) -> HttpResponse\n
Bases:
tuple
See source code
Settings available for django_components.
Example:
COMPONENTS = ComponentsSettings(\n autodiscover=False,\n dirs = [BASE_DIR / \"components\"],\n)\n
Attributes:
-
app_dirs
(Optional[Sequence[str]]
) \u2013 -
autodiscover
(Optional[bool]
) \u2013 -
cache
(Optional[str]
) \u2013 -
context_behavior
(Optional[ContextBehaviorType]
) \u2013 -
debug_highlight_components
(Optional[bool]
) \u2013 -
debug_highlight_slots
(Optional[bool]
) \u2013 -
dirs
(Optional[Sequence[Union[str, PathLike, Tuple[str, str], Tuple[str, PathLike]]]]
) \u2013 -
dynamic_component_name
(Optional[str]
) \u2013 -
extensions
(Optional[Sequence[Union[Type[ComponentExtension], str]]]
) \u2013 -
forbidden_static_files
(Optional[List[Union[str, Pattern]]]
) \u2013 -
libraries
(Optional[List[str]]
) \u2013 -
multiline_tags
(Optional[bool]
) \u2013 -
reload_on_file_change
(Optional[bool]
) \u2013 -
reload_on_template_change
(Optional[bool]
) \u2013 -
static_files_allowed
(Optional[List[Union[str, Pattern]]]
) \u2013 -
static_files_forbidden
(Optional[List[Union[str, Pattern]]]
) \u2013 -
tag_formatter
(Optional[Union[TagFormatterABC, str]]
) \u2013 -
template_cache_size
(Optional[int]
) \u2013
class-attribute
instance-attribute
","text":"app_dirs: Optional[Sequence[str]] = None\n
See source code
Specify the app-level directories that contain your components.
Defaults to
[\"components\"]
. That is, for each Django app, we search<app>/components/
for components.The paths must be relative to app, e.g.:
COMPONENTS = ComponentsSettings(\n app_dirs=[\"my_comps\"],\n)\n
To search for
<app>/my_comps/
.These locations are searched during autodiscovery, or when you define HTML, JS, or CSS as separate files.
Set to empty list to disable app-level components:
"},{"location":"reference/api/#django_components.ComponentsSettings.autodiscover","title":"autodiscoverCOMPONENTS = ComponentsSettings(\n app_dirs=[],\n)\n
class-attribute
instance-attribute
","text":"autodiscover: Optional[bool] = None\n
See source code
Toggle whether to run autodiscovery at the Django server startup.
Defaults to
True
"},{"location":"reference/api/#django_components.ComponentsSettings.cache","title":"cacheCOMPONENTS = ComponentsSettings(\n autodiscover=False,\n)\n
class-attribute
instance-attribute
","text":"cache: Optional[str] = None\n
See source code
Name of the Django cache to be used for storing component's JS and CSS files.
If
None
, aLocMemCache
is used with default settings.Defaults to
None
.Read more about caching.
"},{"location":"reference/api/#django_components.ComponentsSettings.context_behavior","title":"context_behaviorCOMPONENTS = ComponentsSettings(\n cache=\"my_cache\",\n)\n
class-attribute
instance-attribute
","text":"context_behavior: Optional[ContextBehaviorType] = None\n
See source code
Configure whether, inside a component template, you can use variables from the outside (
\"django\"
) or not (\"isolated\"
). This also affects what variables are available inside the{% fill %}
tags.Also see Component context and scope.
Defaults to
\"django\"
.COMPONENTS = ComponentsSettings(\n context_behavior=\"isolated\",\n)\n
NOTE:
context_behavior
andslot_context_behavior
options were merged in v0.70.If you are migrating from BEFORE v0.67, set
context_behavior
to\"django\"
. From v0.67 to v0.78 (incl) the default value was\"isolated\"
.For v0.79 and later, the default is again
"},{"location":"reference/api/#django_components.ComponentsSettings.debug_highlight_components","title":"debug_highlight_components\"django\"
. See the rationale for change here.class-attribute
instance-attribute
","text":"debug_highlight_components: Optional[bool] = None\n
See source code
Enable / disable component highlighting. See Troubleshooting for more details.
Defaults to
False
.
"},{"location":"reference/api/#django_components.ComponentsSettings.debug_highlight_slots","title":"debug_highlight_slotsCOMPONENTS = ComponentsSettings(\n debug_highlight_components=True,\n)\n
class-attribute
instance-attribute
","text":"debug_highlight_slots: Optional[bool] = None\n
See source code
Enable / disable slot highlighting. See Troubleshooting for more details.
Defaults to
False
.
"},{"location":"reference/api/#django_components.ComponentsSettings.dirs","title":"dirsCOMPONENTS = ComponentsSettings(\n debug_highlight_slots=True,\n)\n
class-attribute
instance-attribute
","text":"dirs: Optional[Sequence[Union[str, PathLike, Tuple[str, str], Tuple[str, PathLike]]]] = None\n
See source code
Specify the directories that contain your components.
Defaults to
[Path(settings.BASE_DIR) / \"components\"]
. That is, the rootcomponents/
app.Directories must be full paths, same as with STATICFILES_DIRS.
These locations are searched during autodiscovery, or when you define HTML, JS, or CSS as separate files.
COMPONENTS = ComponentsSettings(\n dirs=[BASE_DIR / \"components\"],\n)\n
Set to empty list to disable global components directories:
"},{"location":"reference/api/#django_components.ComponentsSettings.dynamic_component_name","title":"dynamic_component_nameCOMPONENTS = ComponentsSettings(\n dirs=[],\n)\n
class-attribute
instance-attribute
","text":"dynamic_component_name: Optional[str] = None\n
See source code
By default, the dynamic component is registered under the name
\"dynamic\"
.In case of a conflict, you can use this setting to change the component name used for the dynamic components.
# settings.py\nCOMPONENTS = ComponentsSettings(\n dynamic_component_name=\"my_dynamic\",\n)\n
After which you will be able to use the dynamic component with the new name:
"},{"location":"reference/api/#django_components.ComponentsSettings.extensions","title":"extensions{% component \"my_dynamic\" is=table_comp data=table_data headers=table_headers %}\n {% fill \"pagination\" %}\n {% component \"pagination\" / %}\n {% endfill %}\n{% endcomponent %}\n
class-attribute
instance-attribute
","text":"extensions: Optional[Sequence[Union[Type[ComponentExtension], str]]] = None\n
See source code
List of extensions to be loaded.
The extensions can be specified as:
- Python import path, e.g.
\"path.to.my_extension.MyExtension\"
. - Extension class, e.g.
my_extension.MyExtension
.
"},{"location":"reference/api/#django_components.ComponentsSettings.forbidden_static_files","title":"forbidden_static_filesCOMPONENTS = ComponentsSettings(\n extensions=[\n \"path.to.my_extension.MyExtension\",\n StorybookExtension,\n ],\n)\n
class-attribute
instance-attribute
","text":"forbidden_static_files: Optional[List[Union[str, Pattern]]] = None\n
See source code
Deprecated. Use
"},{"location":"reference/api/#django_components.ComponentsSettings.libraries","title":"librariesCOMPONENTS.static_files_forbidden
instead.class-attribute
instance-attribute
","text":"libraries: Optional[List[str]] = None\n
See source code
Configure extra python modules that should be loaded.
This may be useful if you are not using the autodiscovery feature, or you need to load components from non-standard locations. Thus you can have a structure of components that is independent from your apps.
Expects a list of python module paths. Defaults to empty list.
Example:
COMPONENTS = ComponentsSettings(\n libraries=[\n \"mysite.components.forms\",\n \"mysite.components.buttons\",\n \"mysite.components.cards\",\n ],\n)\n
This would be the equivalent of importing these modules from within Django's
AppConfig.ready()
:
"},{"location":"reference/api/#django_components.ComponentsSettings.libraries--manually-loading-libraries","title":"Manually loading libraries","text":"class MyAppConfig(AppConfig):\n def ready(self):\n import \"mysite.components.forms\"\n import \"mysite.components.buttons\"\n import \"mysite.components.cards\"\n
In the rare case that you need to manually trigger the import of libraries, you can use the
import_libraries()
function:
"},{"location":"reference/api/#django_components.ComponentsSettings.multiline_tags","title":"multiline_tagsfrom django_components import import_libraries\n\nimport_libraries()\n
class-attribute
instance-attribute
","text":"multiline_tags: Optional[bool] = None\n
See source code
Enable / disable multiline support for template tags. If
True
, template tags like{% component %}
or{{ my_var }}
can span multiple lines.Defaults to
True
.Disable this setting if you are making custom modifications to Django's regular expression for parsing templates at
django.template.base.tag_re
.
"},{"location":"reference/api/#django_components.ComponentsSettings.reload_on_file_change","title":"reload_on_file_changeCOMPONENTS = ComponentsSettings(\n multiline_tags=False,\n)\n
class-attribute
instance-attribute
","text":"reload_on_file_change: Optional[bool] = None\n
See source code
This is relevant if you are using the project structure where HTML, JS, CSS and Python are in separate files and nested in a directory.
In this case you may notice that when you are running a development server, the server sometimes does not reload when you change component files.
Django's native live reload logic handles only Python files and HTML template files. It does NOT reload when other file types change or when template files are nested more than one level deep.
The setting
reload_on_file_change
fixes this, reloading the dev server even when your component's HTML, JS, or CSS changes.If
True
, django_components configures Django to reload when files insideCOMPONENTS.dirs
orCOMPONENTS.app_dirs
change.See Reload dev server on component file changes.
Defaults to
False
.Warning
This setting should be enabled only for the dev environment!
"},{"location":"reference/api/#django_components.ComponentsSettings.reload_on_template_change","title":"reload_on_template_changeclass-attribute
instance-attribute
","text":"reload_on_template_change: Optional[bool] = None\n
See source code
Deprecated. Use
"},{"location":"reference/api/#django_components.ComponentsSettings.static_files_allowed","title":"static_files_allowedCOMPONENTS.reload_on_file_change
instead.class-attribute
instance-attribute
","text":"static_files_allowed: Optional[List[Union[str, Pattern]]] = None\n
See source code
A list of file extensions (including the leading dot) that define which files within
COMPONENTS.dirs
orCOMPONENTS.app_dirs
are treated as static files.If a file is matched against any of the patterns, it's considered a static file. Such files are collected when running
collectstatic
, and can be accessed under the static file endpoint.You can also pass in compiled regexes (
re.Pattern
) for more advanced patterns.By default, JS, CSS, and common image and font file formats are considered static files:
COMPONENTS = ComponentsSettings(\n static_files_allowed=[\n \".css\",\n \".js\", \".jsx\", \".ts\", \".tsx\",\n # Images\n \".apng\", \".png\", \".avif\", \".gif\", \".jpg\",\n \".jpeg\", \".jfif\", \".pjpeg\", \".pjp\", \".svg\",\n \".webp\", \".bmp\", \".ico\", \".cur\", \".tif\", \".tiff\",\n # Fonts\n \".eot\", \".ttf\", \".woff\", \".otf\", \".svg\",\n ],\n)\n
Warning
Exposing your Python files can be a security vulnerability. See Security notes.
"},{"location":"reference/api/#django_components.ComponentsSettings.static_files_forbidden","title":"static_files_forbiddenclass-attribute
instance-attribute
","text":"static_files_forbidden: Optional[List[Union[str, Pattern]]] = None\n
See source code
A list of file extensions (including the leading dot) that define which files within
COMPONENTS.dirs
orCOMPONENTS.app_dirs
will NEVER be treated as static files.If a file is matched against any of the patterns, it will never be considered a static file, even if the file matches a pattern in
static_files_allowed
.Use this setting together with
static_files_allowed
for a fine control over what file types will be exposed.You can also pass in compiled regexes (
re.Pattern
) for more advanced patterns.By default, any HTML and Python are considered NOT static files:
COMPONENTS = ComponentsSettings(\n static_files_forbidden=[\n \".html\", \".django\", \".dj\", \".tpl\",\n # Python files\n \".py\", \".pyc\",\n ],\n)\n
Warning
Exposing your Python files can be a security vulnerability. See Security notes.
"},{"location":"reference/api/#django_components.ComponentsSettings.tag_formatter","title":"tag_formatterclass-attribute
instance-attribute
","text":"tag_formatter: Optional[Union[TagFormatterABC, str]] = None\n
See source code
Configure what syntax is used inside Django templates to render components. See the available tag formatters.
Defaults to
\"django_components.component_formatter\"
.Learn more about Customizing component tags with TagFormatter.
Can be set either as direct reference:
from django_components import component_formatter\n\nCOMPONENTS = ComponentsSettings(\n \"tag_formatter\": component_formatter\n)\n
Or as an import string;
COMPONENTS = ComponentsSettings(\n \"tag_formatter\": \"django_components.component_formatter\"\n)\n
Examples:
-
\"django_components.component_formatter\"
Set
COMPONENTS = ComponentsSettings(\n \"tag_formatter\": \"django_components.component_formatter\"\n)\n
To write components like this:
{% component \"button\" href=\"...\" %}\n Click me!\n{% endcomponent %}\n
-
django_components.component_shorthand_formatter
Set
COMPONENTS = ComponentsSettings(\n \"tag_formatter\": \"django_components.component_shorthand_formatter\"\n)\n
To write components like this:
{% button href=\"...\" %}\n Click me!\n{% endbutton %}\n
class-attribute
instance-attribute
","text":"template_cache_size: Optional[int] = None\n
See source code
Configure the maximum amount of Django templates to be cached.
Defaults to
128
.Each time a Django template is rendered, it is cached to a global in-memory cache (using Python's
lru_cache
decorator). This speeds up the next render of the component. As the same component is often used many times on the same page, these savings add up.By default the cache holds 128 component templates in memory, which should be enough for most sites. But if you have a lot of components, or if you are overriding
Component.get_template()
to render many dynamic templates, you can increase this number.COMPONENTS = ComponentsSettings(\n template_cache_size=256,\n)\n
To remove the cache limit altogether and cache everything, set
template_cache_size
toNone
.COMPONENTS = ComponentsSettings(\n template_cache_size=None,\n)\n
If you want to add templates to the cache yourself, you can use
cached_template()
:
"},{"location":"reference/api/#django_components.ContextBehavior","title":"ContextBehavior","text":"from django_components import cached_template\n\ncached_template(\"Variable: {{ variable }}\")\n\n# You can optionally specify Template class, and other Template inputs:\nclass MyTemplate(Template):\n pass\n\ncached_template(\n \"Variable: {{ variable }}\",\n template_cls=MyTemplate,\n name=...\n origin=...\n engine=...\n)\n
Bases:
str
,enum.Enum
See source code
Configure how (and whether) the context is passed to the component fills and what variables are available inside the
{% fill %}
tags.Also see Component context and scope.
Options:
django
: With this setting, component fills behave as usual Django tags.isolated
: This setting makes the component fills behave similar to Vue or React.
Attributes:
-
DJANGO
\u2013 -
ISOLATED
\u2013
class-attribute
instance-attribute
","text":"DJANGO = 'django'\n
See source code
With this setting, component fills behave as usual Django tags. That is, they enrich the context, and pass it along.
- Component fills use the context of the component they are within.
- Variables from
Component.get_template_data()
are available to the component fill.
Example:
Given this template
{% with cheese=\"feta\" %}\n {% component 'my_comp' %}\n {{ my_var }} # my_var\n {{ cheese }} # cheese\n {% endcomponent %}\n{% endwith %}\n
and this context returned from the
Component.get_template_data()
method{ \"my_var\": 123 }\n
Then if component \"my_comp\" defines context
{ \"my_var\": 456 }\n
Then this will render:
456 # my_var\nfeta # cheese\n
Because \"my_comp\" overrides the variable \"my_var\", so
{{ my_var }}
equals456
.And variable \"cheese\" will equal
"},{"location":"reference/api/#django_components.ContextBehavior.ISOLATED","title":"ISOLATEDfeta
, because the fill CAN access the current context.class-attribute
instance-attribute
","text":"ISOLATED = 'isolated'\n
See source code
This setting makes the component fills behave similar to Vue or React, where the fills use EXCLUSIVELY the context variables defined in
Component.get_template_data()
.Example:
Given this template
{% with cheese=\"feta\" %}\n {% component 'my_comp' %}\n {{ my_var }} # my_var\n {{ cheese }} # cheese\n {% endcomponent %}\n{% endwith %}\n
and this context returned from the
get_template_data()
method{ \"my_var\": 123 }\n
Then if component \"my_comp\" defines context
{ \"my_var\": 456 }\n
Then this will render:
123 # my_var\n # cheese\n
Because both variables \"my_var\" and \"cheese\" are taken from the root context. Since \"cheese\" is not defined in root context, it's empty.
"},{"location":"reference/api/#django_components.Default","title":"Defaultdataclass
","text":"Default(value: Callable[[], Any])\n
Bases:
object
See source code
Use this class to mark a field on the
Component.Defaults
class as a factory.Read more about Component defaults.
Example:
from django_components import Default\n\nclass MyComponent(Component):\n class Defaults:\n # Plain value doesn't need a factory\n position = \"left\"\n # Lists and dicts need to be wrapped in `Default`\n # Otherwise all instances will share the same value\n selected_items = Default(lambda: [1, 2, 3])\n
Attributes:
-
value
(Callable[[], Any]
) \u2013
instance-attribute
","text":"
"},{"location":"reference/api/#django_components.DependenciesStrategy","title":"DependenciesStrategyvalue: Callable[[], Any]\n
module-attribute
","text":"DependenciesStrategy = Literal['document', 'fragment', 'simple', 'prepend', 'append', 'ignore']\n
See source code
Type for the available strategies for rendering JS and CSS dependencies.
Read more about the dependencies strategies.
"},{"location":"reference/api/#django_components.Empty","title":"Empty","text":"Bases:
tuple
See source code
Type for an object with no members.
You can use this to define Component types that accept NO args, kwargs, slots, etc:
from django_components import Component, Empty\n\nclass Table(Component):\n Args = Empty\n Kwargs = Empty\n ...\n
This class is a shorthand for:
class Empty(NamedTuple):\n pass\n
Read more about Typing and validation.
"},{"location":"reference/api/#django_components.RegistrySettings","title":"RegistrySettings","text":"Bases:
tuple
See source code
Configuration for a
ComponentRegistry
.These settings define how the components registered with this registry will behave when rendered.
from django_components import ComponentRegistry, RegistrySettings\n\nregistry_settings = RegistrySettings(\n context_behavior=\"django\",\n tag_formatter=\"django_components.component_shorthand_formatter\",\n)\n\nregistry = ComponentRegistry(settings=registry_settings)\n
Attributes:
-
CONTEXT_BEHAVIOR
(Optional[ContextBehaviorType]
) \u2013 -
TAG_FORMATTER
(Optional[Union[TagFormatterABC, str]]
) \u2013 -
context_behavior
(Optional[ContextBehaviorType]
) \u2013 -
tag_formatter
(Optional[Union[TagFormatterABC, str]]
) \u2013
class-attribute
instance-attribute
","text":"CONTEXT_BEHAVIOR: Optional[ContextBehaviorType] = None\n
See source code
Deprecated. Use
context_behavior
instead. Will be removed in v1.Same as the global
COMPONENTS.context_behavior
setting, but for this registry.If omitted, defaults to the global
"},{"location":"reference/api/#django_components.RegistrySettings.TAG_FORMATTER","title":"TAG_FORMATTERCOMPONENTS.context_behavior
setting.class-attribute
instance-attribute
","text":"TAG_FORMATTER: Optional[Union[TagFormatterABC, str]] = None\n
See source code
Deprecated. Use
tag_formatter
instead. Will be removed in v1.Same as the global
COMPONENTS.tag_formatter
setting, but for this registry.If omitted, defaults to the global
"},{"location":"reference/api/#django_components.RegistrySettings.context_behavior","title":"context_behaviorCOMPONENTS.tag_formatter
setting.class-attribute
instance-attribute
","text":"context_behavior: Optional[ContextBehaviorType] = None\n
See source code
Same as the global
COMPONENTS.context_behavior
setting, but for this registry.If omitted, defaults to the global
"},{"location":"reference/api/#django_components.RegistrySettings.tag_formatter","title":"tag_formatterCOMPONENTS.context_behavior
setting.class-attribute
instance-attribute
","text":"tag_formatter: Optional[Union[TagFormatterABC, str]] = None\n
See source code
Same as the global
COMPONENTS.tag_formatter
setting, but for this registry.If omitted, defaults to the global
"},{"location":"reference/api/#django_components.Slot","title":"SlotCOMPONENTS.tag_formatter
setting.dataclass
","text":"Slot(\n content_func: SlotFunc[TSlotData],\n escaped: bool = False,\n component_name: Optional[str] = None,\n slot_name: Optional[str] = None,\n nodelist: Optional[NodeList] = None,\n)\n
Bases:
typing.Generic
See source code
This class holds the slot content function along with related metadata.
Attributes:
-
component_name
(Optional[str]
) \u2013 -
content_func
(SlotFunc[TSlotData]
) \u2013 -
do_not_call_in_templates
(bool
) \u2013 -
escaped
(bool
) \u2013 -
nodelist
(Optional[NodeList]
) \u2013 -
slot_name
(Optional[str]
) \u2013
class-attribute
instance-attribute
","text":"component_name: Optional[str] = None\n
See source code
Name of the component that originally defined or accepted this slot fill.
"},{"location":"reference/api/#django_components.Slot.content_func","title":"content_funcinstance-attribute
","text":"
"},{"location":"reference/api/#django_components.Slot.do_not_call_in_templates","title":"do_not_call_in_templatescontent_func: SlotFunc[TSlotData]\n
property
","text":"
"},{"location":"reference/api/#django_components.Slot.escaped","title":"escapeddo_not_call_in_templates: bool\n
class-attribute
instance-attribute
","text":"escaped: bool = False\n
See source code
Whether the slot content has been escaped.
"},{"location":"reference/api/#django_components.Slot.nodelist","title":"nodelistclass-attribute
instance-attribute
","text":"nodelist: Optional[NodeList] = None\n
See source code
Nodelist of the slot content.
"},{"location":"reference/api/#django_components.Slot.slot_name","title":"slot_nameclass-attribute
instance-attribute
","text":"slot_name: Optional[str] = None\n
See source code
Name of the slot that originally defined or accepted this slot fill.
"},{"location":"reference/api/#django_components.SlotContent","title":"SlotContentmodule-attribute
","text":"SlotContent = SlotInput[TSlotData]\n
See source code
DEPRECATED: Use
"},{"location":"reference/api/#django_components.SlotFunc","title":"SlotFunc","text":""},{"location":"reference/api/#django_components.SlotInput","title":"SlotInputSlotInput
instead. Will be removed in v1.module-attribute
","text":"SlotInput = Union[SlotResult, SlotFunc[TSlotData], Slot[TSlotData]]\n
See source code
When rendering a component with
Component.render()
orComponent.render_to_response()
, the slots may be given a strings, functions, orSlot
instances. This type describes that union.Use this type when typing the slots in your component.
SlotInput
accepts an optional type parameter to specify the data dictionary that will be passed to the slot content function.Example:
"},{"location":"reference/api/#django_components.SlotRef","title":"SlotRef","text":"from typing import NamedTuple\nfrom typing_extensions import TypedDict\nfrom django_components import Component, SlotInput\n\nclass TableFooterSlotData(TypedDict):\n page_number: int\n\nclass Table(Component):\n class Slots(NamedTuple):\n header: SlotInput\n footer: SlotInput[TableFooterSlotData]\n\n template = \"<div>{% slot 'footer' %}</div>\"\n
SlotRef(slot: SlotNode, context: Context)\n
Bases:
object
See source code
SlotRef allows to treat a slot as a variable. The slot is rendered only once the instance is coerced to string.
This is used to access slots as variables inside the templates. When a SlotRef is rendered in the template with
"},{"location":"reference/api/#django_components.SlotResult","title":"SlotResult{{ my_lazy_slot }}
, it will output the contents of the slot.module-attribute
","text":"
"},{"location":"reference/api/#django_components.TagFormatterABC","title":"TagFormatterABC","text":"SlotResult = Union[str, SafeString]\n
Bases:
abc.ABC
See source code
Abstract base class for defining custom tag formatters.
Tag formatters define how the component tags are used in the template.
Read more about Tag formatter.
For example, with the default tag formatter (
ComponentFormatter
), components are written as:{% component \"comp_name\" %}\n{% endcomponent %}\n
While with the shorthand tag formatter (
ShorthandComponentFormatter
), components are written as:{% comp_name %}\n{% endcomp_name %}\n
Example:
Implementation for
ShorthandComponentFormatter
:from djagno_components import TagFormatterABC, TagResult\n\nclass ShorthandComponentFormatter(TagFormatterABC):\n def start_tag(self, name: str) -> str:\n return name\n\n def end_tag(self, name: str) -> str:\n return f\"end{name}\"\n\n def parse(self, tokens: List[str]) -> TagResult:\n tokens = [*tokens]\n name = tokens.pop(0)\n return TagResult(name, tokens)\n
Methods:
-
end_tag
\u2013 -
parse
\u2013 -
start_tag
\u2013
abstractmethod
","text":"end_tag(name: str) -> str\n
See source code
Formats the end tag of a block component.
Parameters:
-
name
(str
) \u2013Component's registered name. Required.
Returns:
-
str
(str
) \u2013The formatted end tag.
abstractmethod
","text":"parse(tokens: List[str]) -> TagResult\n
See source code
Given the tokens (words) passed to a component start tag, this function extracts the component name from the tokens list, and returns
TagResult
, which is a tuple of(component_name, remaining_tokens)
.Parameters:
-
tokens
([List(str]
) \u2013List of tokens passed to the component tag.
Returns:
-
TagResult
(TagResult
) \u2013Parsed component name and remaining tokens.
Example:
Assuming we used a component in a template like this:
{% component \"my_comp\" key=val key2=val2 %}\n{% endcomponent %}\n
This function receives a list of tokens:
['component', '\"my_comp\"', 'key=val', 'key2=val2']\n
component
is the tag name, which we drop.\"my_comp\"
is the component name, but we must remove the extra quotes.- The remaining tokens we pass unmodified, as that's the input to the component.
So in the end, we return:
"},{"location":"reference/api/#django_components.TagFormatterABC.start_tag","title":"start_tagTagResult('my_comp', ['key=val', 'key2=val2'])\n
abstractmethod
","text":"start_tag(name: str) -> str\n
See source code
Formats the start tag of a component.
Parameters:
-
name
(str
) \u2013Component's registered name. Required.
Returns:
-
str
(str
) \u2013The formatted start tag.
Bases:
tuple
See source code
The return value from
TagFormatter.parse()
.Read more about Tag formatter.
Attributes:
-
component_name
(str
) \u2013 -
tokens
(List[str]
) \u2013
instance-attribute
","text":"component_name: str\n
See source code
Component name extracted from the template tag
For example, if we had tag
{% component \"my_comp\" key=val key2=val2 %}\n
Then
"},{"location":"reference/api/#django_components.TagResult.tokens","title":"tokenscomponent_name
would bemy_comp
.instance-attribute
","text":"tokens: List[str]\n
See source code
Remaining tokens (words) that were passed to the tag, with component name removed
For example, if we had tag
{% component \"my_comp\" key=val key2=val2 %}\n
Then
"},{"location":"reference/api/#django_components.all_components","title":"all_components","text":"tokens
would be['key=val', 'key2=val2']
.all_components() -> List[Type[Component]]\n
See source code
Get a list of all created
"},{"location":"reference/api/#django_components.all_registries","title":"all_registries","text":"Component
classes.all_registries() -> List[ComponentRegistry]\n
See source code
Get a list of all created
"},{"location":"reference/api/#django_components.autodiscover","title":"autodiscover","text":"ComponentRegistry
instances.autodiscover(map_module: Optional[Callable[[str], str]] = None) -> List[str]\n
See source code
Search for all python files in
COMPONENTS.dirs
andCOMPONENTS.app_dirs
and import them.See Autodiscovery.
NOTE: Subdirectories and files starting with an underscore
_
(except for__init__.py
are ignored.Parameters:
-
map_module
(Callable[[str], str]
, default:None
) \u2013Map the module paths with
map_module
function. This serves as an escape hatch for when you need to use this function in tests.
Returns:
-
List[str]
\u2013List[str]: A list of module paths of imported files.
To get the same list of modules that
autodiscover()
would return, but without importing them, useget_component_files()
:
"},{"location":"reference/api/#django_components.cached_template","title":"cached_template","text":"from django_components import get_component_files\n\nmodules = get_component_files(\".py\")\n
cached_template(\n template_string: str,\n template_cls: Optional[Type[Template]] = None,\n origin: Optional[Origin] = None,\n name: Optional[str] = None,\n engine: Optional[Any] = None,\n) -> Template\n
See source code
Create a Template instance that will be cached as per the
COMPONENTS.template_cache_size
setting.Parameters:
-
template_string
(str
) \u2013Template as a string, same as the first argument to Django's
Template
. Required. -
template_cls
(Type[Template]
, default:None
) \u2013Specify the Template class that should be instantiated. Defaults to Django's
Template
class. -
origin
(Type[Origin]
, default:None
) \u2013Sets
Template.Origin
. -
name
(Type[str]
, default:None
) \u2013Sets
Template.name
-
engine
(Type[Any]
, default:None
) \u2013Sets
Template.engine
"},{"location":"reference/api/#django_components.format_attributes","title":"format_attributes","text":"from django_components import cached_template\n\ntemplate = cached_template(\"Variable: {{ variable }}\")\n\n# You can optionally specify Template class, and other Template inputs:\nclass MyTemplate(Template):\n pass\n\ntemplate = cached_template(\n \"Variable: {{ variable }}\",\n template_cls=MyTemplate,\n name=...\n origin=...\n engine=...\n)\n
format_attributes(attributes: Mapping[str, Any]) -> str\n
See source code
Format a dict of attributes into an HTML attributes string.
Read more about HTML attributes.
Example:
format_attributes({\"class\": \"my-class\", \"data-id\": \"123\"})\n
will return
"},{"location":"reference/api/#django_components.get_component_by_class_id","title":"get_component_by_class_id","text":"'class=\"my-class\" data-id=\"123\"'\n
get_component_by_class_id(comp_cls_id: str) -> Type[Component]\n
See source code
Get a component class by its unique ID.
Each component class is associated with a unique hash that's derived from its module import path.
E.g.
path.to.my.secret.MyComponent
->MyComponent_ab01f32
This hash is available under
class_id
on the component class.Raises
KeyError
if the component class is not found.NOTE: This is mainly intended for extensions.
"},{"location":"reference/api/#django_components.get_component_dirs","title":"get_component_dirs","text":"get_component_dirs(include_apps: bool = True) -> List[Path]\n
See source code
Get directories that may contain component files.
This is the heart of all features that deal with filesystem and file lookup. Autodiscovery, Django template resolution, static file resolution - They all use this.
Parameters:
-
include_apps
(bool
, default:True
) \u2013Include directories from installed Django apps. Defaults to
True
.
Returns:
-
List[Path]
\u2013List[Path]: A list of directories that may contain component files.
get_component_dirs()
searches for dirs set inCOMPONENTS.dirs
settings. If none set, defaults to searching for a\"components\"
app.In addition to that, also all installed Django apps are checked whether they contain directories as set in
COMPONENTS.app_dirs
(e.g.[app]/components
).Notes:
-
Paths that do not point to directories are ignored.
-
BASE_DIR
setting is required. -
The paths in
COMPONENTS.dirs
must be absolute paths.
get_component_files(suffix: Optional[str] = None) -> List[ComponentFileEntry]\n
See source code
Search for files within the component directories (as defined in
get_component_dirs()
).Requires
BASE_DIR
setting to be set.Subdirectories and files starting with an underscore
_
(except__init__.py
) are ignored.Parameters:
-
suffix
(Optional[str]
, default:None
) \u2013The suffix to search for. E.g.
.py
,.js
,.css
. Defaults toNone
, which will search for all files.
Returns:
-
List[ComponentFileEntry]
\u2013List[ComponentFileEntry] A list of entries that contain both the filesystem path and the python import path (dot path).
Example:
"},{"location":"reference/api/#django_components.get_component_url","title":"get_component_url","text":"from django_components import get_component_files\n\nmodules = get_component_files(\".py\")\n
get_component_url(component: Union[Type[Component], Component], query: Optional[Dict] = None, fragment: Optional[str] = None) -> str\n
See source code
Get the URL for a
Component
.Raises
RuntimeError
if the component is not public.Read more about Component views and URLs.
get_component_url()
optionally acceptsquery
andfragment
arguments.Example:
"},{"location":"reference/api/#django_components.import_libraries","title":"import_libraries","text":"from django_components import Component, get_component_url\n\nclass MyComponent(Component):\n class View:\n public = True\n\n# Get the URL for the component\nurl = get_component_url(\n MyComponent,\n query={\"foo\": \"bar\"},\n fragment=\"baz\",\n)\n# /components/ext/view/components/c1ab2c3?foo=bar#baz\n
import_libraries(map_module: Optional[Callable[[str], str]] = None) -> List[str]\n
See source code
Import modules set in
COMPONENTS.libraries
setting.See Autodiscovery.
Parameters:
-
map_module
(Callable[[str], str]
, default:None
) \u2013Map the module paths with
map_module
function. This serves as an escape hatch for when you need to use this function in tests.
Returns:
-
List[str]
\u2013List[str]: A list of module paths of imported files.
Examples:
Normal usage - load libraries after Django has loaded
from django_components import import_libraries\n\nclass MyAppConfig(AppConfig):\n def ready(self):\n import_libraries()\n
Potential usage in tests
"},{"location":"reference/api/#django_components.merge_attributes","title":"merge_attributes","text":"from django_components import import_libraries\n\nimport_libraries(lambda path: path.replace(\"tests.\", \"myapp.\"))\n
merge_attributes(*attrs: Dict) -> Dict\n
See source code
Merge a list of dictionaries into a single dictionary.
The dictionaries are treated as HTML attributes and are merged accordingly:
- If a same key is present in multiple dictionaries, the values are joined with a space character.
- The
class
andstyle
keys are handled specially, similar to how Vue does it.
Read more about HTML attributes.
Example:
merge_attributes(\n {\"my-attr\": \"my-value\", \"class\": \"my-class\"},\n {\"my-attr\": \"extra-value\", \"data-id\": \"123\"},\n)\n
will result in
{\n \"my-attr\": \"my-value extra-value\",\n \"class\": \"my-class\",\n \"data-id\": \"123\",\n}\n
The
class
attributeThe
class
attribute can be given as a string, or a dictionary.- If given as a string, it is used as is.
- If given as a dictionary, only the keys with a truthy value are used.
Example:
merge_attributes(\n {\"class\": \"my-class extra-class\"},\n {\"class\": {\"truthy\": True, \"falsy\": False}},\n)\n
will result in
{\n \"class\": \"my-class extra-class truthy\",\n}\n
The
style
attributeThe
style
attribute can be given as a string, a list, or a dictionary.- If given as a string, it is used as is.
- If given as a dictionary, it is converted to a style attribute string.
Example:
merge_attributes(\n {\"style\": \"color: red; background-color: blue;\"},\n {\"style\": {\"background-color\": \"green\", \"color\": False}},\n)\n
will result in
"},{"location":"reference/api/#django_components.register","title":"register","text":"{\n \"style\": \"color: red; background-color: blue; background-color: green;\",\n}\n
register(name: str, registry: Optional[ComponentRegistry] = None) -> Callable[[Type[TComponent]], Type[TComponent]]\n
See source code
Class decorator for registering a component to a component registry.
See Registering components.
Parameters:
-
name
(str
) \u2013Registered name. This is the name by which the component will be accessed from within a template when using the
{% component %}
tag. Required. -
registry
(ComponentRegistry
, default:None
) \u2013Specify the registry to which to register this component. If omitted, component is registered to the default registry.
Raises:
-
AlreadyRegistered
\u2013If there is already a component registered under the same name.
Examples:
from django_components import Component, register\n\n@register(\"my_component\")\nclass MyComponent(Component):\n ...\n
Specifing
ComponentRegistry
the component should be registered to by setting theregistry
kwarg:
"},{"location":"reference/api/#django_components.registry","title":"registryfrom django.template import Library\nfrom django_components import Component, ComponentRegistry, register\n\nmy_lib = Library()\nmy_reg = ComponentRegistry(library=my_lib)\n\n@register(\"my_component\", registry=my_reg)\nclass MyComponent(Component):\n ...\n
module-attribute
","text":"registry: ComponentRegistry = ComponentRegistry()\n
See source code
The default and global component registry. Use this instance to directly register or remove components:
See Registering components.
"},{"location":"reference/api/#django_components.render_dependencies","title":"render_dependencies","text":"# Register components\nregistry.register(\"button\", ButtonComponent)\nregistry.register(\"card\", CardComponent)\n\n# Get single\nregistry.get(\"button\")\n\n# Get all\nregistry.all()\n\n# Check if component is registered\nregistry.has(\"button\")\n\n# Unregister single\nregistry.unregister(\"button\")\n\n# Unregister all\nregistry.clear()\n
render_dependencies(content: TContent, strategy: DependenciesStrategy = 'document') -> TContent\n
See source code
Given a string that contains parts that were rendered by components, this function inserts all used JS and CSS.
By default, the string is parsed as an HTML and: - CSS is inserted at the end of
<head>
(if present) - JS is inserted at the end of<body>
(if present)If you used
{% component_js_dependencies %}
or{% component_css_dependencies %}
, then the JS and CSS will be inserted only at these locations.Example:
"},{"location":"reference/api/#django_components.template_tag","title":"template_tag","text":"def my_view(request):\n template = Template('''\n {% load components %}\n <!doctype html>\n <html>\n <head></head>\n <body>\n <h1>{{ table_name }}</h1>\n {% component \"table\" name=table_name / %}\n </body>\n </html>\n ''')\n\n html = template.render(\n Context({\n \"table_name\": request.GET[\"name\"],\n })\n )\n\n # This inserts components' JS and CSS\n processed_html = render_dependencies(html)\n\n return HttpResponse(processed_html)\n
template_tag(\n library: Library, tag: str, end_tag: Optional[str] = None, allowed_flags: Optional[List[str]] = None\n) -> Callable[[Callable], Callable]\n
See source code
A simplified version of creating a template tag based on
BaseNode
.Instead of defining the whole class, you can just define the
render()
method.from django.template import Context, Library\nfrom django_components import BaseNode, template_tag\n\nlibrary = Library()\n\n@template_tag(\n library,\n tag=\"mytag\",\n end_tag=\"endmytag\",\n allowed_flags=[\"required\"],\n)\ndef mytag(node: BaseNode, context: Context, name: str, **kwargs: Any) -> str:\n return f\"Hello, {name}!\"\n
This will allow the template tag
{% mytag %}
to be used like this:{% mytag name=\"John\" %}\n{% mytag name=\"John\" required %} ... {% endmytag %}\n
The given function will be wrapped in a class that inherits from
BaseNode
.And this class will be registered with the given library.
The function MUST accept at least two positional arguments:
node
andcontext
node
is theBaseNode
instance.context
is theContext
of the template.
Any extra parameters defined on this function will be part of the tag's input parameters.
For more info, see
"},{"location":"reference/commands/","title":"Commands","text":""},{"location":"reference/commands/#commands","title":"Commands","text":"BaseNode.render()
.These are all the Django management commands that will be added by installing
"},{"location":"reference/commands/#components","title":"django_components
:components
","text":"usage: python manage.py components [-h] {create,upgrade,ext,list} ...\n
See source code
The entrypoint for the 'components' commands.
Options:
-h
,--help
- show this help message and exit
Subcommands:
create
- Create a new django component.
upgrade
- Upgrade django components syntax from '{% component_block ... %}' to '{% component ... %}'.
ext
- Run extension commands.
list
- List all components created in this project.
The entrypoint for the \"components\" commands.
"},{"location":"reference/commands/#components-create","title":"python manage.py components list\npython manage.py components create <name>\npython manage.py components upgrade\npython manage.py components ext list\npython manage.py components ext run <extension> <command>\n
components create
","text":"usage: python manage.py components create [-h] [--path PATH] [--js JS] [--css CSS] [--template TEMPLATE]\n [--force] [--verbose] [--dry-run]\n name\n
See source code
Create a new django component.
Positional Arguments:
name
- The name of the component to create. This is a required argument.
Options:
-h
,--help
- show this help message and exit
--path PATH
- The path to the component's directory. This is an optional argument. If not provided, the command will use the
COMPONENTS.dirs
setting from your Django settings.
- The path to the component's directory. This is an optional argument. If not provided, the command will use the
--js JS
- The name of the JavaScript file. This is an optional argument. The default value is
script.js
.
- The name of the JavaScript file. This is an optional argument. The default value is
--css CSS
- The name of the CSS file. This is an optional argument. The default value is
style.css
.
- The name of the CSS file. This is an optional argument. The default value is
--template TEMPLATE
- The name of the template file. This is an optional argument. The default value is
template.html
.
- The name of the template file. This is an optional argument. The default value is
--force
- This option allows you to overwrite existing files if they exist. This is an optional argument.
--verbose
- This option allows the command to print additional information during component creation. This is an optional argument.
--dry-run
- This option allows you to simulate component creation without actually creating any files. This is an optional argument. The default value is
False
.
- This option allows you to simulate component creation without actually creating any files. This is an optional argument. The default value is
To use the command, run the following command in your terminal:
python manage.py components create <name> --path <path> --js <js_filename> --css <css_filename> --template <template_filename> --force --verbose --dry-run\n
Replace
"},{"location":"reference/commands/#examples","title":"Examples","text":"<name>
,<path>
,<js_filename>
,<css_filename>
, and<template_filename>
with your desired values.Here are some examples of how you can use the command:
Creating a Component with Default Settings
To create a component with the default settings, you only need to provide the name of the component:
python manage.py components create my_component\n
This will create a new component named
my_component
in thecomponents
directory of your Django project. The JavaScript, CSS, and template files will be namedscript.js
,style.css
, andtemplate.html
, respectively.Creating a Component with Custom Settings
You can also create a component with custom settings by providing additional arguments:
python manage.py components create new_component --path my_components --js my_script.js --css my_style.css --template my_template.html\n
This will create a new component named
new_component
in themy_components
directory. The JavaScript, CSS, and template files will be namedmy_script.js
,my_style.css
, andmy_template.html
, respectively.Overwriting an Existing Component
If you want to overwrite an existing component, you can use the
--force
option:python manage.py components create my_component --force\n
This will overwrite the existing
my_component
if it exists.Simulating Component Creation
If you want to simulate the creation of a component without actually creating any files, you can use the
--dry-run
option:python manage.py components create my_component --dry-run\n
This will simulate the creation of
"},{"location":"reference/commands/#components-upgrade","title":"my_component
without creating any files.components upgrade
","text":"usage: python manage.py components upgrade [-h] [--path PATH]\n
See source code
Upgrade django components syntax from '{% component_block ... %}' to '{% component ... %}'.
Options:
-h
,--help
- show this help message and exit
--path PATH
- Path to search for components
components ext
","text":"usage: python manage.py components ext [-h] {list,run} ...\n
See source code
Run extension commands.
Options:
-h
,--help
- show this help message and exit
Subcommands:
list
- List all extensions.
run
- Run a command added by an extension.
Run extension commands.
"},{"location":"reference/commands/#components-ext-list","title":"python manage.py components ext list\npython manage.py components ext run <extension> <command>\n
components ext list
","text":"usage: python manage.py components ext list [-h] [--all] [--columns COLUMNS] [-s]\n
See source code
List all extensions.
Options:
-h
,--help
- show this help message and exit
--all
- Show all columns. Same as
--columns name
.
- Show all columns. Same as
--columns COLUMNS
- Comma-separated list of columns to show. Available columns: name. Defaults to
--columns name
.
- Comma-separated list of columns to show. Available columns: name. Defaults to
-s
,--simple
- Only show table data, without headers. Use this option for generating machine-readable output.
List all extensions.
python manage.py components ext list\n
Prints the list of installed extensions:
name\n==============\nview\nmy_extension\n
To specify which columns to show, use the
--columns
flag:python manage.py components ext list --columns name\n
Which prints:
name\n==============\nview\nmy_extension\n
To print out all columns, use the
--all
flag:python manage.py components ext list --all\n
If you need to omit the title in order to programmatically post-process the output, you can use the
--simple
(or-s
) flag:python manage.py components ext list --simple\n
Which prints just:
"},{"location":"reference/commands/#components-ext-run","title":"view\nmy_extension\n
components ext run
","text":"usage: python manage.py components ext run [-h]\n
See source code
Run a command added by an extension.
Options:
-h
,--help
- show this help message and exit
Run a command added by an extension.
Each extension can add its own commands, which will be available to run with this command.
For example, if you define and install the following extension:
from django_components import ComponentCommand, ComponentExtension\n\nclass HelloCommand(ComponentCommand):\n name = \"hello\"\n help = \"Say hello\"\n def handle(self, *args, **kwargs):\n print(\"Hello, world!\")\n\nclass MyExt(ComponentExtension):\n name = \"my_ext\"\n commands = [HelloCommand]\n
You can run the
hello
command with:python manage.py components ext run my_ext hello\n
You can also define arguments for the command, which will be passed to the command's
handle
method.from django_components import CommandArg, ComponentCommand, ComponentExtension\n\nclass HelloCommand(ComponentCommand):\n name = \"hello\"\n help = \"Say hello\"\n arguments = [\n CommandArg(name=\"name\", help=\"The name to say hello to\"),\n CommandArg(name=[\"--shout\", \"-s\"], action=\"store_true\"),\n ]\n\n def handle(self, name: str, *args, **kwargs):\n shout = kwargs.get(\"shout\", False)\n msg = f\"Hello, {name}!\"\n if shout:\n msg = msg.upper()\n print(msg)\n
You can run the command with:
python manage.py components ext run my_ext hello --name John --shout\n
Note
Command arguments and options are based on Python's
argparse
module.For more information, see the argparse documentation.
"},{"location":"reference/commands/#components-list","title":"components list
","text":"usage: python manage.py components list [-h] [--all] [--columns COLUMNS] [-s]\n
See source code
List all components created in this project.
Options:
-h
,--help
- show this help message and exit
--all
- Show all columns. Same as
--columns name,full_name,path
.
- Show all columns. Same as
--columns COLUMNS
- Comma-separated list of columns to show. Available columns: name, full_name, path. Defaults to
--columns full_name,path
.
- Comma-separated list of columns to show. Available columns: name, full_name, path. Defaults to
-s
,--simple
- Only show table data, without headers. Use this option for generating machine-readable output.
List all components.
python manage.py components list\n
Prints the list of available components:
full_name path\n==================================================================================================\nproject.pages.project.ProjectPage ./project/pages/project\nproject.components.dashboard.ProjectDashboard ./project/components/dashboard\nproject.components.dashboard_action.ProjectDashboardAction ./project/components/dashboard_action\n
To specify which columns to show, use the
--columns
flag:python manage.py components list --columns name,full_name,path\n
Which prints:
name full_name path\n==================================================================================================\nProjectPage project.pages.project.ProjectPage ./project/pages/project\nProjectDashboard project.components.dashboard.ProjectDashboard ./project/components/dashboard\nProjectDashboardAction project.components.dashboard_action.ProjectDashboardAction ./project/components/dashboard_action\n
To print out all columns, use the
--all
flag:python manage.py components list --all\n
If you need to omit the title in order to programmatically post-process the output, you can use the
--simple
(or-s
) flag:python manage.py components list --simple\n
Which prints just:
"},{"location":"reference/commands/#startcomponent","title":"ProjectPage project.pages.project.ProjectPage ./project/pages/project\nProjectDashboard project.components.dashboard.ProjectDashboard ./project/components/dashboard\nProjectDashboardAction project.components.dashboard_action.ProjectDashboardAction ./project/components/dashboard_action\n
startcomponent
","text":"usage: startcomponent [-h] [--path PATH] [--js JS] [--css CSS]\n [--template TEMPLATE] [--force] [--verbose] [--dry-run]\n [--version] [-v {0,1,2,3}] [--settings SETTINGS]\n [--pythonpath PYTHONPATH] [--traceback] [--no-color]\n [--force-color] [--skip-checks]\n name\n
See source code
Deprecated. Use
components create
instead.Positional Arguments:
name
- The name of the component to create. This is a required argument.
Options:
-h
,--help
- show this help message and exit
--path PATH
- The path to the component's directory. This is an optional argument. If not provided, the command will use the
COMPONENTS.dirs
setting from your Django settings.
- The path to the component's directory. This is an optional argument. If not provided, the command will use the
--js JS
- The name of the JavaScript file. This is an optional argument. The default value is
script.js
.
- The name of the JavaScript file. This is an optional argument. The default value is
--css CSS
- The name of the CSS file. This is an optional argument. The default value is
style.css
.
- The name of the CSS file. This is an optional argument. The default value is
--template TEMPLATE
- The name of the template file. This is an optional argument. The default value is
template.html
.
- The name of the template file. This is an optional argument. The default value is
--force
- This option allows you to overwrite existing files if they exist. This is an optional argument.
--verbose
- This option allows the command to print additional information during component creation. This is an optional argument.
--dry-run
- This option allows you to simulate component creation without actually creating any files. This is an optional argument. The default value is
False
.
- This option allows you to simulate component creation without actually creating any files. This is an optional argument. The default value is
--version
- Show program's version number and exit.
-v
,--verbosity {0,1,2,3}
- Verbosity level; 0=minimal output, 1=normal output, 2=verbose output, 3=very verbose output
--settings SETTINGS
- The Python path to a settings module, e.g. \"myproject.settings.main\". If this isn't provided, the DJANGO_SETTINGS_MODULE environment variable will be used.
--pythonpath PYTHONPATH
- A directory to add to the Python path, e.g. \"/home/djangoprojects/myproject\".
--traceback
- Raise on CommandError exceptions.
--no-color
- Don't colorize the command output.
--force-color
- Force colorization of the command output.
--skip-checks
- Skip system checks.
Deprecated. Use
"},{"location":"reference/commands/#upgradecomponent","title":"components create
instead.upgradecomponent
","text":"usage: upgradecomponent [-h] [--path PATH] [--version] [-v {0,1,2,3}]\n [--settings SETTINGS] [--pythonpath PYTHONPATH]\n [--traceback] [--no-color] [--force-color]\n [--skip-checks]\n
See source code
Deprecated. Use
components upgrade
instead.Options:
-h
,--help
- show this help message and exit
--path PATH
- Path to search for components
--version
- Show program's version number and exit.
-v
,--verbosity {0,1,2,3}
- Verbosity level; 0=minimal output, 1=normal output, 2=verbose output, 3=very verbose output
--settings SETTINGS
- The Python path to a settings module, e.g. \"myproject.settings.main\". If this isn't provided, the DJANGO_SETTINGS_MODULE environment variable will be used.
--pythonpath PYTHONPATH
- A directory to add to the Python path, e.g. \"/home/djangoprojects/myproject\".
--traceback
- Raise on CommandError exceptions.
--no-color
- Don't colorize the command output.
--force-color
- Force colorization of the command output.
--skip-checks
- Skip system checks.
Deprecated. Use
"},{"location":"reference/components/","title":"Components","text":""},{"location":"reference/components/#components","title":"Components","text":"components upgrade
instead.These are the components provided by django_components.
"},{"location":"reference/components/#django_components.components.dynamic.DynamicComponent","title":"DynamicComponent
","text":"Bases:
django_components.component.Component
See source code
This component is given a registered name or a reference to another component, and behaves as if the other component was in its place.
The args, kwargs, and slot fills are all passed down to the underlying component.
Parameters:
-
is
(str | Type[Component]
) \u2013Component that should be rendered. Either a registered name of a component, or a Component class directly. Required.
-
registry
(ComponentRegistry
, default:None
) \u2013Specify the registry to search for the registered name. If omitted, all registries are searched until the first match.
-
*args
\u2013Additional data passed to the component.
-
**kwargs
\u2013Additional data passed to the component.
Slots:
- Any slots, depending on the actual component.
Examples:
Django
{% component \"dynamic\" is=table_comp data=table_data headers=table_headers %}\n {% fill \"pagination\" %}\n {% component \"pagination\" / %}\n {% endfill %}\n{% endcomponent %}\n
Or in case you use the
django_components.component_shorthand_formatter
tag formatter:{% dynamic is=table_comp data=table_data headers=table_headers %}\n {% fill \"pagination\" %}\n {% component \"pagination\" / %}\n {% endfill %}\n{% enddynamic %}\n
Python
"},{"location":"reference/components/#django_components.components.dynamic.DynamicComponent--use-cases","title":"Use cases","text":"from django_components import DynamicComponent\n\nDynamicComponent.render(\n kwargs={\n \"is\": table_comp,\n \"data\": table_data,\n \"headers\": table_headers,\n },\n slots={\n \"pagination\": PaginationComponent.render(\n deps_strategy=\"ignore\",\n ),\n },\n)\n
Dynamic components are suitable if you are writing something like a form component. You may design it such that users give you a list of input types, and you render components depending on the input types.
While you could handle this with a series of if / else statements, that's not an extensible approach. Instead, you can use the dynamic component in place of normal components.
"},{"location":"reference/components/#django_components.components.dynamic.DynamicComponent--component-name","title":"Component name","text":"By default, the dynamic component is registered under the name
\"dynamic\"
. In case of a conflict, you can set theCOMPONENTS.dynamic_component_name
setting to change the name used for the dynamic components.# settings.py\nCOMPONENTS = ComponentsSettings(\n dynamic_component_name=\"my_dynamic\",\n)\n
After which you will be able to use the dynamic component with the new name:
"},{"location":"reference/exceptions/","title":"Exceptions","text":""},{"location":"reference/exceptions/#exceptions","title":"Exceptions","text":""},{"location":"reference/exceptions/#django_components.AlreadyRegistered","title":"AlreadyRegistered","text":"{% component \"my_dynamic\" is=table_comp data=table_data headers=table_headers %}\n {% fill \"pagination\" %}\n {% component \"pagination\" / %}\n {% endfill %}\n{% endcomponent %}\n
Bases:
Exception
See source code
Raised when you try to register a Component, but it's already registered with given ComponentRegistry.
"},{"location":"reference/exceptions/#django_components.NotRegistered","title":"NotRegistered","text":"Bases:
Exception
See source code
Raised when you try to access a Component, but it's NOT registered with given ComponentRegistry.
"},{"location":"reference/exceptions/#django_components.TagProtectedError","title":"TagProtectedError","text":"Bases:
Exception
See source code
The way the
TagFormatter
works is that, based on which start and end tags are used for rendering components, theComponentRegistry
behind the scenes un-/registers the template tags with the associated instance of Django'sLibrary
.In other words, if I have registered a component
\"table\"
, and I use the shorthand syntax:{% table ... %}\n{% endtable %}\n
Then
ComponentRegistry
registers the tagtable
onto the Django's Library instance.However, that means that if we registered a component
\"slot\"
, then we would overwrite the{% slot %}
tag from django_components.Thus, this exception is raised when a component is attempted to be registered under a forbidden name, such that it would overwrite one of django_component's own template tags.
"},{"location":"reference/extension_commands/","title":"Extension commands","text":""},{"location":"reference/extension_commands/#extension-commands","title":"Extension commands","text":"Overview of all classes, functions, and other objects related to defining extension commands.
Read more on Extensions.
"},{"location":"reference/extension_commands/#django_components.CommandArg","title":"CommandArgdataclass
","text":"CommandArg(\n name_or_flags: Union[str, Sequence[str]],\n action: Optional[Union[CommandLiteralAction, Action]] = None,\n nargs: Optional[Union[int, Literal[\"*\", \"+\", \"?\"]]] = None,\n const: Any = None,\n default: Any = None,\n type: Optional[Union[Type, Callable[[str], Any]]] = None,\n choices: Optional[Sequence[Any]] = None,\n required: Optional[bool] = None,\n help: Optional[str] = None,\n metavar: Optional[str] = None,\n dest: Optional[str] = None,\n version: Optional[str] = None,\n deprecated: Optional[bool] = None,\n)\n
Bases:
object
See source code
Define a single positional argument or an option for a command.
Fields on this class correspond to the arguments for
ArgumentParser.add_argument()
Methods:
-
asdict
\u2013
Attributes:
-
action
(Optional[Union[CommandLiteralAction, Action]]
) \u2013 -
choices
(Optional[Sequence[Any]]
) \u2013 -
const
(Any
) \u2013 -
default
(Any
) \u2013 -
deprecated
(Optional[bool]
) \u2013 -
dest
(Optional[str]
) \u2013 -
help
(Optional[str]
) \u2013 -
metavar
(Optional[str]
) \u2013 -
name_or_flags
(Union[str, Sequence[str]]
) \u2013 -
nargs
(Optional[Union[int, Literal['*', '+', '?']]]
) \u2013 -
required
(Optional[bool]
) \u2013 -
type
(Optional[Union[Type, Callable[[str], Any]]]
) \u2013 -
version
(Optional[str]
) \u2013
class-attribute
instance-attribute
","text":"action: Optional[Union[CommandLiteralAction, Action]] = None\n
See source code
The basic type of action to be taken when this argument is encountered at the command line.
"},{"location":"reference/extension_commands/#django_components.CommandArg.choices","title":"choicesclass-attribute
instance-attribute
","text":"choices: Optional[Sequence[Any]] = None\n
See source code
A sequence of the allowable values for the argument.
"},{"location":"reference/extension_commands/#django_components.CommandArg.const","title":"constclass-attribute
instance-attribute
","text":"const: Any = None\n
See source code
A constant value required by some action and nargs selections.
"},{"location":"reference/extension_commands/#django_components.CommandArg.default","title":"defaultclass-attribute
instance-attribute
","text":"default: Any = None\n
See source code
The value produced if the argument is absent from the command line and if it is absent from the namespace object.
"},{"location":"reference/extension_commands/#django_components.CommandArg.deprecated","title":"deprecatedclass-attribute
instance-attribute
","text":"deprecated: Optional[bool] = None\n
See source code
Whether or not use of the argument is deprecated.
NOTE: This is supported only in Python 3.13+
"},{"location":"reference/extension_commands/#django_components.CommandArg.dest","title":"destclass-attribute
instance-attribute
","text":"dest: Optional[str] = None\n
See source code
The name of the attribute to be added to the object returned by parse_args().
"},{"location":"reference/extension_commands/#django_components.CommandArg.help","title":"helpclass-attribute
instance-attribute
","text":"help: Optional[str] = None\n
See source code
A brief description of what the argument does.
"},{"location":"reference/extension_commands/#django_components.CommandArg.metavar","title":"metavarclass-attribute
instance-attribute
","text":"metavar: Optional[str] = None\n
See source code
A name for the argument in usage messages.
"},{"location":"reference/extension_commands/#django_components.CommandArg.name_or_flags","title":"name_or_flagsinstance-attribute
","text":"name_or_flags: Union[str, Sequence[str]]\n
See source code
Either a name or a list of option strings, e.g. 'foo' or '-f', '--foo'.
"},{"location":"reference/extension_commands/#django_components.CommandArg.nargs","title":"nargsclass-attribute
instance-attribute
","text":"nargs: Optional[Union[int, Literal['*', '+', '?']]] = None\n
See source code
The number of command-line arguments that should be consumed.
"},{"location":"reference/extension_commands/#django_components.CommandArg.required","title":"requiredclass-attribute
instance-attribute
","text":"required: Optional[bool] = None\n
See source code
Whether or not the command-line option may be omitted (optionals only).
"},{"location":"reference/extension_commands/#django_components.CommandArg.type","title":"typeclass-attribute
instance-attribute
","text":"type: Optional[Union[Type, Callable[[str], Any]]] = None\n
See source code
The type to which the command-line argument should be converted.
"},{"location":"reference/extension_commands/#django_components.CommandArg.version","title":"versionclass-attribute
instance-attribute
","text":"version: Optional[str] = None\n
See source code
The version string to be added to the object returned by parse_args().
MUST be used with
action='version'
.See https://docs.python.org/3/library/argparse.html#action
"},{"location":"reference/extension_commands/#django_components.CommandArg.asdict","title":"asdict","text":"asdict() -> dict\n
See source code
Convert the dataclass to a dictionary, stripping out fields with
"},{"location":"reference/extension_commands/#django_components.CommandArgGroup","title":"CommandArgGroupNone
valuesdataclass
","text":"CommandArgGroup(title: Optional[str] = None, description: Optional[str] = None, arguments: Sequence[CommandArg] = ())\n
Bases:
object
See source code
Define a group of arguments for a command.
Fields on this class correspond to the arguments for
ArgumentParser.add_argument_group()
Methods:
-
asdict
\u2013
Attributes:
-
arguments
(Sequence[CommandArg]
) \u2013 -
description
(Optional[str]
) \u2013 -
title
(Optional[str]
) \u2013
class-attribute
instance-attribute
","text":"
"},{"location":"reference/extension_commands/#django_components.CommandArgGroup.description","title":"descriptionarguments: Sequence[CommandArg] = ()\n
class-attribute
instance-attribute
","text":"description: Optional[str] = None\n
See source code
Description for the argument group in help output, by default None
"},{"location":"reference/extension_commands/#django_components.CommandArgGroup.title","title":"titleclass-attribute
instance-attribute
","text":"title: Optional[str] = None\n
See source code
Title for the argument group in help output; by default \u201cpositional arguments\u201d if description is provided, otherwise uses title for positional arguments.
"},{"location":"reference/extension_commands/#django_components.CommandArgGroup.asdict","title":"asdict","text":"asdict() -> dict\n
See source code
Convert the dataclass to a dictionary, stripping out fields with
"},{"location":"reference/extension_commands/#django_components.CommandHandler","title":"CommandHandler","text":""},{"location":"reference/extension_commands/#django_components.CommandParserInput","title":"CommandParserInputNone
valuesdataclass
","text":"CommandParserInput(\n prog: Optional[str] = None,\n usage: Optional[str] = None,\n description: Optional[str] = None,\n epilog: Optional[str] = None,\n parents: Optional[Sequence[ArgumentParser]] = None,\n formatter_class: Optional[Type[_FormatterClass]] = None,\n prefix_chars: Optional[str] = None,\n fromfile_prefix_chars: Optional[str] = None,\n argument_default: Optional[Any] = None,\n conflict_handler: Optional[str] = None,\n add_help: Optional[bool] = None,\n allow_abbrev: Optional[bool] = None,\n exit_on_error: Optional[bool] = None,\n)\n
Bases:
object
See source code
Typing for the input to the
ArgumentParser
constructor.Methods:
-
asdict
\u2013
Attributes:
-
add_help
(Optional[bool]
) \u2013 -
allow_abbrev
(Optional[bool]
) \u2013 -
argument_default
(Optional[Any]
) \u2013 -
conflict_handler
(Optional[str]
) \u2013 -
description
(Optional[str]
) \u2013 -
epilog
(Optional[str]
) \u2013 -
exit_on_error
(Optional[bool]
) \u2013 -
formatter_class
(Optional[Type[_FormatterClass]]
) \u2013 -
fromfile_prefix_chars
(Optional[str]
) \u2013 -
parents
(Optional[Sequence[ArgumentParser]]
) \u2013 -
prefix_chars
(Optional[str]
) \u2013 -
prog
(Optional[str]
) \u2013 -
usage
(Optional[str]
) \u2013
class-attribute
instance-attribute
","text":"add_help: Optional[bool] = None\n
See source code
Add a -h/--help option to the parser (default:
"},{"location":"reference/extension_commands/#django_components.CommandParserInput.allow_abbrev","title":"allow_abbrevTrue
)class-attribute
instance-attribute
","text":"allow_abbrev: Optional[bool] = None\n
See source code
Allows long options to be abbreviated if the abbreviation is unambiguous. (default:
"},{"location":"reference/extension_commands/#django_components.CommandParserInput.argument_default","title":"argument_defaultTrue
)class-attribute
instance-attribute
","text":"argument_default: Optional[Any] = None\n
See source code
The global default value for arguments (default:
"},{"location":"reference/extension_commands/#django_components.CommandParserInput.conflict_handler","title":"conflict_handlerNone
)class-attribute
instance-attribute
","text":"conflict_handler: Optional[str] = None\n
See source code
The strategy for resolving conflicting optionals (usually unnecessary)
"},{"location":"reference/extension_commands/#django_components.CommandParserInput.description","title":"descriptionclass-attribute
instance-attribute
","text":"description: Optional[str] = None\n
See source code
Text to display before the argument help (by default, no text)
"},{"location":"reference/extension_commands/#django_components.CommandParserInput.epilog","title":"epilogclass-attribute
instance-attribute
","text":"epilog: Optional[str] = None\n
See source code
Text to display after the argument help (by default, no text)
"},{"location":"reference/extension_commands/#django_components.CommandParserInput.exit_on_error","title":"exit_on_errorclass-attribute
instance-attribute
","text":"exit_on_error: Optional[bool] = None\n
See source code
Determines whether or not ArgumentParser exits with error info when an error occurs. (default:
"},{"location":"reference/extension_commands/#django_components.CommandParserInput.formatter_class","title":"formatter_classTrue
)class-attribute
instance-attribute
","text":"formatter_class: Optional[Type[_FormatterClass]] = None\n
See source code
A class for customizing the help output
"},{"location":"reference/extension_commands/#django_components.CommandParserInput.fromfile_prefix_chars","title":"fromfile_prefix_charsclass-attribute
instance-attribute
","text":"fromfile_prefix_chars: Optional[str] = None\n
See source code
The set of characters that prefix files from which additional arguments should be read (default:
"},{"location":"reference/extension_commands/#django_components.CommandParserInput.parents","title":"parentsNone
)class-attribute
instance-attribute
","text":"parents: Optional[Sequence[ArgumentParser]] = None\n
See source code
A list of ArgumentParser objects whose arguments should also be included
"},{"location":"reference/extension_commands/#django_components.CommandParserInput.prefix_chars","title":"prefix_charsclass-attribute
instance-attribute
","text":"prefix_chars: Optional[str] = None\n
See source code
The set of characters that prefix optional arguments (default: \u2018-\u2018)
"},{"location":"reference/extension_commands/#django_components.CommandParserInput.prog","title":"progclass-attribute
instance-attribute
","text":"prog: Optional[str] = None\n
See source code
The name of the program (default:
"},{"location":"reference/extension_commands/#django_components.CommandParserInput.usage","title":"usageos.path.basename(sys.argv[0])
)class-attribute
instance-attribute
","text":"usage: Optional[str] = None\n
See source code
The string describing the program usage (default: generated from arguments added to parser)
"},{"location":"reference/extension_commands/#django_components.CommandParserInput.asdict","title":"asdict","text":"asdict() -> dict\n
See source code
Convert the dataclass to a dictionary, stripping out fields with
"},{"location":"reference/extension_commands/#django_components.CommandSubcommand","title":"CommandSubcommandNone
valuesdataclass
","text":"CommandSubcommand(\n title: Optional[str] = None,\n description: Optional[str] = None,\n prog: Optional[str] = None,\n parser_class: Optional[Type[ArgumentParser]] = None,\n action: Optional[Union[CommandLiteralAction, Action]] = None,\n dest: Optional[str] = None,\n required: Optional[bool] = None,\n help: Optional[str] = None,\n metavar: Optional[str] = None,\n)\n
Bases:
object
See source code
Define a subcommand for a command.
Fields on this class correspond to the arguments for
ArgumentParser.add_subparsers.add_parser()
Methods:
-
asdict
\u2013
Attributes:
-
action
(Optional[Union[CommandLiteralAction, Action]]
) \u2013 -
description
(Optional[str]
) \u2013 -
dest
(Optional[str]
) \u2013 -
help
(Optional[str]
) \u2013 -
metavar
(Optional[str]
) \u2013 -
parser_class
(Optional[Type[ArgumentParser]]
) \u2013 -
prog
(Optional[str]
) \u2013 -
required
(Optional[bool]
) \u2013 -
title
(Optional[str]
) \u2013
class-attribute
instance-attribute
","text":"action: Optional[Union[CommandLiteralAction, Action]] = None\n
See source code
The basic type of action to be taken when this argument is encountered at the command line.
"},{"location":"reference/extension_commands/#django_components.CommandSubcommand.description","title":"descriptionclass-attribute
instance-attribute
","text":"description: Optional[str] = None\n
See source code
Description for the sub-parser group in help output, by default
"},{"location":"reference/extension_commands/#django_components.CommandSubcommand.dest","title":"destNone
.class-attribute
instance-attribute
","text":"dest: Optional[str] = None\n
See source code
Name of the attribute under which sub-command name will be stored; by default
"},{"location":"reference/extension_commands/#django_components.CommandSubcommand.help","title":"helpNone
and no value is stored.class-attribute
instance-attribute
","text":"help: Optional[str] = None\n
See source code
Help for sub-parser group in help output, by default
"},{"location":"reference/extension_commands/#django_components.CommandSubcommand.metavar","title":"metavarNone
.class-attribute
instance-attribute
","text":"metavar: Optional[str] = None\n
See source code
String presenting available subcommands in help; by default it is None and presents subcommands in form
"},{"location":"reference/extension_commands/#django_components.CommandSubcommand.parser_class","title":"parser_class{cmd1, cmd2, ..}
.class-attribute
instance-attribute
","text":"parser_class: Optional[Type[ArgumentParser]] = None\n
See source code
Class which will be used to create sub-parser instances, by default the class of the current parser (e.g.
"},{"location":"reference/extension_commands/#django_components.CommandSubcommand.prog","title":"progArgumentParser
).class-attribute
instance-attribute
","text":"prog: Optional[str] = None\n
See source code
Usage information that will be displayed with sub-command help, by default the name of the program and any positional arguments before the subparser argument.
"},{"location":"reference/extension_commands/#django_components.CommandSubcommand.required","title":"requiredclass-attribute
instance-attribute
","text":"required: Optional[bool] = None\n
See source code
Whether or not a subcommand must be provided, by default
"},{"location":"reference/extension_commands/#django_components.CommandSubcommand.title","title":"titleFalse
(added in 3.7)class-attribute
instance-attribute
","text":"title: Optional[str] = None\n
See source code
Title for the sub-parser group in help output; by default \u201csubcommands\u201d if description is provided, otherwise uses title for positional arguments.
"},{"location":"reference/extension_commands/#django_components.CommandSubcommand.asdict","title":"asdict","text":"asdict() -> dict\n
See source code
Convert the dataclass to a dictionary, stripping out fields with
"},{"location":"reference/extension_commands/#django_components.ComponentCommand","title":"ComponentCommand","text":"None
valuesBases:
object
See source code
Definition of a CLI command.
This class is based on Python's
argparse
module and Django'sBaseCommand
class.ComponentCommand
allows you to define:- Command name, description, and help text
- Arguments and options (e.g.
--name John
) - Group arguments (see argparse groups)
- Subcommands (e.g.
components ext run my_ext hello
) - Handler behavior
Each extension can add its own commands, which will be available to run with
components ext run
.Extensions use the
ComponentCommand
class to define their commands.For example, if you define and install the following extension:
from django_components ComponentCommand, ComponentExtension\n\nclass HelloCommand(ComponentCommand):\n name = \"hello\"\n help = \"Say hello\"\n def handle(self, *args, **kwargs):\n print(\"Hello, world!\")\n\nclass MyExt(ComponentExtension):\n name = \"my_ext\"\n commands = [HelloCommand]\n
You can run the
hello
command with:python manage.py components ext run my_ext hello\n
You can also define arguments for the command, which will be passed to the command's
handle
method.from django_components import CommandArg, ComponentCommand, ComponentExtension\n\nclass HelloCommand(ComponentCommand):\n name = \"hello\"\n help = \"Say hello\"\n arguments = [\n CommandArg(name=\"name\", help=\"The name to say hello to\"),\n CommandArg(name=[\"--shout\", \"-s\"], action=\"store_true\"),\n ]\n\n def handle(self, name: str, *args, **kwargs):\n shout = kwargs.get(\"shout\", False)\n msg = f\"Hello, {name}!\"\n if shout:\n msg = msg.upper()\n print(msg)\n
You can run the command with:
python manage.py components ext run my_ext hello --name John --shout\n
Note
Command arguments and options are based on Python's
argparse
module.For more information, see the argparse documentation.
Attributes:
-
arguments
(Sequence[Union[CommandArg, CommandArgGroup]]
) \u2013 -
handle
(Optional[CommandHandler]
) \u2013 -
help
(Optional[str]
) \u2013 -
name
(str
) \u2013 -
parser_input
(Optional[CommandParserInput]
) \u2013 -
subcommands
(Sequence[Type[ComponentCommand]]
) \u2013 -
subparser_input
(Optional[CommandSubcommand]
) \u2013
class-attribute
instance-attribute
","text":"arguments: Sequence[Union[CommandArg, CommandArgGroup]] = ()\n
See source code
argparse arguments for the command
"},{"location":"reference/extension_commands/#django_components.ComponentCommand.handle","title":"handleclass-attribute
instance-attribute
","text":"handle: Optional[CommandHandler] = None\n
See source code
The function that is called when the command is run. If
"},{"location":"reference/extension_commands/#django_components.ComponentCommand.help","title":"helpNone
, the command will print the help message.class-attribute
instance-attribute
","text":"help: Optional[str] = None\n
See source code
The help text for the command
"},{"location":"reference/extension_commands/#django_components.ComponentCommand.name","title":"nameinstance-attribute
","text":"name: str\n
See source code
The name of the command - this is what is used to call the command
"},{"location":"reference/extension_commands/#django_components.ComponentCommand.parser_input","title":"parser_inputclass-attribute
instance-attribute
","text":"parser_input: Optional[CommandParserInput] = None\n
See source code
The input to use when creating the
"},{"location":"reference/extension_commands/#django_components.ComponentCommand.subcommands","title":"subcommandsArgumentParser
for this command. IfNone
, the default values will be used.class-attribute
instance-attribute
","text":"subcommands: Sequence[Type[ComponentCommand]] = ()\n
See source code
Subcommands for the command
"},{"location":"reference/extension_commands/#django_components.ComponentCommand.subparser_input","title":"subparser_inputclass-attribute
instance-attribute
","text":"subparser_input: Optional[CommandSubcommand] = None\n
See source code
The input to use when this command is a subcommand installed with
"},{"location":"reference/extension_hooks/","title":"Extension hooks","text":""},{"location":"reference/extension_hooks/#extension-hooks","title":"Extension hooks","text":"add_subparser()
. IfNone
, the default values will be used.Overview of all the extension hooks available in Django Components.
Read more on Extensions.
"},{"location":"reference/extension_hooks/#hooks","title":"Hooks","text":"Available data:
name type descriptioncomponent_cls
Type[Component]
The created Component classAvailable data:
name type descriptioncomponent_cls
Type[Component]
The to-be-deleted Component classAvailable data:
name type descriptioncomponent
Component
The Component instance that is being renderedcomponent_cls
Type[Component]
The Component classcomponent_id
str
The unique identifier for this component instancecontext_data
Dict
Deprecated. Usetemplate_data
instead. Will be removed in v1.0.css_data
Dict
Dictionary of CSS data fromComponent.get_css_data()
js_data
Dict
Dictionary of JavaScript data fromComponent.get_js_data()
template_data
Dict
Dictionary of template data fromComponent.get_template_data()
Available data:
name type descriptionargs
List
List of positional arguments passed to the componentcomponent
Component
The Component instance that received the input and is being renderedcomponent_cls
Type[Component]
The Component classcomponent_id
str
The unique identifier for this component instancecontext
Context
The Django template Context objectkwargs
Dict
Dictionary of keyword arguments passed to the componentslots
Dict
Dictionary of slot definitionsAvailable data:
name type descriptioncomponent_cls
Type[Component]
The registered Component classname
str
The name the component was registered underregistry
ComponentRegistry
The registry the component was registered toAvailable data:
name type descriptioncomponent
Component
The Component instance that is being renderedcomponent_cls
Type[Component]
The Component classcomponent_id
str
The unique identifier for this component instanceresult
str
The rendered componentAvailable data:
name type descriptioncomponent_cls
Type[Component]
The unregistered Component classname
str
The name the component was registered underregistry
ComponentRegistry
The registry the component was unregistered fromAvailable data:
name type descriptionregistry
ComponentRegistry
The created ComponentRegistry instanceAvailable data:
name type descriptionregistry
ComponentRegistry
The to-be-deleted ComponentRegistry instance"},{"location":"reference/extension_hooks/#django_components.extension.ComponentExtension.on_component_class_created","title":"on_component_class_created","text":"on_component_class_created(ctx: OnComponentClassCreatedContext) -> None\n
See source code
Called when a new
Component
class is created.This hook is called after the
Component
class is fully defined but before it's registered.Use this hook to perform any initialization or validation of the
Component
class.Example:
"},{"location":"reference/extension_hooks/#django_components.extension.ComponentExtension.on_component_class_deleted","title":"on_component_class_deleted","text":"from django_components import ComponentExtension, OnComponentClassCreatedContext\n\nclass MyExtension(ComponentExtension):\n def on_component_class_created(self, ctx: OnComponentClassCreatedContext) -> None:\n # Add a new attribute to the Component class\n ctx.component_cls.my_attr = \"my_value\"\n
on_component_class_deleted(ctx: OnComponentClassDeletedContext) -> None\n
See source code
Called when a
Component
class is being deleted.This hook is called before the
Component
class is deleted from memory.Use this hook to perform any cleanup related to the
Component
class.Example:
"},{"location":"reference/extension_hooks/#django_components.extension.ComponentExtension.on_component_data","title":"on_component_data","text":"from django_components import ComponentExtension, OnComponentClassDeletedContext\n\nclass MyExtension(ComponentExtension):\n def on_component_class_deleted(self, ctx: OnComponentClassDeletedContext) -> None:\n # Remove Component class from the extension's cache on deletion\n self.cache.pop(ctx.component_cls, None)\n
on_component_data(ctx: OnComponentDataContext) -> None\n
See source code
Called when a
Component
was triggered to render, after a component's context and data methods have been processed.This hook is called after
Component.get_template_data()
,Component.get_js_data()
andComponent.get_css_data()
.This hook runs after
on_component_input
.Use this hook to modify or validate the component's data before rendering.
Example:
"},{"location":"reference/extension_hooks/#django_components.extension.ComponentExtension.on_component_input","title":"on_component_input","text":"from django_components import ComponentExtension, OnComponentDataContext\n\nclass MyExtension(ComponentExtension):\n def on_component_data(self, ctx: OnComponentDataContext) -> None:\n # Add extra template variable to all components when they are rendered\n ctx.template_data[\"my_template_var\"] = \"my_value\"\n
on_component_input(ctx: OnComponentInputContext) -> Optional[str]\n
See source code
Called when a
Component
was triggered to render, but before a component's context and data methods are invoked.Use this hook to modify or validate component inputs before they're processed.
This is the first hook that is called when rendering a component. As such this hook is called before
Component.get_template_data()
,Component.get_js_data()
, andComponent.get_css_data()
methods, and theon_component_data
hook.This hook also allows to skip the rendering of a component altogether. If the hook returns a non-null value, this value will be used instead of rendering the component.
You can use this to implement a caching mechanism for components, or define components that will be rendered conditionally.
Example:
"},{"location":"reference/extension_hooks/#django_components.extension.ComponentExtension.on_component_registered","title":"on_component_registered","text":"from django_components import ComponentExtension, OnComponentInputContext\n\nclass MyExtension(ComponentExtension):\n def on_component_input(self, ctx: OnComponentInputContext) -> None:\n # Add extra kwarg to all components when they are rendered\n ctx.kwargs[\"my_input\"] = \"my_value\"\n
on_component_registered(ctx: OnComponentRegisteredContext) -> None\n
See source code
Called when a
Component
class is registered with aComponentRegistry
.This hook is called after a
Component
class is successfully registered.Example:
"},{"location":"reference/extension_hooks/#django_components.extension.ComponentExtension.on_component_rendered","title":"on_component_rendered","text":"from django_components import ComponentExtension, OnComponentRegisteredContext\n\nclass MyExtension(ComponentExtension):\n def on_component_registered(self, ctx: OnComponentRegisteredContext) -> None:\n print(f\"Component {ctx.component_cls} registered to {ctx.registry} as '{ctx.name}'\")\n
on_component_rendered(ctx: OnComponentRenderedContext) -> Optional[str]\n
See source code
Called when a
Component
was rendered, including all its child components.Use this hook to access or post-process the component's rendered output.
To modify the output, return a new string from this hook.
Example:
"},{"location":"reference/extension_hooks/#django_components.extension.ComponentExtension.on_component_unregistered","title":"on_component_unregistered","text":"from django_components import ComponentExtension, OnComponentRenderedContext\n\nclass MyExtension(ComponentExtension):\n def on_component_rendered(self, ctx: OnComponentRenderedContext) -> Optional[str]:\n # Append a comment to the component's rendered output\n return ctx.result + \"<!-- MyExtension comment -->\"\n
on_component_unregistered(ctx: OnComponentUnregisteredContext) -> None\n
See source code
Called when a
Component
class is unregistered from aComponentRegistry
.This hook is called after a
Component
class is removed from the registry.Example:
"},{"location":"reference/extension_hooks/#django_components.extension.ComponentExtension.on_registry_created","title":"on_registry_created","text":"from django_components import ComponentExtension, OnComponentUnregisteredContext\n\nclass MyExtension(ComponentExtension):\n def on_component_unregistered(self, ctx: OnComponentUnregisteredContext) -> None:\n print(f\"Component {ctx.component_cls} unregistered from {ctx.registry} as '{ctx.name}'\")\n
on_registry_created(ctx: OnRegistryCreatedContext) -> None\n
See source code
Called when a new
ComponentRegistry
is created.This hook is called after a new
ComponentRegistry
instance is initialized.Use this hook to perform any initialization needed for the registry.
Example:
"},{"location":"reference/extension_hooks/#django_components.extension.ComponentExtension.on_registry_deleted","title":"on_registry_deleted","text":"from django_components import ComponentExtension, OnRegistryCreatedContext\n\nclass MyExtension(ComponentExtension):\n def on_registry_created(self, ctx: OnRegistryCreatedContext) -> None:\n # Add a new attribute to the registry\n ctx.registry.my_attr = \"my_value\"\n
on_registry_deleted(ctx: OnRegistryDeletedContext) -> None\n
See source code
Called when a
ComponentRegistry
is being deleted.This hook is called before a
ComponentRegistry
instance is deleted.Use this hook to perform any cleanup related to the registry.
Example:
"},{"location":"reference/extension_hooks/#objects","title":"Objects","text":""},{"location":"reference/extension_hooks/#django_components.extension.OnComponentClassCreatedContext","title":"OnComponentClassCreatedContext","text":"from django_components import ComponentExtension, OnRegistryDeletedContext\n\nclass MyExtension(ComponentExtension):\n def on_registry_deleted(self, ctx: OnRegistryDeletedContext) -> None:\n # Remove registry from the extension's cache on deletion\n self.cache.pop(ctx.registry, None)\n
Attributes:
-
component_cls
(Type[Component]
) \u2013
instance-attribute
","text":"component_cls: Type[Component]\n
See source code
The created Component class
"},{"location":"reference/extension_hooks/#django_components.extension.OnComponentClassDeletedContext","title":"OnComponentClassDeletedContext","text":"Attributes:
-
component_cls
(Type[Component]
) \u2013
instance-attribute
","text":"component_cls: Type[Component]\n
See source code
The to-be-deleted Component class
"},{"location":"reference/extension_hooks/#django_components.extension.OnComponentDataContext","title":"OnComponentDataContext","text":"Attributes:
-
component
(Component
) \u2013 -
component_cls
(Type[Component]
) \u2013 -
component_id
(str
) \u2013 -
context_data
(Dict
) \u2013 -
css_data
(Dict
) \u2013 -
js_data
(Dict
) \u2013 -
template_data
(Dict
) \u2013
instance-attribute
","text":"component: Component\n
See source code
The Component instance that is being rendered
"},{"location":"reference/extension_hooks/#django_components.extension.OnComponentDataContext.component_cls","title":"component_clsinstance-attribute
","text":"component_cls: Type[Component]\n
See source code
The Component class
"},{"location":"reference/extension_hooks/#django_components.extension.OnComponentDataContext.component_id","title":"component_idinstance-attribute
","text":"component_id: str\n
See source code
The unique identifier for this component instance
"},{"location":"reference/extension_hooks/#django_components.extension.OnComponentDataContext.context_data","title":"context_datainstance-attribute
","text":"context_data: Dict\n
See source code
Deprecated. Use
"},{"location":"reference/extension_hooks/#django_components.extension.OnComponentDataContext.css_data","title":"css_datatemplate_data
instead. Will be removed in v1.0.instance-attribute
","text":"css_data: Dict\n
See source code
Dictionary of CSS data from
"},{"location":"reference/extension_hooks/#django_components.extension.OnComponentDataContext.js_data","title":"js_dataComponent.get_css_data()
instance-attribute
","text":"js_data: Dict\n
See source code
Dictionary of JavaScript data from
"},{"location":"reference/extension_hooks/#django_components.extension.OnComponentDataContext.template_data","title":"template_dataComponent.get_js_data()
instance-attribute
","text":"template_data: Dict\n
See source code
Dictionary of template data from
"},{"location":"reference/extension_hooks/#django_components.extension.OnComponentInputContext","title":"OnComponentInputContext","text":"Component.get_template_data()
Attributes:
-
args
(List
) \u2013 -
component
(Component
) \u2013 -
component_cls
(Type[Component]
) \u2013 -
component_id
(str
) \u2013 -
context
(Context
) \u2013 -
kwargs
(Dict
) \u2013 -
slots
(Dict
) \u2013
instance-attribute
","text":"args: List\n
See source code
List of positional arguments passed to the component
"},{"location":"reference/extension_hooks/#django_components.extension.OnComponentInputContext.component","title":"componentinstance-attribute
","text":"component: Component\n
See source code
The Component instance that received the input and is being rendered
"},{"location":"reference/extension_hooks/#django_components.extension.OnComponentInputContext.component_cls","title":"component_clsinstance-attribute
","text":"component_cls: Type[Component]\n
See source code
The Component class
"},{"location":"reference/extension_hooks/#django_components.extension.OnComponentInputContext.component_id","title":"component_idinstance-attribute
","text":"component_id: str\n
See source code
The unique identifier for this component instance
"},{"location":"reference/extension_hooks/#django_components.extension.OnComponentInputContext.context","title":"contextinstance-attribute
","text":"context: Context\n
See source code
The Django template Context object
"},{"location":"reference/extension_hooks/#django_components.extension.OnComponentInputContext.kwargs","title":"kwargsinstance-attribute
","text":"kwargs: Dict\n
See source code
Dictionary of keyword arguments passed to the component
"},{"location":"reference/extension_hooks/#django_components.extension.OnComponentInputContext.slots","title":"slotsinstance-attribute
","text":"slots: Dict\n
See source code
Dictionary of slot definitions
"},{"location":"reference/extension_hooks/#django_components.extension.OnComponentRegisteredContext","title":"OnComponentRegisteredContext","text":"Attributes:
-
component_cls
(Type[Component]
) \u2013 -
name
(str
) \u2013 -
registry
(ComponentRegistry
) \u2013
instance-attribute
","text":"component_cls: Type[Component]\n
See source code
The registered Component class
"},{"location":"reference/extension_hooks/#django_components.extension.OnComponentRegisteredContext.name","title":"nameinstance-attribute
","text":"name: str\n
See source code
The name the component was registered under
"},{"location":"reference/extension_hooks/#django_components.extension.OnComponentRegisteredContext.registry","title":"registryinstance-attribute
","text":"registry: ComponentRegistry\n
See source code
The registry the component was registered to
"},{"location":"reference/extension_hooks/#django_components.extension.OnComponentUnregisteredContext","title":"OnComponentUnregisteredContext","text":"Attributes:
-
component_cls
(Type[Component]
) \u2013 -
name
(str
) \u2013 -
registry
(ComponentRegistry
) \u2013
instance-attribute
","text":"component_cls: Type[Component]\n
See source code
The unregistered Component class
"},{"location":"reference/extension_hooks/#django_components.extension.OnComponentUnregisteredContext.name","title":"nameinstance-attribute
","text":"name: str\n
See source code
The name the component was registered under
"},{"location":"reference/extension_hooks/#django_components.extension.OnComponentUnregisteredContext.registry","title":"registryinstance-attribute
","text":"registry: ComponentRegistry\n
See source code
The registry the component was unregistered from
"},{"location":"reference/extension_hooks/#django_components.extension.OnRegistryCreatedContext","title":"OnRegistryCreatedContext","text":"Attributes:
-
registry
(ComponentRegistry
) \u2013
instance-attribute
","text":"registry: ComponentRegistry\n
See source code
The created ComponentRegistry instance
"},{"location":"reference/extension_hooks/#django_components.extension.OnRegistryDeletedContext","title":"OnRegistryDeletedContext","text":"Attributes:
-
registry
(ComponentRegistry
) \u2013
instance-attribute
","text":"registry: ComponentRegistry\n
See source code
The to-be-deleted ComponentRegistry instance
"},{"location":"reference/extension_urls/","title":"Extension URLs","text":""},{"location":"reference/extension_urls/#extension-urls","title":"Extension URLs","text":"Overview of all classes, functions, and other objects related to defining extension URLs.
Read more on Extensions.
"},{"location":"reference/extension_urls/#django_components.URLRoute","title":"URLRoutedataclass
","text":"URLRoute(\n path: str,\n handler: Optional[URLRouteHandler] = None,\n children: Iterable[URLRoute] = list(),\n name: Optional[str] = None,\n extra: Dict[str, Any] = dict(),\n)\n
Bases:
object
See source code
Framework-agnostic route definition.
This is similar to Django's
URLPattern
object created withdjango.urls.path()
.The
URLRoute
must either define ahandler
function or have a list of child routeschildren
. If both are defined, an error will be raised.Example:
URLRoute(\"/my/path\", handler=my_handler, name=\"my_name\", extra={\"kwargs\": {\"my_extra\": \"my_value\"}})\n
Is equivalent to:
django.urls.path(\"/my/path\", my_handler, name=\"my_name\", kwargs={\"my_extra\": \"my_value\"})\n
With children:
URLRoute(\n \"/my/path\",\n name=\"my_name\",\n extra={\"kwargs\": {\"my_extra\": \"my_value\"}},\n children=[\n URLRoute(\n \"/child/<str:name>/\",\n handler=my_handler,\n name=\"my_name\",\n extra={\"kwargs\": {\"my_extra\": \"my_value\"}},\n ),\n URLRoute(\"/other/<int:id>/\", handler=other_handler),\n ],\n)\n
Attributes:
-
children
(Iterable[URLRoute]
) \u2013 -
extra
(Dict[str, Any]
) \u2013 -
handler
(Optional[URLRouteHandler]
) \u2013 -
name
(Optional[str]
) \u2013 -
path
(str
) \u2013
class-attribute
instance-attribute
","text":"
"},{"location":"reference/extension_urls/#django_components.URLRoute.extra","title":"extrachildren: Iterable[URLRoute] = field(default_factory=list)\n
class-attribute
instance-attribute
","text":"
"},{"location":"reference/extension_urls/#django_components.URLRoute.handler","title":"handlerextra: Dict[str, Any] = field(default_factory=dict)\n
class-attribute
instance-attribute
","text":"
"},{"location":"reference/extension_urls/#django_components.URLRoute.name","title":"namehandler: Optional[URLRouteHandler] = None\n
class-attribute
instance-attribute
","text":"
"},{"location":"reference/extension_urls/#django_components.URLRoute.path","title":"pathname: Optional[str] = None\n
instance-attribute
","text":"
"},{"location":"reference/extension_urls/#django_components.URLRouteHandler","title":"URLRouteHandler","text":"path: str\n
Bases:
typing.Protocol
See source code
Framework-agnostic 'view' function for routes
"},{"location":"reference/settings/","title":"Settings","text":""},{"location":"reference/settings/#settings","title":"Settings","text":"You can configure django_components with a global
COMPONENTS
variable in your Django settings file, e.g.settings.py
. By default you don't need it set, there are resonable defaults.To configure the settings you can instantiate
ComponentsSettings
for validation and type hints. Or, for backwards compatibility, you can also use plain dictionary:
"},{"location":"reference/settings/#settings-defaults","title":"Settings defaults","text":"# settings.py\nfrom django_components import ComponentsSettings\n\nCOMPONENTS = ComponentsSettings(\n autodiscover=True,\n ...\n)\n\n# or\n\nCOMPONENTS = {\n \"autodiscover\": True,\n ...\n}\n
Here's overview of all available settings and their defaults:
"},{"location":"reference/settings/#django_components.app_settings.ComponentsSettings.app_dirs","title":"app_dirs","text":"defaults = ComponentsSettings(\n autodiscover=True,\n cache=None,\n context_behavior=ContextBehavior.DJANGO.value, # \"django\" | \"isolated\"\n # Root-level \"components\" dirs, e.g. `/path/to/proj/components/`\n dirs=[Path(settings.BASE_DIR) / \"components\"],\n # App-level \"components\" dirs, e.g. `[app]/components/`\n app_dirs=[\"components\"],\n debug_highlight_components=False,\n debug_highlight_slots=False,\n dynamic_component_name=\"dynamic\",\n extensions=[],\n libraries=[], # E.g. [\"mysite.components.forms\", ...]\n multiline_tags=True,\n reload_on_file_change=False,\n static_files_allowed=[\n \".css\",\n \".js\", \".jsx\", \".ts\", \".tsx\",\n # Images\n \".apng\", \".png\", \".avif\", \".gif\", \".jpg\",\n \".jpeg\", \".jfif\", \".pjpeg\", \".pjp\", \".svg\",\n \".webp\", \".bmp\", \".ico\", \".cur\", \".tif\", \".tiff\",\n # Fonts\n \".eot\", \".ttf\", \".woff\", \".otf\", \".svg\",\n ],\n static_files_forbidden=[\n # See https://marketplace.visualstudio.com/items?itemName=junstyle.vscode-django-support\n \".html\", \".django\", \".dj\", \".tpl\",\n # Python files\n \".py\", \".pyc\",\n ],\n tag_formatter=\"django_components.component_formatter\",\n template_cache_size=128,\n)\n
app_dirs: Optional[Sequence[str]] = None\n
See source code
Specify the app-level directories that contain your components.
Defaults to
[\"components\"]
. That is, for each Django app, we search<app>/components/
for components.The paths must be relative to app, e.g.:
COMPONENTS = ComponentsSettings(\n app_dirs=[\"my_comps\"],\n)\n
To search for
<app>/my_comps/
.These locations are searched during autodiscovery, or when you define HTML, JS, or CSS as separate files.
Set to empty list to disable app-level components:
"},{"location":"reference/settings/#django_components.app_settings.ComponentsSettings.autodiscover","title":"autodiscover","text":"COMPONENTS = ComponentsSettings(\n app_dirs=[],\n)\n
autodiscover: Optional[bool] = None\n
See source code
Toggle whether to run autodiscovery at the Django server startup.
Defaults to
True
"},{"location":"reference/settings/#django_components.app_settings.ComponentsSettings.cache","title":"cache","text":"COMPONENTS = ComponentsSettings(\n autodiscover=False,\n)\n
cache: Optional[str] = None\n
See source code
Name of the Django cache to be used for storing component's JS and CSS files.
If
None
, aLocMemCache
is used with default settings.Defaults to
None
.Read more about caching.
"},{"location":"reference/settings/#django_components.app_settings.ComponentsSettings.context_behavior","title":"context_behavior","text":"COMPONENTS = ComponentsSettings(\n cache=\"my_cache\",\n)\n
context_behavior: Optional[ContextBehaviorType] = None\n
See source code
Configure whether, inside a component template, you can use variables from the outside (
\"django\"
) or not (\"isolated\"
). This also affects what variables are available inside the{% fill %}
tags.Also see Component context and scope.
Defaults to
\"django\"
.COMPONENTS = ComponentsSettings(\n context_behavior=\"isolated\",\n)\n
NOTE:
context_behavior
andslot_context_behavior
options were merged in v0.70.If you are migrating from BEFORE v0.67, set
context_behavior
to\"django\"
. From v0.67 to v0.78 (incl) the default value was\"isolated\"
.For v0.79 and later, the default is again
"},{"location":"reference/settings/#django_components.app_settings.ComponentsSettings.debug_highlight_components","title":"debug_highlight_components","text":"\"django\"
. See the rationale for change here.debug_highlight_components: Optional[bool] = None\n
See source code
Enable / disable component highlighting. See Troubleshooting for more details.
Defaults to
False
.
"},{"location":"reference/settings/#django_components.app_settings.ComponentsSettings.debug_highlight_slots","title":"debug_highlight_slots","text":"COMPONENTS = ComponentsSettings(\n debug_highlight_components=True,\n)\n
debug_highlight_slots: Optional[bool] = None\n
See source code
Enable / disable slot highlighting. See Troubleshooting for more details.
Defaults to
False
.
"},{"location":"reference/settings/#django_components.app_settings.ComponentsSettings.dirs","title":"dirs","text":"COMPONENTS = ComponentsSettings(\n debug_highlight_slots=True,\n)\n
dirs: Optional[Sequence[Union[str, PathLike, Tuple[str, str], Tuple[str, PathLike]]]] = None\n
See source code
Specify the directories that contain your components.
Defaults to
[Path(settings.BASE_DIR) / \"components\"]
. That is, the rootcomponents/
app.Directories must be full paths, same as with STATICFILES_DIRS.
These locations are searched during autodiscovery, or when you define HTML, JS, or CSS as separate files.
COMPONENTS = ComponentsSettings(\n dirs=[BASE_DIR / \"components\"],\n)\n
Set to empty list to disable global components directories:
"},{"location":"reference/settings/#django_components.app_settings.ComponentsSettings.dynamic_component_name","title":"dynamic_component_name","text":"COMPONENTS = ComponentsSettings(\n dirs=[],\n)\n
dynamic_component_name: Optional[str] = None\n
See source code
By default, the dynamic component is registered under the name
\"dynamic\"
.In case of a conflict, you can use this setting to change the component name used for the dynamic components.
# settings.py\nCOMPONENTS = ComponentsSettings(\n dynamic_component_name=\"my_dynamic\",\n)\n
After which you will be able to use the dynamic component with the new name:
"},{"location":"reference/settings/#django_components.app_settings.ComponentsSettings.extensions","title":"extensions","text":"{% component \"my_dynamic\" is=table_comp data=table_data headers=table_headers %}\n {% fill \"pagination\" %}\n {% component \"pagination\" / %}\n {% endfill %}\n{% endcomponent %}\n
extensions: Optional[Sequence[Union[Type[ComponentExtension], str]]] = None\n
See source code
List of extensions to be loaded.
The extensions can be specified as:
- Python import path, e.g.
\"path.to.my_extension.MyExtension\"
. - Extension class, e.g.
my_extension.MyExtension
.
"},{"location":"reference/settings/#django_components.app_settings.ComponentsSettings.forbidden_static_files","title":"forbidden_static_files","text":"COMPONENTS = ComponentsSettings(\n extensions=[\n \"path.to.my_extension.MyExtension\",\n StorybookExtension,\n ],\n)\n
forbidden_static_files: Optional[List[Union[str, Pattern]]] = None\n
See source code
Deprecated. Use
"},{"location":"reference/settings/#django_components.app_settings.ComponentsSettings.libraries","title":"libraries","text":"COMPONENTS.static_files_forbidden
instead.libraries: Optional[List[str]] = None\n
See source code
Configure extra python modules that should be loaded.
This may be useful if you are not using the autodiscovery feature, or you need to load components from non-standard locations. Thus you can have a structure of components that is independent from your apps.
Expects a list of python module paths. Defaults to empty list.
Example:
COMPONENTS = ComponentsSettings(\n libraries=[\n \"mysite.components.forms\",\n \"mysite.components.buttons\",\n \"mysite.components.cards\",\n ],\n)\n
This would be the equivalent of importing these modules from within Django's
AppConfig.ready()
:
"},{"location":"reference/settings/#django_components.app_settings.ComponentsSettings.libraries--manually-loading-libraries","title":"Manually loading libraries","text":"class MyAppConfig(AppConfig):\n def ready(self):\n import \"mysite.components.forms\"\n import \"mysite.components.buttons\"\n import \"mysite.components.cards\"\n
In the rare case that you need to manually trigger the import of libraries, you can use the
import_libraries()
function:
"},{"location":"reference/settings/#django_components.app_settings.ComponentsSettings.multiline_tags","title":"multiline_tags","text":"from django_components import import_libraries\n\nimport_libraries()\n
multiline_tags: Optional[bool] = None\n
See source code
Enable / disable multiline support for template tags. If
True
, template tags like{% component %}
or{{ my_var }}
can span multiple lines.Defaults to
True
.Disable this setting if you are making custom modifications to Django's regular expression for parsing templates at
django.template.base.tag_re
.
"},{"location":"reference/settings/#django_components.app_settings.ComponentsSettings.reload_on_file_change","title":"reload_on_file_change","text":"COMPONENTS = ComponentsSettings(\n multiline_tags=False,\n)\n
reload_on_file_change: Optional[bool] = None\n
See source code
This is relevant if you are using the project structure where HTML, JS, CSS and Python are in separate files and nested in a directory.
In this case you may notice that when you are running a development server, the server sometimes does not reload when you change component files.
Django's native live reload logic handles only Python files and HTML template files. It does NOT reload when other file types change or when template files are nested more than one level deep.
The setting
reload_on_file_change
fixes this, reloading the dev server even when your component's HTML, JS, or CSS changes.If
True
, django_components configures Django to reload when files insideCOMPONENTS.dirs
orCOMPONENTS.app_dirs
change.See Reload dev server on component file changes.
Defaults to
False
.Warning
This setting should be enabled only for the dev environment!
"},{"location":"reference/settings/#django_components.app_settings.ComponentsSettings.reload_on_template_change","title":"reload_on_template_change","text":"reload_on_template_change: Optional[bool] = None\n
See source code
Deprecated. Use
"},{"location":"reference/settings/#django_components.app_settings.ComponentsSettings.static_files_allowed","title":"static_files_allowed","text":"COMPONENTS.reload_on_file_change
instead.static_files_allowed: Optional[List[Union[str, Pattern]]] = None\n
See source code
A list of file extensions (including the leading dot) that define which files within
COMPONENTS.dirs
orCOMPONENTS.app_dirs
are treated as static files.If a file is matched against any of the patterns, it's considered a static file. Such files are collected when running
collectstatic
, and can be accessed under the static file endpoint.You can also pass in compiled regexes (
re.Pattern
) for more advanced patterns.By default, JS, CSS, and common image and font file formats are considered static files:
COMPONENTS = ComponentsSettings(\n static_files_allowed=[\n \".css\",\n \".js\", \".jsx\", \".ts\", \".tsx\",\n # Images\n \".apng\", \".png\", \".avif\", \".gif\", \".jpg\",\n \".jpeg\", \".jfif\", \".pjpeg\", \".pjp\", \".svg\",\n \".webp\", \".bmp\", \".ico\", \".cur\", \".tif\", \".tiff\",\n # Fonts\n \".eot\", \".ttf\", \".woff\", \".otf\", \".svg\",\n ],\n)\n
Warning
Exposing your Python files can be a security vulnerability. See Security notes.
"},{"location":"reference/settings/#django_components.app_settings.ComponentsSettings.static_files_forbidden","title":"static_files_forbidden","text":"static_files_forbidden: Optional[List[Union[str, Pattern]]] = None\n
See source code
A list of file extensions (including the leading dot) that define which files within
COMPONENTS.dirs
orCOMPONENTS.app_dirs
will NEVER be treated as static files.If a file is matched against any of the patterns, it will never be considered a static file, even if the file matches a pattern in
static_files_allowed
.Use this setting together with
static_files_allowed
for a fine control over what file types will be exposed.You can also pass in compiled regexes (
re.Pattern
) for more advanced patterns.By default, any HTML and Python are considered NOT static files:
COMPONENTS = ComponentsSettings(\n static_files_forbidden=[\n \".html\", \".django\", \".dj\", \".tpl\",\n # Python files\n \".py\", \".pyc\",\n ],\n)\n
Warning
Exposing your Python files can be a security vulnerability. See Security notes.
"},{"location":"reference/settings/#django_components.app_settings.ComponentsSettings.tag_formatter","title":"tag_formatter","text":"tag_formatter: Optional[Union[TagFormatterABC, str]] = None\n
See source code
Configure what syntax is used inside Django templates to render components. See the available tag formatters.
Defaults to
\"django_components.component_formatter\"
.Learn more about Customizing component tags with TagFormatter.
Can be set either as direct reference:
from django_components import component_formatter\n\nCOMPONENTS = ComponentsSettings(\n \"tag_formatter\": component_formatter\n)\n
Or as an import string;
COMPONENTS = ComponentsSettings(\n \"tag_formatter\": \"django_components.component_formatter\"\n)\n
Examples:
-
\"django_components.component_formatter\"
Set
COMPONENTS = ComponentsSettings(\n \"tag_formatter\": \"django_components.component_formatter\"\n)\n
To write components like this:
{% component \"button\" href=\"...\" %}\n Click me!\n{% endcomponent %}\n
-
django_components.component_shorthand_formatter
Set
COMPONENTS = ComponentsSettings(\n \"tag_formatter\": \"django_components.component_shorthand_formatter\"\n)\n
To write components like this:
{% button href=\"...\" %}\n Click me!\n{% endbutton %}\n
template_cache_size: Optional[int] = None\n
See source code
Configure the maximum amount of Django templates to be cached.
Defaults to
128
.Each time a Django template is rendered, it is cached to a global in-memory cache (using Python's
lru_cache
decorator). This speeds up the next render of the component. As the same component is often used many times on the same page, these savings add up.By default the cache holds 128 component templates in memory, which should be enough for most sites. But if you have a lot of components, or if you are overriding
Component.get_template()
to render many dynamic templates, you can increase this number.COMPONENTS = ComponentsSettings(\n template_cache_size=256,\n)\n
To remove the cache limit altogether and cache everything, set
template_cache_size
toNone
.COMPONENTS = ComponentsSettings(\n template_cache_size=None,\n)\n
If you want to add templates to the cache yourself, you can use
cached_template()
:
"},{"location":"reference/signals/","title":"Signals","text":""},{"location":"reference/signals/#signals","title":"Signals","text":"from django_components import cached_template\n\ncached_template(\"Variable: {{ variable }}\")\n\n# You can optionally specify Template class, and other Template inputs:\nclass MyTemplate(Template):\n pass\n\ncached_template(\n \"Variable: {{ variable }}\",\n template_cls=MyTemplate,\n name=...\n origin=...\n engine=...\n)\n
Below are the signals that are sent by or during the use of django-components.
"},{"location":"reference/signals/#template_rendered","title":"template_rendered","text":"Django's
template_rendered
signal. This signal is sent when a template is rendered.Django-components triggers this signal when a component is rendered. If there are nested components, the signal is triggered for each component.
Import from django as
django.test.signals.template_rendered
.
"},{"location":"reference/tag_formatters/","title":"Tag formatters","text":""},{"location":"reference/tag_formatters/#tag-formatters","title":"Tag Formatters","text":"from django.test.signals import template_rendered\n\n# Setup a callback function\ndef my_callback(sender, **kwargs):\n ...\n\ntemplate_rendered.connect(my_callback)\n\nclass MyTable(Component):\n template = \"\"\"\n <table>\n <tr>\n <th>Header</th>\n </tr>\n <tr>\n <td>Cell</td>\n </tr>\n \"\"\"\n\n# This will trigger the signal\nMyTable().render()\n
Tag formatters allow you to change the syntax for calling components from within the Django templates.
Tag formatter are set via the tag_formatter setting.
"},{"location":"reference/tag_formatters/#available-tag-formatters","title":"Available tag formatters","text":"-
django_components.component_formatter
for ComponentFormatter -
django_components.component_shorthand_formatter
for ShorthandComponentFormatter
ComponentFormatter
","text":"Bases:
django_components.tag_formatter.TagFormatterABC
See source code
The original django_component's component tag formatter, it uses the
{% component %}
and{% endcomponent %}
tags, and the component name is given as the first positional arg.Example as block:
{% component \"mycomp\" abc=123 %}\n {% fill \"myfill\" %}\n ...\n {% endfill %}\n{% endcomponent %}\n
Example as inlined tag:
"},{"location":"reference/tag_formatters/#django_components.tag_formatter.ShorthandComponentFormatter","title":"{% component \"mycomp\" abc=123 / %}\n
ShorthandComponentFormatter
","text":"Bases:
django_components.tag_formatter.TagFormatterABC
See source code
The component tag formatter that uses
{% <name> %}
/{% end<name> %}
tags.This is similar to django-web-components and django-slippers syntax.
Example as block:
{% mycomp abc=123 %}\n {% fill \"myfill\" %}\n ...\n {% endfill %}\n{% endmycomp %}\n
Example as inlined tag:
"},{"location":"reference/template_tags/","title":"Template tags","text":""},{"location":"reference/template_tags/#template-tags","title":"Template tags","text":"{% mycomp abc=123 / %}\n
All following template tags are defined in
django_components.templatetags.component_tags
Import as
"},{"location":"reference/template_tags/#component_css_dependencies","title":"component_css_dependencies","text":"{% load component_tags %}\n
{% component_css_dependencies %}\n
See source code
Marks location where CSS link tags should be rendered after the whole HTML has been generated.
Generally, this should be inserted into the
<head>
tag of the HTML.If the generated HTML does NOT contain any
{% component_css_dependencies %}
tags, CSS links are by default inserted into the<head>
tag of the HTML. (See Default JS / CSS locations)Note that there should be only one
"},{"location":"reference/template_tags/#component_js_dependencies","title":"component_js_dependencies","text":"{% component_css_dependencies %}
for the whole HTML document. If you insert this tag multiple times, ALL CSS links will be duplicately inserted into ALL these places.{% component_js_dependencies %}\n
See source code
Marks location where JS link tags should be rendered after the whole HTML has been generated.
Generally, this should be inserted at the end of the
<body>
tag of the HTML.If the generated HTML does NOT contain any
{% component_js_dependencies %}
tags, JS scripts are by default inserted at the end of the<body>
tag of the HTML. (See Default JS / CSS locations)Note that there should be only one
"},{"location":"reference/template_tags/#component","title":"component","text":"{% component_js_dependencies %}
for the whole HTML document. If you insert this tag multiple times, ALL JS scripts will be duplicately inserted into ALL these places.{% component *args: Any, **kwargs: Any [only] %}\n{% endcomponent %}\n
See source code
Renders one of the components that was previously registered with
@register()
decorator.The
{% component %}
tag takes:- Component's registered name as the first positional argument,
- Followed by any number of positional and keyword arguments.
{% load component_tags %}\n<div>\n {% component \"button\" name=\"John\" job=\"Developer\" / %}\n</div>\n
The component name must be a string literal.
"},{"location":"reference/template_tags/#inserting-slot-fills","title":"Inserting slot fills","text":"If the component defined any slots, you can \"fill\" these slots by placing the
{% fill %}
tags within the{% component %}
tag:{% component \"my_table\" rows=rows headers=headers %}\n {% fill \"pagination\" %}\n < 1 | 2 | 3 >\n {% endfill %}\n{% endcomponent %}\n
You can even nest
{% fill %}
tags within{% if %}
,{% for %}
and other tags:
"},{"location":"reference/template_tags/#isolating-components","title":"Isolating components","text":"{% component \"my_table\" rows=rows headers=headers %}\n {% if rows %}\n {% fill \"pagination\" %}\n < 1 | 2 | 3 >\n {% endfill %}\n {% endif %}\n{% endcomponent %}\n
By default, components behave similarly to Django's
{% include %}
, and the template inside the component has access to the variables defined in the outer template.You can selectively isolate a component, using the
only
flag, so that the inner template can access only the data that was explicitly passed to it:{% component \"name\" positional_arg keyword_arg=value ... only %}\n
Alternatively, you can set all components to be isolated by default, by setting
context_behavior
to\"isolated\"
in your settings:
"},{"location":"reference/template_tags/#omitting-the-component-keyword","title":"Omitting the# settings.py\nCOMPONENTS = {\n \"context_behavior\": \"isolated\",\n}\n
component
keyword","text":"If you would like to omit the
component
keyword, and simply refer to your components by their registered names:{% button name=\"John\" job=\"Developer\" / %}\n
You can do so by setting the \"shorthand\" Tag formatter in the settings:
"},{"location":"reference/template_tags/#fill","title":"fill","text":"# settings.py\nCOMPONENTS = {\n \"tag_formatter\": \"django_components.component_shorthand_formatter\",\n}\n
{% fill name: str, *, data: Optional[str] = None, default: Optional[str] = None %}\n{% endfill %}\n
See source code
Use this tag to insert content into component's slots.
{% fill %}
tag may be used only within a{% component %}..{% endcomponent %}
block. Runtime checks should prohibit other usages.Args:
name
(str, required): Name of the slot to insert this content into. Use\"default\"
for the default slot.default
(str, optional): This argument allows you to access the original content of the slot under the specified variable name. See Accessing original content of slotsdata
(str, optional): This argument allows you to access the data passed to the slot under the specified variable name. See Scoped slots
Examples:
Basic usage:
"},{"location":"reference/template_tags/#accessing-slots-default-content-with-the-default-kwarg","title":"Accessing slot's default content with the{% component \"my_table\" %}\n {% fill \"pagination\" %}\n < 1 | 2 | 3 >\n {% endfill %}\n{% endcomponent %}\n
default
kwarg","text":"{# my_table.html #}\n<table>\n ...\n {% slot \"pagination\" %}\n < 1 | 2 | 3 >\n {% endslot %}\n</table>\n
"},{"location":"reference/template_tags/#accessing-slots-data-with-the-data-kwarg","title":"Accessing slot's data with the{% component \"my_table\" %}\n {% fill \"pagination\" default=\"default_pag\" %}\n <div class=\"my-class\">\n {{ default_pag }}\n </div>\n {% endfill %}\n{% endcomponent %}\n
data
kwarg","text":"{# my_table.html #}\n<table>\n ...\n {% slot \"pagination\" pages=pages %}\n < 1 | 2 | 3 >\n {% endslot %}\n</table>\n
"},{"location":"reference/template_tags/#accessing-slot-data-and-default-content-on-the-default-slot","title":"Accessing slot data and default content on the default slot","text":"{% component \"my_table\" %}\n {% fill \"pagination\" data=\"slot_data\" %}\n {% for page in slot_data.pages %}\n <a href=\"{{ page.link }}\">\n {{ page.index }}\n </a>\n {% endfor %}\n {% endfill %}\n{% endcomponent %}\n
To access slot data and the default slot content on the default slot, use
{% fill %}
withname
set to\"default\"
:
"},{"location":"reference/template_tags/#html_attrs","title":"html_attrs","text":"{% component \"button\" %}\n {% fill name=\"default\" data=\"slot_data\" default=\"default_slot\" %}\n You clicked me {{ slot_data.count }} times!\n {{ default_slot }}\n {% endfill %}\n{% endcomponent %}\n
{% html_attrs attrs: Optional[Dict] = None, defaults: Optional[Dict] = None, **kwargs: Any %}\n
See source code
Generate HTML attributes (
key=\"value\"
), combining data from multiple sources, whether its template variables or static text.It is designed to easily merge HTML attributes passed from outside with the internal. See how to in Passing HTML attributes to components.
Args:
attrs
(dict, optional): Optional dictionary that holds HTML attributes. On conflict, overrides values in thedefault
dictionary.default
(str, optional): Optional dictionary that holds HTML attributes. On conflict, is overriden with values in theattrs
dictionary.- Any extra kwargs will be appended to the corresponding keys
The attributes in
attrs
anddefaults
are merged and resulting dict is rendered as HTML attributes (key=\"value\"
).Extra kwargs (
key=value
) are concatenated to existing keys. So if we haveattrs = {\"class\": \"my-class\"}\n
Then
{% html_attrs attrs class=\"extra-class\" %}\n
will result in
class=\"my-class extra-class\"
.Example:
<div {% html_attrs\n attrs\n defaults:class=\"default-class\"\n class=\"extra-class\"\n data-id=\"123\"\n%}>\n
renders
<div class=\"my-class extra-class\" data-id=\"123\">\n
See more usage examples in HTML attributes.
"},{"location":"reference/template_tags/#provide","title":"provide","text":"{% provide name: str, **kwargs: Any %}\n{% endprovide %}\n
See source code
The \"provider\" part of the provide / inject feature. Pass kwargs to this tag to define the provider's data. Any components defined within the
{% provide %}..{% endprovide %}
tags will be able to access this data withComponent.inject()
.This is similar to React's
ContextProvider
, or Vue'sprovide()
.Args:
name
(str, required): Provider name. This is the name you will then use inComponent.inject()
.**kwargs
: Any extra kwargs will be passed as the provided data.
Example:
Provide the \"user_data\" in parent component:
@register(\"parent\")\nclass Parent(Component):\n template = \"\"\"\n <div>\n {% provide \"user_data\" user=user %}\n {% component \"child\" / %}\n {% endprovide %}\n </div>\n \"\"\"\n\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"user\": kwargs[\"user\"],\n }\n
Since the \"child\" component is used within the
{% provide %} / {% endprovide %}
tags, we can request the \"user_data\" usingComponent.inject(\"user_data\")
:@register(\"child\")\nclass Child(Component):\n template = \"\"\"\n <div>\n User is: {{ user }}\n </div>\n \"\"\"\n\n def get_template_data(self, args, kwargs, slots, context):\n user = self.inject(\"user_data\").user\n return {\n \"user\": user,\n }\n
Notice that the keys defined on the
{% provide %}
tag are then accessed as attributes when accessing them withComponent.inject()
.\u2705 Do this
user = self.inject(\"user_data\").user\n
\u274c Don't do this
"},{"location":"reference/template_tags/#slot","title":"slot","text":"user = self.inject(\"user_data\")[\"user\"]\n
{% slot name: str, **kwargs: Any [default] [required] %}\n{% endslot %}\n
See source code
Slot tag marks a place inside a component where content can be inserted from outside.
Learn more about using slots.
This is similar to slots as seen in Web components, Vue or React's
children
.Args:
name
(str, required): Registered name of the component to renderdefault
: Optional flag. If there is a default slot, you can pass the component slot content without using the{% fill %}
tag. See Default slotrequired
: Optional flag. Will raise an error if a slot is required but not given.**kwargs
: Any extra kwargs will be passed as the slot data.
Example:
@register(\"child\")\nclass Child(Component):\n template = \"\"\"\n <div>\n {% slot \"content\" default %}\n This is shown if not overriden!\n {% endslot %}\n </div>\n <aside>\n {% slot \"sidebar\" required / %}\n </aside>\n \"\"\"\n
"},{"location":"reference/template_tags/#passing-data-to-slots","title":"Passing data to slots","text":"@register(\"parent\")\nclass Parent(Component):\n template = \"\"\"\n <div>\n {% component \"child\" %}\n {% fill \"content\" %}\n \ud83d\uddde\ufe0f\ud83d\udcf0\n {% endfill %}\n\n {% fill \"sidebar\" %}\n \ud83c\udf77\ud83e\uddc9\ud83c\udf7e\n {% endfill %}\n {% endcomponent %}\n </div>\n \"\"\"\n
Any extra kwargs will be considered as slot data, and will be accessible in the
{% fill %}
tag via fill'sdata
kwarg:@register(\"child\")\nclass Child(Component):\n template = \"\"\"\n <div>\n {# Passing data to the slot #}\n {% slot \"content\" user=user %}\n This is shown if not overriden!\n {% endslot %}\n </div>\n \"\"\"\n
"},{"location":"reference/template_tags/#accessing-default-slot-content","title":"Accessing default slot content","text":"@register(\"parent\")\nclass Parent(Component):\n template = \"\"\"\n {# Parent can access the slot data #}\n {% component \"child\" %}\n {% fill \"content\" data=\"data\" %}\n <div class=\"wrapper-class\">\n {{ data.user }}\n </div>\n {% endfill %}\n {% endcomponent %}\n \"\"\"\n
The content between the
{% slot %}..{% endslot %}
tags is the default content that will be rendered if no fill is given for the slot.This default content can then be accessed from within the
{% fill %}
tag using the fill'sdefault
kwarg. This is useful if you need to wrap / prepend / append the original slot's content.@register(\"child\")\nclass Child(Component):\n template = \"\"\"\n <div>\n {% slot \"content\" %}\n This is default content!\n {% endslot %}\n </div>\n \"\"\"\n
"},{"location":"reference/template_vars/","title":"Template vars","text":""},{"location":"reference/template_vars/#template-variables","title":"Template variables","text":"@register(\"parent\")\nclass Parent(Component):\n template = \"\"\"\n {# Parent can access the slot's default content #}\n {% component \"child\" %}\n {% fill \"content\" default=\"default\" %}\n {{ default }}\n {% endfill %}\n {% endcomponent %}\n \"\"\"\n
Here is a list of all variables that are automatically available from inside the component's template and in
"},{"location":"reference/template_vars/#django_components.component.ComponentVars.is_filled","title":"is_filledon_render_before
/on_render_after
hooks.instance-attribute
","text":"is_filled: Dict[str, bool]\n
See source code
Dictonary describing which component slots are filled (
True
) or are not (False
).New in version 0.70
Use as
{{ component_vars.is_filled }}
Example:
{# Render wrapping HTML only if the slot is defined #}\n{% if component_vars.is_filled.my_slot %}\n <div class=\"slot-wrapper\">\n {% slot \"my_slot\" / %}\n </div>\n{% endif %}\n
This is equivalent to checking if a given key is among the slot fills:
"},{"location":"reference/testing_api/","title":"Testing API","text":""},{"location":"reference/testing_api/#testing-api","title":"Testing API","text":""},{"location":"reference/testing_api/#django_components.testing.djc_test","title":"djc_test","text":"class MyTable(Component):\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"my_slot_filled\": \"my_slot\" in slots\n }\n
djc_test(\n django_settings: Union[Optional[Dict], Callable, Type] = None,\n components_settings: Optional[Dict] = None,\n parametrize: Optional[\n Union[\n Tuple[Sequence[str], Sequence[Sequence[Any]]],\n Tuple[\n Sequence[str],\n Sequence[Sequence[Any]],\n Optional[Union[Iterable[Union[None, str, float, int, bool]], Callable[[Any], Optional[object]]]],\n ],\n ]\n ] = None,\n gc_collect: bool = True,\n) -> Callable\n
See source code
Decorator for testing components from django-components.
@djc_test
manages the global state of django-components, ensuring that each test is properly isolated and that components registered in one test do not affect other tests.This decorator can be applied to a function, method, or a class. If applied to a class, it will search for all methods that start with
test_
, and apply the decorator to them. This is applied recursively to nested classes as well.Examples:
Applying to a function:
from django_components.testing import djc_test\n\n@djc_test\ndef test_my_component():\n @register(\"my_component\")\n class MyComponent(Component):\n template = \"...\"\n ...\n
Applying to a class:
from django_components.testing import djc_test\n\n@djc_test\nclass TestMyComponent:\n def test_something(self):\n ...\n\n class Nested:\n def test_something_else(self):\n ...\n
Applying to a class is the same as applying the decorator to each
test_
method individually:from django_components.testing import djc_test\n\nclass TestMyComponent:\n @djc_test\n def test_something(self):\n ...\n\n class Nested:\n @djc_test\n def test_something_else(self):\n ...\n
To use
@djc_test
, Django must be set up first:import django\nfrom django_components.testing import djc_test\n\ndjango.setup()\n\n@djc_test\ndef test_my_component():\n ...\n
Arguments:
-
django_settings
: Django settings, a dictionary passed to Django's@override_settings
. The test runs within the context of these overridden settings.If
django_settings
contains django-components settings (COMPONENTS
field), these are merged. Other Django settings are simply overridden. -
components_settings
: Instead of defining django-components settings underdjango_settings[\"COMPONENTS\"]
, you can simply set the Components settings here.These settings are merged with the django-components settings from
django_settings[\"COMPONENTS\"]
.Fields in
components_settings
override fields indjango_settings[\"COMPONENTS\"]
. -
parametrize
: Parametrize the test function withpytest.mark.parametrize
. This requires pytest to be installed.The input is a tuple of:
(param_names, param_values)
or(param_names, param_values, ids)
Example:
from django_components.testing import djc_test\n\n@djc_test(\n parametrize=(\n [\"input\", \"expected\"],\n [[1, \"<div>1</div>\"], [2, \"<div>2</div>\"]],\n ids=[\"1\", \"2\"]\n )\n)\ndef test_component(input, expected):\n rendered = MyComponent(input=input).render()\n assert rendered == expected\n
You can parametrize the Django or Components settings by setting up parameters called
django_settings
andcomponents_settings
. These will be merged with the respetive settings from the decorator.Example of parametrizing context_behavior:
from django_components.testing import djc_test\n\n@djc_test(\n components_settings={\n # Settings shared by all tests\n \"app_dirs\": [\"custom_dir\"],\n },\n parametrize=(\n # Parametrized settings\n [\"components_settings\"],\n [\n [{\"context_behavior\": \"django\"}],\n [{\"context_behavior\": \"isolated\"}],\n ],\n [\"django\", \"isolated\"],\n )\n)\ndef test_context_behavior(components_settings):\n rendered = MyComponent().render()\n ...\n
-
gc_collect
: By defaultdjc_test
runs garbage collection after each test to force the state cleanup. Set this toFalse
to skip this.
Settings resolution:
@djc_test
accepts settings from different sources. The settings are resolved in the following order:-
Django settings:
- The defaults are the Django settings that Django was set up with.
- Those are then overriden with fields in the
django_settings
kwarg. - The parametrized
django_settings
override the fields on thedjango_settings
kwarg.
Priority:
django_settings
(parametrized) >django_settings
>django.conf.settings
-
Components settings:
- Same as above, except that the
django_settings[\"COMPONENTS\"]
field is merged instead of overridden. - The
components_settings
kwarg is then merged with thedjango_settings[\"COMPONENTS\"]
field. - The parametrized
components_settings
override the fields on thecomponents_settings
kwarg.
Priority:
components_settings
(parametrized) >components_settings
>django_settings[\"COMPONENTS\"]
>django.conf.settings.COMPONENTS
- Same as above, except that the
Below are all the URL patterns that will be added by adding
django_components.urls
.See Installation on how to add these URLs to your Django project.
Django components already prefixes all URLs with
components/
. So when you are adding the URLs tourlpatterns
, you can use an empty string as the first argument:
"},{"location":"reference/urls/#list-of-urls","title":"List of URLs","text":"from django.urls import include, path\n\nurlpatterns = [\n ...\n path(\"\", include(\"django_components.urls\")),\n]\n
-
components/cache/<str:comp_cls_id>.<str:input_hash>.<str:script_type>
-
components/cache/<str:comp_cls_id>.<str:script_type>
django-components
combines Django's templating system with the modularity seen in modern frontend frameworks like Vue or React.With
"},{"location":"#quickstart","title":"Quickstart","text":"django-components
you can support Django projects small and large without leaving the Django ecosystem.A component in django-components can be as simple as a Django template and Python code to declare the component:
components/calendar/calendar.html
components/calendar/calendar.py<div class=\"calendar\">\n Today's date is <span>{{ date }}</span>\n</div>\n
from django_components import Component\n\nclass Calendar(Component):\n template_file = \"calendar.html\"\n
Or a combination of Django template, Python, CSS, and Javascript:
components/calendar/calendar.html
components/calendar/calendar.css<div class=\"calendar\">\n Today's date is <span>{{ date }}</span>\n</div>\n
components/calendar/calendar.js.calendar {\n width: 200px;\n background: pink;\n}\n
components/calendar/calendar.pydocument.querySelector(\".calendar\").onclick = () => {\n alert(\"Clicked calendar!\");\n};\n
from django_components import Component\n\nclass Calendar(Component):\n template_file = \"calendar.html\"\n js_file = \"calendar.js\"\n css_file = \"calendar.css\"\n\n def get_template_data(self, args, kwargs, slots, context):\n return {\"date\": kwargs[\"date\"]}\n
Use the component like this:
{% component \"calendar\" date=\"2024-11-06\" %}{% endcomponent %}\n
And this is what gets rendered:
<div class=\"calendar-component\">\n Today's date is <span>2024-11-06</span>\n</div>\n
Read on to learn about all the exciting details and configuration possibilities!
(If you instead prefer to jump right into the code, check out the example project)
"},{"location":"#features","title":"Features","text":""},{"location":"#modern-and-modular-ui","title":"Modern and modular UI","text":"- Create self-contained, reusable UI elements.
- Each component can include its own HTML, CSS, and JS, or additional third-party JS and CSS.
- HTML, CSS, and JS can be defined on the component class, or loaded from files.
"},{"location":"#composition-with-slots","title":"Composition with slots","text":"from django_components import Component\n\n@register(\"calendar\")\nclass Calendar(Component):\n template = \"\"\"\n <div class=\"calendar\">\n Today's date is\n <span>{{ date }}</span>\n </div>\n \"\"\"\n\n css = \"\"\"\n .calendar {\n width: 200px;\n background: pink;\n }\n \"\"\"\n\n js = \"\"\"\n document.querySelector(\".calendar\")\n .addEventListener(\"click\", () => {\n alert(\"Clicked calendar!\");\n });\n \"\"\"\n\n # Additional JS and CSS\n class Media:\n js = [\"https://cdn.jsdelivr.net/npm/htmx.org@2.1.1/dist/htmx.min.js\"]\n css = [\"bootstrap/dist/css/bootstrap.min.css\"]\n\n # Variables available in the template\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"date\": kwargs[\"date\"]\n }\n
- Render components inside templates with
{% component %}
tag. - Compose them with
{% slot %}
and{% fill %}
tags. - Vue-like slot system, including scoped slots.
"},{"location":"#extended-template-tags","title":"Extended template tags","text":"{% component \"Layout\"\n bookmarks=bookmarks\n breadcrumbs=breadcrumbs\n%}\n {% fill \"header\" %}\n <div class=\"flex justify-between gap-x-12\">\n <div class=\"prose\">\n <h3>{{ project.name }}</h3>\n </div>\n <div class=\"font-semibold text-gray-500\">\n {{ project.start_date }} - {{ project.end_date }}\n </div>\n </div>\n {% endfill %}\n\n {# Access data passed to `{% slot %}` with `data` #}\n {% fill \"tabs\" data=\"tabs_data\" %}\n {% component \"TabItem\" header=\"Project Info\" %}\n {% component \"ProjectInfo\"\n project=project\n project_tags=project_tags\n attrs:class=\"py-5\"\n attrs:width=tabs_data.width\n / %}\n {% endcomponent %}\n {% endfill %}\n{% endcomponent %}\n
django-components
is designed for flexibility, making working with templates a breeze.It extends Django's template tags syntax with:
- Literal lists and dictionaries in the template
- Self-closing tags
{% mytag / %}
- Multi-line template tags
- Spread operator
...
to dynamically pass args or kwargs into the template tag - Template tags inside literal strings like
\"{{ first_name }} {{ last_name }}\"
- Pass dictonaries by their key-value pairs
attr:key=val
{% component \"table\"\n ...default_attrs\n title=\"Friend list for {{ user.name }}\"\n headers=[\"Name\", \"Age\", \"Email\"]\n data=[\n {\n \"name\": \"John\"|upper,\n \"age\": 30|add:1,\n \"email\": \"john@example.com\",\n \"hobbies\": [\"reading\"],\n },\n {\n \"name\": \"Jane\"|upper,\n \"age\": 25|add:1,\n \"email\": \"jane@example.com\",\n \"hobbies\": [\"reading\", \"coding\"],\n },\n ],\n attrs:class=\"py-4 ma-2 border-2 border-gray-300 rounded-md\"\n/ %}\n
You too can define template tags with these features by using
@template_tag()
orBaseNode
.Read more on Custom template tags.
"},{"location":"#full-programmatic-access","title":"Full programmatic access","text":"When you render a component, you can access everything about the component:
- Component input: args, kwargs, slots and context
- Component's template, CSS and JS
- Django's context processors
- Unique render ID
"},{"location":"#granular-html-attributes","title":"Granular HTML attributes","text":"class Table(Component):\n js_file = \"table.js\"\n css_file = \"table.css\"\n\n template = \"\"\"\n <div class=\"table\">\n <span>{{ variable }}</span>\n </div>\n \"\"\"\n\n def get_template_data(self, args, kwargs, slots, context):\n # Access component's ID\n assert self.id == \"djc1A2b3c\"\n\n # Access component's inputs and slots\n assert self.input.args == (123, \"str\")\n assert self.input.kwargs == {\"variable\": \"test\", \"another\": 1}\n footer_slot = self.input.slots[\"footer\"]\n some_var = self.input.context[\"some_var\"]\n\n # Access the request object and Django's context processors, if available\n assert self.request.GET == {\"query\": \"something\"}\n assert self.context_processors_data['user'].username == \"admin\"\n\n return {\n \"variable\": kwargs[\"variable\"],\n }\n\n# Access component's HTML / JS / CSS\nTable.template\nTable.js\nTable.css\n\n# Render the component\nrendered = Table.render(\n kwargs={\"variable\": \"test\", \"another\": 1},\n args=(123, \"str\"),\n slots={\"footer\": \"MY_FOOTER\"},\n)\n
Use the
{% html_attrs %}
template tag to render HTML attributes.It supports:
- Defining attributes as whole dictionaries or keyword arguments
- Merging attributes from multiple sources
- Boolean attributes
- Appending attributes
- Removing attributes
- Defining default attributes
<div\n {% html_attrs\n attrs\n defaults:class=\"default-class\"\n class=\"extra-class\"\n %}\n>\n
{% html_attrs %}
offers a Vue-like granular control forclass
andstyle
HTML attributes, where you can use a dictionary to manage each class name or style property separately.{% html_attrs\n class=\"foo bar\"\n class={\n \"baz\": True,\n \"foo\": False,\n }\n class=\"extra\"\n%}\n
{% html_attrs\n style=\"text-align: center; background-color: blue;\"\n style={\n \"background-color\": \"green\",\n \"color\": None,\n \"width\": False,\n }\n style=\"position: absolute; height: 12px;\"\n%}\n
Read more about HTML attributes.
"},{"location":"#html-fragment-support","title":"HTML fragment support","text":"django-components
makes integration with HTMX, AlpineJS or jQuery easy by allowing components to be rendered as HTML fragments:-
Components's JS and CSS files are loaded automatically when the fragment is inserted into the DOM.
-
Components can be exposed as Django Views with
get()
,post()
,put()
,patch()
,delete()
methods -
Automatically create an endpoint for a component with
Component.View.public
"},{"location":"#provide-inject","title":"Provide / Inject","text":"# components/calendar/calendar.py\n@register(\"calendar\")\nclass Calendar(Component):\n template_file = \"calendar.html\"\n\n class View:\n # Register Component with `urlpatterns`\n public = True\n\n # Define handlers\n def get(self, request, *args, **kwargs):\n page = request.GET.get(\"page\", 1)\n return self.component.render_to_response(\n request=request,\n kwargs={\n \"page\": page,\n },\n )\n\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"page\": kwargs[\"page\"],\n }\n\n# Get auto-generated URL for the component\nurl = get_component_url(Calendar)\n\n# Or define explicit URL in urls.py\npath(\"calendar/\", Calendar.as_view())\n
django-components
supports the provide / inject pattern, similarly to React's Context Providers or Vue's provide / inject:- Use the
{% provide %}
tag to provide data to the component tree - Use the
Component.inject()
method to inject data into the component
Read more about Provide / Inject.
<body>\n {% provide \"theme\" variant=\"light\" %}\n {% component \"header\" / %}\n {% endprovide %}\n</body>\n
"},{"location":"#input-validation-and-static-type-hints","title":"Input validation and static type hints","text":"@register(\"header\")\nclass Header(Component):\n template = \"...\"\n\n def get_template_data(self, args, kwargs, slots, context):\n theme = self.inject(\"theme\").variant\n return {\n \"theme\": theme,\n }\n
Avoid needless errors with type hints and runtime input validation.
To opt-in to input validation, define types for component's args, kwargs, slots, and more:
from typing import NamedTuple, Optional\nfrom django.template import Context\nfrom django_components import Component, Slot, SlotInput\n\nclass Button(Component):\n class Args(NamedTuple):\n size: int\n text: str\n\n class Kwargs(NamedTuple):\n variable: str\n another: int\n maybe_var: Optional[int] = None # May be omitted\n\n class Slots(NamedTuple):\n my_slot: Optional[SlotInput] = None\n another_slot: SlotInput\n\n def get_template_data(self, args: Args, kwargs: Kwargs, slots: Slots, context: Context):\n args.size # int\n kwargs.variable # str\n slots.my_slot # Slot[MySlotData]\n
To have type hints when calling
Button.render()
orButton.render_to_response()
, wrap the inputs in their respectiveArgs
,Kwargs
, andSlots
classes:
"},{"location":"#extensions","title":"Extensions","text":"Button.render(\n # Error: First arg must be `int`, got `float`\n args=Button.Args(\n size=1.25,\n text=\"abc\",\n ),\n # Error: Key \"another\" is missing\n kwargs=Button.Kwargs(\n variable=\"text\",\n ),\n)\n
Django-components functionality can be extended with Extensions. Extensions allow for powerful customization and integrations. They can:
- Tap into lifecycle events, such as when a component is created, deleted, or registered
- Add new attributes and methods to the components
- Add custom CLI commands
- Add custom URLs
Some of the extensions include:
- Component caching
- Django View integration
- Component defaults
- Pydantic integration (input validation)
Some of the planned extensions include:
- AlpineJS integration
- Storybook integration
- Component-level benchmarking with asv
- Components can be cached using Django's cache framework.
- Caching rules can be configured on a per-component basis.
- Components are cached based on their input. Or you can write custom caching logic.
"},{"location":"#simple-testing","title":"Simple testing","text":"from django_components import Component\n\nclass MyComponent(Component):\n class Cache:\n enabled = True\n ttl = 60 * 60 * 24 # 1 day\n\n def hash(self, *args, **kwargs):\n return hash(f\"{json.dumps(args)}:{json.dumps(kwargs)}\")\n
- Write tests for components with
@djc_test
decorator. - The decorator manages global state, ensuring that tests don't leak.
- If using
pytest
, the decorator allows you to parametrize Django or Components settings. - The decorator also serves as a stand-in for Django's
@override_settings
.
"},{"location":"#debugging-features","title":"Debugging features","text":"from django_components.testing import djc_test\n\nfrom components.my_table import MyTable\n\n@djc_test\ndef test_my_table():\n rendered = MyTable.render(\n kwargs={\n \"title\": \"My table\",\n },\n )\n assert rendered == \"<table>My table</table>\"\n
- Visual component inspection: Highlight components and slots directly in your browser.
- Detailed tracing logs to supply AI-agents with context: The logs include component and slot names and IDs, and their position in the tree.
- Install and use third-party components from PyPI
- Or publish your own \"component registry\"
-
Highly customizable - Choose how the components are called in the template (and more):
{% component \"calendar\" date=\"2024-11-06\" %}\n{% endcomponent %}\n\n{% calendar date=\"2024-11-06\" %}\n{% endcalendar %}\n
Our aim is to be at least as fast as Django templates.
As of
Render time django 68.9\u00b10.6ms django-components 259\u00b14ms0.130
,django-components
is ~4x slower than Django templates.See the full performance breakdown for more information.
"},{"location":"#release-notes","title":"Release notes","text":"Read the Release Notes to see the latest features and fixes.
"},{"location":"#community-examples","title":"Community examples","text":"One of our goals with
"},{"location":"#contributing-and-development","title":"Contributing and development","text":"django-components
is to make it easy to share components between projects. Head over to the Community examples to see some examples.Get involved or sponsor this project - See here
Running django-components locally for development - See here
"},{"location":"migrating_from_safer_staticfiles/","title":"Migrating from safer_staticfiles","text":"This guide is for you if you're upgrating django_components to v0.100 or later from older versions.
In version 0.100, we changed how components' static JS and CSS files are handled. See more in the \"Static files\" section.
Migration steps:
- Remove
django_components.safer_staticfiles
fromINSTALLED_APPS
in yoursettings.py
, and replace it withdjango.contrib.staticfiles
.
Before:
INSTALLED_APPS = [\n \"django.contrib.admin\",\n ...\n # \"django.contrib.staticfiles\", # <-- ADD\n \"django_components\",\n \"django_components.safer_staticfiles\", # <-- REMOVE\n]\n
After:
INSTALLED_APPS = [\n \"django.contrib.admin\",\n ...\n \"django.contrib.staticfiles\",\n \"django_components\",\n]\n
- Add
STATICFILES_FINDERS
tosettings.py
, and adddjango_components.finders.ComponentsFileSystemFinder
:
STATICFILES_FINDERS = [\n # Default finders\n \"django.contrib.staticfiles.finders.FileSystemFinder\",\n \"django.contrib.staticfiles.finders.AppDirectoriesFinder\",\n # Django components\n \"django_components.finders.ComponentsFileSystemFinder\", # <-- ADDED\n]\n
- Add
COMPONENTS.dirs
tosettings.py
.
If you previously defined
STATICFILES_DIRS
, move only those directories fromSTATICFILES_DIRS
that point to components directories, and keep the rest.E.g. if you have
STATICFILES_DIRS
like this:STATICFILES_DIRS = [\n BASE_DIR / \"components\", # <-- MOVE\n BASE_DIR / \"myapp\" / \"components\", # <-- MOVE\n BASE_DIR / \"assets\",\n]\n
Then first two entries point to components dirs, whereas
/assets
points to non-component static files. In this case move only the first two paths:COMPONENTS = {\n \"dirs\": [\n BASE_DIR / \"components\", # <-- MOVED\n BASE_DIR / \"myapp\" / \"components\", # <-- MOVED\n ],\n}\n\nSTATICFILES_DIRS = [\n BASE_DIR / \"assets\",\n]\n
Moreover, if you defined app-level component directories in
STATICFILES_DIRS
before, you can now define as a RELATIVE path inapp_dirs
:
"},{"location":"release_notes/","title":"Release notes","text":""},{"location":"release_notes/#v01400","title":"\ud83d\udea8\ud83d\udce2 v0.140.0","text":""},{"location":"release_notes/#breaking-changes","title":"\ud83d\udea8\ud83d\udce2 BREAKING CHANGES","text":"COMPONENTS = {\n \"dirs\": [\n # Search top-level \"/components/\" dir\n BASE_DIR / \"components\",\n ],\n \"app_dirs\": [\n # Search \"/[app]/components/\" dirs\n \"components\",\n ],\n}\n\nSTATICFILES_DIRS = [\n BASE_DIR / \"assets\",\n]\n
-
Component typing no longer uses generics. Instead, the types are now defined as class attributes of the component class.
Before:
Args = Tuple[float, str]\n\nclass Button(Component[Args]):\n pass\n
After:
class Button(Component):\n class Args(NamedTuple):\n size: float\n text: str\n
See Migrating from generics to class attributes for more info.
-
The middleware
ComponentDependencyMiddleware
was removed as it is no longer needed.The middleware served one purpose - to render the JS and CSS dependencies of components when you rendered templates with
Template.render()
ordjango.shortcuts.render()
and those templates contained{% component %}
tags.Now, the JS and CSS dependencies of components are automatically rendered, even when you render Templates with
Template.render()
ordjango.shortcuts.render()
.- NOTE: If you rendered HTML with
Component.render()
orComponent.render_to_response()
, the JS and CSS were already rendered.
To disable this behavior, set the
DJC_DEPS_STRATEGY
context key to\"ignore\"
when rendering the template:# With `Template.render()`:\ntemplate = Template(template_str)\nrendered = template.render(Context({\"DJC_DEPS_STRATEGY\": \"ignore\"}))\n\n# Or with django.shortcuts.render():\nfrom django.shortcuts import render\nrendered = render(\n request,\n \"my_template.html\",\n context={\"DJC_DEPS_STRATEGY\": \"ignore\"},\n)\n
In fact, you can set the
DJC_DEPS_STRATEGY
context key to any of the strategies:\"document\"
\"fragment\"
\"simple\"
\"prepend\"
\"append\"
\"ignore\"
See Dependencies rendering for more info.
- NOTE: If you rendered HTML with
-
The interface of the not-yet-released
get_js_data()
andget_css_data()
methods has changed to matchget_template_data()
.Before:
def get_js_data(self, *args, **kwargs):\ndef get_css_data(self, *args, **kwargs):\n
After:
def get_js_data(self, args, kwargs, slots, context):\ndef get_css_data(self, args, kwargs, slots, context):\n
-
Removed
EmptyTuple
andEmptyDict
types. Instead, there is now a singleEmpty
type.from django_components import Component, Empty\n\nclass Button(Component):\n template = \"Hello\"\n\n Args = Empty\n Kwargs = Empty\n
-
Arguments in
Component.render_to_response()
have changed to match that ofComponent.render()
.Please ensure that you pass the parameters as kwargs, not as positional arguments, to avoid breaking changes.
The signature changed, moving the
args
andkwargs
parameters to 2nd and 3rd position.Next, the
render_dependencies
parameter was added to matchComponent.render()
.Lastly:
- Previously, any extra ARGS and KWARGS were passed to the
response_class
. - Now, only extra KWARGS will be passed to the
response_class
.
Before:
def render_to_response(\n cls,\n context: Optional[Union[Dict[str, Any], Context]] = None,\n slots: Optional[SlotsType] = None,\n escape_slots_content: bool = True,\n args: Optional[ArgsType] = None,\n kwargs: Optional[KwargsType] = None,\n deps_strategy: DependenciesStrategy = \"document\",\n request: Optional[HttpRequest] = None,\n *response_args: Any,\n **response_kwargs: Any,\n ) -> HttpResponse:\n
After:
def render_to_response(\n context: Optional[Union[Dict[str, Any], Context]] = None,\n args: Optional[Tuple[Any, ...]] = None,\n kwargs: Optional[Mapping] = None,\n slots: Optional[Mapping] = None,\n escape_slots_content: bool = True,\n deps_strategy: DependenciesStrategy = \"document\",\n render_dependencies: bool = True,\n request: Optional[HttpRequest] = None,\n **response_kwargs: Any,\n) -> HttpResponse:\n
- Previously, any extra ARGS and KWARGS were passed to the
-
The
Component.Url
class was merged withComponent.View
.Instead of
Component.Url.public
, useComponent.View.public
.If you imported
ComponentUrl
fromdjango_components
, you need to update your import toComponentView
.Before:
class MyComponent(Component):\n class Url:\n public = True\n\n class View:\n def get(self, request):\n return self.render_to_response()\n
After:
class MyComponent(Component):\n class View:\n public = True\n\n def get(self, request):\n return self.render_to_response()\n
-
Component name in the
{% component %}
tag can no longer be set as a kwarg.Instead, the component name MUST be the first POSITIONAL argument only.
Before, it was possible to set the component name as a kwarg and put it anywhere in the
{% component %}
tag:{% component rows=rows headers=headers name=\"my_table\" ... / %}\n
Now, the component name MUST be the first POSITIONAL argument:
{% component \"my_table\" rows=rows headers=headers ... / %}\n
Thus, the
name
kwarg can now be used as a regular input.{% component \"profile\" name=\"John\" job=\"Developer\" / %}\n
-
The second argument to
render_dependencies()
is nowstrategy
instead oftype
.Before:
render_dependencies(content, type=\"document\")\n
After:
render_dependencies(content, strategy=\"document\")\n
-
get_context_data()
is now deprecated. Useget_template_data()
instead.get_template_data()
behaves the same way, but has a different function signature to accept also slots and context.Since
get_context_data()
is widely used, it will remain available until v2. -
The
type
kwarg inComponent.render()
andComponent.render_to_response()
is now deprecated. Usedeps_strategy
instead. Thetype
kwarg will be removed in v1.Before:
Calendar.render_to_response(type=\"fragment\")\n
After:
Calendar.render_to_response(deps_strategy=\"fragment\")\n
-
The
render_dependencies
kwarg inComponent.render()
andComponent.render_to_response()
is now deprecated. Usedeps_strategy=\"ignore\"
instead. Therender_dependencies
kwarg will be removed in v1.Before:
Calendar.render_to_response(render_dependencies=False)\n
After:
Calendar.render_to_response(deps_strategy=\"ignore\")\n
-
SlotContent
was renamed toSlotInput
. The old name is deprecated and will be removed in v1. -
In the
on_component_data()
extension hook, thecontext_data
field of the context object was superseded bytemplate_data
.The
context_data
field will be removed in v1.0.Before:
class MyExtension(ComponentExtension):\n def on_component_data(self, ctx: OnComponentDataContext) -> None:\n ctx.context_data[\"my_template_var\"] = \"my_value\"\n
After:
class MyExtension(ComponentExtension):\n def on_component_data(self, ctx: OnComponentDataContext) -> None:\n ctx.template_data[\"my_template_var\"] = \"my_value\"\n
-
New method to render template variables -
get_template_data()
get_template_data()
behaves the same way asget_context_data()
, but has a different function signature to accept also slots and context.class Button(Component):\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"val1\": args[0],\n \"val2\": kwargs[\"field\"],\n }\n
If you define
Component.Args
,Component.Kwargs
,Component.Slots
, then theargs
,kwargs
,slots
arguments will be instances of these classes:class Button(Component):\n class Args(NamedTuple):\n field1: str\n\n class Kwargs(NamedTuple):\n field2: int\n\n def get_template_data(self, args: Args, kwargs: Kwargs, slots, context):\n return {\n \"val1\": args.field1,\n \"val2\": kwargs.field2,\n }\n
-
Input validation is now part of the render process.
When you specify the input types (such as
Component.Args
,Component.Kwargs
, etc), the actual inputs to data methods (Component.get_template_data()
, etc) will be instances of the types you specified.This practically brings back input validation, because the instantiation of the types will raise an error if the inputs are not valid.
Read more on Typing and validation
-
Render emails or other non-browser HTML with new \"dependencies strategies\"
When rendering a component with
Component.render()
orComponent.render_to_response()
, thedeps_strategy
kwarg (previouslytype
) now accepts additional options:\"simple\"
\"prepend\"
\"append\"
\"ignore\"
Calendar.render_to_response(\n request=request,\n kwargs={\n \"date\": request.GET.get(\"date\", \"\"),\n },\n deps_strategy=\"append\",\n)\n
Comparison of dependencies render strategies:
\"document\"
- Smartly inserts JS / CSS into placeholders or into
<head>
and<body>
tags. - Inserts extra script to allow
fragment
strategy to work. - Assumes the HTML will be rendered in a JS-enabled browser.
- Smartly inserts JS / CSS into placeholders or into
\"fragment\"
- A lightweight HTML fragment to be inserted into a document with AJAX.
- Ignores placeholders and any
<head>
/<body>
tags. - No JS / CSS included.
\"simple\"
- Smartly insert JS / CSS into placeholders or into
<head>
and<body>
tags. - No extra script loaded.
- Smartly insert JS / CSS into placeholders or into
\"prepend\"
- Insert JS / CSS before the rendered HTML.
- Ignores placeholders and any
<head>
/<body>
tags. - No extra script loaded.
\"append\"
- Insert JS / CSS after the rendered HTML.
- Ignores placeholders and any
<head>
/<body>
tags. - No extra script loaded.
\"ignore\"
- Rendered HTML is left as-is. You can still process it with a different strategy later with
render_dependencies()
. - Used for inserting rendered HTML into other components.
- Rendered HTML is left as-is. You can still process it with a different strategy later with
See Dependencies rendering for more info.
-
get_component_url()
now optionally acceptsquery
andfragment
arguments.from django_components import get_component_url\n\nurl = get_component_url(\n MyComponent,\n query={\"foo\": \"bar\"},\n fragment=\"baz\",\n)\n# /components/ext/view/components/c1ab2c3?foo=bar#baz\n
- Fix bug: Context processors data was being generated anew for each component. Now the data correctly created once and reused across components with the same request (#1165).
- Fix compatibility of component caching with
{% extend %}
block (#1135)
-
Component ID is now prefixed with
c
, e.g.c123456
. -
When typing a Component, you can now specify as few or as many parameters as you want.
Component[Args]\nComponent[Args, Kwargs]\nComponent[Args, Kwargs, Slots]\nComponent[Args, Kwargs, Slots, Data]\nComponent[Args, Kwargs, Slots, Data, JsData]\nComponent[Args, Kwargs, Slots, Data, JsData, CssData]\n
All omitted parameters will default to
Any
. -
Added
typing_extensions
to the project as a dependency -
Multiple extensions with the same name (case-insensitive) now raise an error
-
Extension names (case-insensitive) also MUST NOT conflict with existing Component class API.
So if you name an extension
render
, it will conflict with therender()
method of theComponent
class, and thus raise an error.
- Fix bug: Fix compatibility with
Finder.find()
in Django 5.2 (#1119)
- Fix bug: Allow components with
Url.public = True
to be defined beforedjango.setup()
-
Each Component class now has a
class_id
attribute, which is unique to the component subclass.NOTE: This is different from
Component.id
, which is unique to each rendered instance.To look up a component class by its
class_id
, useget_component_by_class_id()
. -
It's now easier to create URLs for component views.
Before, you had to call
Component.as_view()
and pass that tourlpatterns
.Now this can be done for you if you set
Component.Url.public
toTrue
:class MyComponent(Component):\n class Url:\n public = True\n ...\n
Then, to get the URL for the component, use
get_component_url()
:from django_components import get_component_url\n\nurl = get_component_url(MyComponent)\n
This way you don't have to mix your app URLs with component URLs.
Read more on Component views and URLs.
-
Per-component caching - Set
Component.Cache.enabled
toTrue
to enable caching for a component.Component caching allows you to store the rendered output of a component. Next time the component is rendered with the same input, the cached output is returned instead of re-rendering the component.
class TestComponent(Component):\n template = \"Hello\"\n\n class Cache:\n enabled = True\n ttl = 0.1 # .1 seconds TTL\n cache_name = \"custom_cache\"\n\n # Custom hash method for args and kwargs\n # NOTE: The default implementation simply serializes the input into a string.\n # As such, it might not be suitable for complex objects like Models.\n def hash(self, *args, **kwargs):\n return f\"{json.dumps(args)}:{json.dumps(kwargs)}\"\n
Read more on Component caching.
-
@djc_test
can now be called without first callingdjango.setup()
, in which case it does it for you. -
Expose
ComponentInput
class, which is a typing forComponent.input
.
-
Currently, view request handlers such as
get()
andpost()
methods can be defined directly on theComponent
class:class MyComponent(Component):\n def get(self, request):\n return self.render_to_response()\n
Or, nested within the
Component.View
class:class MyComponent(Component):\n class View:\n def get(self, request):\n return self.render_to_response()\n
In v1, these methods should be defined only on the
Component.View
class instead.
Component.get_context_data()
can now omit a return statement or returnNone
.
-
Component input validation was moved to a separate extension
djc-ext-pydantic
.If you relied on components raising errors when inputs were invalid, you need to install
djc-ext-pydantic
and add it to extensions:# settings.py\nCOMPONENTS = {\n \"extensions\": [\n \"djc_pydantic.PydanticExtension\",\n ],\n}\n
- Make it possible to resolve URLs added by extensions by their names
- Add defaults for the component inputs with the
Component.Defaults
nested class. Defaults are applied if the argument is not given, or if it set toNone
.
For lists, dictionaries, or other objects, wrap the value in
Default()
class to mark it as a factory function:```python\nfrom django_components import Default\n\nclass Table(Component):\n class Defaults:\n position = \"left\"\n width = \"200px\"\n options = Default(lambda: [\"left\", \"right\", \"center\"])\n\n def get_context_data(self, position, width, options):\n return {\n \"position\": position,\n \"width\": width,\n \"options\": options,\n }\n\n# `position` is used as given, `\"right\"`\n# `width` uses default because it's `None`\n# `options` uses default because it's missing\nTable.render(\n kwargs={\n \"position\": \"right\",\n \"width\": None,\n }\n)\n```\n
-
{% html_attrs %}
now offers a Vue-like granular control overclass
andstyle
HTML attributes, where each class name or style property can be managed separately.{% html_attrs\n class=\"foo bar\"\n class={\"baz\": True, \"foo\": False}\n class=\"extra\"\n%}\n
{% html_attrs\n style=\"text-align: center; background-color: blue;\"\n style={\"background-color\": \"green\", \"color\": None, \"width\": False}\n style=\"position: absolute; height: 12px;\"\n%}\n
Read more on HTML attributes.
- Fix compat with Windows when reading component files (#1074)
- Fix resolution of component media files edge case (#1073)
- HOTFIX: Fix the use of URLs in
Component.Media.js
andComponent.Media.css
\u26a0\ufe0f Attention \u26a0\ufe0f - Please update to v0.134 to fix bugs introduced in v0.132.
"},{"location":"release_notes/#fix_7","title":"Fix","text":"- HOTFIX: Fix the use of URLs in
Component.Media.js
andComponent.Media.css
\u26a0\ufe0f Attention \u26a0\ufe0f - Please update to v0.134 to fix bugs introduced in v0.132.
"},{"location":"release_notes/#feat_3","title":"Feat","text":"-
Allow to use glob patterns as paths for additional JS / CSS in
Component.Media.js
andComponent.Media.css
class MyComponent(Component):\n class Media:\n js = [\"*.js\"]\n css = [\"*.css\"]\n
- Fix installation for Python 3.13 on Windows.
-
Support for extensions (plugins) for django-components!
- Hook into lifecycle events of django-components
- Pre-/post-process component inputs, outputs, and templates
- Add extra methods or attributes to Components
- Add custom extension-specific CLI commands
- Add custom extension-specific URL routes
Read more on Extensions.
-
New CLI commands:
components list
- List all componentscomponents create <name>
- Create a new component (supersedesstartcomponent
)components upgrade
- Upgrade a component (supersedesupgradecomponent
)components ext list
- List all extensionscomponents ext run <extension> <command>
- Run a command added by an extension
-
@djc_test
decorator for writing tests that involve Components.- The decorator manages global state, ensuring that tests don't leak.
- If using
pytest
, the decorator allows you to parametrize Django or Components settings. - The decorator also serves as a stand-in for Django's
@override_settings
.
See the API reference for
@djc_test
for more details. -
ComponentRegistry
now has ahas()
method to check if a component is registered without raising an error. -
Get all created
Component
classes withall_components()
. -
Get all created
ComponentRegistry
instances withall_registries()
.
-
The
startcomponent
andupgradecomponent
commands are deprecated, and will be removed in v1.Instead, use
components create <name>
andcomponents upgrade
.
- Settings are now loaded only once, and thus are considered immutable once loaded. Previously, django-components would load settings from
settings.COMPONENTS
on each access. The new behavior aligns with Django's settings.
-
Access the HttpRequest object under
Component.request
.To pass the request object to a component, either: - Render a template or component with
RequestContext
, - Or set therequest
kwarg toComponent.render()
orComponent.render_to_response()
.Read more on HttpRequest.
-
Access the context processors data under
Component.context_processors_data
.Context processors data is available only when the component has access to the
request
object, either by: - Passing the request toComponent.render()
orComponent.render_to_response()
, - Or by rendering a template or component withRequestContext
, - Or being nested in another component that has access to the request object.The data from context processors is automatically available within the component's template.
Read more on HttpRequest.
- Fix thread unsafe media resolve validation by moving it to ComponentMedia
__post_init
(#977 - Fix bug: Relative path in extends and include does not work when using template_file (#976
- Fix error when template cache setting (
template_cache_size
) is set to 0 (#974
-
Configurable cache - Set
COMPONENTS.cache
to change where and how django-components caches JS and CSS files. (#946)Read more on Caching.
-
Highlight coponents and slots in the UI - We've added two boolean settings
COMPONENTS.debug_highlight_components
andCOMPONENTS.debug_highlight_slots
, which can be independently set toTrue
. First will wrap components in a blue border, the second will wrap slots in a red border. (#942)Read more on Troubleshooting.
- Removed use of eval for node validation (#944)
-
Components can now be infinitely nested. (#936)
-
Component input validation is now 6-7x faster on CPython and PyPy. This previously made up 10-30% of the total render time. (#945)
- Fix component rendering when using
{% cache %}
with remote cache and multiple web servers (#930)
- Replaced BeautifulSoup4 with a custom HTML parser.
- The heuristic for inserting JS and CSS dependenies into the default place has changed.
- JS is still inserted at the end of the
<body>
, and CSS at the end of<head>
. - However, we find end of
<body>
by searching for last occurrence of</body>
- And for the end of
<head>
we search for the first occurrence of</head>
- JS is still inserted at the end of the
\u26a0\ufe0f Attention \u26a0\ufe0f - We migrated from
EmilStenstrom/django-components
todjango-components/django-components
.Repo name and documentation URL changed. Package name remains the same.
If you see any broken links or other issues, please report them in #922.
"},{"location":"release_notes/#feat_7","title":"Feat","text":"@template_tag
andBaseNode
- A decorator and a class that allow you to define custom template tags that will behave similarly to django-components' own template tags.
Read more on Template tags.
Template tags defined with
@template_tag
andBaseNode
will have the following features:-
Accepting args, kwargs, and flags.
-
Allowing literal lists and dicts as inputs as:
key=[1, 2, 3]
orkey={\"a\": 1, \"b\": 2}
- Using template tags tag inputs as:{% my_tag key=\"{% lorem 3 w %}\" / %}
- Supporting the flat dictionary definition:attr:key=value
- Spreading args and kwargs with...
:{% my_tag ...args ...kwargs / %}
- Being able to call the template tag as:{% my_tag %} ... {% endmy_tag %}
or{% my_tag / %}
-
Refactored template tag input validation. When you now call template tags like
{% slot %}
,{% fill %}
,{% html_attrs %}
, and others, their inputs are now validated the same way as Python function inputs are.So, for example
{% slot \"my_slot\" name=\"content\" / %}\n
will raise an error, because the positional argument
name
is given twice.NOTE: Special kwargs whose keys are not valid Python variable names are not affected by this change. So when you define:
{% component data-id=123 / %}\n
The
data-id
will still be accepted as a valid kwarg, assuming that yourget_context_data()
accepts**kwargs
:def get_context_data(self, **kwargs):\n return {\n \"data_id\": kwargs[\"data-id\"],\n }\n
-
Instead of inlining the JS and CSS under
Component.js
andComponent.css
, you can move them to their own files, and link the JS/CSS files withComponent.js_file
andComponent.css_file
.Even when you specify the JS/CSS with
Component.js_file
orComponent.css_file
, then you can still access the content underComponent.js
orComponent.css
- behind the scenes, the content of the JS/CSS files will be set toComponent.js
/Component.css
upon first access.The same applies to
Component.template_file
, which will populateComponent.template
upon first access.With this change, the role of
Component.js/css
and the JS/CSS inComponent.Media
has changed:- The JS/CSS defined in
Component.js/css
orComponent.js/css_file
is the \"main\" JS/CSS - The JS/CSS defined in
Component.Media.js/css
are secondary or additional
See the updated \"Getting Started\" tutorial
- The JS/CSS defined in
-
The canonical way to define a template file was changed from
template_name
totemplate_file
, to align with the rest of the API.template_name
remains for backwards compatibility. When you get / settemplate_name
, internally this is proxied totemplate_file
. -
The undocumented
Component.component_id
was removed. Instead, useComponent.id
. Changes:- While
component_id
was unique every time you instantiatedComponent
, the newid
is unique every time you render the component (e.g. withComponent.render()
) - The new
id
is available only during render, so e.g. from withinget_context_data()
- While
-
Component's HTML / CSS / JS are now resolved and loaded lazily. That is, if you specify
template_name
/template_file
,js_file
,css_file
, orMedia.js/css
, the file paths will be resolved only once you:- Try to access component's HTML / CSS / JS, or
- Render the component.
Read more on Accessing component's HTML / JS / CSS.
-
Component inheritance:
- When you subclass a component, the JS and CSS defined on parent's
Media
class is now inherited by the child component. - You can disable or customize Media inheritance by setting
extend
attribute on theComponent.Media
nested class. This work similarly to Django'sMedia.extend
. - When child component defines either
template
ortemplate_file
, both of parent'stemplate
andtemplate_file
are ignored. The same applies tojs_file
andcss_file
.
- When you subclass a component, the JS and CSS defined on parent's
-
Autodiscovery now ignores files and directories that start with an underscore (
_
), except__init__.py
-
The Signals emitted by or during the use of django-components are now documented, together the
template_rendered
signal.
- Fix edge cases around rendering components whose templates used the
{% extends %}
template tag (#859)
- Add support for HTML fragments. HTML fragments can be rendered by passing
type=\"fragment\"
toComponent.render()
orComponent.render_to_response()
. Read more on how to use HTML fragments with HTMX, AlpineJS, or vanillaJS.
- Fix the use of Django template filters (
|lower:\"etc\"
) with component inputs #855.
\u26a0\ufe0f Attention \u26a0\ufe0f - Please update to v0.121 to fix bugs introduced in v0.119.
"},{"location":"release_notes/#fix_13","title":"Fix","text":"- Fix the use of translation strings
_(\"bla\")
as inputs to components #849.
\u26a0\ufe0f Attention \u26a0\ufe0f - This release introduced bugs #849, #855. Please update to v0.121.
"},{"location":"release_notes/#fix_14","title":"Fix","text":"- Fix compatibility with custom subclasses of Django's
Template
that need to accessorigin
or other initialization arguments. (https://github.com/django-components/django-components/pull/828)
- Compatibility with
django-debug-toolbar-template-profiler
: -
Monkeypatching of Django's
Template
now happens atAppConfig.ready()
(https://github.com/django-components/django-components/pull/825) -
Internal parsing of template tags tag was updated. No API change. (https://github.com/django-components/django-components/pull/827)
- Add support for
context_processors
andRenderContext
inside component templates
Component.render()
andComponent.render_to_response()
now accept an extra kwargrequest
.```py\ndef my_view(request)\n return MyTable.render_to_response(\n request=request\n )\n```\n
-
When you pass in
request
, the component will useRenderContext
instead ofContext
. Thus the context processors will be applied to the context. -
NOTE: When you pass in both
request
andcontext
toComponent.render()
, andcontext
is already an instance ofContext
, therequest
kwarg will be ignored.
- The HTML parser no longer erronously inserts
<html><head><body>
on some occasions, and no longer tries to close unclosed HTML tags.
- Replaced Selectolax with BeautifulSoup4 as project dependencies.
\u26a0\ufe0f Attention \u26a0\ufe0f - Please update to v0.117 to fix known bugs. See #791 and #789 and #818.
"},{"location":"release_notes/#fix_16","title":"Fix","text":"- Fix the order of execution of JS scripts:
- Scripts in
Component.Media.js
are executed in the order they are defined -
Scripts in
Component.js
are executed AFTERMedia.js
scripts -
Fix compatibility with AlpineJS
- Scripts in
Component.Media.js
are now again inserted as<script>
tags - By default,
Component.Media.js
are inserted as synchronous<script>
tags, so the AlpineJS components registered in theMedia.js
scripts will now again run BEFORE the core AlpineJS script.
AlpineJS can be configured like so:
Option 1 - AlpineJS loaded in
<head>
withdefer
attribute:<html>\n <head>\n {% component_css_dependencies %}\n <script defer src=\"https://unpkg.com/alpinejs\"></script>\n </head>\n <body>\n {% component 'my_alpine_component' / %}\n {% component_js_dependencies %}\n </body>\n</html>\n
Option 2 - AlpineJS loaded in
<body>
AFTER{% component_js_depenencies %}
:
"},{"location":"release_notes/#v0115","title":"v0.115","text":"<html>\n <head>\n {% component_css_dependencies %}\n </head>\n <body>\n {% component 'my_alpine_component' / %}\n {% component_js_dependencies %}\n\n <script src=\"https://unpkg.com/alpinejs\"></script>\n </body>\n</html>\n
\u26a0\ufe0f Attention \u26a0\ufe0f - Please update to v0.117 to fix known bugs. See #791 and #789 and #818.
"},{"location":"release_notes/#fix_17","title":"Fix","text":"- Fix integration with ManifestStaticFilesStorage on Windows by resolving component filepaths (like
Component.template_name
) to POSIX paths.
\u26a0\ufe0f Attention \u26a0\ufe0f - Please update to v0.117 to fix known bugs. See #791 and #789 and #818.
"},{"location":"release_notes/#fix_18","title":"Fix","text":"- Prevent rendering Slot tags during fill discovery stage to fix a case when a component inside a slot fill tried to access provided data too early.
\u26a0\ufe0f Attention \u26a0\ufe0f - Please update to v0.117 to fix known bugs. See #791 and #789 and #818.
"},{"location":"release_notes/#fix_19","title":"Fix","text":"- Ensure consistent order of scripts in
Component.Media.js
\u26a0\ufe0f Attention \u26a0\ufe0f - Please update to v0.117 to fix known bugs. See #791 and #789 and #818.
"},{"location":"release_notes/#fix_20","title":"Fix","text":"- Allow components to accept default fill even if no default slot was encountered during rendering
\u26a0\ufe0f Attention \u26a0\ufe0f - Please update to v0.117 to fix known bugs. See #791 and #789 and #818.
"},{"location":"release_notes/#fix_21","title":"Fix","text":"- Prevent rendering Component tags during fill discovery stage to fix a case when a component inside the default slot tried to access provided data too early.
\u26a0\ufe0f Attention \u26a0\ufe0f - Please update to v0.117 to fix known bugs. See #791 and #789 and #818.
"},{"location":"release_notes/#general","title":"General","text":""},{"location":"release_notes/#breaking-changes_2","title":"\ud83d\udea8\ud83d\udce2 BREAKING CHANGES","text":"-
Installation changes:
- If your components include JS or CSS, you now must use the middleware and add django-components' URLs to your
urlpatterns
(See \"Adding support for JS and CSS\")
- If your components include JS or CSS, you now must use the middleware and add django-components' URLs to your
-
Component typing signature changed from
Component[Args, Kwargs, Data, Slots]\n
to
Component[Args, Kwargs, Slots, Data, JsData, CssData]\n
-
If you rendered a component A with
Component.render()
and then inserted that into another component B, now you must passrender_dependencies=False
to component A:prerendered_a = CompA.render(\n args=[...],\n kwargs={...},\n render_dependencies=False,\n)\n\nhtml = CompB.render(\n kwargs={\n content=prerendered_a,\n },\n)\n
- Intellisense and mypy validation for settings:
Instead of defining the
COMPONENTS
settings as a plain dict, you can useComponentsSettings
:# settings.py\nfrom django_components import ComponentsSettings\n\nCOMPONENTS = ComponentsSettings(\n autodiscover=True,\n ...\n)\n
- Use
get_component_dirs()
andget_component_files()
to get the same list of dirs / files that would be imported byautodiscover()
, but without actually importing them.
-
For advanced use cases, use can omit the middleware and instead manage component JS and CSS dependencies yourself with
render_dependencies
-
The
ComponentRegistry
settingsRegistrySettings
were lowercased to align with the global settings: RegistrySettings.CONTEXT_BEHAVIOR
->RegistrySettings.context_behavior
RegistrySettings.TAG_FORMATTER
->RegistrySettings.tag_formatter
The old uppercase settings
CONTEXT_BEHAVIOR
andTAG_FORMATTER
are deprecated and will be removed in v1.-
The setting
reload_on_template_change
was renamed toreload_on_file_change
. And now it properly triggers server reload when any file in the component dirs change. The old namereload_on_template_change
is deprecated and will be removed in v1. -
The setting
forbidden_static_files
was renamed tostatic_files_forbidden
to align withstatic_files_allowed
The old nameforbidden_static_files
is deprecated and will be removed in v1.
-
{% component_dependencies %}
tag was removed. Instead, use{% component_js_dependencies %}
and{% component_css_dependencies %}
-
The combined tag was removed to encourage the best practice of putting JS scripts at the end of
<body>
, and CSS styles inside<head>
.On the other hand, co-locating JS script and CSS styles can lead to a flash of unstyled content, as either JS scripts will block the rendering, or CSS will load too late.
-
-
The undocumented keyword arg
preload
of{% component_js_dependencies %}
and{% component_css_dependencies %}
tags was removed. This will be replaced with HTML fragment support.
- Allow using forward slash (
/
) when defining custom TagFormatter, e.g.{% MyComp %}..{% /MyComp %}
.
{% component_dependencies %}
tags are now OPTIONAL - If your components use JS and CSS, but you don't use{% component_dependencies %}
tags, the JS and CSS will now be, by default, inserted at the end of<body>
and at the end of<head>
respectively.
- Fills can now be defined within loops (
{% for %}
) or other tags (like{% with %}
), or even other templates using{% include %}
.
Following is now possible
{% component \"table\" %}\n {% for slot_name in slots %}\n {% fill name=slot_name %}\n {% endfill %}\n {% endfor %}\n{% endcomponent %}\n
- If you need to access the data or the default content of a default fill, you can set the
name
kwarg to\"default\"
.
Previously, a default fill would be defined simply by omitting the
{% fill %}
tags:{% component \"child\" %}\n Hello world\n{% endcomponent %}\n
But in that case you could not access the slot data or the default content, like it's possible for named fills:
{% component \"child\" %}\n {% fill name=\"header\" data=\"data\" %}\n Hello {{ data.user.name }}\n {% endfill %}\n{% endcomponent %}\n
Now, you can specify default tag by using
name=\"default\"
:{% component \"child\" %}\n {% fill name=\"default\" data=\"data\" %}\n Hello {{ data.user.name }}\n {% endfill %}\n{% endcomponent %}\n
- When inside
get_context_data()
or other component methods, the default fill can now be accessed asComponent.input.slots[\"default\"]
, e.g.:
class MyTable(Component):\n def get_context_data(self, *args, **kwargs):\n default_slot = self.input.slots[\"default\"]\n ...\n
- You can now dynamically pass all slots to a child component. This is similar to passing all slots in Vue:
"},{"location":"release_notes/#fix_23","title":"Fix","text":"class MyTable(Component):\n def get_context_data(self, *args, **kwargs):\n return {\n \"slots\": self.input.slots,\n }\n\n template: \"\"\"\n <div>\n {% component \"child\" %}\n {% for slot_name in slots %}\n {% fill name=slot_name data=\"data\" %}\n {% slot name=slot_name ...data / %}\n {% endfill %}\n {% endfor %}\n {% endcomponent %}\n </div>\n \"\"\"\n
-
Slots defined with
{% fill %}
tags are now properly accessible viaself.input.slots
inget_context_data()
-
Do not raise error if multiple slots with same name are flagged as default
-
Slots can now be defined within loops (
{% for %}
) or other tags (like{% with %}
), or even other templates using{% include %}
.
Previously, following would cause the kwarg
name
to be an empty string:
"},{"location":"release_notes/#refactor_11","title":"Refactor","text":"{% for slot_name in slots %}\n {% slot name=slot_name %}\n{% endfor %}\n
- When you define multiple slots with the same name inside a template, you now have to set the
default
andrequired
flags individually.
<div class=\"calendar-component\">\n <div class=\"header\">\n {% slot \"image\" default required %}Image here{% endslot %}\n </div>\n <div class=\"body\">\n {% slot \"image\" default required %}Image here{% endslot %}\n </div>\n</div>\n
This means you can also have multiple slots with the same name but different conditions.
E.g. in this example, we have a component that renders a user avatar - a small circular image with a profile picture of name initials.
If the component is given
image_src
orname_initials
variables, theimage
slot is optional. But if neither of those are provided, you MUST fill theimage
slot.<div class=\"avatar\">\n {% if image_src %}\n {% slot \"image\" default %}\n <img src=\"{{ image_src }}\" />\n {% endslot %}\n {% elif name_initials %}\n {% slot \"image\" default required %}\n <div style=\"\n border-radius: 25px;\n width: 50px;\n height: 50px;\n background: blue;\n \">\n {{ name_initials }}\n </div>\n {% endslot %}\n {% else %}\n {% slot \"image\" default required / %}\n {% endif %}\n</div>\n
- The slot fills that were passed to a component and which can be accessed as
Component.input.slots
can now be passed through the Django template, e.g. as inputs to other tags.
Internally, django-components handles slot fills as functions.
Previously, if you tried to pass a slot fill within a template, Django would try to call it as a function.
Now, something like this is possible:
class MyTable(Component):\n def get_context_data(self, *args, **kwargs):\n return {\n \"child_slot\": self.input.slots[\"child_slot\"],\n }\n\n template: \"\"\"\n <div>\n {% component \"child\" content=child_slot / %}\n </div>\n \"\"\"\n
NOTE: Using
{% slot %}
and{% fill %}
tags is still the preferred method, but the approach above may be necessary in some complex or edge cases.- The
is_filled
variable (and the{{ component_vars.is_filled }}
context variable) now returnsFalse
when you try to access a slot name which has not been defined:
Before:
{{ component_vars.is_filled.header }} -> True\n{{ component_vars.is_filled.footer }} -> False\n{{ component_vars.is_filled.nonexist }} -> \"\" (empty string)\n
After:
{{ component_vars.is_filled.header }} -> True\n{{ component_vars.is_filled.footer }} -> False\n{{ component_vars.is_filled.nonexist }} -> False\n
-
Components no longer raise an error if there are extra slot fills
-
Components will raise error when a slot is doubly-filled.
E.g. if we have a component with a default slot:
{% slot name=\"content\" default / %}\n
Now there is two ways how we can target this slot: Either using
name=\"default\"
orname=\"content\"
.In case you specify BOTH, the component will raise an error:
"},{"location":"release_notes/#v0100","title":"\ud83d\udea8\ud83d\udce2 v0.100","text":""},{"location":"release_notes/#breaking-changes_4","title":"BREAKING CHANGES","text":"{% component \"child\" %}\n {% fill slot=\"default\" %}\n Hello from default slot\n {% endfill %}\n {% fill slot=\"content\" data=\"data\" %}\n Hello from content slot\n {% endfill %}\n{% endcomponent %}\n
-
django_components.safer_staticfiles
app was removed. It is no longer needed. -
Installation changes:
- Instead of defining component directories in
STATICFILES_DIRS
, set them toCOMPONENTS.dirs
. -
You now must define
STATICFILES_FINDERS
-
See here how to migrate your settings.py
- Instead of defining component directories in
- Beside the top-level
/components
directory, you can now define also app-level components dirs, e.g.[app]/components
(SeeCOMPONENTS.app_dirs
).
- When you call
as_view()
on a component instance, that instance will be passed toView.as_view()
- Fixed template caching. You can now also manually create cached templates with
cached_template()
-
The previously undocumented
get_template
was made private. -
In it's place, there's a new
get_template
, which supersedesget_template_string
(will be removed in v1). The newget_template
is the same asget_template_string
, except it allows to return either a string or a Template instance. -
You now must use only one of
template
,get_template
,template_name
, orget_template_name
.
-
Run-time type validation for Python 3.11+ - If the
Component
class is typed, e.g.Component[Args, Kwargs, ...]
, the args, kwargs, slots, and data are validated against the given types. (See Runtime input validation with types) -
Render hooks - Set
on_render_before
andon_render_after
methods onComponent
to intercept or modify the template or context before rendering, or the rendered result afterwards. (See Component hooks) -
component_vars.is_filled
context variable can be accessed from withinon_render_before
andon_render_after
hooks asself.is_filled.my_slot
- Added support for dynamic components, where the component name is passed as a variable. (See Dynamic components)
- Changed
Component.input
to raiseRuntimeError
if accessed outside of render context. Previously it returnedNone
if unset.
-
django_components now automatically configures Django to support multi-line tags. (See Multi-line tags)
-
New setting
reload_on_template_change
. Set this toTrue
to reload the dev server on changes to component template files. (See Reload dev server on component file changes)
-
Spread operator
...dict
inside template tags. (See Spread operator) -
Use template tags inside string literals in component inputs. (See Use template tags inside component inputs)
-
Dynamic slots, fills and provides - The
name
argument for these can now be a variable, a template expression, or via spread operator -
Component library authors can now configure
CONTEXT_BEHAVIOR
andTAG_FORMATTER
settings independently from user settings.
Component
class is no longer a subclass ofView
. To configure theView
class, set theComponent.View
nested class. HTTP methods likeget
orpost
can still be defined directly onComponent
class, andComponent.as_view()
internally callsComponent.View.as_view()
. (See Modifying the View class)
-
The inputs (args, kwargs, slots, context, ...) that you pass to
Component.render()
can be accessed from withinget_context_data
,get_template
andget_template_name
viaself.input
. (See Accessing data passed to the component) -
Typing:
Component
class supports generics that specify types forComponent.render
(See Adding type hints with Generics)
-
All tags (
component
,slot
,fill
, ...) now support \"self-closing\" or \"inline\" form, where you can omit the closing tag:{# Before #}\n{% component \"button\" %}{% endcomponent %}\n{# After #}\n{% component \"button\" / %}\n
-
All tags now support the \"dictionary key\" or \"aggregate\" syntax (
kwarg:key=val
):{% component \"button\" attrs:class=\"hidden\" %}\n
-
You can change how the components are written in the template with TagFormatter.
The default is
django_components.component_formatter
:{% component \"button\" href=\"...\" disabled %}\n Click me!\n{% endcomponent %}\n
While
django_components.shorthand_component_formatter
allows you to write components like so:{% button href=\"...\" disabled %}\n Click me!\n{% endbutton %}\n
-
Autodiscovery module resolution changed. Following undocumented behavior was removed:
-
Previously, autodiscovery also imported any
[app]/components.py
files, and usedSETTINGS_MODULE
to search for component dirs.To migrate from:
-
[app]/components.py
- Define each module inCOMPONENTS.libraries
setting, or import each module inside theAppConfig.ready()
hook in respectiveapps.py
files. -
SETTINGS_MODULE
- Define component dirs usingSTATICFILES_DIRS
-
-
Previously, autodiscovery handled relative files in
STATICFILES_DIRS
. To align with Django,STATICFILES_DIRS
now must be full paths (Django docs).
-
- The order of arguments to
render_to_response
has changed, to align with the (now public)render
method ofComponent
class.
-
Component.render()
is public and documented -
Slots passed
render_to_response
andrender
can now be rendered also as functions.
- Vue-like provide/inject with the
{% provide %}
tag andinject()
method.
- Default value for the
COMPONENTS.context_behavior
setting was changes from\"isolated\"
to\"django\"
. If you did not set this value explicitly before, this may be a breaking change. See the rationale for change here.
-
The syntax for accessing default slot content has changed from
{% fill \"my_slot\" as \"alias\" %}\n {{ alias.default }}\n{% endfill %}\n
to
{% fill \"my_slot\" default=\"alias\" %}\n {{ alias }}\n{% endfill %}\n
-
{% html_attrs %}
tag for formatting data as HTML attributes -
prefix:key=val
construct for passing dicts to components
-
{% if_filled \"my_slot\" %}
tags were replaced with{{ component_vars.is_filled.my_slot }}
variables. -
Simplified settings -
slot_context_behavior
andcontext_behavior
were merged. See the documentation for more details.
- Changed the default way how context variables are resolved in slots. See the documentation for more details.
-
{% component_block %}
is now{% component %}
, and{% component %}
blocks need an ending{% endcomponent %}
tag.The new
python manage.py upgradecomponent
command can be used to upgrade a directory (use--path
argument to point to each dir) of templates that use components to the new syntax automatically.This change is done to simplify the API in anticipation of a 1.0 release of django_components. After 1.0 we intend to be stricter with big changes like this in point releases.
- Components as views, which allows you to handle requests and render responses from within a component. See the documentation for more details.
- 'implicit' slot filling and the
default
option forslot
tags.
- A second installable app
django_components.safer_staticfiles
. It provides the same behavior asdjango.contrib.staticfiles
but with extra security guarantees (more info below in Security Notes).
-
Changed the syntax for
{% slot %}
tags. From now on, we separate defining a slot ({% slot %}
) from filling a slot with content ({% fill %}
). This means you will likely need to change a lot of slot tags to fill.We understand this is annoying, but it's the only way we can get support for nested slots that fill in other slots, which is a very nice feature to have access to. Hoping that this will feel worth it!
-
All files inside components subdirectores are autoimported to simplify setup.
An existing project might start to get
AlreadyRegistered
errors because of this. To solve this, either remove your custom loading of components, or set\"autodiscover\": False
insettings.COMPONENTS
.
-
Renamed
Component.context
andComponent.template
toget_context_data
andget_template_name
. The old methods still work, but emit a deprecation warning.This change was done to sync naming with Django's class based views, and make using django-components more familiar to Django users.
Component.context
andComponent.template
will be removed when version 1.0 is released.
Component caching allows you to store the rendered output of a component. Next time the component is rendered with the same input, the cached output is returned instead of re-rendering the component.
This is particularly useful for components that are expensive to render or do not change frequently.
Info
Component caching uses Django's cache framework, so you can use any cache backend that is supported by Django.
"},{"location":"concepts/advanced/component_caching/#enabling-caching","title":"Enabling caching","text":"Caching is disabled by default.
To enable caching for a component, set
Component.Cache.enabled
toTrue
:
"},{"location":"concepts/advanced/component_caching/#time-to-live-ttl","title":"Time-to-live (TTL)","text":"from django_components import Component\n\nclass MyComponent(Component):\n class Cache:\n enabled = True\n
You can specify a time-to-live (TTL) for the cache entry with
Component.Cache.ttl
, which determines how long the entry remains valid. The TTL is specified in seconds.class MyComponent(Component):\n class Cache:\n enabled = True\n ttl = 60 * 60 * 24 # 1 day\n
- If
ttl > 0
, entries are cached for the specified number of seconds. - If
ttl = -1
, entries are cached indefinitely. - If
ttl = 0
, entries are not cached. - If
ttl = None
, the default TTL is used.
Since component caching uses Django's cache framework, you can specify a custom cache name with
Component.Cache.cache_name
to use a different cache backend:
"},{"location":"concepts/advanced/component_caching/#cache-key-generation","title":"Cache key generation","text":"class MyComponent(Component):\n class Cache:\n enabled = True\n cache_name = \"my_cache\"\n
By default, the cache key is generated based on the component's input (args and kwargs). So the following two calls would generate separate entries in the cache:
MyComponent.render(name=\"Alice\")\nMyComponent.render(name=\"Bob\")\n
However, you have full control over the cache key generation. As such, you can:
- Cache the component on all inputs (default)
- Cache the component on particular inputs
- Cache the component irrespective of the inputs
To achieve that, you can override the
Component.Cache.hash()
method to customize how arguments are hashed into the cache key.class MyComponent(Component):\n class Cache:\n enabled = True\n\n def hash(self, *args, **kwargs):\n return f\"{json.dumps(args)}:{json.dumps(kwargs)}\"\n
For even more control, you can override other methods available on the
ComponentCache
class.Warning
The default implementation of
"},{"location":"concepts/advanced/component_caching/#example","title":"Example","text":"Cache.hash()
simply serializes the input into a string. As such, it might not be suitable if you need to hash complex objects like Models.Here's a complete example of a component with caching enabled:
from django_components import Component\n\nclass MyComponent(Component):\n template = \"Hello, {{ name }}\"\n\n class Cache:\n enabled = True\n ttl = 300 # Cache for 5 minutes\n cache_name = \"my_cache\"\n\n def get_template_data(self, args, kwargs, slots, context):\n return {\"name\": kwargs[\"name\"]}\n
In this example, the component's rendered output is cached for 5 minutes using the
"},{"location":"concepts/advanced/component_context_scope/","title":"Component context and scope","text":"my_cache
backend.By default, context variables are passed down the template as in regular Django - deeper scopes can access the variables from the outer scopes. So if you have several nested forloops, then inside the deep-most loop you can access variables defined by all previous loops.
With this in mind, the
{% component %}
tag behaves similarly to{% include %}
tag - inside the component tag, you can access all variables that were defined outside of it.And just like with
{% include %}
, if you don't want a specific component template to have access to the parent context, addonly
to the{% component %}
tag:{% component \"calendar\" date=\"2015-06-19\" only / %}\n
NOTE:
{% csrf_token %}
tags need access to the top-level context, and they will not function properly if they are rendered in a component that is called with theonly
modifier.If you find yourself using the
only
modifier often, you can set the context_behavior option to\"isolated\"
, which automatically applies theonly
modifier. This is useful if you want to make sure that components don't accidentally access the outer context.Components can also access the outer context in their context methods like
"},{"location":"concepts/advanced/component_context_scope/#example-of-accessing-outer-context","title":"Example of Accessing Outer Context","text":"get_template_data
by accessing the propertyself.outer_context
.<div>\n {% component \"calender\" / %}\n</div>\n
Assuming that the rendering context has variables such as
date
, you can useself.outer_context
to access them from withinget_template_data
. Here's how you might implement it:class Calender(Component):\n\n ...\n\n def get_template_data(self, args, kwargs, slots, context):\n outer_field = self.outer_context[\"date\"]\n return {\n \"date\": outer_fields,\n }\n
However, as a best practice, it\u2019s recommended not to rely on accessing the outer context directly through
"},{"location":"concepts/advanced/component_context_scope/#context-behavior","title":"Context behavior","text":"self.outer_context
. Instead, explicitly pass the variables to the component. For instance, continue passing the variables in the component tag as shown in the previous examples.django_components supports both Django and Vue-like behavior when it comes to passing data to and through components. This can be configured in context_behavior.
This has two modes:
-
\"django\"
The default Django template behavior.
Inside the
{% fill %}
tag, the context variables you can access are a union of:- All the variables that were OUTSIDE the fill tag, including any\\
{% with %}
tags. - Any loops (
{% for ... %}
) that the{% fill %}
tag is part of. - Data returned from
Component.get_template_data()
of the component that owns the fill tag.
- All the variables that were OUTSIDE the fill tag, including any\\
-
\"isolated\"
Similar behavior to Vue or React, this is useful if you want to make sure that components don't accidentally access variables defined outside of the component.
Inside the
{% fill %}
tag, you can ONLY access variables from 2 places:- Any loops (
{% for ... %}
) that the{% fill %}
tag is part of. Component.get_template_data()
of the component which defined the template (AKA the \"root\" component).
- Any loops (
Warning
Notice that the component whose
get_template_data()
we use inside{% fill %}
is NOT the same across the two modes!Consider this example:
class Outer(Component):\n template = \"\"\"\n <div>\n {% component \"inner\" %}\n {% fill \"content\" %}\n {{ my_var }}\n {% endfill %}\n {% endcomponent %}\n </div>\n \"\"\"\n
-
\"django\"
-my_var
has access to data fromget_template_data()
of bothInner
andOuter
. If there are variables defined in both, thenInner
overshadowsOuter
. -
\"isolated\"
-my_var
has access to data fromget_template_data()
of ONLYOuter
.
Given this template:
@register(\"root_comp\")\nclass RootComp(Component):\n template = \"\"\"\n {% with cheese=\"feta\" %}\n {% component 'my_comp' %}\n {{ my_var }} # my_var\n {{ cheese }} # cheese\n {% endcomponent %}\n {% endwith %}\n \"\"\"\n\n def get_template_data(self, args, kwargs, slots, context):\n return { \"my_var\": 123 }\n
Then if
get_template_data()
of the component\"my_comp\"
returns following data:{ \"my_var\": 456 }\n
Then the template will be rendered as:
456 # my_var\nfeta # cheese\n
Because
\"my_comp\"
overshadows the outer variable\"my_var\"
, so{{ my_var }}
equals456
.And variable
"},{"location":"concepts/advanced/component_context_scope/#example-isolated","title":"Example \"isolated\"","text":"\"cheese\"
equalsfeta
, because the fill CAN access all the data defined in the outer layers, like the{% with %}
tag.Given this template:
class RootComp(Component):\n template = \"\"\"\n {% with cheese=\"feta\" %}\n {% component 'my_comp' %}\n {{ my_var }} # my_var\n {{ cheese }} # cheese\n {% endcomponent %}\n {% endwith %}\n \"\"\"\n\n def get_template_data(self, args, kwargs, slots, context):\n return { \"my_var\": 123 }\n
Then if
get_template_data()
of the component\"my_comp\"
returns following data:{ \"my_var\": 456 }\n
Then the template will be rendered as:
123 # my_var\n # cheese\n
Because variables
\"my_var\"
and\"cheese\"
are searched only insideRootComponent.get_template_data()
. But since\"cheese\"
is not defined there, it's empty.Info
Notice that the variables defined with the
"},{"location":"concepts/advanced/component_libraries/","title":"Component libraries","text":"{% with %}
tag are ignored inside the{% fill %}
tag with the\"isolated\"
mode.You can publish and share your components for others to use. Below you will find the steps to do so.
For live examples, see the Community examples.
"},{"location":"concepts/advanced/component_libraries/#writing-component-libraries","title":"Writing component libraries","text":"-
Create a Django project with a similar structure:
project/\n |-- myapp/\n |-- __init__.py\n |-- apps.py\n |-- templates/\n |-- table/\n |-- table.py\n |-- table.js\n |-- table.css\n |-- table.html\n |-- menu.py <--- single-file component\n |-- templatetags/\n |-- __init__.py\n |-- mytags.py\n
-
Create custom
Library
andComponentRegistry
instances inmytags.py
This will be the entrypoint for using the components inside Django templates.
Remember that Django requires the
Library
instance to be accessible under theregister
variable (See Django docs):from django.template import Library\nfrom django_components import ComponentRegistry, RegistrySettings\n\nregister = library = django.template.Library()\ncomp_registry = ComponentRegistry(\n library=library,\n settings=RegistrySettings(\n context_behavior=\"isolated\",\n tag_formatter=\"django_components.component_formatter\",\n ),\n)\n
As you can see above, this is also the place where we configure how our components should behave, using the
settings
argument. If omitted, default settings are used.For library authors, we recommend setting
context_behavior
to\"isolated\"
, so that the state cannot leak into the components, and so the components' behavior is configured solely through the inputs. This means that the components will be more predictable and easier to debug.Next, you can decide how will others use your components by setting the
tag_formatter
options.If omitted or set to
\"django_components.component_formatter\"
, your components will be used like this:{% component \"table\" items=items headers=headers %}\n{% endcomponent %}\n
Or you can use
\"django_components.component_shorthand_formatter\"
to use components like so:{% table items=items headers=headers %}\n{% endtable %}\n
Or you can define a custom TagFormatter.
Either way, these settings will be scoped only to your components. So, in the user code, there may be components side-by-side that use different formatters:
{% load mytags %}\n\n{# Component from your library \"mytags\", using the \"shorthand\" formatter #}\n{% table items=items headers=header %}\n{% endtable %}\n\n{# User-created components using the default settings #}\n{% component \"my_comp\" title=\"Abc...\" %}\n{% endcomponent %}\n
-
Write your components and register them with your instance of
ComponentRegistry
There's one difference when you are writing components that are to be shared, and that's that the components must be explicitly registered with your instance of
ComponentRegistry
from the previous step.For better user experience, you can also define the types for the args, kwargs, slots and data.
It's also a good idea to have a common prefix for your components, so they can be easily distinguished from users' components. In the example below, we use the prefix
my_
/My
.from typing import NamedTuple, Optional\nfrom django_components import Component, SlotInput, register, types\n\nfrom myapp.templatetags.mytags import comp_registry\n\n# Define the component\n# NOTE: Don't forget to set the `registry`!\n@register(\"my_menu\", registry=comp_registry)\nclass MyMenu(Component):\n # Define the types\n class Args(NamedTuple):\n size: int\n text: str\n\n class Kwargs(NamedTuple):\n vertical: Optional[bool] = None\n klass: Optional[str] = None\n style: Optional[str] = None\n\n class Slots(NamedTuple):\n default: Optional[SlotInput] = None\n\n def get_template_data(self, args: Args, kwargs: Kwargs, slots: Slots, context: Context):\n attrs = ...\n return {\n \"attrs\": attrs,\n }\n\n template: types.django_html = \"\"\"\n {# Load django_components template tags #}\n {% load component_tags %}\n\n <div {% html_attrs attrs class=\"my-menu\" %}>\n <div class=\"my-menu__content\">\n {% slot \"default\" default / %}\n </div>\n </div>\n \"\"\"\n
-
Import the components in
apps.py
Normally, users rely on autodiscovery and
COMPONENTS.dirs
to load the component files.Since you, as the library author, are not in control of the file system, it is recommended to load the components manually.
We recommend doing this in the
AppConfig.ready()
hook of yourapps.py
:from django.apps import AppConfig\n\nclass MyAppConfig(AppConfig):\n default_auto_field = \"django.db.models.BigAutoField\"\n name = \"myapp\"\n\n # This is the code that gets run when user adds myapp\n # to Django's INSTALLED_APPS\n def ready(self) -> None:\n # Import the components that you want to make available\n # inside the templates.\n from myapp.templates import (\n menu,\n table,\n )\n
Note that you can also include any other startup logic within
AppConfig.ready()
.
And that's it! The next step is to publish it.
"},{"location":"concepts/advanced/component_libraries/#publishing-component-libraries","title":"Publishing component libraries","text":"Once you are ready to share your library, you need to build a distribution and then publish it to PyPI.
django_components uses the
build
utility to build a distribution:python -m build --sdist --wheel --outdir dist/ .\n
And to publish to PyPI, you can use
twine
(See Python user guide)twine upload --repository pypi dist/* -u __token__ -p <PyPI_TOKEN>\n
Notes on publishing:
- If you use components where the HTML / CSS / JS files are separate, you may need to define
MANIFEST.in
to include those files with the distribution (see user guide).
After the package has been published, all that remains is to install it in other django projects:
-
Install the package:
pip install myapp django_components\n
-
Add the package to
INSTALLED_APPS
INSTALLED_APPS = [\n ...\n \"django_components\",\n \"myapp\",\n]\n
-
Optionally add the template tags to the
builtins
, so you don't have to call{% load mytags %}
in every template:TEMPLATES = [\n {\n ...,\n 'OPTIONS': {\n 'builtins': [\n 'myapp.templatetags.mytags',\n ]\n },\n },\n]\n
-
And, at last, you can use the components in your own project!
{% my_menu title=\"Abc...\" %}\n Hello World!\n{% endmy_menu %}\n
In previous examples you could repeatedly see us using
@register()
to \"register\" the components. In this section we dive deeper into what it actually means and how you can manage (add or remove) components.As a reminder, we may have a component like this:
from django_components import Component, register\n\n@register(\"calendar\")\nclass Calendar(Component):\n template_file = \"template.html\"\n\n # This component takes one parameter, a date string to show in the template\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"date\": kwargs[\"date\"],\n }\n
which we then render in the template as:
{% component \"calendar\" date=\"1970-01-01\" %}\n{% endcomponent %}\n
As you can see,
"},{"location":"concepts/advanced/component_registry/#what-is-componentregistry","title":"What is ComponentRegistry","text":"@register
links up the component class with the{% component %}
template tag. So when the template tag comes across a component called\"calendar\"
, it can look up it's class and instantiate it.The
@register
decorator is a shortcut for working with theComponentRegistry
.ComponentRegistry
manages which components can be used in the template tags.Each
ComponentRegistry
instance is associated with an instance of Django'sLibrary
. And Libraries are inserted into Django template using the{% load %}
tags.The
@register
decorator accepts an optional kwargregistry
, which specifies, theComponentRegistry
to register components into. If omitted, the defaultComponentRegistry
instance defined in django_components is used.my_registry = ComponentRegistry()\n\n@register(registry=my_registry)\nclass MyComponent(Component):\n ...\n
The default
ComponentRegistry
is associated with theLibrary
that you load when you call{% load component_tags %}
inside your template, or when you adddjango_components.templatetags.component_tags
to the template builtins.So when you register or unregister a component to/from a component registry, then behind the scenes the registry automatically adds/removes the component's template tags to/from the Library, so you can call the component from within the templates such as
"},{"location":"concepts/advanced/component_registry/#working-with-componentregistry","title":"Working with ComponentRegistry","text":"{% component \"my_comp\" %}
.The default
ComponentRegistry
instance can be imported as:from django_components import registry\n
You can use the registry to manually add/remove/get components:
"},{"location":"concepts/advanced/component_registry/#registering-components-to-custom-componentregistry","title":"Registering components to custom ComponentRegistry","text":"from django_components import registry\n\n# Register components\nregistry.register(\"button\", ButtonComponent)\nregistry.register(\"card\", CardComponent)\n\n# Get all or single\nregistry.all() # {\"button\": ButtonComponent, \"card\": CardComponent}\nregistry.get(\"card\") # CardComponent\n\n# Check if component is registered\nregistry.has(\"button\") # True\n\n# Unregister single component\nregistry.unregister(\"card\")\n\n# Unregister all components\nregistry.clear()\n
If you are writing a component library to be shared with others, you may want to manage your own instance of
ComponentRegistry
and register components onto a differentLibrary
instance than the default one.The
Library
instance can be set at instantiation ofComponentRegistry
. If omitted, then the default Library instance from django_components is used.from django.template import Library\nfrom django_components import ComponentRegistry\n\nmy_library = Library(...)\nmy_registry = ComponentRegistry(library=my_library)\n
When you have defined your own
ComponentRegistry
, you can either register the components withmy_registry.register()
, or pass the registry to the@component.register()
decorator via theregistry
kwarg:from path.to.my.registry import my_registry\n\n@register(\"my_component\", registry=my_registry)\nclass MyComponent(Component):\n ...\n
NOTE: The Library instance can be accessed under
"},{"location":"concepts/advanced/component_registry/#componentregistry-settings","title":"ComponentRegistry settings","text":"library
attribute ofComponentRegistry
.When you are creating an instance of
ComponentRegistry
, you can define the components' behavior within the template.The registry accepts these settings:
context_behavior
tag_formatter
from django.template import Library\nfrom django_components import ComponentRegistry, RegistrySettings\n\nregister = library = django.template.Library()\ncomp_registry = ComponentRegistry(\n library=library,\n settings=RegistrySettings(\n context_behavior=\"isolated\",\n tag_formatter=\"django_components.component_formatter\",\n ),\n)\n
These settings are the same as the ones you can set for django_components.
In fact, when you set
COMPONENT.tag_formatter
orCOMPONENT.context_behavior
, these are forwarded to the defaultComponentRegistry
.This makes it possible to have multiple registries with different settings in one projects, and makes sharing of component libraries possible.
"},{"location":"concepts/advanced/extensions/","title":"Extensions","text":"New in version 0.131
Django-components functionality can be extended with \"extensions\". Extensions allow for powerful customization and integrations. They can:
- Tap into lifecycle events, such as when a component is created, deleted, registered, or unregistered.
- Add new attributes and methods to the components under an extension-specific nested class.
- Define custom commands that can be executed via the Django management command interface.
- djc-ext-pydantic
Extensions are configured in the Django settings under
COMPONENTS.extensions
.Extensions can be set by either as an import string or by passing in a class:
"},{"location":"concepts/advanced/extensions/#lifecycle-hooks","title":"Lifecycle hooks","text":"# settings.py\n\nclass MyExtension(ComponentExtension):\n name = \"my_extension\"\n\n class ExtensionClass(ComponentExtension.ExtensionClass):\n ...\n\nCOMPONENTS = ComponentsSettings(\n extensions=[\n MyExtension,\n \"another_app.extensions.AnotherExtension\",\n \"my_app.extensions.ThirdExtension\",\n ],\n)\n
Extensions can define methods to hook into lifecycle events, such as:
- Component creation or deletion
- Un/registering a component
- Creating or deleting a registry
- Pre-processing data passed to a component on render
- Post-processing data returned from
get_template_data()
and others.
See the full list in Extension Hooks Reference.
"},{"location":"concepts/advanced/extensions/#configuring-extensions-per-component","title":"Configuring extensions per component","text":"Each extension has a corresponding nested class within the
Component
class. These allow to configure the extensions on a per-component basis.Note
Accessing the component instance from inside the nested classes:
Each method of the nested classes has access to the
component
attribute, which points to the component instance.
"},{"location":"concepts/advanced/extensions/#example-component-as-view","title":"Example: Component as View","text":"class MyTable(Component):\n class View:\n def get(self, request):\n # `self.component` points to the instance of `MyTable` Component.\n return self.component.get(request)\n
The Components as Views feature is actually implemented as an extension that is configured by a
View
nested class.You can override the
get()
,post()
, etc methods to customize the behavior of the component as a view:
"},{"location":"concepts/advanced/extensions/#example-storybook-integration","title":"Example: Storybook integration","text":"class MyTable(Component):\n class View:\n def get(self, request):\n return self.component.get(request)\n\n def post(self, request):\n return self.component.post(request)\n\n ...\n
The Storybook integration (work in progress) is an extension that is configured by a
Storybook
nested class.You can override methods such as
title
,parameters
, etc, to customize how to generate a Storybook JSON file from the component.
"},{"location":"concepts/advanced/extensions/#accessing-extensions-in-components","title":"Accessing extensions in components","text":"class MyTable(Component):\n class Storybook:\n def title(self):\n return self.component.__class__.__name__\n\n def parameters(self) -> Parameters:\n return {\n \"server\": {\n \"id\": self.component.__class__.__name__,\n }\n }\n\n def stories(self) -> List[StoryAnnotations]:\n return []\n\n ...\n
Above, we've configured extensions
View
andStorybook
for theMyTable
component.You can access the instances of these extension classes in the component instance.
For example, the View extension is available as
self.view
:class MyTable(Component):\n def get_template_data(self, args, kwargs, slots, context):\n # `self.view` points to the instance of `View` extension.\n return {\n \"view\": self.view,\n }\n
And the Storybook extension is available as
self.storybook
:class MyTable(Component):\n def get_template_data(self, args, kwargs, slots, context):\n # `self.storybook` points to the instance of `Storybook` extension.\n return {\n \"title\": self.storybook.title(),\n }\n
Thus, you can use extensions to add methods or attributes that will be available to all components in their component context.
"},{"location":"concepts/advanced/extensions/#writing-extensions","title":"Writing extensions","text":"Creating extensions in django-components involves defining a class that inherits from
"},{"location":"concepts/advanced/extensions/#defining-an-extension","title":"Defining an extension","text":"ComponentExtension
. This class can implement various lifecycle hooks and define new attributes or methods to be added to components.To create an extension, define a class that inherits from
ComponentExtension
and implement the desired hooks.- Each extension MUST have a
name
attribute. The name MUST be a valid Python identifier. - The extension MAY implement any of the hook methods.
- Each hook method receives a context object with relevant data.
from django_components.extension import ComponentExtension, OnComponentClassCreatedContext\n\nclass MyExtension(ComponentExtension):\n name = \"my_extension\"\n\n def on_component_class_created(self, ctx: OnComponentClassCreatedContext) -> None:\n # Custom logic for when a component class is created\n ctx.component_cls.my_attr = \"my_value\"\n
Warning
The
name
attribute MUST be unique across all extensions.Moreover, the
name
attribute MUST NOT conflict with existing Component class API.So if you name an extension
"},{"location":"concepts/advanced/extensions/#defining-the-extension-class","title":"Defining the extension class","text":"render
, it will conflict with therender()
method of theComponent
class.In previous sections we've seen the
View
andStorybook
extensions classes that were nested within theComponent
class:class MyComponent(Component):\n class View:\n ...\n\n class Storybook:\n ...\n
These can be understood as component-specific overrides or configuration.
The nested extension classes like
View
orStorybook
will actually subclass from a base extension class as defined on theComponentExtension.ExtensionClass
.This is how extensions define the \"default\" behavior of their nested extension classes.
For example, the
View
base extension class defines the handlers for GET, POST, etc:from django_components.extension import ComponentExtension\n\nclass ViewExtension(ComponentExtension):\n name = \"view\"\n\n # The default behavior of the `View` extension class.\n class ExtensionClass(ComponentExtension.ExtensionClass):\n def get(self, request):\n return self.component.get(request)\n\n def post(self, request):\n return self.component.post(request)\n\n ...\n
In any component that then defines a nested
View
extension class, theView
extension class will actually subclass from theViewExtension.ExtensionClass
class.In other words, when you define a component like this:
class MyTable(Component):\n class View:\n def get(self, request):\n # Do something\n ...\n
It will actually be implemented as if the
View
class subclassed from base classViewExtension.ExtensionClass
:class MyTable(Component):\n class View(ViewExtension.ExtensionClass):\n def get(self, request):\n # Do something\n ...\n
Warning
When writing an extension, the
ExtensionClass
MUST subclass the base classComponentExtension.ExtensionClass
.This base class ensures that the extension class will have access to the component instance.
"},{"location":"concepts/advanced/extensions/#registering-extensions","title":"Registering extensions","text":"Once the extension is defined, it needs to be registered in the Django settings to be used by the application.
Extensions can be given either as an extension class, or its import string:
# settings.py\nCOMPONENTS = {\n \"extensions\": [\n \"my_app.extensions.MyExtension\",\n ],\n}\n
Or by reference:
"},{"location":"concepts/advanced/extensions/#full-example-custom-logging-extension","title":"Full example: Custom logging extension","text":"# settings.py\nfrom my_app.extensions import MyExtension\n\nCOMPONENTS = {\n \"extensions\": [\n MyExtension,\n ],\n}\n
To tie it all together, here's an example of a custom logging extension that logs when components are created, deleted, or rendered:
- Each component can specify which color to use for the logging by setting
Component.ColorLogger.color
. - The extension will log the component name and color when the component is created, deleted, or rendered.
from django_components.extension import (\n ComponentExtension,\n OnComponentClassCreatedContext,\n OnComponentClassDeletedContext,\n OnComponentInputContext,\n)\n\nclass ColorLoggerExtensionClass(ComponentExtension.ExtensionClass):\n color: str\n\n\nclass ColorLoggerExtension(ComponentExtension):\n name = \"color_logger\"\n\n # All `Component.ColorLogger` classes will inherit from this class.\n ExtensionClass = ColorLoggerExtensionClass\n\n # These hooks don't have access to the Component instance, only to the Component class,\n # so we access the color as `Component.ColorLogger.color`.\n def on_component_class_created(self, ctx: OnComponentClassCreatedContext) -> None:\n log.info(\n f\"Component {ctx.component_cls} created.\",\n color=ctx.component_cls.ColorLogger.color,\n )\n\n def on_component_class_deleted(self, ctx: OnComponentClassDeletedContext) -> None:\n log.info(\n f\"Component {ctx.component_cls} deleted.\",\n color=ctx.component_cls.ColorLogger.color,\n )\n\n # This hook has access to the Component instance, so we access the color\n # as `self.component.color_logger.color`.\n def on_component_input(self, ctx: OnComponentInputContext) -> None:\n log.info(\n f\"Rendering component {ctx.component_cls}.\",\n color=ctx.component.color_logger.color,\n )\n
To use the
ColorLoggerExtension
, add it to your settings:# settings.py\nCOMPONENTS = {\n \"extensions\": [\n ColorLoggerExtension,\n ],\n}\n
Once registered, in any component, you can define a
ColorLogger
attribute:class MyComponent(Component):\n class ColorLogger:\n color = \"red\"\n
This will log the component name and color when the component is created, deleted, or rendered.
"},{"location":"concepts/advanced/extensions/#utility-functions","title":"Utility functions","text":"django-components provides a few utility functions to help with writing extensions:
all_components()
- returns a list of all created component classes.all_registries()
- returns a list of all created registry instances.
When you are writing the extension class that will be nested inside a Component class, e.g.
class MyTable(Component):\n class MyExtension:\n def some_method(self):\n ...\n
You can access the owner Component class (
MyTable
) from within methods of the extension class (MyExtension
) by using thecomponent_class
attribute:class MyTable(Component):\n class MyExtension:\n def some_method(self):\n print(self.component_class)\n
Here is how the
component_class
attribute may be used with ourColorLogger
extension shown above:
"},{"location":"concepts/advanced/extensions/#extension-commands","title":"Extension Commands","text":"class ColorLoggerExtensionClass(ComponentExtension.ExtensionClass):\n color: str\n\n def log(self, msg: str) -> None:\n print(f\"{self.component_class.name}: {msg}\")\n\n\nclass ColorLoggerExtension(ComponentExtension):\n name = \"color_logger\"\n\n # All `Component.ColorLogger` classes will inherit from this class.\n ExtensionClass = ColorLoggerExtensionClass\n
Extensions in django-components can define custom commands that can be executed via the Django management command interface. This allows for powerful automation and customization capabilities.
For example, if you have an extension that defines a command that prints \"Hello world\", you can run the command with:
python manage.py components ext run my_ext hello\n
Where:
python manage.py components
- is the Django entrypointext run
- is the subcommand to run extension commandsmy_ext
- is the extension namehello
- is the command name
To define a command, subclass from
ComponentCommand
. This subclass should define:name
- the command's namehelp
- the command's help texthandle
- the logic to execute when the command is run
"},{"location":"concepts/advanced/extensions/#defining-command-arguments-and-options","title":"Defining Command Arguments and Options","text":"from django_components import ComponentCommand, ComponentExtension\n\nclass HelloCommand(ComponentCommand):\n name = \"hello\"\n help = \"Say hello\"\n\n def handle(self, *args, **kwargs):\n print(\"Hello, world!\")\n\nclass MyExt(ComponentExtension):\n name = \"my_ext\"\n commands = [HelloCommand]\n
Commands can accept positional arguments and options (e.g.
--foo
), which are defined using thearguments
attribute of theComponentCommand
class.The arguments are parsed with
argparse
into a dictionary of arguments and options. These are then available as keyword arguments to thehandle
method of the command.from django_components import CommandArg, ComponentCommand, ComponentExtension\n\nclass HelloCommand(ComponentCommand):\n name = \"hello\"\n help = \"Say hello\"\n\n arguments = [\n # Positional argument\n CommandArg(\n name_or_flags=\"name\",\n help=\"The name to say hello to\",\n ),\n # Optional argument\n CommandArg(\n name_or_flags=[\"--shout\", \"-s\"],\n action=\"store_true\",\n help=\"Shout the hello\",\n ),\n ]\n\n def handle(self, name: str, *args, **kwargs):\n shout = kwargs.get(\"shout\", False)\n msg = f\"Hello, {name}!\"\n if shout:\n msg = msg.upper()\n print(msg)\n
You can run the command with arguments and options:
python manage.py components ext run my_ext hello John --shout\n>>> HELLO, JOHN!\n
Note
Command definitions are parsed with
argparse
, so you can use all the features ofargparse
to define your arguments and options.See the argparse documentation for more information.
django-components defines types as
CommandArg
,CommandArgGroup
,CommandSubcommand
, andCommandParserInput
to help with type checking.Note
If a command doesn't have the
"},{"location":"concepts/advanced/extensions/#grouping-arguments","title":"Grouping Arguments","text":"handle
method defined, the command will print a help message and exit.Arguments can be grouped using
CommandArgGroup
to provide better organization and help messages.Read more on argparse argument groups.
"},{"location":"concepts/advanced/extensions/#subcommands","title":"Subcommands","text":"from django_components import CommandArg, CommandArgGroup, ComponentCommand, ComponentExtension\n\nclass HelloCommand(ComponentCommand):\n name = \"hello\"\n help = \"Say hello\"\n\n # Argument parsing is managed by `argparse`.\n arguments = [\n # Positional argument\n CommandArg(\n name_or_flags=\"name\",\n help=\"The name to say hello to\",\n ),\n # Optional argument\n CommandArg(\n name_or_flags=[\"--shout\", \"-s\"],\n action=\"store_true\",\n help=\"Shout the hello\",\n ),\n # When printing the command help message, `--bar` and `--baz`\n # will be grouped under \"group bar\".\n CommandArgGroup(\n title=\"group bar\",\n description=\"Group description.\",\n arguments=[\n CommandArg(\n name_or_flags=\"--bar\",\n help=\"Bar description.\",\n ),\n CommandArg(\n name_or_flags=\"--baz\",\n help=\"Baz description.\",\n ),\n ],\n ),\n ]\n\n def handle(self, name: str, *args, **kwargs):\n shout = kwargs.get(\"shout\", False)\n msg = f\"Hello, {name}!\"\n if shout:\n msg = msg.upper()\n print(msg)\n
Extensions can define subcommands, allowing for more complex command structures.
Subcommands are defined similarly to root commands, as subclasses of
ComponentCommand
class.However, instead of defining the subcommands in the
commands
attribute of the extension, you define them in thesubcommands
attribute of the parent command:from django_components import CommandArg, CommandArgGroup, ComponentCommand, ComponentExtension\n\nclass ChildCommand(ComponentCommand):\n name = \"child\"\n help = \"Child command\"\n\n def handle(self, *args, **kwargs):\n print(\"Child command\")\n\nclass ParentCommand(ComponentCommand):\n name = \"parent\"\n help = \"Parent command\"\n subcommands = [\n ChildCommand,\n ]\n\n def handle(self, *args, **kwargs):\n print(\"Parent command\")\n
In this example, we can run two commands.
Either the parent command:
python manage.py components ext run parent\n>>> Parent command\n
Or the child command:
python manage.py components ext run parent child\n>>> Child command\n
Warning
Subcommands are independent of the parent command. When a subcommand runs, the parent command is NOT executed.
As such, if you want to pass arguments to both the parent and child commands, e.g.:
python manage.py components ext run parent --foo child --bar\n
You should instead pass all the arguments to the subcommand:
"},{"location":"concepts/advanced/extensions/#print-command-help","title":"Print command help","text":"python manage.py components ext run parent child --foo --bar\n
By default, all commands will print their help message when run with the
--help
/-h
flag.python manage.py components ext run my_ext --help\n
The help message prints out all the arguments and options available for the command, as well as any subcommands.
"},{"location":"concepts/advanced/extensions/#testing-commands","title":"Testing Commands","text":"Commands can be tested using Django's
call_command()
function, which allows you to simulate running the command in tests.from django.core.management import call_command\n\ncall_command('components', 'ext', 'run', 'my_ext', 'hello', '--name', 'John')\n
To capture the output of the command, you can use the
StringIO
module to redirect the output to a string:from io import StringIO\n\nout = StringIO()\nwith patch(\"sys.stdout\", new=out):\n call_command('components', 'ext', 'run', 'my_ext', 'hello', '--name', 'John')\noutput = out.getvalue()\n
And to temporarily set the extensions, you can use the
@djc_test
decorator.Thus, a full test example can then look like this:
"},{"location":"concepts/advanced/extensions/#extension-urls","title":"Extension URLs","text":"from io import StringIO\nfrom unittest.mock import patch\n\nfrom django.core.management import call_command\nfrom django_components.testing import djc_test\n\n@djc_test(\n components_settings={\n \"extensions\": [\n \"my_app.extensions.MyExtension\",\n ],\n },\n)\ndef test_hello_command(self):\n out = StringIO()\n with patch(\"sys.stdout\", new=out):\n call_command('components', 'ext', 'run', 'my_ext', 'hello', '--name', 'John')\n output = out.getvalue()\n assert output == \"Hello, John!\\n\"\n
Extensions can define custom views and endpoints that can be accessed through the Django application.
To define URLs for an extension, set them in the
urls
attribute of yourComponentExtension
class. Each URL is defined using theURLRoute
class, which specifies the path, handler, and optional name for the route.Here's an example of how to define URLs within an extension:
from django_components.extension import ComponentExtension, URLRoute\nfrom django.http import HttpResponse\n\ndef my_view(request):\n return HttpResponse(\"Hello from my extension!\")\n\nclass MyExtension(ComponentExtension):\n name = \"my_extension\"\n\n urls = [\n URLRoute(path=\"my-view/\", handler=my_view, name=\"my_view\"),\n URLRoute(path=\"another-view/<int:id>/\", handler=my_view, name=\"another_view\"),\n ]\n
Warning
The
URLRoute
objects are different from objects created with Django'sdjango.urls.path()
. Do NOT useURLRoute
objects in Django'surlpatterns
and vice versa!django-components uses a custom
URLRoute
class to define framework-agnostic routing rules.As of v0.131,
"},{"location":"concepts/advanced/extensions/#accessing-extension-urls","title":"Accessing Extension URLs","text":"URLRoute
objects are directly converted to Django'sURLPattern
andURLResolver
objects.The URLs defined in an extension are available under the path
/components/ext/<extension_name>/\n
For example, if you have defined a URL with the path
my-view/<str:name>/
in an extension namedmy_extension
, it can be accessed at:
"},{"location":"concepts/advanced/extensions/#nested-urls","title":"Nested URLs","text":"/components/ext/my_extension/my-view/john/\n
Extensions can also define nested URLs to allow for more complex routing structures.
To define nested URLs, set the
children
attribute of theURLRoute
object to a list of childURLRoute
objects:class MyExtension(ComponentExtension):\n name = \"my_extension\"\n\n urls = [\n URLRoute(\n path=\"parent/\",\n name=\"parent_view\",\n children=[\n URLRoute(path=\"child/<str:name>/\", handler=my_view, name=\"child_view\"),\n ],\n ),\n ]\n
In this example, the URL
/components/ext/my_extension/parent/child/john/\n
would call the
"},{"location":"concepts/advanced/extensions/#passing-kwargs-and-other-extra-fields-to-url-routes","title":"Passing kwargs and other extra fields to URL routes","text":"my_view
handler with the parametername
set to\"John\"
.The
URLRoute
class is framework-agnostic, so that extensions could be used with non-Django frameworks in the future.However, that means that there may be some extra fields that Django's
django.urls.path()
accepts, but which are not defined on theURLRoute
object.To address this, the
URLRoute
object has anextra
attribute, which is a dictionary that can be used to pass any extra kwargs todjango.urls.path()
:URLRoute(\n path=\"my-view/<str:name>/\",\n handler=my_view,\n name=\"my_view\",\n extra={\"kwargs\": {\"foo\": \"bar\"} },\n)\n
Is the same as:
django.urls.path(\n \"my-view/<str:name>/\",\n view=my_view,\n name=\"my_view\",\n kwargs={\"foo\": \"bar\"},\n)\n
because
URLRoute
is converted to Django's route like so:
"},{"location":"concepts/advanced/hooks/","title":"Lifecycle hooks","text":"django.urls.path(\n route.path,\n view=route.handler,\n name=route.name,\n **route.extra,\n)\n
New in version 0.96
Component hooks are functions that allow you to intercept the rendering process at specific positions.
"},{"location":"concepts/advanced/hooks/#available-hooks","title":"Available hooks","text":"on_render_before
def on_render_before(\n self: Component,\n context: Context,\n template: Template\n) -> None:\n
Hook that runs just before the component's template is rendered.
You can use this hook to access or modify the context or the template:
def on_render_before(self, context, template) -> None:\n # Insert value into the Context\n context[\"from_on_before\"] = \":)\"\n\n # Append text into the Template\n template.nodelist.append(TextNode(\"FROM_ON_BEFORE\"))\n
on_render_after
def on_render_after(\n self: Component,\n context: Context,\n template: Template,\n content: str\n) -> None | str | SafeString:\n
Hook that runs just after the component's template was rendered. It receives the rendered output as the last argument.
You can use this hook to access the context or the template, but modifying them won't have any effect.
To override the content that gets rendered, you can return a string or SafeString from this hook:
"},{"location":"concepts/advanced/hooks/#component-hooks-example","title":"Component hooks example","text":"def on_render_after(self, context, template, content):\n # Prepend text to the rendered content\n return \"Chocolate cookie recipe: \" + content\n
You can use hooks together with provide / inject to create components that accept a list of items via a slot.
In the example below, each
tab_item
component will be rendered on a separate tab page, but they are all defined in the default slot of thetabs
component.See here for how it was done
"},{"location":"concepts/advanced/html_fragments/","title":"HTML fragments","text":"{% component \"tabs\" %}\n {% component \"tab_item\" header=\"Tab 1\" %}\n <p>\n hello from tab 1\n </p>\n {% component \"button\" %}\n Click me!\n {% endcomponent %}\n {% endcomponent %}\n\n {% component \"tab_item\" header=\"Tab 2\" %}\n Hello this is tab 2\n {% endcomponent %}\n{% endcomponent %}\n
Django-components provides a seamless integration with HTML fragments with AJAX (HTML over the wire), whether you're using jQuery, HTMX, AlpineJS, vanilla JavaScript, or other.
If the fragment component has any JS or CSS, django-components will:
- Automatically load the associated JS and CSS
- Ensure that JS is loaded and executed only once even if the fragment is inserted multiple times
Info
What are HTML fragments and \"HTML over the wire\"?
It is one of the methods for updating the state in the browser UI upon user interaction.
How it works is that:
- User makes an action - clicks a button or submits a form
- The action causes a request to be made from the client to the server.
- Server processes the request (e.g. form submission), and responds with HTML of some part of the UI (e.g. a new entry in a table).
- A library like HTMX, AlpineJS, or custom function inserts the new HTML into the correct place.
Components support different \"strategies\" for rendering JS and CSS.
Two of them are used to enable HTML fragments - \"document\" and \"fragment\".
What's the difference?
"},{"location":"concepts/advanced/html_fragments/#document-strategy","title":"Document strategy","text":"Document strategy assumes that the rendered components will be embedded into the HTML of the initial page load. This means that:
- The JS and CSS is embedded into the HTML as
<script>
and<style>
tags (see Default JS / CSS locations) - Django-components injects a JS script for managing JS and CSS assets
A component is rendered as a \"document\" when:
- It is embedded inside a template as
{% component %}
- It is rendered with
Component.render()
orComponent.render_to_response()
with thedeps_strategy
kwarg set to\"document\"
(default)
Example:
"},{"location":"concepts/advanced/html_fragments/#fragment-strategy","title":"Fragment strategy","text":"MyTable.render(\n kwargs={...},\n)\n\n# or\n\nMyTable.render(\n kwargs={...},\n deps_strategy=\"document\",\n)\n
Fragment strategy assumes that the main HTML has already been rendered and loaded on the page. The component renders HTML that will be inserted into the page as a fragment, at a LATER time:
- JS and CSS is not directly embedded to avoid duplicately executing the same JS scripts. So template tags like
{% component_js_dependencies %}
inside of fragments are ignored. - Instead, django-components appends the fragment's content with a JSON
<script>
to trigger a call to its asset manager JS script, which will load the JS and CSS smartly. - The asset manager JS script is assumed to be already loaded on the page.
A component is rendered as \"fragment\" when:
- It is rendered with
Component.render()
orComponent.render_to_response()
with thedeps_strategy
kwarg set to\"fragment\"
Example:
"},{"location":"concepts/advanced/html_fragments/#live-examples","title":"Live examples","text":"MyTable.render(\n kwargs={...},\n deps_strategy=\"fragment\",\n)\n
For live interactive examples, start our demo project (
sampleproject
).Then navigate to these URLs:
/fragment/base/alpine
/fragment/base/htmx
/fragment/base/js
This is the HTML into which a fragment will be loaded using HTMX.
[root]/components/demo.py
"},{"location":"concepts/advanced/html_fragments/#2-define-fragment-html","title":"2. Define fragment HTML","text":"from django_components import Component, types\n\nclass MyPage(Component):\n template = \"\"\"\n {% load component_tags %}\n <!DOCTYPE html>\n <html>\n <head>\n {% component_css_dependencies %}\n <script src=\"https://unpkg.com/htmx.org@1.9.12\"></script>\n </head>\n <body>\n <div id=\"target\">OLD</div>\n\n <button\n hx-get=\"/mypage/frag\"\n hx-swap=\"outerHTML\"\n hx-target=\"#target\"\n >\n Click me!\n </button>\n\n {% component_js_dependencies %}\n </body>\n </html>\n \"\"\"\n\n class View:\n def get(self, request):\n return self.component.render_to_response(request=request)\n
The fragment to be inserted into the document.
IMPORTANT: Don't forget to set
[root]/components/demo.pydeps_strategy=\"fragment\"
"},{"location":"concepts/advanced/html_fragments/#3-create-view-and-urls","title":"3. Create view and URLs","text":"[app]/urls.pyclass Frag(Component):\n template = \"\"\"\n <div class=\"frag\">\n 123\n <span id=\"frag-text\"></span>\n </div>\n \"\"\"\n\n js = \"\"\"\n document.querySelector('#frag-text').textContent = 'xxx';\n \"\"\"\n\n css = \"\"\"\n .frag {\n background: blue;\n }\n \"\"\"\n\n class View:\n def get(self, request):\n return self.component.render_to_response(\n request=request,\n # IMPORTANT: Don't forget `deps_strategy=\"fragment\"`\n deps_strategy=\"fragment\",\n )\n
"},{"location":"concepts/advanced/html_fragments/#example-alpinejs","title":"Example - AlpineJS","text":""},{"location":"concepts/advanced/html_fragments/#1-define-document-html_1","title":"1. Define document HTML","text":"from django.urls import path\n\nfrom components.demo import MyPage, Frag\n\nurlpatterns = [\n path(\"mypage/\", MyPage.as_view())\n path(\"mypage/frag\", Frag.as_view()),\n]\n
This is the HTML into which a fragment will be loaded using AlpineJS.
[root]/components/demo.py
"},{"location":"concepts/advanced/html_fragments/#2-define-fragment-html_1","title":"2. Define fragment HTML","text":"from django_components import Component, types\n\nclass MyPage(Component):\n template = \"\"\"\n {% load component_tags %}\n <!DOCTYPE html>\n <html>\n <head>\n {% component_css_dependencies %}\n <script defer src=\"https://unpkg.com/alpinejs\"></script>\n </head>\n <body x-data=\"{\n htmlVar: 'OLD',\n loadFragment: function () {\n const url = '/mypage/frag';\n fetch(url)\n .then(response => response.text())\n .then(html => {\n this.htmlVar = html;\n });\n }\n }\">\n <div id=\"target\" x-html=\"htmlVar\">OLD</div>\n\n <button @click=\"loadFragment\">\n Click me!\n </button>\n\n {% component_js_dependencies %}\n </body>\n </html>\n \"\"\"\n\n class View:\n def get(self, request):\n return self.component.render_to_response(request=request)\n
The fragment to be inserted into the document.
IMPORTANT: Don't forget to set
[root]/components/demo.pydeps_strategy=\"fragment\"
"},{"location":"concepts/advanced/html_fragments/#3-create-view-and-urls_1","title":"3. Create view and URLs","text":"[app]/urls.pyclass Frag(Component):\n # NOTE: We wrap the actual fragment in a template tag with x-if=\"false\" to prevent it\n # from being rendered until we have registered the component with AlpineJS.\n template = \"\"\"\n <template x-if=\"false\" data-name=\"frag\">\n <div class=\"frag\">\n 123\n <span x-data=\"frag\" x-text=\"fragVal\">\n </span>\n </div>\n </template>\n \"\"\"\n\n js = \"\"\"\n Alpine.data('frag', () => ({\n fragVal: 'xxx',\n }));\n\n // Now that the component has been defined in AlpineJS, we can \"activate\"\n // all instances where we use the `x-data=\"frag\"` directive.\n document.querySelectorAll('[data-name=\"frag\"]').forEach((el) => {\n el.setAttribute('x-if', 'true');\n });\n \"\"\"\n\n css = \"\"\"\n .frag {\n background: blue;\n }\n \"\"\"\n\n class View:\n def get(self, request):\n return self.component.render_to_response(\n request=request,\n # IMPORTANT: Don't forget `deps_strategy=\"fragment\"`\n deps_strategy=\"fragment\",\n )\n
"},{"location":"concepts/advanced/html_fragments/#example-vanilla-js","title":"Example - Vanilla JS","text":""},{"location":"concepts/advanced/html_fragments/#1-define-document-html_2","title":"1. Define document HTML","text":"from django.urls import path\n\nfrom components.demo import MyPage, Frag\n\nurlpatterns = [\n path(\"mypage/\", MyPage.as_view())\n path(\"mypage/frag\", Frag.as_view()),\n]\n
This is the HTML into which a fragment will be loaded using vanilla JS.
[root]/components/demo.py
"},{"location":"concepts/advanced/html_fragments/#2-define-fragment-html_2","title":"2. Define fragment HTML","text":"from django_components import Component, types\n\nclass MyPage(Component):\n template = \"\"\"\n {% load component_tags %}\n <!DOCTYPE html>\n <html>\n <head>\n {% component_css_dependencies %}\n </head>\n <body>\n <div id=\"target\">OLD</div>\n\n <button>\n Click me!\n </button>\n <script>\n const url = `/mypage/frag`;\n document.querySelector('#loader').addEventListener('click', function () {\n fetch(url)\n .then(response => response.text())\n .then(html => {\n document.querySelector('#target').outerHTML = html;\n });\n });\n </script>\n\n {% component_js_dependencies %}\n </body>\n </html>\n \"\"\"\n\n class View:\n def get(self, request):\n return self.component.render_to_response(request=request)\n
The fragment to be inserted into the document.
IMPORTANT: Don't forget to set
[root]/components/demo.pydeps_strategy=\"fragment\"
"},{"location":"concepts/advanced/html_fragments/#3-create-view-and-urls_2","title":"3. Create view and URLs","text":"[app]/urls.pyclass Frag(Component):\n template = \"\"\"\n <div class=\"frag\">\n 123\n <span id=\"frag-text\"></span>\n </div>\n \"\"\"\n\n js = \"\"\"\n document.querySelector('#frag-text').textContent = 'xxx';\n \"\"\"\n\n css = \"\"\"\n .frag {\n background: blue;\n }\n \"\"\"\n\n class View:\n def get(self, request):\n return self.component.render_to_response(\n request=request,\n # IMPORTANT: Don't forget `deps_strategy=\"fragment\"`\n deps_strategy=\"fragment\",\n )\n
"},{"location":"concepts/advanced/provide_inject/","title":"Prop drilling and provide / inject","text":"from django.urls import path\n\nfrom components.demo import MyPage, Frag\n\nurlpatterns = [\n path(\"mypage/\", MyPage.as_view())\n path(\"mypage/frag\", Frag.as_view()),\n]\n
New in version 0.80:
django-components
supports the provide / inject pattern, similarly to React's Context Providers or Vue's provide / inject.This is achieved with the combination of:
{% provide %}
tagComponent.inject()
method
Prop drilling refers to a scenario in UI development where you need to pass data through many layers of a component tree to reach the nested components that actually need the data.
Normally, you'd use props to send data from a parent component to its children. However, this straightforward method becomes cumbersome and inefficient if the data has to travel through many levels or if several components scattered at different depths all need the same piece of information.
This results in a situation where the intermediate components, which don't need the data for their own functioning, end up having to manage and pass along these props. This clutters the component tree and makes the code verbose and harder to manage.
A neat solution to avoid prop drilling is using the \"provide and inject\" technique.
With provide / inject, a parent component acts like a data hub for all its descendants. This setup allows any component, no matter how deeply nested it is, to access the required data directly from this centralized provider without having to messily pass props down the chain. This approach significantly cleans up the code and makes it easier to maintain.
This feature is inspired by Vue's Provide / Inject and React's Context / useContext.
As the name suggest, using provide / inject consists of 2 steps
- Providing data
- Injecting provided data
For examples of advanced uses of provide / inject, see this discussion.
"},{"location":"concepts/advanced/provide_inject/#providing-data","title":"Providing data","text":"First we use the
{% provide %}
tag to define the data we want to \"provide\" (make available).{% provide \"my_data\" hello=\"hi\" another=123 %}\n {% component \"child\" / %} <--- Can access \"my_data\"\n{% endprovide %}\n\n{% component \"child\" / %} <--- Cannot access \"my_data\"\n
The first argument to the
{% provide %}
tag is the key by which we can later access the data passed to this tag. The key in this case is\"my_data\"
.The key must resolve to a valid identifier (AKA a valid Python variable name).
Next you define the data you want to \"provide\" by passing them as keyword arguments. This is similar to how you pass data to the
{% with %}
tag or the{% slot %}
tag.Note
Kwargs passed to
{% provide %}
are NOT added to the context. In the example below, the{{ hello }}
won't render anything:{% provide \"my_data\" hello=\"hi\" another=123 %}\n {{ hello }}\n{% endprovide %}\n
Similarly to slots and fills, also provide's name argument can be set dynamically via a variable, a template expression, or a spread operator:
"},{"location":"concepts/advanced/provide_inject/#injecting-data","title":"Injecting data","text":"{% with my_name=\"my_name\" %}\n {% provide name=my_name ... %}\n ...\n {% endprovide %}\n{% endwith %}\n
To \"inject\" (access) the data defined on the
{% provide %}
tag, you can use theComponent.inject()
method from within any other component methods.For a component to be able to \"inject\" some data, the component (
{% component %}
tag) must be nested inside the{% provide %}
tag.In the example from previous section, we've defined two kwargs:
hello=\"hi\" another=123
. That means that if we now inject\"my_data\"
, we get an object with 2 attributes -hello
andanother
.class ChildComponent(Component):\n def get_template_data(self, args, kwargs, slots, context):\n my_data = self.inject(\"my_data\")\n print(my_data.hello) # hi\n print(my_data.another) # 123\n return {}\n
First argument to
Component.inject()
is the key (or name) of the provided data. This must match the string that you used in the{% provide %}
tag.If no provider with given key is found,
inject()
raises aKeyError
.To avoid the error, you can pass a second argument to
inject()
. This will act as a default value similar todict.get(key, default)
:class ChildComponent(Component):\n def get_template_data(self, args, kwargs, slots, context):\n my_data = self.inject(\"invalid_key\", DEFAULT_DATA)\n assert my_data == DEFAULT_DATA\n return {}\n
Note
The instance returned from
inject()
is immutable (subclass ofNamedTuple
). This ensures that the data returned frominject()
will always have all the keys that were passed to the{% provide %}
tag.Warning
"},{"location":"concepts/advanced/provide_inject/#full-example","title":"Full example","text":"inject()
works strictly only during render execution. If you try to callinject()
from outside, it will raise an error.@register(\"child\")\nclass ChildComponent(Component):\n template = \"\"\"\n <div> {{ my_data.hello }} </div>\n <div> {{ my_data.another }} </div>\n \"\"\"\n\n def get_template_data(self, args, kwargs, slots, context):\n my_data = self.inject(\"my_data\", \"default\")\n return {\"my_data\": my_data}\n\ntemplate_str = \"\"\"\n {% load component_tags %}\n {% provide \"my_data\" hello=\"hi\" another=123 %}\n {% component \"child\" / %}\n {% endprovide %}\n\"\"\"\n
renders:
"},{"location":"concepts/advanced/rendering_js_css/","title":"Rendering JS / CSS","text":""},{"location":"concepts/advanced/rendering_js_css/#introduction","title":"Introduction","text":"<div>hi</div>\n<div>123</div>\n
Components consist of 3 parts - HTML, JS and CSS.
Handling of HTML is straightforward - it is rendered as is, and inserted where the
{% component %}
tag is.However, handling of JS and CSS is more complex:
- JS and CSS is are inserted elsewhere in the HTML. As a best practice, JS is placed in the
<body>
HTML tag, and CSS in the<head>
. - Multiple components may use the same JS and CSS files. We don't want to load the same files multiple times.
- Fetching of JS and CSS may block the page, so the JS / CSS should be embedded in the HTML.
- Components inserted as HTML fragments need different handling for JS and CSS.
If your components use JS and CSS then, by default, the JS and CSS will be automatically inserted into the HTML:
- CSS styles will be inserted at the end of the
<head>
- JS scripts will be inserted at the end of the
<body>
If you want to place the dependencies elsewhere in the HTML, you can override the locations by inserting following Django template tags:
{% component_js_dependencies %}
- Set new location(s) for JS scripts{% component_css_dependencies %}
- Set new location(s) for CSS styles
So if you have a component with JS and CSS:
from django_components import Component, types\n\nclass MyButton(Component):\n template: types.django_html = \"\"\"\n <button class=\"my-button\">\n Click me!\n </button>\n \"\"\"\n\n js: types.js = \"\"\"\n for (const btnEl of document.querySelectorAll(\".my-button\")) {\n btnEl.addEventListener(\"click\", () => {\n console.log(\"BUTTON CLICKED!\");\n });\n }\n \"\"\"\n\n css: types.css \"\"\"\n .my-button {\n background: green;\n }\n \"\"\"\n\n class Media:\n js = [\"/extra/script.js\"]\n css = [\"/extra/style.css\"]\n
Then:
-
JS from
MyButton.js
andMyButton.Media.js
will be rendered at the default place (<body>
), or in{% component_js_dependencies %}
. -
CSS from
MyButton.css
andMyButton.Media.css
will be rendered at the default place (<head>
), or in{% component_css_dependencies %}
.
And if you don't specify
{% component_dependencies %}
tags, it is the equivalent of:<!doctype html>\n<html>\n <head>\n <title>MyPage</title>\n ...\n {% component_css_dependencies %}\n </head>\n <body>\n <main>\n ...\n </main>\n {% component_js_dependencies %}\n </body>\n</html>\n
Warning
If the rendered HTML does NOT contain neither
{% component_dependencies %}
template tags, nor<head>
and<body>
HTML tags, then the JS and CSS will NOT be inserted!To force the JS and CSS to be inserted, use the
"},{"location":"concepts/advanced/rendering_js_css/#dependencies-strategies","title":"Dependencies strategies","text":"\"append\"
or\"prepend\"
strategies.The rendered HTML may be used in different contexts (browser, email, etc). If your components use JS and CSS scripts, you may need to handle them differently.
The different ways for handling JS / CSS are called \"dependencies strategies\".
render()
andrender_to_response()
accept adeps_strategy
parameter, which controls where and how the JS / CSS are inserted into the HTML.main_page = MainPage.render(deps_strategy=\"document\")\nfragment = MyComponent.render_to_response(deps_strategy=\"fragment\")\n
The
deps_strategy
parameter is set at the root of a component render tree, which is why it is not available for the{% component %}
tag.When you use Django's
django.shortcuts.render()
orTemplate.render()
to render templates, you can't directly set thedeps_strategy
parameter.In this case, you can set the
deps_strategy
with theDJC_DEPS_STRATEGY
context variable.from django.template.context import Context\nfrom django.shortcuts import render\n\nctx = Context({\"DJC_DEPS_STRATEGY\": \"fragment\"})\nfragment = render(request, \"my_component.html\", ctx=ctx)\n
Info
The
deps_strategy
parameter is ultimately passed torender_dependencies()
.Why is
deps_strategy
required?This is a technical limitation of the current implementation.
When a component is rendered, django-components embeds metadata about the component's JS and CSS into the HTML.
This way we can compose components together, and know which JS / CSS dependencies are needed.
As the last step of rendering, django-components extracts this metadata and uses a selected strategy to insert the JS / CSS into the HTML.
There are six dependencies strategies:
document
(default)- Smartly inserts JS / CSS into placeholders or into
<head>
and<body>
tags. - Inserts extra script to allow
fragment
strategy to work. - Assumes the HTML will be rendered in a JS-enabled browser.
- Smartly inserts JS / CSS into placeholders or into
fragment
- A lightweight HTML fragment to be inserted into a document with AJAX.
- No JS / CSS included.
simple
- Smartly insert JS / CSS into placeholders or into
<head>
and<body>
tags. - No extra script loaded.
- Smartly insert JS / CSS into placeholders or into
prepend
- Insert JS / CSS before the rendered HTML.
- No extra script loaded.
append
- Insert JS / CSS after the rendered HTML.
- No extra script loaded.
ignore
- HTML is left as-is. You can still process it with a different strategy later with
render_dependencies()
. - Used for inserting rendered HTML into other components.
- HTML is left as-is. You can still process it with a different strategy later with
document
","text":"deps_strategy=\"document\"
is the default. Use this if you are rendering a whole page, or if no other option suits better.html = Button.render(deps_strategy=\"document\")\n
When you render a component tree with the
\"document\"
strategy, it is expected that:- The HTML will be rendered at page load.
- The HTML will be inserted into a page / browser where JS can be executed.
Location:
JS and CSS is inserted:
- Preferentially into JS / CSS placeholders like
{% component_js_dependencies %}
- Otherwise, JS into
<body>
element, and CSS into<head>
element - If neither found, JS / CSS are NOT inserted
Included scripts:
For the
\"document\"
strategy, the JS and CSS is set up to avoid any delays when the end user loads the page in the browser:-
Components' primary JS and CSS scripts (
Component.js
andComponent.css
) - fully inlined:<script>\n console.log(\"Hello from Button!\");\n</script>\n<style>\n .button {\n background-color: blue;\n }\n</style>\n
-
Components' secondary JS and CSS scripts (
Component.Media
) - inserted as links:<link rel=\"stylesheet\" href=\"https://example.com/styles.css\" />\n<script src=\"https://example.com/script.js\"></script>\n
-
A JS script is injected to manage component dependencies, enabling lazy loading of JS and CSS for HTML fragments.
Info
This strategy is required for fragments to work properly, as it sets up the dependency manager that fragments rely on.
How the dependency manager works
The dependency manager is a JS script that keeps track of all the JS and CSS dependencies that have already been loaded.
When a fragment is inserted into the page, it will also insert a JSON
<script>
tag with fragment metadata.The dependency manager will pick up on that, and check which scripts the fragment needs.
It will then fetch only the scripts that haven't been loaded yet.
"},{"location":"concepts/advanced/rendering_js_css/#fragment","title":"fragment
","text":"deps_strategy=\"fragment\"
is used when rendering a piece of HTML that will be inserted into a page that has already been rendered with the\"document\"
strategy:fragment = MyComponent.render(deps_strategy=\"fragment\")\n
The HTML of fragments is very lightweight because it doesn't include the JS and CSS scripts of the rendered components.
With fragments, even if a component has JS and CSS, you can insert the same component into a page hundreds of times, and the JS and CSS will only ever be loaded once.
This is intended for dynamic content that's loaded with AJAX after the initial page load, such as with jQuery, HTMX, AlpineJS or similar libraries.
Location:
None. The fragment's JS and CSS files will be loaded dynamically into the page.
Included scripts:
- A special JSON
<script>
tag that tells the dependency manager what JS and CSS to load.
simple
","text":"deps_strategy=\"simple\"
is used either for non-browser use cases, or when you don't want to use the dependency manager.Practically, this is the same as the
\"document\"
strategy, except that the dependency manager is not used.html = MyComponent.render(deps_strategy=\"simple\")\n
Location:
JS and CSS is inserted:
- Preferentially into JS / CSS placeholders like
{% component_js_dependencies %}
- Otherwise, JS into
<body>
element, and CSS into<head>
element - If neither found, JS / CSS are NOT inserted
Included scripts:
-
Components' primary JS and CSS scripts (
Component.js
andComponent.css
) - fully inlined:<script>\n console.log(\"Hello from Button!\");\n</script>\n<style>\n .button {\n background-color: blue;\n }\n</style>\n
-
Components' secondary JS and CSS scripts (
Component.Media
) - inserted as links:<link rel=\"stylesheet\" href=\"https://example.com/styles.css\" />\n<script src=\"https://example.com/script.js\"></script>\n
-
No extra scripts are inserted.
prepend
","text":"This is the same as
\"simple\"
, but placeholders like{% component_js_dependencies %}
and HTML tags<head>
and<body>
are all ignored. The JS and CSS are always inserted before the rendered content.html = MyComponent.render(deps_strategy=\"prepend\")\n
Location:
JS and CSS is always inserted before the rendered content.
Included scripts:
Same as for the
"},{"location":"concepts/advanced/rendering_js_css/#append","title":"\"simple\"
strategy.append
","text":"This is the same as
\"simple\"
, but placeholders like{% component_js_dependencies %}
and HTML tags<head>
and<body>
are all ignored. The JS and CSS are always inserted after the rendered content.html = MyComponent.render(deps_strategy=\"append\")\n
Location:
JS and CSS is always inserted after the rendered content.
Included scripts:
Same as for the
"},{"location":"concepts/advanced/rendering_js_css/#ignore","title":"\"simple\"
strategy.ignore
","text":"deps_strategy=\"ignore\"
is used when you do NOT want to process JS and CSS of the rendered HTML.html = MyComponent.render(deps_strategy=\"ignore\")\n
The rendered HTML is left as-is. You can still process it with a different strategy later with
render_dependencies()
.This is useful when you want to insert rendered HTML into another component.
"},{"location":"concepts/advanced/rendering_js_css/#manually-rendering-js-css","title":"Manually rendering JS / CSS","text":"html = MyComponent.render(deps_strategy=\"ignore\")\nhtml = AnotherComponent.render(slots={\"content\": html})\n
When rendering templates or components, django-components covers all the traditional ways how components or templates can be rendered:
Component.render()
Component.render_to_response()
Template.render()
django.shortcuts.render()
This way you don't need to manually handle rendering of JS / CSS.
However, for advanced or low-level use cases, you may need to control when to render JS / CSS.
In such case you can directly pass rendered HTML to
render_dependencies()
.This function will extract all used components in the HTML string, and insert the components' JS and CSS based on given strategy.
Info
The truth is that all the methods listed above call
render_dependencies()
internally.Example:
To see how
render_dependencies()
works, let's render a template with a component.We will render it twice:
- First time, we let
template.render()
handle the rendering. -
Second time, we prevent
template.render()
from inserting the component's JS and CSS withdeps_strategy=\"ignore\"
.Instead, we pass the \"unprocessed\" HTML to
render_dependencies()
ourselves to insert the component's JS and CSS.
from django.template.base import Template\nfrom django.template.context import Context\nfrom django_components import render_dependencies\n\ntemplate = Template(\"\"\"\n {% load component_tags %}\n <!doctype html>\n <html>\n <head>\n <title>MyPage</title>\n </head>\n <body>\n <main>\n {% component \"my_button\" %}\n Click me!\n {% endcomponent %}\n </main>\n </body>\n </html>\n\"\"\")\n\nrendered = template.render(Context({}))\n\nrendered2_raw = template.render(Context({\"DJC_DEPS_STRATEGY\": \"ignore\"}))\nrendered2 = render_dependencies(rendered2_raw)\n\nassert rendered == rendered2\n
Same applies to other strategies and other methods of rendering:
"},{"location":"concepts/advanced/rendering_js_css/#html-fragments","title":"HTML fragments","text":"raw_html = MyComponent.render(deps_strategy=\"ignore\")\nhtml = render_dependencies(raw_html, deps_strategy=\"document\")\n\nhtml2 = MyComponent.render(deps_strategy=\"document\")\n\nassert html == html2\n
Django-components provides a seamless integration with HTML fragments with AJAX (HTML over the wire), whether you're using jQuery, HTMX, AlpineJS, vanilla JavaScript, or other.
This is achieved by the combination of the
\"document\"
and\"fragment\"
strategies.Read more about HTML fragments.
"},{"location":"concepts/advanced/tag_formatters/","title":"Tag formatters","text":""},{"location":"concepts/advanced/tag_formatters/#customizing-component-tags-with-tagformatter","title":"Customizing component tags with TagFormatter","text":"New in version 0.89
By default, components are rendered using the pair of
{% component %}
/{% endcomponent %}
template tags:{% component \"button\" href=\"...\" disabled %}\nClick me!\n{% endcomponent %}\n\n{# or #}\n\n{% component \"button\" href=\"...\" disabled / %}\n
You can change this behaviour in the settings under the
COMPONENTS.tag_formatter
.For example, if you set the tag formatter to
django_components.component_shorthand_formatter
then the components' names will be used as the template tags:
"},{"location":"concepts/advanced/tag_formatters/#available-tagformatters","title":"Available TagFormatters","text":"{% button href=\"...\" disabled %}\n Click me!\n{% endbutton %}\n\n{# or #}\n\n{% button href=\"...\" disabled / %}\n
django_components provides following predefined TagFormatters:
ComponentFormatter
(django_components.component_formatter
)
Default
Uses the
component
andendcomponent
tags, and the component name is gives as the first positional argument.Example as block:
{% component \"button\" href=\"...\" %}\n {% fill \"content\" %}\n ...\n {% endfill %}\n{% endcomponent %}\n
Example as inlined tag:
{% component \"button\" href=\"...\" / %}\n
ShorthandComponentFormatter
(django_components.component_shorthand_formatter
)
Uses the component name as start tag, and
end<component_name>
as an end tag.Example as block:
{% button href=\"...\" %}\n Click me!\n{% endbutton %}\n
Example as inlined tag:
"},{"location":"concepts/advanced/tag_formatters/#writing-your-own-tagformatter","title":"Writing your own TagFormatter","text":""},{"location":"concepts/advanced/tag_formatters/#background","title":"Background","text":"{% button href=\"...\" / %}\n
First, let's discuss how TagFormatters work, and how components are rendered in django_components.
When you render a component with
{% component %}
(or your own tag), the following happens:component
must be registered as a Django's template tag- Django triggers django_components's tag handler for tag
component
. - The tag handler passes the tag contents for pre-processing to
TagFormatter.parse()
.
So if you render this:
{% component \"button\" href=\"...\" disabled %}\n{% endcomponent %}\n
Then
TagFormatter.parse()
will receive a following input:[\"component\", '\"button\"', 'href=\"...\"', 'disabled']\n
TagFormatter
extracts the component name and the remaining input.
So, given the above,
TagFormatter.parse()
returns the following:TagResult(\n component_name=\"button\",\n tokens=['href=\"...\"', 'disabled']\n)\n
- The tag handler resumes, using the tokens returned from
TagFormatter
.
So, continuing the example, at this point the tag handler practically behaves as if you rendered:
{% component href=\"...\" disabled %}\n
- Tag handler looks up the component
button
, and passes the args, kwargs, and slots to it.
TagFormatter
handles following parts of the process above:-
Generates start/end tags, given a component. This is what you then call from within your template as
{% component %}
. -
When you
{% component %}
, tag formatter pre-processes the tag contents, so it can link back the custom template tag to the right component.
To do so, subclass from
TagFormatterABC
and implement following method:start_tag
end_tag
parse
For example, this is the implementation of
ShorthandComponentFormatter
class ShorthandComponentFormatter(TagFormatterABC):\n # Given a component name, generate the start template tag\n def start_tag(self, name: str) -> str:\n return name # e.g. 'button'\n\n # Given a component name, generate the start template tag\n def end_tag(self, name: str) -> str:\n return f\"end{name}\" # e.g. 'endbutton'\n\n # Given a tag, e.g.\n # `{% button href=\"...\" disabled %}`\n #\n # The parser receives:\n # `['button', 'href=\"...\"', 'disabled']`\n def parse(self, tokens: List[str]) -> TagResult:\n tokens = [*tokens]\n name = tokens.pop(0)\n return TagResult(\n name, # e.g. 'button'\n tokens # e.g. ['href=\"...\"', 'disabled']\n )\n
That's it! And once your
"},{"location":"concepts/advanced/template_tags/","title":"Custom template tags","text":"TagFormatter
is ready, don't forget to update the settings!Template tags introduced by django-components, such as
{% component %}
and{% slot %}
, offer additional features over the default Django template tags:- Self-closing tags
{% mytag / %}
- Allowing the use of
:
,-
(and more) in keys - Spread operator
...
- Using template tags as inputs to other template tags
- Flat definition of dictionaries
attr:key=val
- Function-like input validation
You too can easily create custom template tags that use the above features.
"},{"location":"concepts/advanced/template_tags/#defining-template-tags-with-template_tag","title":"Defining template tags with@template_tag
","text":"The simplest way to create a custom template tag is using the
template_tag
decorator. This decorator allows you to define a template tag by just writing a function that returns the rendered content.from django.template import Context, Library\nfrom django_components import BaseNode, template_tag\n\nlibrary = Library()\n\n@template_tag(\n library,\n tag=\"mytag\",\n end_tag=\"endmytag\",\n allowed_flags=[\"required\"]\n)\ndef mytag(node: BaseNode, context: Context, name: str, **kwargs) -> str:\n return f\"Hello, {name}!\"\n
This will allow you to use the tag in your templates like this:
"},{"location":"concepts/advanced/template_tags/#parameters","title":"Parameters","text":"{% mytag name=\"John\" %}\n{% endmytag %}\n\n{# or with self-closing syntax #}\n{% mytag name=\"John\" / %}\n\n{# or with flags #}\n{% mytag name=\"John\" required %}\n{% endmytag %}\n
The
@template_tag
decorator accepts the following parameters:library
: The Django template library to register the tag withtag
: The name of the template tag (e.g.\"mytag\"
for{% mytag %}
)end_tag
: Optional. The name of the end tag (e.g.\"endmytag\"
for{% endmytag %}
)allowed_flags
: Optional. List of flags that can be used with the tag (e.g.[\"required\"]
for{% mytag required %}
)
The function decorated with
@template_tag
must accept at least two arguments:node
: The node instance (we'll explain this in detail in the next section)context
: The Django template context
Any additional parameters in your function's signature define what inputs your template tag accepts. For example:
@template_tag(library, tag=\"greet\")\ndef greet(\n node: BaseNode,\n context: Context,\n name: str, # required positional argument\n count: int = 1, # optional positional argument\n *, # keyword-only arguments marker\n msg: str, # required keyword argument\n mode: str = \"default\", # optional keyword argument\n) -> str:\n return f\"{msg}, {name}!\" * count\n
This allows the tag to be used like:
{# All parameters #}\n{% greet \"John\" count=2 msg=\"Hello\" mode=\"custom\" %}\n\n{# Only required parameters #}\n{% greet \"John\" msg=\"Hello\" %}\n\n{# Missing required parameter - will raise error #}\n{% greet \"John\" %} {# Error: missing 'msg' #}\n
When you pass input to a template tag, it behaves the same way as if you passed the input to a function:
- If required parameters are missing, an error is raised
- If unexpected parameters are passed, an error is raised
To accept keys that are not valid Python identifiers (e.g.
data-id
), or would conflict with Python keywords (e.g.is
), you can use the**kwargs
syntax:@template_tag(library, tag=\"greet\")\ndef greet(\n node: BaseNode,\n context: Context,\n **kwargs,\n) -> str:\n attrs = kwargs.copy()\n is_var = attrs.pop(\"is\", None)\n attrs_str = \" \".join(f'{k}=\"{v}\"' for k, v in attrs.items())\n\n return mark_safe(f\"\"\"\n <div {attrs_str}>\n Hello, {is_var}!\n </div>\n \"\"\")\n
This allows you to use the tag like this:
"},{"location":"concepts/advanced/template_tags/#defining-template-tags-with-basenode","title":"Defining template tags with{% greet is=\"John\" data-id=\"123\" %}\n
BaseNode
","text":"For more control over your template tag, you can subclass
BaseNode
directly instead of using the decorator. This gives you access to additional features like the node's internal state and parsing details.
"},{"location":"concepts/advanced/template_tags/#node-properties","title":"Node properties","text":"from django_components import BaseNode\n\nclass GreetNode(BaseNode):\n tag = \"greet\"\n end_tag = \"endgreet\"\n allowed_flags = [\"required\"]\n\n def render(self, context: Context, name: str, **kwargs) -> str:\n # Access node properties\n if self.flags[\"required\"]:\n return f\"Required greeting: Hello, {name}!\"\n return f\"Hello, {name}!\"\n\n# Register the node\nGreetNode.register(library)\n
When using
BaseNode
, you have access to several useful properties:node_id
: A unique identifier for this node instanceflags
: Dictionary of flag values (e.g.{\"required\": True}
)params
: List of raw parameters passed to the tagnodelist
: The template nodes between the start and end tagsactive_flags
: List of flags that are currently set to True
This is what the
"},{"location":"concepts/advanced/template_tags/#rendering-content-between-tags","title":"Rendering content between tags","text":"node
parameter in the@template_tag
decorator gives you access to - it's the instance of the node class that was automatically created for your template tag.When your tag has an end tag, you can access and render the content between the tags using
nodelist
:
"},{"location":"concepts/advanced/template_tags/#unregistering-nodes","title":"Unregistering nodes","text":"class WrapNode(BaseNode):\n tag = \"wrap\"\n end_tag = \"endwrap\"\n\n def render(self, context: Context, tag: str = \"div\", **attrs) -> str:\n # Render the content between tags\n inner = self.nodelist.render(context)\n attrs_str = \" \".join(f'{k}=\"{v}\"' for k, v in attrs.items())\n return f\"<{tag} {attrs_str}>{inner}</{tag}>\"\n\n# Usage:\n{% wrap tag=\"section\" class=\"content\" %}\n Hello, world!\n{% endwrap %}\n
You can unregister a node from a library using the
unregister
method:GreetNode.unregister(library)\n
This is particularly useful in testing when you want to clean up after registering temporary tags.
"},{"location":"concepts/advanced/testing/","title":"Testing","text":"New in version 0.131
The
"},{"location":"concepts/advanced/testing/#usage","title":"Usage","text":"@djc_test
decorator is a powerful tool for testing components created withdjango-components
. It ensures that each test is properly isolated, preventing components registered in one test from affecting others.The
@djc_test
decorator can be applied to functions, methods, or classes.When applied to a class, it decorates all methods starting with
"},{"location":"concepts/advanced/testing/#applying-to-a-function","title":"Applying to a Function","text":"test_
, and all nested classes starting withTest
, recursively.To apply
djc_test
to a function, simply decorate the function as shown below:
"},{"location":"concepts/advanced/testing/#applying-to-a-class","title":"Applying to a Class","text":"import django\nfrom django_components.testing import djc_test\n\n@djc_test\ndef test_my_component():\n @register(\"my_component\")\n class MyComponent(Component):\n template = \"...\"\n ...\n
When applied to a class,
djc_test
decorates eachtest_
method, as well as all nested classes starting withTest
.import django\nfrom django_components.testing import djc_test\n\n@djc_test\nclass TestMyComponent:\n def test_something(self):\n ...\n\n class TestNested:\n def test_something_else(self):\n ...\n
This is equivalent to applying the decorator to both of the methods individually:
"},{"location":"concepts/advanced/testing/#arguments","title":"Arguments","text":"import django\nfrom django_components.testing import djc_test\n\nclass TestMyComponent:\n @djc_test\n def test_something(self):\n ...\n\n class TestNested:\n @djc_test\n def test_something_else(self):\n ...\n
See the API reference for
"},{"location":"concepts/advanced/testing/#setting-up-django","title":"Setting Up Django","text":"@djc_test
for more details.If you want to define a common Django settings that would be the baseline for all tests, you can call
django.setup()
before the@djc_test
decorator:import django\nfrom django_components.testing import djc_test\n\ndjango.setup(...)\n\n@djc_test\ndef test_my_component():\n ...\n
Info
If you omit
"},{"location":"concepts/advanced/testing/#example-parametrizing-context-behavior","title":"Example: Parametrizing Context Behavior","text":"django.setup()
in the example above,@djc_test
will call it for you, so you don't need to do it manually.You can parametrize the context behavior using
djc_test
:
"},{"location":"concepts/fundamentals/autodiscovery/","title":"Autodiscovery","text":"from django_components.testing import djc_test\n\n@djc_test(\n # Settings applied to all cases\n components_settings={\n \"app_dirs\": [\"custom_dir\"],\n },\n # Parametrized settings\n parametrize=(\n [\"components_settings\"],\n [\n [{\"context_behavior\": \"django\"}],\n [{\"context_behavior\": \"isolated\"}],\n ],\n [\"django\", \"isolated\"],\n )\n)\ndef test_context_behavior(components_settings):\n rendered = MyComponent().render()\n ...\n
django-components automatically searches for files containing components in the
"},{"location":"concepts/fundamentals/autodiscovery/#manually-register-components","title":"Manually register components","text":"COMPONENTS.dirs
andCOMPONENTS.app_dirs
directories.Every component that you want to use in the template with the
{% component %}
tag needs to be registered with theComponentRegistry
.We use the
@register
decorator for that:from django_components import Component, register\n\n@register(\"calendar\")\nclass Calendar(Component):\n ...\n
But for the component to be registered, the code needs to be executed - and for that, the file needs to be imported as a module.
This is the \"discovery\" part of the process.
One way to do that is by importing all your components in
apps.py
:from django.apps import AppConfig\n\nclass MyAppConfig(AppConfig):\n name = \"my_app\"\n\n def ready(self) -> None:\n from components.card.card import Card\n from components.list.list import List\n from components.menu.menu import Menu\n from components.button.button import Button\n ...\n
However, there's a simpler way!
"},{"location":"concepts/fundamentals/autodiscovery/#autodiscovery","title":"Autodiscovery","text":"By default, the Python files found in the
COMPONENTS.dirs
andCOMPONENTS.app_dirs
are auto-imported in order to execute the code that registers the components.Autodiscovery occurs when Django is loaded, during the
AppConfig.ready()
hook of theapps.py
file.If you are using autodiscovery, keep a few points in mind:
- Avoid defining any logic on the module-level inside the components directories, that you would not want to run anyway.
- Components inside the auto-imported files still need to be registered with
@register
- Auto-imported component files must be valid Python modules, they must use suffix
.py
, and module name should follow PEP-8. - Subdirectories and files starting with an underscore
_
(except__init__.py
) are ignored.
Autodiscovery can be disabled in the settings with
"},{"location":"concepts/fundamentals/autodiscovery/#manually-trigger-autodiscovery","title":"Manually trigger autodiscovery","text":"autodiscover=False
.Autodiscovery can be also triggered manually, using the
autodiscover()
function. This is useful if you want to run autodiscovery at a custom point of the lifecycle:from django_components import autodiscover\n\nautodiscover()\n
To get the same list of modules that
autodiscover()
would return, but without importing them, useget_component_files()
:
"},{"location":"concepts/fundamentals/component_defaults/","title":"Component defaults","text":"from django_components import get_component_files\n\nmodules = get_component_files(\".py\")\n
When a component is being rendered, the component inputs are passed to various methods like
get_template_data()
,get_js_data()
, orget_css_data()
.It can be cumbersome to specify default values for each input in each method.
To make things easier, Components can specify their defaults. Defaults are used when no value is provided, or when the value is set to
"},{"location":"concepts/fundamentals/component_defaults/#defining-defaults","title":"Defining defaults","text":"None
for a particular input.To define defaults for a component, you create a nested
Defaults
class within yourComponent
class. Each attribute in theDefaults
class represents a default value for a corresponding input.from django_components import Component, Default, register\n\n@register(\"my_table\")\nclass MyTable(Component):\n\n class Defaults:\n position = \"left\"\n selected_items = Default(lambda: [1, 2, 3])\n\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"position\": kwargs[\"position\"],\n \"selected_items\": kwargs[\"selected_items\"],\n }\n\n ...\n
In this example,
position
is a simple default value, whileselected_items
uses a factory function wrapped inDefault
to ensure a new list is created each time the default is used.Now, when we render the component, the defaults will be applied:
{% component \"my_table\" position=\"right\" / %}\n
In this case:
position
input is set toright
, so no defaults appliedselected_items
is not set, so it will be set to[1, 2, 3]
.
Same applies to rendering the Component in Python with the
render()
method:MyTable.render(\n kwargs={\n \"position\": \"right\",\n \"selected_items\": None,\n },\n)\n
Notice that we've set
selected_items
toNone
.None
values are treated as missing values, and soselected_items
will be set to[1, 2, 3]
.Warning
The defaults are aplied only to keyword arguments. They are NOT applied to positional arguments!
Warning
When typing your components with
Args
,Kwargs
, orSlots
classes, you may be inclined to define the defaults in the classes.class ProfileCard(Component):\n class Kwargs(NamedTuple):\n show_details: bool = True\n
This is NOT recommended, because:
- The defaults will NOT be applied to inputs when using
self.input
property. - The defaults will NOT be applied when a field is given but set to
None
.
Instead, define the defaults in the
"},{"location":"concepts/fundamentals/component_defaults/#default-factories","title":"Default factories","text":"Defaults
class.For objects such as lists, dictionaries or other instances, you have to be careful - if you simply set a default value, this instance will be shared across all instances of the component!
from django_components import Component\n\nclass MyTable(Component):\n class Defaults:\n # All instances will share the same list!\n selected_items = [1, 2, 3]\n
To avoid this, you can use a factory function wrapped in
Default
.from django_components import Component, Default\n\nclass MyTable(Component):\n class Defaults:\n # A new list is created for each instance\n selected_items = Default(lambda: [1, 2, 3])\n
This is similar to how the dataclass fields work.
In fact, you can also use the dataclass's
field
function to define the factories:
"},{"location":"concepts/fundamentals/component_defaults/#accessing-defaults","title":"Accessing defaults","text":"from dataclasses import field\nfrom django_components import Component\n\nclass MyTable(Component):\n class Defaults:\n selected_items = field(default_factory=lambda: [1, 2, 3])\n
Since the defaults are defined on the component class, you can access the defaults for a component with the
Component.Defaults
property.So if we have a component like this:
from django_components import Component, Default, register\n\n@register(\"my_table\")\nclass MyTable(Component):\n\n class Defaults:\n position = \"left\"\n selected_items = Default(lambda: [1, 2, 3])\n\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"position\": kwargs[\"position\"],\n \"selected_items\": kwargs[\"selected_items\"],\n }\n
We can access individual defaults like this:
"},{"location":"concepts/fundamentals/component_views_urls/","title":"Component views and URLs","text":"print(MyTable.Defaults.position)\nprint(MyTable.Defaults.selected_items)\n
New in version 0.34
Note: Since 0.92,
Component
is no longer a subclass of Django'sView
. Instead, the nestedComponent.View
class is a subclass of Django'sView
.For web applications, it's common to define endpoints that serve HTML content (AKA views).
django-components has a suite of features that help you write and manage views and their URLs:
-
For each component, you can define methods for handling HTTP requests (GET, POST, etc.) -
get()
,post()
, etc. -
Use
Component.as_view()
to be able to use your Components with Django'surlpatterns
. This works the same way asView.as_view()
. -
To avoid having to manually define the endpoints for each component, you can set the component to be \"public\" with
Component.View.public = True
. This will automatically create a URL for the component. To retrieve the component URL, useget_component_url()
. -
In addition,
Component
has arender_to_response()
method that renders the component template based on the provided input and returns anHttpResponse
object.
Here's an example of a calendar component defined as a view. Simply define a
[project root]/components/calendar.pyView
class with your customget()
method to handle GET requests:from django_components import Component, ComponentView, register\n\n@register(\"calendar\")\nclass Calendar(Component):\n template = \"\"\"\n <div class=\"calendar-component\">\n <div class=\"header\">\n {% slot \"header\" / %}\n </div>\n <div class=\"body\">\n Today's date is <span>{{ date }}</span>\n </div>\n </div>\n \"\"\"\n\n class View:\n # Handle GET requests\n def get(self, request, *args, **kwargs):\n # Return HttpResponse with the rendered content\n return Calendar.render_to_response(\n request=request,\n kwargs={\n \"date\": request.GET.get(\"date\", \"2020-06-06\"),\n },\n slots={\n \"header\": \"Calendar header\",\n },\n )\n
Info
The View class supports all the same HTTP methods as Django's
View
class. These are:get()
,post()
,put()
,patch()
,delete()
,head()
,options()
,trace()
Each of these receive the
HttpRequest
object as the first argument.Warning
Deprecation warning:
Previously, the handler methods such as
get()
andpost()
could be defined directly on theComponent
class:class Calendar(Component):\n def get(self, request, *args, **kwargs):\n return self.render_to_response(\n kwargs={\n \"date\": request.GET.get(\"date\", \"2020-06-06\"),\n }\n )\n
This is deprecated from v0.137 onwards, and will be removed in v1.0.
"},{"location":"concepts/fundamentals/component_views_urls/#acccessing-component-instance","title":"Acccessing component instance","text":"You can access the component instance from within the View methods by using the
View.component
attribute:class Calendar(Component):\n ...\n\n class View:\n def get(self, request):\n return self.component.render_to_response(request=request)\n
Note
The
View.component
instance is a dummy instance created solely for the View methods.It is the same as if you instantiated the component class directly:
"},{"location":"concepts/fundamentals/component_views_urls/#register-urls-manually","title":"Register URLs manually","text":"component = Calendar()\ncomponent.render_to_response(request=request)\n
To register the component as a route / endpoint in Django, add an entry to your
[project root]/urls.pyurlpatterns
. In place of the view function, create a view object withComponent.as_view()
:from django.urls import path\nfrom components.calendar.calendar import Calendar\n\nurlpatterns = [\n path(\"calendar/\", Calendar.as_view()),\n]\n
"},{"location":"concepts/fundamentals/component_views_urls/#register-urls-automatically","title":"Register URLs automatically","text":"Component.as_view()
internally callsView.as_view()
, passing the component instance as one of the arguments.If you don't care about the exact URL of the component, you can let django-components manage the URLs for you by setting the
Component.View.public
attribute toTrue
:class MyComponent(Component):\n class View:\n public = True\n\n def get(self, request):\n return self.component.render_to_response(request=request)\n ...\n
Then, to get the URL for the component, use
get_component_url()
:from django_components import get_component_url\n\nurl = get_component_url(MyComponent)\n
This way you don't have to mix your app URLs with component URLs.
Info
If you need to pass query parameters or a fragment to the component URL, you can do so by passing the
query
andfragment
arguments toget_component_url()
:
"},{"location":"concepts/fundamentals/html_attributes/","title":"HTML attributes","text":"url = get_component_url(\n MyComponent,\n query={\"foo\": \"bar\"},\n fragment=\"baz\",\n)\n# /components/ext/view/components/c1ab2c3?foo=bar#baz\n
New in version 0.74:
You can use the
{% html_attrs %}
tag to render various data askey=\"value\"
HTML attributes.{% html_attrs %}
tag is versatile, allowing you to define HTML attributes however you need:- Define attributes within the HTML template
- Define attributes in Python code
- Merge attributes from multiple sources
- Boolean attributes
- Append attributes
- Remove attributes
- Define default attributes
From v0.135 onwards,
{% html_attrs %}
tag also supports mergingstyle
andclass
attributes the same way how Vue does.To get started, let's consider a simple example. If you have a template:
<div class=\"{{ classes }}\" data-id=\"{{ my_id }}\">\n</div>\n
You can rewrite it with the
{% html_attrs %}
tag:<div {% html_attrs class=classes data-id=my_id %}>\n</div>\n
The
{% html_attrs %}
tag accepts any number of keyword arguments, which will be merged and rendered as HTML attributes:<div class=\"text-red\" data-id=\"123\">\n</div>\n
Moreover, the
{% html_attrs %}
tag accepts two positional arguments:attrs
- a dictionary of attributes to be rendereddefaults
- a dictionary of default attributes
You can use this for example to allow users of your component to add extra attributes. We achieve this by capturing the extra attributes and passing them to the
{% html_attrs %}
tag as a dictionary:@register(\"my_comp\")\nclass MyComp(Component):\n # Pass all kwargs as `attrs`\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"attrs\": kwargs,\n \"classes\": \"text-red\",\n \"my_id\": 123,\n }\n\n template: t.django_html = \"\"\"\n {# Pass the extra attributes to `html_attrs` #}\n <div {% html_attrs attrs class=classes data-id=my_id %}>\n </div>\n \"\"\"\n
This way you can render
MyComp
with extra attributes:Either via Django template:
{% component \"my_comp\"\n id=\"example\"\n class=\"pa-4\"\n style=\"color: red;\"\n%}\n
Or via Python:
MyComp.render(\n kwargs={\n \"id\": \"example\",\n \"class\": \"pa-4\",\n \"style\": \"color: red;\",\n }\n)\n
In both cases, the attributes will be merged and rendered as:
"},{"location":"concepts/fundamentals/html_attributes/#summary","title":"Summary","text":"<div id=\"example\" class=\"text-red pa-4\" style=\"color: red;\" data-id=\"123\"></div>\n
-
The two arguments,
attrs
anddefaults
, can be passed as positional args:{% html_attrs attrs defaults key=val %}\n
or as kwargs:
{% html_attrs key=val defaults=defaults attrs=attrs %}\n
-
Both
attrs
anddefaults
are optional and can be omitted. -
Both
attrs
anddefaults
are dictionaries. As such, there's multiple ways to define them:-
By referencing a variable:
{% html_attrs attrs=attrs %}\n
-
By defining a literal dictionary:
{% html_attrs attrs={\"key\": value} %}\n
-
Or by defining the dictionary keys:
{% html_attrs attrs:key=value %}\n
-
-
All other kwargs are merged and can be repeated.
{% html_attrs class=\"text-red\" class=\"pa-4\" %}\n
Will render:
<div class=\"text-red pa-4\"></div>\n
In HTML, boolean attributes are usually rendered with no value. Consider the example below where the first button is disabled and the second is not:
<button disabled>Click me!</button>\n<button>Click me!</button>\n
HTML rendering with
html_attrs
tag orformat_attributes
works the same way - an attribute set toTrue
is rendered without the value, and an attribute set toFalse
is not rendered at all.So given this input:
attrs = {\n \"disabled\": True,\n \"autofocus\": False,\n}\n
And template:
<div {% html_attrs attrs %}>\n</div>\n
Then this renders:
"},{"location":"concepts/fundamentals/html_attributes/#removing-attributes","title":"Removing attributes","text":"<div disabled></div>\n
Given how the boolean attributes work, you can \"remove\" or prevent an attribute from being rendered by setting it to
False
orNone
.So given this input:
attrs = {\n \"class\": \"text-green\",\n \"required\": False,\n \"data-id\": None,\n}\n
And template:
<div {% html_attrs attrs %}>\n</div>\n
Then this renders:
"},{"location":"concepts/fundamentals/html_attributes/#default-attributes","title":"Default attributes","text":"<div class=\"text-green\"></div>\n
Sometimes you may want to specify default values for attributes. You can pass a second positional argument to set the defaults.
<div {% html_attrs attrs defaults %}>\n ...\n</div>\n
In the example above, if
attrs
contains a certain key, e.g. theclass
key,{% html_attrs %}
will render:<div class=\"{{ attrs.class }}\">\n ...\n</div>\n
Otherwise,
{% html_attrs %}
will render:
"},{"location":"concepts/fundamentals/html_attributes/#appending-attributes","title":"Appending attributes","text":"<div class=\"{{ defaults.class }}\">\n ...\n</div>\n
For the
class
HTML attribute, it's common that we want to join multiple values, instead of overriding them.For example, if you're authoring a component, you may want to ensure that the component will ALWAYS have a specific class. Yet, you may want to allow users of your component to supply their own
class
attribute.We can achieve this by adding extra kwargs. These values will be appended, instead of overwriting the previous value.
So if we have a variable
attrs
:attrs = {\n \"class\": \"my-class pa-4\",\n}\n
And on
{% html_attrs %}
tag, we set the keyclass
:<div {% html_attrs attrs class=\"some-class\" %}>\n</div>\n
Then these will be merged and rendered as:
<div data-value=\"my-class pa-4 some-class\"></div>\n
To simplify merging of variables, you can supply the same key multiple times, and these will be all joined together:
{# my_var = \"class-from-var text-red\" #}\n<div {% html_attrs attrs class=\"some-class another-class\" class=my_var %}>\n</div>\n
Renders:
"},{"location":"concepts/fundamentals/html_attributes/#merging-class-attributes","title":"Merging<div\n data-value=\"my-class pa-4 some-class another-class class-from-var text-red\"\n></div>\n
class
attributes","text":"The
class
attribute can be specified as a string of class names as usual.If you want granular control over individual class names, you can use a dictionary.
-
String: Used as is.
{% html_attrs class=\"my-class other-class\" %}\n
Renders:
<div class=\"my-class other-class\"></div>\n
-
Dictionary: Keys are the class names, and values are booleans. Only keys with truthy values are rendered.
{% html_attrs class={\n \"extra-class\": True,\n \"other-class\": False,\n} %}\n
Renders:
<div class=\"extra-class\"></div>\n
If a certain class is specified multiple times, it's the last instance that decides whether the class is rendered or not.
Example:
In this example, the
other-class
is specified twice. The last instance is{\"other-class\": False}
, so the class is not rendered.{% html_attrs\n class=\"my-class other-class\"\n class={\"extra-class\": True, \"other-class\": False}\n%}\n
Renders:
"},{"location":"concepts/fundamentals/html_attributes/#merging-style-attributes","title":"Merging<div class=\"my-class extra-class\"></div>\n
style
attributes","text":"The
style
attribute can be specified as a string of style properties as usual.If you want granular control over individual style properties, you can use a dictionary.
-
String: Used as is.
{% html_attrs style=\"color: red; background-color: blue;\" %}\n
Renders:
<div style=\"color: red; background-color: blue;\"></div>\n
-
Dictionary: Keys are the style properties, and values are their values.
{% html_attrs style={\n \"color\": \"red\",\n \"background-color\": \"blue\",\n} %}\n
Renders:
<div style=\"color: red; background-color: blue;\"></div>\n
If a style property is specified multiple times, the last value is used.
- Properties set to
None
are ignored. - If the last non-
None
instance of the property is set toFalse
, the property is removed.
Example:
In this example, the
width
property is specified twice. The last instance is{\"width\": False}
, so the property is removed.Secondly, the
background-color
property is also set twice. But the second time it's set toNone
, so that instance is ignored, leaving us only withbackground-color: blue
.The
color
property is set to a valid value in both cases, so the latter (green
) is used.{% html_attrs\n style=\"color: red; background-color: blue; width: 100px;\"\n style={\"color\": \"green\", \"background-color\": None, \"width\": False}\n%}\n
Renders:
"},{"location":"concepts/fundamentals/html_attributes/#usage-outside-of-templates","title":"Usage outside of templates","text":"<div style=\"color: green; background-color: blue;\"></div>\n
In some cases, you want to prepare HTML attributes outside of templates.
To achieve the same behavior as
"},{"location":"concepts/fundamentals/html_attributes/#merging-attributes","title":"Merging attributes","text":"{% html_attrs %}
tag, you can use themerge_attributes()
andformat_attributes()
helper functions.merge_attributes()
accepts any number of dictionaries and merges them together, using the same merge strategy as{% html_attrs %}
.from django_components import merge_attributes\n\nmerge_attributes(\n {\"class\": \"my-class\", \"data-id\": 123},\n {\"class\": \"extra-class\"},\n {\"class\": {\"cool-class\": True, \"uncool-class\": False} },\n)\n
Which will output:
{\n \"class\": \"my-class extra-class cool-class\",\n \"data-id\": 123,\n}\n
Warning
Unlike
"},{"location":"concepts/fundamentals/html_attributes/#formatting-attributes","title":"Formatting attributes","text":"{% html_attrs %}
, where you can pass extra kwargs,merge_attributes()
requires each argument to be a dictionary.format_attributes()
serializes attributes the same way as{% html_attrs %}
tag does.from django_components import format_attributes\n\nformat_attributes({\n \"class\": \"my-class text-red pa-4\",\n \"data-id\": 123,\n \"required\": True,\n \"disabled\": False,\n \"ignored-attr\": None,\n})\n
Which will output:
'class=\"my-class text-red pa-4\" data-id=\"123\" required'\n
Note
Prior to v0.135, the
format_attributes()
function was namedattributes_to_string()
.This function is now deprecated and will be removed in v1.0.
"},{"location":"concepts/fundamentals/html_attributes/#cheat-sheet","title":"Cheat sheet","text":"Assuming that:
class_from_var = \"from-var\"\n\nattrs = {\n \"class\": \"from-attrs\",\n \"type\": \"submit\",\n}\n\ndefaults = {\n \"class\": \"from-defaults\",\n \"role\": \"button\",\n}\n
Then:
-
Empty tag
<div {% html_attr %}></div>\n
renders nothing:
<div></div>\n
-
Only kwargs
<div {% html_attr class=\"some-class\" class=class_from_var data-id=\"123\" %}></div>\n
renders:
<div class=\"some-class from-var\" data-id=\"123\"></div>\n
-
Only attrs
<div {% html_attr attrs %}></div>\n
renders:
<div class=\"from-attrs\" type=\"submit\"></div>\n
-
Attrs as kwarg
<div {% html_attr attrs=attrs %}></div>\n
renders:
<div class=\"from-attrs\" type=\"submit\"></div>\n
-
Only defaults (as kwarg)
<div {% html_attr defaults=defaults %}></div>\n
renders:
<div class=\"from-defaults\" role=\"button\"></div>\n
-
Attrs using the
prefix:key=value
construct<div {% html_attr attrs:class=\"from-attrs\" attrs:type=\"submit\" %}></div>\n
renders:
<div class=\"from-attrs\" type=\"submit\"></div>\n
-
Defaults using the
prefix:key=value
construct<div {% html_attr defaults:class=\"from-defaults\" %}></div>\n
renders:
<div class=\"from-defaults\" role=\"button\"></div>\n
-
All together (1) - attrs and defaults as positional args:
<div {% html_attrs attrs defaults class=\"added_class\" class=class_from_var data-id=123 %}></div>\n
renders:
<div class=\"from-attrs added_class from-var\" type=\"submit\" role=\"button\" data-id=123></div>\n
-
All together (2) - attrs and defaults as kwargs args:
<div {% html_attrs class=\"added_class\" class=class_from_var data-id=123 attrs=attrs defaults=defaults %}></div>\n
renders:
<div class=\"from-attrs added_class from-var\" type=\"submit\" role=\"button\" data-id=123></div>\n
-
All together (3) - mixed:
<div {% html_attrs attrs defaults:class=\"default-class\" class=\"added_class\" class=class_from_var data-id=123 %}></div>\n
renders:
<div class=\"from-attrs added_class from-var\" type=\"submit\" data-id=123></div>\n
@register(\"my_comp\")\nclass MyComp(Component):\n template: t.django_html = \"\"\"\n <div\n {% html_attrs attrs\n defaults:class=\"pa-4 text-red\"\n class=\"my-comp-date\"\n class=class_from_var\n data-id=\"123\"\n %}\n >\n Today's date is <span>{{ date }}</span>\n </div>\n \"\"\"\n\n def get_template_data(self, args, kwargs, slots, context):\n date = kwargs.pop(\"date\")\n return {\n \"date\": date,\n \"attrs\": kwargs,\n \"class_from_var\": \"extra-class\"\n }\n\n@register(\"parent\")\nclass Parent(Component):\n template: t.django_html = \"\"\"\n {% component \"my_comp\"\n date=date\n attrs:class=\"pa-0 border-solid border-red\"\n attrs:data-json=json_data\n attrs:@click=\"(e) => onClick(e, 'from_parent')\"\n / %}\n \"\"\"\n\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"date\": datetime.now(),\n \"json_data\": json.dumps({\"value\": 456})\n }\n
Note: For readability, we've split the tags across multiple lines.
Inside
MyComp
, we defined a default attributedefaults:class=\"pa-4 text-red\"\n
So if
attrs
includes keyclass
, the default above will be ignored.MyComp
also definesclass
key twice. It means that whether theclass
attribute is taken fromattrs
ordefaults
, the twoclass
values will be appended to it.So by default,
MyComp
renders:<div class=\"pa-4 text-red my-comp-date extra-class\" data-id=\"123\">...</div>\n
Next, let's consider what will be rendered when we call
MyComp
fromParent
component.MyComp
accepts aattrs
dictionary, that is passed tohtml_attrs
, so the contents of that dictionary are rendered as the HTML attributes.In
Parent
, we make use of passing dictionary key-value pairs as kwargs to define individual attributes as if they were regular kwargs.So all kwargs that start with
attrs:
will be collected into anattrs
dict.attrs:class=\"pa-0 border-solid border-red\"\n attrs:data-json=json_data\n attrs:@click=\"(e) => onClick(e, 'from_parent')\"\n
And
get_template_data
ofMyComp
will receive a kwarg namedattrs
with following keys:attrs = {\n \"class\": \"pa-0 border-solid\",\n \"data-json\": '{\"value\": 456}',\n \"@click\": \"(e) => onClick(e, 'from_parent')\",\n}\n
attrs[\"class\"]
overrides the default value forclass
, whereas other keys will be merged.So in the end
MyComp
will render:
"},{"location":"concepts/fundamentals/html_js_css_files/","title":"HTML / JS / CSS files","text":""},{"location":"concepts/fundamentals/html_js_css_files/#overview","title":"Overview","text":"<div\n class=\"pa-0 border-solid my-comp-date extra-class\"\n data-id=\"123\"\n data-json='{\"value\": 456}'\n @click=\"(e) => onClick(e, 'from_parent')\"\n>\n ...\n</div>\n
Each component can have single \"primary\" HTML, CSS and JS file associated with them.
Each of these can be either defined inline, or in a separate file:
- HTML files are defined using
Component.template
orComponent.template_file
- CSS files are defined using
Component.css
orComponent.css_file
- JS files are defined using
Component.js
orComponent.js_file
@register(\"calendar\")\nclass Calendar(Component):\n template_file = \"calendar.html\"\n css_file = \"calendar.css\"\n js_file = \"calendar.js\"\n
or
@register(\"calendar\")\nclass Calendar(Component):\n template = \"\"\"\n <div class=\"welcome\">\n Hi there!\n </div>\n \"\"\"\n css = \"\"\"\n .welcome {\n color: red;\n }\n \"\"\"\n js = \"\"\"\n console.log(\"Hello, world!\");\n \"\"\"\n
These \"primary\" files will have special behavior. For example, each will receive variables from the component's data methods. Read more about each file type below:
- HTML
- CSS
- JS
In addition, you can define extra \"secondary\" CSS / JS files using the nested
Component.Media
class, by settingComponent.Media.js
andComponent.Media.css
.Single component can have many secondary files. There is no special behavior for them.
You can use these for third-party libraries, or for shared CSS / JS files.
Read more about Secondary JS / CSS files.
Warning
You cannot use both inlined code and separate file for a single language type (HTML, CSS, JS).
However, you can freely mix these for different languages:
"},{"location":"concepts/fundamentals/html_js_css_files/#html","title":"HTML","text":"class MyTable(Component):\n template: types.django_html = \"\"\"\n <div class=\"welcome\">\n Hi there!\n </div>\n \"\"\"\n js_file = \"my_table.js\"\n css_file = \"my_table.css\"\n
Components use Django's template system to define their HTML. This means that you can use Django's template syntax to define your HTML.
Inside the template, you can access the data returned from the
get_template_data()
method.You can define the HTML directly in your Python code using the
template
attribute:class Button(Component):\n template = \"\"\"\n <button class=\"btn\">\n {% if icon %}\n <i class=\"{{ icon }}\"></i>\n {% endif %}\n {{ text }}\n </button>\n \"\"\"\n\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"text\": kwargs.get(\"text\", \"Click me\"),\n \"icon\": kwargs.get(\"icon\", None),\n }\n
Or you can define the HTML in a separate file and reference it using
template_file
:
button.htmlclass Button(Component):\n template_file = \"button.html\"\n\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"text\": kwargs.get(\"text\", \"Click me\"),\n \"icon\": kwargs.get(\"icon\", None),\n }\n
"},{"location":"concepts/fundamentals/html_js_css_files/#html-processing","title":"HTML processing","text":"<button class=\"btn\">\n {% if icon %}\n <i class=\"{{ icon }}\"></i>\n {% endif %}\n {{ text }}\n</button>\n
Django Components expects the rendered template to be a valid HTML. This is needed to enable features like CSS / JS variables.
Here is how the HTML is post-processed:
-
Insert component ID: Each root element in the rendered HTML automatically receives a
data-djc-id-cxxxxxx
attribute containing a unique component instance ID.<!-- Output HTML -->\n<div class=\"card\" data-djc-id-c1a2b3c>\n ...\n</div>\n<div class=\"backdrop\" data-djc-id-c1a2b3c>\n ...\n</div>\n
-
Insert CSS ID: If the component defines CSS variables through
get_css_data()
, the root elements also receive adata-djc-css-xxxxxx
attribute. This attribute links the element to its specific CSS variables.<!-- Output HTML -->\n<div class=\"card\" data-djc-id-c1a2b3c data-djc-css-d4e5f6>\n <!-- Component content -->\n</div>\n
-
Insert JS and CSS: After the HTML is rendered, Django Components handles inserting JS and CSS dependencies into the page based on the dependencies rendering strategy (document, fragment, or inline).
For example, if your component contains the
{% component_js_dependencies %}
or{% component_css_dependencies %}
tags, or the<head>
and<body>
elements, the JS and CSS scripts will be inserted into the HTML.For more information on how JS and CSS dependencies are rendered, see Rendering JS / CSS.
The component's JS script is executed in the browser:
- It is executed AFTER the \"secondary\" JS files from
Component.Media.js
are loaded. - The script is only executed once, even if there are multiple instances of the component on the page.
- Component JS scripts are executed in the order how they appeared in the template / HTML (top to bottom).
You can define the JS directly in your Python code using the
js
attribute:class Button(Component):\n js = \"\"\"\n console.log(\"Hello, world!\");\n \"\"\"\n\n def get_js_data(self, args, kwargs, slots, context):\n return {\n \"text\": kwargs.get(\"text\", \"Click me\"),\n }\n
Or you can define the JS in a separate file and reference it using
js_file
:
button.jsclass Button(Component):\n js_file = \"button.js\"\n\n def get_js_data(self, args, kwargs, slots, context):\n return {\n \"text\": kwargs.get(\"text\", \"Click me\"),\n }\n
"},{"location":"concepts/fundamentals/html_js_css_files/#css","title":"CSS","text":"console.log(\"Hello, world!\");\n
You can define the CSS directly in your Python code using the
css
attribute:class Button(Component):\n css = \"\"\"\n .btn {\n width: 100px;\n color: var(--color);\n }\n \"\"\"\n\n def get_css_data(self, args, kwargs, slots, context):\n return {\n \"color\": kwargs.get(\"color\", \"red\"),\n }\n
Or you can define the CSS in a separate file and reference it using
css_file
:
button.cssclass Button(Component):\n css_file = \"button.css\"\n\n def get_css_data(self, args, kwargs, slots, context):\n return {\n \"text\": kwargs.get(\"text\", \"Click me\"),\n }\n
"},{"location":"concepts/fundamentals/html_js_css_files/#file-paths","title":"File paths","text":".btn {\n color: red;\n}\n
Compared to the secondary JS / CSS files, the definition of file paths for the main HTML / JS / CSS files is quite simple - just strings, without any lists, objects, or globs.
However, similar to the secondary JS / CSS files, you can specify the file paths relative to the component's directory.
So if you have a directory with following files:
[project root]/components/calendar/\n\u251c\u2500\u2500 calendar.html\n\u251c\u2500\u2500 calendar.css\n\u251c\u2500\u2500 calendar.js\n\u2514\u2500\u2500 calendar.py\n
You can define the component like this:
[project root]/components/calendar/calendar.pyfrom django_components import Component, register\n\n@register(\"calendar\")\nclass Calendar(Component):\n template_file = \"calendar.html\"\n css_file = \"calendar.css\"\n js_file = \"calendar.js\"\n
Assuming that
[project root]/components/calendar/calendar.pyCOMPONENTS.dirs
contains path[project root]/components
, the example above is the same as writing out:from django_components import Component, register\n\n@register(\"calendar\")\nclass Calendar(Component):\n template_file = \"calendar/template.html\"\n css_file = \"calendar/style.css\"\n js_file = \"calendar/script.js\"\n
If the path cannot be resolved relative to the component, django-components will attempt to resolve the path relative to the component directories, as set in
COMPONENTS.dirs
orCOMPONENTS.app_dirs
.Read more about file path resolution.
"},{"location":"concepts/fundamentals/html_js_css_files/#access-component-definition","title":"Access component definition","text":"Component's HTML / CSS / JS is resolved and loaded lazily.
This means that, when you specify any of
template_file
,js_file
,css_file
, orMedia.js/css
, these file paths will be resolved only once you either:-
Access any of the following attributes on the component:
media
,template
,template_file
,js
,js_file
,css
,css_file
-
Render the component.
Once the component's media files have been loaded once, they will remain in-memory on the Component class:
- HTML from
Component.template_file
will be available underComponent.template
- CSS from
Component.css_file
will be available underComponent.css
- JS from
Component.js_file
will be available underComponent.js
Thus, whether you define HTML via
Component.template_file
orComponent.template
, you can always access the HTML content underComponent.template
. And the same applies for JS and CSS.Example:
# When we create Calendar component, the files like `calendar/template.html`\n# are not yet loaded!\n@register(\"calendar\")\nclass Calendar(Component):\n template_file = \"calendar/template.html\"\n css_file = \"calendar/style.css\"\n js_file = \"calendar/script.js\"\n\n class Media:\n css = \"calendar/style1.css\"\n js = \"calendar/script2.js\"\n\n# It's only at this moment that django-components reads the files like `calendar/template.html`\nprint(Calendar.css)\n# Output:\n# .calendar {\n# width: 200px;\n# background: pink;\n# }\n
Warning
Do NOT modify HTML / CSS / JS after it has been loaded
django-components assumes that the component's media files like
js_file
orMedia.js/css
are static.If you need to dynamically change these media files, consider instead defining multiple Components.
Modifying these files AFTER the component has been loaded at best does nothing. However, this is an untested behavior, which may lead to unexpected errors.
"},{"location":"concepts/fundamentals/html_js_css_variables/","title":"HTML / JS / CSS variables","text":"When a component recieves input through
"},{"location":"concepts/fundamentals/html_js_css_variables/#overview","title":"Overview","text":"{% component %}
tag, or theComponent.render()
orComponent.render_to_response()
methods, you can define how the input is handled, and what variables will be available to the template, JavaScript and CSS.Django Components offers three key methods for passing variables to different parts of your component:
get_template_data()
- Provides variables to your HTML templateget_js_data()
- Provides variables to your JavaScript codeget_css_data()
- Provides variables to your CSS styles
These methods let you pre-process inputs before they're used in rendering.
Each method handles the data independently - you can define different data for the template, JS, and CSS.
"},{"location":"concepts/fundamentals/html_js_css_variables/#template-variables","title":"Template variables","text":"class ProfileCard(Component):\n class Kwargs(NamedTuple):\n user_id: int\n show_details: bool\n\n class Defaults:\n show_details = True\n\n def get_template_data(self, args, kwargs: Kwargs, slots, context):\n user = User.objects.get(id=kwargs.user_id)\n return {\n \"user\": user,\n \"show_details\": kwargs.show_details,\n }\n\n def get_js_data(self, args, kwargs: Kwargs, slots, context):\n return {\n \"user_id\": kwargs.user_id,\n }\n\n def get_css_data(self, args, kwargs: Kwargs, slots, context):\n text_color = \"red\" if kwargs.show_details else \"blue\"\n return {\n \"text_color\": text_color,\n }\n
The
get_template_data()
method is the primary way to provide variables to your HTML template. It receives the component inputs and returns a dictionary of data that will be available in the template.If
get_template_data()
returnsNone
, an empty dictionary will be used.class ProfileCard(Component):\n template_file = \"profile_card.html\"\n\n class Kwargs(NamedTuple):\n user_id: int\n show_details: bool\n\n def get_template_data(self, args, kwargs: Kwargs, slots, context):\n user = User.objects.get(id=kwargs.user_id)\n\n # Process and transform inputs\n return {\n \"user\": user,\n \"show_details\": kwargs.show_details,\n \"user_joined_days\": (timezone.now() - user.date_joined).days,\n }\n
In your template, you can then use these variables:
"},{"location":"concepts/fundamentals/html_js_css_variables/#legacy-get_context_data","title":"Legacy<div class=\"profile-card\">\n <h2>{{ user.username }}</h2>\n\n {% if show_details %}\n <p>Member for {{ user_joined_days }} days</p>\n <p>Email: {{ user.email }}</p>\n {% endif %}\n</div>\n
get_context_data()
","text":"The
get_context_data()
method is the legacy way to provide variables to your HTML template. It serves the same purpose asget_template_data()
- it receives the component inputs and returns a dictionary of data that will be available in the template.However,
get_context_data()
has a few drawbacks:- It does NOT receive the
slots
andcontext
parameters. - The
args
andkwargs
parameters are given as variadic*args
and**kwargs
parameters. As such, they cannot be typed.
class ProfileCard(Component):\n template_file = \"profile_card.html\"\n\n def get_context_data(self, user_id, show_details=False, *args, **kwargs):\n user = User.objects.get(id=user_id)\n return {\n \"user\": user,\n \"show_details\": show_details,\n }\n
There is a slight difference between
get_context_data()
andget_template_data()
when rendering a component with the{% component %}
tag.For example if you have component that accepts kwarg
date
:class MyComponent(Component):\n def get_context_data(self, date, *args, **kwargs):\n return {\n \"date\": date,\n }\n\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"date\": kwargs[\"date\"],\n }\n
The difference is that:
-
With
get_context_data()
, you can passdate
either as arg or kwarg:\u2705\n{% component \"my_component\" date=some_date %}\n{% component \"my_component\" some_date %}\n
-
But with
get_template_data()
,date
MUST be passed as kwarg:\u2705\n{% component \"my_component\" date=some_date %}\n\n\u274c\n{% component \"my_component\" some_date %}\n
Warning
get_template_data()
andget_context_data()
are mutually exclusive.If both methods return non-empty dictionaries, an error will be raised.
Note
The
"},{"location":"concepts/fundamentals/html_js_css_variables/#accessing-component-inputs","title":"Accessing component inputs","text":"get_context_data()
method will be removed in v2.The component inputs are available in two ways:
-
Function arguments (recommended)
The data methods receive the inputs as parameters, which you can access directly.
class ProfileCard(Component):\n def get_template_data(self, args, kwargs, slots, context):\n # Access inputs directly as parameters\n return {\n \"user_id\": user_id,\n \"show_details\": show_details,\n }\n
Info
By default, the
args
parameter is a list, whilekwargs
andslots
are dictionaries.If you add typing to your component with
Args
,Kwargs
, orSlots
classes, the respective inputs will be given as instances of these classes.Learn more about Component typing.
-
self.input
propertyThe data methods receive only the main inputs. There are additional settings that may be passed to components. If you need to access these, you can do so via the
self.input
property.The
input
property contains all the inputs passed to the component (instance ofComponentInput
).This includes:
input.args
- List of positional argumentsinput.kwargs
- Dictionary of keyword argumentsinput.slots
- Dictionary of slots. Values are normalized toSlot
instancesinput.context
-Context
object that should be used to render the componentinput.type
- The type of the component (document, fragment)input.render_dependencies
- Whether to render dependencies (CSS, JS)
For more details, see Component inputs.
class ProfileCard(Component):\n def get_template_data(self, args, kwargs, slots, context):\n # Access positional arguments\n user_id = self.input.args[0] if self.input.args else None\n\n # Access keyword arguments\n show_details = self.input.kwargs.get(\"show_details\", False)\n\n # Render component differently depending on the type\n if self.input.type == \"fragment\":\n ...\n\n return {\n \"user_id\": user_id,\n \"show_details\": show_details,\n }\n
Info
Unlike the parameters passed to the data methods, the
args
,kwargs
, andslots
inself.input
property are always lists and dictionaries, regardless of whether you added typing to your component.
You can use
Defaults
class to provide default values for your inputs.These defaults will be applied either when:
- The input is not provided at rendering time
- The input is provided as
None
When you then access the inputs in your data methods, the default values will be already applied.
Read more about Component Defaults.
from django_components import Component, Default, register\n\n@register(\"profile_card\")\nclass ProfileCard(Component):\n class Kwargs(NamedTuple):\n show_details: bool\n\n class Defaults:\n show_details = True\n\n # show_details will be set to True if `None` or missing\n def get_template_data(self, args, kwargs: Kwargs, slots, context):\n return {\n \"show_details\": kwargs.show_details,\n }\n\n ...\n
Warning
When typing your components with
Args
,Kwargs
, orSlots
classes, you may be inclined to define the defaults in the classes.class ProfileCard(Component):\n class Kwargs(NamedTuple):\n show_details: bool = True\n
This is NOT recommended, because:
- The defaults will NOT be applied to inputs when using
self.input
property. - The defaults will NOT be applied when a field is given but set to
None
.
Instead, define the defaults in the
"},{"location":"concepts/fundamentals/html_js_css_variables/#accessing-render-api","title":"Accessing Render API","text":"Defaults
class.All three data methods have access to the Component's Render API, which includes:
self.id
- The unique ID for the current render callself.input
- All the component inputsself.request
- The request object (if available)self.context_processors_data
- Data from Django's context processors (if request is available)self.inject()
- Inject data into the component
You can add type hints for the component inputs to ensure that the component logic is correct.
For this, define the
Args
,Kwargs
, andSlots
classes, and then add type hints to the data methods.This will also validate the inputs at runtime, as the type classes will be instantiated with the inputs.
Read more about Component typing.
from typing import NamedTuple, Optional\nfrom django_components import Component, SlotInput\n\nclass Button(Component):\n class Args(NamedTuple):\n name: str\n\n class Kwargs(NamedTuple):\n surname: str\n maybe_var: Optional[int] = None # May be omitted\n\n class Slots(NamedTuple):\n my_slot: Optional[SlotInput] = None\n footer: SlotInput\n\n # Use the above classes to add type hints to the data method\n def get_template_data(self, args: Args, kwargs: Kwargs, slots: Slots, context: Context):\n # The parameters are instances of the classes we defined\n assert isinstance(args, Button.Args)\n assert isinstance(kwargs, Button.Kwargs)\n assert isinstance(slots, Button.Slots)\n
Note
The data available via
"},{"location":"concepts/fundamentals/html_js_css_variables/#typing-data","title":"Typing data","text":"self.input
property is NOT typed.In the same fashion, you can add types and validation for the data that should be RETURNED from each data method.
For this, set the
TemplateData
,JsData
, andCssData
classes on the component class.For each data method, you can either return a plain dictionary with the data, or an instance of the respective data class.
"},{"location":"concepts/fundamentals/html_js_css_variables/#pass-through-kwargs","title":"Pass-through kwargs","text":"from typing import NamedTuple\nfrom django_components import Component\n\nclass Button(Component):\n class TemplateData(NamedTuple):\n data1: str\n data2: int\n\n class JsData(NamedTuple):\n js_data1: str\n js_data2: int\n\n class CssData(NamedTuple):\n css_data1: str\n css_data2: int\n\n def get_template_data(self, args, kwargs, slots, context):\n return Button.TemplateData(\n data1=\"...\",\n data2=123,\n )\n\n def get_js_data(self, args, kwargs, slots, context):\n return Button.JsData(\n js_data1=\"...\",\n js_data2=123,\n )\n\n def get_css_data(self, args, kwargs, slots, context):\n return Button.CssData(\n css_data1=\"...\",\n css_data2=123,\n )\n
It's best practice to explicitly define what args and kwargs a component accepts.
However, if you want a looser setup, you can easily write components that accept any number of kwargs, and pass them all to the template (similar to django-cotton).
To do that, simply return the
kwargs
dictionary itself fromget_template_data()
:class MyComponent(Component):\n def get_template_data(self, args, kwargs, slots, context):\n return kwargs\n
You can do the same for
get_js_data()
andget_css_data()
, if needed:
"},{"location":"concepts/fundamentals/http_request/","title":"HTTP Request","text":"class MyComponent(Component):\n def get_js_data(self, args, kwargs, slots, context):\n return kwargs\n\n def get_css_data(self, args, kwargs, slots, context):\n return kwargs\n
The most common use of django-components is to render HTML when the server receives a request. As such, there are a few features that are dependent on the request object.
"},{"location":"concepts/fundamentals/http_request/#passing-the-httprequest-object","title":"Passing the HttpRequest object","text":"In regular Django templates, the request object is available only within the
RequestContext
.In Components, you can either use
RequestContext
, or pass therequest
object explicitly toComponent.render()
andComponent.render_to_response()
.So the request object is available to components either when:
- The component is rendered with
RequestContext
(Regular Django behavior) - The component is rendered with a regular
Context
(or none), but you set therequest
kwarg ofComponent.render()
. - The component is nested and the parent has access to the request object.
# \u2705 With request\nMyComponent.render(request=request)\nMyComponent.render(context=RequestContext(request, {}))\n\n# \u274c Without request\nMyComponent.render()\nMyComponent.render(context=Context({}))\n
When a component is rendered within a template with
{% component %}
tag, the request object is available depending on whether the template is rendered withRequestContext
or not.
"},{"location":"concepts/fundamentals/http_request/#accessing-the-httprequest-object","title":"Accessing the HttpRequest object","text":"template = Template(\"\"\"\n<div>\n {% component \"MyComponent\" / %}\n</div>\n\"\"\")\n\n# \u274c No request\nrendered = template.render(Context({}))\n\n# \u2705 With request\nrendered = template.render(RequestContext(request, {}))\n
When the component has access to the
request
object, the request object will be available inComponent.request
.
"},{"location":"concepts/fundamentals/http_request/#context-processors","title":"Context Processors","text":"class MyComponent(Component):\n def get_template_data(self, args, kwargs, slots, context):\n return {\n 'user_id': self.request.GET['user_id'],\n }\n
Components support Django's context processors.
In regular Django templates, the context processors are applied only when the template is rendered with
RequestContext
.In Components, the context processors are applied when the component has access to the
"},{"location":"concepts/fundamentals/http_request/#accessing-context-processors-data","title":"Accessing context processors data","text":"request
object.The data from context processors is automatically available within the component's template.
class MyComponent(Component):\n template = \"\"\"\n <div>\n {{ csrf_token }}\n </div>\n \"\"\"\n\nMyComponent.render(request=request)\n
You can also access the context processors data from within
get_template_data()
and other methods underComponent.context_processors_data
.class MyComponent(Component):\n def get_template_data(self, args, kwargs, slots, context):\n csrf_token = self.context_processors_data['csrf_token']\n return {\n 'csrf_token': csrf_token,\n }\n
This is a dictionary with the context processors data.
If the request object is not available, then
self.context_processors_data
will be an empty dictionary.Warning
The
"},{"location":"concepts/fundamentals/render_api/","title":"Render API","text":"self.context_processors_data
object is generated dynamically, so changes to it are not persisted.When a component is being rendered, whether with
Component.render()
or{% component %}
, a component instance is populated with the current inputs and context. This allows you to access things like component inputs.We refer to these render-time-only methods and attributes as the \"Render API\".
Render API is available inside these
Component
methods:get_template_data()
get_js_data()
get_css_data()
get_context_data()
on_render_before()
on_render_after()
Note
If you try to access the Render API outside of these methods, you will get a
RuntimeError
.Example:
"},{"location":"concepts/fundamentals/render_api/#overview","title":"Overview","text":"class Table(Component):\n def get_template_data(self, args, kwargs, slots, context):\n # Access component's ID\n assert self.id == \"c1A2b3c\"\n\n # Access component's inputs, slots and context\n assert self.input.args == (123, \"str\")\n assert self.input.kwargs == {\"variable\": \"test\", \"another\": 1}\n footer_slot = self.input.slots[\"footer\"]\n some_var = self.input.context[\"some_var\"]\n\n # Access the request object and Django's context processors, if available\n assert self.request.GET == {\"query\": \"something\"}\n assert self.context_processors_data['user'].username == \"admin\"\n\n return {\n \"variable\": variable,\n }\n\nrendered = Table.render(\n kwargs={\"variable\": \"test\", \"another\": 1},\n args=(123, \"str\"),\n slots={\"footer\": \"MY_SLOT\"},\n)\n
The Render API includes:
self.id
- The unique ID for the current render callself.input
- All the component inputsself.request
- The request object (if available)self.context_processors_data
- Data from Django's context processors (if request is available)self.inject()
- Inject data into the component
Component ID (or render ID) is a unique identifier for the current render call.
That means that if you call
Component.render()
multiple times, the ID will be different for each call.It is available as
self.id
.The ID is a 7-letter alphanumeric string in the format
cXXXXXX
, whereXXXXXX
is a random string of 6 alphanumeric characters (case-sensitive).E.g.
c1a2b3c
.A single render ID has a chance of collision 1 in 57 billion. However, due to birthday paradox, the chance of collision increases to 1% when approaching ~33K render IDs.
Thus, there is currently a soft-cap of ~30K components rendered on a single page.
If you need to expand this limit, please open an issue on GitHub.
"},{"location":"concepts/fundamentals/render_api/#component-inputs","title":"Component inputs","text":"class Table(Component):\n def get_template_data(self, args, kwargs, slots, context):\n # Access component's ID\n assert self.id == \"c1A2b3c\"\n\n return {}\n
All the component inputs are captured and available as
self.input
.self.input
(ComponentInput
) has the mostly the same fields as the input toComponent.render()
. This includes:args
- List of positional argumentskwargs
- Dictionary of keyword argumentsslots
- Dictionary of slots. Values are normalized toSlot
instancescontext
-Context
object that should be used to render the component- And other kwargs passed to
Component.render()
liketype
andrender_dependencies
Thus, use can use
self.input.args
andself.input.kwargs
to access the positional and keyword arguments passed toComponent.render()
.
"},{"location":"concepts/fundamentals/render_api/#request-object-and-context-processors","title":"Request object and context processors","text":"class Table(Component):\n def get_template_data(self, args, kwargs, slots, context):\n # Access component's inputs, slots and context\n assert self.input.args == [123, \"str\"]\n assert self.input.kwargs == {\"variable\": \"test\", \"another\": 1}\n footer_slot = self.input.slots[\"footer\"]\n some_var = self.input.context[\"some_var\"]\n\n return {}\n\nrendered = TestComponent.render(\n kwargs={\"variable\": \"test\", \"another\": 1},\n args=(123, \"str\"),\n slots={\"footer\": \"MY_SLOT\"},\n)\n
If the component was either:
- Given a
request
kwarg - Rendered with
RenderContext
- Nested in another component for which any of these conditions is true
Then the request object will be available in
self.request
.If the request object is available, you will also be able to access the
context processors
data inself.context_processors_data
.This is a dictionary with the context processors data.
If the request object is not available, then
self.context_processors_data
will be an empty dictionary.Read more about the request object and context processors in the HTTP Request section.
"},{"location":"concepts/fundamentals/render_api/#provide-inject","title":"Provide / Inject","text":"from django.http import HttpRequest\n\nclass Table(Component):\n def get_template_data(self, args, kwargs, slots, context):\n # Access the request object and Django's context processors\n assert self.request.GET == {\"query\": \"something\"}\n assert self.context_processors_data['user'].username == \"admin\"\n\n return {}\n\nrendered = Table.render(\n request=HttpRequest(),\n)\n
Components support a provide / inject system as known from Vue or React.
When rendering the component, you can call
self.inject()
with the key of the data you want to inject.The object returned by
self.inject()
To provide data to components, use the
{% provide %}
template tag.Read more about Provide / Inject.
"},{"location":"concepts/fundamentals/rendering_components/","title":"Rendering components","text":"class Table(Component):\n def get_template_data(self, args, kwargs, slots, context):\n # Access provided data\n data = self.inject(\"some_data\")\n assert data.some_data == \"some_data\"\n
Your components can be rendered either within your Django templates, or directly in Python code.
"},{"location":"concepts/fundamentals/rendering_components/#overview","title":"Overview","text":"Django Components provides three main methods to render components:
{% component %}
tag - Renders the component within your Django templatesComponent.render()
method - Renders the component to a stringComponent.render_to_response()
method - Renders the component and wraps it in an HTTP response
{% component %}
tag","text":"Use the
{% component %}
tag to render a component within your Django templates.The
{% component %}
tag takes:- Component's registered name as the first positional argument,
- Followed by any number of positional and keyword arguments.
{% load component_tags %}\n<div>\n {% component \"button\" name=\"John\" job=\"Developer\" / %}\n</div>\n
To pass in slots content, you can insert
{% fill %}
tags, directly within the{% component %}
tag to \"fill\" the slots:{% component \"my_table\" rows=rows headers=headers %}\n {% fill \"pagination\" %}\n < 1 | 2 | 3 >\n {% endfill %}\n{% endcomponent %}\n
You can even nest
{% fill %}
tags within{% if %}
,{% for %}
and other tags:{% component \"my_table\" rows=rows headers=headers %}\n {% if rows %}\n {% fill \"pagination\" %}\n < 1 | 2 | 3 >\n {% endfill %}\n {% endif %}\n{% endcomponent %}\n
Omitting the
component
keywordIf you would like to omit the
component
keyword, and simply refer to your components by their registered names:{% button name=\"John\" job=\"Developer\" / %}\n
You can do so by setting the \"shorthand\" Tag formatter in the settings:
# settings.py\nCOMPONENTS = {\n \"tag_formatter\": \"django_components.component_shorthand_formatter\",\n}\n
Extended template tag syntax
Unlike regular Django template tags, django-components' tags offer extra features like defining literal lists and dicts, and more. Read more about Template tag syntax.
"},{"location":"concepts/fundamentals/rendering_components/#registering-components","title":"Registering components","text":"For a component to be renderable with the
{% component %}
tag, it must be first registered with the@register()
decorator.For example, if you register a component under the name
\"button\"
:from typing import NamedTuple\nfrom django_components import Component, register\n\n@register(\"button\")\nclass Button(Component):\n template_file = \"button.html\"\n\n class Kwargs(NamedTuple):\n name: str\n job: str\n\n def get_template_data(self, args, kwargs, slots, context):\n ...\n
Then you can render this component by using its registered name
\"button\"
in the template:{% component \"button\" name=\"John\" job=\"Developer\" / %}\n
As you can see above, the args and kwargs passed to the
{% component %}
tag correspond to the component's input.For more details, read Registering components.
Why do I need to register components?
TL;DR: To be able to share components as libraries, and because components can be registed with multiple registries / libraries.
Django-components allows to share components across projects.
However, different projects may use different settings. For example, one project may prefer the \"long\" format:
{% component \"button\" name=\"John\" job=\"Developer\" / %}\n
While the other may use the \"short\" format:
{% button name=\"John\" job=\"Developer\" / %}\n
Both approaches are supported simultaneously for backwards compatibility, because django-components started out with only the \"long\" format.
To avoid ambiguity, when you use a 3rd party library, it uses the syntax that the author had configured for it.
So when you are creating a component, django-components need to know which registry the component belongs to, so it knows which syntax to use.
"},{"location":"concepts/fundamentals/rendering_components/#rendering-templates","title":"Rendering templates","text":"If you have embedded the component in a Django template using the
[project root]/templates/my_template.html{% component %}
tag:{% load component_tags %}\n<div>\n {% component \"calendar\" date=\"2024-12-13\" / %}\n</div>\n
You can simply render the template with the Django's API:
django.shortcuts.render()
from django.shortcuts import render\n\ncontext = {\"date\": \"2024-12-13\"}\nrendered_template = render(request, \"my_template.html\", context)\n
Template.render()
"},{"location":"concepts/fundamentals/rendering_components/#isolating-components","title":"Isolating components","text":"from django.template import Template\nfrom django.template.loader import get_template\n\n# Either from a file\ntemplate = get_template(\"my_template.html\")\n\n# or inlined\ntemplate = Template(\"\"\"\n {% load component_tags %}\n <div>\n {% component \"calendar\" date=\"2024-12-13\" / %}\n </div>\n\"\"\")\n\nrendered_template = template.render()\n
By default, components behave similarly to Django's
{% include %}
, and the template inside the component has access to the variables defined in the outer template.You can selectively isolate a component, using the
only
flag, so that the inner template can access only the data that was explicitly passed to it:{% component \"name\" positional_arg keyword_arg=value ... only / %}\n
Alternatively, you can set all components to be isolated by default, by setting
context_behavior
to\"isolated\"
in your settings:
"},{"location":"concepts/fundamentals/rendering_components/#render-method","title":"# settings.py\nCOMPONENTS = {\n \"context_behavior\": \"isolated\",\n}\n
render()
method","text":"The
Component.render()
method renders a component to a string.This is the equivalent of calling the
{% component %}
tag.from typing import NamedTuple, Optional\nfrom django_components import Component, SlotInput\n\nclass Button(Component):\n template_file = \"button.html\"\n\n class Args(NamedTuple):\n name: str\n\n class Kwargs(NamedTuple):\n surname: str\n age: int\n\n class Slots(NamedTuple):\n footer: Optional[SlotInput] = None\n\n def get_template_data(self, args, kwargs, slots, context):\n ...\n\nButton.render(\n args=[\"John\"],\n kwargs={\n \"surname\": \"Doe\",\n \"age\": 30,\n },\n slots={\n \"footer\": \"i AM A SLOT\",\n },\n)\n
Component.render()
accepts the following arguments:args
- Positional arguments to pass to the component (as a list or tuple)kwargs
- Keyword arguments to pass to the component (as a dictionary)slots
- Slot content to pass to the component (as a dictionary)context
- Django context for rendering (can be a dictionary or aContext
object)deps_strategy
- Dependencies rendering strategy (default:\"document\"
)request
- HTTP request object, used for context processors (optional)escape_slots_content
- Whether to HTML-escape slot content (default:True
)
All arguments are optional. If not provided, they default to empty values or sensible defaults.
See the API reference for
"},{"location":"concepts/fundamentals/rendering_components/#render_to_response-method","title":"Component.render()
for more details on the arguments.render_to_response()
method","text":"The
Component.render_to_response()
method works just likeComponent.render()
, but wraps the result in an HTTP response.It accepts all the same arguments as
Component.render()
.Any extra arguments are passed to the
HttpResponse
constructor.from typing import NamedTuple, Optional\nfrom django_components import Component, SlotInput\n\nclass Button(Component):\n template_file = \"button.html\"\n\n class Args(NamedTuple):\n name: str\n\n class Kwargs(NamedTuple):\n surname: str\n age: int\n\n class Slots(NamedTuple):\n footer: Optional[SlotInput] = None\n\n def get_template_data(self, args, kwargs, slots, context):\n ...\n\n# Render the component to an HttpResponse\nresponse = Button.render_to_response(\n args=[\"John\"],\n kwargs={\n \"surname\": \"Doe\",\n \"age\": 30,\n },\n slots={\n \"footer\": \"i AM A SLOT\",\n },\n # Additional response arguments\n status=200,\n headers={\"X-Custom-Header\": \"Value\"},\n)\n
This method is particularly useful in view functions, as you can return the result of the component directly:
"},{"location":"concepts/fundamentals/rendering_components/#custom-response-classes","title":"Custom response classes","text":"def profile_view(request, user_id):\n return Button.render_to_response(\n kwargs={\n \"surname\": \"Doe\",\n \"age\": 30,\n },\n request=request,\n )\n
By default,
Component.render_to_response()
returns a standard DjangoHttpResponse
.You can customize this by setting the
response_class
attribute on your component:
"},{"location":"concepts/fundamentals/rendering_components/#dependencies-rendering","title":"Dependencies rendering","text":"from django.http import HttpResponse\nfrom django_components import Component\n\nclass MyHttpResponse(HttpResponse):\n ...\n\nclass MyComponent(Component):\n response_class = MyHttpResponse\n\nresponse = MyComponent.render_to_response()\nassert isinstance(response, MyHttpResponse)\n
The rendered HTML may be used in different contexts (browser, email, etc), and each may need different handling of JS and CSS scripts.
render()
andrender_to_response()
accept adeps_strategy
parameter, which controls where and how the JS / CSS are inserted into the HTML.The
deps_strategy
parameter is ultimately passed torender_dependencies()
.Learn more about Rendering JS / CSS.
There are six dependencies rendering strategies:
document
(default)- Smartly inserts JS / CSS into placeholders (
{% component_js_dependencies %}
) or into<head>
and<body>
tags. - Inserts extra script to allow
fragment
components to work. - Assumes the HTML will be rendered in a JS-enabled browser.
- Smartly inserts JS / CSS into placeholders (
fragment
- A lightweight HTML fragment to be inserted into a document with AJAX.
- Assumes the page was already rendered with
\"document\"
strategy. - No JS / CSS included.
simple
- Smartly insert JS / CSS into placeholders (
{% component_js_dependencies %}
) or into<head>
and<body>
tags. - No extra script loaded.
- Smartly insert JS / CSS into placeholders (
prepend
- Insert JS / CSS before the rendered HTML.
- Ignores the placeholders (
{% component_js_dependencies %}
) and any<head>
/<body>
HTML tags. - No extra script loaded.
append
- Insert JS / CSS after the rendered HTML.
- Ignores the placeholders (
{% component_js_dependencies %}
) and any<head>
/<body>
HTML tags. - No extra script loaded.
ignore
- HTML is left as-is. You can still process it with a different strategy later with
render_dependencies()
. - Used for inserting rendered HTML into other components.
- HTML is left as-is. You can still process it with a different strategy later with
Info
You can use the
\"prepend\"
and\"append\"
strategies to force to output JS / CSS for components that don't have neither the placeholders like{% component_js_dependencies %}
, nor any<head>
/<body>
HTML tags:rendered = Calendar.render_to_response(\n request=request,\n kwargs={\n \"date\": request.GET.get(\"date\", \"\"),\n },\n deps_strategy=\"append\",\n)\n
Renders something like this:
"},{"location":"concepts/fundamentals/rendering_components/#passing-context","title":"Passing context","text":"<!-- Calendar component -->\n<div class=\"calendar\">\n ...\n</div>\n<!-- Appended JS / CSS -->\n<script src=\"...\"></script>\n<link href=\"...\"></link>\n
The
render()
andrender_to_response()
methods accept an optionalcontext
argument. This sets the context within which the component is rendered.When a component is rendered within a template with the
{% component %}
tag, this will be automatically set to the Context instance that is used for rendering the template.When you call
Component.render()
directly from Python, there is no context object, so you can ignore this input most of the time. Instead, useargs
,kwargs
, andslots
to pass data to the component.However, you can pass
RequestContext
to thecontext
argument, so that the component will gain access to the request object and will use context processors. Read more on Working with HTTP requests.Button.render(\n context=RequestContext(request),\n)\n
For advanced use cases, you can use
context
argument to \"pre-render\" the component in Python, and then pass the rendered output as plain string to the template. With this, the inner component is rendered as if it was within the template with{% component %}
.class Button(Component):\n def render(self, context, template):\n # Pass `context` to Icon component so it is rendered\n # as if nested within Button.\n icon = Icon.render(\n context=context,\n args=[\"icon-name\"],\n deps_strategy=\"ignore\",\n )\n # Update context with icon\n with context.update({\"icon\": icon}):\n return template.render(context)\n
Warning
Whether the variables defined in
context
are actually available in the template depends on the context behavior mode:-
In
\"django\"
context behavior mode, the template will have access to the keys of this context. -
In
\"isolated\"
context behavior mode, the template will NOT have access to this context, and data MUST be passed via component's args and kwargs.
Therefore, it's strongly recommended to not rely on defining variables on the context object, but instead passing them through as
args
andkwargs
\u274c Don't do this:
html = ProfileCard.render(\n context={\"name\": \"John\"},\n)\n
\u2705 Do this:
"},{"location":"concepts/fundamentals/rendering_components/#typing-render-methods","title":"Typing render methods","text":"html = ProfileCard.render(\n kwargs={\"name\": \"John\"},\n)\n
Neither
Component.render()
norComponent.render_to_response()
are typed, due to limitations of Python's type system.To add type hints, you can wrap the inputs in component's
Args
,Kwargs
, andSlots
classes.Read more on Typing and validation.
"},{"location":"concepts/fundamentals/rendering_components/#components-as-input","title":"Components as input","text":"from typing import NamedTuple, Optional\nfrom django_components import Component, Slot, SlotInput\n\n# Define the component with the types\nclass Button(Component):\n class Args(NamedTuple):\n name: str\n\n class Kwargs(NamedTuple):\n surname: str\n age: int\n\n class Slots(NamedTuple):\n my_slot: Optional[SlotInput] = None\n footer: SlotInput\n\n# Add type hints to the render call\nButton.render(\n args=Button.Args(\n name=\"John\",\n ),\n kwargs=Button.Kwargs(\n surname=\"Doe\",\n age=30,\n ),\n slots=Button.Slots(\n footer=Slot(lambda *a, **kwa: \"Click me!\"),\n ),\n)\n
django_components makes it possible to compose components in a \"React-like\" way, where you can render one component and use its output as input to another component:
from django.utils.safestring import mark_safe\n\n# Render the inner component\ninner_html = InnerComponent.render(\n kwargs={\"some_data\": \"value\"},\n deps_strategy=\"ignore\", # Important for nesting!\n)\n\n# Use inner component's output in the outer component\nouter_html = OuterComponent.render(\n kwargs={\n \"content\": mark_safe(inner_html), # Mark as safe to prevent escaping\n },\n)\n
The key here is setting
deps_strategy=\"ignore\"
for the inner component. This prevents duplicate rendering of JS / CSS dependencies when the outer component is rendered.When
deps_strategy=\"ignore\"
:- No JS or CSS dependencies will be added to the output HTML
- The component's content is rendered as-is
- The outer component will take care of including all needed dependencies
Read more about Rendering JS / CSS.
"},{"location":"concepts/fundamentals/rendering_components/#dynamic-components","title":"Dynamic components","text":"Django components defines a special \"dynamic\" component (
DynamicComponent
).Normally, you have to hard-code the component name in the template:
{% component \"button\" / %}\n
The dynamic component allows you to dynamically render any component based on the
is
kwarg. This is similar to Vue's dynamic components (<component :is>
).{% component \"dynamic\" is=table_comp data=table_data headers=table_headers %}\n {% fill \"pagination\" %}\n {% component \"pagination\" / %}\n {% endfill %}\n{% endcomponent %}\n
The args, kwargs, and slot fills are all passed down to the underlying component.
As with other components, the dynamic component can be rendered from Python:
"},{"location":"concepts/fundamentals/rendering_components/#dynamic-component-name","title":"Dynamic component name","text":"from django_components import DynamicComponent\n\nDynamicComponent.render(\n kwargs={\n \"is\": table_comp,\n \"data\": table_data,\n \"headers\": table_headers,\n },\n slots={\n \"pagination\": PaginationComponent.render(\n deps_strategy=\"ignore\",\n ),\n },\n)\n
By default, the dynamic component is registered under the name
\"dynamic\"
. In case of a conflict, you can set theCOMPONENTS.dynamic_component_name
setting to change the name used for the dynamic components.# settings.py\nCOMPONENTS = ComponentsSettings(\n dynamic_component_name=\"my_dynamic\",\n)\n
After which you will be able to use the dynamic component with the new name:
"},{"location":"concepts/fundamentals/rendering_components/#html-fragments","title":"HTML fragments","text":"{% component \"my_dynamic\" is=table_comp data=table_data headers=table_headers %}\n {% fill \"pagination\" %}\n {% component \"pagination\" / %}\n {% endfill %}\n{% endcomponent %}\n
Django-components provides a seamless integration with HTML fragments with AJAX (HTML over the wire), whether you're using jQuery, HTMX, AlpineJS, vanilla JavaScript, or other.
This is achieved by the combination of the
\"document\"
and\"fragment\"
dependencies rendering strategies.Read more about HTML fragments and Rendering JS / CSS.
"},{"location":"concepts/fundamentals/secondary_js_css_files/","title":"Secondary JS / CSS files","text":""},{"location":"concepts/fundamentals/secondary_js_css_files/#overview","title":"Overview","text":"Each component can define extra or \"secondary\" CSS / JS files using the nested
Component.Media
class, by settingComponent.Media.js
andComponent.Media.css
.The main HTML / JS / CSS files are limited to 1 per component. This is not the case for the secondary files, where components can have many of them.
There is also no special behavior or post-processing for these secondary files, they are loaded as is.
You can use these for third-party libraries, or for shared CSS / JS files.
These must be set as paths, URLs, or custom objects.
@register(\"calendar\")\nclass Calendar(Component):\n class Media:\n js = [\n \"https://unpkg.com/alpinejs@3.14.7/dist/cdn.min.js\",\n \"calendar/script.js\",\n ]\n css = [\n \"https://unpkg.com/tailwindcss@^2/dist/tailwind.min.css\",\n \"calendar/style.css\",\n ]\n
Note
django-component's management of files is inspired by Django's
Media
class.To be familiar with how Django handles static files, we recommend reading also:
- How to manage static files (e.g. images, JavaScript, CSS)
Media
class","text":"Use the
Media
class to define secondary JS / CSS files for a component.This
Media
class behaves similarly to Django's Media class:- Static paths - Paths are handled as static file paths, and are resolved to URLs with Django's
{% static %}
template tag. - URLs - A path that starts with
http
,https
, or/
is considered a URL. URLs are NOT resolved with{% static %}
. - HTML tags - Both static paths and URLs are rendered to
<script>
and<link>
HTML tags withmedia_class.render_js()
andmedia_class.render_css()
. - Bypass formatting - A
SafeString
, or a function (with__html__
method) is considered an already-formatted HTML tag, skipping both static file resolution and rendering withmedia_class.render_js()
ormedia_class.render_css()
. - Inheritance - You can set
extend
to configure whether to inherit JS / CSS from parent components. See Media inheritance.
However, there's a few differences from Django's Media class:
- Our Media class accepts various formats for the JS and CSS files: either a single file, a list, or (CSS-only) a dictonary (See
ComponentMediaInput
). - Individual JS / CSS files can be any of
str
,bytes
,Path
,SafeString
, or a function (SeeComponentMediaInputPath
). - Individual JS / CSS files can be glob patterns, e.g.
*.js
orstyles/**/*.css
. - If you set
Media.extend
to a list, it should be a list ofComponent
classes.
"},{"location":"concepts/fundamentals/secondary_js_css_files/#css-media-types","title":"CSS media types","text":"from components.layout import LayoutComp\n\nclass MyTable(Component):\n class Media:\n js = [\n \"path/to/script.js\",\n \"path/to/*.js\", # Or as a glob\n \"https://unpkg.com/alpinejs@3.14.7/dist/cdn.min.js\", # AlpineJS\n ]\n css = {\n \"all\": [\n \"path/to/style.css\",\n \"path/to/*.css\", # Or as a glob\n \"https://unpkg.com/tailwindcss@^2/dist/tailwind.min.css\", # TailwindCSS\n ],\n \"print\": [\"path/to/style2.css\"],\n }\n\n # Reuse JS / CSS from LayoutComp\n extend = [\n LayoutComp,\n ]\n
You can define which stylesheets will be associated with which CSS media types. You do so by defining CSS files as a dictionary.
See the corresponding Django Documentation.
Again, you can set either a single file or a list of files per media type:
class MyComponent(Component):\n class Media:\n css = {\n \"all\": \"path/to/style1.css\",\n \"print\": [\"path/to/style2.css\", \"path/to/style3.css\"],\n }\n
Which will render the following HTML:
<link href=\"/static/path/to/style1.css\" media=\"all\" rel=\"stylesheet\">\n<link href=\"/static/path/to/style2.css\" media=\"print\" rel=\"stylesheet\">\n<link href=\"/static/path/to/style3.css\" media=\"print\" rel=\"stylesheet\">\n
Note
When you define CSS as a string or a list, the
all
media type is implied.So these two examples are the same:
class MyComponent(Component):\n class Media:\n css = \"path/to/style1.css\"\n
"},{"location":"concepts/fundamentals/secondary_js_css_files/#media-inheritance","title":"Media inheritance","text":"class MyComponent(Component):\n class Media:\n css = {\n \"all\": [\"path/to/style1.css\"],\n }\n
By default, the media files are inherited from the parent component.
class ParentComponent(Component):\n class Media:\n js = [\"parent.js\"]\n\nclass MyComponent(ParentComponent):\n class Media:\n js = [\"script.js\"]\n\nprint(MyComponent.media._js) # [\"parent.js\", \"script.js\"]\n
You can set the component NOT to inherit from the parent component by setting the
extend
attribute toFalse
:class ParentComponent(Component):\n class Media:\n js = [\"parent.js\"]\n\nclass MyComponent(ParentComponent):\n class Media:\n extend = False # Don't inherit parent media\n js = [\"script.js\"]\n\nprint(MyComponent.media._js) # [\"script.js\"]\n
Alternatively, you can specify which components to inherit from. In such case, the media files are inherited ONLY from the specified components, and NOT from the original parent components:
class ParentComponent(Component):\n class Media:\n js = [\"parent.js\"]\n\nclass MyComponent(ParentComponent):\n class Media:\n # Only inherit from these, ignoring the files from the parent\n extend = [OtherComponent1, OtherComponent2]\n\n js = [\"script.js\"]\n\nprint(MyComponent.media._js) # [\"script.js\", \"other1.js\", \"other2.js\"]\n
Info
The
extend
behaves consistently with Django's Media class, with one exception:- When you set
extend
to a list, the list is expected to contain Component classes (or other classes that have a nestedMedia
class).
To access the files that you defined under
Component.Media
, useComponent.media
(lowercase).This is consistent behavior with Django's Media class.
class MyComponent(Component):\n class Media:\n js = \"path/to/script.js\"\n css = \"path/to/style.css\"\n\nprint(MyComponent.media)\n# Output:\n# <script src=\"/static/path/to/script.js\"></script>\n# <link href=\"/static/path/to/style.css\" media=\"all\" rel=\"stylesheet\">\n
When working with component media files, it is important to understand the difference:
-
Component.Media
- Is the \"raw\" media definition, or the input, which holds only the component's own media definition
- This class is NOT instantiated, it merely holds the JS / CSS files.
-
Component.media
- Returns all resolved media files, including those inherited from parent components
- Is an instance of
Component.media_class
class ParentComponent(Component):\n class Media:\n js = [\"parent.js\"]\n\nclass ChildComponent(ParentComponent):\n class Media:\n js = [\"child.js\"]\n\n# Access only this component's media\nprint(ChildComponent.Media.js) # [\"child.js\"]\n\n# Access all inherited media\nprint(ChildComponent.media._js) # [\"parent.js\", \"child.js\"]\n
Note
You should not manually modify
Component.media
orComponent.Media
after the component has been resolved, as this may lead to unexpected behavior.If you want to modify the class that is instantiated for
"},{"location":"concepts/fundamentals/secondary_js_css_files/#file-paths","title":"File paths","text":"Component.media
, you can configureComponent.media_class
(See example).Unlike the main HTML / JS / CSS files, the path definition for the secondary files are quite ergonomic.
"},{"location":"concepts/fundamentals/secondary_js_css_files/#relative-to-component","title":"Relative to component","text":"As seen in the getting started example, to associate HTML / JS / CSS files with a component, you can set them as
[project root]/components/calendar/calendar.pyComponent.template_file
,Component.js_file
andComponent.css_file
respectively:from django_components import Component, register\n\n@register(\"calendar\")\nclass Calendar(Component):\n template_file = \"template.html\"\n css_file = \"style.css\"\n js_file = \"script.js\"\n
In the example above, we defined the files relative to the directory where the component file is defined.
Alternatively, you can specify the file paths relative to the directories set in
COMPONENTS.dirs
orCOMPONENTS.app_dirs
.If you specify the paths relative to component's directory, django-componenents does the conversion automatically for you.
Thus, assuming that
[project root]/components/calendar/calendar.pyCOMPONENTS.dirs
contains path[project root]/components
, the example above is the same as writing:from django_components import Component, register\n\n@register(\"calendar\")\nclass Calendar(Component):\n template_file = \"calendar/template.html\"\n css_file = \"calendar/style.css\"\n js_file = \"calendar/script.js\"\n
Important
File path resolution in-depth
At component class creation, django-components checks all file paths defined on the component (e.g.
Component.template_file
).For each file path, it checks if the file path is relative to the component's directory. And such file exists, the component's file path is re-written to be defined relative to a first matching directory in
COMPONENTS.dirs
orCOMPONENTS.app_dirs
.Example:
[root]/components/mytable/mytable.pyclass MyTable(Component):\n template_file = \"mytable.html\"\n
- Component
MyTable
is defined in file[root]/components/mytable/mytable.py
. - The component's directory is thus
[root]/components/mytable/
. - Because
MyTable.template_file
ismytable.html
, django-components tries to resolve it as[root]/components/mytable/mytable.html
. - django-components checks the filesystem. If there's no such file, nothing happens.
- If there IS such file, django-components tries to rewrite the path.
- django-components searches
COMPONENTS.dirs
andCOMPONENTS.app_dirs
for a first directory that contains[root]/components/mytable/mytable.html
. - It comes across
[root]/components/
, which DOES contain the path tomytable.html
. - Thus, it rewrites
template_file
frommytable.html
tomytable/mytable.html
.
NOTE: In case of ambiguity, the preference goes to resolving the files relative to the component's directory.
"},{"location":"concepts/fundamentals/secondary_js_css_files/#globs","title":"Globs","text":"Components can have many secondary files. To simplify their declaration, you can use globs.
Globs MUST be relative to the component's directory.
[project root]/components/calendar/calendar.pyfrom django_components import Component, register\n\n@register(\"calendar\")\nclass Calendar(Component):\n class Media:\n js = [\n \"path/to/*.js\",\n \"another/path/*.js\",\n ]\n css = \"*.css\"\n
How this works is that django-components will detect that the path is a glob, and will try to resolve all files matching the glob pattern relative to the component's directory.
After that, the file paths are handled the same way as if you defined them explicitly.
"},{"location":"concepts/fundamentals/secondary_js_css_files/#supported-types","title":"Supported types","text":"File paths can be any of:
str
bytes
PathLike
(__fspath__
method)SafeData
(__html__
method)Callable
that returns any of the above, evaluated at class creation (__new__
)
To help with typing the union, use
ComponentMediaInputPath
.
"},{"location":"concepts/fundamentals/secondary_js_css_files/#paths-as-objects","title":"Paths as objects","text":"from pathlib import Path\n\nfrom django.utils.safestring import mark_safe\n\nclass SimpleComponent(Component):\n class Media:\n css = [\n mark_safe('<link href=\"/static/calendar/style1.css\" rel=\"stylesheet\" />'),\n Path(\"calendar/style1.css\"),\n \"calendar/style2.css\",\n b\"calendar/style3.css\",\n lambda: \"calendar/style4.css\",\n ]\n js = [\n mark_safe('<script src=\"/static/calendar/script1.js\"></script>'),\n Path(\"calendar/script1.js\"),\n \"calendar/script2.js\",\n b\"calendar/script3.js\",\n lambda: \"calendar/script4.js\",\n ]\n
In the example above, you can see that when we used Django's
mark_safe()
to mark a string as aSafeString
, we had to define the URL / path as an HTML<script>
/<link>
elements.This is an extension of Django's Paths as objects feature, where \"safe\" strings are taken as is, and are accessed only at render time.
Because of that, the paths defined as \"safe\" strings are NEVER resolved, neither relative to component's directory, nor relative to
COMPONENTS.dirs
. It is assumed that you will define the full<script>
/<link>
tag with the correct URL / path.\"Safe\" strings can be used to lazily resolve a path, or to customize the
<script>
or<link>
tag for individual paths:In the example below, we make use of \"safe\" strings to add
type=\"module\"
to the script tag that will fetchcalendar/script2.js
. In this case, we implemented a \"safe\" string by defining a__html__
method.
"},{"location":"concepts/fundamentals/secondary_js_css_files/#rendering-paths","title":"Rendering paths","text":"# Path object\nclass ModuleJsPath:\n def __init__(self, static_path: str) -> None:\n self.static_path = static_path\n\n # Lazily resolve the path\n def __html__(self):\n full_path = static(self.static_path)\n return format_html(\n f'<script type=\"module\" src=\"{full_path}\"></script>'\n )\n\n@register(\"calendar\")\nclass Calendar(Component):\n template_file = \"calendar/template.html\"\n\n class Media:\n css = \"calendar/style1.css\"\n js = [\n # <script> tag constructed by Media class\n \"calendar/script1.js\",\n # Custom <script> tag\n ModuleJsPath(\"calendar/script2.js\"),\n ]\n
As part of the rendering process, the secondary JS / CSS files are resolved and rendered into
<link>
and<script>
HTML tags, so they can be inserted into the render.In the Paths as objects section, we saw that we can use that to selectively change how the HTML tags are constructed.
However, if you need to change how ALL CSS and JS files are rendered for a given component, you can provide your own subclass of Django's
Media
class to theComponent.media_class
attribute.To change how the tags are constructed, you can override the
Media.render_js()
andMedia.render_css()
methods:
"},{"location":"concepts/fundamentals/single_file_components/","title":"Single-file components","text":"from django.forms.widgets import Media\nfrom django_components import Component, register\n\nclass MyMedia(Media):\n # Same as original Media.render_js, except\n # the `<script>` tag has also `type=\"module\"`\n def render_js(self):\n tags = []\n for path in self._js:\n if hasattr(path, \"__html__\"):\n tag = path.__html__()\n else:\n tag = format_html(\n '<script type=\"module\" src=\"{}\"></script>',\n self.absolute_path(path)\n )\n return tags\n\n@register(\"calendar\")\nclass Calendar(Component):\n template_file = \"calendar/template.html\"\n css_file = \"calendar/style.css\"\n js_file = \"calendar/script.js\"\n\n class Media:\n css = \"calendar/style1.css\"\n js = \"calendar/script2.js\"\n\n # Override the behavior of Media class\n media_class = MyMedia\n
Components can be defined in a single file, inlining the HTML, JS and CSS within the Python code.
"},{"location":"concepts/fundamentals/single_file_components/#writing-single-file-components","title":"Writing single file components","text":"To do this, you can use the
template
,js
, andcss
class attributes instead of thetemplate_file
,js_file
, andcss_file
.For example, here's the calendar component from the Getting started tutorial:
calendar.pyfrom django_components import Component\n\nclass Calendar(Component):\n template_file = \"calendar.html\"\n js_file = \"calendar.js\"\n css_file = \"calendar.css\"\n
And here is the same component, rewritten in a single file:
[project root]/components/calendar.pyfrom django_components import Component, register, types\n\n@register(\"calendar\")\nclass Calendar(Component):\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"date\": kwargs[\"date\"],\n }\n\n template: types.django_html = \"\"\"\n <div class=\"calendar\">\n Today's date is <span>{{ date }}</span>\n </div>\n \"\"\"\n\n css: types.css = \"\"\"\n .calendar {\n width: 200px;\n background: pink;\n }\n .calendar span {\n font-weight: bold;\n }\n \"\"\"\n\n js: types.js = \"\"\"\n (function(){\n if (document.querySelector(\".calendar\")) {\n document.querySelector(\".calendar\").onclick = () => {\n alert(\"Clicked calendar!\");\n };\n }\n })()\n \"\"\"\n
You can mix and match, so you can have a component with inlined HTML, while the JS and CSS are in separate files:
[project root]/components/calendar.py
"},{"location":"concepts/fundamentals/single_file_components/#syntax-highlighting","title":"Syntax highlighting","text":"from django_components import Component, register, types\n\n@register(\"calendar\")\nclass Calendar(Component):\n js_file = \"calendar.js\"\n css_file = \"calendar.css\"\n\n template: types.django_html = \"\"\"\n <div class=\"calendar\">\n Today's date is <span>{{ date }}</span>\n </div>\n \"\"\"\n
If you \"inline\" the HTML, JS and CSS code into the Python class, you should set up syntax highlighting to let your code editor know that the inlined code is HTML, JS and CSS.
In the examples above, we've annotated the
template
,js
, andcss
attributes with thetypes.django_html
,types.js
andtypes.css
types. These are used for syntax highlighting in VSCode.Warning
Autocompletion / intellisense does not work in the inlined code.
Help us add support for intellisense in the inlined code! Start a conversation in the GitHub Discussions.
"},{"location":"concepts/fundamentals/single_file_components/#vscode","title":"VSCode","text":"-
First install Python Inline Source Syntax Highlighting extension, it will give you syntax highlighting for the template, CSS, and JS.
-
Next, in your component, set typings of
Component.template
,Component.js
,Component.css
totypes.django_html
,types.css
, andtypes.js
respectively. The extension will recognize these and will activate syntax highlighting.
"},{"location":"concepts/fundamentals/single_file_components/#pycharm-or-other-jetbrains-ides","title":"Pycharm (or other Jetbrains IDEs)","text":"from django_components import Component, register, types\n\n@register(\"calendar\")\nclass Calendar(Component):\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"date\": kwargs[\"date\"],\n }\n\n template: types.django_html = \"\"\"\n <div class=\"calendar-component\">\n Today's date is <span>{{ date }}</span>\n </div>\n \"\"\"\n\n css: types.css = \"\"\"\n .calendar-component {\n width: 200px;\n background: pink;\n }\n .calendar-component span {\n font-weight: bold;\n }\n \"\"\"\n\n js: types.js = \"\"\"\n (function(){\n if (document.querySelector(\".calendar-component\")) {\n document.querySelector(\".calendar-component\").onclick = function(){ alert(\"Clicked calendar!\"); };\n }\n })()\n \"\"\"\n
With PyCharm (or any other editor from Jetbrains), you don't need to use
types.django_html
,types.css
,types.js
since Pycharm uses language injections.You only need to write the comments
# language=<lang>
above the variables.
"},{"location":"concepts/fundamentals/single_file_components/#markdown-code-blocks-with-pygments","title":"Markdown code blocks with Pygments","text":"from django_components import Component, register\n\n@register(\"calendar\")\nclass Calendar(Component):\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"date\": kwargs[\"date\"],\n }\n\n # language=HTML\n template= \"\"\"\n <div class=\"calendar-component\">\n Today's date is <span>{{ date }}</span>\n </div>\n \"\"\"\n\n # language=CSS\n css = \"\"\"\n .calendar-component {\n width: 200px;\n background: pink;\n }\n .calendar-component span {\n font-weight: bold;\n }\n \"\"\"\n\n # language=JS\n js = \"\"\"\n (function(){\n if (document.querySelector(\".calendar-component\")) {\n document.querySelector(\".calendar-component\").onclick = function(){ alert(\"Clicked calendar!\"); };\n }\n })()\n \"\"\"\n
Pygments is a syntax highlighting library written in Python. It's also what's used by this documentation site (mkdocs-material) to highlight code blocks.
To write code blocks with syntax highlighting, you need to install the
pygments-djc
package.pip install pygments-djc\n
And then initialize it by importing
pygments_djc
somewhere in your project:import pygments_djc\n
Now you can use the
djc_py
code block to write code blocks with syntax highlighting for components.\\```djc_py\nfrom django_components import Component, register\n\n@register(\"calendar\")\nclass Calendar(Component):\n template = \"\"\"\n <div class=\"calendar-component\">\n Today's date is <span>{{ date }}</span>\n </div>\n \"\"\"\n\n css = \"\"\"\n .calendar-component {\n width: 200px;\n background: pink;\n }\n .calendar-component span {\n font-weight: bold;\n }\n \"\"\"\n\\```\n
Will be rendered as below. Notice that the CSS and HTML are highlighted correctly:
"},{"location":"concepts/fundamentals/slots/","title":"Slots","text":"from django_components import Component, register\n\n@register(\"calendar\")\nclass Calendar(Component):\n template= \"\"\"\n <div class=\"calendar-component\">\n Today's date is <span>{{ date }}</span>\n </div>\n \"\"\"\n\n css = \"\"\"\n .calendar-component {\n width: 200px;\n background: pink;\n }\n .calendar-component span {\n font-weight: bold;\n }\n \"\"\"\n
New in version 0.26:
- The
slot
tag now serves only to declare new slots inside the component template. - To override the content of a declared slot, use the newly introduced
fill
tag instead. - Whereas unfilled slots used to raise a warning, filling a slot is now optional by default.
- To indicate that a slot must be filled, the new
required
option should be added at the end of theslot
tag.
Components support something called 'slots'. When a component is used inside another template, slots allow the parent template to override specific parts of the child component by passing in different content. This mechanism makes components more reusable and composable. This behavior is similar to slots in Vue.
In the example below we introduce two block tags that work hand in hand to make this work. These are...
{% slot <name> %}
/{% endslot %}
: Declares a new slot in the component template.{% fill <name> %}
/{% endfill %}
: (Used inside a{% component %}
tag pair.) Fills a declared slot with the specified content.
Let's update our calendar component to support more customization. We'll add
slot
tag pairs to its template, template.html.<div class=\"calendar-component\">\n <div class=\"header\">\n {% slot \"header\" %}Calendar header{% endslot %}\n </div>\n <div class=\"body\">\n {% slot \"body\" %}Today's date is <span>{{ date }}</span>{% endslot %}\n </div>\n</div>\n
When using the component, you specify which slots you want to fill and where you want to use the defaults from the template. It looks like this:
{% component \"calendar\" date=\"2020-06-06\" %}\n {% fill \"body\" %}\n Can you believe it's already <span>{{ date }}</span>??\n {% endfill %}\n{% endcomponent %}\n
Since the 'header' fill is unspecified, it's taken from the base template. If you put this in a template, and pass in
date=2020-06-06
, this is what gets rendered:
"},{"location":"concepts/fundamentals/slots/#named-slots","title":"Named slots","text":"<div class=\"calendar-component\">\n <div class=\"header\">\n Calendar header\n </div>\n <div class=\"body\">\n Can you believe it's already <span>2020-06-06</span>??\n </div>\n</div>\n
As seen in the previouse section, you can use
{% fill slot_name %}
to insert content into a specific slot.You can define fills for multiple slot simply by defining them all within the
{% component %} {% endcomponent %}
tags:{% component \"calendar\" date=\"2020-06-06\" %}\n {% fill \"header\" %}\n Hi this is header!\n {% endfill %}\n {% fill \"body\" %}\n Can you believe it's already <span>{{ date }}</span>??\n {% endfill %}\n{% endcomponent %}\n
You can also use
{% for %}
,{% with %}
, or other non-component tags (even{% include %}
) to construct the{% fill %}
tags, as long as these other tags do not leave any text behind!
"},{"location":"concepts/fundamentals/slots/#default-slot","title":"Default slot","text":"{% component \"table\" %}\n {% for slot_name in slots %}\n {% fill name=slot_name %}\n {{ slot_name }}\n {% endfill %}\n {% endfor %}\n\n {% with slot_name=\"abc\" %}\n {% fill name=slot_name %}\n {{ slot_name }}\n {% endfill %}\n {% endwith %}\n{% endcomponent %}\n
Added in version 0.28
As you can see, component slots lets you write reusable containers that you fill in when you use a component. This makes for highly reusable components that can be used in different circumstances.
It can become tedious to use
fill
tags everywhere, especially when you're using a component that declares only one slot. To make things easier,slot
tags can be marked with an optional keyword:default
.When added to the tag (as shown below), this option lets you pass filling content directly in the body of a
component
tag pair \u2013 without using afill
tag. Choose carefully, though: a component template may contain at most one slot that is marked asdefault
. Thedefault
option can be combined with other slot options, e.g.required
.Here's the same example as before, except with default slots and implicit filling.
The template:
<div class=\"calendar-component\">\n <div class=\"header\">\n {% slot \"header\" %}Calendar header{% endslot %}\n </div>\n <div class=\"body\">\n {% slot \"body\" default %}Today's date is <span>{{ date }}</span>{% endslot %}\n </div>\n</div>\n
Including the component (notice how the
fill
tag is omitted):{% component \"calendar\" date=\"2020-06-06\" %}\n Can you believe it's already <span>{{ date }}</span>??\n{% endcomponent %}\n
The rendered result (exactly the same as before):
<div class=\"calendar-component\">\n <div class=\"header\">Calendar header</div>\n <div class=\"body\">Can you believe it's already <span>2020-06-06</span>??</div>\n</div>\n
You may be tempted to combine implicit fills with explicit
fill
tags. This will not work. The following component template will raise an error when rendered.{# DON'T DO THIS #}\n{% component \"calendar\" date=\"2020-06-06\" %}\n {% fill \"header\" %}Totally new header!{% endfill %}\n Can you believe it's already <span>{{ date }}</span>??\n{% endcomponent %}\n
Instead, you can use a named fill with name
default
to target the default fill:{# THIS WORKS #}\n{% component \"calendar\" date=\"2020-06-06\" %}\n {% fill \"header\" %}Totally new header!{% endfill %}\n {% fill \"default\" %}\n Can you believe it's already <span>{{ date }}</span>??\n {% endfill %}\n{% endcomponent %}\n
NOTE: If you doubly-fill a slot, that is, that both
"},{"location":"concepts/fundamentals/slots/#accessing-default-slot-in-python","title":"Accessing default slot in Python","text":"{% fill \"default\" %}
and{% fill \"header\" %}
would point to the same slot, this will raise an error when rendered.Since the default slot is stored under the slot name
default
, you can access the default slot like so:
"},{"location":"concepts/fundamentals/slots/#render-fill-in-multiple-places","title":"Render fill in multiple places","text":"class MyTable(Component):\n def get_template_data(self, args, kwargs, slots, context):\n default_slot = slots[\"default\"]\n return {\n \"default_slot\": default_slot,\n }\n
Added in version 0.70
You can render the same content in multiple places by defining multiple slots with identical names:
<div class=\"calendar-component\">\n <div class=\"header\">\n {% slot \"image\" %}Image here{% endslot %}\n </div>\n <div class=\"body\">\n {% slot \"image\" %}Image here{% endslot %}\n </div>\n</div>\n
So if used like:
{% component \"calendar\" date=\"2020-06-06\" %}\n {% fill \"image\" %}\n <img src=\"...\" />\n {% endfill %}\n{% endcomponent %}\n
This renders:
"},{"location":"concepts/fundamentals/slots/#default-and-required-slots","title":"Default and required slots","text":"<div class=\"calendar-component\">\n <div class=\"header\">\n <img src=\"...\" />\n </div>\n <div class=\"body\">\n <img src=\"...\" />\n </div>\n</div>\n
If you use a slot multiple times, you can still mark the slot as
default
orrequired
. For that, you must mark each slot individually, e.g.:<div class=\"calendar-component\">\n <div class=\"header\">\n {% slot \"image\" default required %}Image here{% endslot %}\n </div>\n <div class=\"body\">\n {% slot \"image\" default required %}Image here{% endslot %}\n </div>\n</div>\n
Which you can then use as regular default slot:
{% component \"calendar\" date=\"2020-06-06\" %}\n <img src=\"...\" />\n{% endcomponent %}\n
Since each slot is tagged individually, you can have multiple slots with the same name but different conditions.
E.g. in this example, we have a component that renders a user avatar - a small circular image with a profile picture or name initials.
If the component is given
image_src
orname_initials
variables, theimage
slot is optional. But if neither of those are provided, you MUST fill theimage
slot.
"},{"location":"concepts/fundamentals/slots/#accessing-original-content-of-slots","title":"Accessing original content of slots","text":"<div class=\"avatar\">\n {% if image_src %}\n {% slot \"image\" default %}\n <img src=\"{{ image_src }}\" />\n {% endslot %}\n {% elif name_initials %}\n {% slot \"image\" default %}\n <div style=\"\n border-radius: 25px;\n width: 50px;\n height: 50px;\n background: blue;\n \">\n {{ name_initials }}\n </div>\n {% endslot %}\n {% else %}\n {% slot \"image\" default required / %}\n {% endif %}\n</div>\n
Added in version 0.26
NOTE: In version 0.77, the syntax was changed from
{% fill \"my_slot\" as \"alias\" %} {{ alias.default }}\n
to
{% fill \"my_slot\" default=\"slot_default\" %} {{ slot_default }}\n
Sometimes you may want to keep the original slot, but only wrap or prepend/append content to it. To do so, you can access the default slot via the
default
kwarg.Similarly to the
data
attribute, you specify the variable name through which the default slot will be made available.For instance, let's say you're filling a slot called 'body'. To render the original slot, assign it to a variable using the
'default'
keyword. You then render this variable to insert the default content:{% component \"calendar\" date=\"2020-06-06\" %}\n {% fill \"body\" default=\"body_default\" %}\n {{ body_default }}. Have a great day!\n {% endfill %}\n{% endcomponent %}\n
This produces:
<div class=\"calendar-component\">\n <div class=\"header\">\n Calendar header\n </div>\n <div class=\"body\">\n Today's date is <span>2020-06-06</span>. Have a great day!\n </div>\n</div>\n
To access the original content of a default slot, set the name to
default
:
"},{"location":"concepts/fundamentals/slots/#conditional-slots","title":"Conditional slots","text":"{% component \"calendar\" date=\"2020-06-06\" %}\n {% fill \"default\" default=\"slot_default\" %}\n {{ slot_default }}. Have a great day!\n {% endfill %}\n{% endcomponent %}\n
Added in version 0.26.
NOTE: In version 0.70,
{% if_filled %}
tags were replaced with{{ component_vars.is_filled }}
variables. If your slot name contained special characters, see the section Accessingis_filled
of slot names with special characters.In certain circumstances, you may want the behavior of slot filling to depend on whether or not a particular slot is filled.
For example, suppose we have the following component template:
<div class=\"frontmatter-component\">\n <div class=\"title\">\n {% slot \"title\" %}Title{% endslot %}\n </div>\n <div class=\"subtitle\">\n {% slot \"subtitle\" %}{# Optional subtitle #}{% endslot %}\n </div>\n</div>\n
By default the slot named 'subtitle' is empty. Yet when the component is used without explicit fills, the div containing the slot is still rendered, as shown below:
<div class=\"frontmatter-component\">\n <div class=\"title\">Title</div>\n <div class=\"subtitle\"></div>\n</div>\n
This may not be what you want. What if instead the outer 'subtitle' div should only be included when the inner slot is in fact filled?
The answer is to use the
{{ component_vars.is_filled.<name> }}
variable. You can use this together with Django's{% if/elif/else/endif %}
tags to define a block whose contents will be rendered only if the component slot with the corresponding 'name' is filled.This is what our example looks like with
component_vars.is_filled
.<div class=\"frontmatter-component\">\n <div class=\"title\">\n {% slot \"title\" %}Title{% endslot %}\n </div>\n {% if component_vars.is_filled.subtitle %}\n <div class=\"subtitle\">\n {% slot \"subtitle\" %}{# Optional subtitle #}{% endslot %}\n </div>\n {% endif %}\n</div>\n
Here's our example with more complex branching.
<div class=\"frontmatter-component\">\n <div class=\"title\">\n {% slot \"title\" %}Title{% endslot %}\n </div>\n {% if component_vars.is_filled.subtitle %}\n <div class=\"subtitle\">\n {% slot \"subtitle\" %}{# Optional subtitle #}{% endslot %}\n </div>\n {% elif component_vars.is_filled.title %}\n ...\n {% elif component_vars.is_filled.<name> %}\n ...\n {% endif %}\n</div>\n
Sometimes you're not interested in whether a slot is filled, but rather that it isn't. To negate the meaning of
component_vars.is_filled
, simply treat it as boolean and negate it withnot
:
"},{"location":"concepts/fundamentals/slots/#accessing-is_filled-of-slot-names-with-special-characters","title":"Accessing{% if not component_vars.is_filled.subtitle %}\n<div class=\"subtitle\">\n {% slot \"subtitle\" / %}\n</div>\n{% endif %}\n
is_filled
of slot names with special characters","text":"To be able to access a slot name via
component_vars.is_filled
, the slot name needs to be composed of only alphanumeric characters and underscores (e.g.this__isvalid_123
).However, you can still define slots with other special characters. In such case, the slot name in
component_vars.is_filled
is modified to replace all invalid characters into_
.So a slot named
\"my super-slot :)\"
will be available ascomponent_vars.is_filled.my_super_slot___
.Same applies when you are accessing
is_filled
from within the Python, e.g.:
"},{"location":"concepts/fundamentals/slots/#conditional-fills","title":"Conditional fills","text":"class MyTable(Component):\n def on_render_before(self, context, template) -> None:\n # \u2705 Works\n if self.is_filled[\"my_super_slot___\"]:\n # Do something\n\n # \u274c Does not work\n if self.is_filled[\"my super-slot :)\"]:\n # Do something\n
Similarly, you can use
{% if %}
and{% for %}
when defining the{% fill %}
tags, to conditionally fill the slots when using the componnet:In the example below, the
{% fill \"footer\" %}
fill is used only if the condition is true. If falsy, the fill is ignored, and so themy_table
component will use its default content for thefooter
slot.{% component \"my_table\" %}\n {% if editable %}\n {% fill \"footer\" %}\n <input name=\"name\" />\n {% endfill %}\n {% endif %}\n{% endcomponent %}\n
You can even combine
{% if %}
and{% for %}
:
"},{"location":"concepts/fundamentals/slots/#scoped-slots","title":"Scoped slots","text":"{% component \"my_table\" %}\n {% for header in headers %}\n {% if header != \"hyperlink\" %}\n {# Generate fill name like `header.my_column` #}\n {% fill name=\"header.\"|add:header\" %}\n <b>{{ header }}</b>\n {% endfill %}\n {% endif %}\n {% endfor %}\n{% endcomponent %}\n
Added in version 0.76:
Consider a component with slot(s). This component may do some processing on the inputs, and then use the processed variable in the slot's default template:
@register(\"my_comp\")\nclass MyComp(Component):\n template = \"\"\"\n <div>\n {% slot \"content\" default %}\n input: {{ input }}\n {% endslot %}\n </div>\n \"\"\"\n\n def get_template_data(self, args, kwargs, slots, context):\n processed_input = do_something(kwargs[\"input\"])\n return {\"input\": processed_input}\n
You may want to design a component so that users of your component can still access the
input
variable, so they don't have to recompute it.This behavior is called \"scoped slots\". This is inspired by Vue scoped slots and scoped slots of django-web-components.
Using scoped slots consists of two steps:
- Passing data to
slot
tag - Accessing data in
fill
tag
To pass the data to the
slot
tag, simply pass them as keyword attributes (key=value
):
"},{"location":"concepts/fundamentals/slots/#accessing-slot-data-in-fill","title":"Accessing slot data in fill","text":"@register(\"my_comp\")\nclass MyComp(Component):\n template = \"\"\"\n <div>\n {% slot \"content\" default input=input %}\n input: {{ input }}\n {% endslot %}\n </div>\n \"\"\"\n\n def get_template_data(self, args, kwargs, slots, context):\n processed_input = do_something(kwargs[\"input\"])\n return {\n \"input\": processed_input,\n }\n
Next, we head over to where we define a fill for this slot. Here, to access the slot data we set the
data
attribute to the name of the variable through which we want to access the slot data. In the example below, we set it todata
:{% component \"my_comp\" %}\n {% fill \"content\" data=\"slot_data\" %}\n {{ slot_data.input }}\n {% endfill %}\n{% endcomponent %}\n
To access slot data on a default slot, you have to explictly define the
{% fill %}
tags.So this works:
{% component \"my_comp\" %}\n {% fill \"content\" data=\"slot_data\" %}\n {{ slot_data.input }}\n {% endfill %}\n{% endcomponent %}\n
While this does not:
{% component \"my_comp\" data=\"data\" %}\n {{ data.input }}\n{% endcomponent %}\n
Note: You cannot set the
data
attribute anddefault
attribute) to the same name. This raises an error:
"},{"location":"concepts/fundamentals/slots/#slot-data-of-default-slots","title":"Slot data of default slots","text":"{% component \"my_comp\" %}\n {% fill \"content\" data=\"slot_var\" default=\"slot_var\" %}\n {{ slot_var.input }}\n {% endfill %}\n{% endcomponent %}\n
To access data of a default slot, you can specify
{% fill name=\"default\" %}
:
"},{"location":"concepts/fundamentals/slots/#dynamic-slots-and-fills","title":"Dynamic slots and fills","text":"{% component \"my_comp\" %}\n {% fill \"default\" data=\"slot_data\" %}\n {{ slot_data.input }}\n {% endfill %}\n{% endcomponent %}\n
Until now, we were declaring slot and fill names statically, as a string literal, e.g.
{% slot \"content\" / %}\n
However, sometimes you may want to generate slots based on the given input. One example of this is a table component like that of Vuetify, which creates a header and an item slots for each user-defined column.
In django_components you can achieve the same, simply by using a variable (or a template expression) instead of a string literal:
<table>\n <tr>\n {% for header in headers %}\n <th>\n {% slot \"header-{{ header.key }}\" value=header.title %}\n {{ header.title }}\n {% endslot %}\n </th>\n {% endfor %}\n </tr>\n</table>\n
When using the component, you can either set the fill explicitly:
{% component \"table\" headers=headers items=items %}\n {% fill \"header-name\" data=\"data\" %}\n <b>{{ data.value }}</b>\n {% endfill %}\n{% endcomponent %}\n
Or also use a variable:
{% component \"table\" headers=headers items=items %}\n {# Make only the active column bold #}\n {% fill \"header-{{ active_header_name }}\" data=\"data\" %}\n <b>{{ data.value }}</b>\n {% endfill %}\n{% endcomponent %}\n
NOTE: It's better to use static slot names whenever possible for clarity. The dynamic slot names should be reserved for advanced use only.
Lastly, in rare cases, you can also pass the slot name via the spread operator. This is possible, because the slot name argument is actually a shortcut for a
name
keyword argument.So this:
{% slot \"content\" / %}\n
is the same as:
{% slot name=\"content\" / %}\n
So it's possible to define a
name
key on a dictionary, and then spread that onto the slot tag:
"},{"location":"concepts/fundamentals/slots/#pass-through-all-the-slots","title":"Pass through all the slots","text":"{# slot_props = {\"name\": \"content\"} #}\n{% slot ...slot_props / %}\n
You can dynamically pass all slots to a child component. This is similar to passing all slots in Vue:
"},{"location":"concepts/fundamentals/slots/#escaping-slots-content","title":"Escaping slots content","text":"class MyTable(Component):\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"slots\": slots,\n }\n\n template = \"\"\"\n <div>\n {% component \"child\" %}\n {% for slot_name in slots %}\n {% fill name=slot_name data=\"data\" %}\n {% slot name=slot_name ...data / %}\n {% endfill %}\n {% endfor %}\n {% endcomponent %}\n </div>\n \"\"\"\n
Slots content are automatically escaped by default to prevent XSS attacks.
In other words, it's as if you would be using Django's
mark_safe()
function on the slot content:from django.utils.safestring import mark_safe\n\nclass Calendar(Component):\n template = \"\"\"\n <div>\n {% slot \"date\" default date=date / %}\n </div>\n \"\"\"\n\nCalendar.render(\n slots={\n \"date\": mark_safe(\"<b>Hello</b>\"),\n }\n)\n
To disable escaping, you can pass
escape_slots_content=False
toComponent.render()
orComponent.render_to_response()
methods.Warning
If you disable escaping, you should make sure that any content you pass to the slots is safe, especially if it comes from user input!
Info
If you're planning on passing an HTML string, check Django's use of
"},{"location":"concepts/fundamentals/subclassing_components/","title":"Subclassing components","text":"format_html
andmark_safe
.In larger projects, you might need to write multiple components with similar behavior. In such cases, you can extract shared behavior into a standalone component class to keep things DRY.
When subclassing a component, there's a couple of things to keep in mind:
"},{"location":"concepts/fundamentals/subclassing_components/#template-js-and-css-inheritance","title":"Template, JS, and CSS inheritance","text":"When it comes to the pairs:
Component.template
/Component.template_file
Component.js
/Component.js_file
Component.css
/Component.css_file
inheritance follows these rules:
- If a child component class defines either member of a pair (e.g., either
template
ortemplate_file
), it takes precedence and the parent's definition is ignored completely. - For example, if a child component defines
template_file
, the parent'stemplate
ortemplate_file
will be ignored. - This applies independently to each pair - you can inherit the JS while overriding the template, for instance.
For example:
"},{"location":"concepts/fundamentals/subclassing_components/#media-inheritance","title":"Media inheritance","text":"class BaseCard(Component):\n template = \"\"\"\n <div class=\"card\">\n <div class=\"card-content\">{{ content }}</div>\n </div>\n \"\"\"\n css = \"\"\"\n .card {\n border: 1px solid gray;\n }\n \"\"\"\n js = \"\"\"console.log('Base card loaded');\"\"\"\n\n# This class overrides parent's template, but inherits CSS and JS\nclass SpecialCard(BaseCard):\n template = \"\"\"\n <div class=\"card special\">\n <div class=\"card-content\">\u2728 {{ content }} \u2728</div>\n </div>\n \"\"\"\n\n# This class overrides parent's template and CSS, but inherits JS\nclass CustomCard(BaseCard):\n template_file = \"custom_card.html\"\n css = \"\"\"\n .card {\n border: 2px solid gold;\n }\n \"\"\"\n
The
Component.Media
nested class follows Django's media inheritance rules:- If both parent and child define a
Media
class, the child's media will automatically include both its own and the parent's JS and CSS files. - This behavior can be configured using the
extend
attribute in the Media class, similar to Django's forms. Read more on this in Media inheritance.
For example:
"},{"location":"concepts/fundamentals/subclassing_components/#regular-python-inheritance","title":"Regular Python inheritance","text":"class BaseModal(Component):\n template = \"<div>Modal content</div>\"\n\n class Media:\n css = [\"base_modal.css\"]\n js = [\"base_modal.js\"] # Contains core modal functionality\n\nclass FancyModal(BaseModal):\n class Media:\n # Will include both base_modal.css/js AND fancy_modal.css/js\n css = [\"fancy_modal.css\"] # Additional styling\n js = [\"fancy_modal.js\"] # Additional animations\n\nclass SimpleModal(BaseModal):\n class Media:\n extend = False # Don't inherit parent's media\n css = [\"simple_modal.css\"] # Only this CSS will be included\n js = [\"simple_modal.js\"] # Only this JS will be included\n
All other attributes and methods (including the
Component.View
class and its methods) follow standard Python inheritance rules.For example:
"},{"location":"concepts/fundamentals/template_tag_syntax/","title":"Template tag syntax","text":"class BaseForm(Component):\n template = \"\"\"\n <form>\n {{ form_content }}\n <button type=\"submit\">\n {{ submit_text }}\n </button>\n </form>\n \"\"\"\n\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"form_content\": self.get_form_content(),\n \"submit_text\": \"Submit\"\n }\n\n def get_form_content(self):\n return \"<input type='text' name='data'>\"\n\nclass ContactForm(BaseForm):\n # Extend parent's \"context\"\n # but override \"submit_text\"\n def get_template_data(self, args, kwargs, slots, context):\n context = super().get_template_data(args, kwargs, slots, context)\n context[\"submit_text\"] = \"Send Message\" \n return context\n\n # Completely override parent's get_form_content\n def get_form_content(self):\n return \"\"\"\n <input type='text' name='name' placeholder='Your Name'>\n <input type='email' name='email' placeholder='Your Email'>\n <textarea name='message' placeholder='Your Message'></textarea>\n \"\"\"\n
All template tags in django_component, like
"},{"location":"concepts/fundamentals/template_tag_syntax/#self-closing-tags","title":"Self-closing tags","text":"{% component %}
or{% slot %}
, and so on, support extra syntax that makes it possible to write components like in Vue or React (JSX).When you have a tag like
{% component %}
or{% slot %}
, but it has no content, you can simply append a forward slash/
at the end, instead of writing out the closing tags like{% endcomponent %}
or{% endslot %}
:So this:
{% component \"button\" %}{% endcomponent %}\n
becomes
"},{"location":"concepts/fundamentals/template_tag_syntax/#special-characters","title":"Special characters","text":"{% component \"button\" / %}\n
New in version 0.71:
Keyword arguments can contain special characters
# @ . - _
, so keywords like so are still valid:<body>\n {% component \"calendar\" my-date=\"2015-06-19\" @click.native=do_something #some_id=True / %}\n</body>\n
These can then be accessed inside
get_template_data
so:
"},{"location":"concepts/fundamentals/template_tag_syntax/#spread-operator","title":"Spread operator","text":"@register(\"calendar\")\nclass Calendar(Component):\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"date\": kwargs[\"my-date\"],\n \"id\": kwargs[\"#some_id\"],\n \"on_click\": kwargs[\"@click.native\"]\n }\n
New in version 0.93:
Instead of passing keyword arguments one-by-one:
{% component \"calendar\" title=\"How to abc\" date=\"2015-06-19\" author=\"John Wick\" / %}\n
You can use a spread operator
...dict
to apply key-value pairs from a dictionary:post_data = {\n \"title\": \"How to...\",\n \"date\": \"2015-06-19\",\n \"author\": \"John Wick\",\n}\n
{% component \"calendar\" ...post_data / %}\n
This behaves similar to JSX's spread operator or Vue's
v-bind
.Spread operators are treated as keyword arguments, which means that:
- Spread operators must come after positional arguments.
- You cannot use spread operators for positional-only arguments.
Other than that, you can use spread operators multiple times, and even put keyword arguments in-between or after them:
{% component \"calendar\" ...post_data id=post.id ...extra / %}\n
In a case of conflicts, the values added later (right-most) overwrite previous values.
"},{"location":"concepts/fundamentals/template_tag_syntax/#template-tags-inside-literal-strings","title":"Template tags inside literal strings","text":"New in version 0.93
When passing data around, sometimes you may need to do light transformations, like negating booleans or filtering lists.
Normally, what you would have to do is to define ALL the variables inside
get_template_data()
. But this can get messy if your components contain a lot of logic.@register(\"calendar\")\nclass Calendar(Component):\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"editable\": kwargs[\"editable\"],\n \"readonly\": not kwargs[\"editable\"],\n \"input_id\": f\"input-{kwargs['id']}\",\n \"icon_id\": f\"icon-{kwargs['id']}\",\n ...\n }\n
Instead, template tags in django_components (
{% component %}
,{% slot %}
,{% provide %}
, etc) allow you to treat literal string values as templates:{% component 'blog_post'\n \"As positional arg {# yay #}\"\n title=\"{{ person.first_name }} {{ person.last_name }}\"\n id=\"{% random_int 10 20 %}\"\n readonly=\"{{ editable|not }}\"\n author=\"John Wick {# TODO: parametrize #}\"\n/ %}\n
In the example above, the component receives:
- Positional argument
\"As positional arg \"
(Comment omitted) title
- passed asstr
, e.g.John Doe
id
- passed asint
, e.g.15
readonly
- passed asbool
, e.g.False
author
- passed asstr
, e.g.John Wick
(Comment omitted)
This is inspired by django-cotton.
"},{"location":"concepts/fundamentals/template_tag_syntax/#passing-data-as-string-vs-original-values","title":"Passing data as string vs original values","text":"In the example above, the kwarg
id
was passed as an integer, NOT a string.When the string literal contains only a single template tag, with no extra text (and no extra whitespace), then the value is passed as the original type instead of a string.
Here,
page
is an integer:{% component 'blog_post' page=\"{% random_int 10 20 %}\" / %}\n
Here,
page
is a string:{% component 'blog_post' page=\" {% random_int 10 20 %} \" / %}\n
And same applies to the
{{ }}
variable tags:Here,
items
is a list:{% component 'cat_list' items=\"{{ cats|slice:':2' }}\" / %}\n
Here,
items
is a string:
"},{"location":"concepts/fundamentals/template_tag_syntax/#evaluating-python-expressions-in-template","title":"Evaluating Python expressions in template","text":"{% component 'cat_list' items=\"{{ cats|slice:':2' }} See more\" / %}\n
You can even go a step further and have a similar experience to Vue or React, where you can evaluate arbitrary code expressions:
<MyForm value={isEnabled ? inputValue : null} />\n
Similar is possible with
django-expr
, which adds anexpr
tag and filter that you can use to evaluate Python expressions from within the template:{% component \"my_form\"\n value=\"{% expr 'input_value if is_enabled else None' %}\"\n/ %}\n
Note: Never use this feature to mix business logic and template logic. Business logic should still be in the view!
"},{"location":"concepts/fundamentals/template_tag_syntax/#pass-dictonary-by-its-key-value-pairs","title":"Pass dictonary by its key-value pairs","text":"New in version 0.74:
Sometimes, a component may expect a dictionary as one of its inputs.
Most commonly, this happens when a component accepts a dictionary of HTML attributes (usually called
attrs
) to pass to the underlying template.In such cases, we may want to define some HTML attributes statically, and other dynamically. But for that, we need to define this dictionary on Python side:
@register(\"my_comp\")\nclass MyComp(Component):\n template = \"\"\"\n {% component \"other\" attrs=attrs / %}\n \"\"\"\n\n def get_template_data(self, args, kwargs, slots, context):\n attrs = {\n \"class\": \"pa-4 flex\",\n \"data-some-id\": kwargs[\"some_id\"],\n \"@click.stop\": \"onClickHandler\",\n }\n return {\"attrs\": attrs}\n
But as you can see in the case above, the event handler
@click.stop
and stylingpa-4 flex
are disconnected from the template. If the component grew in size and we moved the HTML to a separate file, we would have hard time reasoning about the component's template.Luckily, there's a better way.
When we want to pass a dictionary to a component, we can define individual key-value pairs as component kwargs, so we can keep all the relevant information in the template. For that, we prefix the key with the name of the dict and
:
. So keyclass
of inputattrs
becomesattrs:class
. And our example becomes:@register(\"my_comp\")\nclass MyComp(Component):\n template = \"\"\"\n {% component \"other\"\n attrs:class=\"pa-4 flex\"\n attrs:data-some-id=some_id\n attrs:@click.stop=\"onClickHandler\"\n / %}\n \"\"\"\n\n def get_template_data(self, args, kwargs, slots, context):\n return {\"some_id\": kwargs[\"some_id\"]}\n
Sweet! Now all the relevant HTML is inside the template, and we can move it to a separate file with confidence:
{% component \"other\"\n attrs:class=\"pa-4 flex\"\n attrs:data-some-id=some_id\n attrs:@click.stop=\"onClickHandler\"\n/ %}\n
Note: It is NOT possible to define nested dictionaries, so
attrs:my_key:two=2
would be interpreted as:
"},{"location":"concepts/fundamentals/template_tag_syntax/#multiline-tags","title":"Multiline tags","text":"{\"attrs\": {\"my_key:two\": 2}}\n
By default, Django expects a template tag to be defined on a single line.
However, this can become unwieldy if you have a component with a lot of inputs:
{% component \"card\" title=\"Joanne Arc\" subtitle=\"Head of Kitty Relations\" date_last_active=\"2024-09-03\" ... %}\n
Instead, when you install django_components, it automatically configures Django to suport multi-line tags.
So we can rewrite the above as:
{% component \"card\"\n title=\"Joanne Arc\"\n subtitle=\"Head of Kitty Relations\"\n date_last_active=\"2024-09-03\"\n ...\n%}\n
Much better!
To disable this behavior, set
"},{"location":"concepts/fundamentals/typing_and_validation/","title":"Typing and validation","text":""},{"location":"concepts/fundamentals/typing_and_validation/#typing-overview","title":"Typing overview","text":"COMPONENTS.multiline_tag
toFalse
Warning
In versions 0.92 to 0.139 (inclusive), the component typing was specified through generics.
Since v0.140, the types must be specified as class attributes of the Component class -
Args
,Kwargs
,Slots
,TemplateData
,JsData
, andCssData
.See Migrating from generics to class attributes for more info.
Warning
Input validation was NOT part of Django Components between versions 0.136 and 0.139 (inclusive).
The
Component
class optionally accepts class attributes that allow you to define the types of args, kwargs, slots, as well as the data returned from the data methods.Use this to add type hints to your components, to validate the inputs at runtime, and to document them.
from typing import NamedTuple, Optional\nfrom django.template import Context\nfrom django_components import Component, SlotInput\n\nclass Button(Component):\n class Args(NamedTuple):\n size: int\n text: str\n\n class Kwargs(NamedTuple):\n variable: str\n maybe_var: Optional[int] = None # May be omitted\n\n class Slots(NamedTuple):\n my_slot: Optional[SlotInput] = None\n\n def get_template_data(self, args: Args, kwargs: Kwargs, slots: Slots, context: Context):\n ...\n\n template_file = \"button.html\"\n
The class attributes are:
Args
- Type for positional arguments.Kwargs
- Type for keyword arguments.Slots
- Type for slots.TemplateData
- Type for data returned fromget_template_data()
.JsData
- Type for data returned fromget_js_data()
.CssData
- Type for data returned fromget_css_data()
.
You can specify as many or as few of these as you want, the rest will default to
"},{"location":"concepts/fundamentals/typing_and_validation/#typing-inputs","title":"Typing inputs","text":"None
.You can use
Component.Args
,Component.Kwargs
, andComponent.Slots
to type the component inputs.When you set these classes, at render time the
args
,kwargs
, andslots
parameters of the data methods (get_template_data()
,get_js_data()
,get_css_data()
) will be instances of these classes.This way, each component can have runtime validation of the inputs:
- When you use
NamedTuple
or@dataclass
, instantiating these classes will check ONLY for the presence of the attributes. - When you use Pydantic models, instantiating these classes will check for the presence AND type of the attributes.
If you omit the
Args
,Kwargs
, orSlots
classes, or set them toNone
, the inputs will be passed as plain lists or dictionaries, and will not be validated.from typing_extensions import NamedTuple, TypedDict\nfrom django.template import Context\nfrom django_components import Component, Slot, SlotInput\n\n# The data available to the `footer` scoped slot\nclass ButtonFooterSlotData(TypedDict):\n value: int\n\n# Define the component with the types\nclass Button(Component):\n class Args(NamedTuple):\n name: str\n\n class Kwargs(NamedTuple):\n surname: str\n age: int\n maybe_var: Optional[int] = None # May be omitted\n\n class Slots(NamedTuple):\n # Use `SlotInput` to allow slots to be given as `Slot` instance,\n # plain string, or a function that returns a string.\n my_slot: Optional[SlotInput] = None\n # Use `Slot` to allow ONLY `Slot` instances.\n # The generic is optional, and it specifies the data available\n # to the slot function.\n footer: Slot[ButtonFooterSlotData]\n\n # Add type hints to the data method\n def get_template_data(self, args: Args, kwargs: Kwargs, slots: Slots, context: Context):\n # The parameters are instances of the classes we defined\n assert isinstance(args, Button.Args)\n assert isinstance(kwargs, Button.Kwargs)\n assert isinstance(slots, Button.Slots)\n\n args.name # str\n kwargs.age # int\n slots.footer # Slot[ButtonFooterSlotData]\n\n# Add type hints to the render call\nButton.render(\n args=Button.Args(\n name=\"John\",\n ),\n kwargs=Button.Kwargs(\n surname=\"Doe\",\n age=30,\n ),\n slots=Button.Slots(\n footer=Slot(lambda *a, **kwa: \"Click me!\"),\n ),\n)\n
If you don't want to validate some parts, set them to
None
or omit them.The following will validate only the keyword inputs:
class Button(Component):\n # We could also omit these\n Args = None\n Slots = None\n\n class Kwargs(NamedTuple):\n name: str\n age: int\n\n # Only `kwargs` is instantiated. `args` and `slots` are not.\n def get_template_data(self, args, kwargs: Kwargs, slots, context: Context):\n assert isinstance(args, list)\n assert isinstance(slots, dict)\n assert isinstance(kwargs, Button.Kwargs)\n\n args[0] # str\n slots[\"footer\"] # Slot[ButtonFooterSlotData]\n kwargs.age # int\n
Info
Components can receive slots as strings, functions, or instances of
Slot
.Internally these are all normalized to instances of
Slot
.Therefore, the
slots
dictionary available in data methods (likeget_template_data()
) will always be a dictionary ofSlot
instances.To correctly type this dictionary, you should set the fields of
Slots
toSlot
orSlotInput
:
"},{"location":"concepts/fundamentals/typing_and_validation/#typing-data","title":"Typing data","text":"SlotInput
is a union ofSlot
, string, and function types.You can use
Component.TemplateData
,Component.JsData
, andComponent.CssData
to type the data returned fromget_template_data()
,get_js_data()
, andget_css_data()
.When you set these classes, at render time they will be instantiated with the data returned from these methods.
This way, each component can have runtime validation of the returned data:
- When you use
NamedTuple
or@dataclass
, instantiating these classes will check ONLY for the presence of the attributes. - When you use Pydantic models, instantiating these classes will check for the presence AND type of the attributes.
If you omit the
TemplateData
,JsData
, orCssData
classes, or set them toNone
, the validation and instantiation will be skipped.from typing import NamedTuple\nfrom django_components import Component\n\nclass Button(Component):\n class TemplateData(NamedTuple):\n data1: str\n data2: int\n\n class JsData(NamedTuple):\n js_data1: str\n js_data2: int\n\n class CssData(NamedTuple):\n css_data1: str\n css_data2: int\n\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"data1\": \"...\",\n \"data2\": 123,\n }\n\n def get_js_data(self, args, kwargs, slots, context):\n return {\n \"js_data1\": \"...\",\n \"js_data2\": 123,\n }\n\n def get_css_data(self, args, kwargs, slots, context):\n return {\n \"css_data1\": \"...\",\n \"css_data2\": 123,\n }\n
For each data method, you can either return a plain dictionary with the data, or an instance of the respective data class directly.
"},{"location":"concepts/fundamentals/typing_and_validation/#custom-types","title":"Custom types","text":"from typing import NamedTuple\nfrom django_components import Component\n\nclass Button(Component):\n class TemplateData(NamedTuple):\n data1: str\n data2: int\n\n class JsData(NamedTuple):\n js_data1: str\n js_data2: int\n\n class CssData(NamedTuple):\n css_data1: str\n css_data2: int\n\n def get_template_data(self, args, kwargs, slots, context):\n return Button.TemplateData(\n data1=\"...\",\n data2=123,\n )\n\n def get_js_data(self, args, kwargs, slots, context):\n return Button.JsData(\n js_data1=\"...\",\n js_data2=123,\n )\n\n def get_css_data(self, args, kwargs, slots, context):\n return Button.CssData(\n css_data1=\"...\",\n css_data2=123,\n )\n
We recommend to use
NamedTuple
for theArgs
class, andNamedTuple
, dataclasses, or Pydantic models forKwargs
,Slots
,TemplateData
,JsData
, andCssData
classes.However, you can use any class, as long as they meet the conditions below.
For example, here is how you can use Pydantic models to validate the inputs at runtime.
"},{"location":"concepts/fundamentals/typing_and_validation/#args-class","title":"from django_components import Component\nfrom pydantic import BaseModel\n\nclass Table(Component):\n class Kwargs(BaseModel):\n name: str\n age: int\n\n def get_template_data(self, args, kwargs, slots, context):\n assert isinstance(kwargs, Table.Kwargs)\n\nTable.render(\n kwargs=Table.Kwargs(name=\"John\", age=30),\n)\n
Args
class","text":"The
Args
class represents a list of positional arguments. It must meet two conditions:-
The constructor for the
Args
class must accept positional arguments.Args(*args)\n
-
The
Args
instance must be convertable to a list.list(Args(1, 2, 3))\n
To implement the conversion to a list, you can implement the
__iter__()
method:
"},{"location":"concepts/fundamentals/typing_and_validation/#dictionary-classes","title":"Dictionary classes","text":"class MyClass:\n def __init__(self):\n self.x = 1\n self.y = 2\n\n def __iter__(self):\n return iter([('x', self.x), ('y', self.y)])\n
On the other hand, other types (
Kwargs
,Slots
,TemplateData
,JsData
, andCssData
) represent dictionaries. They must meet these two conditions:-
The constructor must accept keyword arguments.
Kwargs(**kwargs)\nSlots(**slots)\n
-
The instance must be convertable to a dictionary.
dict(Kwargs(a=1, b=2))\ndict(Slots(a=1, b=2))\n
To implement the conversion to a dictionary, you can implement either:
-
_asdict()
methodclass MyClass:\n def __init__(self):\n self.x = 1\n self.y = 2\n\n def _asdict(self):\n return {'x': self.x, 'y': self.y}\n
-
Or make the class dict-like with
__iter__()
and__getitem__()
class MyClass:\n def __init__(self):\n self.x = 1\n self.y = 2\n\n def __iter__(self):\n return iter([('x', self.x), ('y', self.y)])\n\n def __getitem__(self, key):\n return getattr(self, key)\n
You may have a component that accepts any number of args or kwargs.
However, this cannot be described with the current Python's typing system (as of v0.140).
As a workaround:
-
For a variable number of positional arguments (
*args
), set a positional argument that accepts a list of values:class Table(Component):\n class Args(NamedTuple):\n args: List[str]\n\nTable.render(\n args=Table.Args(args=[\"a\", \"b\", \"c\"]),\n)\n
-
For a variable number of keyword arguments (
**kwargs
), set a keyword argument that accepts a dictionary of values:class Table(Component):\n class Kwargs(NamedTuple):\n variable: str\n another: int\n # Pass any extra keys under `extra`\n extra: Dict[str, any]\n\nTable.render(\n kwargs=Table.Kwargs(\n variable=\"a\",\n another=1,\n extra={\"foo\": \"bar\"},\n ),\n)\n
To declare that a component accepts no args, kwargs, etc, define the types with no attributes using the
pass
keyword:from typing import NamedTuple\nfrom django_components import Component\n\nclass Button(Component):\n class Args(NamedTuple):\n pass\n\n class Kwargs(NamedTuple):\n pass\n\n class Slots(NamedTuple):\n pass\n
This can get repetitive, so we added a
Empty
type to make it easier:
"},{"location":"concepts/fundamentals/typing_and_validation/#subclassing","title":"Subclassing","text":"from django_components import Component, Empty\n\nclass Button(Component):\n Args = Empty\n Kwargs = Empty\n Slots = Empty\n
Subclassing components with types is simple.
Since each type class is a separate class attribute, you can just override them in the Component subclass.
In the example below,
ButtonExtra
inheritsKwargs
fromButton
, but overrides theArgs
class.from django_components import Component, Empty\n\nclass Button(Component):\n class Args(NamedTuple):\n size: int\n\n class Kwargs(NamedTuple):\n color: str\n\nclass ButtonExtra(Button):\n class Args(NamedTuple):\n name: str\n size: int\n\n# Stil works the same way!\nButtonExtra.render(\n args=ButtonExtra.Args(name=\"John\", size=30),\n kwargs=ButtonExtra.Kwargs(color=\"red\"),\n)\n
The only difference is when it comes to type hints to the data methods like
get_template_data()
.When you define the nested classes like
Args
andKwargs
directly on the class, you can reference them just by their class name (Args
andKwargs
).But when you have a Component subclass, and it uses
Args
orKwargs
from the parent, you will have to reference the type as a forward reference, including the full name of the component (Button.Args
andButton.Kwargs
).Compare the following:
"},{"location":"concepts/fundamentals/typing_and_validation/#runtime-type-validation","title":"Runtime type validation","text":"class Button(Component):\n class Args(NamedTuple):\n size: int\n\n class Kwargs(NamedTuple):\n color: str\n\n # Both `Args` and `Kwargs` are defined on the class\n def get_template_data(self, args: Args, kwargs: Kwargs, slots, context):\n pass\n\nclass ButtonExtra(Button):\n class Args(NamedTuple):\n name: str\n size: int\n\n # `Args` is defined on the subclass, `Kwargs` is defined on the parent\n def get_template_data(self, args: Args, kwargs: \"ButtonExtra.Kwargs\", slots, context):\n pass\n\nclass ButtonSame(Button):\n # Both `Args` and `Kwargs` are defined on the parent\n def get_template_data(self, args: \"ButtonSame.Args\", kwargs: \"ButtonSame.Kwargs\", slots, context):\n pass\n
When you add types to your component, and implement them as
NamedTuple
ordataclass
, the validation will check only for the presence of the attributes.So this will not catch if you pass a string to an
int
attribute.To enable runtime type validation, you need to use Pydantic models, and install the
djc-ext-pydantic
extension.The
djc-ext-pydantic
extension ensures compatibility between django-components' classes such asComponent
, orSlot
and Pydantic models.First install the extension:
pip install djc-ext-pydantic\n
And then add the extension to your project:
"},{"location":"concepts/fundamentals/typing_and_validation/#migrating-from-generics-to-class-attributes","title":"Migrating from generics to class attributes","text":"COMPONENTS = {\n \"extensions\": [\n \"djc_pydantic.PydanticExtension\",\n ],\n}\n
In versions 0.92 to 0.139 (inclusive), the component typing was specified through generics.
Since v0.140, the types must be specified as class attributes of the Component class -
Args
,Kwargs
,Slots
,TemplateData
,JsData
, andCssData
.This change was necessary to make it possible to subclass components. Subclassing with generics was otherwise too complicated. Read the discussion here.
Because of this change, the
Component.render()
method is no longer typed. To type-check the inputs, you should wrap the inputs inComponent.Args
,Component.Kwargs
,Component.Slots
, etc.For example, if you had a component like this:
from typing import NotRequired, Tuple, TypedDict\nfrom django_components import Component, Slot, SlotInput\n\nButtonArgs = Tuple[int, str]\n\nclass ButtonKwargs(TypedDict):\n variable: str\n another: int\n maybe_var: NotRequired[int] # May be omitted\n\nclass ButtonSlots(TypedDict):\n # Use `SlotInput` to allow slots to be given as `Slot` instance,\n # plain string, or a function that returns a string.\n my_slot: NotRequired[SlotInput]\n # Use `Slot` to allow ONLY `Slot` instances.\n another_slot: Slot\n\nButtonType = Component[ButtonArgs, ButtonKwargs, ButtonSlots]\n\nclass Button(ButtonType):\n def get_context_data(self, *args, **kwargs):\n self.input.args[0] # int\n self.input.kwargs[\"variable\"] # str\n self.input.slots[\"my_slot\"] # Slot[MySlotData]\n\nButton.render(\n args=(1, \"hello\"),\n kwargs={\n \"variable\": \"world\",\n \"another\": 123,\n },\n slots={\n \"my_slot\": \"...\",\n \"another_slot\": Slot(lambda: ...),\n },\n)\n
The steps to migrate are:
- Convert all the types (
ButtonArgs
,ButtonKwargs
,ButtonSlots
) to subclasses ofNamedTuple
. - Move these types inside the Component class (
Button
), and rename them toArgs
,Kwargs
, andSlots
. - If you defined typing for the data methods (like
get_context_data()
), move them inside the Component class, and rename them toTemplateData
,JsData
, andCssData
. - Remove the
Component
generic. -
If you accessed the
args
,kwargs
, orslots
attributes viaself.input
, you will need to add the type hints yourself, becauseself.input
is no longer typed.Otherwise, you may use
Component.get_template_data()
instead ofget_context_data()
, asget_template_data()
receivesargs
,kwargs
,slots
andcontext
as arguments. You will still need to add the type hints yourself. -
Lastly, you will need to update the
Component.render()
calls to wrap the inputs inComponent.Args
,Component.Kwargs
, andComponent.Slots
, to manually add type hints.
Thus, the code above will become:
"},{"location":"getting_started/adding_js_and_css/","title":"Adding JS and CSS","text":"from typing import NamedTuple, Optional\nfrom django.template import Context\nfrom django_components import Component, Slot, SlotInput\n\n# The Component class does not take any generics\nclass Button(Component):\n # Types are now defined inside the component class\n class Args(NamedTuple):\n size: int\n text: str\n\n class Kwargs(NamedTuple):\n variable: str\n another: int\n maybe_var: Optional[int] = None # May be omitted\n\n class Slots(NamedTuple):\n # Use `SlotInput` to allow slots to be given as `Slot` instance,\n # plain string, or a function that returns a string.\n my_slot: Optional[SlotInput] = None\n # Use `Slot` to allow ONLY `Slot` instances.\n another_slot: Slot\n\n # The args, kwargs, slots are instances of the component's Args, Kwargs, and Slots classes\n def get_template_data(self, args: Args, kwargs: Kwargs, slots: Slots, context: Context):\n args.size # int\n kwargs.variable # str\n slots.my_slot # Slot[MySlotData]\n\nButton.render(\n # Wrap the inputs in the component's Args, Kwargs, and Slots classes\n args=Button.Args(1, \"hello\"),\n kwargs=Button.Kwargs(\n variable=\"world\",\n another=123,\n ),\n slots=Button.Slots(\n my_slot=\"...\",\n another_slot=Slot(lambda: ...),\n ),\n)\n
Next we will add CSS and JavaScript to our template.
Info
In django-components, using JS and CSS is as simple as defining them on the Component class. You don't have to insert the
<script>
and<link>
tags into the HTML manually.Behind the scenes, django-components keeps track of which components use which JS and CSS files. Thus, when a component is rendered on the page, the page will contain only the JS and CSS used by the components, and nothing more!
"},{"location":"getting_started/adding_js_and_css/#1-update-project-structure","title":"1. Update project structure","text":"Start by creating empty
calendar.js
andcalendar.css
files:
"},{"location":"getting_started/adding_js_and_css/#2-write-css","title":"2. Write CSS","text":"sampleproject/\n\u251c\u2500\u2500 calendarapp/\n\u251c\u2500\u2500 components/\n\u2502 \u2514\u2500\u2500 calendar/\n\u2502 \u251c\u2500\u2500 calendar.py\n\u2502 \u251c\u2500\u2500 calendar.js \ud83c\udd95\n\u2502 \u251c\u2500\u2500 calendar.css \ud83c\udd95\n\u2502 \u2514\u2500\u2500 calendar.html\n\u251c\u2500\u2500 sampleproject/\n\u251c\u2500\u2500 manage.py\n\u2514\u2500\u2500 requirements.txt\n
Inside
[project root]/components/calendar/calendar.csscalendar.css
, write:.calendar {\n width: 200px;\n background: pink;\n}\n.calendar span {\n font-weight: bold;\n}\n
Be sure to prefix your rules with unique CSS class like
calendar
, so the CSS doesn't clash with other rules.Note
Soon, django-components will automatically scope your CSS by default, so you won't have to worry about CSS class clashes.
This CSS will be inserted into the page as an inlined
<style>
tag, at the position defined by{% component_css_dependencies %}
, or at the end of the inside the<head>
tag (See Default JS / CSS locations).So in your HTML, you may see something like this:
"},{"location":"getting_started/adding_js_and_css/#3-write-js","title":"3. Write JS","text":"<html>\n <head>\n ...\n <style>\n .calendar {\n width: 200px;\n background: pink;\n }\n .calendar span {\n font-weight: bold;\n }\n </style>\n </head>\n <body>\n ...\n </body>\n</html>\n
Next we write a JavaScript file that specifies how to interact with this component.
You are free to use any javascript framework you want.
[project root]/components/calendar/calendar.js(function () {\n document.querySelector(\".calendar\").onclick = () => {\n alert(\"Clicked calendar!\");\n };\n})();\n
A good way to make sure the JS of this component doesn't clash with other components is to define all JS code inside an anonymous self-invoking function (
(() => { ... })()
). This makes all variables defined only be defined inside this component and not affect other components.Note
Soon, django-components will automatically wrap your JS in a self-invoking function by default (except for JS defined with
<script type=\"module\">
).Similarly to CSS, JS will be inserted into the page as an inlined
<script>
tag, at the position defined by{% component_js_dependencies %}
, or at the end of the inside the<body>
tag (See Default JS / CSS locations).So in your HTML, you may see something like this:
"},{"location":"getting_started/adding_js_and_css/#rules-of-js-execution","title":"Rules of JS execution","text":"<html>\n <head>\n ...\n </head>\n <body>\n ...\n <script>\n (function () {\n document.querySelector(\".calendar\").onclick = () => {\n alert(\"Clicked calendar!\");\n };\n })();\n </script>\n </body>\n</html>\n
-
JS is executed in the order in which the components are found in the HTML
By default, the JS is inserted as a synchronous script (
<script> ... </script>
)So if you define multiple components on the same page, their JS will be executed in the order in which the components are found in the HTML.
So if we have a template like so:
<html>\n <head>\n ...\n </head>\n <body>\n {% component \"calendar\" / %}\n {% component \"table\" / %}\n </body>\n</html>\n
Then the JS file of the component
calendar
will be executed first, and the JS file of componenttable
will be executed second. -
JS will be executed only once, even if there is multiple instances of the same component
In this case, the JS of
calendar
will STILL execute first (because it was found first), and will STILL execute only once, even though it's present twice:<html>\n <head>\n ...\n </head>\n <body>\n {% component \"calendar\" / %}\n {% component \"table\" / %}\n {% component \"calendar\" / %}\n </body>\n</html>\n
Finally, we return to our Python component in
calendar.py
to tie this together.To link JS and CSS defined in other files, use
[project root]/components/calendar/calendar.pyjs_file
andcss_file
attributes:from django_components import Component\n\nclass Calendar(Component):\n template_file = \"calendar.html\"\n js_file = \"calendar.js\" # <--- new\n css_file = \"calendar.css\" # <--- new\n\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"date\": \"1970-01-01\",\n }\n
And that's it! If you were to embed this component in an HTML, django-components will automatically embed the associated JS and CSS.
Note
Similarly to the template file, the JS and CSS file paths can be either:
- Relative to the Python component file (as seen above),
- Relative to any of the component directories as defined by
COMPONENTS.dirs
and/orCOMPONENTS.app_dirs
(e.g.[your apps]/components
dir and[project root]/components
) - Relative to any of the directories defined by
STATICFILES_DIRS
.
Your components may depend on third-party packages or styling, or other shared logic. To load these additional dependencies, you can use a nested
Media
class.This
Media
class behaves similarly to Django's Media class, with a few differences:- Our Media class accepts various formats for the JS and CSS files: either a single file, a list, or (CSS-only) a dictonary (see below).
- Individual JS / CSS files can be any of
str
,bytes
,Path
,SafeString
, or a function. - Individual JS / CSS files can be glob patterns, e.g.
*.js
orstyles/**/*.css
. - If you set
Media.extend
to a list, it should be a list ofComponent
classes.
Learn more about using Media.
[project root]/components/calendar/calendar.pyfrom django_components import Component\n\nclass Calendar(Component):\n template_file = \"calendar.html\"\n js_file = \"calendar.js\"\n css_file = \"calendar.css\"\n\n class Media: # <--- new\n js = [\n \"path/to/shared.js\",\n \"path/to/*.js\", # Or as a glob\n \"https://unpkg.com/alpinejs@3.14.7/dist/cdn.min.js\", # AlpineJS\n ]\n css = [\n \"path/to/shared.css\",\n \"path/to/*.css\", # Or as a glob\n \"https://unpkg.com/tailwindcss@^2/dist/tailwind.min.css\", # Tailwind\n ]\n\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"date\": \"1970-01-01\",\n }\n
Note
Same as with the \"primary\" JS and CSS, the file paths files can be either:
- Relative to the Python component file (as seen above),
- Relative to any of the component directories as defined by
COMPONENTS.dirs
and/orCOMPONENTS.app_dirs
(e.g.[your apps]/components
dir and[project root]/components
)
Info
The
Media
nested class is shaped based on Django's Media class.As such, django-components allows multiple formats to define the nested Media class:
# Single files\nclass Media:\n js = \"calendar.js\"\n css = \"calendar.css\"\n\n# Lists of files\nclass Media:\n js = [\"calendar.js\", \"calendar2.js\"]\n css = [\"calendar.css\", \"calendar2.css\"]\n\n# Dictionary of media types for CSS\nclass Media:\n js = [\"calendar.js\", \"calendar2.js\"]\n css = {\n \"all\": [\"calendar.css\", \"calendar2.css\"],\n }\n
If you define a list of JS files, they will be executed one-by-one, left-to-right.
"},{"location":"getting_started/adding_js_and_css/#rules-of-execution-of-scripts-in-mediajs","title":"Rules of execution of scripts inMedia.js
","text":"The scripts defined in
Media.js
still follow the rules outlined above:- JS is executed in the order in which the components are found in the HTML.
- JS will be executed only once, even if there is multiple instances of the same component.
Additionally to
Media.js
applies that:- JS in
Media.js
is executed before the component's primary JS. - JS in
Media.js
is executed in the same order as it was defined. - If there is multiple components that specify the same JS path or URL in
Media.js
, this JS will be still loaded and executed only once.
Putting all of this together, our
Calendar
component above would render HTML like so:<html>\n <head>\n ...\n <!-- CSS from Media.css -->\n <link href=\"/static/path/to/shared.css\" media=\"all\" rel=\"stylesheet\" />\n <link\n href=\"https://unpkg.com/tailwindcss@^2/dist/tailwind.min.css\"\n media=\"all\"\n rel=\"stylesheet\"\n />\n <!-- CSS from Component.css_file -->\n <style>\n .calendar {\n width: 200px;\n background: pink;\n }\n .calendar span {\n font-weight: bold;\n }\n </style>\n </head>\n <body>\n ...\n <!-- JS from Media.js -->\n <script src=\"/static/path/to/shared.js\"></script>\n <script src=\"https://unpkg.com/alpinejs@3.14.7/dist/cdn.min.js\"></script>\n <!-- JS from Component.js_file -->\n <script>\n (function () {\n document.querySelector(\".calendar\").onclick = () => {\n alert(\"Clicked calendar!\");\n };\n })();\n </script>\n </body>\n</html>\n
Now that we have a fully-defined component, next let's use it in a Django template \u27a1\ufe0f.
"},{"location":"getting_started/adding_slots/","title":"Adding slots","text":"Our calendar component's looking great! But we just got a new assignment from our colleague - The calendar date needs to be shown on 3 different pages:
- On one page, it needs to be shown as is
- On the second, the date needs to be bold
- On the third, the date needs to be in italics
As a reminder, this is what the component's template looks like:
<div class=\"calendar\">\n Today's date is <span>{{ date }}</span>\n</div>\n
There's many ways we could approach this:
- Expose the date in a slot
- Style
.calendar > span
differently on different pages - Pass a variable to the component that decides how the date is rendered
- Create a new component
First two options are more flexible, because the custom styling is not baked into a component's implementation. And for the sake of demonstration, we'll solve this challenge with slots.
"},{"location":"getting_started/adding_slots/#1-what-are-slots","title":"1. What are slots","text":"Components support something called Slots.
When a component is used inside another template, slots allow the parent template to override specific parts of the child component by passing in different content.
This mechanism makes components more reusable and composable.
This behavior is similar to slots in Vue.
In the example below we introduce two tags that work hand in hand to make this work. These are...
{% slot <name> %}
/{% endslot %}
: Declares a new slot in the component template.{% fill <name> %}
/{% endfill %}
: (Used inside a{% component %}
tag pair.) Fills a declared slot with the specified content.
Let's update our calendar component to support more customization. We'll add
{% slot %}
tag to the template:<div class=\"calendar\">\n Today's date is\n {% slot \"date\" default %} {# <--- new #}\n <span>{{ date }}</span>\n {% endslot %}\n</div>\n
Notice that:
-
We named the slot
date
- so we can fill this slot by using{% fill \"date\" %}
-
We also made it the default slot.
-
We placed our original implementation inside the
{% slot %}
tag - this is what will be rendered when the slot is NOT overriden.
Now we can use
{% fill %}
tags inside the{% component %}
tags to override thedate
slot to generate the bold and italics variants:{# Default #}\n{% component \"calendar\" date=\"2024-12-13\" / %}\n\n{# Bold #}\n{% component \"calendar\" date=\"2024-12-13\" %}\n <b> 2024-12-13 </b>\n{% endcomponent %}\n\n{# Italics #}\n{% component \"calendar\" date=\"2024-12-13\" %}\n <i> 2024-12-13 </i>\n{% endcomponent %}\n
Which will render as:
<!-- Default -->\n<div class=\"calendar\">\n Today's date is <span>2024-12-13</span>\n</div>\n\n<!-- Bold -->\n<div class=\"calendar\">\n Today's date is <b>2024-12-13</b>\n</div>\n\n<!-- Italics -->\n<div class=\"calendar\">\n Today's date is <i>2024-12-13</i>\n</div>\n
Info
Since we used the
default
flag on{% slot \"date\" %}
inside our calendar component, we can target thedate
component in multiple ways:-
Explicitly by it's name
{% component \"calendar\" date=\"2024-12-13\" %}\n {% fill \"date\" %}\n <i> 2024-12-13 </i>\n {% endfill %}\n{% endcomponent %}\n
-
Implicitly as the default slot (Omitting the
{% fill %}
tag){% component \"calendar\" date=\"2024-12-13\" %}\n <i> 2024-12-13 </i>\n{% endcomponent %}\n
-
Explicitly as the default slot (Setting fill name to
default
){% component \"calendar\" date=\"2024-12-13\" %}\n {% fill \"default\" %}\n <i> 2024-12-13 </i>\n {% endfill %}\n{% endcomponent %}\n
There is a mistake in our code!
2024-12-13
is Friday, so that's fine. But if we updated the to2024-12-14
, which is Saturday, our template from previous step would render this:<!-- Default -->\n<div class=\"calendar\">\n Today's date is <span>2024-12-16</span>\n</div>\n\n<!-- Bold -->\n<div class=\"calendar\">\n Today's date is <b>2024-12-14</b>\n</div>\n\n<!-- Italics -->\n<div class=\"calendar\">\n Today's date is <i>2024-12-14</i>\n</div>\n
The first instance rendered
2024-12-16
, while the rest rendered2024-12-14
!Why? Remember that in the
[project root]/components/calendar/calendar.pyget_template_data()
method of our Calendar component, we pre-process the date. If the date falls on Saturday or Sunday, we shift it to next Monday:from datetime import date\n\nfrom django_components import Component, register\n\n# If date is Sat or Sun, shift it to next Mon, so the date is always workweek.\ndef to_workweek_date(d: date):\n ...\n\n@register(\"calendar\")\nclass Calendar(Component):\n template_file = \"calendar.html\"\n ...\n def get_template_data(self, args, kwargs, slots, context):\n workweek_date = to_workweek_date(kwargs[\"date\"])\n return {\n \"date\": workweek_date,\n \"extra_class\": kwargs.get(\"extra_class\", \"text-blue\"),\n }\n
And the issue is that in our template, we used the
"},{"location":"getting_started/adding_slots/#5-adding-data-to-slots","title":"5. Adding data to slots","text":"date
value that we used as input, which is NOT the same as thedate
variable used inside Calendar's template.We want to use the same
date
variable that's used inside Calendar's template.Luckily, django-components allows passing data to the slot, also known as Scoped slots.
This consists of two steps:
- Pass the
date
variable to the{% slot %}
tag - Access the
date
variable in the{% fill %}
tag by using the specialdata
kwarg
Let's update the Calendar's template:
<div class=\"calendar\">\n Today's date is\n {% slot \"date\" default date=date %} {# <--- changed #}\n <span>{{ date }}</span>\n {% endslot %}\n</div>\n
Info
The
{% slot %}
tag has one special kwarg,name
. When you write{% slot \"date\" / %}\n
It's the same as:
{% slot name=\"date\" / %}\n
Other than the
name
kwarg, you can pass any extra kwargs to the{% slot %}
tag, and these will be exposed as the slot's data.
"},{"location":"getting_started/adding_slots/#6-accessing-slot-data-in-fills","title":"6. Accessing slot data in fills","text":"{% slot name=\"date\" kwarg1=123 kwarg2=\"text\" kwarg3=my_var / %}\n
Now, on the
{% fill %}
tags, we can use thedata
kwarg to specify the variable under which the slot data will be available.The variable from the
data
kwarg contains all the extra kwargs passed to the{% slot %}
tag.So if we set
data=\"slot_data\"
, then we can access the date variable underslot_data.date
:{# Default #}\n{% component \"calendar\" date=\"2024-12-13\" / %}\n\n{# Bold #}\n{% component \"calendar\" date=\"2024-12-13\" %}\n {% fill \"date\" data=\"slot_data\" %}\n <b> {{ slot_data.date }} </b>\n {% endfill %}\n{% endcomponent %}\n\n{# Italics #}\n{% component \"calendar\" date=\"2024-12-13\" %}\n {% fill \"date\" data=\"slot_data\" %}\n <i> {{ slot_data.date }} </i>\n {% endfill %}\n{% endcomponent %}\n
By using the
date
variable from the slot, we'll render the correct date each time:<!-- Default -->\n<div class=\"calendar\">\n Today's date is <span>2024-12-16</span>\n</div>\n\n<!-- Bold -->\n<div class=\"calendar\">\n Today's date is <b>2024-12-16</b>\n</div>\n\n<!-- Italics -->\n<div class=\"calendar\">\n Today's date is <i>2024-12-16</i>\n</div>\n
Info
When to use slots vs variables?
Generally, slots are more flexible - you can access the slot data, even the original slot content. Thus, slots behave more like functions that render content based on their context.
On the other hand, variables are simpler - the variable you pass to a component is what will be used.
Moreover, slots are treated as part of the template - for example the CSS scoping (work in progress) is applied to the slot content too.
"},{"location":"getting_started/components_in_templates/","title":"Components in templates","text":"By the end of this section, we want to be able to use our components in Django templates like so:
"},{"location":"getting_started/components_in_templates/#1-register-component","title":"1. Register component","text":"{% load component_tags %}\n<!DOCTYPE html>\n<html>\n <head>\n <title>My example calendar</title>\n </head>\n <body>\n {% component \"calendar\" / %}\n </body>\n<html>\n
First, however, we need to register our component class with
ComponentRegistry
.To register a component with a
[project root]/components/calendar/calendar.pyComponentRegistry
, we will use the@register
decorator, and give it a name under which the component will be accessible from within the template:from django_components import Component, register # <--- new\n\n@register(\"calendar\") # <--- new\nclass Calendar(Component):\n template_file = \"calendar.html\"\n js_file = \"calendar.js\"\n css_file = \"calendar.css\"\n\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"date\": \"1970-01-01\",\n }\n
This will register the component to the default registry. Default registry is loaded into the template by calling
{% load component_tags %}
inside the template.Info
Why do we have to register components?
We want to use our component as a template tag (
{% ... %}
) in Django template.In Django, template tags are managed by the
Library
instances. Whenever you include{% load xxx %}
in your template, you are loading aLibrary
instance into your template.ComponentRegistry
acts like a router and connects the registered components with the associatedLibrary
.That way, when you include
{% load component_tags %}
in your template, you are able to \"call\" components like{% component \"calendar\" / %}
.ComponentRegistries
also make it possible to group and share components as standalone packages. Learn more here.Note
You can create custom
ComponentRegistry
instances, which will use differentLibrary
instances. In that case you will have to load different libraries depending on which components you want to use:Example 1 - Using component defined in the default registry
{% load component_tags %}\n<div>\n {% component \"calendar\" / %}\n</div>\n
Example 2 - Using component defined in a custom registry
{% load my_custom_tags %}\n<div>\n {% my_component \"table\" / %}\n</div>\n
Note that, because the tag name
"},{"location":"getting_started/components_in_templates/#2-load-and-use-the-component-in-template","title":"2. Load and use the component in template","text":"component
is use by the default ComponentRegistry, the custom registry was configured to use the tagmy_component
instead. Read more hereThe component is now registered under the name
calendar
. All that remains to do is to load and render the component inside a template:{% load component_tags %} {# Load the default registry #}\n<!DOCTYPE html>\n<html>\n <head>\n <title>My example calendar</title>\n </head>\n <body>\n {% component \"calendar\" / %} {# Render the component #}\n </body>\n<html>\n
Info
Component tags should end with
/
if they do not contain any Slot fills. But you can also use{% endcomponent %}
instead:{% component \"calendar\" %}{% endcomponent %}\n
We defined the Calendar's template as
<div class=\"calendar\">\n Today's date is <span>{{ date }}</span>\n</div>\n
and the variable
date
as\"1970-01-01\"
.Thus, the final output will look something like this:
<!DOCTYPE html>\n<html>\n <head>\n <title>My example calendar</title>\n <style>\n .calendar {\n width: 200px;\n background: pink;\n }\n .calendar span {\n font-weight: bold;\n }\n </style>\n </head>\n <body>\n <div class=\"calendar\">\n Today's date is <span>1970-01-01</span>\n </div>\n <script>\n (function () {\n document.querySelector(\".calendar\").onclick = () => {\n alert(\"Clicked calendar!\");\n };\n })();\n </script>\n </body>\n<html>\n
This makes it possible to organize your front-end around reusable components, instead of relying on template tags and keeping your CSS and Javascript in the static directory.
Info
Remember that you can use
{% component_js_dependencies %}
and{% component_css_dependencies %}
to change where the<script>
and<style>
tags will be rendered (See Default JS / CSS locations).Info
How does django-components pick up registered components?
Notice that it was enough to add
@register
to the component. We didn't need to import the component file anywhere to execute it.This is because django-components automatically imports all Python files found in the component directories during an event called Autodiscovery.
So with Autodiscovery, it's the same as if you manually imported the component files on the
ready()
hook:class MyApp(AppConfig):\n default_auto_field = \"django.db.models.BigAutoField\"\n name = \"myapp\"\n\n def ready(self):\n import myapp.components.calendar\n import myapp.components.table\n ...\n
You can now render the components in templates!
Currently our component always renders the same content. Let's parametrise it, so that our Calendar component is configurable from within the template \u27a1\ufe0f
"},{"location":"getting_started/parametrising_components/","title":"Parametrising components","text":"So far, our Calendar component will always render the date
1970-01-01
. Let's make it more useful and flexible by being able to pass in custom date.What we want is to be able to use the Calendar component within the template like so:
"},{"location":"getting_started/parametrising_components/#1-understading-component-inputs","title":"1. Understading component inputs","text":"{% component \"calendar\" date=\"2024-12-13\" extra_class=\"text-red\" / %}\n
In section Create your first component, we defined the
[project root]/components/calendar/calendar.pyget_template_data()
method that defines what variables will be available within the template:from django_components import Component, register\n\n@register(\"calendar\")\nclass Calendar(Component):\n template_file = \"calendar.html\"\n ...\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"date\": \"1970-01-01\",\n }\n
What we didn't say is that
get_template_data()
actually receives the args and kwargs that were passed to a component.So if we call a component with a
date
andextra_class
keywords:{% component \"calendar\" date=\"2024-12-13\" extra_class=\"text-red\" / %}\n
This is the same as calling:
Calendar.get_template_data(\n args=[],\n kwargs={\"date\": \"2024-12-13\", \"extra_class\": \"text-red\"},\n)\n
And same applies to positional arguments, or mixing args and kwargs, where:
{% component \"calendar\" \"2024-12-13\" extra_class=\"text-red\" / %}\n
is same as
"},{"location":"getting_started/parametrising_components/#2-define-inputs","title":"2. Define inputs","text":"Calendar.get_template_data(\n args=[\"2024-12-13\"],\n kwargs={\"extra_class\": \"text-red\"},\n)\n
Let's put this to test. We want to pass
[project root]/components/calendar/calendar.pydate
andextra_class
kwargs to the component. And so, we can write theget_template_data()
method such that it expects those parameters:from datetime import date\n\nfrom django_components import Component, register\n\n@register(\"calendar\")\nclass Calendar(Component):\n template_file = \"calendar.html\"\n ...\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"date\": kwargs[\"date\"],\n \"extra_class\": kwargs.get(\"extra_class\", \"text-blue\"),\n }\n
Since
extra_class
is optional in the function signature, it's optional also in the template. So both following calls are valid:{% component \"calendar\" date=\"2024-12-13\" / %}\n{% component \"calendar\" date=\"2024-12-13\" extra_class=\"text-red\" / %}\n
Warning
get_template_data()
differentiates between positional and keyword arguments, so you have to make sure to pass the arguments correctly.Since
date
is expected to be a keyword argument, it MUST be provided as such:
"},{"location":"getting_started/parametrising_components/#3-process-inputs","title":"3. Process inputs","text":"\u2705 `date` is kwarg\n{% component \"calendar\" date=\"2024-12-13\" / %}\n\n\u274c `date` is arg\n{% component \"calendar\" \"2024-12-13\" / %}\n
The
get_template_data()
method is powerful, because it allows us to decouple component inputs from the template variables. In other words, we can pre-process the component inputs, and massage them into a shape that's most appropriate for what the template needs. And it also allows us to pass in static data into the template.Imagine our component receives data from the database that looks like below (taken from Django).
cities = [\n {\"name\": \"Mumbai\", \"population\": \"19,000,000\", \"country\": \"India\"},\n {\"name\": \"Calcutta\", \"population\": \"15,000,000\", \"country\": \"India\"},\n {\"name\": \"New York\", \"population\": \"20,000,000\", \"country\": \"USA\"},\n {\"name\": \"Chicago\", \"population\": \"7,000,000\", \"country\": \"USA\"},\n {\"name\": \"Tokyo\", \"population\": \"33,000,000\", \"country\": \"Japan\"},\n]\n
We need to group the list items by size into following buckets by population:
- 0-10,000,000
- 10,000,001-20,000,000
- 20,000,001-30,000,000
- +30,000,001
So we want to end up with following data:
cities_by_pop = [\n {\n \"name\": \"0-10,000,000\",\n \"items\": [\n {\"name\": \"Chicago\", \"population\": \"7,000,000\", \"country\": \"USA\"},\n ]\n },\n {\n \"name\": \"10,000,001-20,000,000\",\n \"items\": [\n {\"name\": \"Calcutta\", \"population\": \"15,000,000\", \"country\": \"India\"},\n {\"name\": \"Mumbai\", \"population\": \"19,000,000\", \"country\": \"India\"},\n {\"name\": \"New York\", \"population\": \"20,000,000\", \"country\": \"USA\"},\n ]\n },\n {\n \"name\": \"30,000,001-40,000,000\",\n \"items\": [\n {\"name\": \"Tokyo\", \"population\": \"33,000,000\", \"country\": \"Japan\"},\n ]\n },\n]\n
Without the
get_template_data()
method, we'd have to either:- Pre-process the data in Python before passing it to the components.
- Define a Django filter or template tag to take the data and process it on the spot.
Instead, with
get_template_data()
, we can keep this transformation private to this component, and keep the rest of the codebase clean.def group_by_pop(data):\n ...\n\n@register(\"population_table\")\nclass PopulationTable(Component):\n template_file = \"population_table.html\"\n\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"data\": group_by_pop(kwargs[\"data\"]),\n }\n
Similarly we can make use of
[project root]/components/calendar/calendar.pyget_template_data()
to pre-process the date that was given to the component:
"},{"location":"getting_started/parametrising_components/#4-pass-inputs-to-components","title":"4. Pass inputs to components","text":"from datetime import date\n\nfrom django_components import Component, register\n\n# If date is Sat or Sun, shift it to next Mon, so the date is always workweek.\ndef to_workweek_date(d: date):\n ...\n\n@register(\"calendar\")\nclass Calendar(Component):\n template_file = \"calendar.html\"\n ...\n def get_template_data(self, args, kwargs, slots, context):\n workweek_date = to_workweek_date(kwargs[\"date\"]) # <--- new\n return {\n \"date\": workweek_date, # <--- changed\n \"extra_class\": kwargs.get(\"extra_class\", \"text-blue\"),\n }\n
Once we're happy with
Calendar.get_template_data()
, we can update our templates to use the parametrized version of the component:<div>\n {% component \"calendar\" date=\"2024-12-13\" / %}\n {% component \"calendar\" date=\"1970-01-01\" / %}\n</div>\n
Next, you will learn how to use slots give your components even more flexibility \u27a1\ufe0f
"},{"location":"getting_started/parametrising_components/#5-add-defaults","title":"5. Add defaults","text":"In our example, we've set the
extra_class
to default to\"text-blue\"
by setting it in theget_template_data()
method.However, you may want to use the same default value in multiple methods, like
get_js_data()
orget_css_data()
.To make things easier, Components can specify their defaults. Defaults are used when no value is provided, or when the value is set to
None
for a particular input.To define defaults for a component, you create a nested
Defaults
class within yourComponent
class. Each attribute in theDefaults
class represents a default value for a corresponding input.
"},{"location":"getting_started/rendering_components/","title":"Rendering components","text":"from django_components import Component, Default, register\n\n@register(\"calendar\")\nclass Calendar(Component):\n template_file = \"calendar.html\"\n\n class Defaults: # <--- new\n extra_class = \"text-blue\"\n\n def get_template_data(self, args, kwargs, slots, context):\n workweek_date = to_workweek_date(kwargs[\"date\"])\n return {\n \"date\": workweek_date,\n \"extra_class\": kwargs[\"extra_class\"], # <--- changed\n }\n
Our calendar component can accept and pre-process data, defines its own CSS and JS, and can be used in templates.
...But how do we actually render the components into HTML?
There's 3 ways to render a component:
- Render the template that contains the
{% component %}
tag - Render the component directly with
Component.render()
- Render the component directly with
Component.render_to_response()
As a reminder, this is what the calendar component looks like:
[project root]/components/calendar/calendar.py
"},{"location":"getting_started/rendering_components/#1-render-the-template","title":"1. Render the template","text":"from django_components import Component, register\n\n@register(\"calendar\")\nclass Calendar(Component):\n template_file = \"calendar.html\"\n js_file = \"calendar.js\"\n css_file = \"calendar.css\"\n\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"date\": \"1970-01-01\",\n }\n
If you have embedded the component in a Django template using the
[project root]/templates/my_template.html{% component %}
tag:{% load component_tags %}\n<div>\n {% component \"calendar\" date=\"2024-12-13\" / %}\n</div>\n
You can simply render the template with the Django tooling:
"},{"location":"getting_started/rendering_components/#with-djangoshortcutsrender","title":"Withdjango.shortcuts.render()
","text":"
"},{"location":"getting_started/rendering_components/#with-templaterender","title":"Withfrom django.shortcuts import render\n\ncontext = {\"date\": \"2024-12-13\"}\nrendered_template = render(request, \"my_template.html\", context)\n
Template.render()
","text":"Either loading the template with
get_template()
:from django.template.loader import get_template\n\ntemplate = get_template(\"my_template.html\")\ncontext = {\"date\": \"2024-12-13\"}\nrendered_template = template.render(context)\n
Or creating a new
Template
instance:
"},{"location":"getting_started/rendering_components/#2-render-the-component","title":"2. Render the component","text":"from django.template import Template\n\ntemplate = Template(\"\"\"\n{% load component_tags %}\n<div>\n {% component \"calendar\" date=\"2024-12-13\" / %}\n</div>\n\"\"\")\nrendered_template = template.render()\n
You can also render the component directly with
Component.render()
, without wrapping the component in a template.from components.calendar import Calendar\n\ncalendar = Calendar\nrendered_component = calendar.render()\n
You can pass args, kwargs, slots, and more, to the component:
from components.calendar import Calendar\n\ncalendar = Calendar\nrendered_component = calendar.render(\n args=[\"2024-12-13\"],\n kwargs={\n \"extra_class\": \"my-class\"\n },\n slots={\n \"date\": \"<b>2024-12-13</b>\"\n },\n)\n
Info
Among other, you can pass also the
request
object to therender
method:from components.calendar import Calendar\n\ncalendar = Calendar\nrendered_component = calendar.render(request=request)\n
The
"},{"location":"getting_started/rendering_components/#3-render-the-component-to-httpresponse","title":"3. Render the component to HttpResponse","text":"request
object is required for some of the component's features, like using Django's context processors.A common pattern in Django is to render the component and then return the resulting HTML as a response to an HTTP request.
For this, you can use the
Component.render_to_response()
convenience method.render_to_response()
accepts the same args, kwargs, slots, and more, asComponent.render()
, but wraps the result in anHttpResponse
.from components.calendar import Calendar\n\ndef my_view(request):\n response = Calendar.render_to_response(\n args=[\"2024-12-13\"],\n kwargs={\n \"extra_class\": \"my-class\"\n },\n slots={\n \"date\": \"<b>2024-12-13</b>\"\n },\n request=request,\n )\n return response\n
Info
Response class of
render_to_response
While
render
method returns a plain string,render_to_response
wraps the rendered content in a \"Response\" class. By default, this isdjango.http.HttpResponse
.If you want to use a different Response class in
render_to_response
, set theComponent.response_class
attribute:
"},{"location":"getting_started/rendering_components/#rendering-slots","title":"Rendering slots","text":"class MyCustomResponse(HttpResponse):\n def __init__(self, *args, **kwargs) -> None:\n super().__init__(*args, **kwargs)\n # Configure response\n self.headers = ...\n self.status = ...\n\nclass SimpleComponent(Component):\n response_class = MyCustomResponse\n
Slots content are automatically escaped by default to prevent XSS attacks.
In other words, it's as if you would be using Django's
mark_safe()
function on the slot content:from django.utils.safestring import mark_safe\n\nclass Calendar(Component):\n template = \"\"\"\n <div>\n {% slot \"date\" default date=date / %}\n </div>\n \"\"\"\n\nCalendar.render(\n slots={\n \"date\": mark_safe(\"<b>Hello</b>\"),\n }\n)\n
To disable escaping, you can pass
escape_slots_content=False
toComponent.render()
orComponent.render_to_response()
methods.Warning
If you disable escaping, you should make sure that any content you pass to the slots is safe, especially if it comes from user input!
Info
If you're planning on passing an HTML string, check Django's use of
"},{"location":"getting_started/rendering_components/#component-views-and-urls","title":"Component views and URLs","text":"format_html
andmark_safe
.For web applications, it's common to define endpoints that serve HTML content (AKA views).
If this is your case, you can define the view request handlers directly on your component by using the nested
Component.View
class.This is a great place for:
-
Endpoints that render whole pages, if your component is a page component.
-
Endpoints that render the component as HTML fragments, to be used with HTMX or similar libraries.
Read more on Component views and URLs.
[project root]/components/calendar.pyfrom django_components import Component, ComponentView, register\n\n@register(\"calendar\")\nclass Calendar(Component):\n template = \"\"\"\n <div class=\"calendar-component\">\n <div class=\"header\">\n {% slot \"header\" / %}\n </div>\n <div class=\"body\">\n Today's date is <span>{{ date }}</span>\n </div>\n </div>\n \"\"\"\n\n class View:\n # Handle GET requests\n def get(self, request, *args, **kwargs):\n # Return HttpResponse with the rendered content\n return Calendar.render_to_response(\n request=request,\n kwargs={\n \"date\": request.GET.get(\"date\", \"2020-06-06\"),\n },\n slots={\n \"header\": \"Calendar header\",\n },\n )\n
Info
The View class supports all the same HTTP methods as Django's
View
class. These are:get()
,post()
,put()
,patch()
,delete()
,head()
,options()
,trace()
Each of these receive the
HttpRequest
object as the first argument.Next, you need to set the URL for the component.
You can either:
-
Automatically assign the URL by setting the
Component.View.public
attribute toTrue
.In this case, use
get_component_url()
to get the URL for the component view.from django_components import Component, get_component_url\n\nclass Calendar(Component):\n class View:\n public = True\n\nurl = get_component_url(Calendar)\n
-
Manually assign the URL by setting
Component.as_view()
to yoururlpatterns
:from django.urls import path\nfrom components.calendar import Calendar\n\nurlpatterns = [\n path(\"calendar/\", Calendar.as_view()),\n]\n
And with that, you're all set! When you visit the URL, the component will be rendered and the content will be returned.
The
get()
,post()
, etc methods will receive theHttpRequest
object as the first argument. So you can parametrize how the component is rendered for example by passing extra query parameters to the URL:
"},{"location":"getting_started/your_first_component/","title":"Create your first component","text":"http://localhost:8000/calendar/?date=2024-12-13\n
A component in django-components can be as simple as a Django template and Python code to declare the component:
calendar.html
calendar.py<div class=\"calendar\">\n Today's date is <span>{{ date }}</span>\n</div>\n
from django_components import Component\n\nclass Calendar(Component):\n template_file = \"calendar.html\"\n
Or a combination of Django template, Python, CSS, and Javascript:
calendar.html
calendar.css<div class=\"calendar\">\n Today's date is <span>{{ date }}</span>\n</div>\n
calendar.js.calendar {\n width: 200px;\n background: pink;\n}\n
calendar.pydocument.querySelector(\".calendar\").onclick = function () {\n alert(\"Clicked calendar!\");\n};\n
from django_components import Component\n\nclass Calendar(Component):\n template_file = \"calendar.html\"\n js_file = \"calendar.js\"\n css_file = \"calendar.css\"\n
Alternatively, you can \"inline\" HTML, JS, and CSS right into the component class:
from django_components import Component\n\nclass Calendar(Component):\n template = \"\"\"\n <div class=\"calendar\">\n Today's date is <span>{{ date }}</span>\n </div>\n \"\"\"\n\n css = \"\"\"\n .calendar {\n width: 200px;\n background: pink;\n }\n \"\"\"\n\n js = \"\"\"\n document.querySelector(\".calendar\").onclick = function () {\n alert(\"Clicked calendar!\");\n };\n \"\"\"\n
Note
If you \"inline\" the HTML, JS and CSS code into the Python class, you can set up syntax highlighting for better experience. However, autocompletion / intellisense does not work with syntax highlighting.
We'll start by creating a component that defines only a Django template:
"},{"location":"getting_started/your_first_component/#1-create-project-structure","title":"1. Create project structure","text":"Start by creating empty
calendar.py
andcalendar.html
files:
"},{"location":"getting_started/your_first_component/#2-write-django-template","title":"2. Write Django template","text":"sampleproject/\n\u251c\u2500\u2500 calendarapp/\n\u251c\u2500\u2500 components/ \ud83c\udd95\n\u2502 \u2514\u2500\u2500 calendar/ \ud83c\udd95\n\u2502 \u251c\u2500\u2500 calendar.py \ud83c\udd95\n\u2502 \u2514\u2500\u2500 calendar.html \ud83c\udd95\n\u251c\u2500\u2500 sampleproject/\n\u251c\u2500\u2500 manage.py\n\u2514\u2500\u2500 requirements.txt\n
Inside
[project root]/components/calendar/calendar.htmlcalendar.html
, write:<div class=\"calendar\">\n Today's date is <span>{{ date }}</span>\n</div>\n
In this example we've defined one template variable
date
. You can use any and as many variables as you like. These variables will be defined in the Python file inget_template_data()
when creating an instance of this component.Note
The template will be rendered with whatever template backend you've specified in your Django settings file.
Currently django-components supports only the default
"},{"location":"getting_started/your_first_component/#3-create-new-component-in-python","title":"3. Create new Component in Python","text":"\"django.template.backends.django.DjangoTemplates\"
template backend!In
calendar.py
, create a subclass of Component to create a new component.To link the HTML template with our component, set
[project root]/components/calendar/calendar.pytemplate_file
to the name of the HTML file.from django_components import Component\n\nclass Calendar(Component):\n template_file = \"calendar.html\"\n
Note
The path to the template file can be either:
- Relative to the component's python file (as seen above),
- Relative to any of the component directories as defined by
COMPONENTS.dirs
and/orCOMPONENTS.app_dirs
(e.g.[your apps]/components
dir and[project root]/components
)
In
calendar.html
, we've used the variabledate
. So we need to define it for the template to work.This is done using
[project root]/components/calendar/calendar.pyComponent.get_template_data()
. It's a function that returns a dictionary. The entries in this dictionary will become available within the template as variables, e.g. as{{ date }}
.from django_components import Component\n\nclass Calendar(Component):\n template_file = \"calendar.html\"\n\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"date\": \"1970-01-01\",\n }\n
Now, when we render the component with
Component.render()
method:Calendar.render()\n
It will output
<div class=\"calendar\">\n Today's date is <span>1970-01-01</span>\n</div>\n
And voil\u00e1!! We've created our first component.
Next, let's add JS and CSS to this component \u27a1\ufe0f.
"},{"location":"guides/devguides/dependency_mgmt/","title":"JS and CSS rendering","text":"Aim of this doc is to share the intuition on how we manage the JS and CSS (\"dependencies\") associated with components, and how we render them.
"},{"location":"guides/devguides/dependency_mgmt/#starting-conditions","title":"Starting conditions","text":"-
First of all, when we consider a component, it has two kind of dependencies - the \"inlined\" JS and CSS, and additional linked JS and CSS via
Media.js/css
:from django_components import Component, types\n\nclass MyTable(Component):\n # Inlined JS\n js: types.js = \"\"\"\n console.log(123);\n \"\"\"\n\n # Inlined CSS\n css: types.css = \"\"\"\n .my-table {\n color: red;\n }\n \"\"\"\n\n # Linked JS / CSS\n class Media:\n js = [\n \"script-one.js\", # STATIC file relative to component file\n \"/script-two.js\", # URL path\n \"https://example.com/script-three.js\", # URL\n ]\n\n css = [\n \"style-one.css\", # STATIC file relative to component file\n \"/style-two.css\", # URL path\n \"https://example.com/style-three.css\", # URL\n ]\n
-
Second thing to keep in mind is that all component's are eventually rendered into a string. And so, if we want to associate extra info with a rendered component, it has to be serialized to a string.
This is because a component may be embedded in a Django Template with the
{% component %}
tag, which, when rendered, is turned into a string:template = Template(\"\"\"\n {% load component_tags %}\n <div>\n {% component \"my_table\" / %}\n </div>\n\"\"\")\n\nhtml_str = template.render(Context({}))\n
And for this reason, we take the same approach also when we render a component with
Component.render()
- It returns a string. -
Thirdly, we also want to add support for JS / CSS variables. That is, that a variable defined on the component would be somehow accessible from within the JS script / CSS style.
A simple approach to this would be to modify the inlined JS / CSS directly, and insert them for each component. But if you had extremely large JS / CSS, and e.g. only a single JS / CSS variable that you want to insert, it would be wasteful to create a copy of the JS / CSS scripts for each component instance.
So instead, a preferred approach here is to defined and insert the inlined JS / CSS only once, and have some kind of mechanism on how we make correct the JS / CSS variables available only to the correct components.
-
Last important thing is that we want the JS / CSS dependencies to work also with HTML fragments.
So normally, e.g. when a user hits URL of a web page, the server renders full HTML document, with
<!doctype>
,<html>
,<head>
, and<body>
. In such case, we know about ALL JS and CSS dependencies at render time, so we can e.g. insert them into<head>
and<body>
ourselves.However this renders only the initial state. HTML fragments is a common pattern where interactivity is added to the web page by fetching and replacing bits of HTML on the main HTML document after some user action.
In the case of HTML fragments, the HTML is NOT a proper document, but only the HTML that will be inserted somewhere into the DOM.
The challenge here is that Django template for the HTML fragment MAY contain components, and these components MAY have inlined or linked JS and CSS.
def fragment_view(request):\n template = Template(\"\"\"\n {% load component_tags %}\n <div>\n {% component \"my_table\" / %}\n </div>\n \"\"\")\n\n fragment_str = template.render(Context({}))\n return HttpResponse(fragment_str, status=200)\n
User may use different libraries to fetch and insert the HTML fragments (e.g. HTMX, AlpineJS, ...). From our perspective, the only thing that we can reliably say is that we expect that the HTML fragment WILL be eventually inserted into the DOM.
So to include the corresponding JS and CSS, a simple approach could be to append them to the HTML as
<style>
and<script>
, e.g.:<!-- Original content -->\n<div>...</div>\n<!-- Associated CSS files -->\n<link href=\"http://...\" />\n<style>\n .my-class {\n color: red;\n }\n</style>\n<!-- Associated JS files -->\n<script src=\"http://...\"></script>\n<script>\n console.log(123);\n</script>\n
But this has a number of issues:
- The JS scripts would run for each instance of the component.
- Bloating of the HTML file, as each inlined JS or CSS would be included fully for each component.
- While this sound OK, this could really bloat the HTML files if we used a UI component library for the basic building blocks like buttons, lists, cards, etc.
So the solution should address all the points above. To achieve that, we manage the JS / CSS dependencies ourselves in the browser. So when a full HTML document is loaded, we keep track of which JS and CSS have been loaded. And when an HTML fragment is inserted, we check which JS / CSS dependencies it has, and load only those that have NOT been loaded yet.
This is how we achieve that:
-
When a component is rendered, it inserts an HTML comment containing metadata about the rendered component.
So a template like this
{% load component_tags %}\n<div>\n {% component \"my_table\" / %}\n</div>\n{% component \"button\" %}\n Click me!\n{% endcomponent %}\n
May actually render:
<div>\n <!-- _RENDERED \"my_table_10bc2c,c020ad\" -->\n <table>\n ...\n </table>\n</div>\n<!-- _RENDERED \"button_309dcf,31c0da\" -->\n<button>Click me!</button>\n
Each
<!-- _RENDERED -->
comment includes comma-separated data - a unique hash for the component class, e.g.my_table_10bc2c
, and the component ID, e.g.c020ad
.This way, we or the user can freely pass the rendered around or transform it, treating it as a string to add / remove / replace bits. As long as the
<!-- _RENDERED -->
comments remain in the rendered string, we will be able to deduce which JS and CSS dependencies the component needs. -
Post-process the rendered HTML, extracting the
<!-- _RENDERED -->
comments, and instead inserting the corresponding JS and CSS dependencies.If we dealt only with JS, then we could get away with processing the
<!-- _RENDERED -->
comments on the client (browser). However, the CSS needs to be processed still on the server, so the browser receives CSS styles already inserted as<style>
or<link>
HTML tags. Because if we do not do that, we get a flash of unstyled content, as there will be a delay between when the HTML page loaded and when the CSS was fetched and loaded.So, assuming that a user has already rendered their template, which still contains
<!-- _RENDERED -->
comments, we need to extract and process these comments.There's multiple ways to achieve this:
-
If users are using
Component.render()
orComponent.render_to_response()
, these post-process the<!-- _RENDERED -->
comments by default. -
NOTE: Users are able to opt out of the post-processing by setting
deps_strategy=\"ignore\"
. -
If one renders a Template directly, the
<!-- _RENDERED -->
will be processed too. We achieve this by modifying Django'sTemplate.render()
method. -
For advanced use cases, users may use
render_dependencies()
directly. This is the function thatComponent.render()
calls internally.
render_dependencies()
, whether called directly, or other way, does the following:-
Find all
<!-- _RENDERED -->
comments, and for each comment: -
Look up the corresponding component class.
-
Get the component's inlined JS / CSS from
Component.js/css
, and linked JS / CSS fromComponent.Media.js/css
. -
Generate JS script that loads the JS / CSS dependencies.
-
Insert the JS scripts either at the end of
<body>
, or in place of{% component_dependencies %}
/{% component_js_dependencies %}
tags. -
To avoid the flash of unstyled content, we need place the styles into the HTML instead of dynamically loading them from within a JS script. The CSS is placed either at the end of
<head>
, or in place of{% component_dependencies %}
/{% component_css_dependencies %}
-
We cache the component's inlined JS and CSS, so they can be fetched via an URL, so the inlined JS / CSS an be treated the same way as the JS / CSS dependencies set in
Component.Media.js/css
.- NOTE: While this is currently not entirely necessary, it opens up the doors for allowing plugins to post-process the inlined JS and CSS. Because after it has been post-processed, we need to store it somewhere.
-
-
Server returns the post-processed HTML.
-
In the browser, the generated JS script from step 2.4 is executed. It goes through all JS and CSS dependencies it was given. If some JS / CSS was already loaded, it is NOT fetched again. Otherwise it generates the corresponding
<script>
or<link>
HTML tags to load the JS / CSS dependencies.In the browser, the \"dependency manager JS\" may look like this:
// Load JS or CSS script if not loaded already\nComponents.loadJs('<script src=\"/abc/xyz/script.js\">');\nComponents.loadCss('<link href=\"/abc/xyz/style.css\">');\n\n// Or mark one as already-loaded, so it is ignored when\n// we call `loadJs`\nComponents.markScriptLoaded(\"js\", \"/abc/def\");\n
Note that
loadJs() / loadCss()
receive whole<script> / <link>
tags, not just the URL. This is because when Django'sMedia
class renders JS and CSS, it formats it as<script>
and<link>
tags. And we allow users to modify how the JS and CSS should be rendered into the<script>
and<link>
tags.So, if users decided to add an extra attribute to their
<script>
tags, e.g.<script defer src=\"http://...\"></script>
, then this way we make sure that thedefer
attribute will be present on the<script>
tag when it is inserted into the DOM at the time of loading the JS script. -
To be able to fetch component's inlined JS and CSS, django-components adds a URL path under:
/components/cache/<str:comp_cls_id>.<str:script_type>/
E.g.
/components/cache/MyTable_10bc2c.js/
This endpoint takes the component's unique ID, e.g.
MyTable_10bc2c
, and looks up the component's inlined JS or CSS.
Thus, with this approach, we ensure that:
- All JS / CSS dependencies are loaded / executed only once.
- The approach is compatible with HTML fragments
- The approach is compatible with JS / CSS variables.
- Inlined JS / CSS may be post-processed by plugins
This doc serves as a primer on how component slots and fills are resolved.
"},{"location":"guides/devguides/slot_rendering/#flow","title":"Flow","text":"-
Imagine you have a template. Some kind of text, maybe HTML:
| ------\n| ---------\n| ----\n| -------\n
-
The template may contain some vars, tags, etc
| -- {{ my_var }} --\n| ---------\n| ----\n| -------\n
-
The template also contains some slots, etc
| -- {{ my_var }} --\n| ---------\n| -- {% slot \"myslot\" %} ---\n| -- {% endslot %} ---\n| ----\n| -- {% slot \"myslot2\" %} ---\n| -- {% endslot %} ---\n| -------\n
-
Slots may be nested
| -- {{ my_var }} --\n| -- ABC\n| -- {% slot \"myslot\" %} ---\n| ----- DEF {{ my_var }}\n| ----- {% slot \"myslot_inner\" %}\n| -------- GHI {{ my_var }}\n| ----- {% endslot %}\n| -- {% endslot %} ---\n| ----\n| -- {% slot \"myslot2\" %} ---\n| ---- JKL {{ my_var }}\n| -- {% endslot %} ---\n| -------\n
-
Some slots may be inside fills for other components
| -- {{ my_var }} --\n| -- ABC\n| -- {% slot \"myslot\" %}---\n| ----- DEF {{ my_var }}\n| ----- {% slot \"myslot_inner\" %}\n| -------- GHI {{ my_var }}\n| ----- {% endslot %}\n| -- {% endslot %} ---\n| ------\n| -- {% component \"mycomp\" %} ---\n| ---- {% slot \"myslot\" %} ---\n| ------- JKL {{ my_var }}\n| ------- {% slot \"myslot_inner\" %}\n| ---------- MNO {{ my_var }}\n| ------- {% endslot %}\n| ---- {% endslot %} ---\n| -- {% endcomponent %} ---\n| ----\n| -- {% slot \"myslot2\" %} ---\n| ---- PQR {{ my_var }}\n| -- {% endslot %} ---\n| -------\n
-
The names of the slots and fills may be defined using variables
| -- {% slot slot_name %} ---\n| ---- STU {{ my_var }}\n| -- {% endslot %} ---\n| -------\n
-
The slot and fill names may be defined using for loops or other variables defined within the template (e.g.
{% with %}
tag or{% ... as var %}
syntax)| -- {% for slot_name in slots %} ---\n| ---- {% slot slot_name %} ---\n| ------ STU {{ slot_name }}\n| ---- {% endslot %} ---\n| -- {% endfor %} ---\n| -------\n
-
Variables for names and for loops allow us implement \"passthrough slots\" - that is, taking all slots that our component received, and passing them to a child component, dynamically.
| -- {% component \"mycomp\" %} ---\n| ---- {% for slot_name in slots %} ---\n| ------ {% fill slot_name %} ---\n| -------- {% slot slot_name %} ---\n| ---------- XYZ {{ slot_name }}\n| --------- {% endslot %}\n| ------- {% endfill %}\n| ---- {% endfor %} ---\n| -- {% endcomponent %} ---\n| ----\n
-
Putting that all together, a document may look like this:
| -- {{ my_var }} --\n| -- ABC\n| -- {% slot \"myslot\" %}---\n| ----- DEF {{ my_var }}\n| ----- {% slot \"myslot_inner\" %}\n| -------- GHI {{ my_var }}\n| ----- {% endslot %}\n| -- {% endslot %} ---\n| ------\n| -- {% component \"mycomp\" %} ---\n| ---- {% slot \"myslot\" %} ---\n| ------- JKL {{ my_var }}\n| ------- {% slot \"myslot_inner\" %}\n| ---------- MNO {{ my_var }}\n| ------- {% endslot %}\n| ---- {% endslot %} ---\n| -- {% endcomponent %} ---\n| ----\n| -- {% slot \"myslot2\" %} ---\n| ---- PQR {{ my_var }}\n| -- {% endslot %} ---\n| -------\n| -- {% for slot_name in slots %} ---\n| ---- {% component \"mycomp\" %} ---\n| ------- {% slot slot_name %}\n| ---------- STU {{ slot_name }}\n| ------- {% endslot %}\n| ---- {% endcomponent %} ---\n| -- {% endfor %} ---\n| ----\n| -- {% component \"mycomp\" %} ---\n| ---- {% for slot_name in slots %} ---\n| ------ {% fill slot_name %} ---\n| -------- {% slot slot_name %} ---\n| ---------- XYZ {{ slot_name }}\n| --------- {% endslot %}\n| ------- {% endfill %}\n| ---- {% endfor %} ---\n| -- {% endcomponent %} ---\n| -------\n
-
Given the above, we want to render the slots with
{% fill %}
tag that were defined OUTSIDE of this template. How do I do that?NOTE: Before v0.110, slots were resolved statically, by walking down the Django Template and Nodes. However, this did not allow for using for loops or other variables defined in the template.
Currently, this consists of 2 steps:
-
If a component is rendered within a template using
{% component %}
tag, determine the given{% fill %}
tags in the component's body (the content in between{% component %}
and{% endcomponent %}
).After this step, we know about all the fills that were passed to the component.
-
Then we simply render the template as usual. And then we reach the
{% slot %}
tag, we search the context for the available fills.- If there IS a fill with the same name as the slot, we render the fill.
- If the slot is marked
default
, and there is a fill nameddefault
, then we render that. - Otherwise, we render the slot's default content.
-
-
Obtaining the fills from
{% fill %}
.When a component is rendered with
{% component %}
tag, and it has some content in between{% component %}
and{% endcomponent %}
, we want to figure out if that content is a default slot (no{% fill %}
used), or if there is a collection of named{% fill %}
tags:Default slot:
| -- {% component \"mycomp\" %} ---\n| ---- STU {{ slot_name }}\n| -- {% endcomponent %} ---\n
Named slots:
| -- {% component \"mycomp\" %} ---\n| ---- {% fill \"slot_a\" %}\n| ------ STU\n| ---- {% endslot %}\n| ---- {% fill \"slot_b\" %}\n| ------ XYZ\n| ---- {% endslot %}\n| -- {% endcomponent %} ---\n
To respect any forloops or other variables defined within the template to which the fills may have access, we:
- Render the content between
{% component %}
and{% endcomponent %}
using the context outside of the component. - When we reach a
{% fill %}
tag, we capture any variables that were created between the{% component %}
and{% fill %}
tags. - When we reach
{% fill %}
tag, we do not continue rendering deeper. Instead we make a record that we found the fill tag with given name, kwargs, etc. - After the rendering is done, we check if we've encountered any fills. If yes, we expect only named fills. If no, we assume that the the component's body is a default slot.
- Lastly we process the found fills, and make them available to the context, so any slots inside the component may access these fills.
- Render the content between
-
Rendering slots
Slot rendering works similarly to collecting fills, in a sense that we do not search for the slots ahead of the time, but instead let Django handle the rendering of the template, and we step in only when Django come across as
{% slot %}
tag.When we reach a slot tag, we search the context for the available fills.
- If there IS a fill with the same name as the slot, we render the fill.
- If the slot is marked
default
, and there is a fill nameddefault
, then we render that. - Otherwise, we render the slot's default content.
In previous section, we said that the
{% fill %}
tags should be already rendered by the time they are inserted into the{% slot %}
tags.This is not quite true. To help you understand, consider this complex case:
| -- {% for var in [1, 2, 3] %} ---\n| ---- {% component \"mycomp2\" %} ---\n| ------ {% fill \"first\" %}\n| ------- STU {{ my_var }}\n| ------- {{ var }}\n| ------ {% endfill %}\n| ------ {% fill \"second\" %}\n| -------- {% component var=var my_var=my_var %}\n| ---------- VWX {{ my_var }}\n| -------- {% endcomponent %}\n| ------ {% endfill %}\n| ---- {% endcomponent %} ---\n| -- {% endfor %} ---\n| -------\n
We want the forloop variables to be available inside the
{% fill %}
tags. Because of that, however, we CANNOT render the fills/slots in advance.Instead, our solution is closer to how Vue handles slots. In Vue, slots are effectively functions that accept a context variables and render some content.
While we do not wrap the logic in a function, we do PREPARE IN ADVANCE: 1. The content that should be rendered for each slot 2. The context variables from
get_template_data()
Thus, once we reach the
"},{"location":"guides/devguides/slots_and_blocks/","title":"Using slot and block tags","text":"{% slot %}
node, in it'srender()
method, we access the data above, and, depending on thecontext_behavior
setting, include the current context or not. For more info, seeSlotNode.render()
.-
First let's clarify how
include
andextends
tags work inside components.When component template includes
include
orextends
tags, it's as if the \"included\" template was inlined. So if the \"included\" template containsslot
tags, then the component uses those slots.If you have a template
abc.html
:<div>\n hello\n {% slot \"body\" %}{% endslot %}\n</div>\n
And components that make use of
abc.html
viainclude
orextends
:from django_components import Component, register\n\n@register(\"my_comp_extends\")\nclass MyCompWithExtends(Component):\n template = \"\"\"{% extends \"abc.html\" %}\"\"\"\n\n@register(\"my_comp_include\")\nclass MyCompWithInclude(Component):\n template = \"\"\"{% include \"abc.html\" %}\"\"\"\n
Then you can set slot fill for the slot imported via
include/extends
:{% component \"my_comp_extends\" %}\n {% fill \"body\" %}\n 123\n {% endfill %}\n{% endcomponent %}\n
And it will render:
<div>\n hello\n 123\n</div>\n
-
Slot and block
If you have a template
abc.html
like so:<div>\n hello\n {% block inner %}\n 1\n {% slot \"body\" %}\n 2\n {% endslot %}\n {% endblock %}\n</div>\n
and component
my_comp
:@register(\"my_comp\")\nclass MyComp(Component):\n template_file = \"abc.html\"\n
Then:
-
Since the
block
wasn't overriden, you can use thebody
slot:{% component \"my_comp\" %}\n {% fill \"body\" %}\n XYZ\n {% endfill %}\n{% endcomponent %}\n
And we get:
<div>hello 1 XYZ</div>\n
-
blocks
CANNOT be overriden through thecomponent
tag, so something like this:{% component \"my_comp\" %}\n {% fill \"body\" %}\n XYZ\n {% endfill %}\n{% endcomponent %}\n{% block \"inner\" %}\n 456\n{% endblock %}\n
Will still render the component content just the same:
<div>hello 1 XYZ</div>\n
-
You CAN override the
block
tags ofabc.html
if the component template usesextends
. In that case, just as you would expect, theblock inner
insideabc.html
will renderOVERRIDEN
:@register(\"my_comp\")\nclass MyComp(Component):\n template = \"\"\"\n {% extends \"abc.html\" %}\n {% block inner %}\n OVERRIDEN\n {% endblock %}\n \"\"\"\n
-
This is where it gets interesting (but still intuitive). You can insert even new
slots
inside these \"overriding\" blocks:@register(\"my_comp\")\nclass MyComp(Component):\n template = \"\"\"\n {% extends \"abc.html\" %}\n\n {% load component_tags %}\n {% block \"inner\" %}\n OVERRIDEN\n {% slot \"new_slot\" %}\n hello\n {% endslot %}\n {% endblock %}\n \"\"\"\n
And you can then pass fill for this
new_slot
when rendering the component:{% component \"my_comp\" %}\n {% fill \"new_slot\" %}\n XYZ\n {% endfill %}\n{% endcomponent %}\n
NOTE: Currently you can supply fills for both
new_slot
andbody
slots, and you will not get an error for an invalid/unknown slot name. But sincebody
slot is not rendered, it just won't do anything. So this renders the same as above:{% component \"my_comp\" %}\n {% fill \"new_slot\" %}\n XYZ\n {% endfill %}\n {% fill \"body\" %}\n www\n {% endfill %}\n{% endcomponent %}\n
-
As larger projects get more complex, it can be hard to debug issues. Django Components provides a number of tools and approaches that can help you with that.
"},{"location":"guides/other/troubleshooting/#component-and-slot-highlighting","title":"Component and slot highlighting","text":"Django Components provides a visual debugging feature that helps you understand the structure and boundaries of your components and slots. When enabled, it adds a colored border and a label around each component and slot on your rendered page.
To enable component and slot highlighting, set
debug_highlight_components
and/ordebug_highlight_slots
toTrue
in yoursettings.py
file:from django_components import ComponentsSettings\n\nCOMPONENTS = ComponentsSettings(\n debug_highlight_components=True,\n debug_highlight_slots=True,\n)\n
Components will be highlighted with a blue border and label:
While the slots will be highlighted with a red border and label:
Warning
Use this feature ONLY in during development. Do NOT use it in production.
"},{"location":"guides/other/troubleshooting/#component-path-in-errors","title":"Component path in errors","text":"When an error occurs, the error message will show the path to the component that caused the error. E.g.
KeyError: \"An error occured while rendering components MyPage > MyLayout > MyComponent > Childomponent(slot:content)\n
The error message contains also the slot paths, so if you have a template like this:
{% component \"my_page\" %}\n {% slot \"content\" %}\n {% component \"table\" %}\n {% slot \"header\" %}\n {% component \"table_header\" %}\n ... {# ERROR HERE #}\n {% endcomponent %}\n {% endslot %}\n {% endcomponent %}\n {% endslot %}\n{% endcomponent %}\n
Then the error message will show the path to the component that caused the error:
"},{"location":"guides/other/troubleshooting/#debug-and-trace-logging","title":"Debug and trace logging","text":"KeyError: \"An error occured while rendering components my_page > layout > layout(slot:content) > my_page(slot:content) > table > table(slot:header) > table_header > table_header(slot:content)\n
Django components supports logging with Django.
To configure logging for Django components, set the
django_components
logger inLOGGING
insettings.py
(below).Also see the
settings.py
file in sampleproject for a real-life example.import logging\nimport sys\n\nLOGGING = {\n 'version': 1,\n 'disable_existing_loggers': False,\n \"handlers\": {\n \"console\": {\n 'class': 'logging.StreamHandler',\n 'stream': sys.stdout,\n },\n },\n \"loggers\": {\n \"django_components\": {\n \"level\": logging.DEBUG,\n \"handlers\": [\"console\"],\n },\n },\n}\n
Info
To set TRACE level, set
\"level\"
to5
:
"},{"location":"guides/other/troubleshooting/#logger-levels","title":"Logger levels","text":"LOGGING = {\n \"loggers\": {\n \"django_components\": {\n \"level\": 5,\n \"handlers\": [\"console\"],\n },\n },\n}\n
As of v0.126, django-components primarily uses these logger levels:
DEBUG
: Report on loading associated HTML / JS / CSS files, autodiscovery, etc.TRACE
: Detailed interaction of components and slots. Logs when template tags, components, and slots are started / ended rendering, and when a slot is filled.
When you pass a slot fill to a Component, the component and slot names is remebered on the slot object.
Thus, you can check where a slot was filled from by printing it out:
class MyComponent(Component):\n def on_render_before(self):\n print(self.input.slots)\n
might print:
"},{"location":"guides/other/troubleshooting/#agentic-debugging","title":"Agentic debugging","text":"{\n 'content': <Slot component_name='layout' slot_name='content'>,\n 'header': <Slot component_name='my_page' slot_name='header'>,\n 'left_panel': <Slot component_name='layout' slot_name='left_panel'>,\n}\n
All the features above make django-components to work really well with coding AI agents like Github Copilot or CursorAI.
To debug component rendering with LLMs, you want to provide the LLM with:
- The components source code
- The rendered output
- As much additional context as possible
Your codebase already contains the components source code, but not the latter two.
"},{"location":"guides/other/troubleshooting/#providing-rendered-output","title":"Providing rendered output","text":"To provide the LLM with the rendered output, you can simply export the rendered output to a file.
rendered = ProjectPage.render(...)\nwith open(\"result.html\", \"w\") as f:\n f.write(rendered)\n
If you're using
render_to_response
, access the output from theHttpResponse
object:
"},{"location":"guides/other/troubleshooting/#providing-contextual-logs","title":"Providing contextual logs","text":"response = ProjectPage.render_to_response(...)\nwith open(\"result.html\", \"wb\") as f:\n f.write(response.content)\n
Next, we provide the agent with info on HOW we got the result that we have. We do so by providing the agent with the trace-level logs.
In your
settings.py
, configure the trace-level logs to be written to thedjango_components.log
file:
"},{"location":"guides/other/troubleshooting/#prompting-the-agent","title":"Prompting the agent","text":"LOGGING = {\n \"version\": 1,\n \"disable_existing_loggers\": False,\n \"handlers\": {\n \"file\": {\n \"class\": \"logging.FileHandler\",\n \"filename\": \"django_components.log\",\n \"mode\": \"w\", # Overwrite the file each time\n },\n },\n \"loggers\": {\n \"django_components\": {\n \"level\": 5,\n \"handlers\": [\"file\"],\n },\n },\n}\n
Now, you can prompt the agent and include the trace log and the rendered output to guide the agent with debugging.
I have a django-components (DJC) project. DJC is like if Vue or React component-based web development but made for Django ecosystem.
In the view
project_view
, I am rendering theProjectPage
component. However, the output is not as expected. The output is missing the tabs.You have access to the full log trace in
django_components.log
.You can also see the rendered output in
result.html
.With this information, help me debug the issue.
First, tell me what kind of info you would be looking for in the logs, and why (how it relates to understanding the cause of the bug).
Then tell me if that info was there, and what the implications are.
Finally, tell me what you would do to fix the issue.
"},{"location":"guides/setup/caching/","title":"Caching","text":"This page describes the kinds of assets that django-components caches and how to configure the cache backends.
"},{"location":"guides/setup/caching/#component-caching","title":"Component caching","text":"You can cache the output of your components by setting the
Component.Cache
options.Read more about Component caching.
"},{"location":"guides/setup/caching/#components-js-and-css-files","title":"Component's JS and CSS files","text":"django-components simultaneously supports:
- Rendering and fetching components as HTML fragments
- Allowing components (even fragments) to have JS and CSS files associated with them
- Features like JS/CSS variables or CSS scoping
To achieve all this, django-components defines additional temporary JS and CSS files. These temporary files need to be stored somewhere, so that they can be fetched by the browser when the component is rendered as a fragment. And for that, django-components uses Django's cache framework.
This includes:
- Inlined JS/CSS defined via
Component.js
andComponent.css
- JS/CSS variables generated from
get_js_data()
andget_css_data()
By default, django-components uses Django's local memory cache backend to store these assets. You can configure it to use any of your Django cache backends by setting the
COMPONENTS.cache
option in your settings:COMPONENTS = {\n # Name of the cache backend to use\n \"cache\": \"my-cache-backend\",\n}\n
The value should be the name of one of your configured cache backends from Django's
CACHES
setting.For example, to use Redis for caching component assets:
CACHES = {\n \"default\": {\n \"BACKEND\": \"django.core.cache.backends.locmem.LocMemCache\",\n },\n \"component-media\": {\n \"BACKEND\": \"django.core.cache.backends.redis.RedisCache\",\n \"LOCATION\": \"redis://127.0.0.1:6379/1\",\n }\n}\n\nCOMPONENTS = {\n # Use the Redis cache backend\n \"cache\": \"component-media\",\n}\n
See
"},{"location":"guides/setup/development_server/","title":"Development server","text":""},{"location":"guides/setup/development_server/#reload-dev-server-on-component-file-changes","title":"Reload dev server on component file changes","text":"COMPONENTS.cache
for more details about this setting.This is relevant if you are using the project structure as shown in our examples, where HTML, JS, CSS and Python are in separate files and nested in a directory.
sampleproject/\n\u251c\u2500\u2500 components/\n\u2502 \u2514\u2500\u2500 calendar/\n\u2502 \u251c\u2500\u2500 calendar.py\n\u2502 \u2514\u2500\u2500 calendar.html\n\u2502 \u2514\u2500\u2500 calendar.css\n\u2502 \u2514\u2500\u2500 calendar.js\n\u251c\u2500\u2500 sampleproject/\n\u251c\u2500\u2500 manage.py\n\u2514\u2500\u2500 requirements.txt\n
In this case you may notice that when you are running a development server, the server sometimes does not reload when you change component files.
From relevant StackOverflow thread:
TL;DR is that the server won't reload if it thinks the changed file is in a templates directory, or in a nested sub directory of a templates directory. This is by design.
To make the dev server reload on all component files, set
reload_on_file_change
toTrue
. This configures Django to watch for component files too.Warning
This setting should be enabled only for the dev environment!
"},{"location":"overview/code_of_conduct/","title":"Contributor Covenant Code of Conduct","text":""},{"location":"overview/code_of_conduct/#our-pledge","title":"Our Pledge","text":"In the interest of fostering an open and welcoming environment, we as contributors and maintainers pledge to making participation in our project and our community a harassment-free experience for everyone, regardless of age, body size, disability, ethnicity, sex characteristics, gender identity and expression, level of experience, education, socio-economic status, nationality, personal appearance, race, religion, or sexual identity and orientation.
"},{"location":"overview/code_of_conduct/#our-standards","title":"Our Standards","text":"Examples of behavior that contributes to creating a positive environment include:
- Using welcoming and inclusive language
- Being respectful of differing viewpoints and experiences
- Gracefully accepting constructive criticism
- Focusing on what is best for the community
- Showing empathy towards other community members
Examples of unacceptable behavior by participants include:
- The use of sexualized language or imagery and unwelcome sexual attention or advances
- Trolling, insulting/derogatory comments, and personal or political attacks
- Public or private harassment
- Publishing others' private information, such as a physical or electronic address, without explicit permission
- Other conduct which could reasonably be considered inappropriate in a professional setting
Project maintainers are responsible for clarifying the standards of acceptable behavior and are expected to take appropriate and fair corrective action in response to any instances of unacceptable behavior.
Project maintainers have the right and responsibility to remove, edit, or reject comments, commits, code, wiki edits, issues, and other contributions that are not aligned to this Code of Conduct, or to ban temporarily or permanently any contributor for other behaviors that they deem inappropriate, threatening, offensive, or harmful.
"},{"location":"overview/code_of_conduct/#scope","title":"Scope","text":"This Code of Conduct applies both within project spaces and in public spaces when an individual is representing the project or its community. Examples of representing a project or community include using an official project e-mail address, posting via an official social media account, or acting as an appointed representative at an online or offline event. Representation of a project may be further defined and clarified by project maintainers.
"},{"location":"overview/code_of_conduct/#enforcement","title":"Enforcement","text":"Instances of abusive, harassing, or otherwise unacceptable behavior may be reported by contacting the project team at emil@emilstenstrom.se. All complaints will be reviewed and investigated and will result in a response that is deemed necessary and appropriate to the circumstances. The project team is obligated to maintain confidentiality with regard to the reporter of an incident. Further details of specific enforcement policies may be posted separately.
Project maintainers who do not follow or enforce the Code of Conduct in good faith may face temporary or permanent repercussions as determined by other members of the project's leadership.
"},{"location":"overview/code_of_conduct/#attribution","title":"Attribution","text":"This Code of Conduct is adapted from the Contributor Covenant, version 1.4, available at https://www.contributor-covenant.org/version/1/4/code-of-conduct.html
For answers to common questions about this code of conduct, see https://www.contributor-covenant.org/faq
"},{"location":"overview/community/","title":"Community","text":""},{"location":"overview/community/#community-questions","title":"Community questions","text":"The best place to ask questions is in our Github Discussion board.
Please, before opening a new discussion, check if similar discussion wasn't opened already.
"},{"location":"overview/community/#community-examples","title":"Community examples","text":"One of our goals with
django-components
is to make it easy to share components between projects (see how to package components). If you have a set of components that you think would be useful to others, please open a pull request to add them to the list below.-
django-htmx-components: A set of components for use with htmx. Try out the live demo.
-
djc-heroicons: A component that renders icons from Heroicons.com.
Django-components supports all supported combinations versions of Django and Python.
Python version Django version 3.8 4.2 3.9 4.2 3.10 4.2, 5.1, 5.2 3.11 4.2, 5.1, 5.2 3.12 4.2, 5.1, 5.2 3.13 5.1, 5.2"},{"location":"overview/compatibility/#operating-systems","title":"Operating systems","text":"django-components is tested against Ubuntu and Windows, and should work on any operating system that supports Python.
Note
django-components uses Rust-based parsers for better performance.
These sub-packages are built with maturin which supports a wide range of operating systems, architectures, and Python versions (see the full list).
This should cover most of the cases.
However, if your environment is not supported, you will need to install Rust and Cargo to build the sub-packages from source.
"},{"location":"overview/contributing/","title":"Contributing","text":""},{"location":"overview/contributing/#bug-reports","title":"Bug reports","text":"If you find a bug, please open an issue with detailed description of what happened.
"},{"location":"overview/contributing/#bug-fixes","title":"Bug fixes","text":"If you found a fix for a bug or typo, go ahead and open a PR with a fix. We'll help you out with the rest!
"},{"location":"overview/contributing/#feature-requests","title":"Feature requests","text":"For feature requests or suggestions, please open either a discussion or an issue.
"},{"location":"overview/contributing/#getting-involved","title":"Getting involved","text":"django_components is still under active development, and there's much to build, so come aboard!
"},{"location":"overview/contributing/#sponsoring","title":"Sponsoring","text":"Another way you can get involved is by donating to the development of django_components.
"},{"location":"overview/development/","title":"Development","text":""},{"location":"overview/development/#install-locally-and-run-the-tests","title":"Install locally and run the tests","text":"Start by forking the project by clicking the Fork button up in the right corner in the GitHub. This makes a copy of the repository in your own name. Now you can clone this repository locally and start adding features:
git clone https://github.com/<your GitHub username>/django-components.git\ncd django-components\n
To quickly run the tests install the local dependencies by running:
pip install -r requirements-dev.txt\n
You also have to install this local django-components version. Use
-e
for editable mode so you don't have to re-install after every change:pip install -e .\n
Now you can run the tests to make sure everything works as expected:
pytest\n
The library is also tested across many versions of Python and Django. To run tests that way:
pyenv install -s 3.8\npyenv install -s 3.9\npyenv install -s 3.10\npyenv install -s 3.11\npyenv install -s 3.12\npyenv install -s 3.13\npyenv local 3.8 3.9 3.10 3.11 3.12 3.13\ntox -p\n
To run tests for a specific Python version, use:
tox -e py38\n
NOTE: See the available environments in
tox.ini
.And to run only linters, use:
"},{"location":"overview/development/#running-playwright-tests","title":"Running Playwright tests","text":"tox -e mypy,flake8,isort,black\n
We use Playwright for end-to-end tests. You will therefore need to install Playwright to be able to run these tests.
Luckily, Playwright makes it very easy:
pip install -r requirements-dev.txt\nplaywright install chromium --with-deps\n
After Playwright is ready, simply run the tests with
tox
:
"},{"location":"overview/development/#developing-against-live-django-app","title":"Developing against live Django app","text":"tox\n
How do you check that your changes to django-components project will work in an actual Django project?
Use the sampleproject demo project to validate the changes:
-
Navigate to sampleproject directory:
cd sampleproject\n
-
Install dependencies from the requirements.txt file:
pip install -r requirements.txt\n
-
Link to your local version of django-components:
pip install -e ..\n
Note
The path to the local version (in this case
..
) must point to the directory that has thesetup.py
file. -
Start Django server
python manage.py runserver\n
Once the server is up, it should be available at http://127.0.0.1:8000.
To display individual components, add them to the
"},{"location":"overview/development/#building-js-code","title":"Building JS code","text":"urls.py
, like in the case of http://127.0.0.1:8000/greetingdjango_components uses a bit of JS code to:
- Manage the loading of JS and CSS files used by the components
- Allow to pass data from Python to JS
When you make changes to this JS code, you also need to compile it:
-
Make sure you are inside
src/django_components_js
:cd src/django_components_js\n
-
Install the JS dependencies
npm install\n
-
Compile the JS/TS code:
python build.py\n
The script will combine all JS/TS code into a single
.js
file, minify it, and copy it todjango_components/static/django_components/django_components.min.js
.
To package the library into a distribution that can be published to PyPI, run:
# Install pypa/build\npython -m pip install build --user\n# Build a binary wheel and a source tarball\npython -m build --sdist --wheel --outdir dist/ .\n
To publish the package to PyPI, use
twine
(See Python user guide):twine upload --repository pypi dist/* -u __token__ -p <PyPI_TOKEN>\n
See the full workflow here.
"},{"location":"overview/development/#development-guides","title":"Development guides","text":"Head over to Dev guides for a deep dive into how django_components' features are implemented.
"},{"location":"overview/installation/","title":"Installation","text":""},{"location":"overview/installation/#basic-installation","title":"Basic installation","text":"-
Install
django_components
into your environment:pip install django_components\n
-
Load
django_components
into Django by adding it intoINSTALLED_APPS
in your settings file:# app/settings.py\nINSTALLED_APPS = [\n ...,\n 'django_components',\n]\n
-
BASE_DIR
setting is required. Ensure that it is defined:# app/settings.py\nfrom pathlib import Path\n\nBASE_DIR = Path(__file__).resolve().parent.parent\n
-
Next, modify
TEMPLATES
section ofsettings.py
as follows:- Remove
'APP_DIRS': True,
- NOTE: Instead of
APP_DIRS: True
, we will usedjango.template.loaders.app_directories.Loader
, which has the same effect.
- NOTE: Instead of
- Add
loaders
toOPTIONS
list and set it to following value:
This allows Django to load component HTML files as Django templates.
TEMPLATES = [\n {\n ...,\n 'OPTIONS': {\n ...,\n 'loaders':[(\n 'django.template.loaders.cached.Loader', [\n # Default Django loader\n 'django.template.loaders.filesystem.Loader',\n # Including this is the same as APP_DIRS=True\n 'django.template.loaders.app_directories.Loader',\n # Components loader\n 'django_components.template_loader.Loader',\n ]\n )],\n },\n },\n]\n
- Remove
-
Add django-component's URL paths to your
urlpatterns
:Django components already prefixes all URLs with
components/
. So when you are adding the URLs tourlpatterns
, you can use an empty string as the first argument:from django.urls import include, path\n\nurlpatterns = [\n ...\n path(\"\", include(\"django_components.urls\")),\n]\n
If you want to use JS or CSS with components, you will need to:
-
Add
\"django_components.finders.ComponentsFileSystemFinder\"
toSTATICFILES_FINDERS
in your settings file.This allows Django to serve component JS and CSS as static files.
STATICFILES_FINDERS = [\n # Default finders\n \"django.contrib.staticfiles.finders.FileSystemFinder\",\n \"django.contrib.staticfiles.finders.AppDirectoriesFinder\",\n # Django components\n \"django_components.finders.ComponentsFileSystemFinder\",\n]\n
-
Optional. If you want to change where the JS and CSS is rendered, use
{% component_js_dependencies %}
and{% component_css_dependencies %}
.By default, the JS
<script>
and CSS<link>
tags are automatically inserted into the HTML (See Default JS / CSS locations).<!doctype html>\n<html>\n <head>\n ...\n {% component_css_dependencies %}\n </head>\n <body>\n ...\n {% component_js_dependencies %}\n </body>\n</html>\n
-
Optional. By default, components' JS and CSS files are cached in memory.
If you want to change the cache backend, set the
COMPONENTS.cache
setting.Read more in Caching.
To avoid loading the app in each template using
{% load component_tags %}
, you can add the tag as a 'builtin' insettings.py
:
"},{"location":"overview/installation/#component-directories","title":"Component directories","text":"TEMPLATES = [\n {\n ...,\n 'OPTIONS': {\n ...,\n 'builtins': [\n 'django_components.templatetags.component_tags',\n ]\n },\n },\n]\n
django-components needs to know where to search for component HTML, JS and CSS files.
There are two ways to configure the component directories:
COMPONENTS.dirs
sets global component directories.COMPONENTS.app_dirs
sets app-level component directories.
By default, django-components will look for a top-level
/components
directory,{BASE_DIR}/components
, equivalent to:from django_components import ComponentsSettings\n\nCOMPONENTS = ComponentsSettings(\n dirs=[\n ...,\n Path(BASE_DIR) / \"components\",\n ],\n)\n
For app-level directories, the default is
[app]/components
, equivalent to:from django_components import ComponentsSettings\n\nCOMPONENTS = ComponentsSettings(\n app_dirs=[\n ...,\n \"components\",\n ],\n)\n
Note
The input to
COMPONENTS.dirs
is the same as forSTATICFILES_DIRS
, and the paths must be full paths. See Django docs.Now you're all set! Read on to find out how to build your first component.
"},{"location":"overview/license/","title":"License","text":"MIT License
Copyright (c) 2019 Emil Stenstr\u00f6m
Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the \"Software\"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions:
The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software.
THE SOFTWARE IS PROVIDED \"AS IS\", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.
"},{"location":"overview/performance/","title":"Performance","text":"We track the performance of
django-components
using ASV.See the benchmarks dashboard.
"},{"location":"overview/security_notes/","title":"Security notes \ud83d\udea8","text":"It is strongly recommended to read this section before using django-components in production.
"},{"location":"overview/security_notes/#static-files","title":"Static files","text":"TL;DR: No action needed from v0.100 onwards. Before v0.100, use
safer_staticfiles
to avoid exposing backend logic.Components can be organized however you prefer. That said, our prefered way is to keep the files of a component close together by bundling them in the same directory.
This means that files containing backend logic, such as Python modules and HTML templates, live in the same directory as static files, e.g. JS and CSS.
From v0.100 onwards, we keep component files (as defined by
COMPONENTS.dirs
andCOMPONENTS.app_dirs
) separate from the rest of the static files (defined bySTATICFILES_DIRS
). That way, the Python and HTML files are NOT exposed by the server. Only the static JS, CSS, and other common formats.Note
If you need to expose different file formats, you can configure these with
"},{"location":"overview/security_notes/#static-files-prior-to-v0100","title":"Static files prior to v0.100","text":"COMPONENTS.static_files_allowed
andCOMPONENTS.static_files_forbidden
.Prior to v0.100, if your were using django.contrib.staticfiles to collect static files, no distinction was made between the different kinds of files.
As a result, your Python code and templates may inadvertently become available on your static file server. You probably don't want this, as parts of your backend logic will be exposed, posing a potential security vulnerability.
From v0.27 until v0.100, django-components shipped with an additional installable app django_components.safer_staticfiles. It was a drop-in replacement for django.contrib.staticfiles. Its behavior is 100% identical except it ignores
.py
and.html
files, meaning these will not end up on your static files server.To use it, add it to
INSTALLED_APPS
and remove django.contrib.staticfiles.INSTALLED_APPS = [\n # 'django.contrib.staticfiles', # <-- REMOVE\n 'django_components',\n 'django_components.safer_staticfiles' # <-- ADD\n]\n
If you are on an pre-v0.27 version of django-components, your alternatives are:
- a) passing
--ignore <pattern>
options to the collecstatic CLI command, - b) defining a subclass of StaticFilesConfig.
Both routes are described in the official docs of the staticfiles app.
Note that
safer_staticfiles
excludes the.py
and.html
files for collectstatic command:python manage.py collectstatic\n
but it is ignored on the development server:
python manage.py runserver\n
For a step-by-step guide on deploying production server with static files, see the demo project.
See the older versions of the sampleproject for a setup with pre-v0.100 version.
"},{"location":"overview/welcome/","title":"Welcome to Django Components","text":"django-components
combines Django's templating system with the modularity seen in modern frontend frameworks like Vue or React.With
"},{"location":"overview/welcome/#quickstart","title":"Quickstart","text":"django-components
you can support Django projects small and large without leaving the Django ecosystem.A component in django-components can be as simple as a Django template and Python code to declare the component:
components/calendar/calendar.html
components/calendar/calendar.py<div class=\"calendar\">\n Today's date is <span>{{ date }}</span>\n</div>\n
from django_components import Component\n\nclass Calendar(Component):\n template_file = \"calendar.html\"\n
Or a combination of Django template, Python, CSS, and Javascript:
components/calendar/calendar.html
components/calendar/calendar.css<div class=\"calendar\">\n Today's date is <span>{{ date }}</span>\n</div>\n
components/calendar/calendar.js.calendar {\n width: 200px;\n background: pink;\n}\n
components/calendar/calendar.pydocument.querySelector(\".calendar\").onclick = () => {\n alert(\"Clicked calendar!\");\n};\n
from django_components import Component\n\nclass Calendar(Component):\n template_file = \"calendar.html\"\n js_file = \"calendar.js\"\n css_file = \"calendar.css\"\n\n def get_template_data(self, args, kwargs, slots, context):\n return {\"date\": kwargs[\"date\"]}\n
Use the component like this:
{% component \"calendar\" date=\"2024-11-06\" %}{% endcomponent %}\n
And this is what gets rendered:
<div class=\"calendar-component\">\n Today's date is <span>2024-11-06</span>\n</div>\n
Read on to learn about all the exciting details and configuration possibilities!
(If you instead prefer to jump right into the code, check out the example project)
"},{"location":"overview/welcome/#features","title":"Features","text":""},{"location":"overview/welcome/#modern-and-modular-ui","title":"Modern and modular UI","text":"- Create self-contained, reusable UI elements.
- Each component can include its own HTML, CSS, and JS, or additional third-party JS and CSS.
- HTML, CSS, and JS can be defined on the component class, or loaded from files.
"},{"location":"overview/welcome/#composition-with-slots","title":"Composition with slots","text":"from django_components import Component\n\n@register(\"calendar\")\nclass Calendar(Component):\n template = \"\"\"\n <div class=\"calendar\">\n Today's date is\n <span>{{ date }}</span>\n </div>\n \"\"\"\n\n css = \"\"\"\n .calendar {\n width: 200px;\n background: pink;\n }\n \"\"\"\n\n js = \"\"\"\n document.querySelector(\".calendar\")\n .addEventListener(\"click\", () => {\n alert(\"Clicked calendar!\");\n });\n \"\"\"\n\n # Additional JS and CSS\n class Media:\n js = [\"https://cdn.jsdelivr.net/npm/htmx.org@2.1.1/dist/htmx.min.js\"]\n css = [\"bootstrap/dist/css/bootstrap.min.css\"]\n\n # Variables available in the template\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"date\": kwargs[\"date\"]\n }\n
- Render components inside templates with
{% component %}
tag. - Compose them with
{% slot %}
and{% fill %}
tags. - Vue-like slot system, including scoped slots.
"},{"location":"overview/welcome/#extended-template-tags","title":"Extended template tags","text":"{% component \"Layout\"\n bookmarks=bookmarks\n breadcrumbs=breadcrumbs\n%}\n {% fill \"header\" %}\n <div class=\"flex justify-between gap-x-12\">\n <div class=\"prose\">\n <h3>{{ project.name }}</h3>\n </div>\n <div class=\"font-semibold text-gray-500\">\n {{ project.start_date }} - {{ project.end_date }}\n </div>\n </div>\n {% endfill %}\n\n {# Access data passed to `{% slot %}` with `data` #}\n {% fill \"tabs\" data=\"tabs_data\" %}\n {% component \"TabItem\" header=\"Project Info\" %}\n {% component \"ProjectInfo\"\n project=project\n project_tags=project_tags\n attrs:class=\"py-5\"\n attrs:width=tabs_data.width\n / %}\n {% endcomponent %}\n {% endfill %}\n{% endcomponent %}\n
django-components
is designed for flexibility, making working with templates a breeze.It extends Django's template tags syntax with:
- Literal lists and dictionaries in the template
- Self-closing tags
{% mytag / %}
- Multi-line template tags
- Spread operator
...
to dynamically pass args or kwargs into the template tag - Template tags inside literal strings like
\"{{ first_name }} {{ last_name }}\"
- Pass dictonaries by their key-value pairs
attr:key=val
{% component \"table\"\n ...default_attrs\n title=\"Friend list for {{ user.name }}\"\n headers=[\"Name\", \"Age\", \"Email\"]\n data=[\n {\n \"name\": \"John\"|upper,\n \"age\": 30|add:1,\n \"email\": \"john@example.com\",\n \"hobbies\": [\"reading\"],\n },\n {\n \"name\": \"Jane\"|upper,\n \"age\": 25|add:1,\n \"email\": \"jane@example.com\",\n \"hobbies\": [\"reading\", \"coding\"],\n },\n ],\n attrs:class=\"py-4 ma-2 border-2 border-gray-300 rounded-md\"\n/ %}\n
You too can define template tags with these features by using
@template_tag()
orBaseNode
.Read more on Custom template tags.
"},{"location":"overview/welcome/#full-programmatic-access","title":"Full programmatic access","text":"When you render a component, you can access everything about the component:
- Component input: args, kwargs, slots and context
- Component's template, CSS and JS
- Django's context processors
- Unique render ID
"},{"location":"overview/welcome/#granular-html-attributes","title":"Granular HTML attributes","text":"class Table(Component):\n js_file = \"table.js\"\n css_file = \"table.css\"\n\n template = \"\"\"\n <div class=\"table\">\n <span>{{ variable }}</span>\n </div>\n \"\"\"\n\n def get_template_data(self, args, kwargs, slots, context):\n # Access component's ID\n assert self.id == \"djc1A2b3c\"\n\n # Access component's inputs and slots\n assert self.input.args == (123, \"str\")\n assert self.input.kwargs == {\"variable\": \"test\", \"another\": 1}\n footer_slot = self.input.slots[\"footer\"]\n some_var = self.input.context[\"some_var\"]\n\n # Access the request object and Django's context processors, if available\n assert self.request.GET == {\"query\": \"something\"}\n assert self.context_processors_data['user'].username == \"admin\"\n\n return {\n \"variable\": kwargs[\"variable\"],\n }\n\n# Access component's HTML / JS / CSS\nTable.template\nTable.js\nTable.css\n\n# Render the component\nrendered = Table.render(\n kwargs={\"variable\": \"test\", \"another\": 1},\n args=(123, \"str\"),\n slots={\"footer\": \"MY_FOOTER\"},\n)\n
Use the
{% html_attrs %}
template tag to render HTML attributes.It supports:
- Defining attributes as whole dictionaries or keyword arguments
- Merging attributes from multiple sources
- Boolean attributes
- Appending attributes
- Removing attributes
- Defining default attributes
<div\n {% html_attrs\n attrs\n defaults:class=\"default-class\"\n class=\"extra-class\"\n %}\n>\n
{% html_attrs %}
offers a Vue-like granular control forclass
andstyle
HTML attributes, where you can use a dictionary to manage each class name or style property separately.{% html_attrs\n class=\"foo bar\"\n class={\n \"baz\": True,\n \"foo\": False,\n }\n class=\"extra\"\n%}\n
{% html_attrs\n style=\"text-align: center; background-color: blue;\"\n style={\n \"background-color\": \"green\",\n \"color\": None,\n \"width\": False,\n }\n style=\"position: absolute; height: 12px;\"\n%}\n
Read more about HTML attributes.
"},{"location":"overview/welcome/#html-fragment-support","title":"HTML fragment support","text":"django-components
makes integration with HTMX, AlpineJS or jQuery easy by allowing components to be rendered as HTML fragments:-
Components's JS and CSS files are loaded automatically when the fragment is inserted into the DOM.
-
Components can be exposed as Django Views with
get()
,post()
,put()
,patch()
,delete()
methods -
Automatically create an endpoint for a component with
Component.View.public
"},{"location":"overview/welcome/#provide-inject","title":"Provide / Inject","text":"# components/calendar/calendar.py\n@register(\"calendar\")\nclass Calendar(Component):\n template_file = \"calendar.html\"\n\n class View:\n # Register Component with `urlpatterns`\n public = True\n\n # Define handlers\n def get(self, request, *args, **kwargs):\n page = request.GET.get(\"page\", 1)\n return self.component.render_to_response(\n request=request,\n kwargs={\n \"page\": page,\n },\n )\n\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"page\": kwargs[\"page\"],\n }\n\n# Get auto-generated URL for the component\nurl = get_component_url(Calendar)\n\n# Or define explicit URL in urls.py\npath(\"calendar/\", Calendar.as_view())\n
django-components
supports the provide / inject pattern, similarly to React's Context Providers or Vue's provide / inject:- Use the
{% provide %}
tag to provide data to the component tree - Use the
Component.inject()
method to inject data into the component
Read more about Provide / Inject.
<body>\n {% provide \"theme\" variant=\"light\" %}\n {% component \"header\" / %}\n {% endprovide %}\n</body>\n
"},{"location":"overview/welcome/#input-validation-and-static-type-hints","title":"Input validation and static type hints","text":"@register(\"header\")\nclass Header(Component):\n template = \"...\"\n\n def get_template_data(self, args, kwargs, slots, context):\n theme = self.inject(\"theme\").variant\n return {\n \"theme\": theme,\n }\n
Avoid needless errors with type hints and runtime input validation.
To opt-in to input validation, define types for component's args, kwargs, slots, and more:
from typing import NamedTuple, Optional\nfrom django.template import Context\nfrom django_components import Component, Slot, SlotInput\n\nclass Button(Component):\n class Args(NamedTuple):\n size: int\n text: str\n\n class Kwargs(NamedTuple):\n variable: str\n another: int\n maybe_var: Optional[int] = None # May be omitted\n\n class Slots(NamedTuple):\n my_slot: Optional[SlotInput] = None\n another_slot: SlotInput\n\n def get_template_data(self, args: Args, kwargs: Kwargs, slots: Slots, context: Context):\n args.size # int\n kwargs.variable # str\n slots.my_slot # Slot[MySlotData]\n
To have type hints when calling
Button.render()
orButton.render_to_response()
, wrap the inputs in their respectiveArgs
,Kwargs
, andSlots
classes:
"},{"location":"overview/welcome/#extensions","title":"Extensions","text":"Button.render(\n # Error: First arg must be `int`, got `float`\n args=Button.Args(\n size=1.25,\n text=\"abc\",\n ),\n # Error: Key \"another\" is missing\n kwargs=Button.Kwargs(\n variable=\"text\",\n ),\n)\n
Django-components functionality can be extended with Extensions. Extensions allow for powerful customization and integrations. They can:
- Tap into lifecycle events, such as when a component is created, deleted, or registered
- Add new attributes and methods to the components
- Add custom CLI commands
- Add custom URLs
Some of the extensions include:
- Component caching
- Django View integration
- Component defaults
- Pydantic integration (input validation)
Some of the planned extensions include:
- AlpineJS integration
- Storybook integration
- Component-level benchmarking with asv
- Components can be cached using Django's cache framework.
- Caching rules can be configured on a per-component basis.
- Components are cached based on their input. Or you can write custom caching logic.
"},{"location":"overview/welcome/#simple-testing","title":"Simple testing","text":"from django_components import Component\n\nclass MyComponent(Component):\n class Cache:\n enabled = True\n ttl = 60 * 60 * 24 # 1 day\n\n def hash(self, *args, **kwargs):\n return hash(f\"{json.dumps(args)}:{json.dumps(kwargs)}\")\n
- Write tests for components with
@djc_test
decorator. - The decorator manages global state, ensuring that tests don't leak.
- If using
pytest
, the decorator allows you to parametrize Django or Components settings. - The decorator also serves as a stand-in for Django's
@override_settings
.
"},{"location":"overview/welcome/#debugging-features","title":"Debugging features","text":"from django_components.testing import djc_test\n\nfrom components.my_table import MyTable\n\n@djc_test\ndef test_my_table():\n rendered = MyTable.render(\n kwargs={\n \"title\": \"My table\",\n },\n )\n assert rendered == \"<table>My table</table>\"\n
- Visual component inspection: Highlight components and slots directly in your browser.
- Detailed tracing logs to supply AI-agents with context: The logs include component and slot names and IDs, and their position in the tree.
- Install and use third-party components from PyPI
- Or publish your own \"component registry\"
-
Highly customizable - Choose how the components are called in the template (and more):
{% component \"calendar\" date=\"2024-11-06\" %}\n{% endcomponent %}\n\n{% calendar date=\"2024-11-06\" %}\n{% endcalendar %}\n
Our aim is to be at least as fast as Django templates.
As of
Render time django 68.9\u00b10.6ms django-components 259\u00b14ms0.130
,django-components
is ~4x slower than Django templates.See the full performance breakdown for more information.
"},{"location":"overview/welcome/#release-notes","title":"Release notes","text":"Read the Release Notes to see the latest features and fixes.
"},{"location":"overview/welcome/#community-examples","title":"Community examples","text":"One of our goals with
"},{"location":"overview/welcome/#contributing-and-development","title":"Contributing and development","text":"django-components
is to make it easy to share components between projects. Head over to the Community examples to see some examples.Get involved or sponsor this project - See here
Running django-components locally for development - See here
"},{"location":"reference/api/","title":"API","text":""},{"location":"reference/api/#api","title":"API","text":""},{"location":"reference/api/#django_components.BaseNode","title":"BaseNode","text":"BaseNode(\n params: List[TagAttr], flags: Optional[Dict[str, bool]] = None, nodelist: Optional[NodeList] = None, node_id: Optional[str] = None\n)\n
Bases:
django.template.base.Node
See source code
Node class for all django-components custom template tags.
This class has a dual role:
-
It declares how a particular template tag should be parsed - By setting the
tag
,end_tag
, andallowed_flags
attributes:class SlotNode(BaseNode):\n tag = \"slot\"\n end_tag = \"endslot\"\n allowed_flags = [\"required\"]\n
This will allow the template tag
{% slot %}
to be used like this:{% slot required %} ... {% endslot %}\n
-
The
render
method is the actual implementation of the template tag.This is where the tag's logic is implemented:
class MyNode(BaseNode):\n tag = \"mynode\"\n\n def render(self, context: Context, name: str, **kwargs: Any) -> str:\n return f\"Hello, {name}!\"\n
This will allow the template tag
{% mynode %}
to be used like this:{% mynode name=\"John\" %}\n
The template tag accepts parameters as defined on the
render
method's signature.For more info, see
BaseNode.render()
.Methods:
-
parse
\u2013 -
register
\u2013 -
render
\u2013 -
unregister
\u2013
Attributes:
-
active_flags
(List[str]
) \u2013 -
allowed_flags
(Optional[List[str]]
) \u2013 -
end_tag
(Optional[str]
) \u2013 -
flags
\u2013 -
node_id
\u2013 -
nodelist
\u2013 -
params
\u2013 -
tag
(str
) \u2013
property
","text":"active_flags: List[str]\n
See source code
Flags that were set for this specific instance.
"},{"location":"reference/api/#django_components.BaseNode.allowed_flags","title":"allowed_flagsclass-attribute
instance-attribute
","text":"allowed_flags: Optional[List[str]] = None\n
See source code
The allowed flags for this tag.
E.g.
"},{"location":"reference/api/#django_components.BaseNode.end_tag","title":"end_tag[\"required\"]
will allow this tag to be used like{% slot required %}
.class-attribute
instance-attribute
","text":"end_tag: Optional[str] = None\n
See source code
The end tag name.
E.g.
\"endcomponent\"
or\"endslot\"
will make this class match template tags{% endcomponent %}
or{% endslot %}
.If not set, then this template tag has no end tag.
So instead of
"},{"location":"reference/api/#django_components.BaseNode.flags","title":"flags{% component %} ... {% endcomponent %}
, you'd use only{% component %}
.instance-attribute
","text":"
"},{"location":"reference/api/#django_components.BaseNode.node_id","title":"node_idflags = flags or {flag: Falsefor flag in allowed_flags or []}\n
instance-attribute
","text":"
"},{"location":"reference/api/#django_components.BaseNode.nodelist","title":"nodelistnode_id = node_id or gen_id()\n
instance-attribute
","text":"
"},{"location":"reference/api/#django_components.BaseNode.params","title":"paramsnodelist = nodelist or NodeList()\n
instance-attribute
","text":"
"},{"location":"reference/api/#django_components.BaseNode.tag","title":"tagparams = params\n
instance-attribute
","text":"tag: str\n
See source code
The tag name.
E.g.
"},{"location":"reference/api/#django_components.BaseNode.parse","title":"parse\"component\"
or\"slot\"
will make this class match template tags{% component %}
or{% slot %}
.classmethod
","text":"parse(parser: Parser, token: Token, **kwargs: Any) -> BaseNode\n
See source code
This function is what is passed to Django's
Library.tag()
when registering the tag.In other words, this method is called by Django's template parser when we encounter a tag that matches this node's tag, e.g.
{% component %}
or{% slot %}
.To register the tag, you can use
"},{"location":"reference/api/#django_components.BaseNode.register","title":"registerBaseNode.register()
.classmethod
","text":"register(library: Library) -> None\n
See source code
A convenience method for registering the tag with the given library.
class MyNode(BaseNode):\n tag = \"mynode\"\n\nMyNode.register(library)\n
Allows you to then use the node in templates like so:
"},{"location":"reference/api/#django_components.BaseNode.render","title":"render","text":"{% load mylibrary %}\n{% mynode %}\n
render(context: Context, *args: Any, **kwargs: Any) -> str\n
See source code
Render the node. This method is meant to be overridden by subclasses.
The signature of this function decides what input the template tag accepts.
The
render()
method MUST accept acontext
argument. Any arguments after that will be part of the tag's input parameters.So if you define a
render
method like this:def render(self, context: Context, name: str, **kwargs: Any) -> str:\n
Then the tag will require the
name
parameter, and accept any extra keyword arguments:
"},{"location":"reference/api/#django_components.BaseNode.unregister","title":"unregister{% component name=\"John\" age=20 %}\n
classmethod
","text":"unregister(library: Library) -> None\n
See source code
Unregisters the node from the given library.
"},{"location":"reference/api/#django_components.CommandLiteralAction","title":"CommandLiteralActionmodule-attribute
","text":"CommandLiteralAction = Literal['append', 'append_const', 'count', 'extend', 'store', 'store_const', 'store_true', 'store_false', 'version']\n
See source code
The basic type of action to be taken when this argument is encountered at the command line.
This is a subset of the values for
"},{"location":"reference/api/#django_components.Component","title":"Component","text":"action
inArgumentParser.add_argument()
.Component(registered_name: Optional[str] = None, outer_context: Optional[Context] = None, registry: Optional[ComponentRegistry] = None)\n
Methods:
-
as_view
\u2013 -
get_context_data
\u2013 -
get_css_data
\u2013 -
get_js_data
\u2013 -
get_template
\u2013 -
get_template_data
\u2013 -
get_template_name
\u2013 -
inject
\u2013 -
on_render_after
\u2013 -
on_render_before
\u2013 -
render
\u2013 -
render_to_response
\u2013
Attributes:
-
Args
(Type
) \u2013 -
Cache
(Type[ComponentCache]
) \u2013 -
CssData
(Type
) \u2013 -
Defaults
(Type[ComponentDefaults]
) \u2013 -
JsData
(Type
) \u2013 -
Kwargs
(Type
) \u2013 -
Media
(Optional[Type[ComponentMediaInput]]
) \u2013 -
Slots
(Type
) \u2013 -
TemplateData
(Type
) \u2013 -
View
(Type[ComponentView]
) \u2013 -
cache
(ComponentCache
) \u2013 -
class_id
(str
) \u2013 -
context_processors_data
(Dict
) \u2013 -
css
(Optional[str]
) \u2013 -
css_file
(Optional[str]
) \u2013 -
defaults
(ComponentDefaults
) \u2013 -
id
(str
) \u2013 -
input
(ComponentInput
) \u2013 -
is_filled
(SlotIsFilled
) \u2013 -
js
(Optional[str]
) \u2013 -
js_file
(Optional[str]
) \u2013 -
media
(Optional[Media]
) \u2013 -
media_class
(Type[Media]
) \u2013 -
name
(str
) \u2013 -
outer_context
(Optional[Context]
) \u2013 -
registered_name
(Optional[str]
) \u2013 -
registry
\u2013 -
request
(Optional[HttpRequest]
) \u2013 -
response_class
\u2013 -
template
(Optional[Union[str, Template]]
) \u2013 -
template_file
(Optional[str]
) \u2013 -
template_name
(Optional[str]
) \u2013 -
view
(ComponentView
) \u2013
class-attribute
instance-attribute
","text":"Args: Type = cast(Type, None)\n
See source code
Optional typing for positional arguments passed to the component.
If set and not
None
, then theargs
parameter of the data methods (get_template_data()
,get_js_data()
,get_css_data()
) will be the instance of this class:from typing import NamedTuple\nfrom django_components import Component\n\nclass Table(Component):\n class Args(NamedTuple):\n color: str\n size: int\n\n def get_template_data(self, args: Args, kwargs, slots, context):\n assert isinstance(args, Table.Args)\n\n return {\n \"color\": args.color,\n \"size\": args.size,\n }\n
The constructor of this class MUST accept positional arguments:
Args(*args)\n
As such, a good starting point is to set this field to a subclass of
NamedTuple
.Use
Args
to:- Validate the input at runtime.
- Set type hints for the positional arguments for data methods like
get_template_data()
. - Document the component inputs.
You can also use
Args
to validate the positional arguments forComponent.render()
:Table.render(\n args=Table.Args(color=\"red\", size=10),\n)\n
Read more on Typing and validation.
"},{"location":"reference/api/#django_components.Component.Cache","title":"Cacheinstance-attribute
","text":"Cache: Type[ComponentCache]\n
See source code
The fields of this class are used to configure the component caching.
Read more about Component caching.
Example:
"},{"location":"reference/api/#django_components.Component.CssData","title":"CssDatafrom django_components import Component\n\nclass MyComponent(Component):\n class Cache:\n enabled = True\n ttl = 60 * 60 * 24 # 1 day\n cache_name = \"my_cache\"\n
class-attribute
instance-attribute
","text":"CssData: Type = cast(Type, None)\n
See source code
Optional typing for the data to be returned from
get_css_data()
.If set and not
None
, then this class will be instantiated with the dictionary returned fromget_css_data()
to validate the data.The constructor of this class MUST accept keyword arguments:
CssData(**css_data)\n
You can also return an instance of
CssData
directly fromget_css_data()
to get type hints:from typing import NamedTuple\nfrom django_components import Component\n\nclass Table(Component):\n class CssData(NamedTuple):\n color: str\n size: int\n\n def get_css_data(self, args, kwargs, slots, context):\n return Table.CssData(\n color=kwargs[\"color\"],\n size=kwargs[\"size\"],\n )\n
A good starting point is to set this field to a subclass of
NamedTuple
or a dataclass.Use
CssData
to:- Validate the data returned from
get_css_data()
at runtime. - Set type hints for this data.
- Document the component data.
Read more on Typing and validation.
Info
If you use a custom class for
CssData
, this class needs to be convertable to a dictionary.You can implement either:
-
_asdict()
methodclass MyClass:\n def __init__(self):\n self.x = 1\n self.y = 2\n\n def _asdict(self):\n return {'x': self.x, 'y': self.y}\n
-
Or make the class dict-like with
__iter__()
and__getitem__()
class MyClass:\n def __init__(self):\n self.x = 1\n self.y = 2\n\n def __iter__(self):\n return iter([('x', self.x), ('y', self.y)])\n\n def __getitem__(self, key):\n return getattr(self, key)\n
instance-attribute
","text":"Defaults: Type[ComponentDefaults]\n
See source code
The fields of this class are used to set default values for the component's kwargs.
Read more about Component defaults.
Example:
"},{"location":"reference/api/#django_components.Component.JsData","title":"JsDatafrom django_components import Component, Default\n\nclass MyComponent(Component):\n class Defaults:\n position = \"left\"\n selected_items = Default(lambda: [1, 2, 3])\n
class-attribute
instance-attribute
","text":"JsData: Type = cast(Type, None)\n
See source code
Optional typing for the data to be returned from
get_js_data()
.If set and not
None
, then this class will be instantiated with the dictionary returned fromget_js_data()
to validate the data.The constructor of this class MUST accept keyword arguments:
JsData(**js_data)\n
You can also return an instance of
JsData
directly fromget_js_data()
to get type hints:from typing import NamedTuple\nfrom django_components import Component\n\nclass Table(Component):\n class JsData(NamedTuple):\n color: str\n size: int\n\n def get_js_data(self, args, kwargs, slots, context):\n return Table.JsData(\n color=kwargs[\"color\"],\n size=kwargs[\"size\"],\n )\n
A good starting point is to set this field to a subclass of
NamedTuple
or a dataclass.Use
JsData
to:- Validate the data returned from
get_js_data()
at runtime. - Set type hints for this data.
- Document the component data.
Read more on Typing and validation.
Info
If you use a custom class for
JsData
, this class needs to be convertable to a dictionary.You can implement either:
-
_asdict()
methodclass MyClass:\n def __init__(self):\n self.x = 1\n self.y = 2\n\n def _asdict(self):\n return {'x': self.x, 'y': self.y}\n
-
Or make the class dict-like with
__iter__()
and__getitem__()
class MyClass:\n def __init__(self):\n self.x = 1\n self.y = 2\n\n def __iter__(self):\n return iter([('x', self.x), ('y', self.y)])\n\n def __getitem__(self, key):\n return getattr(self, key)\n
class-attribute
instance-attribute
","text":"Kwargs: Type = cast(Type, None)\n
See source code
Optional typing for keyword arguments passed to the component.
If set and not
None
, then thekwargs
parameter of the data methods (get_template_data()
,get_js_data()
,get_css_data()
) will be the instance of this class:from typing import NamedTuple\nfrom django_components import Component\n\nclass Table(Component):\n class Kwargs(NamedTuple):\n color: str\n size: int\n\n def get_template_data(self, args, kwargs: Kwargs, slots, context):\n assert isinstance(kwargs, Table.Kwargs)\n\n return {\n \"color\": kwargs.color,\n \"size\": kwargs.size,\n }\n
The constructor of this class MUST accept keyword arguments:
Kwargs(**kwargs)\n
As such, a good starting point is to set this field to a subclass of
NamedTuple
or a dataclass.Use
Kwargs
to:- Validate the input at runtime.
- Set type hints for the keyword arguments for data methods like
get_template_data()
. - Document the component inputs.
You can also use
Kwargs
to validate the keyword arguments forComponent.render()
:Table.render(\n kwargs=Table.Kwargs(color=\"red\", size=10),\n)\n
Read more on Typing and validation.
"},{"location":"reference/api/#django_components.Component.Media","title":"Mediaclass-attribute
instance-attribute
","text":"Media: Optional[Type[ComponentMediaInput]] = None\n
See source code
Defines JS and CSS media files associated with this component.
This
Media
class behaves similarly to Django's Media class:- Paths are generally handled as static file paths, and resolved URLs are rendered to HTML with
media_class.render_js()
ormedia_class.render_css()
. - A path that starts with
http
,https
, or/
is considered a URL, skipping the static file resolution. This path is still rendered to HTML withmedia_class.render_js()
ormedia_class.render_css()
. - A
SafeString
(with__html__
method) is considered an already-formatted HTML tag, skipping both static file resolution and rendering withmedia_class.render_js()
ormedia_class.render_css()
. - You can set
extend
to configure whether to inherit JS / CSS from parent components. See Media inheritance.
However, there's a few differences from Django's Media class:
- Our Media class accepts various formats for the JS and CSS files: either a single file, a list, or (CSS-only) a dictionary (See
ComponentMediaInput
). - Individual JS / CSS files can be any of
str
,bytes
,Path
,SafeString
, or a function (SeeComponentMediaInputPath
).
Example:
"},{"location":"reference/api/#django_components.Component.Slots","title":"Slotsclass MyTable(Component):\n class Media:\n js = [\n \"path/to/script.js\",\n \"https://unpkg.com/alpinejs@3.14.7/dist/cdn.min.js\", # AlpineJS\n ]\n css = {\n \"all\": [\n \"path/to/style.css\",\n \"https://unpkg.com/tailwindcss@^2/dist/tailwind.min.css\", # TailwindCSS\n ],\n \"print\": [\"path/to/style2.css\"],\n }\n
class-attribute
instance-attribute
","text":"Slots: Type = cast(Type, None)\n
See source code
Optional typing for slots passed to the component.
If set and not
None
, then theslots
parameter of the data methods (get_template_data()
,get_js_data()
,get_css_data()
) will be the instance of this class:from typing import NamedTuple\nfrom django_components import Component, Slot, SlotInput\n\nclass Table(Component):\n class Slots(NamedTuple):\n header: SlotInput\n footer: Slot\n\n def get_template_data(self, args, kwargs, slots: Slots, context):\n assert isinstance(slots, Table.Slots)\n\n return {\n \"header\": slots.header,\n \"footer\": slots.footer,\n }\n
The constructor of this class MUST accept keyword arguments:
Slots(**slots)\n
As such, a good starting point is to set this field to a subclass of
NamedTuple
or a dataclass.Use
Slots
to:- Validate the input at runtime.
- Set type hints for the slots for data methods like
get_template_data()
. - Document the component inputs.
You can also use
Slots
to validate the slots forComponent.render()
:Table.render(\n slots=Table.Slots(\n header=\"HELLO IM HEADER\",\n footer=Slot(lambda: ...),\n ),\n)\n
Read more on Typing and validation.
Info
Components can receive slots as strings, functions, or instances of
Slot
.Internally these are all normalized to instances of
Slot
.Therefore, the
slots
dictionary available in data methods (likeget_template_data()
) will always be a dictionary ofSlot
instances.To correctly type this dictionary, you should set the fields of
Slots
toSlot
orSlotInput
:
"},{"location":"reference/api/#django_components.Component.TemplateData","title":"TemplateDataSlotInput
is a union ofSlot
, string, and function types.class-attribute
instance-attribute
","text":"TemplateData: Type = cast(Type, None)\n
See source code
Optional typing for the data to be returned from
get_template_data()
.If set and not
None
, then this class will be instantiated with the dictionary returned fromget_template_data()
to validate the data.The constructor of this class MUST accept keyword arguments:
TemplateData(**template_data)\n
You can also return an instance of
TemplateData
directly fromget_template_data()
to get type hints:from typing import NamedTuple\nfrom django_components import Component\n\nclass Table(Component):\n class TemplateData(NamedTuple):\n color: str\n size: int\n\n def get_template_data(self, args, kwargs, slots, context):\n return Table.TemplateData(\n color=kwargs[\"color\"],\n size=kwargs[\"size\"],\n )\n
A good starting point is to set this field to a subclass of
NamedTuple
or a dataclass.Use
TemplateData
to:- Validate the data returned from
get_template_data()
at runtime. - Set type hints for this data.
- Document the component data.
Read more on Typing and validation.
Info
If you use a custom class for
TemplateData
, this class needs to be convertable to a dictionary.You can implement either:
-
_asdict()
methodclass MyClass:\n def __init__(self):\n self.x = 1\n self.y = 2\n\n def _asdict(self):\n return {'x': self.x, 'y': self.y}\n
-
Or make the class dict-like with
__iter__()
and__getitem__()
class MyClass:\n def __init__(self):\n self.x = 1\n self.y = 2\n\n def __iter__(self):\n return iter([('x', self.x), ('y', self.y)])\n\n def __getitem__(self, key):\n return getattr(self, key)\n
instance-attribute
","text":"View: Type[ComponentView]\n
See source code
The fields of this class are used to configure the component views and URLs.
This class is a subclass of
django.views.View
. TheComponent
instance is available viaself.component
.Override the methods of this class to define the behavior of the component.
Read more about Component views and URLs.
Example:
"},{"location":"reference/api/#django_components.Component.cache","title":"cacheclass MyComponent(Component):\n class View:\n def get(self, request: HttpRequest, *args: Any, **kwargs: Any) -> HttpResponse:\n return HttpResponse(\"Hello, world!\")\n
instance-attribute
","text":"cache: ComponentCache\n
See source code
Instance of
"},{"location":"reference/api/#django_components.Component.class_id","title":"class_idComponentCache
available at component render time.class-attribute
","text":"class_id: str\n
See source code
Unique ID of the component class, e.g.
MyComponent_ab01f2
.This is derived from the component class' module import path, e.g.
"},{"location":"reference/api/#django_components.Component.context_processors_data","title":"context_processors_datapath.to.my.MyComponent
.property
","text":"context_processors_data: Dict\n
See source code
Retrieve data injected by
context_processors
.This data is also available from within the component's template, without having to return this data from
get_template_data()
.In regular Django templates, you need to use
RequestContext
to apply context processors.In Components, the context processors are applied to components either when:
- The component is rendered with
RequestContext
(Regular Django behavior) - The component is rendered with a regular
Context
(or none), but therequest
kwarg ofComponent.render()
is set. - The component is nested in another component that matches any of these conditions.
See
Component.request
on how therequest
(HTTPRequest) object is passed to and within the components.Raises
RuntimeError
if accessed outside of rendering execution.NOTE: This dictionary is generated dynamically, so any changes to it will not be persisted.
Example:
"},{"location":"reference/api/#django_components.Component.css","title":"cssclass MyComponent(Component):\n def get_template_data(self, args, kwargs, slots, context):\n user = self.context_processors_data['user']\n return {\n 'is_logged_in': user.is_authenticated,\n }\n
class-attribute
instance-attribute
","text":"css: Optional[str] = None\n
See source code
Main CSS associated with this component inlined as string.
Only one of
css
orcss_file
must be defined.Example:
"},{"location":"reference/api/#django_components.Component.css_file","title":"css_fileclass MyComponent(Component):\n css = \"\"\"\n .my-class {\n color: red;\n }\n \"\"\"\n
class-attribute
instance-attribute
","text":"css_file: Optional[str] = None\n
See source code
Main CSS associated with this component as file path.
The filepath must be either:
- Relative to the directory where the Component's Python file is defined.
- Relative to one of the component directories, as set by
COMPONENTS.dirs
orCOMPONENTS.app_dirs
(e.g.<root>/components/
). - Relative to the staticfiles directories, as set by Django's
STATICFILES_DIRS
setting (e.g.<root>/static/
).
When you create a Component class with
css_file
, these will happen:- If the file path is relative to the directory where the component's Python file is, the path is resolved.
- The file is read and its contents is set to
Component.css
.
Only one of
css
orcss_file
must be defined.Example:
path/to/style.css
path/to/component.py.my-class {\n color: red;\n}\n
"},{"location":"reference/api/#django_components.Component.defaults","title":"defaultsclass MyComponent(Component):\n css_file = \"path/to/style.css\"\n\nprint(MyComponent.css)\n# Output:\n# .my-class {\n# color: red;\n# };\n
instance-attribute
","text":"defaults: ComponentDefaults\n
See source code
Instance of
"},{"location":"reference/api/#django_components.Component.id","title":"idComponentDefaults
available at component render time.property
","text":"id: str\n
See source code
This ID is unique for every time a
Component.render()
(or equivalent) is called (AKA \"render ID\").This is useful for logging or debugging.
Raises
RuntimeError
if accessed outside of rendering execution.The ID is a 7-letter alphanumeric string in the format
cXXXXXX
, whereXXXXXX
is a random string of 6 alphanumeric characters (case-sensitive).E.g.
c1A2b3c
.A single render ID has a chance of collision 1 in 57 billion. However, due to birthday paradox, the chance of collision increases to 1% when approaching ~33K render IDs.
Thus, there is currently a soft-cap of ~30K components rendered on a single page.
If you need to expand this limit, please open an issue on GitHub.
Example:
"},{"location":"reference/api/#django_components.Component.input","title":"inputclass MyComponent(Component):\n def get_template_data(self, args, kwargs, slots, context):\n print(f\"Rendering '{self.id}'\")\n return {}\n\nMyComponent.render()\n# Rendering 'ab3c4d'\n
property
","text":"input: ComponentInput\n
See source code
Input holds the data that were passed to the current component at render time.
Raises
RuntimeError
if accessed outside of rendering execution.This includes:
args
- List of positional argumentskwargs
- Dictionary of keyword argumentsslots
- Dictionary of slots. Values are normalized toSlot
instancescontext
-Context
object that should be used to render the component- And other kwargs passed to
Component.render()
likedeps_strategy
Read more on Component inputs.
Example:
"},{"location":"reference/api/#django_components.Component.is_filled","title":"is_filledclass Table(Component):\n def get_template_data(self, args, kwargs, slots, context):\n # Access component's inputs, slots and context\n assert self.input.args == [123, \"str\"]\n assert self.input.kwargs == {\"variable\": \"test\", \"another\": 1}\n footer_slot = self.input.slots[\"footer\"]\n some_var = self.input.context[\"some_var\"]\n\n return {}\n\nrendered = TestComponent.render(\n kwargs={\"variable\": \"test\", \"another\": 1},\n args=(123, \"str\"),\n slots={\"footer\": \"MY_SLOT\"},\n)\n
property
","text":"is_filled: SlotIsFilled\n
See source code
Dictionary describing which slots have or have not been filled.
This attribute is available for use only within the template as
{{ component_vars.is_filled.slot_name }}
, and withinon_render_before
andon_render_after
hooks.Raises
"},{"location":"reference/api/#django_components.Component.js","title":"jsRuntimeError
if accessed outside of rendering execution.class-attribute
instance-attribute
","text":"js: Optional[str] = None\n
See source code
Main JS associated with this component inlined as string.
Only one of
js
orjs_file
must be defined.Example:
"},{"location":"reference/api/#django_components.Component.js_file","title":"js_fileclass MyComponent(Component):\n js = \"console.log('Hello, World!');\"\n
class-attribute
instance-attribute
","text":"js_file: Optional[str] = None\n
See source code
Main JS associated with this component as file path.
The filepath must be either:
- Relative to the directory where the Component's Python file is defined.
- Relative to one of the component directories, as set by
COMPONENTS.dirs
orCOMPONENTS.app_dirs
(e.g.<root>/components/
). - Relative to the staticfiles directories, as set by Django's
STATICFILES_DIRS
setting (e.g.<root>/static/
).
When you create a Component class with
js_file
, these will happen:- If the file path is relative to the directory where the component's Python file is, the path is resolved.
- The file is read and its contents is set to
Component.js
.
Only one of
js
orjs_file
must be defined.Example:
path/to/script.js
path/to/component.pyconsole.log('Hello, World!');\n
"},{"location":"reference/api/#django_components.Component.media","title":"mediaclass MyComponent(Component):\n js_file = \"path/to/script.js\"\n\nprint(MyComponent.js)\n# Output: console.log('Hello, World!');\n
class-attribute
instance-attribute
","text":"media: Optional[Media] = None\n
See source code
Normalized definition of JS and CSS media files associated with this component.
None
ifComponent.Media
is not defined.This field is generated from
Component.media_class
.Read more on Accessing component's HTML / JS / CSS.
Example:
"},{"location":"reference/api/#django_components.Component.media_class","title":"media_classclass MyComponent(Component):\n class Media:\n js = \"path/to/script.js\"\n css = \"path/to/style.css\"\n\nprint(MyComponent.media)\n# Output:\n# <script src=\"/static/path/to/script.js\"></script>\n# <link href=\"/static/path/to/style.css\" media=\"all\" rel=\"stylesheet\">\n
class-attribute
instance-attribute
","text":"media_class: Type[Media] = Media\n
See source code
Set the Media class that will be instantiated with the JS and CSS media files from
Component.Media
.This is useful when you want to customize the behavior of the media files, like customizing how the JS or CSS files are rendered into
<script>
or<link>
HTML tags.Read more in Defining HTML / JS / CSS files.
Example:
"},{"location":"reference/api/#django_components.Component.name","title":"nameclass MyTable(Component):\n class Media:\n js = \"path/to/script.js\"\n css = \"path/to/style.css\"\n\n media_class = MyMediaClass\n
property
","text":"
"},{"location":"reference/api/#django_components.Component.outer_context","title":"outer_contextname: str\n
instance-attribute
","text":"
"},{"location":"reference/api/#django_components.Component.registered_name","title":"registered_nameouter_context: Optional[Context] = outer_context\n
instance-attribute
","text":"
"},{"location":"reference/api/#django_components.Component.registry","title":"registryregistered_name: Optional[str] = registered_name\n
instance-attribute
","text":"
"},{"location":"reference/api/#django_components.Component.request","title":"requestregistry = registry or registry\n
property
","text":"request: Optional[HttpRequest]\n
See source code
HTTPRequest object passed to this component.
In regular Django templates, you have to use
RequestContext
to pass theHttpRequest
object to the template.But in Components, you can either use
RequestContext
, or pass therequest
object explicitly viaComponent.render()
andComponent.render_to_response()
.When a component is nested in another, the child component uses parent's
request
object.Raises
RuntimeError
if accessed outside of rendering execution.Example:
"},{"location":"reference/api/#django_components.Component.response_class","title":"response_classclass MyComponent(Component):\n def get_template_data(self, args, kwargs, slots, context):\n user_id = self.request.GET['user_id']\n return {\n 'user_id': user_id,\n }\n
class-attribute
instance-attribute
","text":"response_class = HttpResponse\n
See source code
This attribute configures what class is used to generate response from
Component.render_to_response()
.The response class should accept a string as the first argument.
Defaults to
django.http.HttpResponse
.Example:
"},{"location":"reference/api/#django_components.Component.template","title":"templatefrom django.http import HttpResponse\nfrom django_components import Component\n\nclass MyHttpResponse(HttpResponse):\n ...\n\nclass MyComponent(Component):\n response_class = MyHttpResponse\n\nresponse = MyComponent.render_to_response()\nassert isinstance(response, MyHttpResponse)\n
class-attribute
instance-attribute
","text":"template: Optional[Union[str, Template]] = None\n
See source code
Inlined Django template associated with this component. Can be a plain string or a Template instance.
Only one of
template_file
,get_template_name
,template
orget_template
must be defined.Example:
"},{"location":"reference/api/#django_components.Component.template_file","title":"template_fileclass MyComponent(Component):\n template = \"Hello, {{ name }}!\"\n\n def get_template_data(self, args, kwargs, slots, context):\n return {\"name\": \"World\"}\n
class-attribute
instance-attribute
","text":"template_file: Optional[str] = None\n
See source code
Filepath to the Django template associated with this component.
The filepath must be either:
- Relative to the directory where the Component's Python file is defined.
- Relative to one of the component directories, as set by
COMPONENTS.dirs
orCOMPONENTS.app_dirs
(e.g.<root>/components/
). - Relative to the template directories, as set by Django's
TEMPLATES
setting (e.g.<root>/templates/
).
Only one of
template_file
,get_template_name
,template
orget_template
must be defined.Example:
"},{"location":"reference/api/#django_components.Component.template_name","title":"template_nameclass MyComponent(Component):\n template_file = \"path/to/template.html\"\n\n def get_template_data(self, args, kwargs, slots, context):\n return {\"name\": \"World\"}\n
instance-attribute
","text":"template_name: Optional[str]\n
See source code
Alias for
template_file
.For historical reasons, django-components used
template_name
to align with Django's TemplateView.template_file
was introduced to align withjs/js_file
andcss/css_file
.Setting and accessing this attribute is proxied to
"},{"location":"reference/api/#django_components.Component.view","title":"viewtemplate_file
.instance-attribute
","text":"view: ComponentView\n
See source code
Instance of
"},{"location":"reference/api/#django_components.Component.as_view","title":"as_viewComponentView
available at component render time.classmethod
","text":"as_view(**initkwargs: Any) -> ViewFn\n
See source code
Shortcut for calling
Component.View.as_view
and passing component instance to it.Read more on Component views and URLs.
"},{"location":"reference/api/#django_components.Component.get_context_data","title":"get_context_data","text":"get_context_data(*args: Any, **kwargs: Any) -> Optional[Mapping]\n
See source code
DEPRECATED: Use
get_template_data()
instead. Will be removed in v2.Use this method to define variables that will be available in the template.
Receives the args and kwargs as they were passed to the Component.
This method has access to the Render API.
Read more about Template variables.
Example:
class MyComponent(Component):\n def get_context_data(self, name, *args, **kwargs):\n return {\n \"name\": name,\n \"id\": self.id,\n }\n\n template = \"Hello, {{ name }}!\"\n\nMyComponent.render(name=\"World\")\n
Warning
get_context_data()
andget_template_data()
are mutually exclusive.If both methods return non-empty dictionaries, an error will be raised.
"},{"location":"reference/api/#django_components.Component.get_css_data","title":"get_css_data","text":"get_css_data(args: Any, kwargs: Any, slots: Any, context: Context) -> Optional[Mapping]\n
See source code
Use this method to define variables that will be available from within the component's CSS code.
This method has access to the Render API.
The data returned from this method will be serialized to string.
Read more about CSS variables.
Example:
class MyComponent(Component):\n def get_css_data(self, args, kwargs, slots, context):\n return {\n \"color\": kwargs[\"color\"],\n }\n\n css = '''\n .my-class {\n color: var(--color);\n }\n '''\n\nMyComponent.render(color=\"red\")\n
Args:
args
: Positional arguments passed to the component.kwargs
: Keyword arguments passed to the component.slots
: Slots passed to the component.context
:Context
used for rendering the component template.
Pass-through kwargs:
It's best practice to explicitly define what args and kwargs a component accepts.
However, if you want a looser setup, you can easily write components that accept any number of kwargs, and pass them all to the CSS code.
To do that, simply return the
kwargs
dictionary itself fromget_css_data()
:class MyComponent(Component):\n def get_css_data(self, args, kwargs, slots, context):\n return kwargs\n
Type hints:
To get type hints for the
args
,kwargs
, andslots
parameters, you can define theArgs
,Kwargs
, andSlots
classes on the component class, and then directly reference them in the function signature ofget_css_data()
.When you set these classes, the
args
,kwargs
, andslots
parameters will be given as instances of these (args
instance ofArgs
, etc).When you omit these classes, or set them to
None
, then theargs
,kwargs
, andslots
parameters will be given as plain lists / dictionaries, unmodified.Read more on Typing and validation.
Example:
from typing import NamedTuple\nfrom django.template import Context\nfrom django_components import Component, SlotInput\n\nclass MyComponent(Component):\n class Args(NamedTuple):\n color: str\n\n class Kwargs(NamedTuple):\n size: int\n\n class Slots(NamedTuple):\n footer: SlotInput\n\n def get_css_data(self, args: Args, kwargs: Kwargs, slots: Slots, context: Context):\n assert isinstance(args, MyComponent.Args)\n assert isinstance(kwargs, MyComponent.Kwargs)\n assert isinstance(slots, MyComponent.Slots)\n\n return {\n \"color\": args.color,\n \"size\": kwargs.size,\n }\n
You can also add typing to the data returned from
get_css_data()
by defining theCssData
class on the component class.When you set this class, you can return either the data as a plain dictionary, or an instance of
CssData
.If you return plain dictionary, the data will be validated against the
CssData
class by instantiating it with the dictionary.Example:
"},{"location":"reference/api/#django_components.Component.get_js_data","title":"get_js_data","text":"class MyComponent(Component):\n class CssData(NamedTuple):\n color: str\n size: int\n\n def get_css_data(self, args, kwargs, slots, context):\n return {\n \"color\": kwargs[\"color\"],\n \"size\": kwargs[\"size\"],\n }\n # or\n return MyComponent.CssData(\n color=kwargs[\"color\"],\n size=kwargs[\"size\"],\n )\n
get_js_data(args: Any, kwargs: Any, slots: Any, context: Context) -> Optional[Mapping]\n
See source code
Use this method to define variables that will be available from within the component's JavaScript code.
This method has access to the Render API.
The data returned from this method will be serialized to JSON.
Read more about JavaScript variables.
Example:
class MyComponent(Component):\n def get_js_data(self, args, kwargs, slots, context):\n return {\n \"name\": kwargs[\"name\"],\n \"id\": self.id,\n }\n\n js = '''\n $onLoad(({ name, id }) => {\n console.log(name, id);\n });\n '''\n\nMyComponent.render(name=\"World\")\n
Args:
args
: Positional arguments passed to the component.kwargs
: Keyword arguments passed to the component.slots
: Slots passed to the component.context
:Context
used for rendering the component template.
Pass-through kwargs:
It's best practice to explicitly define what args and kwargs a component accepts.
However, if you want a looser setup, you can easily write components that accept any number of kwargs, and pass them all to the JavaScript code.
To do that, simply return the
kwargs
dictionary itself fromget_js_data()
:class MyComponent(Component):\n def get_js_data(self, args, kwargs, slots, context):\n return kwargs\n
Type hints:
To get type hints for the
args
,kwargs
, andslots
parameters, you can define theArgs
,Kwargs
, andSlots
classes on the component class, and then directly reference them in the function signature ofget_js_data()
.When you set these classes, the
args
,kwargs
, andslots
parameters will be given as instances of these (args
instance ofArgs
, etc).When you omit these classes, or set them to
None
, then theargs
,kwargs
, andslots
parameters will be given as plain lists / dictionaries, unmodified.Read more on Typing and validation.
Example:
from typing import NamedTuple\nfrom django.template import Context\nfrom django_components import Component, SlotInput\n\nclass MyComponent(Component):\n class Args(NamedTuple):\n color: str\n\n class Kwargs(NamedTuple):\n size: int\n\n class Slots(NamedTuple):\n footer: SlotInput\n\n def get_js_data(self, args: Args, kwargs: Kwargs, slots: Slots, context: Context):\n assert isinstance(args, MyComponent.Args)\n assert isinstance(kwargs, MyComponent.Kwargs)\n assert isinstance(slots, MyComponent.Slots)\n\n return {\n \"color\": args.color,\n \"size\": kwargs.size,\n \"id\": self.id,\n }\n
You can also add typing to the data returned from
get_js_data()
by defining theJsData
class on the component class.When you set this class, you can return either the data as a plain dictionary, or an instance of
JsData
.If you return plain dictionary, the data will be validated against the
JsData
class by instantiating it with the dictionary.Example:
"},{"location":"reference/api/#django_components.Component.get_template","title":"get_template","text":"class MyComponent(Component):\n class JsData(NamedTuple):\n color: str\n size: int\n\n def get_js_data(self, args, kwargs, slots, context):\n return {\n \"color\": kwargs[\"color\"],\n \"size\": kwargs[\"size\"],\n }\n # or\n return MyComponent.JsData(\n color=kwargs[\"color\"],\n size=kwargs[\"size\"],\n )\n
get_template(context: Context) -> Optional[Union[str, Template]]\n
See source code
Inlined Django template associated with this component. Can be a plain string or a Template instance.
Only one of
"},{"location":"reference/api/#django_components.Component.get_template_data","title":"get_template_data","text":"template_file
,get_template_name
,template
orget_template
must be defined.get_template_data(args: Any, kwargs: Any, slots: Any, context: Context) -> Optional[Mapping]\n
See source code
Use this method to define variables that will be available in the template.
This method has access to the Render API.
Read more about Template variables.
Example:
class MyComponent(Component):\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"name\": kwargs[\"name\"],\n \"id\": self.id,\n }\n\n template = \"Hello, {{ name }}!\"\n\nMyComponent.render(name=\"World\")\n
Args:
args
: Positional arguments passed to the component.kwargs
: Keyword arguments passed to the component.slots
: Slots passed to the component.context
:Context
used for rendering the component template.
Pass-through kwargs:
It's best practice to explicitly define what args and kwargs a component accepts.
However, if you want a looser setup, you can easily write components that accept any number of kwargs, and pass them all to the template (similar to django-cotton).
To do that, simply return the
kwargs
dictionary itself fromget_template_data()
:class MyComponent(Component):\n def get_template_data(self, args, kwargs, slots, context):\n return kwargs\n
Type hints:
To get type hints for the
args
,kwargs
, andslots
parameters, you can define theArgs
,Kwargs
, andSlots
classes on the component class, and then directly reference them in the function signature ofget_template_data()
.When you set these classes, the
args
,kwargs
, andslots
parameters will be given as instances of these (args
instance ofArgs
, etc).When you omit these classes, or set them to
None
, then theargs
,kwargs
, andslots
parameters will be given as plain lists / dictionaries, unmodified.Read more on Typing and validation.
Example:
from typing import NamedTuple\nfrom django.template import Context\nfrom django_components import Component, SlotInput\n\nclass MyComponent(Component):\n class Args(NamedTuple):\n color: str\n\n class Kwargs(NamedTuple):\n size: int\n\n class Slots(NamedTuple):\n footer: SlotInput\n\n def get_template_data(self, args: Args, kwargs: Kwargs, slots: Slots, context: Context):\n assert isinstance(args, MyComponent.Args)\n assert isinstance(kwargs, MyComponent.Kwargs)\n assert isinstance(slots, MyComponent.Slots)\n\n return {\n \"color\": args.color,\n \"size\": kwargs.size,\n \"id\": self.id,\n }\n
You can also add typing to the data returned from
get_template_data()
by defining theTemplateData
class on the component class.When you set this class, you can return either the data as a plain dictionary, or an instance of
TemplateData
.If you return plain dictionary, the data will be validated against the
TemplateData
class by instantiating it with the dictionary.Example:
class MyComponent(Component):\n class TemplateData(NamedTuple):\n color: str\n size: int\n\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"color\": kwargs[\"color\"],\n \"size\": kwargs[\"size\"],\n }\n # or\n return MyComponent.TemplateData(\n color=kwargs[\"color\"],\n size=kwargs[\"size\"],\n )\n
Warning
get_template_data()
andget_context_data()
are mutually exclusive.If both methods return non-empty dictionaries, an error will be raised.
"},{"location":"reference/api/#django_components.Component.get_template_name","title":"get_template_name","text":"get_template_name(context: Context) -> Optional[str]\n
See source code
Filepath to the Django template associated with this component.
The filepath must be relative to either the file where the component class was defined, or one of the roots of
STATIFILES_DIRS
.Only one of
"},{"location":"reference/api/#django_components.Component.inject","title":"inject","text":"template_file
,get_template_name
,template
orget_template
must be defined.inject(key: str, default: Optional[Any] = None) -> Any\n
See source code
Use this method to retrieve the data that was passed to a
{% provide %}
tag with the corresponding key.To retrieve the data,
inject()
must be called inside a component that's inside the{% provide %}
tag.You may also pass a default that will be used if the
{% provide %}
tag with given key was NOT found.This method is part of the Render API, and raises an error if called from outside the rendering execution.
Read more about Provide / Inject.
Example:
Given this template:
{% provide \"my_provide\" message=\"hello\" %}\n {% component \"my_comp\" / %}\n{% endprovide %}\n
And given this definition of \"my_comp\" component:
from django_components import Component, register\n\n@register(\"my_comp\")\nclass MyComp(Component):\n template = \"hi {{ message }}!\"\n\n def get_template_data(self, args, kwargs, slots, context):\n data = self.inject(\"my_provide\")\n message = data.message\n return {\"message\": message}\n
This renders into:
hi hello!\n
As the
"},{"location":"reference/api/#django_components.Component.on_render_after","title":"on_render_after","text":"{{ message }}
is taken from the \"my_provide\" provider.on_render_after(context: Context, template: Template, content: str) -> Optional[SlotResult]\n
See source code
Hook that runs just after the component's template was rendered. It receives the rendered output as the last argument.
You can use this hook to access the context or the template, but modifying them won't have any effect.
To override the content that gets rendered, you can return a string or SafeString from this hook.
"},{"location":"reference/api/#django_components.Component.on_render_before","title":"on_render_before","text":"on_render_before(context: Context, template: Template) -> None\n
See source code
Hook that runs just before the component's template is rendered.
You can use this hook to access or modify the context or the template.
"},{"location":"reference/api/#django_components.Component.render","title":"renderclassmethod
","text":"render(\n context: Optional[Union[Dict[str, Any], Context]] = None,\n args: Optional[Any] = None,\n kwargs: Optional[Any] = None,\n slots: Optional[Any] = None,\n escape_slots_content: bool = True,\n deps_strategy: DependenciesStrategy = \"document\",\n type: Optional[DependenciesStrategy] = None,\n render_dependencies: bool = True,\n request: Optional[HttpRequest] = None,\n) -> str\n
See source code
Render the component into a string. This is the equivalent of calling the
{% component %}
tag.Button.render(\n args=[\"John\"],\n kwargs={\n \"surname\": \"Doe\",\n \"age\": 30,\n },\n slots={\n \"footer\": \"i AM A SLOT\",\n },\n)\n
Inputs:
-
args
- Optional. A list of positional args for the component. This is the same as calling the component as:{% component \"button\" arg1 arg2 ... %}\n
-
kwargs
- Optional. A dictionary of keyword arguments for the component. This is the same as calling the component as:{% component \"button\" key1=val1 key2=val2 ... %}\n
-
slots
- Optional. A dictionary of slot fills. This is the same as passing{% fill %}
tags to the component.{% component \"button\" %}\n {% fill \"content\" %}\n Click me!\n {% endfill %}\n{% endcomponent %}\n
Dictionary keys are the slot names. Dictionary values are the slot fills.
Slot fills can be strings, render functions, or
Slot
instances:Button.render(\n slots={\n \"content\": \"Click me!\"\n \"content2\": lambda *a, **kwa: \"Click me!\",\n \"content3\": Slot(lambda *a, **kwa: \"Click me!\"),\n },\n)\n
-
context
- Optional. Plain dictionary or Django's Context. The context within which the component is rendered.When a component is rendered within a template with the
{% component %}
tag, this will be set to the Context instance that is used for rendering the template.When you call
Component.render()
directly from Python, you can ignore this input most of the time. Instead useargs
,kwargs
, andslots
to pass data to the component.You can pass
RequestContext
to thecontext
argument, so that the component will gain access to the request object and will use context processors. Read more on Working with HTTP requests.Button.render(\n context=RequestContext(request),\n)\n
For advanced use cases, you can use
context
argument to \"pre-render\" the component in Python, and then pass the rendered output as plain string to the template. With this, the inner component is rendered as if it was within the template with{% component %}
.class Button(Component):\n def render(self, context, template):\n # Pass `context` to Icon component so it is rendered\n # as if nested within Button.\n icon = Icon.render(\n context=context,\n args=[\"icon-name\"],\n deps_strategy=\"ignore\",\n )\n # Update context with icon\n with context.update({\"icon\": icon}):\n return template.render(context)\n
Whether the variables defined in
context
are available to the template depends on the context behavior mode:-
In
\"django\"
context behavior mode, the template will have access to the keys of this context. -
In
\"isolated\"
context behavior mode, the template will NOT have access to this context, and data MUST be passed via component's args and kwargs.
-
-
deps_strategy
- Optional. Configure how to handle JS and CSS dependencies. Read more about Dependencies rendering.There are six strategies:
\"document\"
(default)- Smartly inserts JS / CSS into placeholders or into
<head>
and<body>
tags. - Inserts extra script to allow
fragment
types to work. - Assumes the HTML will be rendered in a JS-enabled browser.
- Smartly inserts JS / CSS into placeholders or into
\"fragment\"
- A lightweight HTML fragment to be inserted into a document with AJAX.
- No JS / CSS included.
\"simple\"
- Smartly insert JS / CSS into placeholders or into
<head>
and<body>
tags. - No extra script loaded.
- Smartly insert JS / CSS into placeholders or into
\"prepend\"
- Insert JS / CSS before the rendered HTML.
- No extra script loaded.
\"append\"
- Insert JS / CSS after the rendered HTML.
- No extra script loaded.
\"ignore\"
- HTML is left as-is. You can still process it with a different strategy later with
render_dependencies()
. - Used for inserting rendered HTML into other components.
- HTML is left as-is. You can still process it with a different strategy later with
-
request
- Optional. HTTPRequest object. Pass a request object directly to the component to apply context processors.Read more about Working with HTTP requests.
-
escape_slots_content
- Optional. Whether the content fromslots
should be escaped with Django'sescape
. Defaults toTrue
.
Type hints:
Component.render()
is NOT typed. To add type hints, you can wrap the inputs in component'sArgs
,Kwargs
, andSlots
classes.Read more on Typing and validation.
"},{"location":"reference/api/#django_components.Component.render_to_response","title":"render_to_responsefrom typing import NamedTuple, Optional\nfrom django_components import Component, Slot, SlotInput\n\n# Define the component with the types\nclass Button(Component):\n class Args(NamedTuple):\n name: str\n\n class Kwargs(NamedTuple):\n surname: str\n age: int\n\n class Slots(NamedTuple):\n my_slot: Optional[SlotInput] = None\n footer: SlotInput\n\n# Add type hints to the render call\nButton.render(\n args=Button.Args(\n name=\"John\",\n ),\n kwargs=Button.Kwargs(\n surname=\"Doe\",\n age=30,\n ),\n slots=Button.Slots(\n footer=Slot(lambda *a, **kwa: \"Click me!\"),\n ),\n)\n
classmethod
","text":"render_to_response(\n context: Optional[Union[Dict[str, Any], Context]] = None,\n args: Optional[Any] = None,\n kwargs: Optional[Any] = None,\n slots: Optional[Any] = None,\n escape_slots_content: bool = True,\n deps_strategy: DependenciesStrategy = \"document\",\n type: Optional[DependenciesStrategy] = None,\n render_dependencies: bool = True,\n request: Optional[HttpRequest] = None,\n **response_kwargs: Any\n) -> HttpResponse\n
See source code
Render the component and wrap the content in an HTTP response class.
render_to_response()
takes the same inputs asComponent.render()
. See that method for more information.After the component is rendered, the HTTP response class is instantiated with the rendered content.
Any additional kwargs are passed to the response class.
Example:
Button.render_to_response(\n args=[\"John\"],\n kwargs={\n \"surname\": \"Doe\",\n \"age\": 30,\n },\n slots={\n \"footer\": \"i AM A SLOT\",\n },\n # HttpResponse kwargs\n status=201,\n headers={...},\n)\n# HttpResponse(content=..., status=201, headers=...)\n
Custom response class:
You can set a custom response class on the component via
Component.response_class
. Defaults todjango.http.HttpResponse
.
"},{"location":"reference/api/#django_components.ComponentCache","title":"ComponentCache","text":"from django.http import HttpResponse\nfrom django_components import Component\n\nclass MyHttpResponse(HttpResponse):\n ...\n\nclass MyComponent(Component):\n response_class = MyHttpResponse\n\nresponse = MyComponent.render_to_response()\nassert isinstance(response, MyHttpResponse)\n
Bases:
django_components.extension.BaseExtensionClass
See source code
The interface for
Component.Cache
.The fields of this class are used to configure the component caching.
Read more about Component caching.
Example:
from django_components import Component\n\nclass MyComponent(Component):\n class Cache:\n enabled = True\n ttl = 60 * 60 * 24 # 1 day\n cache_name = \"my_cache\"\n
Methods:
-
get_cache
\u2013 -
get_cache_key
\u2013 -
get_entry
\u2013 -
hash
\u2013 -
set_entry
\u2013
Attributes:
-
cache_name
(Optional[str]
) \u2013 -
enabled
(bool
) \u2013 -
ttl
(Optional[int]
) \u2013
class-attribute
instance-attribute
","text":"cache_name: Optional[str] = None\n
See source code
The name of the cache to use. If
"},{"location":"reference/api/#django_components.ComponentCache.enabled","title":"enabledNone
, the default cache will be used.class-attribute
instance-attribute
","text":"enabled: bool = False\n
See source code
Whether this Component should be cached. Defaults to
"},{"location":"reference/api/#django_components.ComponentCache.ttl","title":"ttlFalse
.class-attribute
instance-attribute
","text":"ttl: Optional[int] = None\n
See source code
The time-to-live (TTL) in seconds, i.e. for how long should an entry be valid in the cache.
- If
> 0
, the entries will be cached for the given number of seconds. - If
-1
, the entries will be cached indefinitely. - If
0
, the entries won't be cached. - If
None
, the default TTL will be used.
"},{"location":"reference/api/#django_components.ComponentCache.get_cache_key","title":"get_cache_key","text":"get_cache() -> BaseCache\n
"},{"location":"reference/api/#django_components.ComponentCache.get_entry","title":"get_entry","text":"get_cache_key(*args: Any, **kwargs: Any) -> str\n
"},{"location":"reference/api/#django_components.ComponentCache.hash","title":"hash","text":"get_entry(cache_key: str) -> Any\n
hash(*args: Any, **kwargs: Any) -> str\n
See source code
Defines how the input (both args and kwargs) is hashed into a cache key.
By default,
"},{"location":"reference/api/#django_components.ComponentCache.set_entry","title":"set_entry","text":"hash()
serializes the input into a string. As such, the default implementation might NOT be suitable if you need to hash complex objects.
"},{"location":"reference/api/#django_components.ComponentDefaults","title":"ComponentDefaults","text":"set_entry(cache_key: str, value: Any) -> None\n
Bases:
django_components.extension.BaseExtensionClass
See source code
The interface for
Component.Defaults
.The fields of this class are used to set default values for the component's kwargs.
Read more about Component defaults.
Example:
"},{"location":"reference/api/#django_components.ComponentExtension","title":"ComponentExtension","text":"from django_components import Component, Default\n\nclass MyComponent(Component):\n class Defaults:\n position = \"left\"\n selected_items = Default(lambda: [1, 2, 3])\n
Bases:
object
See source code
Base class for all extensions.
Read more on Extensions.
Methods:
-
on_component_class_created
\u2013 -
on_component_class_deleted
\u2013 -
on_component_data
\u2013 -
on_component_input
\u2013 -
on_component_registered
\u2013 -
on_component_rendered
\u2013 -
on_component_unregistered
\u2013 -
on_registry_created
\u2013 -
on_registry_deleted
\u2013
Attributes:
-
ExtensionClass
\u2013 -
class_name
(str
) \u2013 -
commands
(List[Type[ComponentCommand]]
) \u2013 -
name
(str
) \u2013 -
urls
(List[URLRoute]
) \u2013
class-attribute
instance-attribute
","text":"ExtensionClass = BaseExtensionClass\n
See source code
Base class that the \"extension class\" nested within a
Component
class will inherit from.This is where you can define new methods and attributes that will be available to the component instance.
Background:
The extension may add new features to the
Component
class by allowing users to define and access a nested class in theComponent
class. E.g.:class MyComp(Component):\n class MyExtension:\n ...\n\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"my_extension\": self.my_extension.do_something(),\n }\n
When rendering a component, the nested extension class will be set as a subclass of
ExtensionClass
. So it will be same as if the user had directly inherited fromExtensionClass
. E.g.:class MyComp(Component):\n class MyExtension(ComponentExtension.ExtensionClass):\n ...\n
This setting decides what the extension class will inherit from.
"},{"location":"reference/api/#django_components.ComponentExtension.class_name","title":"class_nameinstance-attribute
","text":"class_name: str\n
See source code
Name of the extension class.
By default, this is the same as
name
, but with snake_case converted to PascalCase.So if the extension name is
\"my_extension\"
, then the extension class name will be\"MyExtension\"
.
"},{"location":"reference/api/#django_components.ComponentExtension.commands","title":"commandsclass MyComp(Component):\n class MyExtension: # <--- This is the extension class\n ...\n
class-attribute
instance-attribute
","text":"commands: List[Type[ComponentCommand]] = []\n
See source code
List of commands that can be run by the extension.
These commands will be available to the user as
components ext run <extension> <command>
.Commands are defined as subclasses of
ComponentCommand
.Example:
This example defines an extension with a command that prints \"Hello world\". To run the command, the user would run
components ext run hello_world hello
.
"},{"location":"reference/api/#django_components.ComponentExtension.name","title":"namefrom django_components import ComponentCommand, ComponentExtension, CommandArg, CommandArgGroup\n\nclass HelloWorldCommand(ComponentCommand):\n name = \"hello\"\n help = \"Hello world command.\"\n\n # Allow to pass flags `--foo`, `--bar` and `--baz`.\n # Argument parsing is managed by `argparse`.\n arguments = [\n CommandArg(\n name_or_flags=\"--foo\",\n help=\"Foo description.\",\n ),\n # When printing the command help message, `bar` and `baz`\n # will be grouped under \"group bar\".\n CommandArgGroup(\n title=\"group bar\",\n description=\"Group description.\",\n arguments=[\n CommandArg(\n name_or_flags=\"--bar\",\n help=\"Bar description.\",\n ),\n CommandArg(\n name_or_flags=\"--baz\",\n help=\"Baz description.\",\n ),\n ],\n ),\n ]\n\n # Callback that receives the parsed arguments and options.\n def handle(self, *args, **kwargs):\n print(f\"HelloWorldCommand.handle: args={args}, kwargs={kwargs}\")\n\n# Associate the command with the extension\nclass HelloWorldExtension(ComponentExtension):\n name = \"hello_world\"\n\n commands = [\n HelloWorldCommand,\n ]\n
instance-attribute
","text":"name: str\n
See source code
Name of the extension.
Name must be lowercase, and must be a valid Python identifier (e.g.
\"my_extension\"
).The extension may add new features to the
Component
class by allowing users to define and access a nested class in theComponent
class.The extension name determines the name of the nested class in the
Component
class, and the attribute under which the extension will be accessible.E.g. if the extension name is
\"my_extension\"
, then the nested class in theComponent
class will beMyExtension
, and the extension will be accessible asMyComp.my_extension
.
"},{"location":"reference/api/#django_components.ComponentExtension.urls","title":"urlsclass MyComp(Component):\n class MyExtension:\n ...\n\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"my_extension\": self.my_extension.do_something(),\n }\n
class-attribute
instance-attribute
","text":"
"},{"location":"reference/api/#django_components.ComponentExtension.on_component_class_created","title":"on_component_class_created","text":"urls: List[URLRoute] = []\n
on_component_class_created(ctx: OnComponentClassCreatedContext) -> None\n
See source code
Called when a new
Component
class is created.This hook is called after the
Component
class is fully defined but before it's registered.Use this hook to perform any initialization or validation of the
Component
class.Example:
"},{"location":"reference/api/#django_components.ComponentExtension.on_component_class_deleted","title":"on_component_class_deleted","text":"from django_components import ComponentExtension, OnComponentClassCreatedContext\n\nclass MyExtension(ComponentExtension):\n def on_component_class_created(self, ctx: OnComponentClassCreatedContext) -> None:\n # Add a new attribute to the Component class\n ctx.component_cls.my_attr = \"my_value\"\n
on_component_class_deleted(ctx: OnComponentClassDeletedContext) -> None\n
See source code
Called when a
Component
class is being deleted.This hook is called before the
Component
class is deleted from memory.Use this hook to perform any cleanup related to the
Component
class.Example:
"},{"location":"reference/api/#django_components.ComponentExtension.on_component_data","title":"on_component_data","text":"from django_components import ComponentExtension, OnComponentClassDeletedContext\n\nclass MyExtension(ComponentExtension):\n def on_component_class_deleted(self, ctx: OnComponentClassDeletedContext) -> None:\n # Remove Component class from the extension's cache on deletion\n self.cache.pop(ctx.component_cls, None)\n
on_component_data(ctx: OnComponentDataContext) -> None\n
See source code
Called when a
Component
was triggered to render, after a component's context and data methods have been processed.This hook is called after
Component.get_template_data()
,Component.get_js_data()
andComponent.get_css_data()
.This hook runs after
on_component_input
.Use this hook to modify or validate the component's data before rendering.
Example:
"},{"location":"reference/api/#django_components.ComponentExtension.on_component_input","title":"on_component_input","text":"from django_components import ComponentExtension, OnComponentDataContext\n\nclass MyExtension(ComponentExtension):\n def on_component_data(self, ctx: OnComponentDataContext) -> None:\n # Add extra template variable to all components when they are rendered\n ctx.template_data[\"my_template_var\"] = \"my_value\"\n
on_component_input(ctx: OnComponentInputContext) -> Optional[str]\n
See source code
Called when a
Component
was triggered to render, but before a component's context and data methods are invoked.Use this hook to modify or validate component inputs before they're processed.
This is the first hook that is called when rendering a component. As such this hook is called before
Component.get_template_data()
,Component.get_js_data()
, andComponent.get_css_data()
methods, and theon_component_data
hook.This hook also allows to skip the rendering of a component altogether. If the hook returns a non-null value, this value will be used instead of rendering the component.
You can use this to implement a caching mechanism for components, or define components that will be rendered conditionally.
Example:
"},{"location":"reference/api/#django_components.ComponentExtension.on_component_registered","title":"on_component_registered","text":"from django_components import ComponentExtension, OnComponentInputContext\n\nclass MyExtension(ComponentExtension):\n def on_component_input(self, ctx: OnComponentInputContext) -> None:\n # Add extra kwarg to all components when they are rendered\n ctx.kwargs[\"my_input\"] = \"my_value\"\n
on_component_registered(ctx: OnComponentRegisteredContext) -> None\n
See source code
Called when a
Component
class is registered with aComponentRegistry
.This hook is called after a
Component
class is successfully registered.Example:
"},{"location":"reference/api/#django_components.ComponentExtension.on_component_rendered","title":"on_component_rendered","text":"from django_components import ComponentExtension, OnComponentRegisteredContext\n\nclass MyExtension(ComponentExtension):\n def on_component_registered(self, ctx: OnComponentRegisteredContext) -> None:\n print(f\"Component {ctx.component_cls} registered to {ctx.registry} as '{ctx.name}'\")\n
on_component_rendered(ctx: OnComponentRenderedContext) -> Optional[str]\n
See source code
Called when a
Component
was rendered, including all its child components.Use this hook to access or post-process the component's rendered output.
To modify the output, return a new string from this hook.
Example:
"},{"location":"reference/api/#django_components.ComponentExtension.on_component_unregistered","title":"on_component_unregistered","text":"from django_components import ComponentExtension, OnComponentRenderedContext\n\nclass MyExtension(ComponentExtension):\n def on_component_rendered(self, ctx: OnComponentRenderedContext) -> Optional[str]:\n # Append a comment to the component's rendered output\n return ctx.result + \"<!-- MyExtension comment -->\"\n
on_component_unregistered(ctx: OnComponentUnregisteredContext) -> None\n
See source code
Called when a
Component
class is unregistered from aComponentRegistry
.This hook is called after a
Component
class is removed from the registry.Example:
"},{"location":"reference/api/#django_components.ComponentExtension.on_registry_created","title":"on_registry_created","text":"from django_components import ComponentExtension, OnComponentUnregisteredContext\n\nclass MyExtension(ComponentExtension):\n def on_component_unregistered(self, ctx: OnComponentUnregisteredContext) -> None:\n print(f\"Component {ctx.component_cls} unregistered from {ctx.registry} as '{ctx.name}'\")\n
on_registry_created(ctx: OnRegistryCreatedContext) -> None\n
See source code
Called when a new
ComponentRegistry
is created.This hook is called after a new
ComponentRegistry
instance is initialized.Use this hook to perform any initialization needed for the registry.
Example:
"},{"location":"reference/api/#django_components.ComponentExtension.on_registry_deleted","title":"on_registry_deleted","text":"from django_components import ComponentExtension, OnRegistryCreatedContext\n\nclass MyExtension(ComponentExtension):\n def on_registry_created(self, ctx: OnRegistryCreatedContext) -> None:\n # Add a new attribute to the registry\n ctx.registry.my_attr = \"my_value\"\n
on_registry_deleted(ctx: OnRegistryDeletedContext) -> None\n
See source code
Called when a
ComponentRegistry
is being deleted.This hook is called before a
ComponentRegistry
instance is deleted.Use this hook to perform any cleanup related to the registry.
Example:
"},{"location":"reference/api/#django_components.ComponentFileEntry","title":"ComponentFileEntry","text":"from django_components import ComponentExtension, OnRegistryDeletedContext\n\nclass MyExtension(ComponentExtension):\n def on_registry_deleted(self, ctx: OnRegistryDeletedContext) -> None:\n # Remove registry from the extension's cache on deletion\n self.cache.pop(ctx.registry, None)\n
Bases:
tuple
See source code
Result returned by
get_component_files()
.Attributes:
-
dot_path
(str
) \u2013 -
filepath
(Path
) \u2013
instance-attribute
","text":"dot_path: str\n
See source code
The python import path for the module. E.g.
"},{"location":"reference/api/#django_components.ComponentFileEntry.filepath","title":"filepathapp.components.mycomp
instance-attribute
","text":"filepath: Path\n
See source code
The filesystem path to the module. E.g.
"},{"location":"reference/api/#django_components.ComponentInput","title":"ComponentInput/path/to/project/app/components/mycomp.py
dataclass
","text":"ComponentInput(\n context: Context,\n args: List,\n kwargs: Dict,\n slots: Dict[SlotName, Slot],\n deps_strategy: DependenciesStrategy,\n type: DependenciesStrategy,\n render_dependencies: bool,\n)\n
Bases:
object
See source code
Object holding the inputs that were passed to
Component.render()
or the{% component %}
template tag.This object is available only during render under
Component.input
.Read more about the Render API.
This class can be typed as:
Attributes:
-
args
(List
) \u2013 -
context
(Context
) \u2013 -
deps_strategy
(DependenciesStrategy
) \u2013 -
kwargs
(Dict
) \u2013 -
render_dependencies
(bool
) \u2013 -
slots
(Dict[SlotName, Slot]
) \u2013 -
type
(DependenciesStrategy
) \u2013
instance-attribute
","text":"
"},{"location":"reference/api/#django_components.ComponentInput.context","title":"contextargs: List\n
instance-attribute
","text":"
"},{"location":"reference/api/#django_components.ComponentInput.deps_strategy","title":"deps_strategycontext: Context\n
instance-attribute
","text":"
"},{"location":"reference/api/#django_components.ComponentInput.kwargs","title":"kwargsdeps_strategy: DependenciesStrategy\n
instance-attribute
","text":"
"},{"location":"reference/api/#django_components.ComponentInput.render_dependencies","title":"render_dependencieskwargs: Dict\n
instance-attribute
","text":"render_dependencies: bool\n
See source code
Deprecated. Instead use
"},{"location":"reference/api/#django_components.ComponentInput.slots","title":"slotsdeps_strategy=\"ignore\"
.instance-attribute
","text":"
"},{"location":"reference/api/#django_components.ComponentInput.type","title":"typeslots: Dict[SlotName, Slot]\n
instance-attribute
","text":"type: DependenciesStrategy\n
See source code
Deprecated alias for
"},{"location":"reference/api/#django_components.ComponentMediaInput","title":"ComponentMediaInput","text":"deps_strategy
.Bases:
typing.Protocol
See source code
Defines JS and CSS media files associated with a
Component
.class MyTable(Component):\n class Media:\n js = [\n \"path/to/script.js\",\n \"https://unpkg.com/alpinejs@3.14.7/dist/cdn.min.js\", # AlpineJS\n ]\n css = {\n \"all\": [\n \"path/to/style.css\",\n \"https://unpkg.com/tailwindcss@^2/dist/tailwind.min.css\", # TailwindCSS\n ],\n \"print\": [\"path/to/style2.css\"],\n }\n
Attributes:
-
css
(Optional[Union[ComponentMediaInputPath, List[ComponentMediaInputPath], Dict[str, ComponentMediaInputPath], Dict[str, List[ComponentMediaInputPath]]]]
) \u2013 -
extend
(Union[bool, List[Type[Component]]]
) \u2013 -
js
(Optional[Union[ComponentMediaInputPath, List[ComponentMediaInputPath]]]
) \u2013
class-attribute
instance-attribute
","text":"css: Optional[\n Union[\n ComponentMediaInputPath, List[ComponentMediaInputPath], Dict[str, ComponentMediaInputPath], Dict[str, List[ComponentMediaInputPath]]\n ]\n] = None\n
See source code
CSS files associated with a
Component
.-
If a string, it's assumed to be a path to a CSS file.
-
If a list, each entry is assumed to be a path to a CSS file.
-
If a dict, the keys are media types (e.g. \"all\", \"print\", \"screen\", etc.), and the values are either:
- A string, assumed to be a path to a CSS file.
- A list, each entry is assumed to be a path to a CSS file.
Each entry can be a string, bytes, SafeString, PathLike, or a callable that returns one of the former (see
ComponentMediaInputPath
).Examples:
class MyComponent(Component):\n class Media:\n css = \"path/to/style.css\"\n
class MyComponent(Component):\n class Media:\n css = [\"path/to/style1.css\", \"path/to/style2.css\"]\n
class MyComponent(Component):\n class Media:\n css = {\n \"all\": \"path/to/style.css\",\n \"print\": \"path/to/print.css\",\n }\n
"},{"location":"reference/api/#django_components.ComponentMediaInput.extend","title":"extendclass MyComponent(Component):\n class Media:\n css = {\n \"all\": [\"path/to/style1.css\", \"path/to/style2.css\"],\n \"print\": \"path/to/print.css\",\n }\n
class-attribute
instance-attribute
","text":"extend: Union[bool, List[Type[Component]]] = True\n
See source code
Configures whether the component should inherit the media files from the parent component.
- If
True
, the component inherits the media files from the parent component. - If
False
, the component does not inherit the media files from the parent component. - If a list of components classes, the component inherits the media files ONLY from these specified components.
Read more in Media inheritance section.
Example:
Disable media inheritance:
class ParentComponent(Component):\n class Media:\n js = [\"parent.js\"]\n\nclass MyComponent(ParentComponent):\n class Media:\n extend = False # Don't inherit parent media\n js = [\"script.js\"]\n\nprint(MyComponent.media._js) # [\"script.js\"]\n
Specify which components to inherit from. In this case, the media files are inherited ONLY from the specified components, and NOT from the original parent components:
"},{"location":"reference/api/#django_components.ComponentMediaInput.js","title":"jsclass ParentComponent(Component):\n class Media:\n js = [\"parent.js\"]\n\nclass MyComponent(ParentComponent):\n class Media:\n # Only inherit from these, ignoring the files from the parent\n extend = [OtherComponent1, OtherComponent2]\n\n js = [\"script.js\"]\n\nprint(MyComponent.media._js) # [\"script.js\", \"other1.js\", \"other2.js\"]\n
class-attribute
instance-attribute
","text":"js: Optional[Union[ComponentMediaInputPath, List[ComponentMediaInputPath]]] = None\n
See source code
JS files associated with a
Component
.-
If a string, it's assumed to be a path to a JS file.
-
If a list, each entry is assumed to be a path to a JS file.
Each entry can be a string, bytes, SafeString, PathLike, or a callable that returns one of the former (see
ComponentMediaInputPath
).Examples:
class MyComponent(Component):\n class Media:\n js = \"path/to/script.js\"\n
class MyComponent(Component):\n class Media:\n js = [\"path/to/script1.js\", \"path/to/script2.js\"]\n
"},{"location":"reference/api/#django_components.ComponentMediaInputPath","title":"ComponentMediaInputPathclass MyComponent(Component):\n class Media:\n js = lambda: [\"path/to/script1.js\", \"path/to/script2.js\"]\n
module-attribute
","text":"ComponentMediaInputPath = Union[str, bytes, SafeData, Path, PathLike, Callable[[], Union[str, bytes, SafeData, Path, PathLike]]]\n
See source code
A type representing an entry in Media.js or Media.css.
If an entry is a SafeString (or has
__html__
method), then entry is assumed to be a formatted HTML tag. Otherwise, it's assumed to be a path to a file.Example:
"},{"location":"reference/api/#django_components.ComponentRegistry","title":"ComponentRegistry","text":"class MyComponent\n class Media:\n js = [\n \"path/to/script.js\",\n b\"script.js\",\n SafeString(\"<script src='path/to/script.js'></script>\"),\n ]\n css = [\n Path(\"path/to/style.css\"),\n lambda: \"path/to/style.css\",\n lambda: Path(\"path/to/style.css\"),\n ]\n
ComponentRegistry(\n library: Optional[Library] = None, settings: Optional[Union[RegistrySettings, Callable[[ComponentRegistry], RegistrySettings]]] = None\n)\n
Bases:
object
See source code
Manages components and makes them available in the template, by default as
{% component %}
tags.{% component \"my_comp\" key=value %}\n{% endcomponent %}\n
To enable a component to be used in a template, the component must be registered with a component registry.
When you register a component to a registry, behind the scenes the registry automatically adds the component's template tag (e.g.
{% component %}
to theLibrary
. And the opposite happens when you unregister a component - the tag is removed.See Registering components.
Parameters:
-
library
(Library
, default:None
) \u2013Django
Library
associated with this registry. If omitted, the default Library instance from django_components is used. -
settings
(Union[RegistrySettings, Callable[[ComponentRegistry], RegistrySettings]]
, default:None
) \u2013Configure how the components registered with this registry will behave when rendered. See
RegistrySettings
. Can be either a static value or a callable that returns the settings. If omitted, the settings fromCOMPONENTS
are used.
Notes:
- The default registry is available as
django_components.registry
. - The default registry is used when registering components with
@register
decorator.
Example:
"},{"location":"reference/api/#django_components.ComponentRegistry--using-registry-to-share-components","title":"Using registry to share components","text":"# Use with default Library\nregistry = ComponentRegistry()\n\n# Or a custom one\nmy_lib = Library()\nregistry = ComponentRegistry(library=my_lib)\n\n# Usage\nregistry.register(\"button\", ButtonComponent)\nregistry.register(\"card\", CardComponent)\nregistry.all()\nregistry.clear()\nregistry.get(\"button\")\nregistry.has(\"button\")\n
You can use component registry for isolating or \"packaging\" components:
-
Create new instance of
ComponentRegistry
and Library:my_comps = Library()\nmy_comps_reg = ComponentRegistry(library=my_comps)\n
-
Register components to the registry:
my_comps_reg.register(\"my_button\", ButtonComponent)\nmy_comps_reg.register(\"my_card\", CardComponent)\n
-
In your target project, load the Library associated with the registry:
{% load my_comps %}\n
-
Use the registered components in your templates:
{% component \"button\" %}\n{% endcomponent %}\n
Methods:
-
all
\u2013 -
clear
\u2013 -
get
\u2013 -
has
\u2013 -
register
\u2013 -
unregister
\u2013
Attributes:
-
library
(Library
) \u2013 -
settings
(InternalRegistrySettings
) \u2013
property
","text":"library: Library\n
See source code
The template tag
"},{"location":"reference/api/#django_components.ComponentRegistry.settings","title":"settingsLibrary
that is associated with the registry.property
","text":"settings: InternalRegistrySettings\n
See source code
Registry settings configured for this registry.
"},{"location":"reference/api/#django_components.ComponentRegistry.all","title":"all","text":"all() -> Dict[str, Type[Component]]\n
See source code
Retrieve all registered
Component
classes.Returns:
-
Dict[str, Type[Component]]
\u2013Dict[str, Type[Component]]: A dictionary of component names to component classes
Example:
"},{"location":"reference/api/#django_components.ComponentRegistry.clear","title":"clear","text":"# First register components\nregistry.register(\"button\", ButtonComponent)\nregistry.register(\"card\", CardComponent)\n# Then get all\nregistry.all()\n# > {\n# > \"button\": ButtonComponent,\n# > \"card\": CardComponent,\n# > }\n
clear() -> None\n
See source code
Clears the registry, unregistering all components.
Example:
"},{"location":"reference/api/#django_components.ComponentRegistry.get","title":"get","text":"# First register components\nregistry.register(\"button\", ButtonComponent)\nregistry.register(\"card\", CardComponent)\n# Then clear\nregistry.clear()\n# Then get all\nregistry.all()\n# > {}\n
get(name: str) -> Type[Component]\n
See source code
Retrieve a
Component
class registered under the given name.Parameters:
-
name
(str
) \u2013The name under which the component was registered. Required.
Returns:
-
Type[Component]
\u2013Type[Component]: The component class registered under the given name.
Raises:
NotRegistered
if the given name is not registered.
Example:
"},{"location":"reference/api/#django_components.ComponentRegistry.has","title":"has","text":"# First register component\nregistry.register(\"button\", ButtonComponent)\n# Then get\nregistry.get(\"button\")\n# > ButtonComponent\n
has(name: str) -> bool\n
See source code
Check if a
Component
class is registered under the given name.Parameters:
-
name
(str
) \u2013The name under which the component was registered. Required.
Returns:
-
bool
(bool
) \u2013True
if the component is registered,False
otherwise.
Example:
"},{"location":"reference/api/#django_components.ComponentRegistry.register","title":"register","text":"# First register component\nregistry.register(\"button\", ButtonComponent)\n# Then check\nregistry.has(\"button\")\n# > True\n
register(name: str, component: Type[Component]) -> None\n
See source code
Register a
Component
class with this registry under the given name.A component MUST be registered before it can be used in a template such as:
{% component \"my_comp\" %}\n{% endcomponent %}\n
Parameters:
-
name
(str
) \u2013The name under which the component will be registered. Required.
-
component
(Type[Component]
) \u2013The component class to register. Required.
Raises:
AlreadyRegistered
if a different component was already registered under the same name.
Example:
"},{"location":"reference/api/#django_components.ComponentRegistry.unregister","title":"unregister","text":"registry.register(\"button\", ButtonComponent)\n
unregister(name: str) -> None\n
See source code
Unregister the
Component
class that was registered under the given name.Once a component is unregistered, it is no longer available in the templates.
Parameters:
-
name
(str
) \u2013The name under which the component is registered. Required.
Raises:
NotRegistered
if the given name is not registered.
Example:
"},{"location":"reference/api/#django_components.ComponentVars","title":"ComponentVars","text":"# First register component\nregistry.register(\"button\", ButtonComponent)\n# Then unregister\nregistry.unregister(\"button\")\n
Bases:
tuple
See source code
Type for the variables available inside the component templates.
All variables here are scoped under
component_vars.
, so e.g. attributeis_filled
on this class is accessible inside the template as:{{ component_vars.is_filled }}\n
Attributes:
-
is_filled
(Dict[str, bool]
) \u2013
instance-attribute
","text":"is_filled: Dict[str, bool]\n
See source code
Dictonary describing which component slots are filled (
True
) or are not (False
).New in version 0.70
Use as
{{ component_vars.is_filled }}
Example:
{# Render wrapping HTML only if the slot is defined #}\n{% if component_vars.is_filled.my_slot %}\n <div class=\"slot-wrapper\">\n {% slot \"my_slot\" / %}\n </div>\n{% endif %}\n
This is equivalent to checking if a given key is among the slot fills:
"},{"location":"reference/api/#django_components.ComponentView","title":"ComponentView","text":"class MyTable(Component):\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"my_slot_filled\": \"my_slot\" in slots\n }\n
ComponentView(component: Component, **kwargs: Any)\n
Bases:
django_components.extension.BaseExtensionClass
,django.views.generic.base.View
See source code
The interface for
Component.View
.The fields of this class are used to configure the component views and URLs.
This class is a subclass of
django.views.View
. TheComponent
instance is available viaself.component
.Override the methods of this class to define the behavior of the component.
Read more about Component views and URLs.
Example:
class MyComponent(Component):\n class View:\n def get(self, request: HttpRequest, *args: Any, **kwargs: Any) -> HttpResponse:\n return HttpResponse(\"Hello, world!\")\n
Component URL:
If the
public
attribute is set toTrue
, the component will have its own URL that will point to the Component's View.from django_components import Component\n\nclass MyComponent(Component):\n class View:\n public = True\n\n def get(self, request, *args, **kwargs):\n return HttpResponse(\"Hello, world!\")\n
Will create a URL route like
/components/ext/view/components/a1b2c3/
.To get the URL for the component, use
get_component_url
:url = get_component_url(MyComponent)\n
Methods:
-
delete
\u2013 -
get
\u2013 -
head
\u2013 -
options
\u2013 -
patch
\u2013 -
post
\u2013 -
put
\u2013 -
trace
\u2013
Attributes:
-
component
\u2013 -
public
\u2013 -
url
(str
) \u2013
class-attribute
instance-attribute
","text":"component = cast('Component', None)\n
See source code
The component instance.
This is a dummy instance created solely for the View methods.
It is the same as if you instantiated the component class directly:
"},{"location":"reference/api/#django_components.ComponentView.public","title":"publiccomponent = Calendar()\ncomponent.render_to_response(request=request)\n
class-attribute
instance-attribute
","text":"public = False\n
See source code
Whether the component should be available via a URL.
Example:
from django_components import Component\n\nclass MyComponent(Component):\n class View:\n public = True\n
Will create a URL route like
/components/ext/view/components/a1b2c3/
.To get the URL for the component, use
get_component_url
:
"},{"location":"reference/api/#django_components.ComponentView.url","title":"urlurl = get_component_url(MyComponent)\n
property
","text":"url: str\n
See source code
The URL for the component.
Raises
"},{"location":"reference/api/#django_components.ComponentView.delete","title":"delete","text":"RuntimeError
if the component is not public.
"},{"location":"reference/api/#django_components.ComponentView.get","title":"get","text":"delete(request: HttpRequest, *args: Any, **kwargs: Any) -> HttpResponse\n
"},{"location":"reference/api/#django_components.ComponentView.head","title":"head","text":"get(request: HttpRequest, *args: Any, **kwargs: Any) -> HttpResponse\n
"},{"location":"reference/api/#django_components.ComponentView.options","title":"options","text":"head(request: HttpRequest, *args: Any, **kwargs: Any) -> HttpResponse\n
"},{"location":"reference/api/#django_components.ComponentView.patch","title":"patch","text":"options(request: HttpRequest, *args: Any, **kwargs: Any) -> HttpResponse\n
"},{"location":"reference/api/#django_components.ComponentView.post","title":"post","text":"patch(request: HttpRequest, *args: Any, **kwargs: Any) -> HttpResponse\n
"},{"location":"reference/api/#django_components.ComponentView.put","title":"put","text":"post(request: HttpRequest, *args: Any, **kwargs: Any) -> HttpResponse\n
"},{"location":"reference/api/#django_components.ComponentView.trace","title":"trace","text":"put(request: HttpRequest, *args: Any, **kwargs: Any) -> HttpResponse\n
"},{"location":"reference/api/#django_components.ComponentsSettings","title":"ComponentsSettings","text":"trace(request: HttpRequest, *args: Any, **kwargs: Any) -> HttpResponse\n
Bases:
tuple
See source code
Settings available for django_components.
Example:
COMPONENTS = ComponentsSettings(\n autodiscover=False,\n dirs = [BASE_DIR / \"components\"],\n)\n
Attributes:
-
app_dirs
(Optional[Sequence[str]]
) \u2013 -
autodiscover
(Optional[bool]
) \u2013 -
cache
(Optional[str]
) \u2013 -
context_behavior
(Optional[ContextBehaviorType]
) \u2013 -
debug_highlight_components
(Optional[bool]
) \u2013 -
debug_highlight_slots
(Optional[bool]
) \u2013 -
dirs
(Optional[Sequence[Union[str, PathLike, Tuple[str, str], Tuple[str, PathLike]]]]
) \u2013 -
dynamic_component_name
(Optional[str]
) \u2013 -
extensions
(Optional[Sequence[Union[Type[ComponentExtension], str]]]
) \u2013 -
forbidden_static_files
(Optional[List[Union[str, Pattern]]]
) \u2013 -
libraries
(Optional[List[str]]
) \u2013 -
multiline_tags
(Optional[bool]
) \u2013 -
reload_on_file_change
(Optional[bool]
) \u2013 -
reload_on_template_change
(Optional[bool]
) \u2013 -
static_files_allowed
(Optional[List[Union[str, Pattern]]]
) \u2013 -
static_files_forbidden
(Optional[List[Union[str, Pattern]]]
) \u2013 -
tag_formatter
(Optional[Union[TagFormatterABC, str]]
) \u2013 -
template_cache_size
(Optional[int]
) \u2013
class-attribute
instance-attribute
","text":"app_dirs: Optional[Sequence[str]] = None\n
See source code
Specify the app-level directories that contain your components.
Defaults to
[\"components\"]
. That is, for each Django app, we search<app>/components/
for components.The paths must be relative to app, e.g.:
COMPONENTS = ComponentsSettings(\n app_dirs=[\"my_comps\"],\n)\n
To search for
<app>/my_comps/
.These locations are searched during autodiscovery, or when you define HTML, JS, or CSS as separate files.
Set to empty list to disable app-level components:
"},{"location":"reference/api/#django_components.ComponentsSettings.autodiscover","title":"autodiscoverCOMPONENTS = ComponentsSettings(\n app_dirs=[],\n)\n
class-attribute
instance-attribute
","text":"autodiscover: Optional[bool] = None\n
See source code
Toggle whether to run autodiscovery at the Django server startup.
Defaults to
True
"},{"location":"reference/api/#django_components.ComponentsSettings.cache","title":"cacheCOMPONENTS = ComponentsSettings(\n autodiscover=False,\n)\n
class-attribute
instance-attribute
","text":"cache: Optional[str] = None\n
See source code
Name of the Django cache to be used for storing component's JS and CSS files.
If
None
, aLocMemCache
is used with default settings.Defaults to
None
.Read more about caching.
"},{"location":"reference/api/#django_components.ComponentsSettings.context_behavior","title":"context_behaviorCOMPONENTS = ComponentsSettings(\n cache=\"my_cache\",\n)\n
class-attribute
instance-attribute
","text":"context_behavior: Optional[ContextBehaviorType] = None\n
See source code
Configure whether, inside a component template, you can use variables from the outside (
\"django\"
) or not (\"isolated\"
). This also affects what variables are available inside the{% fill %}
tags.Also see Component context and scope.
Defaults to
\"django\"
.COMPONENTS = ComponentsSettings(\n context_behavior=\"isolated\",\n)\n
NOTE:
context_behavior
andslot_context_behavior
options were merged in v0.70.If you are migrating from BEFORE v0.67, set
context_behavior
to\"django\"
. From v0.67 to v0.78 (incl) the default value was\"isolated\"
.For v0.79 and later, the default is again
"},{"location":"reference/api/#django_components.ComponentsSettings.debug_highlight_components","title":"debug_highlight_components\"django\"
. See the rationale for change here.class-attribute
instance-attribute
","text":"debug_highlight_components: Optional[bool] = None\n
See source code
Enable / disable component highlighting. See Troubleshooting for more details.
Defaults to
False
.
"},{"location":"reference/api/#django_components.ComponentsSettings.debug_highlight_slots","title":"debug_highlight_slotsCOMPONENTS = ComponentsSettings(\n debug_highlight_components=True,\n)\n
class-attribute
instance-attribute
","text":"debug_highlight_slots: Optional[bool] = None\n
See source code
Enable / disable slot highlighting. See Troubleshooting for more details.
Defaults to
False
.
"},{"location":"reference/api/#django_components.ComponentsSettings.dirs","title":"dirsCOMPONENTS = ComponentsSettings(\n debug_highlight_slots=True,\n)\n
class-attribute
instance-attribute
","text":"dirs: Optional[Sequence[Union[str, PathLike, Tuple[str, str], Tuple[str, PathLike]]]] = None\n
See source code
Specify the directories that contain your components.
Defaults to
[Path(settings.BASE_DIR) / \"components\"]
. That is, the rootcomponents/
app.Directories must be full paths, same as with STATICFILES_DIRS.
These locations are searched during autodiscovery, or when you define HTML, JS, or CSS as separate files.
COMPONENTS = ComponentsSettings(\n dirs=[BASE_DIR / \"components\"],\n)\n
Set to empty list to disable global components directories:
"},{"location":"reference/api/#django_components.ComponentsSettings.dynamic_component_name","title":"dynamic_component_nameCOMPONENTS = ComponentsSettings(\n dirs=[],\n)\n
class-attribute
instance-attribute
","text":"dynamic_component_name: Optional[str] = None\n
See source code
By default, the dynamic component is registered under the name
\"dynamic\"
.In case of a conflict, you can use this setting to change the component name used for the dynamic components.
# settings.py\nCOMPONENTS = ComponentsSettings(\n dynamic_component_name=\"my_dynamic\",\n)\n
After which you will be able to use the dynamic component with the new name:
"},{"location":"reference/api/#django_components.ComponentsSettings.extensions","title":"extensions{% component \"my_dynamic\" is=table_comp data=table_data headers=table_headers %}\n {% fill \"pagination\" %}\n {% component \"pagination\" / %}\n {% endfill %}\n{% endcomponent %}\n
class-attribute
instance-attribute
","text":"extensions: Optional[Sequence[Union[Type[ComponentExtension], str]]] = None\n
See source code
List of extensions to be loaded.
The extensions can be specified as:
- Python import path, e.g.
\"path.to.my_extension.MyExtension\"
. - Extension class, e.g.
my_extension.MyExtension
.
"},{"location":"reference/api/#django_components.ComponentsSettings.forbidden_static_files","title":"forbidden_static_filesCOMPONENTS = ComponentsSettings(\n extensions=[\n \"path.to.my_extension.MyExtension\",\n StorybookExtension,\n ],\n)\n
class-attribute
instance-attribute
","text":"forbidden_static_files: Optional[List[Union[str, Pattern]]] = None\n
See source code
Deprecated. Use
"},{"location":"reference/api/#django_components.ComponentsSettings.libraries","title":"librariesCOMPONENTS.static_files_forbidden
instead.class-attribute
instance-attribute
","text":"libraries: Optional[List[str]] = None\n
See source code
Configure extra python modules that should be loaded.
This may be useful if you are not using the autodiscovery feature, or you need to load components from non-standard locations. Thus you can have a structure of components that is independent from your apps.
Expects a list of python module paths. Defaults to empty list.
Example:
COMPONENTS = ComponentsSettings(\n libraries=[\n \"mysite.components.forms\",\n \"mysite.components.buttons\",\n \"mysite.components.cards\",\n ],\n)\n
This would be the equivalent of importing these modules from within Django's
AppConfig.ready()
:
"},{"location":"reference/api/#django_components.ComponentsSettings.libraries--manually-loading-libraries","title":"Manually loading libraries","text":"class MyAppConfig(AppConfig):\n def ready(self):\n import \"mysite.components.forms\"\n import \"mysite.components.buttons\"\n import \"mysite.components.cards\"\n
In the rare case that you need to manually trigger the import of libraries, you can use the
import_libraries()
function:
"},{"location":"reference/api/#django_components.ComponentsSettings.multiline_tags","title":"multiline_tagsfrom django_components import import_libraries\n\nimport_libraries()\n
class-attribute
instance-attribute
","text":"multiline_tags: Optional[bool] = None\n
See source code
Enable / disable multiline support for template tags. If
True
, template tags like{% component %}
or{{ my_var }}
can span multiple lines.Defaults to
True
.Disable this setting if you are making custom modifications to Django's regular expression for parsing templates at
django.template.base.tag_re
.
"},{"location":"reference/api/#django_components.ComponentsSettings.reload_on_file_change","title":"reload_on_file_changeCOMPONENTS = ComponentsSettings(\n multiline_tags=False,\n)\n
class-attribute
instance-attribute
","text":"reload_on_file_change: Optional[bool] = None\n
See source code
This is relevant if you are using the project structure where HTML, JS, CSS and Python are in separate files and nested in a directory.
In this case you may notice that when you are running a development server, the server sometimes does not reload when you change component files.
Django's native live reload logic handles only Python files and HTML template files. It does NOT reload when other file types change or when template files are nested more than one level deep.
The setting
reload_on_file_change
fixes this, reloading the dev server even when your component's HTML, JS, or CSS changes.If
True
, django_components configures Django to reload when files insideCOMPONENTS.dirs
orCOMPONENTS.app_dirs
change.See Reload dev server on component file changes.
Defaults to
False
.Warning
This setting should be enabled only for the dev environment!
"},{"location":"reference/api/#django_components.ComponentsSettings.reload_on_template_change","title":"reload_on_template_changeclass-attribute
instance-attribute
","text":"reload_on_template_change: Optional[bool] = None\n
See source code
Deprecated. Use
"},{"location":"reference/api/#django_components.ComponentsSettings.static_files_allowed","title":"static_files_allowedCOMPONENTS.reload_on_file_change
instead.class-attribute
instance-attribute
","text":"static_files_allowed: Optional[List[Union[str, Pattern]]] = None\n
See source code
A list of file extensions (including the leading dot) that define which files within
COMPONENTS.dirs
orCOMPONENTS.app_dirs
are treated as static files.If a file is matched against any of the patterns, it's considered a static file. Such files are collected when running
collectstatic
, and can be accessed under the static file endpoint.You can also pass in compiled regexes (
re.Pattern
) for more advanced patterns.By default, JS, CSS, and common image and font file formats are considered static files:
COMPONENTS = ComponentsSettings(\n static_files_allowed=[\n \".css\",\n \".js\", \".jsx\", \".ts\", \".tsx\",\n # Images\n \".apng\", \".png\", \".avif\", \".gif\", \".jpg\",\n \".jpeg\", \".jfif\", \".pjpeg\", \".pjp\", \".svg\",\n \".webp\", \".bmp\", \".ico\", \".cur\", \".tif\", \".tiff\",\n # Fonts\n \".eot\", \".ttf\", \".woff\", \".otf\", \".svg\",\n ],\n)\n
Warning
Exposing your Python files can be a security vulnerability. See Security notes.
"},{"location":"reference/api/#django_components.ComponentsSettings.static_files_forbidden","title":"static_files_forbiddenclass-attribute
instance-attribute
","text":"static_files_forbidden: Optional[List[Union[str, Pattern]]] = None\n
See source code
A list of file extensions (including the leading dot) that define which files within
COMPONENTS.dirs
orCOMPONENTS.app_dirs
will NEVER be treated as static files.If a file is matched against any of the patterns, it will never be considered a static file, even if the file matches a pattern in
static_files_allowed
.Use this setting together with
static_files_allowed
for a fine control over what file types will be exposed.You can also pass in compiled regexes (
re.Pattern
) for more advanced patterns.By default, any HTML and Python are considered NOT static files:
COMPONENTS = ComponentsSettings(\n static_files_forbidden=[\n \".html\", \".django\", \".dj\", \".tpl\",\n # Python files\n \".py\", \".pyc\",\n ],\n)\n
Warning
Exposing your Python files can be a security vulnerability. See Security notes.
"},{"location":"reference/api/#django_components.ComponentsSettings.tag_formatter","title":"tag_formatterclass-attribute
instance-attribute
","text":"tag_formatter: Optional[Union[TagFormatterABC, str]] = None\n
See source code
Configure what syntax is used inside Django templates to render components. See the available tag formatters.
Defaults to
\"django_components.component_formatter\"
.Learn more about Customizing component tags with TagFormatter.
Can be set either as direct reference:
from django_components import component_formatter\n\nCOMPONENTS = ComponentsSettings(\n \"tag_formatter\": component_formatter\n)\n
Or as an import string;
COMPONENTS = ComponentsSettings(\n \"tag_formatter\": \"django_components.component_formatter\"\n)\n
Examples:
-
\"django_components.component_formatter\"
Set
COMPONENTS = ComponentsSettings(\n \"tag_formatter\": \"django_components.component_formatter\"\n)\n
To write components like this:
{% component \"button\" href=\"...\" %}\n Click me!\n{% endcomponent %}\n
-
django_components.component_shorthand_formatter
Set
COMPONENTS = ComponentsSettings(\n \"tag_formatter\": \"django_components.component_shorthand_formatter\"\n)\n
To write components like this:
{% button href=\"...\" %}\n Click me!\n{% endbutton %}\n
class-attribute
instance-attribute
","text":"template_cache_size: Optional[int] = None\n
See source code
Configure the maximum amount of Django templates to be cached.
Defaults to
128
.Each time a Django template is rendered, it is cached to a global in-memory cache (using Python's
lru_cache
decorator). This speeds up the next render of the component. As the same component is often used many times on the same page, these savings add up.By default the cache holds 128 component templates in memory, which should be enough for most sites. But if you have a lot of components, or if you are overriding
Component.get_template()
to render many dynamic templates, you can increase this number.COMPONENTS = ComponentsSettings(\n template_cache_size=256,\n)\n
To remove the cache limit altogether and cache everything, set
template_cache_size
toNone
.COMPONENTS = ComponentsSettings(\n template_cache_size=None,\n)\n
If you want to add templates to the cache yourself, you can use
cached_template()
:
"},{"location":"reference/api/#django_components.ContextBehavior","title":"ContextBehavior","text":"from django_components import cached_template\n\ncached_template(\"Variable: {{ variable }}\")\n\n# You can optionally specify Template class, and other Template inputs:\nclass MyTemplate(Template):\n pass\n\ncached_template(\n \"Variable: {{ variable }}\",\n template_cls=MyTemplate,\n name=...\n origin=...\n engine=...\n)\n
Bases:
str
,enum.Enum
See source code
Configure how (and whether) the context is passed to the component fills and what variables are available inside the
{% fill %}
tags.Also see Component context and scope.
Options:
django
: With this setting, component fills behave as usual Django tags.isolated
: This setting makes the component fills behave similar to Vue or React.
Attributes:
-
DJANGO
\u2013 -
ISOLATED
\u2013
class-attribute
instance-attribute
","text":"DJANGO = 'django'\n
See source code
With this setting, component fills behave as usual Django tags. That is, they enrich the context, and pass it along.
- Component fills use the context of the component they are within.
- Variables from
Component.get_template_data()
are available to the component fill.
Example:
Given this template
{% with cheese=\"feta\" %}\n {% component 'my_comp' %}\n {{ my_var }} # my_var\n {{ cheese }} # cheese\n {% endcomponent %}\n{% endwith %}\n
and this context returned from the
Component.get_template_data()
method{ \"my_var\": 123 }\n
Then if component \"my_comp\" defines context
{ \"my_var\": 456 }\n
Then this will render:
456 # my_var\nfeta # cheese\n
Because \"my_comp\" overrides the variable \"my_var\", so
{{ my_var }}
equals456
.And variable \"cheese\" will equal
"},{"location":"reference/api/#django_components.ContextBehavior.ISOLATED","title":"ISOLATEDfeta
, because the fill CAN access the current context.class-attribute
instance-attribute
","text":"ISOLATED = 'isolated'\n
See source code
This setting makes the component fills behave similar to Vue or React, where the fills use EXCLUSIVELY the context variables defined in
Component.get_template_data()
.Example:
Given this template
{% with cheese=\"feta\" %}\n {% component 'my_comp' %}\n {{ my_var }} # my_var\n {{ cheese }} # cheese\n {% endcomponent %}\n{% endwith %}\n
and this context returned from the
get_template_data()
method{ \"my_var\": 123 }\n
Then if component \"my_comp\" defines context
{ \"my_var\": 456 }\n
Then this will render:
123 # my_var\n # cheese\n
Because both variables \"my_var\" and \"cheese\" are taken from the root context. Since \"cheese\" is not defined in root context, it's empty.
"},{"location":"reference/api/#django_components.Default","title":"Defaultdataclass
","text":"Default(value: Callable[[], Any])\n
Bases:
object
See source code
Use this class to mark a field on the
Component.Defaults
class as a factory.Read more about Component defaults.
Example:
from django_components import Default\n\nclass MyComponent(Component):\n class Defaults:\n # Plain value doesn't need a factory\n position = \"left\"\n # Lists and dicts need to be wrapped in `Default`\n # Otherwise all instances will share the same value\n selected_items = Default(lambda: [1, 2, 3])\n
Attributes:
-
value
(Callable[[], Any]
) \u2013
instance-attribute
","text":"
"},{"location":"reference/api/#django_components.DependenciesStrategy","title":"DependenciesStrategyvalue: Callable[[], Any]\n
module-attribute
","text":"DependenciesStrategy = Literal['document', 'fragment', 'simple', 'prepend', 'append', 'ignore']\n
See source code
Type for the available strategies for rendering JS and CSS dependencies.
Read more about the dependencies strategies.
"},{"location":"reference/api/#django_components.Empty","title":"Empty","text":"Bases:
tuple
See source code
Type for an object with no members.
You can use this to define Component types that accept NO args, kwargs, slots, etc:
from django_components import Component, Empty\n\nclass Table(Component):\n Args = Empty\n Kwargs = Empty\n ...\n
This class is a shorthand for:
class Empty(NamedTuple):\n pass\n
Read more about Typing and validation.
"},{"location":"reference/api/#django_components.RegistrySettings","title":"RegistrySettings","text":"Bases:
tuple
See source code
Configuration for a
ComponentRegistry
.These settings define how the components registered with this registry will behave when rendered.
from django_components import ComponentRegistry, RegistrySettings\n\nregistry_settings = RegistrySettings(\n context_behavior=\"django\",\n tag_formatter=\"django_components.component_shorthand_formatter\",\n)\n\nregistry = ComponentRegistry(settings=registry_settings)\n
Attributes:
-
CONTEXT_BEHAVIOR
(Optional[ContextBehaviorType]
) \u2013 -
TAG_FORMATTER
(Optional[Union[TagFormatterABC, str]]
) \u2013 -
context_behavior
(Optional[ContextBehaviorType]
) \u2013 -
tag_formatter
(Optional[Union[TagFormatterABC, str]]
) \u2013
class-attribute
instance-attribute
","text":"CONTEXT_BEHAVIOR: Optional[ContextBehaviorType] = None\n
See source code
Deprecated. Use
context_behavior
instead. Will be removed in v1.Same as the global
COMPONENTS.context_behavior
setting, but for this registry.If omitted, defaults to the global
"},{"location":"reference/api/#django_components.RegistrySettings.TAG_FORMATTER","title":"TAG_FORMATTERCOMPONENTS.context_behavior
setting.class-attribute
instance-attribute
","text":"TAG_FORMATTER: Optional[Union[TagFormatterABC, str]] = None\n
See source code
Deprecated. Use
tag_formatter
instead. Will be removed in v1.Same as the global
COMPONENTS.tag_formatter
setting, but for this registry.If omitted, defaults to the global
"},{"location":"reference/api/#django_components.RegistrySettings.context_behavior","title":"context_behaviorCOMPONENTS.tag_formatter
setting.class-attribute
instance-attribute
","text":"context_behavior: Optional[ContextBehaviorType] = None\n
See source code
Same as the global
COMPONENTS.context_behavior
setting, but for this registry.If omitted, defaults to the global
"},{"location":"reference/api/#django_components.RegistrySettings.tag_formatter","title":"tag_formatterCOMPONENTS.context_behavior
setting.class-attribute
instance-attribute
","text":"tag_formatter: Optional[Union[TagFormatterABC, str]] = None\n
See source code
Same as the global
COMPONENTS.tag_formatter
setting, but for this registry.If omitted, defaults to the global
"},{"location":"reference/api/#django_components.Slot","title":"SlotCOMPONENTS.tag_formatter
setting.dataclass
","text":"Slot(\n content_func: SlotFunc[TSlotData],\n escaped: bool = False,\n component_name: Optional[str] = None,\n slot_name: Optional[str] = None,\n nodelist: Optional[NodeList] = None,\n)\n
Bases:
typing.Generic
See source code
This class holds the slot content function along with related metadata.
Attributes:
-
component_name
(Optional[str]
) \u2013 -
content_func
(SlotFunc[TSlotData]
) \u2013 -
do_not_call_in_templates
(bool
) \u2013 -
escaped
(bool
) \u2013 -
nodelist
(Optional[NodeList]
) \u2013 -
slot_name
(Optional[str]
) \u2013
class-attribute
instance-attribute
","text":"component_name: Optional[str] = None\n
See source code
Name of the component that originally defined or accepted this slot fill.
"},{"location":"reference/api/#django_components.Slot.content_func","title":"content_funcinstance-attribute
","text":"
"},{"location":"reference/api/#django_components.Slot.do_not_call_in_templates","title":"do_not_call_in_templatescontent_func: SlotFunc[TSlotData]\n
property
","text":"
"},{"location":"reference/api/#django_components.Slot.escaped","title":"escapeddo_not_call_in_templates: bool\n
class-attribute
instance-attribute
","text":"escaped: bool = False\n
See source code
Whether the slot content has been escaped.
"},{"location":"reference/api/#django_components.Slot.nodelist","title":"nodelistclass-attribute
instance-attribute
","text":"nodelist: Optional[NodeList] = None\n
See source code
Nodelist of the slot content.
"},{"location":"reference/api/#django_components.Slot.slot_name","title":"slot_nameclass-attribute
instance-attribute
","text":"slot_name: Optional[str] = None\n
See source code
Name of the slot that originally defined or accepted this slot fill.
"},{"location":"reference/api/#django_components.SlotContent","title":"SlotContentmodule-attribute
","text":"SlotContent = SlotInput[TSlotData]\n
See source code
DEPRECATED: Use
"},{"location":"reference/api/#django_components.SlotFunc","title":"SlotFunc","text":""},{"location":"reference/api/#django_components.SlotInput","title":"SlotInputSlotInput
instead. Will be removed in v1.module-attribute
","text":"SlotInput = Union[SlotResult, SlotFunc[TSlotData], Slot[TSlotData]]\n
See source code
When rendering a component with
Component.render()
orComponent.render_to_response()
, the slots may be given a strings, functions, orSlot
instances. This type describes that union.Use this type when typing the slots in your component.
SlotInput
accepts an optional type parameter to specify the data dictionary that will be passed to the slot content function.Example:
"},{"location":"reference/api/#django_components.SlotRef","title":"SlotRef","text":"from typing import NamedTuple\nfrom typing_extensions import TypedDict\nfrom django_components import Component, SlotInput\n\nclass TableFooterSlotData(TypedDict):\n page_number: int\n\nclass Table(Component):\n class Slots(NamedTuple):\n header: SlotInput\n footer: SlotInput[TableFooterSlotData]\n\n template = \"<div>{% slot 'footer' %}</div>\"\n
SlotRef(slot: SlotNode, context: Context)\n
Bases:
object
See source code
SlotRef allows to treat a slot as a variable. The slot is rendered only once the instance is coerced to string.
This is used to access slots as variables inside the templates. When a SlotRef is rendered in the template with
"},{"location":"reference/api/#django_components.SlotResult","title":"SlotResult{{ my_lazy_slot }}
, it will output the contents of the slot.module-attribute
","text":"
"},{"location":"reference/api/#django_components.TagFormatterABC","title":"TagFormatterABC","text":"SlotResult = Union[str, SafeString]\n
Bases:
abc.ABC
See source code
Abstract base class for defining custom tag formatters.
Tag formatters define how the component tags are used in the template.
Read more about Tag formatter.
For example, with the default tag formatter (
ComponentFormatter
), components are written as:{% component \"comp_name\" %}\n{% endcomponent %}\n
While with the shorthand tag formatter (
ShorthandComponentFormatter
), components are written as:{% comp_name %}\n{% endcomp_name %}\n
Example:
Implementation for
ShorthandComponentFormatter
:from djagno_components import TagFormatterABC, TagResult\n\nclass ShorthandComponentFormatter(TagFormatterABC):\n def start_tag(self, name: str) -> str:\n return name\n\n def end_tag(self, name: str) -> str:\n return f\"end{name}\"\n\n def parse(self, tokens: List[str]) -> TagResult:\n tokens = [*tokens]\n name = tokens.pop(0)\n return TagResult(name, tokens)\n
Methods:
-
end_tag
\u2013 -
parse
\u2013 -
start_tag
\u2013
abstractmethod
","text":"end_tag(name: str) -> str\n
See source code
Formats the end tag of a block component.
Parameters:
-
name
(str
) \u2013Component's registered name. Required.
Returns:
-
str
(str
) \u2013The formatted end tag.
abstractmethod
","text":"parse(tokens: List[str]) -> TagResult\n
See source code
Given the tokens (words) passed to a component start tag, this function extracts the component name from the tokens list, and returns
TagResult
, which is a tuple of(component_name, remaining_tokens)
.Parameters:
-
tokens
([List(str]
) \u2013List of tokens passed to the component tag.
Returns:
-
TagResult
(TagResult
) \u2013Parsed component name and remaining tokens.
Example:
Assuming we used a component in a template like this:
{% component \"my_comp\" key=val key2=val2 %}\n{% endcomponent %}\n
This function receives a list of tokens:
['component', '\"my_comp\"', 'key=val', 'key2=val2']\n
component
is the tag name, which we drop.\"my_comp\"
is the component name, but we must remove the extra quotes.- The remaining tokens we pass unmodified, as that's the input to the component.
So in the end, we return:
"},{"location":"reference/api/#django_components.TagFormatterABC.start_tag","title":"start_tagTagResult('my_comp', ['key=val', 'key2=val2'])\n
abstractmethod
","text":"start_tag(name: str) -> str\n
See source code
Formats the start tag of a component.
Parameters:
-
name
(str
) \u2013Component's registered name. Required.
Returns:
-
str
(str
) \u2013The formatted start tag.
Bases:
tuple
See source code
The return value from
TagFormatter.parse()
.Read more about Tag formatter.
Attributes:
-
component_name
(str
) \u2013 -
tokens
(List[str]
) \u2013
instance-attribute
","text":"component_name: str\n
See source code
Component name extracted from the template tag
For example, if we had tag
{% component \"my_comp\" key=val key2=val2 %}\n
Then
"},{"location":"reference/api/#django_components.TagResult.tokens","title":"tokenscomponent_name
would bemy_comp
.instance-attribute
","text":"tokens: List[str]\n
See source code
Remaining tokens (words) that were passed to the tag, with component name removed
For example, if we had tag
{% component \"my_comp\" key=val key2=val2 %}\n
Then
"},{"location":"reference/api/#django_components.all_components","title":"all_components","text":"tokens
would be['key=val', 'key2=val2']
.all_components() -> List[Type[Component]]\n
See source code
Get a list of all created
"},{"location":"reference/api/#django_components.all_registries","title":"all_registries","text":"Component
classes.all_registries() -> List[ComponentRegistry]\n
See source code
Get a list of all created
"},{"location":"reference/api/#django_components.autodiscover","title":"autodiscover","text":"ComponentRegistry
instances.autodiscover(map_module: Optional[Callable[[str], str]] = None) -> List[str]\n
See source code
Search for all python files in
COMPONENTS.dirs
andCOMPONENTS.app_dirs
and import them.See Autodiscovery.
NOTE: Subdirectories and files starting with an underscore
_
(except for__init__.py
are ignored.Parameters:
-
map_module
(Callable[[str], str]
, default:None
) \u2013Map the module paths with
map_module
function. This serves as an escape hatch for when you need to use this function in tests.
Returns:
-
List[str]
\u2013List[str]: A list of module paths of imported files.
To get the same list of modules that
autodiscover()
would return, but without importing them, useget_component_files()
:
"},{"location":"reference/api/#django_components.cached_template","title":"cached_template","text":"from django_components import get_component_files\n\nmodules = get_component_files(\".py\")\n
cached_template(\n template_string: str,\n template_cls: Optional[Type[Template]] = None,\n origin: Optional[Origin] = None,\n name: Optional[str] = None,\n engine: Optional[Any] = None,\n) -> Template\n
See source code
Create a Template instance that will be cached as per the
COMPONENTS.template_cache_size
setting.Parameters:
-
template_string
(str
) \u2013Template as a string, same as the first argument to Django's
Template
. Required. -
template_cls
(Type[Template]
, default:None
) \u2013Specify the Template class that should be instantiated. Defaults to Django's
Template
class. -
origin
(Type[Origin]
, default:None
) \u2013Sets
Template.Origin
. -
name
(Type[str]
, default:None
) \u2013Sets
Template.name
-
engine
(Type[Any]
, default:None
) \u2013Sets
Template.engine
"},{"location":"reference/api/#django_components.format_attributes","title":"format_attributes","text":"from django_components import cached_template\n\ntemplate = cached_template(\"Variable: {{ variable }}\")\n\n# You can optionally specify Template class, and other Template inputs:\nclass MyTemplate(Template):\n pass\n\ntemplate = cached_template(\n \"Variable: {{ variable }}\",\n template_cls=MyTemplate,\n name=...\n origin=...\n engine=...\n)\n
format_attributes(attributes: Mapping[str, Any]) -> str\n
See source code
Format a dict of attributes into an HTML attributes string.
Read more about HTML attributes.
Example:
format_attributes({\"class\": \"my-class\", \"data-id\": \"123\"})\n
will return
"},{"location":"reference/api/#django_components.get_component_by_class_id","title":"get_component_by_class_id","text":"'class=\"my-class\" data-id=\"123\"'\n
get_component_by_class_id(comp_cls_id: str) -> Type[Component]\n
See source code
Get a component class by its unique ID.
Each component class is associated with a unique hash that's derived from its module import path.
E.g.
path.to.my.secret.MyComponent
->MyComponent_ab01f32
This hash is available under
class_id
on the component class.Raises
KeyError
if the component class is not found.NOTE: This is mainly intended for extensions.
"},{"location":"reference/api/#django_components.get_component_dirs","title":"get_component_dirs","text":"get_component_dirs(include_apps: bool = True) -> List[Path]\n
See source code
Get directories that may contain component files.
This is the heart of all features that deal with filesystem and file lookup. Autodiscovery, Django template resolution, static file resolution - They all use this.
Parameters:
-
include_apps
(bool
, default:True
) \u2013Include directories from installed Django apps. Defaults to
True
.
Returns:
-
List[Path]
\u2013List[Path]: A list of directories that may contain component files.
get_component_dirs()
searches for dirs set inCOMPONENTS.dirs
settings. If none set, defaults to searching for a\"components\"
app.In addition to that, also all installed Django apps are checked whether they contain directories as set in
COMPONENTS.app_dirs
(e.g.[app]/components
).Notes:
-
Paths that do not point to directories are ignored.
-
BASE_DIR
setting is required. -
The paths in
COMPONENTS.dirs
must be absolute paths.
get_component_files(suffix: Optional[str] = None) -> List[ComponentFileEntry]\n
See source code
Search for files within the component directories (as defined in
get_component_dirs()
).Requires
BASE_DIR
setting to be set.Subdirectories and files starting with an underscore
_
(except__init__.py
) are ignored.Parameters:
-
suffix
(Optional[str]
, default:None
) \u2013The suffix to search for. E.g.
.py
,.js
,.css
. Defaults toNone
, which will search for all files.
Returns:
-
List[ComponentFileEntry]
\u2013List[ComponentFileEntry] A list of entries that contain both the filesystem path and the python import path (dot path).
Example:
"},{"location":"reference/api/#django_components.get_component_url","title":"get_component_url","text":"from django_components import get_component_files\n\nmodules = get_component_files(\".py\")\n
get_component_url(component: Union[Type[Component], Component], query: Optional[Dict] = None, fragment: Optional[str] = None) -> str\n
See source code
Get the URL for a
Component
.Raises
RuntimeError
if the component is not public.Read more about Component views and URLs.
get_component_url()
optionally acceptsquery
andfragment
arguments.Example:
"},{"location":"reference/api/#django_components.import_libraries","title":"import_libraries","text":"from django_components import Component, get_component_url\n\nclass MyComponent(Component):\n class View:\n public = True\n\n# Get the URL for the component\nurl = get_component_url(\n MyComponent,\n query={\"foo\": \"bar\"},\n fragment=\"baz\",\n)\n# /components/ext/view/components/c1ab2c3?foo=bar#baz\n
import_libraries(map_module: Optional[Callable[[str], str]] = None) -> List[str]\n
See source code
Import modules set in
COMPONENTS.libraries
setting.See Autodiscovery.
Parameters:
-
map_module
(Callable[[str], str]
, default:None
) \u2013Map the module paths with
map_module
function. This serves as an escape hatch for when you need to use this function in tests.
Returns:
-
List[str]
\u2013List[str]: A list of module paths of imported files.
Examples:
Normal usage - load libraries after Django has loaded
from django_components import import_libraries\n\nclass MyAppConfig(AppConfig):\n def ready(self):\n import_libraries()\n
Potential usage in tests
"},{"location":"reference/api/#django_components.merge_attributes","title":"merge_attributes","text":"from django_components import import_libraries\n\nimport_libraries(lambda path: path.replace(\"tests.\", \"myapp.\"))\n
merge_attributes(*attrs: Dict) -> Dict\n
See source code
Merge a list of dictionaries into a single dictionary.
The dictionaries are treated as HTML attributes and are merged accordingly:
- If a same key is present in multiple dictionaries, the values are joined with a space character.
- The
class
andstyle
keys are handled specially, similar to how Vue does it.
Read more about HTML attributes.
Example:
merge_attributes(\n {\"my-attr\": \"my-value\", \"class\": \"my-class\"},\n {\"my-attr\": \"extra-value\", \"data-id\": \"123\"},\n)\n
will result in
{\n \"my-attr\": \"my-value extra-value\",\n \"class\": \"my-class\",\n \"data-id\": \"123\",\n}\n
The
class
attributeThe
class
attribute can be given as a string, or a dictionary.- If given as a string, it is used as is.
- If given as a dictionary, only the keys with a truthy value are used.
Example:
merge_attributes(\n {\"class\": \"my-class extra-class\"},\n {\"class\": {\"truthy\": True, \"falsy\": False}},\n)\n
will result in
{\n \"class\": \"my-class extra-class truthy\",\n}\n
The
style
attributeThe
style
attribute can be given as a string, a list, or a dictionary.- If given as a string, it is used as is.
- If given as a dictionary, it is converted to a style attribute string.
Example:
merge_attributes(\n {\"style\": \"color: red; background-color: blue;\"},\n {\"style\": {\"background-color\": \"green\", \"color\": False}},\n)\n
will result in
"},{"location":"reference/api/#django_components.register","title":"register","text":"{\n \"style\": \"color: red; background-color: blue; background-color: green;\",\n}\n
register(name: str, registry: Optional[ComponentRegistry] = None) -> Callable[[Type[TComponent]], Type[TComponent]]\n
See source code
Class decorator for registering a component to a component registry.
See Registering components.
Parameters:
-
name
(str
) \u2013Registered name. This is the name by which the component will be accessed from within a template when using the
{% component %}
tag. Required. -
registry
(ComponentRegistry
, default:None
) \u2013Specify the registry to which to register this component. If omitted, component is registered to the default registry.
Raises:
-
AlreadyRegistered
\u2013If there is already a component registered under the same name.
Examples:
from django_components import Component, register\n\n@register(\"my_component\")\nclass MyComponent(Component):\n ...\n
Specifing
ComponentRegistry
the component should be registered to by setting theregistry
kwarg:
"},{"location":"reference/api/#django_components.registry","title":"registryfrom django.template import Library\nfrom django_components import Component, ComponentRegistry, register\n\nmy_lib = Library()\nmy_reg = ComponentRegistry(library=my_lib)\n\n@register(\"my_component\", registry=my_reg)\nclass MyComponent(Component):\n ...\n
module-attribute
","text":"registry: ComponentRegistry = ComponentRegistry()\n
See source code
The default and global component registry. Use this instance to directly register or remove components:
See Registering components.
"},{"location":"reference/api/#django_components.render_dependencies","title":"render_dependencies","text":"# Register components\nregistry.register(\"button\", ButtonComponent)\nregistry.register(\"card\", CardComponent)\n\n# Get single\nregistry.get(\"button\")\n\n# Get all\nregistry.all()\n\n# Check if component is registered\nregistry.has(\"button\")\n\n# Unregister single\nregistry.unregister(\"button\")\n\n# Unregister all\nregistry.clear()\n
render_dependencies(content: TContent, strategy: DependenciesStrategy = 'document') -> TContent\n
See source code
Given a string that contains parts that were rendered by components, this function inserts all used JS and CSS.
By default, the string is parsed as an HTML and: - CSS is inserted at the end of
<head>
(if present) - JS is inserted at the end of<body>
(if present)If you used
{% component_js_dependencies %}
or{% component_css_dependencies %}
, then the JS and CSS will be inserted only at these locations.Example:
"},{"location":"reference/api/#django_components.template_tag","title":"template_tag","text":"def my_view(request):\n template = Template('''\n {% load components %}\n <!doctype html>\n <html>\n <head></head>\n <body>\n <h1>{{ table_name }}</h1>\n {% component \"table\" name=table_name / %}\n </body>\n </html>\n ''')\n\n html = template.render(\n Context({\n \"table_name\": request.GET[\"name\"],\n })\n )\n\n # This inserts components' JS and CSS\n processed_html = render_dependencies(html)\n\n return HttpResponse(processed_html)\n
template_tag(\n library: Library, tag: str, end_tag: Optional[str] = None, allowed_flags: Optional[List[str]] = None\n) -> Callable[[Callable], Callable]\n
See source code
A simplified version of creating a template tag based on
BaseNode
.Instead of defining the whole class, you can just define the
render()
method.from django.template import Context, Library\nfrom django_components import BaseNode, template_tag\n\nlibrary = Library()\n\n@template_tag(\n library,\n tag=\"mytag\",\n end_tag=\"endmytag\",\n allowed_flags=[\"required\"],\n)\ndef mytag(node: BaseNode, context: Context, name: str, **kwargs: Any) -> str:\n return f\"Hello, {name}!\"\n
This will allow the template tag
{% mytag %}
to be used like this:{% mytag name=\"John\" %}\n{% mytag name=\"John\" required %} ... {% endmytag %}\n
The given function will be wrapped in a class that inherits from
BaseNode
.And this class will be registered with the given library.
The function MUST accept at least two positional arguments:
node
andcontext
node
is theBaseNode
instance.context
is theContext
of the template.
Any extra parameters defined on this function will be part of the tag's input parameters.
For more info, see
"},{"location":"reference/commands/","title":"Commands","text":""},{"location":"reference/commands/#commands","title":"Commands","text":"BaseNode.render()
.These are all the Django management commands that will be added by installing
"},{"location":"reference/commands/#components","title":"django_components
:components
","text":"usage: python manage.py components [-h] {create,upgrade,ext,list} ...\n
See source code
The entrypoint for the 'components' commands.
Options:
-h
,--help
- show this help message and exit
Subcommands:
create
- Create a new django component.
upgrade
- Upgrade django components syntax from '{% component_block ... %}' to '{% component ... %}'.
ext
- Run extension commands.
list
- List all components created in this project.
The entrypoint for the \"components\" commands.
"},{"location":"reference/commands/#components-create","title":"python manage.py components list\npython manage.py components create <name>\npython manage.py components upgrade\npython manage.py components ext list\npython manage.py components ext run <extension> <command>\n
components create
","text":"usage: python manage.py components create [-h] [--path PATH] [--js JS] [--css CSS] [--template TEMPLATE]\n [--force] [--verbose] [--dry-run]\n name\n
See source code
Create a new django component.
Positional Arguments:
name
- The name of the component to create. This is a required argument.
Options:
-h
,--help
- show this help message and exit
--path PATH
- The path to the component's directory. This is an optional argument. If not provided, the command will use the
COMPONENTS.dirs
setting from your Django settings.
- The path to the component's directory. This is an optional argument. If not provided, the command will use the
--js JS
- The name of the JavaScript file. This is an optional argument. The default value is
script.js
.
- The name of the JavaScript file. This is an optional argument. The default value is
--css CSS
- The name of the CSS file. This is an optional argument. The default value is
style.css
.
- The name of the CSS file. This is an optional argument. The default value is
--template TEMPLATE
- The name of the template file. This is an optional argument. The default value is
template.html
.
- The name of the template file. This is an optional argument. The default value is
--force
- This option allows you to overwrite existing files if they exist. This is an optional argument.
--verbose
- This option allows the command to print additional information during component creation. This is an optional argument.
--dry-run
- This option allows you to simulate component creation without actually creating any files. This is an optional argument. The default value is
False
.
- This option allows you to simulate component creation without actually creating any files. This is an optional argument. The default value is
To use the command, run the following command in your terminal:
python manage.py components create <name> --path <path> --js <js_filename> --css <css_filename> --template <template_filename> --force --verbose --dry-run\n
Replace
"},{"location":"reference/commands/#examples","title":"Examples","text":"<name>
,<path>
,<js_filename>
,<css_filename>
, and<template_filename>
with your desired values.Here are some examples of how you can use the command:
Creating a Component with Default Settings
To create a component with the default settings, you only need to provide the name of the component:
python manage.py components create my_component\n
This will create a new component named
my_component
in thecomponents
directory of your Django project. The JavaScript, CSS, and template files will be namedscript.js
,style.css
, andtemplate.html
, respectively.Creating a Component with Custom Settings
You can also create a component with custom settings by providing additional arguments:
python manage.py components create new_component --path my_components --js my_script.js --css my_style.css --template my_template.html\n
This will create a new component named
new_component
in themy_components
directory. The JavaScript, CSS, and template files will be namedmy_script.js
,my_style.css
, andmy_template.html
, respectively.Overwriting an Existing Component
If you want to overwrite an existing component, you can use the
--force
option:python manage.py components create my_component --force\n
This will overwrite the existing
my_component
if it exists.Simulating Component Creation
If you want to simulate the creation of a component without actually creating any files, you can use the
--dry-run
option:python manage.py components create my_component --dry-run\n
This will simulate the creation of
"},{"location":"reference/commands/#components-upgrade","title":"my_component
without creating any files.components upgrade
","text":"usage: python manage.py components upgrade [-h] [--path PATH]\n
See source code
Upgrade django components syntax from '{% component_block ... %}' to '{% component ... %}'.
Options:
-h
,--help
- show this help message and exit
--path PATH
- Path to search for components
components ext
","text":"usage: python manage.py components ext [-h] {list,run} ...\n
See source code
Run extension commands.
Options:
-h
,--help
- show this help message and exit
Subcommands:
list
- List all extensions.
run
- Run a command added by an extension.
Run extension commands.
"},{"location":"reference/commands/#components-ext-list","title":"python manage.py components ext list\npython manage.py components ext run <extension> <command>\n
components ext list
","text":"usage: python manage.py components ext list [-h] [--all] [--columns COLUMNS] [-s]\n
See source code
List all extensions.
Options:
-h
,--help
- show this help message and exit
--all
- Show all columns. Same as
--columns name
.
- Show all columns. Same as
--columns COLUMNS
- Comma-separated list of columns to show. Available columns: name. Defaults to
--columns name
.
- Comma-separated list of columns to show. Available columns: name. Defaults to
-s
,--simple
- Only show table data, without headers. Use this option for generating machine-readable output.
List all extensions.
python manage.py components ext list\n
Prints the list of installed extensions:
name\n==============\nview\nmy_extension\n
To specify which columns to show, use the
--columns
flag:python manage.py components ext list --columns name\n
Which prints:
name\n==============\nview\nmy_extension\n
To print out all columns, use the
--all
flag:python manage.py components ext list --all\n
If you need to omit the title in order to programmatically post-process the output, you can use the
--simple
(or-s
) flag:python manage.py components ext list --simple\n
Which prints just:
"},{"location":"reference/commands/#components-ext-run","title":"view\nmy_extension\n
components ext run
","text":"usage: python manage.py components ext run [-h]\n
See source code
Run a command added by an extension.
Options:
-h
,--help
- show this help message and exit
Run a command added by an extension.
Each extension can add its own commands, which will be available to run with this command.
For example, if you define and install the following extension:
from django_components import ComponentCommand, ComponentExtension\n\nclass HelloCommand(ComponentCommand):\n name = \"hello\"\n help = \"Say hello\"\n def handle(self, *args, **kwargs):\n print(\"Hello, world!\")\n\nclass MyExt(ComponentExtension):\n name = \"my_ext\"\n commands = [HelloCommand]\n
You can run the
hello
command with:python manage.py components ext run my_ext hello\n
You can also define arguments for the command, which will be passed to the command's
handle
method.from django_components import CommandArg, ComponentCommand, ComponentExtension\n\nclass HelloCommand(ComponentCommand):\n name = \"hello\"\n help = \"Say hello\"\n arguments = [\n CommandArg(name=\"name\", help=\"The name to say hello to\"),\n CommandArg(name=[\"--shout\", \"-s\"], action=\"store_true\"),\n ]\n\n def handle(self, name: str, *args, **kwargs):\n shout = kwargs.get(\"shout\", False)\n msg = f\"Hello, {name}!\"\n if shout:\n msg = msg.upper()\n print(msg)\n
You can run the command with:
python manage.py components ext run my_ext hello --name John --shout\n
Note
Command arguments and options are based on Python's
argparse
module.For more information, see the argparse documentation.
"},{"location":"reference/commands/#components-list","title":"components list
","text":"usage: python manage.py components list [-h] [--all] [--columns COLUMNS] [-s]\n
See source code
List all components created in this project.
Options:
-h
,--help
- show this help message and exit
--all
- Show all columns. Same as
--columns name,full_name,path
.
- Show all columns. Same as
--columns COLUMNS
- Comma-separated list of columns to show. Available columns: name, full_name, path. Defaults to
--columns full_name,path
.
- Comma-separated list of columns to show. Available columns: name, full_name, path. Defaults to
-s
,--simple
- Only show table data, without headers. Use this option for generating machine-readable output.
List all components.
python manage.py components list\n
Prints the list of available components:
full_name path\n==================================================================================================\nproject.pages.project.ProjectPage ./project/pages/project\nproject.components.dashboard.ProjectDashboard ./project/components/dashboard\nproject.components.dashboard_action.ProjectDashboardAction ./project/components/dashboard_action\n
To specify which columns to show, use the
--columns
flag:python manage.py components list --columns name,full_name,path\n
Which prints:
name full_name path\n==================================================================================================\nProjectPage project.pages.project.ProjectPage ./project/pages/project\nProjectDashboard project.components.dashboard.ProjectDashboard ./project/components/dashboard\nProjectDashboardAction project.components.dashboard_action.ProjectDashboardAction ./project/components/dashboard_action\n
To print out all columns, use the
--all
flag:python manage.py components list --all\n
If you need to omit the title in order to programmatically post-process the output, you can use the
--simple
(or-s
) flag:python manage.py components list --simple\n
Which prints just:
"},{"location":"reference/commands/#startcomponent","title":"ProjectPage project.pages.project.ProjectPage ./project/pages/project\nProjectDashboard project.components.dashboard.ProjectDashboard ./project/components/dashboard\nProjectDashboardAction project.components.dashboard_action.ProjectDashboardAction ./project/components/dashboard_action\n
startcomponent
","text":"usage: startcomponent [-h] [--path PATH] [--js JS] [--css CSS]\n [--template TEMPLATE] [--force] [--verbose] [--dry-run]\n [--version] [-v {0,1,2,3}] [--settings SETTINGS]\n [--pythonpath PYTHONPATH] [--traceback] [--no-color]\n [--force-color] [--skip-checks]\n name\n
See source code
Deprecated. Use
components create
instead.Positional Arguments:
name
- The name of the component to create. This is a required argument.
Options:
-h
,--help
- show this help message and exit
--path PATH
- The path to the component's directory. This is an optional argument. If not provided, the command will use the
COMPONENTS.dirs
setting from your Django settings.
- The path to the component's directory. This is an optional argument. If not provided, the command will use the
--js JS
- The name of the JavaScript file. This is an optional argument. The default value is
script.js
.
- The name of the JavaScript file. This is an optional argument. The default value is
--css CSS
- The name of the CSS file. This is an optional argument. The default value is
style.css
.
- The name of the CSS file. This is an optional argument. The default value is
--template TEMPLATE
- The name of the template file. This is an optional argument. The default value is
template.html
.
- The name of the template file. This is an optional argument. The default value is
--force
- This option allows you to overwrite existing files if they exist. This is an optional argument.
--verbose
- This option allows the command to print additional information during component creation. This is an optional argument.
--dry-run
- This option allows you to simulate component creation without actually creating any files. This is an optional argument. The default value is
False
.
- This option allows you to simulate component creation without actually creating any files. This is an optional argument. The default value is
--version
- Show program's version number and exit.
-v
,--verbosity {0,1,2,3}
- Verbosity level; 0=minimal output, 1=normal output, 2=verbose output, 3=very verbose output
--settings SETTINGS
- The Python path to a settings module, e.g. \"myproject.settings.main\". If this isn't provided, the DJANGO_SETTINGS_MODULE environment variable will be used.
--pythonpath PYTHONPATH
- A directory to add to the Python path, e.g. \"/home/djangoprojects/myproject\".
--traceback
- Raise on CommandError exceptions.
--no-color
- Don't colorize the command output.
--force-color
- Force colorization of the command output.
--skip-checks
- Skip system checks.
Deprecated. Use
"},{"location":"reference/commands/#upgradecomponent","title":"components create
instead.upgradecomponent
","text":"usage: upgradecomponent [-h] [--path PATH] [--version] [-v {0,1,2,3}]\n [--settings SETTINGS] [--pythonpath PYTHONPATH]\n [--traceback] [--no-color] [--force-color]\n [--skip-checks]\n
See source code
Deprecated. Use
components upgrade
instead.Options:
-h
,--help
- show this help message and exit
--path PATH
- Path to search for components
--version
- Show program's version number and exit.
-v
,--verbosity {0,1,2,3}
- Verbosity level; 0=minimal output, 1=normal output, 2=verbose output, 3=very verbose output
--settings SETTINGS
- The Python path to a settings module, e.g. \"myproject.settings.main\". If this isn't provided, the DJANGO_SETTINGS_MODULE environment variable will be used.
--pythonpath PYTHONPATH
- A directory to add to the Python path, e.g. \"/home/djangoprojects/myproject\".
--traceback
- Raise on CommandError exceptions.
--no-color
- Don't colorize the command output.
--force-color
- Force colorization of the command output.
--skip-checks
- Skip system checks.
Deprecated. Use
"},{"location":"reference/components/","title":"Components","text":""},{"location":"reference/components/#components","title":"Components","text":"components upgrade
instead.These are the components provided by django_components.
"},{"location":"reference/components/#django_components.components.dynamic.DynamicComponent","title":"DynamicComponent
","text":"Bases:
django_components.component.Component
See source code
This component is given a registered name or a reference to another component, and behaves as if the other component was in its place.
The args, kwargs, and slot fills are all passed down to the underlying component.
Parameters:
-
is
(str | Type[Component]
) \u2013Component that should be rendered. Either a registered name of a component, or a Component class directly. Required.
-
registry
(ComponentRegistry
, default:None
) \u2013Specify the registry to search for the registered name. If omitted, all registries are searched until the first match.
-
*args
\u2013Additional data passed to the component.
-
**kwargs
\u2013Additional data passed to the component.
Slots:
- Any slots, depending on the actual component.
Examples:
Django
{% component \"dynamic\" is=table_comp data=table_data headers=table_headers %}\n {% fill \"pagination\" %}\n {% component \"pagination\" / %}\n {% endfill %}\n{% endcomponent %}\n
Or in case you use the
django_components.component_shorthand_formatter
tag formatter:{% dynamic is=table_comp data=table_data headers=table_headers %}\n {% fill \"pagination\" %}\n {% component \"pagination\" / %}\n {% endfill %}\n{% enddynamic %}\n
Python
"},{"location":"reference/components/#django_components.components.dynamic.DynamicComponent--use-cases","title":"Use cases","text":"from django_components import DynamicComponent\n\nDynamicComponent.render(\n kwargs={\n \"is\": table_comp,\n \"data\": table_data,\n \"headers\": table_headers,\n },\n slots={\n \"pagination\": PaginationComponent.render(\n deps_strategy=\"ignore\",\n ),\n },\n)\n
Dynamic components are suitable if you are writing something like a form component. You may design it such that users give you a list of input types, and you render components depending on the input types.
While you could handle this with a series of if / else statements, that's not an extensible approach. Instead, you can use the dynamic component in place of normal components.
"},{"location":"reference/components/#django_components.components.dynamic.DynamicComponent--component-name","title":"Component name","text":"By default, the dynamic component is registered under the name
\"dynamic\"
. In case of a conflict, you can set theCOMPONENTS.dynamic_component_name
setting to change the name used for the dynamic components.# settings.py\nCOMPONENTS = ComponentsSettings(\n dynamic_component_name=\"my_dynamic\",\n)\n
After which you will be able to use the dynamic component with the new name:
"},{"location":"reference/exceptions/","title":"Exceptions","text":""},{"location":"reference/exceptions/#exceptions","title":"Exceptions","text":""},{"location":"reference/exceptions/#django_components.AlreadyRegistered","title":"AlreadyRegistered","text":"{% component \"my_dynamic\" is=table_comp data=table_data headers=table_headers %}\n {% fill \"pagination\" %}\n {% component \"pagination\" / %}\n {% endfill %}\n{% endcomponent %}\n
Bases:
Exception
See source code
Raised when you try to register a Component, but it's already registered with given ComponentRegistry.
"},{"location":"reference/exceptions/#django_components.NotRegistered","title":"NotRegistered","text":"Bases:
Exception
See source code
Raised when you try to access a Component, but it's NOT registered with given ComponentRegistry.
"},{"location":"reference/exceptions/#django_components.TagProtectedError","title":"TagProtectedError","text":"Bases:
Exception
See source code
The way the
TagFormatter
works is that, based on which start and end tags are used for rendering components, theComponentRegistry
behind the scenes un-/registers the template tags with the associated instance of Django'sLibrary
.In other words, if I have registered a component
\"table\"
, and I use the shorthand syntax:{% table ... %}\n{% endtable %}\n
Then
ComponentRegistry
registers the tagtable
onto the Django's Library instance.However, that means that if we registered a component
\"slot\"
, then we would overwrite the{% slot %}
tag from django_components.Thus, this exception is raised when a component is attempted to be registered under a forbidden name, such that it would overwrite one of django_component's own template tags.
"},{"location":"reference/extension_commands/","title":"Extension commands","text":""},{"location":"reference/extension_commands/#extension-commands","title":"Extension commands","text":"Overview of all classes, functions, and other objects related to defining extension commands.
Read more on Extensions.
"},{"location":"reference/extension_commands/#django_components.CommandArg","title":"CommandArgdataclass
","text":"CommandArg(\n name_or_flags: Union[str, Sequence[str]],\n action: Optional[Union[CommandLiteralAction, Action]] = None,\n nargs: Optional[Union[int, Literal[\"*\", \"+\", \"?\"]]] = None,\n const: Any = None,\n default: Any = None,\n type: Optional[Union[Type, Callable[[str], Any]]] = None,\n choices: Optional[Sequence[Any]] = None,\n required: Optional[bool] = None,\n help: Optional[str] = None,\n metavar: Optional[str] = None,\n dest: Optional[str] = None,\n version: Optional[str] = None,\n deprecated: Optional[bool] = None,\n)\n
Bases:
object
See source code
Define a single positional argument or an option for a command.
Fields on this class correspond to the arguments for
ArgumentParser.add_argument()
Methods:
-
asdict
\u2013
Attributes:
-
action
(Optional[Union[CommandLiteralAction, Action]]
) \u2013 -
choices
(Optional[Sequence[Any]]
) \u2013 -
const
(Any
) \u2013 -
default
(Any
) \u2013 -
deprecated
(Optional[bool]
) \u2013 -
dest
(Optional[str]
) \u2013 -
help
(Optional[str]
) \u2013 -
metavar
(Optional[str]
) \u2013 -
name_or_flags
(Union[str, Sequence[str]]
) \u2013 -
nargs
(Optional[Union[int, Literal['*', '+', '?']]]
) \u2013 -
required
(Optional[bool]
) \u2013 -
type
(Optional[Union[Type, Callable[[str], Any]]]
) \u2013 -
version
(Optional[str]
) \u2013
class-attribute
instance-attribute
","text":"action: Optional[Union[CommandLiteralAction, Action]] = None\n
See source code
The basic type of action to be taken when this argument is encountered at the command line.
"},{"location":"reference/extension_commands/#django_components.CommandArg.choices","title":"choicesclass-attribute
instance-attribute
","text":"choices: Optional[Sequence[Any]] = None\n
See source code
A sequence of the allowable values for the argument.
"},{"location":"reference/extension_commands/#django_components.CommandArg.const","title":"constclass-attribute
instance-attribute
","text":"const: Any = None\n
See source code
A constant value required by some action and nargs selections.
"},{"location":"reference/extension_commands/#django_components.CommandArg.default","title":"defaultclass-attribute
instance-attribute
","text":"default: Any = None\n
See source code
The value produced if the argument is absent from the command line and if it is absent from the namespace object.
"},{"location":"reference/extension_commands/#django_components.CommandArg.deprecated","title":"deprecatedclass-attribute
instance-attribute
","text":"deprecated: Optional[bool] = None\n
See source code
Whether or not use of the argument is deprecated.
NOTE: This is supported only in Python 3.13+
"},{"location":"reference/extension_commands/#django_components.CommandArg.dest","title":"destclass-attribute
instance-attribute
","text":"dest: Optional[str] = None\n
See source code
The name of the attribute to be added to the object returned by parse_args().
"},{"location":"reference/extension_commands/#django_components.CommandArg.help","title":"helpclass-attribute
instance-attribute
","text":"help: Optional[str] = None\n
See source code
A brief description of what the argument does.
"},{"location":"reference/extension_commands/#django_components.CommandArg.metavar","title":"metavarclass-attribute
instance-attribute
","text":"metavar: Optional[str] = None\n
See source code
A name for the argument in usage messages.
"},{"location":"reference/extension_commands/#django_components.CommandArg.name_or_flags","title":"name_or_flagsinstance-attribute
","text":"name_or_flags: Union[str, Sequence[str]]\n
See source code
Either a name or a list of option strings, e.g. 'foo' or '-f', '--foo'.
"},{"location":"reference/extension_commands/#django_components.CommandArg.nargs","title":"nargsclass-attribute
instance-attribute
","text":"nargs: Optional[Union[int, Literal['*', '+', '?']]] = None\n
See source code
The number of command-line arguments that should be consumed.
"},{"location":"reference/extension_commands/#django_components.CommandArg.required","title":"requiredclass-attribute
instance-attribute
","text":"required: Optional[bool] = None\n
See source code
Whether or not the command-line option may be omitted (optionals only).
"},{"location":"reference/extension_commands/#django_components.CommandArg.type","title":"typeclass-attribute
instance-attribute
","text":"type: Optional[Union[Type, Callable[[str], Any]]] = None\n
See source code
The type to which the command-line argument should be converted.
"},{"location":"reference/extension_commands/#django_components.CommandArg.version","title":"versionclass-attribute
instance-attribute
","text":"version: Optional[str] = None\n
See source code
The version string to be added to the object returned by parse_args().
MUST be used with
action='version'
.See https://docs.python.org/3/library/argparse.html#action
"},{"location":"reference/extension_commands/#django_components.CommandArg.asdict","title":"asdict","text":"asdict() -> dict\n
See source code
Convert the dataclass to a dictionary, stripping out fields with
"},{"location":"reference/extension_commands/#django_components.CommandArgGroup","title":"CommandArgGroupNone
valuesdataclass
","text":"CommandArgGroup(title: Optional[str] = None, description: Optional[str] = None, arguments: Sequence[CommandArg] = ())\n
Bases:
object
See source code
Define a group of arguments for a command.
Fields on this class correspond to the arguments for
ArgumentParser.add_argument_group()
Methods:
-
asdict
\u2013
Attributes:
-
arguments
(Sequence[CommandArg]
) \u2013 -
description
(Optional[str]
) \u2013 -
title
(Optional[str]
) \u2013
class-attribute
instance-attribute
","text":"
"},{"location":"reference/extension_commands/#django_components.CommandArgGroup.description","title":"descriptionarguments: Sequence[CommandArg] = ()\n
class-attribute
instance-attribute
","text":"description: Optional[str] = None\n
See source code
Description for the argument group in help output, by default None
"},{"location":"reference/extension_commands/#django_components.CommandArgGroup.title","title":"titleclass-attribute
instance-attribute
","text":"title: Optional[str] = None\n
See source code
Title for the argument group in help output; by default \u201cpositional arguments\u201d if description is provided, otherwise uses title for positional arguments.
"},{"location":"reference/extension_commands/#django_components.CommandArgGroup.asdict","title":"asdict","text":"asdict() -> dict\n
See source code
Convert the dataclass to a dictionary, stripping out fields with
"},{"location":"reference/extension_commands/#django_components.CommandHandler","title":"CommandHandler","text":""},{"location":"reference/extension_commands/#django_components.CommandParserInput","title":"CommandParserInputNone
valuesdataclass
","text":"CommandParserInput(\n prog: Optional[str] = None,\n usage: Optional[str] = None,\n description: Optional[str] = None,\n epilog: Optional[str] = None,\n parents: Optional[Sequence[ArgumentParser]] = None,\n formatter_class: Optional[Type[_FormatterClass]] = None,\n prefix_chars: Optional[str] = None,\n fromfile_prefix_chars: Optional[str] = None,\n argument_default: Optional[Any] = None,\n conflict_handler: Optional[str] = None,\n add_help: Optional[bool] = None,\n allow_abbrev: Optional[bool] = None,\n exit_on_error: Optional[bool] = None,\n)\n
Bases:
object
See source code
Typing for the input to the
ArgumentParser
constructor.Methods:
-
asdict
\u2013
Attributes:
-
add_help
(Optional[bool]
) \u2013 -
allow_abbrev
(Optional[bool]
) \u2013 -
argument_default
(Optional[Any]
) \u2013 -
conflict_handler
(Optional[str]
) \u2013 -
description
(Optional[str]
) \u2013 -
epilog
(Optional[str]
) \u2013 -
exit_on_error
(Optional[bool]
) \u2013 -
formatter_class
(Optional[Type[_FormatterClass]]
) \u2013 -
fromfile_prefix_chars
(Optional[str]
) \u2013 -
parents
(Optional[Sequence[ArgumentParser]]
) \u2013 -
prefix_chars
(Optional[str]
) \u2013 -
prog
(Optional[str]
) \u2013 -
usage
(Optional[str]
) \u2013
class-attribute
instance-attribute
","text":"add_help: Optional[bool] = None\n
See source code
Add a -h/--help option to the parser (default:
"},{"location":"reference/extension_commands/#django_components.CommandParserInput.allow_abbrev","title":"allow_abbrevTrue
)class-attribute
instance-attribute
","text":"allow_abbrev: Optional[bool] = None\n
See source code
Allows long options to be abbreviated if the abbreviation is unambiguous. (default:
"},{"location":"reference/extension_commands/#django_components.CommandParserInput.argument_default","title":"argument_defaultTrue
)class-attribute
instance-attribute
","text":"argument_default: Optional[Any] = None\n
See source code
The global default value for arguments (default:
"},{"location":"reference/extension_commands/#django_components.CommandParserInput.conflict_handler","title":"conflict_handlerNone
)class-attribute
instance-attribute
","text":"conflict_handler: Optional[str] = None\n
See source code
The strategy for resolving conflicting optionals (usually unnecessary)
"},{"location":"reference/extension_commands/#django_components.CommandParserInput.description","title":"descriptionclass-attribute
instance-attribute
","text":"description: Optional[str] = None\n
See source code
Text to display before the argument help (by default, no text)
"},{"location":"reference/extension_commands/#django_components.CommandParserInput.epilog","title":"epilogclass-attribute
instance-attribute
","text":"epilog: Optional[str] = None\n
See source code
Text to display after the argument help (by default, no text)
"},{"location":"reference/extension_commands/#django_components.CommandParserInput.exit_on_error","title":"exit_on_errorclass-attribute
instance-attribute
","text":"exit_on_error: Optional[bool] = None\n
See source code
Determines whether or not ArgumentParser exits with error info when an error occurs. (default:
"},{"location":"reference/extension_commands/#django_components.CommandParserInput.formatter_class","title":"formatter_classTrue
)class-attribute
instance-attribute
","text":"formatter_class: Optional[Type[_FormatterClass]] = None\n
See source code
A class for customizing the help output
"},{"location":"reference/extension_commands/#django_components.CommandParserInput.fromfile_prefix_chars","title":"fromfile_prefix_charsclass-attribute
instance-attribute
","text":"fromfile_prefix_chars: Optional[str] = None\n
See source code
The set of characters that prefix files from which additional arguments should be read (default:
"},{"location":"reference/extension_commands/#django_components.CommandParserInput.parents","title":"parentsNone
)class-attribute
instance-attribute
","text":"parents: Optional[Sequence[ArgumentParser]] = None\n
See source code
A list of ArgumentParser objects whose arguments should also be included
"},{"location":"reference/extension_commands/#django_components.CommandParserInput.prefix_chars","title":"prefix_charsclass-attribute
instance-attribute
","text":"prefix_chars: Optional[str] = None\n
See source code
The set of characters that prefix optional arguments (default: \u2018-\u2018)
"},{"location":"reference/extension_commands/#django_components.CommandParserInput.prog","title":"progclass-attribute
instance-attribute
","text":"prog: Optional[str] = None\n
See source code
The name of the program (default:
"},{"location":"reference/extension_commands/#django_components.CommandParserInput.usage","title":"usageos.path.basename(sys.argv[0])
)class-attribute
instance-attribute
","text":"usage: Optional[str] = None\n
See source code
The string describing the program usage (default: generated from arguments added to parser)
"},{"location":"reference/extension_commands/#django_components.CommandParserInput.asdict","title":"asdict","text":"asdict() -> dict\n
See source code
Convert the dataclass to a dictionary, stripping out fields with
"},{"location":"reference/extension_commands/#django_components.CommandSubcommand","title":"CommandSubcommandNone
valuesdataclass
","text":"CommandSubcommand(\n title: Optional[str] = None,\n description: Optional[str] = None,\n prog: Optional[str] = None,\n parser_class: Optional[Type[ArgumentParser]] = None,\n action: Optional[Union[CommandLiteralAction, Action]] = None,\n dest: Optional[str] = None,\n required: Optional[bool] = None,\n help: Optional[str] = None,\n metavar: Optional[str] = None,\n)\n
Bases:
object
See source code
Define a subcommand for a command.
Fields on this class correspond to the arguments for
ArgumentParser.add_subparsers.add_parser()
Methods:
-
asdict
\u2013
Attributes:
-
action
(Optional[Union[CommandLiteralAction, Action]]
) \u2013 -
description
(Optional[str]
) \u2013 -
dest
(Optional[str]
) \u2013 -
help
(Optional[str]
) \u2013 -
metavar
(Optional[str]
) \u2013 -
parser_class
(Optional[Type[ArgumentParser]]
) \u2013 -
prog
(Optional[str]
) \u2013 -
required
(Optional[bool]
) \u2013 -
title
(Optional[str]
) \u2013
class-attribute
instance-attribute
","text":"action: Optional[Union[CommandLiteralAction, Action]] = None\n
See source code
The basic type of action to be taken when this argument is encountered at the command line.
"},{"location":"reference/extension_commands/#django_components.CommandSubcommand.description","title":"descriptionclass-attribute
instance-attribute
","text":"description: Optional[str] = None\n
See source code
Description for the sub-parser group in help output, by default
"},{"location":"reference/extension_commands/#django_components.CommandSubcommand.dest","title":"destNone
.class-attribute
instance-attribute
","text":"dest: Optional[str] = None\n
See source code
Name of the attribute under which sub-command name will be stored; by default
"},{"location":"reference/extension_commands/#django_components.CommandSubcommand.help","title":"helpNone
and no value is stored.class-attribute
instance-attribute
","text":"help: Optional[str] = None\n
See source code
Help for sub-parser group in help output, by default
"},{"location":"reference/extension_commands/#django_components.CommandSubcommand.metavar","title":"metavarNone
.class-attribute
instance-attribute
","text":"metavar: Optional[str] = None\n
See source code
String presenting available subcommands in help; by default it is None and presents subcommands in form
"},{"location":"reference/extension_commands/#django_components.CommandSubcommand.parser_class","title":"parser_class{cmd1, cmd2, ..}
.class-attribute
instance-attribute
","text":"parser_class: Optional[Type[ArgumentParser]] = None\n
See source code
Class which will be used to create sub-parser instances, by default the class of the current parser (e.g.
"},{"location":"reference/extension_commands/#django_components.CommandSubcommand.prog","title":"progArgumentParser
).class-attribute
instance-attribute
","text":"prog: Optional[str] = None\n
See source code
Usage information that will be displayed with sub-command help, by default the name of the program and any positional arguments before the subparser argument.
"},{"location":"reference/extension_commands/#django_components.CommandSubcommand.required","title":"requiredclass-attribute
instance-attribute
","text":"required: Optional[bool] = None\n
See source code
Whether or not a subcommand must be provided, by default
"},{"location":"reference/extension_commands/#django_components.CommandSubcommand.title","title":"titleFalse
(added in 3.7)class-attribute
instance-attribute
","text":"title: Optional[str] = None\n
See source code
Title for the sub-parser group in help output; by default \u201csubcommands\u201d if description is provided, otherwise uses title for positional arguments.
"},{"location":"reference/extension_commands/#django_components.CommandSubcommand.asdict","title":"asdict","text":"asdict() -> dict\n
See source code
Convert the dataclass to a dictionary, stripping out fields with
"},{"location":"reference/extension_commands/#django_components.ComponentCommand","title":"ComponentCommand","text":"None
valuesBases:
object
See source code
Definition of a CLI command.
This class is based on Python's
argparse
module and Django'sBaseCommand
class.ComponentCommand
allows you to define:- Command name, description, and help text
- Arguments and options (e.g.
--name John
) - Group arguments (see argparse groups)
- Subcommands (e.g.
components ext run my_ext hello
) - Handler behavior
Each extension can add its own commands, which will be available to run with
components ext run
.Extensions use the
ComponentCommand
class to define their commands.For example, if you define and install the following extension:
from django_components ComponentCommand, ComponentExtension\n\nclass HelloCommand(ComponentCommand):\n name = \"hello\"\n help = \"Say hello\"\n def handle(self, *args, **kwargs):\n print(\"Hello, world!\")\n\nclass MyExt(ComponentExtension):\n name = \"my_ext\"\n commands = [HelloCommand]\n
You can run the
hello
command with:python manage.py components ext run my_ext hello\n
You can also define arguments for the command, which will be passed to the command's
handle
method.from django_components import CommandArg, ComponentCommand, ComponentExtension\n\nclass HelloCommand(ComponentCommand):\n name = \"hello\"\n help = \"Say hello\"\n arguments = [\n CommandArg(name=\"name\", help=\"The name to say hello to\"),\n CommandArg(name=[\"--shout\", \"-s\"], action=\"store_true\"),\n ]\n\n def handle(self, name: str, *args, **kwargs):\n shout = kwargs.get(\"shout\", False)\n msg = f\"Hello, {name}!\"\n if shout:\n msg = msg.upper()\n print(msg)\n
You can run the command with:
python manage.py components ext run my_ext hello --name John --shout\n
Note
Command arguments and options are based on Python's
argparse
module.For more information, see the argparse documentation.
Attributes:
-
arguments
(Sequence[Union[CommandArg, CommandArgGroup]]
) \u2013 -
handle
(Optional[CommandHandler]
) \u2013 -
help
(Optional[str]
) \u2013 -
name
(str
) \u2013 -
parser_input
(Optional[CommandParserInput]
) \u2013 -
subcommands
(Sequence[Type[ComponentCommand]]
) \u2013 -
subparser_input
(Optional[CommandSubcommand]
) \u2013
class-attribute
instance-attribute
","text":"arguments: Sequence[Union[CommandArg, CommandArgGroup]] = ()\n
See source code
argparse arguments for the command
"},{"location":"reference/extension_commands/#django_components.ComponentCommand.handle","title":"handleclass-attribute
instance-attribute
","text":"handle: Optional[CommandHandler] = None\n
See source code
The function that is called when the command is run. If
"},{"location":"reference/extension_commands/#django_components.ComponentCommand.help","title":"helpNone
, the command will print the help message.class-attribute
instance-attribute
","text":"help: Optional[str] = None\n
See source code
The help text for the command
"},{"location":"reference/extension_commands/#django_components.ComponentCommand.name","title":"nameinstance-attribute
","text":"name: str\n
See source code
The name of the command - this is what is used to call the command
"},{"location":"reference/extension_commands/#django_components.ComponentCommand.parser_input","title":"parser_inputclass-attribute
instance-attribute
","text":"parser_input: Optional[CommandParserInput] = None\n
See source code
The input to use when creating the
"},{"location":"reference/extension_commands/#django_components.ComponentCommand.subcommands","title":"subcommandsArgumentParser
for this command. IfNone
, the default values will be used.class-attribute
instance-attribute
","text":"subcommands: Sequence[Type[ComponentCommand]] = ()\n
See source code
Subcommands for the command
"},{"location":"reference/extension_commands/#django_components.ComponentCommand.subparser_input","title":"subparser_inputclass-attribute
instance-attribute
","text":"subparser_input: Optional[CommandSubcommand] = None\n
See source code
The input to use when this command is a subcommand installed with
"},{"location":"reference/extension_hooks/","title":"Extension hooks","text":""},{"location":"reference/extension_hooks/#extension-hooks","title":"Extension hooks","text":"add_subparser()
. IfNone
, the default values will be used.Overview of all the extension hooks available in Django Components.
Read more on Extensions.
"},{"location":"reference/extension_hooks/#hooks","title":"Hooks","text":"Available data:
name type descriptioncomponent_cls
Type[Component]
The created Component classAvailable data:
name type descriptioncomponent_cls
Type[Component]
The to-be-deleted Component classAvailable data:
name type descriptioncomponent
Component
The Component instance that is being renderedcomponent_cls
Type[Component]
The Component classcomponent_id
str
The unique identifier for this component instancecontext_data
Dict
Deprecated. Usetemplate_data
instead. Will be removed in v1.0.css_data
Dict
Dictionary of CSS data fromComponent.get_css_data()
js_data
Dict
Dictionary of JavaScript data fromComponent.get_js_data()
template_data
Dict
Dictionary of template data fromComponent.get_template_data()
Available data:
name type descriptionargs
List
List of positional arguments passed to the componentcomponent
Component
The Component instance that received the input and is being renderedcomponent_cls
Type[Component]
The Component classcomponent_id
str
The unique identifier for this component instancecontext
Context
The Django template Context objectkwargs
Dict
Dictionary of keyword arguments passed to the componentslots
Dict
Dictionary of slot definitionsAvailable data:
name type descriptioncomponent_cls
Type[Component]
The registered Component classname
str
The name the component was registered underregistry
ComponentRegistry
The registry the component was registered toAvailable data:
name type descriptioncomponent
Component
The Component instance that is being renderedcomponent_cls
Type[Component]
The Component classcomponent_id
str
The unique identifier for this component instanceresult
str
The rendered componentAvailable data:
name type descriptioncomponent_cls
Type[Component]
The unregistered Component classname
str
The name the component was registered underregistry
ComponentRegistry
The registry the component was unregistered fromAvailable data:
name type descriptionregistry
ComponentRegistry
The created ComponentRegistry instanceAvailable data:
name type descriptionregistry
ComponentRegistry
The to-be-deleted ComponentRegistry instance"},{"location":"reference/extension_hooks/#django_components.extension.ComponentExtension.on_component_class_created","title":"on_component_class_created","text":"on_component_class_created(ctx: OnComponentClassCreatedContext) -> None\n
See source code
Called when a new
Component
class is created.This hook is called after the
Component
class is fully defined but before it's registered.Use this hook to perform any initialization or validation of the
Component
class.Example:
"},{"location":"reference/extension_hooks/#django_components.extension.ComponentExtension.on_component_class_deleted","title":"on_component_class_deleted","text":"from django_components import ComponentExtension, OnComponentClassCreatedContext\n\nclass MyExtension(ComponentExtension):\n def on_component_class_created(self, ctx: OnComponentClassCreatedContext) -> None:\n # Add a new attribute to the Component class\n ctx.component_cls.my_attr = \"my_value\"\n
on_component_class_deleted(ctx: OnComponentClassDeletedContext) -> None\n
See source code
Called when a
Component
class is being deleted.This hook is called before the
Component
class is deleted from memory.Use this hook to perform any cleanup related to the
Component
class.Example:
"},{"location":"reference/extension_hooks/#django_components.extension.ComponentExtension.on_component_data","title":"on_component_data","text":"from django_components import ComponentExtension, OnComponentClassDeletedContext\n\nclass MyExtension(ComponentExtension):\n def on_component_class_deleted(self, ctx: OnComponentClassDeletedContext) -> None:\n # Remove Component class from the extension's cache on deletion\n self.cache.pop(ctx.component_cls, None)\n
on_component_data(ctx: OnComponentDataContext) -> None\n
See source code
Called when a
Component
was triggered to render, after a component's context and data methods have been processed.This hook is called after
Component.get_template_data()
,Component.get_js_data()
andComponent.get_css_data()
.This hook runs after
on_component_input
.Use this hook to modify or validate the component's data before rendering.
Example:
"},{"location":"reference/extension_hooks/#django_components.extension.ComponentExtension.on_component_input","title":"on_component_input","text":"from django_components import ComponentExtension, OnComponentDataContext\n\nclass MyExtension(ComponentExtension):\n def on_component_data(self, ctx: OnComponentDataContext) -> None:\n # Add extra template variable to all components when they are rendered\n ctx.template_data[\"my_template_var\"] = \"my_value\"\n
on_component_input(ctx: OnComponentInputContext) -> Optional[str]\n
See source code
Called when a
Component
was triggered to render, but before a component's context and data methods are invoked.Use this hook to modify or validate component inputs before they're processed.
This is the first hook that is called when rendering a component. As such this hook is called before
Component.get_template_data()
,Component.get_js_data()
, andComponent.get_css_data()
methods, and theon_component_data
hook.This hook also allows to skip the rendering of a component altogether. If the hook returns a non-null value, this value will be used instead of rendering the component.
You can use this to implement a caching mechanism for components, or define components that will be rendered conditionally.
Example:
"},{"location":"reference/extension_hooks/#django_components.extension.ComponentExtension.on_component_registered","title":"on_component_registered","text":"from django_components import ComponentExtension, OnComponentInputContext\n\nclass MyExtension(ComponentExtension):\n def on_component_input(self, ctx: OnComponentInputContext) -> None:\n # Add extra kwarg to all components when they are rendered\n ctx.kwargs[\"my_input\"] = \"my_value\"\n
on_component_registered(ctx: OnComponentRegisteredContext) -> None\n
See source code
Called when a
Component
class is registered with aComponentRegistry
.This hook is called after a
Component
class is successfully registered.Example:
"},{"location":"reference/extension_hooks/#django_components.extension.ComponentExtension.on_component_rendered","title":"on_component_rendered","text":"from django_components import ComponentExtension, OnComponentRegisteredContext\n\nclass MyExtension(ComponentExtension):\n def on_component_registered(self, ctx: OnComponentRegisteredContext) -> None:\n print(f\"Component {ctx.component_cls} registered to {ctx.registry} as '{ctx.name}'\")\n
on_component_rendered(ctx: OnComponentRenderedContext) -> Optional[str]\n
See source code
Called when a
Component
was rendered, including all its child components.Use this hook to access or post-process the component's rendered output.
To modify the output, return a new string from this hook.
Example:
"},{"location":"reference/extension_hooks/#django_components.extension.ComponentExtension.on_component_unregistered","title":"on_component_unregistered","text":"from django_components import ComponentExtension, OnComponentRenderedContext\n\nclass MyExtension(ComponentExtension):\n def on_component_rendered(self, ctx: OnComponentRenderedContext) -> Optional[str]:\n # Append a comment to the component's rendered output\n return ctx.result + \"<!-- MyExtension comment -->\"\n
on_component_unregistered(ctx: OnComponentUnregisteredContext) -> None\n
See source code
Called when a
Component
class is unregistered from aComponentRegistry
.This hook is called after a
Component
class is removed from the registry.Example:
"},{"location":"reference/extension_hooks/#django_components.extension.ComponentExtension.on_registry_created","title":"on_registry_created","text":"from django_components import ComponentExtension, OnComponentUnregisteredContext\n\nclass MyExtension(ComponentExtension):\n def on_component_unregistered(self, ctx: OnComponentUnregisteredContext) -> None:\n print(f\"Component {ctx.component_cls} unregistered from {ctx.registry} as '{ctx.name}'\")\n
on_registry_created(ctx: OnRegistryCreatedContext) -> None\n
See source code
Called when a new
ComponentRegistry
is created.This hook is called after a new
ComponentRegistry
instance is initialized.Use this hook to perform any initialization needed for the registry.
Example:
"},{"location":"reference/extension_hooks/#django_components.extension.ComponentExtension.on_registry_deleted","title":"on_registry_deleted","text":"from django_components import ComponentExtension, OnRegistryCreatedContext\n\nclass MyExtension(ComponentExtension):\n def on_registry_created(self, ctx: OnRegistryCreatedContext) -> None:\n # Add a new attribute to the registry\n ctx.registry.my_attr = \"my_value\"\n
on_registry_deleted(ctx: OnRegistryDeletedContext) -> None\n
See source code
Called when a
ComponentRegistry
is being deleted.This hook is called before a
ComponentRegistry
instance is deleted.Use this hook to perform any cleanup related to the registry.
Example:
"},{"location":"reference/extension_hooks/#objects","title":"Objects","text":""},{"location":"reference/extension_hooks/#django_components.extension.OnComponentClassCreatedContext","title":"OnComponentClassCreatedContext","text":"from django_components import ComponentExtension, OnRegistryDeletedContext\n\nclass MyExtension(ComponentExtension):\n def on_registry_deleted(self, ctx: OnRegistryDeletedContext) -> None:\n # Remove registry from the extension's cache on deletion\n self.cache.pop(ctx.registry, None)\n
Attributes:
-
component_cls
(Type[Component]
) \u2013
instance-attribute
","text":"component_cls: Type[Component]\n
See source code
The created Component class
"},{"location":"reference/extension_hooks/#django_components.extension.OnComponentClassDeletedContext","title":"OnComponentClassDeletedContext","text":"Attributes:
-
component_cls
(Type[Component]
) \u2013
instance-attribute
","text":"component_cls: Type[Component]\n
See source code
The to-be-deleted Component class
"},{"location":"reference/extension_hooks/#django_components.extension.OnComponentDataContext","title":"OnComponentDataContext","text":"Attributes:
-
component
(Component
) \u2013 -
component_cls
(Type[Component]
) \u2013 -
component_id
(str
) \u2013 -
context_data
(Dict
) \u2013 -
css_data
(Dict
) \u2013 -
js_data
(Dict
) \u2013 -
template_data
(Dict
) \u2013
instance-attribute
","text":"component: Component\n
See source code
The Component instance that is being rendered
"},{"location":"reference/extension_hooks/#django_components.extension.OnComponentDataContext.component_cls","title":"component_clsinstance-attribute
","text":"component_cls: Type[Component]\n
See source code
The Component class
"},{"location":"reference/extension_hooks/#django_components.extension.OnComponentDataContext.component_id","title":"component_idinstance-attribute
","text":"component_id: str\n
See source code
The unique identifier for this component instance
"},{"location":"reference/extension_hooks/#django_components.extension.OnComponentDataContext.context_data","title":"context_datainstance-attribute
","text":"context_data: Dict\n
See source code
Deprecated. Use
"},{"location":"reference/extension_hooks/#django_components.extension.OnComponentDataContext.css_data","title":"css_datatemplate_data
instead. Will be removed in v1.0.instance-attribute
","text":"css_data: Dict\n
See source code
Dictionary of CSS data from
"},{"location":"reference/extension_hooks/#django_components.extension.OnComponentDataContext.js_data","title":"js_dataComponent.get_css_data()
instance-attribute
","text":"js_data: Dict\n
See source code
Dictionary of JavaScript data from
"},{"location":"reference/extension_hooks/#django_components.extension.OnComponentDataContext.template_data","title":"template_dataComponent.get_js_data()
instance-attribute
","text":"template_data: Dict\n
See source code
Dictionary of template data from
"},{"location":"reference/extension_hooks/#django_components.extension.OnComponentInputContext","title":"OnComponentInputContext","text":"Component.get_template_data()
Attributes:
-
args
(List
) \u2013 -
component
(Component
) \u2013 -
component_cls
(Type[Component]
) \u2013 -
component_id
(str
) \u2013 -
context
(Context
) \u2013 -
kwargs
(Dict
) \u2013 -
slots
(Dict
) \u2013
instance-attribute
","text":"args: List\n
See source code
List of positional arguments passed to the component
"},{"location":"reference/extension_hooks/#django_components.extension.OnComponentInputContext.component","title":"componentinstance-attribute
","text":"component: Component\n
See source code
The Component instance that received the input and is being rendered
"},{"location":"reference/extension_hooks/#django_components.extension.OnComponentInputContext.component_cls","title":"component_clsinstance-attribute
","text":"component_cls: Type[Component]\n
See source code
The Component class
"},{"location":"reference/extension_hooks/#django_components.extension.OnComponentInputContext.component_id","title":"component_idinstance-attribute
","text":"component_id: str\n
See source code
The unique identifier for this component instance
"},{"location":"reference/extension_hooks/#django_components.extension.OnComponentInputContext.context","title":"contextinstance-attribute
","text":"context: Context\n
See source code
The Django template Context object
"},{"location":"reference/extension_hooks/#django_components.extension.OnComponentInputContext.kwargs","title":"kwargsinstance-attribute
","text":"kwargs: Dict\n
See source code
Dictionary of keyword arguments passed to the component
"},{"location":"reference/extension_hooks/#django_components.extension.OnComponentInputContext.slots","title":"slotsinstance-attribute
","text":"slots: Dict\n
See source code
Dictionary of slot definitions
"},{"location":"reference/extension_hooks/#django_components.extension.OnComponentRegisteredContext","title":"OnComponentRegisteredContext","text":"Attributes:
-
component_cls
(Type[Component]
) \u2013 -
name
(str
) \u2013 -
registry
(ComponentRegistry
) \u2013
instance-attribute
","text":"component_cls: Type[Component]\n
See source code
The registered Component class
"},{"location":"reference/extension_hooks/#django_components.extension.OnComponentRegisteredContext.name","title":"nameinstance-attribute
","text":"name: str\n
See source code
The name the component was registered under
"},{"location":"reference/extension_hooks/#django_components.extension.OnComponentRegisteredContext.registry","title":"registryinstance-attribute
","text":"registry: ComponentRegistry\n
See source code
The registry the component was registered to
"},{"location":"reference/extension_hooks/#django_components.extension.OnComponentUnregisteredContext","title":"OnComponentUnregisteredContext","text":"Attributes:
-
component_cls
(Type[Component]
) \u2013 -
name
(str
) \u2013 -
registry
(ComponentRegistry
) \u2013
instance-attribute
","text":"component_cls: Type[Component]\n
See source code
The unregistered Component class
"},{"location":"reference/extension_hooks/#django_components.extension.OnComponentUnregisteredContext.name","title":"nameinstance-attribute
","text":"name: str\n
See source code
The name the component was registered under
"},{"location":"reference/extension_hooks/#django_components.extension.OnComponentUnregisteredContext.registry","title":"registryinstance-attribute
","text":"registry: ComponentRegistry\n
See source code
The registry the component was unregistered from
"},{"location":"reference/extension_hooks/#django_components.extension.OnRegistryCreatedContext","title":"OnRegistryCreatedContext","text":"Attributes:
-
registry
(ComponentRegistry
) \u2013
instance-attribute
","text":"registry: ComponentRegistry\n
See source code
The created ComponentRegistry instance
"},{"location":"reference/extension_hooks/#django_components.extension.OnRegistryDeletedContext","title":"OnRegistryDeletedContext","text":"Attributes:
-
registry
(ComponentRegistry
) \u2013
instance-attribute
","text":"registry: ComponentRegistry\n
See source code
The to-be-deleted ComponentRegistry instance
"},{"location":"reference/extension_urls/","title":"Extension URLs","text":""},{"location":"reference/extension_urls/#extension-urls","title":"Extension URLs","text":"Overview of all classes, functions, and other objects related to defining extension URLs.
Read more on Extensions.
"},{"location":"reference/extension_urls/#django_components.URLRoute","title":"URLRoutedataclass
","text":"URLRoute(\n path: str,\n handler: Optional[URLRouteHandler] = None,\n children: Iterable[URLRoute] = list(),\n name: Optional[str] = None,\n extra: Dict[str, Any] = dict(),\n)\n
Bases:
object
See source code
Framework-agnostic route definition.
This is similar to Django's
URLPattern
object created withdjango.urls.path()
.The
URLRoute
must either define ahandler
function or have a list of child routeschildren
. If both are defined, an error will be raised.Example:
URLRoute(\"/my/path\", handler=my_handler, name=\"my_name\", extra={\"kwargs\": {\"my_extra\": \"my_value\"}})\n
Is equivalent to:
django.urls.path(\"/my/path\", my_handler, name=\"my_name\", kwargs={\"my_extra\": \"my_value\"})\n
With children:
URLRoute(\n \"/my/path\",\n name=\"my_name\",\n extra={\"kwargs\": {\"my_extra\": \"my_value\"}},\n children=[\n URLRoute(\n \"/child/<str:name>/\",\n handler=my_handler,\n name=\"my_name\",\n extra={\"kwargs\": {\"my_extra\": \"my_value\"}},\n ),\n URLRoute(\"/other/<int:id>/\", handler=other_handler),\n ],\n)\n
Attributes:
-
children
(Iterable[URLRoute]
) \u2013 -
extra
(Dict[str, Any]
) \u2013 -
handler
(Optional[URLRouteHandler]
) \u2013 -
name
(Optional[str]
) \u2013 -
path
(str
) \u2013
class-attribute
instance-attribute
","text":"
"},{"location":"reference/extension_urls/#django_components.URLRoute.extra","title":"extrachildren: Iterable[URLRoute] = field(default_factory=list)\n
class-attribute
instance-attribute
","text":"
"},{"location":"reference/extension_urls/#django_components.URLRoute.handler","title":"handlerextra: Dict[str, Any] = field(default_factory=dict)\n
class-attribute
instance-attribute
","text":"
"},{"location":"reference/extension_urls/#django_components.URLRoute.name","title":"namehandler: Optional[URLRouteHandler] = None\n
class-attribute
instance-attribute
","text":"
"},{"location":"reference/extension_urls/#django_components.URLRoute.path","title":"pathname: Optional[str] = None\n
instance-attribute
","text":"
"},{"location":"reference/extension_urls/#django_components.URLRouteHandler","title":"URLRouteHandler","text":"path: str\n
Bases:
typing.Protocol
See source code
Framework-agnostic 'view' function for routes
"},{"location":"reference/settings/","title":"Settings","text":""},{"location":"reference/settings/#settings","title":"Settings","text":"You can configure django_components with a global
COMPONENTS
variable in your Django settings file, e.g.settings.py
. By default you don't need it set, there are resonable defaults.To configure the settings you can instantiate
ComponentsSettings
for validation and type hints. Or, for backwards compatibility, you can also use plain dictionary:
"},{"location":"reference/settings/#settings-defaults","title":"Settings defaults","text":"# settings.py\nfrom django_components import ComponentsSettings\n\nCOMPONENTS = ComponentsSettings(\n autodiscover=True,\n ...\n)\n\n# or\n\nCOMPONENTS = {\n \"autodiscover\": True,\n ...\n}\n
Here's overview of all available settings and their defaults:
"},{"location":"reference/settings/#django_components.app_settings.ComponentsSettings.app_dirs","title":"app_dirs","text":"defaults = ComponentsSettings(\n autodiscover=True,\n cache=None,\n context_behavior=ContextBehavior.DJANGO.value, # \"django\" | \"isolated\"\n # Root-level \"components\" dirs, e.g. `/path/to/proj/components/`\n dirs=[Path(settings.BASE_DIR) / \"components\"],\n # App-level \"components\" dirs, e.g. `[app]/components/`\n app_dirs=[\"components\"],\n debug_highlight_components=False,\n debug_highlight_slots=False,\n dynamic_component_name=\"dynamic\",\n extensions=[],\n libraries=[], # E.g. [\"mysite.components.forms\", ...]\n multiline_tags=True,\n reload_on_file_change=False,\n static_files_allowed=[\n \".css\",\n \".js\", \".jsx\", \".ts\", \".tsx\",\n # Images\n \".apng\", \".png\", \".avif\", \".gif\", \".jpg\",\n \".jpeg\", \".jfif\", \".pjpeg\", \".pjp\", \".svg\",\n \".webp\", \".bmp\", \".ico\", \".cur\", \".tif\", \".tiff\",\n # Fonts\n \".eot\", \".ttf\", \".woff\", \".otf\", \".svg\",\n ],\n static_files_forbidden=[\n # See https://marketplace.visualstudio.com/items?itemName=junstyle.vscode-django-support\n \".html\", \".django\", \".dj\", \".tpl\",\n # Python files\n \".py\", \".pyc\",\n ],\n tag_formatter=\"django_components.component_formatter\",\n template_cache_size=128,\n)\n
app_dirs: Optional[Sequence[str]] = None\n
See source code
Specify the app-level directories that contain your components.
Defaults to
[\"components\"]
. That is, for each Django app, we search<app>/components/
for components.The paths must be relative to app, e.g.:
COMPONENTS = ComponentsSettings(\n app_dirs=[\"my_comps\"],\n)\n
To search for
<app>/my_comps/
.These locations are searched during autodiscovery, or when you define HTML, JS, or CSS as separate files.
Set to empty list to disable app-level components:
"},{"location":"reference/settings/#django_components.app_settings.ComponentsSettings.autodiscover","title":"autodiscover","text":"COMPONENTS = ComponentsSettings(\n app_dirs=[],\n)\n
autodiscover: Optional[bool] = None\n
See source code
Toggle whether to run autodiscovery at the Django server startup.
Defaults to
True
"},{"location":"reference/settings/#django_components.app_settings.ComponentsSettings.cache","title":"cache","text":"COMPONENTS = ComponentsSettings(\n autodiscover=False,\n)\n
cache: Optional[str] = None\n
See source code
Name of the Django cache to be used for storing component's JS and CSS files.
If
None
, aLocMemCache
is used with default settings.Defaults to
None
.Read more about caching.
"},{"location":"reference/settings/#django_components.app_settings.ComponentsSettings.context_behavior","title":"context_behavior","text":"COMPONENTS = ComponentsSettings(\n cache=\"my_cache\",\n)\n
context_behavior: Optional[ContextBehaviorType] = None\n
See source code
Configure whether, inside a component template, you can use variables from the outside (
\"django\"
) or not (\"isolated\"
). This also affects what variables are available inside the{% fill %}
tags.Also see Component context and scope.
Defaults to
\"django\"
.COMPONENTS = ComponentsSettings(\n context_behavior=\"isolated\",\n)\n
NOTE:
context_behavior
andslot_context_behavior
options were merged in v0.70.If you are migrating from BEFORE v0.67, set
context_behavior
to\"django\"
. From v0.67 to v0.78 (incl) the default value was\"isolated\"
.For v0.79 and later, the default is again
"},{"location":"reference/settings/#django_components.app_settings.ComponentsSettings.debug_highlight_components","title":"debug_highlight_components","text":"\"django\"
. See the rationale for change here.debug_highlight_components: Optional[bool] = None\n
See source code
Enable / disable component highlighting. See Troubleshooting for more details.
Defaults to
False
.
"},{"location":"reference/settings/#django_components.app_settings.ComponentsSettings.debug_highlight_slots","title":"debug_highlight_slots","text":"COMPONENTS = ComponentsSettings(\n debug_highlight_components=True,\n)\n
debug_highlight_slots: Optional[bool] = None\n
See source code
Enable / disable slot highlighting. See Troubleshooting for more details.
Defaults to
False
.
"},{"location":"reference/settings/#django_components.app_settings.ComponentsSettings.dirs","title":"dirs","text":"COMPONENTS = ComponentsSettings(\n debug_highlight_slots=True,\n)\n
dirs: Optional[Sequence[Union[str, PathLike, Tuple[str, str], Tuple[str, PathLike]]]] = None\n
See source code
Specify the directories that contain your components.
Defaults to
[Path(settings.BASE_DIR) / \"components\"]
. That is, the rootcomponents/
app.Directories must be full paths, same as with STATICFILES_DIRS.
These locations are searched during autodiscovery, or when you define HTML, JS, or CSS as separate files.
COMPONENTS = ComponentsSettings(\n dirs=[BASE_DIR / \"components\"],\n)\n
Set to empty list to disable global components directories:
"},{"location":"reference/settings/#django_components.app_settings.ComponentsSettings.dynamic_component_name","title":"dynamic_component_name","text":"COMPONENTS = ComponentsSettings(\n dirs=[],\n)\n
dynamic_component_name: Optional[str] = None\n
See source code
By default, the dynamic component is registered under the name
\"dynamic\"
.In case of a conflict, you can use this setting to change the component name used for the dynamic components.
# settings.py\nCOMPONENTS = ComponentsSettings(\n dynamic_component_name=\"my_dynamic\",\n)\n
After which you will be able to use the dynamic component with the new name:
"},{"location":"reference/settings/#django_components.app_settings.ComponentsSettings.extensions","title":"extensions","text":"{% component \"my_dynamic\" is=table_comp data=table_data headers=table_headers %}\n {% fill \"pagination\" %}\n {% component \"pagination\" / %}\n {% endfill %}\n{% endcomponent %}\n
extensions: Optional[Sequence[Union[Type[ComponentExtension], str]]] = None\n
See source code
List of extensions to be loaded.
The extensions can be specified as:
- Python import path, e.g.
\"path.to.my_extension.MyExtension\"
. - Extension class, e.g.
my_extension.MyExtension
.
"},{"location":"reference/settings/#django_components.app_settings.ComponentsSettings.forbidden_static_files","title":"forbidden_static_files","text":"COMPONENTS = ComponentsSettings(\n extensions=[\n \"path.to.my_extension.MyExtension\",\n StorybookExtension,\n ],\n)\n
forbidden_static_files: Optional[List[Union[str, Pattern]]] = None\n
See source code
Deprecated. Use
"},{"location":"reference/settings/#django_components.app_settings.ComponentsSettings.libraries","title":"libraries","text":"COMPONENTS.static_files_forbidden
instead.libraries: Optional[List[str]] = None\n
See source code
Configure extra python modules that should be loaded.
This may be useful if you are not using the autodiscovery feature, or you need to load components from non-standard locations. Thus you can have a structure of components that is independent from your apps.
Expects a list of python module paths. Defaults to empty list.
Example:
COMPONENTS = ComponentsSettings(\n libraries=[\n \"mysite.components.forms\",\n \"mysite.components.buttons\",\n \"mysite.components.cards\",\n ],\n)\n
This would be the equivalent of importing these modules from within Django's
AppConfig.ready()
:
"},{"location":"reference/settings/#django_components.app_settings.ComponentsSettings.libraries--manually-loading-libraries","title":"Manually loading libraries","text":"class MyAppConfig(AppConfig):\n def ready(self):\n import \"mysite.components.forms\"\n import \"mysite.components.buttons\"\n import \"mysite.components.cards\"\n
In the rare case that you need to manually trigger the import of libraries, you can use the
import_libraries()
function:
"},{"location":"reference/settings/#django_components.app_settings.ComponentsSettings.multiline_tags","title":"multiline_tags","text":"from django_components import import_libraries\n\nimport_libraries()\n
multiline_tags: Optional[bool] = None\n
See source code
Enable / disable multiline support for template tags. If
True
, template tags like{% component %}
or{{ my_var }}
can span multiple lines.Defaults to
True
.Disable this setting if you are making custom modifications to Django's regular expression for parsing templates at
django.template.base.tag_re
.
"},{"location":"reference/settings/#django_components.app_settings.ComponentsSettings.reload_on_file_change","title":"reload_on_file_change","text":"COMPONENTS = ComponentsSettings(\n multiline_tags=False,\n)\n
reload_on_file_change: Optional[bool] = None\n
See source code
This is relevant if you are using the project structure where HTML, JS, CSS and Python are in separate files and nested in a directory.
In this case you may notice that when you are running a development server, the server sometimes does not reload when you change component files.
Django's native live reload logic handles only Python files and HTML template files. It does NOT reload when other file types change or when template files are nested more than one level deep.
The setting
reload_on_file_change
fixes this, reloading the dev server even when your component's HTML, JS, or CSS changes.If
True
, django_components configures Django to reload when files insideCOMPONENTS.dirs
orCOMPONENTS.app_dirs
change.See Reload dev server on component file changes.
Defaults to
False
.Warning
This setting should be enabled only for the dev environment!
"},{"location":"reference/settings/#django_components.app_settings.ComponentsSettings.reload_on_template_change","title":"reload_on_template_change","text":"reload_on_template_change: Optional[bool] = None\n
See source code
Deprecated. Use
"},{"location":"reference/settings/#django_components.app_settings.ComponentsSettings.static_files_allowed","title":"static_files_allowed","text":"COMPONENTS.reload_on_file_change
instead.static_files_allowed: Optional[List[Union[str, Pattern]]] = None\n
See source code
A list of file extensions (including the leading dot) that define which files within
COMPONENTS.dirs
orCOMPONENTS.app_dirs
are treated as static files.If a file is matched against any of the patterns, it's considered a static file. Such files are collected when running
collectstatic
, and can be accessed under the static file endpoint.You can also pass in compiled regexes (
re.Pattern
) for more advanced patterns.By default, JS, CSS, and common image and font file formats are considered static files:
COMPONENTS = ComponentsSettings(\n static_files_allowed=[\n \".css\",\n \".js\", \".jsx\", \".ts\", \".tsx\",\n # Images\n \".apng\", \".png\", \".avif\", \".gif\", \".jpg\",\n \".jpeg\", \".jfif\", \".pjpeg\", \".pjp\", \".svg\",\n \".webp\", \".bmp\", \".ico\", \".cur\", \".tif\", \".tiff\",\n # Fonts\n \".eot\", \".ttf\", \".woff\", \".otf\", \".svg\",\n ],\n)\n
Warning
Exposing your Python files can be a security vulnerability. See Security notes.
"},{"location":"reference/settings/#django_components.app_settings.ComponentsSettings.static_files_forbidden","title":"static_files_forbidden","text":"static_files_forbidden: Optional[List[Union[str, Pattern]]] = None\n
See source code
A list of file extensions (including the leading dot) that define which files within
COMPONENTS.dirs
orCOMPONENTS.app_dirs
will NEVER be treated as static files.If a file is matched against any of the patterns, it will never be considered a static file, even if the file matches a pattern in
static_files_allowed
.Use this setting together with
static_files_allowed
for a fine control over what file types will be exposed.You can also pass in compiled regexes (
re.Pattern
) for more advanced patterns.By default, any HTML and Python are considered NOT static files:
COMPONENTS = ComponentsSettings(\n static_files_forbidden=[\n \".html\", \".django\", \".dj\", \".tpl\",\n # Python files\n \".py\", \".pyc\",\n ],\n)\n
Warning
Exposing your Python files can be a security vulnerability. See Security notes.
"},{"location":"reference/settings/#django_components.app_settings.ComponentsSettings.tag_formatter","title":"tag_formatter","text":"tag_formatter: Optional[Union[TagFormatterABC, str]] = None\n
See source code
Configure what syntax is used inside Django templates to render components. See the available tag formatters.
Defaults to
\"django_components.component_formatter\"
.Learn more about Customizing component tags with TagFormatter.
Can be set either as direct reference:
from django_components import component_formatter\n\nCOMPONENTS = ComponentsSettings(\n \"tag_formatter\": component_formatter\n)\n
Or as an import string;
COMPONENTS = ComponentsSettings(\n \"tag_formatter\": \"django_components.component_formatter\"\n)\n
Examples:
-
\"django_components.component_formatter\"
Set
COMPONENTS = ComponentsSettings(\n \"tag_formatter\": \"django_components.component_formatter\"\n)\n
To write components like this:
{% component \"button\" href=\"...\" %}\n Click me!\n{% endcomponent %}\n
-
django_components.component_shorthand_formatter
Set
COMPONENTS = ComponentsSettings(\n \"tag_formatter\": \"django_components.component_shorthand_formatter\"\n)\n
To write components like this:
{% button href=\"...\" %}\n Click me!\n{% endbutton %}\n
template_cache_size: Optional[int] = None\n
See source code
Configure the maximum amount of Django templates to be cached.
Defaults to
128
.Each time a Django template is rendered, it is cached to a global in-memory cache (using Python's
lru_cache
decorator). This speeds up the next render of the component. As the same component is often used many times on the same page, these savings add up.By default the cache holds 128 component templates in memory, which should be enough for most sites. But if you have a lot of components, or if you are overriding
Component.get_template()
to render many dynamic templates, you can increase this number.COMPONENTS = ComponentsSettings(\n template_cache_size=256,\n)\n
To remove the cache limit altogether and cache everything, set
template_cache_size
toNone
.COMPONENTS = ComponentsSettings(\n template_cache_size=None,\n)\n
If you want to add templates to the cache yourself, you can use
cached_template()
:
"},{"location":"reference/signals/","title":"Signals","text":""},{"location":"reference/signals/#signals","title":"Signals","text":"from django_components import cached_template\n\ncached_template(\"Variable: {{ variable }}\")\n\n# You can optionally specify Template class, and other Template inputs:\nclass MyTemplate(Template):\n pass\n\ncached_template(\n \"Variable: {{ variable }}\",\n template_cls=MyTemplate,\n name=...\n origin=...\n engine=...\n)\n
Below are the signals that are sent by or during the use of django-components.
"},{"location":"reference/signals/#template_rendered","title":"template_rendered","text":"Django's
template_rendered
signal. This signal is sent when a template is rendered.Django-components triggers this signal when a component is rendered. If there are nested components, the signal is triggered for each component.
Import from django as
django.test.signals.template_rendered
.
"},{"location":"reference/tag_formatters/","title":"Tag formatters","text":""},{"location":"reference/tag_formatters/#tag-formatters","title":"Tag Formatters","text":"from django.test.signals import template_rendered\n\n# Setup a callback function\ndef my_callback(sender, **kwargs):\n ...\n\ntemplate_rendered.connect(my_callback)\n\nclass MyTable(Component):\n template = \"\"\"\n <table>\n <tr>\n <th>Header</th>\n </tr>\n <tr>\n <td>Cell</td>\n </tr>\n \"\"\"\n\n# This will trigger the signal\nMyTable().render()\n
Tag formatters allow you to change the syntax for calling components from within the Django templates.
Tag formatter are set via the tag_formatter setting.
"},{"location":"reference/tag_formatters/#available-tag-formatters","title":"Available tag formatters","text":"-
django_components.component_formatter
for ComponentFormatter -
django_components.component_shorthand_formatter
for ShorthandComponentFormatter
ComponentFormatter
","text":"Bases:
django_components.tag_formatter.TagFormatterABC
See source code
The original django_component's component tag formatter, it uses the
{% component %}
and{% endcomponent %}
tags, and the component name is given as the first positional arg.Example as block:
{% component \"mycomp\" abc=123 %}\n {% fill \"myfill\" %}\n ...\n {% endfill %}\n{% endcomponent %}\n
Example as inlined tag:
"},{"location":"reference/tag_formatters/#django_components.tag_formatter.ShorthandComponentFormatter","title":"{% component \"mycomp\" abc=123 / %}\n
ShorthandComponentFormatter
","text":"Bases:
django_components.tag_formatter.TagFormatterABC
See source code
The component tag formatter that uses
{% <name> %}
/{% end<name> %}
tags.This is similar to django-web-components and django-slippers syntax.
Example as block:
{% mycomp abc=123 %}\n {% fill \"myfill\" %}\n ...\n {% endfill %}\n{% endmycomp %}\n
Example as inlined tag:
"},{"location":"reference/template_tags/","title":"Template tags","text":""},{"location":"reference/template_tags/#template-tags","title":"Template tags","text":"{% mycomp abc=123 / %}\n
All following template tags are defined in
django_components.templatetags.component_tags
Import as
"},{"location":"reference/template_tags/#component_css_dependencies","title":"component_css_dependencies","text":"{% load component_tags %}\n
{% component_css_dependencies %}\n
See source code
Marks location where CSS link tags should be rendered after the whole HTML has been generated.
Generally, this should be inserted into the
<head>
tag of the HTML.If the generated HTML does NOT contain any
{% component_css_dependencies %}
tags, CSS links are by default inserted into the<head>
tag of the HTML. (See Default JS / CSS locations)Note that there should be only one
"},{"location":"reference/template_tags/#component_js_dependencies","title":"component_js_dependencies","text":"{% component_css_dependencies %}
for the whole HTML document. If you insert this tag multiple times, ALL CSS links will be duplicately inserted into ALL these places.{% component_js_dependencies %}\n
See source code
Marks location where JS link tags should be rendered after the whole HTML has been generated.
Generally, this should be inserted at the end of the
<body>
tag of the HTML.If the generated HTML does NOT contain any
{% component_js_dependencies %}
tags, JS scripts are by default inserted at the end of the<body>
tag of the HTML. (See Default JS / CSS locations)Note that there should be only one
"},{"location":"reference/template_tags/#component","title":"component","text":"{% component_js_dependencies %}
for the whole HTML document. If you insert this tag multiple times, ALL JS scripts will be duplicately inserted into ALL these places.{% component *args: Any, **kwargs: Any [only] %}\n{% endcomponent %}\n
See source code
Renders one of the components that was previously registered with
@register()
decorator.The
{% component %}
tag takes:- Component's registered name as the first positional argument,
- Followed by any number of positional and keyword arguments.
{% load component_tags %}\n<div>\n {% component \"button\" name=\"John\" job=\"Developer\" / %}\n</div>\n
The component name must be a string literal.
"},{"location":"reference/template_tags/#inserting-slot-fills","title":"Inserting slot fills","text":"If the component defined any slots, you can \"fill\" these slots by placing the
{% fill %}
tags within the{% component %}
tag:{% component \"my_table\" rows=rows headers=headers %}\n {% fill \"pagination\" %}\n < 1 | 2 | 3 >\n {% endfill %}\n{% endcomponent %}\n
You can even nest
{% fill %}
tags within{% if %}
,{% for %}
and other tags:
"},{"location":"reference/template_tags/#isolating-components","title":"Isolating components","text":"{% component \"my_table\" rows=rows headers=headers %}\n {% if rows %}\n {% fill \"pagination\" %}\n < 1 | 2 | 3 >\n {% endfill %}\n {% endif %}\n{% endcomponent %}\n
By default, components behave similarly to Django's
{% include %}
, and the template inside the component has access to the variables defined in the outer template.You can selectively isolate a component, using the
only
flag, so that the inner template can access only the data that was explicitly passed to it:{% component \"name\" positional_arg keyword_arg=value ... only %}\n
Alternatively, you can set all components to be isolated by default, by setting
context_behavior
to\"isolated\"
in your settings:
"},{"location":"reference/template_tags/#omitting-the-component-keyword","title":"Omitting the# settings.py\nCOMPONENTS = {\n \"context_behavior\": \"isolated\",\n}\n
component
keyword","text":"If you would like to omit the
component
keyword, and simply refer to your components by their registered names:{% button name=\"John\" job=\"Developer\" / %}\n
You can do so by setting the \"shorthand\" Tag formatter in the settings:
"},{"location":"reference/template_tags/#fill","title":"fill","text":"# settings.py\nCOMPONENTS = {\n \"tag_formatter\": \"django_components.component_shorthand_formatter\",\n}\n
{% fill name: str, *, data: Optional[str] = None, default: Optional[str] = None %}\n{% endfill %}\n
See source code
Use this tag to insert content into component's slots.
{% fill %}
tag may be used only within a{% component %}..{% endcomponent %}
block. Runtime checks should prohibit other usages.Args:
name
(str, required): Name of the slot to insert this content into. Use\"default\"
for the default slot.default
(str, optional): This argument allows you to access the original content of the slot under the specified variable name. See Accessing original content of slotsdata
(str, optional): This argument allows you to access the data passed to the slot under the specified variable name. See Scoped slots
Examples:
Basic usage:
"},{"location":"reference/template_tags/#accessing-slots-default-content-with-the-default-kwarg","title":"Accessing slot's default content with the{% component \"my_table\" %}\n {% fill \"pagination\" %}\n < 1 | 2 | 3 >\n {% endfill %}\n{% endcomponent %}\n
default
kwarg","text":"{# my_table.html #}\n<table>\n ...\n {% slot \"pagination\" %}\n < 1 | 2 | 3 >\n {% endslot %}\n</table>\n
"},{"location":"reference/template_tags/#accessing-slots-data-with-the-data-kwarg","title":"Accessing slot's data with the{% component \"my_table\" %}\n {% fill \"pagination\" default=\"default_pag\" %}\n <div class=\"my-class\">\n {{ default_pag }}\n </div>\n {% endfill %}\n{% endcomponent %}\n
data
kwarg","text":"{# my_table.html #}\n<table>\n ...\n {% slot \"pagination\" pages=pages %}\n < 1 | 2 | 3 >\n {% endslot %}\n</table>\n
"},{"location":"reference/template_tags/#accessing-slot-data-and-default-content-on-the-default-slot","title":"Accessing slot data and default content on the default slot","text":"{% component \"my_table\" %}\n {% fill \"pagination\" data=\"slot_data\" %}\n {% for page in slot_data.pages %}\n <a href=\"{{ page.link }}\">\n {{ page.index }}\n </a>\n {% endfor %}\n {% endfill %}\n{% endcomponent %}\n
To access slot data and the default slot content on the default slot, use
{% fill %}
withname
set to\"default\"
:
"},{"location":"reference/template_tags/#html_attrs","title":"html_attrs","text":"{% component \"button\" %}\n {% fill name=\"default\" data=\"slot_data\" default=\"default_slot\" %}\n You clicked me {{ slot_data.count }} times!\n {{ default_slot }}\n {% endfill %}\n{% endcomponent %}\n
{% html_attrs attrs: Optional[Dict] = None, defaults: Optional[Dict] = None, **kwargs: Any %}\n
See source code
Generate HTML attributes (
key=\"value\"
), combining data from multiple sources, whether its template variables or static text.It is designed to easily merge HTML attributes passed from outside with the internal. See how to in Passing HTML attributes to components.
Args:
attrs
(dict, optional): Optional dictionary that holds HTML attributes. On conflict, overrides values in thedefault
dictionary.default
(str, optional): Optional dictionary that holds HTML attributes. On conflict, is overriden with values in theattrs
dictionary.- Any extra kwargs will be appended to the corresponding keys
The attributes in
attrs
anddefaults
are merged and resulting dict is rendered as HTML attributes (key=\"value\"
).Extra kwargs (
key=value
) are concatenated to existing keys. So if we haveattrs = {\"class\": \"my-class\"}\n
Then
{% html_attrs attrs class=\"extra-class\" %}\n
will result in
class=\"my-class extra-class\"
.Example:
<div {% html_attrs\n attrs\n defaults:class=\"default-class\"\n class=\"extra-class\"\n data-id=\"123\"\n%}>\n
renders
<div class=\"my-class extra-class\" data-id=\"123\">\n
See more usage examples in HTML attributes.
"},{"location":"reference/template_tags/#provide","title":"provide","text":"{% provide name: str, **kwargs: Any %}\n{% endprovide %}\n
See source code
The \"provider\" part of the provide / inject feature. Pass kwargs to this tag to define the provider's data. Any components defined within the
{% provide %}..{% endprovide %}
tags will be able to access this data withComponent.inject()
.This is similar to React's
ContextProvider
, or Vue'sprovide()
.Args:
name
(str, required): Provider name. This is the name you will then use inComponent.inject()
.**kwargs
: Any extra kwargs will be passed as the provided data.
Example:
Provide the \"user_data\" in parent component:
@register(\"parent\")\nclass Parent(Component):\n template = \"\"\"\n <div>\n {% provide \"user_data\" user=user %}\n {% component \"child\" / %}\n {% endprovide %}\n </div>\n \"\"\"\n\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"user\": kwargs[\"user\"],\n }\n
Since the \"child\" component is used within the
{% provide %} / {% endprovide %}
tags, we can request the \"user_data\" usingComponent.inject(\"user_data\")
:@register(\"child\")\nclass Child(Component):\n template = \"\"\"\n <div>\n User is: {{ user }}\n </div>\n \"\"\"\n\n def get_template_data(self, args, kwargs, slots, context):\n user = self.inject(\"user_data\").user\n return {\n \"user\": user,\n }\n
Notice that the keys defined on the
{% provide %}
tag are then accessed as attributes when accessing them withComponent.inject()
.\u2705 Do this
user = self.inject(\"user_data\").user\n
\u274c Don't do this
"},{"location":"reference/template_tags/#slot","title":"slot","text":"user = self.inject(\"user_data\")[\"user\"]\n
{% slot name: str, **kwargs: Any [default] [required] %}\n{% endslot %}\n
See source code
Slot tag marks a place inside a component where content can be inserted from outside.
Learn more about using slots.
This is similar to slots as seen in Web components, Vue or React's
children
.Args:
name
(str, required): Registered name of the component to renderdefault
: Optional flag. If there is a default slot, you can pass the component slot content without using the{% fill %}
tag. See Default slotrequired
: Optional flag. Will raise an error if a slot is required but not given.**kwargs
: Any extra kwargs will be passed as the slot data.
Example:
@register(\"child\")\nclass Child(Component):\n template = \"\"\"\n <div>\n {% slot \"content\" default %}\n This is shown if not overriden!\n {% endslot %}\n </div>\n <aside>\n {% slot \"sidebar\" required / %}\n </aside>\n \"\"\"\n
"},{"location":"reference/template_tags/#passing-data-to-slots","title":"Passing data to slots","text":"@register(\"parent\")\nclass Parent(Component):\n template = \"\"\"\n <div>\n {% component \"child\" %}\n {% fill \"content\" %}\n \ud83d\uddde\ufe0f\ud83d\udcf0\n {% endfill %}\n\n {% fill \"sidebar\" %}\n \ud83c\udf77\ud83e\uddc9\ud83c\udf7e\n {% endfill %}\n {% endcomponent %}\n </div>\n \"\"\"\n
Any extra kwargs will be considered as slot data, and will be accessible in the
{% fill %}
tag via fill'sdata
kwarg:@register(\"child\")\nclass Child(Component):\n template = \"\"\"\n <div>\n {# Passing data to the slot #}\n {% slot \"content\" user=user %}\n This is shown if not overriden!\n {% endslot %}\n </div>\n \"\"\"\n
"},{"location":"reference/template_tags/#accessing-default-slot-content","title":"Accessing default slot content","text":"@register(\"parent\")\nclass Parent(Component):\n template = \"\"\"\n {# Parent can access the slot data #}\n {% component \"child\" %}\n {% fill \"content\" data=\"data\" %}\n <div class=\"wrapper-class\">\n {{ data.user }}\n </div>\n {% endfill %}\n {% endcomponent %}\n \"\"\"\n
The content between the
{% slot %}..{% endslot %}
tags is the default content that will be rendered if no fill is given for the slot.This default content can then be accessed from within the
{% fill %}
tag using the fill'sdefault
kwarg. This is useful if you need to wrap / prepend / append the original slot's content.@register(\"child\")\nclass Child(Component):\n template = \"\"\"\n <div>\n {% slot \"content\" %}\n This is default content!\n {% endslot %}\n </div>\n \"\"\"\n
"},{"location":"reference/template_vars/","title":"Template vars","text":""},{"location":"reference/template_vars/#template-variables","title":"Template variables","text":"@register(\"parent\")\nclass Parent(Component):\n template = \"\"\"\n {# Parent can access the slot's default content #}\n {% component \"child\" %}\n {% fill \"content\" default=\"default\" %}\n {{ default }}\n {% endfill %}\n {% endcomponent %}\n \"\"\"\n
Here is a list of all variables that are automatically available from inside the component's template and in
"},{"location":"reference/template_vars/#django_components.component.ComponentVars.is_filled","title":"is_filledon_render_before
/on_render_after
hooks.instance-attribute
","text":"is_filled: Dict[str, bool]\n
See source code
Dictonary describing which component slots are filled (
True
) or are not (False
).New in version 0.70
Use as
{{ component_vars.is_filled }}
Example:
{# Render wrapping HTML only if the slot is defined #}\n{% if component_vars.is_filled.my_slot %}\n <div class=\"slot-wrapper\">\n {% slot \"my_slot\" / %}\n </div>\n{% endif %}\n
This is equivalent to checking if a given key is among the slot fills:
"},{"location":"reference/testing_api/","title":"Testing API","text":""},{"location":"reference/testing_api/#testing-api","title":"Testing API","text":""},{"location":"reference/testing_api/#django_components.testing.djc_test","title":"djc_test","text":"class MyTable(Component):\n def get_template_data(self, args, kwargs, slots, context):\n return {\n \"my_slot_filled\": \"my_slot\" in slots\n }\n
djc_test(\n django_settings: Union[Optional[Dict], Callable, Type] = None,\n components_settings: Optional[Dict] = None,\n parametrize: Optional[\n Union[\n Tuple[Sequence[str], Sequence[Sequence[Any]]],\n Tuple[\n Sequence[str],\n Sequence[Sequence[Any]],\n Optional[Union[Iterable[Union[None, str, float, int, bool]], Callable[[Any], Optional[object]]]],\n ],\n ]\n ] = None,\n gc_collect: bool = True,\n) -> Callable\n
See source code
Decorator for testing components from django-components.
@djc_test
manages the global state of django-components, ensuring that each test is properly isolated and that components registered in one test do not affect other tests.This decorator can be applied to a function, method, or a class. If applied to a class, it will search for all methods that start with
test_
, and apply the decorator to them. This is applied recursively to nested classes as well.Examples:
Applying to a function:
from django_components.testing import djc_test\n\n@djc_test\ndef test_my_component():\n @register(\"my_component\")\n class MyComponent(Component):\n template = \"...\"\n ...\n
Applying to a class:
from django_components.testing import djc_test\n\n@djc_test\nclass TestMyComponent:\n def test_something(self):\n ...\n\n class Nested:\n def test_something_else(self):\n ...\n
Applying to a class is the same as applying the decorator to each
test_
method individually:from django_components.testing import djc_test\n\nclass TestMyComponent:\n @djc_test\n def test_something(self):\n ...\n\n class Nested:\n @djc_test\n def test_something_else(self):\n ...\n
To use
@djc_test
, Django must be set up first:import django\nfrom django_components.testing import djc_test\n\ndjango.setup()\n\n@djc_test\ndef test_my_component():\n ...\n
Arguments:
-
django_settings
: Django settings, a dictionary passed to Django's@override_settings
. The test runs within the context of these overridden settings.If
django_settings
contains django-components settings (COMPONENTS
field), these are merged. Other Django settings are simply overridden. -
components_settings
: Instead of defining django-components settings underdjango_settings[\"COMPONENTS\"]
, you can simply set the Components settings here.These settings are merged with the django-components settings from
django_settings[\"COMPONENTS\"]
.Fields in
components_settings
override fields indjango_settings[\"COMPONENTS\"]
. -
parametrize
: Parametrize the test function withpytest.mark.parametrize
. This requires pytest to be installed.The input is a tuple of:
(param_names, param_values)
or(param_names, param_values, ids)
Example:
from django_components.testing import djc_test\n\n@djc_test(\n parametrize=(\n [\"input\", \"expected\"],\n [[1, \"<div>1</div>\"], [2, \"<div>2</div>\"]],\n ids=[\"1\", \"2\"]\n )\n)\ndef test_component(input, expected):\n rendered = MyComponent(input=input).render()\n assert rendered == expected\n
You can parametrize the Django or Components settings by setting up parameters called
django_settings
andcomponents_settings
. These will be merged with the respetive settings from the decorator.Example of parametrizing context_behavior:
from django_components.testing import djc_test\n\n@djc_test(\n components_settings={\n # Settings shared by all tests\n \"app_dirs\": [\"custom_dir\"],\n },\n parametrize=(\n # Parametrized settings\n [\"components_settings\"],\n [\n [{\"context_behavior\": \"django\"}],\n [{\"context_behavior\": \"isolated\"}],\n ],\n [\"django\", \"isolated\"],\n )\n)\ndef test_context_behavior(components_settings):\n rendered = MyComponent().render()\n ...\n
-
gc_collect
: By defaultdjc_test
runs garbage collection after each test to force the state cleanup. Set this toFalse
to skip this.
Settings resolution:
@djc_test
accepts settings from different sources. The settings are resolved in the following order:-
Django settings:
- The defaults are the Django settings that Django was set up with.
- Those are then overriden with fields in the
django_settings
kwarg. - The parametrized
django_settings
override the fields on thedjango_settings
kwarg.
Priority:
django_settings
(parametrized) >django_settings
>django.conf.settings
-
Components settings:
- Same as above, except that the
django_settings[\"COMPONENTS\"]
field is merged instead of overridden. - The
components_settings
kwarg is then merged with thedjango_settings[\"COMPONENTS\"]
field. - The parametrized
components_settings
override the fields on thecomponents_settings
kwarg.
Priority:
components_settings
(parametrized) >components_settings
>django_settings[\"COMPONENTS\"]
>django.conf.settings.COMPONENTS
- Same as above, except that the
Below are all the URL patterns that will be added by adding
django_components.urls
.See Installation on how to add these URLs to your Django project.
Django components already prefixes all URLs with
components/
. So when you are adding the URLs tourlpatterns
, you can use an empty string as the first argument:
"},{"location":"reference/urls/#list-of-urls","title":"List of URLs","text":"from django.urls import include, path\n\nurlpatterns = [\n ...\n path(\"\", include(\"django_components.urls\")),\n]\n
-
components/cache/<str:comp_cls_id>.<str:input_hash>.<str:script_type>
-
components/cache/<str:comp_cls_id>.<str:script_type>
-
- Use
- Fix integration with ManifestStaticFilesStorage on Windows by resolving component filepaths (like
-