dashboard_custom_module.rst 6.6 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191
  1. =======================
  2. Custom Dashboard module
  3. =======================
  4. In order create your own dashboard module you need to follow these steps:
  5. - Inherit :ref:`Dashboard Module <Dashboard Module>`
  6. - Create module template
  7. - *(optional) Add module views*
  8. Also you can always see build-in modules as examples in ``jet/dashboard/modules.py`` file and
  9. ``jet/dashboard/dashboard_modules/`` directory on the repository.
  10. Inherit Dashboard Module
  11. ------------------------
  12. - Create dashboard modules file ``dashboard_modules.py`` (or any other you prefer) inside your Django application
  13. -
  14. Create dashboard module class inherited from base :ref:`dashboard module <Dashboard Module>` class and add it to
  15. ``dashboard_modules.py`` file. You can see list of all available module attributes :ref:`here <Dashboard Module>`.
  16. ``init_with_context`` method allows you to load data and initialize module's state. You can store data in
  17. module's fields as this instance will be passed to template.
  18. Example of ``dashboard_modules.py``:
  19. .. code-block:: python
  20. from jet.dashboard.modules import DashboardModule
  21. from contact.models import Ticket
  22. class RecentTickets(DashboardModule):
  23. title = 'Recent tickets'
  24. title_url = Ticket.get_admin_changelist_url()
  25. template = 'contact/dashboard_modules/recent_tickets.html'
  26. limit = 10
  27. def init_with_context(self, context):
  28. self.children = Ticket.objects.order_by('-date_add')[:self.limit]
  29. -
  30. Optionally you can add customizable module settings and content which will be seen in administration interface.
  31. For customizable settings ``settings_form`` should be set, also ``settings_dict`` and ``load_settings`` methods
  32. should be implemented. For customizable content items ``child_form``, ``child_name`` and ``child_name_plural``
  33. should be set, also ``store_children`` should return ``True``. You can validate loaded from database children
  34. in ``__init__`` method.
  35. .. image:: _static/dashboard_module_settings.png
  36. :width: 100%
  37. Example of ``LinkList`` dashboard module which has custom settings and editable list of links:
  38. .. code-block:: python
  39. class LinkList(DashboardModule):
  40. title = 'Links'
  41. template = 'jet.dashboard/modules/link_list.html'
  42. layout = 'stacked'
  43. children = []
  44. settings_form = LinkListSettingsForm
  45. child_form = LinkListItemForm
  46. child_name = 'Link'
  47. child_name_plural = 'Links'
  48. def __init__(self, title=None, children=list(), **kwargs):
  49. children = list(map(self.parse_link, children))
  50. kwargs.update({'children': children})
  51. super(LinkList, self).__init__(title, **kwargs)
  52. def settings_dict(self):
  53. return {
  54. 'layout': self.layout
  55. }
  56. def load_settings(self, settings):
  57. self.layout = settings.get('layout', self.layout)
  58. def store_children(self):
  59. return True
  60. def parse_link(self, link):
  61. if isinstance(link, (tuple, list)):
  62. link_dict = {'title': link[0], 'url': link[1]}
  63. if len(link) >= 3:
  64. link_dict['external'] = link[2]
  65. return link_dict
  66. elif isinstance(link, (dict,)):
  67. return link
  68. class LinkListSettingsForm(forms.Form):
  69. layout = forms.ChoiceField(label='Layout', choices=(('stacked', 'Stacked'), ('inline', 'Inline')))
  70. class LinkListItemForm(forms.Form):
  71. url = forms.CharField(label='URL')
  72. title = forms.CharField(label='Title')
  73. external = forms.BooleanField(label='External link', required=False)
  74. Create module template
  75. ----------------------
  76. Create template at path specified in module class. Module instance is passed to template as ``module`` variable
  77. so you can get data directly from it.
  78. .. code-block:: html
  79. {% load humanize %}
  80. <ul>
  81. {% for ticket in module.children %}
  82. <li>
  83. <span class="float-right">
  84. <span class="dim">
  85. {{ ticket.date_add|naturalday }} <span class="icon-clock tooltip" title="{{ ticket.date_add }}"></span>
  86. </span>
  87. </span>
  88. {% if ticket.forwarded %}
  89. <span class="icon-tick" style="color: #8ecb8e;"></span>
  90. {% else %}
  91. <span class="icon-cross" style="color: #dba4a4;"></span>
  92. {% endif %}
  93. <a href="{{ ticket.get_admin_url }}">{{ ticket.name }}</a>
  94. </li>
  95. {% empty %}
  96. <li>
  97. Nothing to show
  98. </li>
  99. {% endfor %}
  100. </ul>
  101. Add module views (optional)
  102. ---------------------------
  103. If your dashboard module needs to have own views you can register them the following way and store for example
  104. in ``dashboard_modules_views.py`` file inside your application:
  105. .. code-block:: python
  106. from django.conf.urls import url
  107. from django.contrib import messages
  108. from django.shortcuts import redirect
  109. from jet.dashboard import dashboard
  110. from core.utils.utils import DatabaseManager
  111. def update_database(request):
  112. database_manager = DatabaseManager()
  113. database_manager.update_database()
  114. messages.success(request, 'Database was successfully updated')
  115. return redirect(request.META.get('HTTP_REFERER'))
  116. # This method registers view's url
  117. dashboard.urls.register_urls([
  118. url(
  119. r'^update_database/',
  120. update_database,
  121. name='update-database'
  122. ),
  123. ])
  124. You should import this file before dashboard urls have been imported in you main ``urls.py`` file.
  125. .. code-block:: python
  126. from django.conf import settings
  127. from django.conf.urls import include, url
  128. from django.contrib import admin
  129. # Import dashboard module views
  130. from core import dashboard_modules_views
  131. urlpatterns = [
  132. url(r'^admin/', include(admin.site.urls)),
  133. url(r'^jet/', include('jet.urls', 'jet')),
  134. url(r'^jet/dashboard/', include('jet.dashboard.urls', 'jet-dashboard')),
  135. ...
  136. ]
  137. After that you can reverse url to module's view this way:
  138. .. code-block:: html
  139. {% url "jet-dashboard:update-database" %}