mirror of
https://github.com/django-components/django-components.git
synced 2025-09-05 13:40:30 +00:00

* Add 'default' slot option + implicit fills; tests; docs * Differentiate between standard fillnodes and implicitfillnodes on type lvl * Reworking slot-fill rendering logic. Simplifying component interfact. Add new get_string_template method * First working implementation of chainmap instead of stacks for slot resolution * Stop passing FillNode to Component initalizer -> better decoupling * Treat fill name and alias and component name as filterexpression, dropping namedvariable * Name arg of if_filled tags and slots must be string literal
57 lines
1.2 KiB
Python
57 lines
1.2 KiB
Python
class AlreadyRegistered(Exception):
|
|
pass
|
|
|
|
|
|
class NotRegistered(Exception):
|
|
pass
|
|
|
|
|
|
class ComponentRegistry(object):
|
|
def __init__(self):
|
|
self._registry = {} # component name -> component_class mapping
|
|
|
|
def register(self, name=None, component=None):
|
|
if name in self._registry:
|
|
raise AlreadyRegistered(
|
|
'The component "%s" is already registered' % name
|
|
)
|
|
|
|
self._registry[name] = component
|
|
|
|
def unregister(self, name):
|
|
self.get(name)
|
|
|
|
del self._registry[name]
|
|
|
|
def get(self, name):
|
|
if name not in self._registry:
|
|
raise NotRegistered('The component "%s" is not registered' % name)
|
|
|
|
return self._registry[name]
|
|
|
|
def all(self):
|
|
return self._registry
|
|
|
|
def clear(self):
|
|
self._registry = {}
|
|
|
|
|
|
# This variable represents the global component registry
|
|
registry = ComponentRegistry()
|
|
|
|
|
|
def register(name):
|
|
"""Class decorator to register a component.
|
|
|
|
Usage:
|
|
|
|
@register("my_component")
|
|
class MyComponent(component.Component):
|
|
...
|
|
"""
|
|
|
|
def decorator(component):
|
|
registry.register(name=name, component=component)
|
|
return component
|
|
|
|
return decorator
|