Browse Source

Add custom dashboard module documentation

Denis K 8 years ago
parent
commit
4dd5e2d5b6
3 changed files with 214 additions and 0 deletions
  1. 1 0
      docs/dashboard.rst
  2. 188 0
      docs/dashboard_custom_module.rst
  3. 25 0
      jet/dashboard/modules.py

+ 1 - 0
docs/dashboard.rst

@@ -7,4 +7,5 @@ Dashboard
 
    dashboard_getting_started
    dashboard_modules
+   dashboard_custom_module
    dashboard_base

+ 188 - 0
docs/dashboard_custom_module.rst

@@ -0,0 +1,188 @@
+=======================
+Custom Dashboard module
+=======================
+
+
+In order create your own dashboard module you need to follow these steps:
+
+- Inherit :ref:`Dashboard Module <Dashboard Module>`
+- Create module template
+- *(optional) Add module views*
+
+Also you can always see build-in modules as examples in ``jet/dashboard/modules.py`` file and
+``jet/dashboard/dashboard_modules/`` directory on the repository.
+
+Inherit Dashboard Module
+------------------------
+
+
+- Create dashboard modules file ``dashboard_modules.py`` (or any other you prefer) inside your Django application
+-
+    Create dashboard module class inherited from base :ref:`dashboard module <Dashboard Module>` class and add it to
+    ``dashboard_modules.py`` file. You can see list of all available module attributes :ref:`here <Dashboard Module>`.
+    ``init_with_context`` method allows you to load data and initialize module's state. You can store data in
+    module's fields as this instance will be passed to template.
+
+Example of ``dashboard_modules.py``:
+
+    .. code-block:: python
+
+        from jet.dashboard.modules import DashboardModule
+        from contact.models import Ticket
+
+
+        class RecentTickets(DashboardModule):
+            title = 'Recent tickets'
+            title_url = Ticket.get_admin_changelist_url()
+            template = 'contact/dashboard_modules/recent_tickets.html'
+            limit = 10
+
+            def init_with_context(self, context):
+                self.children = Ticket.objects.order_by('-date_add')[:self.limit]
+
+-
+    Optionally you can add customizable module settings and content which will be seen in administration interface.
+    For customizable settings ``settings_form`` should be set, also ``settings_dict`` and ``load_settings`` methods
+    should be implemented. For customizable content items ``child_form``, ``child_name`` and ``child_name_plural``
+    should be set, also ``store_children`` should return ``True``. You can validate loaded from database children
+    in ``__init__`` method.
+
+Example of ``LinkList`` dashboard module which has custom settings and editable list of links:
+
+    .. code-block:: python
+
+        class LinkList(DashboardModule):
+            title = 'Links'
+            template = 'jet.dashboard/modules/link_list.html'
+            layout = 'stacked'
+            children = []
+            settings_form = LinkListSettingsForm
+            child_form = LinkListItemForm
+            child_name = 'Link'
+            child_name_plural = 'Links'
+
+            def __init__(self, title=None, children=list(), **kwargs):
+                children = list(map(self.parse_link, children))
+                kwargs.update({'children': children})
+                super(LinkList, self).__init__(title, **kwargs)
+
+            def settings_dict(self):
+                return {
+                    'layout': self.layout
+                }
+
+            def load_settings(self, settings):
+                self.layout = settings.get('layout', self.layout)
+
+            def store_children(self):
+                return True
+
+            def parse_link(self, link):
+                if isinstance(link, (tuple, list)):
+                    link_dict = {'title': link[0], 'url': link[1]}
+                    if len(link) >= 3:
+                        link_dict['external'] = link[2]
+                    return link_dict
+                elif isinstance(link, (dict,)):
+                    return link
+
+
+        class LinkListSettingsForm(forms.Form):
+            layout = forms.ChoiceField(label='Layout', choices=(('stacked', 'Stacked'), ('inline', 'Inline')))
+
+
+        class LinkListItemForm(forms.Form):
+            url = forms.CharField(label='URL')
+            title = forms.CharField(label='Title')
+            external = forms.BooleanField(label='External link', required=False)
+
+Create module template
+----------------------
+
+Create template at path specified in module class. Module instance is passed to template as ``module`` variable
+so you can get data directly from it.
+
+    .. code-block:: html
+
+        {% load humanize %}
+
+        <ul>
+            {% for ticket in module.children %}
+                <li>
+                    <span class="float-right">
+                        <span class="dim">
+                            {{ ticket.date_add|naturalday }} <span class="icon-clock tooltip" title="{{ ticket.date_add }}"></span>
+                        </span>
+                    </span>
+
+                    {% if ticket.forwarded %}
+                        <span class="icon-tick" style="color: #8ecb8e;"></span>
+                    {% else %}
+                        <span class="icon-cross" style="color: #dba4a4;"></span>
+                    {% endif %}
+
+                    <a href="{{ ticket.get_admin_url }}">{{ ticket.name }}</a>
+                </li>
+            {% empty %}
+                <li>
+                    Nothing to show
+                </li>
+            {% endfor %}
+        </ul>
+
+
+Add module views (optional)
+---------------------------
+
+If your dashboard module needs to have own views you can register them the following way and store for example
+in ``dashboard_modules_views.py`` file inside your application:
+
+    .. code-block:: python
+
+        from django.conf.urls import url
+        from django.contrib import messages
+        from django.shortcuts import redirect
+        from jet.dashboard import dashboard
+        from core.utils.utils import DatabaseManager
+
+
+        def update_database(request):
+            database_manager = DatabaseManager()
+            database_manager.update_database()
+
+            messages.success(request, 'Database was successfully updated')
+
+            return redirect(request.META.get('HTTP_REFERER'))
+
+        # This method registers view's url
+        dashboard.urls.register_urls([
+            url(
+                r'^update_database/',
+                update_database,
+                name='update-database'
+            ),
+        ])
+
+You should import this file before dashboard urls have been imported in you main ``urls.py`` file.
+
+    .. code-block:: python
+
+        from django.conf import settings
+        from django.conf.urls import include, url
+        from django.contrib import admin
+
+        # Import dashboard module views
+        from core import dashboard_modules_views
+
+        urlpatterns = [
+            url(r'^admin/', include(admin.site.urls)),
+            url(r'^jet/', include('jet.urls', 'jet')),
+            url(r'^jet/dashboard/', include('jet.dashboard.urls', 'jet-dashboard')),
+            ...
+        ]
+
+After that you can reverse url to module's view this way:
+
+    .. code-block:: html
+
+        {% url "jet-dashboard:update-database" %}

