dashboard.py 9.7 KB

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