dashboard.py 9.5 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313
  1. from importlib import import_module
  2. from django.core.urlresolvers import reverse
  3. from django.template.loader import render_to_string
  4. from jet.dashboard import modules
  5. from jet.dashboard.models import UserDashboardModule
  6. from django.utils.translation import ugettext_lazy as _
  7. from jet.ordered_set import OrderedSet
  8. from jet.utils import get_admin_site_name, context_to_dict
  9. try:
  10. from django.template.context_processors import csrf
  11. except ImportError:
  12. from django.core.context_processors import csrf
  13. class Dashboard(object):
  14. """
  15. Base dashboard class. All custom dashboards should inherit it.
  16. """
  17. #: Number of columns in which widgets can be placed
  18. columns = 2
  19. #: Dashboard Modules (widgets) that dashboard is filled with, when the user open it for the first time
  20. #:
  21. #: List of dashboard module **instances**
  22. children = None
  23. #: Dashboard Modules (widgets) that user can add to dashboard at any time
  24. # (not created when the user open dashboard for the first time)
  25. #:
  26. #: List of dashboard module **classes**
  27. available_children = None
  28. app_label = None
  29. context = None
  30. modules = None
  31. class Media:
  32. css = ()
  33. js = ()
  34. def __init__(self, context, **kwargs):
  35. for key in kwargs:
  36. if hasattr(self.__class__, key):
  37. setattr(self, key, kwargs[key])
  38. self.children = self.children or []
  39. self.available_children = self.available_children or []
  40. self.set_context(context)
  41. def set_context(self, context):
  42. self.context = context
  43. self.init_with_context(context)
  44. self.load_modules()
  45. def init_with_context(self, context):
  46. """
  47. Override this method to fill your custom **Dashboard** class with widgets.
  48. You should add your widgets to ``children`` and ``available_children`` attributes.
  49. Usage example:
  50. .. code-block:: python
  51. from django.utils.translation import ugettext_lazy as _
  52. from jet.dashboard import modules
  53. from jet.dashboard.dashboard import Dashboard, AppIndexDashboard
  54. class CustomIndexDashboard(Dashboard):
  55. columns = 3
  56. def init_with_context(self, context):
  57. self.available_children.append(modules.LinkList)
  58. self.children.append(modules.LinkList(
  59. _('Support'),
  60. children=[
  61. {
  62. 'title': _('Django documentation'),
  63. 'url': 'http://docs.djangoproject.com/',
  64. 'external': True,
  65. },
  66. {
  67. 'title': _('Django "django-users" mailing list'),
  68. 'url': 'http://groups.google.com/group/django-users',
  69. 'external': True,
  70. },
  71. {
  72. 'title': _('Django irc channel'),
  73. 'url': 'irc://irc.freenode.net/django',
  74. 'external': True,
  75. },
  76. ],
  77. column=0,
  78. order=0
  79. ))
  80. """
  81. pass
  82. def load_module(self, module_fullname):
  83. package, module_name = module_fullname.rsplit('.', 1)
  84. package = import_module(package)
  85. module = getattr(package, module_name)
  86. return module
  87. def create_initial_module_models(self, user):
  88. module_models = []
  89. i = 0
  90. for module in self.children:
  91. column = module.column if module.column is not None else i % self.columns
  92. order = module.order if module.order is not None else int(i / self.columns)
  93. module_models.append(UserDashboardModule.objects.create(
  94. title=module.title,
  95. app_label=self.app_label,
  96. user=user.pk,
  97. module=module.fullname(),
  98. column=column,
  99. order=order,
  100. settings=module.dump_settings(),
  101. children=module.dump_children()
  102. ))
  103. i += 1
  104. return module_models
  105. def load_modules(self):
  106. module_models = UserDashboardModule.objects.filter(
  107. app_label=self.app_label,
  108. user=self.context['request'].user.pk
  109. ).all()
  110. if len(module_models) == 0:
  111. module_models = self.create_initial_module_models(self.context['request'].user)
  112. loaded_modules = []
  113. for module_model in module_models:
  114. module_cls = module_model.load_module()
  115. if module_cls is not None:
  116. module = module_cls(model=module_model, context=self.context)
  117. loaded_modules.append(module)
  118. self.modules = loaded_modules
  119. def render(self):
  120. context = context_to_dict(self.context)
  121. context.update({
  122. 'columns': range(self.columns),
  123. 'modules': self.modules,
  124. 'app_label': self.app_label,
  125. })
  126. context.update(csrf(context['request']))
  127. return render_to_string('jet.dashboard/dashboard.html', context)
  128. def render_tools(self):
  129. context = context_to_dict(self.context)
  130. context.update({
  131. 'children': self.children,
  132. 'app_label': self.app_label,
  133. 'available_children': self.available_children
  134. })
  135. context.update(csrf(context['request']))
  136. return render_to_string('jet.dashboard/dashboard_tools.html', context)
  137. def media(self):
  138. unique_css = OrderedSet()
  139. unique_js = OrderedSet()
  140. for js in getattr(self.Media, 'js', ()):
  141. unique_js.add(js)
  142. for css in getattr(self.Media, 'css', ()):
  143. unique_css.add(css)
  144. for module in self.modules:
  145. for js in getattr(module.Media, 'js', ()):
  146. unique_js.add(js)
  147. for css in getattr(module.Media, 'css', ()):
  148. unique_css.add(css)
  149. class Media:
  150. css = list(unique_css)
  151. js = list(unique_js)
  152. return Media
  153. class AppIndexDashboard(Dashboard):
  154. def get_app_content_types(self):
  155. return self.app_label + '.*',
  156. def models(self):
  157. return self.app_label + '.*',
  158. class DefaultIndexDashboard(Dashboard):
  159. columns = 3
  160. def init_with_context(self, context):
  161. self.available_children.append(modules.LinkList)
  162. self.available_children.append(modules.Feed)
  163. site_name = get_admin_site_name(context)
  164. # append a link list module for "quick links"
  165. self.children.append(modules.LinkList(
  166. _('Quick links'),
  167. layout='inline',
  168. draggable=False,
  169. deletable=False,
  170. collapsible=False,
  171. children=[
  172. [_('Return to site'), '/'],
  173. [_('Change password'),
  174. reverse('%s:password_change' % site_name)],
  175. [_('Log out'), reverse('%s:logout' % site_name)],
  176. ],
  177. column=0,
  178. order=0
  179. ))
  180. # append an app list module for "Applications"
  181. self.children.append(modules.AppList(
  182. _('Applications'),
  183. exclude=('auth.*',),
  184. column=1,
  185. order=0
  186. ))
  187. # append an app list module for "Administration"
  188. self.children.append(modules.AppList(
  189. _('Administration'),
  190. models=('auth.*',),
  191. column=2,
  192. order=0
  193. ))
  194. # append a recent actions module
  195. self.children.append(modules.RecentActions(
  196. _('Recent Actions'),
  197. 10,
  198. column=0,
  199. order=1
  200. ))
  201. # append a feed module
  202. self.children.append(modules.Feed(
  203. _('Latest Django News'),
  204. feed_url='http://www.djangoproject.com/rss/weblog/',
  205. limit=5,
  206. column=1,
  207. order=1
  208. ))
  209. # append another link list module for "support".
  210. self.children.append(modules.LinkList(
  211. _('Support'),
  212. children=[
  213. {
  214. 'title': _('Django documentation'),
  215. 'url': 'http://docs.djangoproject.com/',
  216. 'external': True,
  217. },
  218. {
  219. 'title': _('Django "django-users" mailing list'),
  220. 'url': 'http://groups.google.com/group/django-users',
  221. 'external': True,
  222. },
  223. {
  224. 'title': _('Django irc channel'),
  225. 'url': 'irc://irc.freenode.net/django',
  226. 'external': True,
  227. },
  228. ],
  229. column=2,
  230. order=1
  231. ))
  232. class DefaultAppIndexDashboard(AppIndexDashboard):
  233. def init_with_context(self, context):
  234. self.available_children.append(modules.LinkList)
  235. self.children.append(modules.ModelList(
  236. title=_('Application models'),
  237. models=self.models(),
  238. column=0,
  239. order=0
  240. ))
  241. self.children.append(modules.RecentActions(
  242. include_list=self.get_app_content_types(),
  243. column=1,
  244. order=0
  245. ))
  246. class DashboardUrls(object):
  247. _urls = []
  248. def get_urls(self):
  249. return self._urls
  250. def register_url(self, url):
  251. self._urls.append(url)
  252. def register_urls(self, urls):
  253. self._urls.extend(urls)
  254. urls = DashboardUrls()