+ 25 - 0
jet/dashboard/modules.py

@@ -16,14 +16,22 @@ class DashboardModule(object):
     #: Path to widget's template. There is no need to extend such templates from any base templates.
     template = 'jet.dashboard/module.html'
     enabled = True
+
+    #: Specify if module can be draggable or has static position.
     draggable = True
+
+    #: Specify if module can be collapsed.
     collapsible = True
+
+    #: Specify if module can be deleted.
     deletable = True
     show_title = True
 
     #: Default widget title that will be displayed for widget in the dashboard. User can change it later
     #: for every widget.
     title = ''
+
+    #: Specify title url. ``None`` if title shouldn't be clickable.
     title_url = None
     css_classes = None
 
@@ -39,7 +47,11 @@ class DashboardModule(object):
 
     #: A ``django.forms.Form`` class which may contain custom widget child settings, if it has any. Not required.
     child_form = None
+
+    #: Child name that will be displayed when editing module contents. Required if ``child_form`` set.
     child_name = None
+
+    #: Same as child name, but plural.
     child_name_plural = None
     settings = None
     column = None
@@ -78,15 +90,25 @@ class DashboardModule(object):
         return self.__module__ + "." + self.__class__.__name__
 
     def load_settings(self, settings):
+        """
+        Should be implemented to restore saved in database settings. Required if you have custom settings.
+        """
         pass
 
     def load_children(self, children):
         self.children = children
 
     def store_children(self):
+        """
+        Specify if children field should be saved to database.
+        """
         return False
 
     def settings_dict(self):
+        """
+        Should be implemented to save settings to database. This method should return ``dict`` which will be serialized
+        using ``json``. Required if you have custom settings.
+        """
         pass
 
     def dump_settings(self, settings=None):
@@ -120,6 +142,9 @@ class DashboardModule(object):
                 pass
 
     def init_with_context(self, context):
+        """
+        Allows you to load data and initialize module's state.
+        """
         pass
 
     def get_context_data(self):