use SliceList rather than SimpleList
[unfold.git] / engine / plugin.py
1 # this is the abstract interface for Plugin instances
2 # so it should be specialized in real plugin classes
3 # like e.g. plugins.simplelist.SimpleList
4
5 import json
6
7 from django.template.loader import render_to_string
8
9 from engine.pluginset import PluginSet
10 from engine.prelude import Prelude
11
12 #################### 
13 # set DEBUG to
14 # . False : silent
15 # . [ 'SliceList', 'TabbedView' ] : to debug these classes
16 # . True : to debug all plugin
17
18 DEBUG= False
19 #DEBUG= [ 'SimpleList' ]
20
21 # decorator to deflect calls on Plugin to its PluginSet
22 def to_prelude (method):
23     def actual (self, *args, **kwds):
24         prelude_method=Prelude.__dict__[method.__name__]
25         return prelude_method(self.pluginset.prelude,*args, **kwds)
26     return actual
27
28 class Plugin:
29
30     # using a simple incremental scheme to generate domids for now
31     # we just need this to be unique in a page
32     domid=0
33
34     @staticmethod
35     def newdomid():
36         Plugin.domid += 1
37         return "plugin-%d"%Plugin.domid
38
39     ########## 
40     # Constructor
41     #### mandatory
42     # . pluginset: the context of the request being served
43     # . title: is used visually for displaying the widget
44     #### optional
45     # . togglable: whether it can be turned on and off (like PleKitToggle)
46     # . toggled: if togglable, what's the initial status
47     # . visible: if not set the plugin does not show up at all
48     #            (not quite sure what this was for)
49     #### internal data
50     # . domid: created internally, but can be set at creation time if needed
51     #          useful for hand-made css, or for selecting an active plugin in a composite
52     # . rank: this is for plugins sons of a composite plugin
53     #### custom
54     # any other setting can also be set when creating the object, like
55     # p=Plugin(foo='bar')
56     # which will result in 'foo' being accessible to the template engine
57     # 
58     def __init__ (self, pluginset, title, domid=None,
59                   visible=True, togglable=True, toggled=True, **settings):
60         self.pluginset = pluginset
61         self.title=title
62         if not domid: domid=Plugin.newdomid()
63         self.domid=domid
64         self.classname=self._py_classname()
65         self.plugin_classname=self._js_classname()
66         self.visible=visible
67         self.togglable=togglable
68         self.toggled=toggled
69         # what comes from subclasses
70         for (k,v) in settings.iteritems():
71             setattr(self,k,v)
72             if self.need_debug(): print "%s init - subclass setting %s"%(self.classname,k)
73         # minimal debugging
74         if self.need_debug():
75             print "%s init dbg .... BEG"%self.classname
76             for (k,v) in self.__dict__.items(): print "dbg %s:%s"%(k,v)
77             print "%s init dbg .... END"%self.classname
78         # do this only once the structure is fine
79         self.pluginset.record_plugin(self)
80
81     def _py_classname (self): 
82         try:    return self.__class__.__name__
83         except: return 'Plugin'
84
85     def _js_classname (self): 
86         try:    return self.plugin_classname ()
87         except: return self._py_classname()
88
89     ##########
90     def need_debug (self):
91         if not DEBUG:           return False
92         if DEBUG is True:       return True
93         else:                   return self.classname in DEBUG
94
95     def setting_json (self, setting):
96         # TMP: js world expects plugin_uuid
97         if setting=='plugin_uuid':
98             value=self.domid
99         elif setting=='query_uuid':
100             try: value=self.query.uuid
101             except: return '%s:"undefined"'%setting
102         else:
103             value=getattr(self,setting,None)
104             if not value: value = "unknown-setting-%s"%setting
105         # first try to use to_json method (json.dumps not working on class instances)
106         try:    value_json=value.to_json()
107         except: value_json=json.dumps(value,separators=(',',':'))
108         return "%s:%s"%(setting,value_json)
109
110     # expose in json format to js the list of fields as described in json_settings_list()
111     # and add plugin_uuid: domid in the mix
112     # NOTE this plugin_uuid thing might occur in js files from joomla/js, ** do not rename **
113     def settings_json (self):
114         result = "{"
115         result += ",".join([ self.setting_json(setting) for setting in self.json_settings_list() ])
116         result += "}"
117         return result
118
119     # returns the html code for that plugin
120     # in essence, wraps the results of self.render_content ()
121     def render (self, request):
122         # call render_content
123         plugin_content = self.render_content (request)
124         # shove this into plugin.html
125         env = {}
126         env ['plugin_content']= plugin_content
127         env.update(self.__dict__)
128         result = render_to_string ('plugin.html',env)
129
130         # as a first approximation we're only concerned with plugins that are associated with a query
131         # other simpler plugins that only deal with layout do not need this
132         if 'query' in self.__dict__:
133             env ['settings_json' ] = self.settings_json()
134             # compute plugin-specific initialization
135             js_init = render_to_string ( 'plugin-setenv.js', env )
136             self.add_js_chunks (js_init)
137         
138         # interpret the result of requirements ()
139         self.handle_requirements (request)
140
141         return result
142         
143     # you may redefine this completely, but if you don't we'll just use methods 
144     # . template_file() to find out which template to use, and 
145     # . template_env() to compute a dictionary to pass along to the templating system
146     def render_content (self, request):
147         """Should return an HTML fragment"""
148         template = self.template_file()
149         env=self.template_env(request)
150         if not isinstance (env,dict):
151             raise Exception, "%s.template_env returns wrong type"%self.classname
152         result=render_to_string (template, env)
153         if self.need_debug():
154             print "%s.render_content: BEG --------------------"%self.classname
155             print "template=%s"%template
156             print "env.keys=%s"%env.keys()
157             #print "env=%s"%env
158             #print result
159             print "%s.render_content: END --------------------"%self.classname
160         return result
161
162     # or from the result of self.requirements()
163     def handle_requirements (self, request):
164         try:
165             d=self.requirements()
166             for (k,v) in d.iteritems():
167                 if self.need_debug():
168                     print "%s: handling requirement %s"%(self.classname,v)
169                 method_name='add_'+k
170                 method=PluginSet.__dict__[method_name]
171                 method(self.pluginset,v)
172         except AttributeError: 
173             # most likely the object does not have that method defined, which is fine
174             pass
175         except:
176             import traceback
177             traceback.print_exc()
178             pass
179
180     #################### requirements/prelude management
181     # just forward to self.pluginset - see decorator above
182     @to_prelude
183     def add_js_files (self):pass
184     @to_prelude
185     def add_css_files (self):pass
186     @to_prelude
187     def add_js_chunks (self):pass
188     @to_prelude
189     def add_css_chunks (self):pass
190
191     ######################################## abstract interface
192     # your plugin is expected to implement either 
193     # (*) def render_content(self, request) -> html fragment
194     # -- or --
195     # (*) def template_file (self) -> filename
196     #   relative to STATIC 
197     # (*) def template_env (self, request) -> dict
198     #   this is the variable->value association used to render the template
199     # in which case the html template will be used
200
201     # if you see this string somewhere your template_file() code is not kicking in
202     def template_file (self):           return "undefined_template"
203     def template_env (self, request):   return {}
204
205 #    # tell the framework about requirements (for the document <header>)
206 #    # the notion of 'Media' in django provides for medium-dependant
207 #    # selection of css files
208 #    # as a first attempt however we keep a flat model for now
209 #    # can use one string instead of a list or tuple if needed, 
210 #    # see requirements.py for details
211 #    def requirements (self): 
212 #        return { 'js_files' : [],       # a list of relative paths for js input files
213 #                 'css_files': [],       # ditto for css, could have been a dict keyed on
214 #                                        # media instead
215 #                 'js_chunk' : [],       # (lines of) verbatim javascript code 
216 #                 'css_chunk': [],       # likewise for css scripts
217 #                 }
218     
219 #    # for better performance
220 #    # you can specify a list of keys that won't be exposed as json attributes
221 #    def exclude_from_json (self): return []
222
223     # mandatory : define the fields that need to be exposed to json as part of 
224     # plugin initialization
225     # mention 'domid' if you need plugin_uuid
226     # also 'query_uuid' gets replaced with query.uuid
227     def json_settings_list (self): return ['json_settings_list-must-be-redefined']
228
229     # might also define this one; see e.g. slicelist.py that piggybacks simplelist js code
230     # def plugin_classname (self):