modules.py 11 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364
  1. import json
  2. from django import forms
  3. from django.contrib.admin.models import LogEntry
  4. from django.db.models import Q
  5. from django.template.loader import render_to_string
  6. from django.utils.translation import ugettext_lazy as _
  7. from jet.utils import get_app_list, LazyDateTimeEncoder
  8. import datetime
  9. class DashboardModule(object):
  10. template = 'jet.dashboard/module.html'
  11. enabled = True
  12. draggable = True
  13. collapsible = True
  14. deletable = True
  15. show_title = True
  16. title = ''
  17. title_url = None
  18. css_classes = None
  19. pre_content = None
  20. post_content = None
  21. children = None
  22. settings_form = None
  23. child_form = None
  24. child_name = None
  25. child_name_plural = None
  26. settings = None
  27. column = None
  28. order = None
  29. ajax_load = False
  30. contrast = False
  31. style = False
  32. class Media:
  33. css = ()
  34. js = ()
  35. def __init__(self, title=None, model=None, context=None, **kwargs):
  36. if title is not None:
  37. self.title = title
  38. self.model = model
  39. self.context = context or {}
  40. for key in kwargs:
  41. if hasattr(self.__class__, key):
  42. setattr(self, key, kwargs[key])
  43. self.children = self.children or []
  44. if self.model:
  45. self.load_from_model()
  46. def fullname(self):
  47. return self.__module__ + "." + self.__class__.__name__
  48. def load_settings(self, settings):
  49. pass
  50. def load_children(self, children):
  51. self.children = children
  52. def store_children(self):
  53. return False
  54. def settings_dict(self):
  55. pass
  56. def dump_settings(self, settings=None):
  57. settings = settings or self.settings_dict()
  58. if settings:
  59. return json.dumps(settings, cls=LazyDateTimeEncoder)
  60. else:
  61. return ''
  62. def dump_children(self):
  63. if self.store_children():
  64. return json.dumps(self.children, cls=LazyDateTimeEncoder)
  65. else:
  66. return ''
  67. def load_from_model(self):
  68. self.title = self.model.title
  69. if self.model.settings:
  70. try:
  71. self.settings = json.loads(self.model.settings)
  72. self.load_settings(self.settings)
  73. except ValueError:
  74. pass
  75. if self.store_children() and self.model.children:
  76. try:
  77. children = json.loads(self.model.children)
  78. self.load_children(children)
  79. except ValueError:
  80. pass
  81. def init_with_context(self, context):
  82. pass
  83. def get_context_data(self):
  84. context = self.context
  85. context.update({
  86. 'module': self
  87. })
  88. return context
  89. def render(self):
  90. self.init_with_context(self.context)
  91. return render_to_string(self.template, self.get_context_data())
  92. class LinkListItemForm(forms.Form):
  93. url = forms.CharField(label=_('URL'))
  94. title = forms.CharField(label=_('Title'))
  95. external = forms.BooleanField(label=_('External link'), required=False)
  96. class LinkListSettingsForm(forms.Form):
  97. layout = forms.ChoiceField(label=_('Layout'), choices=(('stacked', _('Stacked')), ('inline', _('Inline'))))
  98. class LinkList(DashboardModule):
  99. title = _('Links')
  100. template = 'jet.dashboard/modules/link_list.html'
  101. layout = 'stacked'
  102. settings_form = LinkListSettingsForm
  103. child_form = LinkListItemForm
  104. child_name = _('Link')
  105. child_name_plural = _('Links')
  106. def __init__(self, title=None, children=list(), **kwargs):
  107. children = list(map(self.parse_link, children))
  108. kwargs.update({'children': children})
  109. super(LinkList, self).__init__(title, **kwargs)
  110. def settings_dict(self):
  111. return {
  112. 'layout': self.layout
  113. }
  114. def load_settings(self, settings):
  115. self.layout = settings.get('layout', self.layout)
  116. def store_children(self):
  117. return True
  118. def parse_link(self, link):
  119. if isinstance(link, (tuple, list)):
  120. link_dict = {'title': link[0], 'url': link[1]}
  121. if len(link) >= 3:
  122. link_dict['external'] = link[2]
  123. return link_dict
  124. elif isinstance(link, (dict,)):
  125. return link
  126. class AppList(DashboardModule):
  127. title = _('Applications')
  128. template = 'jet.dashboard/modules/app_list.html'
  129. models = None
  130. exclude = None
  131. hide_empty = True
  132. def settings_dict(self):
  133. return {
  134. 'models': self.models,
  135. 'exclude': self.exclude
  136. }
  137. def load_settings(self, settings):
  138. self.models = settings.get('models')
  139. self.exclude = settings.get('exclude')
  140. def init_with_context(self, context):
  141. app_list = get_app_list(context)
  142. app_to_remove = []
  143. for app in app_list:
  144. app['models'] = filter(
  145. lambda model: self.models is None or model['object_name'] in self.models or app.get('app_label', app.get('name')) + '.*' in self.models,
  146. app['models']
  147. )
  148. app['models'] = filter(
  149. lambda model: self.exclude is None or model['object_name'] not in self.exclude and app.get('app_label', app.get('name')) + '.*' not in self.exclude,
  150. app['models']
  151. )
  152. app['models'] = list(app['models'])
  153. if self.hide_empty and len(list(app['models'])) == 0:
  154. app_to_remove.append(app)
  155. for app in app_to_remove:
  156. app_list.remove(app)
  157. self.children = app_list
  158. class ModelList(DashboardModule):
  159. title = _('Models')
  160. template = 'jet.dashboard/modules/model_list.html'
  161. models = None
  162. exclude = None
  163. hide_empty = True
  164. def settings_dict(self):
  165. return {
  166. 'models': self.models,
  167. 'exclude': self.exclude
  168. }
  169. def load_settings(self, settings):
  170. self.models = settings.get('models')
  171. self.exclude = settings.get('exclude')
  172. def init_with_context(self, context):
  173. app_list = get_app_list(context)
  174. models = []
  175. for app in app_list:
  176. app['models'] = filter(
  177. lambda model: self.models is None or model['object_name'] in self.models or app.get('app_label', app.get('name')) + '.*' in self.models,
  178. app['models']
  179. )
  180. app['models'] = filter(
  181. lambda model: self.exclude is None or model['object_name'] not in self.exclude and app.get('app_label', app.get('name')) + '.*' not in self.exclude,
  182. app['models']
  183. )
  184. app['models'] = list(app['models'])
  185. models.extend(app['models'])
  186. self.children = models
  187. class RecentActionsSettingsForm(forms.Form):
  188. limit = forms.IntegerField(label=_('Items limit'), min_value=1)
  189. class RecentActions(DashboardModule):
  190. title = _('Recent Actions')
  191. template = 'jet.dashboard/modules/recent_actions.html'
  192. limit = 10
  193. include_list = None
  194. exclude_list = None
  195. settings_form = RecentActionsSettingsForm
  196. user = None
  197. def __init__(self, title=None, limit=10, **kwargs):
  198. kwargs.update({'limit': limit})
  199. super(RecentActions, self).__init__(title, **kwargs)
  200. def settings_dict(self):
  201. return {
  202. 'limit': self.limit,
  203. 'include_list': self.include_list,
  204. 'exclude_list': self.exclude_list,
  205. 'user': self.user
  206. }
  207. def load_settings(self, settings):
  208. self.limit = settings.get('limit', self.limit)
  209. self.include_list = settings.get('include_list')
  210. self.exclude_list = settings.get('exclude_list')
  211. self.user = settings.get('user', None)
  212. def init_with_context(self, context):
  213. def get_qset(list):
  214. qset = None
  215. for contenttype in list:
  216. try:
  217. app_label, model = contenttype.split('.')
  218. if model == '*':
  219. current_qset = Q(
  220. content_type__app_label=app_label
  221. )
  222. else:
  223. current_qset = Q(
  224. content_type__app_label=app_label,
  225. content_type__model=model
  226. )
  227. except:
  228. raise ValueError('Invalid contenttype: "%s"' % contenttype)
  229. if qset is None:
  230. qset = current_qset
  231. else:
  232. qset = qset | current_qset
  233. return qset
  234. qs = LogEntry.objects
  235. if self.user:
  236. qs = qs.filter(
  237. user__pk=int(self.user)
  238. )
  239. if self.include_list:
  240. qs = qs.filter(get_qset(self.include_list))
  241. if self.exclude_list:
  242. qs = qs.exclude(get_qset(self.exclude_list))
  243. self.children = qs.select_related('content_type', 'user')[:int(self.limit)]
  244. class FeedSettingsForm(forms.Form):
  245. limit = forms.IntegerField(label=_('Items limit'), min_value=1)
  246. feed_url = forms.URLField(label=_('Feed URL'))
  247. class Feed(DashboardModule):
  248. title = _('RSS Feed')
  249. template = 'jet.dashboard/modules/feed.html'
  250. feed_url = None
  251. limit = None
  252. settings_form = FeedSettingsForm
  253. ajax_load = True
  254. def __init__(self, title=None, feed_url=None, limit=None, **kwargs):
  255. kwargs.update({'feed_url': feed_url, 'limit': limit})
  256. super(Feed, self).__init__(title, **kwargs)
  257. def settings_dict(self):
  258. return {
  259. 'feed_url': self.feed_url,
  260. 'limit': self.limit
  261. }
  262. def load_settings(self, settings):
  263. self.feed_url = settings.get('feed_url')
  264. self.limit = settings.get('limit')
  265. def init_with_context(self, context):
  266. if self.feed_url is not None:
  267. try:
  268. import feedparser
  269. feed = feedparser.parse(self.feed_url)
  270. if self.limit is not None:
  271. entries = feed['entries'][:self.limit]
  272. else:
  273. entries = feed['entries']
  274. for entry in entries:
  275. try:
  276. entry.date = datetime.date(*entry.published_parsed[0:3])
  277. except:
  278. pass
  279. self.children.append(entry)
  280. except ImportError:
  281. self.children.append({
  282. 'title': _('You must install the FeedParser python module'),
  283. 'warning': True,
  284. })
  285. else:
  286. self.children.append({
  287. 'title': _('You must provide a valid feed URL'),
  288. 'warning': True,
  289. })