c520d4d201201527143adf63fcfd92a71aae85cd
[odoo/odoo.git] / addons / web / static / src / js / view_list.js
1 (function() {
2
3 var instance = openerp;
4 openerp.web.list = {};
5 var _t = instance.web._t,
6     _lt = instance.web._lt;
7 var QWeb = instance.web.qweb;
8 instance.web.views.add('list', 'instance.web.ListView');
9 instance.web.ListView = instance.web.View.extend( /** @lends instance.web.ListView# */ {
10     _template: 'ListView',
11     display_name: _lt('List'),
12     defaults: {
13         // records can be selected one by one
14         'selectable': true,
15         // list rows can be deleted
16         'deletable': false,
17         // whether the column headers should be displayed
18         'header': true,
19         // display addition button, with that label
20         'addable': _lt("Create"),
21         // whether the list view can be sorted, note that once a view has been
22         // sorted it can not be reordered anymore
23         'sortable': true,
24         // whether the view rows can be reordered (via vertical drag & drop)
25         'reorderable': true,
26         'action_buttons': true,
27         //whether the editable property of the view has to be disabled
28         'disable_editable_mode': false,
29     },
30     view_type: 'tree',
31     events: {
32         'click thead th.oe_sortable[data-id]': 'sort_by_column'
33     },
34     /**
35      * Core class for list-type displays.
36      *
37      * As a view, needs a number of view-related parameters to be correctly
38      * instantiated, provides options and overridable methods for behavioral
39      * customization.
40      *
41      * See constructor parameters and method documentations for information on
42      * the default behaviors and possible options for the list view.
43      *
44      * @constructs instance.web.ListView
45      * @extends instance.web.View
46      *
47      * @param parent parent object
48      * @param {instance.web.DataSet} dataset the dataset the view should work with
49      * @param {String} view_id the listview's identifier, if any
50      * @param {Object} options A set of options used to configure the view
51      * @param {Boolean} [options.selectable=true] determines whether view rows are selectable (e.g. via a checkbox)
52      * @param {Boolean} [options.header=true] should the list's header be displayed
53      * @param {Boolean} [options.deletable=true] are the list rows deletable
54      * @param {void|String} [options.addable="New"] should the new-record button be displayed, and what should its label be. Use ``null`` to hide the button.
55      * @param {Boolean} [options.sortable=true] is it possible to sort the table by clicking on column headers
56      * @param {Boolean} [options.reorderable=true] is it possible to reorder list rows
57      */
58     init: function(parent, dataset, view_id, options) {
59         var self = this;
60         this._super(parent);
61         this.set_default_options(_.extend({}, this.defaults, options || {}));
62         this.dataset = dataset;
63         this.model = dataset.model;
64         this.view_id = view_id;
65         this.previous_colspan = null;
66         this.colors = null;
67         this.fonts = null;
68
69         this.columns = [];
70
71         this.records = new Collection();
72
73         this.set_groups(new (this.options.GroupsType)(this));
74
75         if (this.dataset instanceof instance.web.DataSetStatic) {
76             this.groups.datagroup = new StaticDataGroup(this.dataset);
77         } else {
78             this.groups.datagroup = new DataGroup(
79                 this, this.model,
80                 dataset.get_domain(),
81                 dataset.get_context());
82             this.groups.datagroup.sort = this.dataset._sort;
83         }
84
85         this.page = 0;
86         this.records.bind('change', function (event, record, key) {
87             if (!_(self.aggregate_columns).chain()
88                     .pluck('name').contains(key).value()) {
89                 return;
90             }
91             self.compute_aggregates();
92         });
93
94         this.no_leaf = false;
95         this.grouped = false;
96     },
97     view_loading: function(r) {
98         return this.load_list(r);
99     },
100     set_default_options: function (options) {
101         this._super(options);
102         _.defaults(this.options, {
103             GroupsType: instance.web.ListView.Groups,
104             ListType: instance.web.ListView.List
105         });
106     },
107
108     /**
109      * Retrieves the view's number of records per page (|| section)
110      *
111      * options > defaults > parent.action.limit > indefinite
112      *
113      * @returns {Number|null}
114      */
115     limit: function () {
116         if (this._limit === undefined) {
117             this._limit = (this.options.limit
118                         || this.defaults.limit
119                         || (this.getParent().action || {}).limit
120                         || 80);
121         }
122         return this._limit;
123     },
124     /**
125      * Set a custom Group construct as the root of the List View.
126      *
127      * @param {instance.web.ListView.Groups} groups
128      */
129     set_groups: function (groups) {
130         var self = this;
131         if (this.groups) {
132             $(this.groups).unbind("selected deleted action row_link");
133             delete this.groups;
134         }
135
136         this.groups = groups;
137         $(this.groups).bind({
138             'selected': function (e, ids, records, deselected) {
139                 self.do_select(ids, records, deselected);
140             },
141             'deleted': function (e, ids) {
142                 self.do_delete(ids);
143             },
144             'action': function (e, action_name, id, callback) {
145                 self.do_button_action(action_name, id, callback);
146             },
147             'row_link': function (e, id, dataset, view) {
148                 self.do_activate_record(dataset.index, id, dataset, view);
149             }
150         });
151     },
152     /**
153      * View startup method, the default behavior is to set the ``oe_list``
154      * class on its root element and to perform an RPC load call.
155      *
156      * @returns {$.Deferred} loading promise
157      */
158     start: function() {
159         this.$el.addClass('oe_list');
160         return this._super();
161     },
162     /**
163      * Returns the style for the provided record in the current view (from the
164      * ``@colors`` and ``@fonts`` attributes)
165      *
166      * @param {Record} record record for the current row
167      * @returns {String} CSS style declaration
168      */
169     style_for: function (record) {
170         var len, style= '';
171
172         var context = _.extend({}, record.attributes, {
173             uid: this.session.uid,
174             current_date: moment().format('YYYY-MM-DD')
175             // TODO: time, datetime, relativedelta
176         });
177         var i;
178         var pair;
179         var expression;
180         if (this.fonts) {
181             for(i=0, len=this.fonts.length; i<len; ++i) {
182                 pair = this.fonts[i];
183                 var font = pair[0];
184                 expression = pair[1];
185                 if (py.evaluate(expression, context).toJSON()) {
186                     switch(font) {
187                     case 'bold':
188                         style += 'font-weight: bold;';
189                         break;
190                     case 'italic':
191                         style += 'font-style: italic;';
192                         break;
193                     case 'underline':
194                         style += 'text-decoration: underline;';
195                         break;
196                     }
197                 }
198             }
199         }
200
201         if (!this.colors) { return style; }
202         for(i=0, len=this.colors.length; i<len; ++i) {
203             pair = this.colors[i];
204             var color = pair[0];
205             expression = pair[1];
206             if (py.evaluate(expression, context).toJSON()) {
207                 return style += 'color: ' + color + ';';
208             }
209             // TODO: handle evaluation errors
210         }
211         return style;
212     },
213     /**
214      * Called after loading the list view's description, sets up such things
215      * as the view table's columns, renders the table itself and hooks up the
216      * various table-level and row-level DOM events (action buttons, deletion
217      * buttons, selection of records, [New] button, selection of a given
218      * record, ...)
219      *
220      * Sets up the following:
221      *
222      * * Processes arch and fields to generate a complete field descriptor for each field
223      * * Create the table itself and allocate visible columns
224      * * Hook in the top-level (header) [New|Add] and [Delete] button
225      * * Sets up showing/hiding the top-level [Delete] button based on records being selected or not
226      * * Sets up event handlers for action buttons and per-row deletion button
227      * * Hooks global callback for clicking on a row
228      * * Sets up its sidebar, if any
229      *
230      * @param {Object} data wrapped fields_view_get result
231      * @param {Object} data.fields_view fields_view_get result (processed)
232      * @param {Object} data.fields_view.fields mapping of fields for the current model
233      * @param {Object} data.fields_view.arch current list view descriptor
234      * @param {Boolean} grouped Is the list view grouped
235      */
236     load_list: function(data) {
237         var self = this;
238         this.fields_view = data;
239         this.name = "" + this.fields_view.arch.attrs.string;
240
241         if (this.fields_view.arch.attrs.colors) {
242             this.colors = _(this.fields_view.arch.attrs.colors.split(';')).chain()
243                 .compact()
244                 .map(function(color_pair) {
245                     var pair = color_pair.split(':'),
246                         color = pair[0],
247                         expr = pair[1];
248                     return [color, py.parse(py.tokenize(expr)), expr];
249                 }).value();
250         }
251
252         if (this.fields_view.arch.attrs.fonts) {
253             this.fonts = _(this.fields_view.arch.attrs.fonts.split(';')).chain().compact()
254                 .map(function(font_pair) {
255                     var pair = font_pair.split(':'),
256                         font = pair[0],
257                         expr = pair[1];
258                     return [font, py.parse(py.tokenize(expr)), expr];
259                 }).value();
260         }
261
262         this.setup_columns(this.fields_view.fields, this.grouped);
263
264         this.$el.html(QWeb.render(this._template, this));
265         this.$el.addClass(this.fields_view.arch.attrs['class']);
266
267         // Head hook
268         // Selecting records
269         this.$el.find('.oe_list_record_selector').click(function(){
270             self.$el.find('.oe_list_record_selector input').prop('checked',
271                 self.$el.find('.oe_list_record_selector').prop('checked')  || false);
272             var selection = self.groups.get_selection();
273             $(self.groups).trigger(
274                 'selected', [selection.ids, selection.records]);
275         });
276
277         // Add button
278         if (!this.$buttons) {
279             this.$buttons = $(QWeb.render("ListView.buttons", {'widget':self}));
280             if (this.options.$buttons) {
281                 this.$buttons.appendTo(this.options.$buttons);
282             } else {
283                 this.$el.find('.oe_list_buttons').replaceWith(this.$buttons);
284             }
285             this.$buttons.find('.oe_list_add')
286                     .click(this.proxy('do_add_record'))
287                     .prop('disabled', this.grouped);
288         }
289
290         // Pager
291         if (!this.$pager) {
292             this.$pager = $(QWeb.render("ListView.pager", {'widget':self})).hide();
293             if (this.options.$buttons) {
294                 this.$pager.appendTo(this.options.$pager);
295             } else {
296                 this.$el.find('.oe_list_pager').replaceWith(this.$pager);
297             }
298
299             this.$pager
300                 .on('click', 'a[data-pager-action]', function () {
301                     var $this = $(this);
302                     var max_page = Math.floor(self.dataset.size() / self.limit());
303                     switch ($this.data('pager-action')) {
304                         case 'first':
305                             self.page = 0; break;
306                         case 'last':
307                             self.page = max_page - 1;
308                             break;
309                         case 'next':
310                             self.page += 1; break;
311                         case 'previous':
312                             self.page -= 1; break;
313                     }
314                     if (self.page < 0) {
315                         self.page = max_page;
316                     } else if (self.page > max_page) {
317                         self.page = 0;
318                     }
319                     self.reload_content();
320                 }).find('.oe_list_pager_state')
321                     .click(function (e) {
322                         e.stopPropagation();
323                         var $this = $(this);
324
325                         var $select = $('<select>')
326                             .appendTo($this.empty())
327                             .click(function (e) {e.stopPropagation();})
328                             .append('<option value="80">80</option>' +
329                                     '<option value="200">200</option>' +
330                                     '<option value="500">500</option>' +
331                                     '<option value="2000">2000</option>' +
332                                     '<option value="NaN">' + _t("Unlimited") + '</option>')
333                             .change(function () {
334                                 var val = parseInt($select.val(), 10);
335                                 self._limit = (isNaN(val) ? null : val);
336                                 self.page = 0;
337                                 self.reload_content();
338                             }).blur(function() {
339                                 $(this).trigger('change');
340                             })
341                             .val(self._limit || 'NaN');
342                     });
343         }
344
345         // Sidebar
346         if (!this.sidebar && this.options.$sidebar) {
347             this.sidebar = new instance.web.Sidebar(this);
348             this.sidebar.appendTo(this.options.$sidebar);
349             this.sidebar.add_items('other', _.compact([
350                 { label: _t("Export"), callback: this.on_sidebar_export },
351                 self.is_action_enabled('delete') && { label: _t('Delete'), callback: this.do_delete_selected }
352             ]));
353             this.sidebar.add_toolbar(this.fields_view.toolbar);
354             this.sidebar.$el.hide();
355         }
356         //Sort
357         var default_order = this.fields_view.arch.attrs.default_order,
358             unsorted = !this.dataset._sort.length;
359         if (unsorted && default_order) {
360             this.dataset.set_sort(default_order.split(','));
361         }
362
363         if(this.dataset._sort.length){
364             if(this.dataset._sort[0].indexOf('-') == -1){
365                 this.$el.find('th[data-id=' + this.dataset._sort[0] + ']').addClass("sortdown");
366             }else {
367                 this.$el.find('th[data-id=' + this.dataset._sort[0].split('-')[1] + ']').addClass("sortup");
368             }
369         }
370         this.trigger('list_view_loaded', data, this.grouped);
371     },
372     sort_by_column: function (e) {
373         e.stopPropagation();
374         var $column = $(e.currentTarget);
375         var col_name = $column.data('id');
376         var field = this.fields_view.fields[col_name];
377         // test whether the field is sortable
378         if (field && !field.sortable) {
379             return false;
380         }
381         this.dataset.sort(col_name);
382         if($column.hasClass("sortdown") || $column.hasClass("sortup"))  {
383             $column.toggleClass("sortup sortdown");
384         } else {
385             $column.addClass("sortdown");
386         }
387         $column.siblings('.oe_sortable').removeClass("sortup sortdown");
388
389         this.reload_content();
390     },
391     /**
392      * Configures the ListView pager based on the provided dataset's information
393      *
394      * Horrifying side-effect: sets the dataset's data on this.dataset?
395      *
396      * @param {instance.web.DataSet} dataset
397      */
398     configure_pager: function (dataset) {
399         this.dataset.ids = dataset.ids;
400         // Not exactly clean
401         if (dataset._length) {
402             this.dataset._length = dataset._length;
403         }
404
405         var total = dataset.size();
406         var limit = this.limit() || total;
407         this.$pager.find('.oe-pager-button').toggle(total > limit);
408         this.$pager.find('.oe_pager_value').toggle(total !== 0);
409         var spager = '-';
410         if (total) {
411             var range_start = this.page * limit + 1;
412             var range_stop = range_start - 1 + limit;
413             if (this.records.length) {
414                 range_stop = range_start - 1 + this.records.length;
415             }
416             if (range_stop > total) {
417                 range_stop = total;
418             }
419             spager = _.str.sprintf(_t("%d-%d of %d"), range_start, range_stop, total);
420         }
421
422         this.$pager.find('.oe_list_pager_state').text(spager);
423     },
424     /**
425      * Sets up the listview's columns: merges view and fields data, move
426      * grouped-by columns to the front of the columns list and make them all
427      * visible.
428      *
429      * @param {Object} fields fields_view_get's fields section
430      * @param {Boolean} [grouped] Should the grouping columns (group and count) be displayed
431      */
432     setup_columns: function (fields, grouped) {
433         var registry = instance.web.list.columns;
434         this.columns.splice(0, this.columns.length);
435         this.columns.push.apply(this.columns,
436             _(this.fields_view.arch.children).map(function (field) {
437                 var id = field.attrs.name;
438                 return registry.for_(id, fields[id], field);
439         }));
440         if (grouped) {
441             this.columns.unshift(
442                 new instance.web.list.MetaColumn('_group', _t("Group")));
443         }
444
445         this.visible_columns = _.filter(this.columns, function (column) {
446             return column.invisible !== '1';
447         });
448
449         this.aggregate_columns = _(this.visible_columns).invoke('to_aggregate');
450     },
451     /**
452      * Used to handle a click on a table row, if no other handler caught the
453      * event.
454      *
455      * The default implementation asks the list view's view manager to switch
456      * to a different view (by calling
457      * :js:func:`~instance.web.ViewManager.on_mode_switch`), using the
458      * provided record index (within the current list view's dataset).
459      *
460      * If the index is null, ``switch_to_record`` asks for the creation of a
461      * new record.
462      *
463      * @param {Number|void} index the record index (in the current dataset) to switch to
464      * @param {String} [view="page"] the view type to switch to
465      */
466     select_record:function (index, view) {
467         view = view || index === null || index === undefined ? 'form' : 'form';
468         this.dataset.index = index;
469         _.delay(_.bind(function () {
470             this.do_switch_view(view);
471         }, this));
472     },
473     do_show: function () {
474         this._super();
475         if (this.$buttons) {
476             this.$buttons.show();
477         }
478         if (this.$pager) {
479             this.$pager.show();
480         }
481     },
482     do_hide: function () {
483         if (this.sidebar) {
484             this.sidebar.$el.hide();
485         }
486         if (this.$buttons) {
487             this.$buttons.hide();
488         }
489         if (this.$pager) {
490             this.$pager.hide();
491         }
492         this._super();
493     },
494     /**
495      * Reloads the list view based on the current settings (dataset & al)
496      *
497      * @deprecated
498      * @param {Boolean} [grouped] Should the list be displayed grouped
499      * @param {Object} [context] context to send the server while loading the view
500      */
501     reload_view: function (grouped, context, initial) {
502         return this.load_view(context);
503     },
504     /**
505      * re-renders the content of the list view
506      *
507      * @returns {$.Deferred} promise to content reloading
508      */
509     reload_content: synchronized(function () {
510         var self = this;
511         self.$el.find('.oe_list_record_selector').prop('checked', false);
512         this.records.reset();
513         var reloaded = $.Deferred();
514         this.$el.find('.oe_list_content').append(
515             this.groups.render(function () {
516                 if (self.dataset.index == null) {
517                     if (self.records.length) {
518                         self.dataset.index = 0;
519                     }
520                 } else if (self.dataset.index >= self.records.length) {
521                     self.dataset.index = self.records.length ? 0 : null;
522                 }
523
524                 self.compute_aggregates();
525                 reloaded.resolve();
526             }));
527         this.do_push_state({
528             page: this.page,
529             limit: this._limit
530         });
531         return reloaded.promise();
532     }),
533     reload: function () {
534         return this.reload_content();
535     },
536     reload_record: function (record) {
537         var self = this;
538         return this.dataset.read_ids(
539             [record.get('id')],
540             _.pluck(_(this.columns).filter(function (r) {
541                     return r.tag === 'field';
542                 }), 'name'),
543             {check_access_rule: true}
544         ).done(function (records) {
545             var values = records[0];
546             if (!values) {
547                 self.records.remove(record);
548                 return;
549             }
550             _(_.keys(values)).each(function(key){
551                 record.set(key, values[key], {silent: true});
552             });
553             record.trigger('change', record);
554         });
555     },
556
557     do_load_state: function(state, warm) {
558         var reload = false;
559         if (state.page && this.page !== state.page) {
560             this.page = state.page;
561             reload = true;
562         }
563         if (state.limit) {
564             if (_.isString(state.limit)) {
565                 state.limit = null;
566             }
567             if (state.limit !== this._limit) {
568                 this._limit = state.limit;
569                 reload = true;
570             }
571         }
572         if (reload) {
573             this.reload_content();
574         }
575     },
576     /**
577      * Handler for the result of eval_domain_and_context, actually perform the
578      * searching
579      *
580      * @param {Object} results results of evaluating domain and process for a search
581      */
582     do_search: function (domain, context, group_by) {
583         this.page = 0;
584         this.groups.datagroup = new DataGroup(
585             this, this.model, domain, context, group_by);
586         this.groups.datagroup.sort = this.dataset._sort;
587
588         if (_.isEmpty(group_by) && !context['group_by_no_leaf']) {
589             group_by = null;
590         }
591         this.no_leaf = !!context['group_by_no_leaf'];
592         this.grouped = !!group_by;
593
594         return this.alive(this.load_view(context)).then(
595             this.proxy('reload_content'));
596     },
597     /**
598      * Handles the signal to delete lines from the records list
599      *
600      * @param {Array} ids the ids of the records to delete
601      */
602     do_delete: function (ids) {
603         if (!(ids.length && confirm(_t("Do you really want to remove these records?")))) {
604             return;
605         }
606         var self = this;
607         return $.when(this.dataset.unlink(ids)).done(function () {
608             _(ids).each(function (id) {
609                 self.records.remove(self.records.get(id));
610             });
611             if (self.records.length === 0 && self.dataset.size() > 0) {
612                 //Trigger previous manually to navigate to previous page, 
613                 //If all records are deleted on current page.
614                 self.$pager.find('ul li:first a').trigger('click');
615             } else if (self.dataset.size() == self.limit()) {
616                 //Reload listview to update current page with next page records 
617                 //because pager going to be hidden if dataset.size == limit
618                 self.reload();
619             } else {
620                 self.configure_pager(self.dataset);
621             }
622             self.compute_aggregates();
623         });
624     },
625     /**
626      * Handles the signal indicating that a new record has been selected
627      *
628      * @param {Array} ids selected record ids
629      * @param {Array} records selected record values
630      */
631     do_select: function (ids, records, deselected) {
632         // uncheck header hook if at least one row has been deselected
633         if (deselected) {
634             this.$('.oe_list_record_selector').prop('checked', false);
635         }
636
637         if (!ids.length) {
638             this.dataset.index = 0;
639             if (this.sidebar) {
640                 this.sidebar.$el.hide();
641             }
642             this.compute_aggregates();
643             return;
644         }
645
646         this.dataset.index = _(this.dataset.ids).indexOf(ids[0]);
647         if (this.sidebar) {
648             this.options.$sidebar.show();
649             this.sidebar.$el.show();
650         }
651
652         this.compute_aggregates(_(records).map(function (record) {
653             return {count: 1, values: record};
654         }));
655     },
656     /**
657      * Handles action button signals on a record
658      *
659      * @param {String} name action name
660      * @param {Object} id id of the record the action should be called on
661      * @param {Function} callback should be called after the action is executed, if non-null
662      */
663     do_button_action: function (name, id, callback) {
664         this.handle_button(name, id, callback);
665     },
666     /**
667      * Base handling of buttons, can be called when overriding do_button_action
668      * in order to bypass parent overrides.
669      *
670      * The callback will be provided with the ``id`` as its parameter, in case
671      * handle_button's caller had to alter the ``id`` (or even create one)
672      * while not being ``callback``'s creator.
673      *
674      * This method should not be overridden.
675      *
676      * @param {String} name action name
677      * @param {Object} id id of the record the action should be called on
678      * @param {Function} callback should be called after the action is executed, if non-null
679      */
680     handle_button: function (name, id, callback) {
681         var action = _.detect(this.columns, function (field) {
682             return field.name === name;
683         });
684         if (!action) { return; }
685         if ('confirm' in action && !window.confirm(action.confirm)) {
686             return;
687         }
688
689         var c = new instance.web.CompoundContext();
690         c.set_eval_context(_.extend({
691             active_id: id,
692             active_ids: [id],
693             active_model: this.dataset.model
694         }, this.records.get(id).toContext()));
695         if (action.context) {
696             c.add(action.context);
697         }
698         action.context = c;
699         this.do_execute_action(
700             action, this.dataset, id, _.bind(callback, null, id));
701     },
702     /**
703      * Handles the activation of a record (clicking on it)
704      *
705      * @param {Number} index index of the record in the dataset
706      * @param {Object} id identifier of the activated record
707      * @param {instance.web.DataSet} dataset dataset in which the record is available (may not be the listview's dataset in case of nested groups)
708      */
709     do_activate_record: function (index, id, dataset, view) {
710         this.dataset.ids = dataset.ids;
711         this.select_record(index, view);
712     },
713     /**
714      * Handles signal for the addition of a new record (can be a creation,
715      * can be the addition from a remote source, ...)
716      *
717      * The default implementation is to switch to a new record on the form view
718      */
719     do_add_record: function () {
720         this.select_record(null);
721     },
722     /**
723      * Handles deletion of all selected lines
724      */
725     do_delete_selected: function () {
726         var ids = this.groups.get_selection().ids;
727         if (ids.length) {
728             this.do_delete(this.groups.get_selection().ids);
729         } else {
730             this.do_warn(_t("Warning"), _t("You must select at least one record."));
731         }
732     },
733     /**
734      * Computes the aggregates for the current list view, either on the
735      * records provided or on the records of the internal
736      * :js:class:`~instance.web.ListView.Group`, by calling
737      * :js:func:`~instance.web.ListView.group.get_records`.
738      *
739      * Then displays the aggregates in the table through
740      * :js:method:`~instance.web.ListView.display_aggregates`.
741      *
742      * @param {Array} [records]
743      */
744     compute_aggregates: function (records) {
745         var columns = _(this.aggregate_columns).filter(function (column) {
746             return column['function']; });
747         if (_.isEmpty(columns)) { return; }
748
749         if (_.isEmpty(records)) {
750             records = this.groups.get_records();
751         }
752         records = _(records).compact();
753
754         var count = 0, sums = {};
755         _(columns).each(function (column) {
756             switch (column['function']) {
757                 case 'max':
758                     sums[column.id] = -Infinity;
759                     break;
760                 case 'min':
761                     sums[column.id] = Infinity;
762                     break;
763                 default:
764                     sums[column.id] = 0;
765             }
766         });
767         _(records).each(function (record) {
768             count += record.count || 1;
769             _(columns).each(function (column) {
770                 var field = column.id,
771                     value = record.values[field];
772                 switch (column['function']) {
773                     case 'sum':
774                         sums[field] += value;
775                         break;
776                     case 'avg':
777                         sums[field] += record.count * value;
778                         break;
779                     case 'min':
780                         if (sums[field] > value) {
781                             sums[field] = value;
782                         }
783                         break;
784                     case 'max':
785                         if (sums[field] < value) {
786                             sums[field] = value;
787                         }
788                         break;
789                 }
790             });
791         });
792
793         var aggregates = {};
794         _(columns).each(function (column) {
795             var field = column.id;
796             switch (column['function']) {
797                 case 'avg':
798                     aggregates[field] = {value: sums[field] / count};
799                     break;
800                 default:
801                     aggregates[field] = {value: sums[field]};
802             }
803         });
804
805         this.display_aggregates(aggregates);
806     },
807     display_aggregates: function (aggregation) {
808         var self = this;
809         var $footer_cells = this.$el.find('.oe_list_footer');
810         _(this.aggregate_columns).each(function (column) {
811             if (!column['function']) {
812                 return;
813             }
814
815             $footer_cells.filter(_.str.sprintf('[data-field=%s]', column.id))
816                 .html(column.format(aggregation, { process_modifiers: false }));
817         });
818     },
819     get_selected_ids: function() {
820         var ids = this.groups.get_selection().ids;
821         return ids;
822     },
823     /**
824      * Calculate the active domain of the list view. This should be done only
825      * if the header checkbox has been checked. This is done by evaluating the
826      * search results, and then adding the dataset domain (i.e. action domain).
827      */
828     get_active_domain: function () {
829         var self = this;
830         if (this.$('.oe_list_record_selector').prop('checked')) {
831             var search_view = this.getParent().searchview;
832             var search_data = search_view.build_search_data();
833             return instance.web.pyeval.eval_domains_and_contexts({
834                 domains: search_data.domains,
835                 contexts: search_data.contexts,
836                 group_by_seq: search_data.groupbys || []
837             }).then(function (results) {
838                 var domain = self.dataset.domain.concat(results.domain || []);
839                 return domain
840             });
841         }
842         else {
843             return $.Deferred().resolve();
844         }
845     },
846     /**
847      * Adds padding columns at the start or end of all table rows (including
848      * field names row)
849      *
850      * @param {Number} count number of columns to add
851      * @param {Object} options
852      * @param {"before"|"after"} [options.position="after"] insertion position for the new columns
853      * @param {Object} [options.except] content row to not pad
854      */
855     pad_columns: function (count, options) {
856         options = options || {};
857         // padding for action/pager header
858         var $first_header = this.$el.find('thead tr:first th');
859         var colspan = $first_header.attr('colspan');
860         if (colspan) {
861             if (!this.previous_colspan) {
862                 this.previous_colspan = colspan;
863             }
864             $first_header.attr('colspan', parseInt(colspan, 10) + count);
865         }
866         // Padding for column titles, footer and data rows
867         var $rows = this.$el
868                 .find('.oe_list_header_columns, tr:not(thead tr)')
869                 .not(options['except']);
870         var newcols = new Array(count+1).join('<td class="oe_list_padding"></td>');
871         if (options.position === 'before') {
872             $rows.prepend(newcols);
873         } else {
874             $rows.append(newcols);
875         }
876     },
877     /**
878      * Removes all padding columns of the table
879      */
880     unpad_columns: function () {
881         this.$el.find('.oe_list_padding').remove();
882         if (this.previous_colspan) {
883             this.$el
884                     .find('thead tr:first th')
885                     .attr('colspan', this.previous_colspan);
886             this.previous_colspan = null;
887         }
888     },
889     no_result: function () {
890         this.$el.find('.oe_view_nocontent').remove();
891         if (this.groups.group_by
892             || !this.options.action
893             || !this.options.action.help) {
894             return;
895         }
896         this.$el.find('table:first').hide();
897         this.$el.prepend(
898             $('<div class="oe_view_nocontent">').html(this.options.action.help)
899         );
900         var $buttons = this.$buttons;
901         this.$el.find('.oe_view_nocontent').click(function() {
902             $buttons.width($buttons.width() + 1).openerpBounce();
903         });
904     }
905 });
906 instance.web.ListView.List = instance.web.Class.extend( /** @lends instance.web.ListView.List# */{
907     /**
908      * List display for the ListView, handles basic DOM events and transforms
909      * them in the relevant higher-level events, to which the list view (or
910      * other consumers) can subscribe.
911      *
912      * Events on this object are registered via jQuery.
913      *
914      * Available events:
915      *
916      * `selected`
917      *   Triggered when a row is selected (using check boxes), provides an
918      *   array of ids of all the selected records.
919      * `deleted`
920      *   Triggered when deletion buttons are hit, provide an array of ids of
921      *   all the records being marked for suppression.
922      * `action`
923      *   Triggered when an action button is clicked, provides two parameters:
924      *
925      *   * The name of the action to execute (as a string)
926      *   * The id of the record to execute the action on
927      * `row_link`
928      *   Triggered when a row of the table is clicked, provides the index (in
929      *   the rows array) and id of the selected record to the handle function.
930      *
931      * @constructs instance.web.ListView.List
932      * @extends instance.web.Class
933      * 
934      * @param {Object} opts display options, identical to those of :js:class:`instance.web.ListView`
935      */
936     init: function (group, opts) {
937         var self = this;
938         this.group = group;
939         this.view = group.view;
940         this.session = this.view.session;
941
942         this.options = opts.options;
943         this.columns = opts.columns;
944         this.dataset = opts.dataset;
945         this.records = opts.records;
946
947         this.record_callbacks = {
948             'remove': function (event, record) {
949                 var id = record.get('id');
950                 self.dataset.remove_ids([id]);
951                 var $row = self.$current.children('[data-id=' + id + ']');
952                 var index = $row.data('index');
953                 $row.remove();
954             },
955             'reset': function () { return self.on_records_reset(); },
956             'change': function (event, record, attribute, value, old_value) {
957                 var $row;
958                 if (attribute === 'id') {
959                     if (old_value) {
960                         throw new Error(_.str.sprintf( _t("Setting 'id' attribute on existing record %s"),
961                             JSON.stringify(record.attributes) ));
962                     }
963                     self.dataset.add_ids([value], self.records.indexOf(record));
964                     // Set id on new record
965                     $row = self.$current.children('[data-id=false]');
966                 } else {
967                     $row = self.$current.children(
968                         '[data-id=' + record.get('id') + ']');
969                 }
970                 $row.replaceWith(self.render_record(record));
971             },
972             'add': function (ev, records, record, index) {
973                 var $new_row = $(self.render_record(record));
974                 var id = record.get('id');
975                 if (id) { self.dataset.add_ids([id], index); }
976
977                 if (index === 0) {
978                     $new_row.prependTo(self.$current);
979                 } else {
980                     var previous_record = records.at(index-1),
981                         $previous_sibling = self.$current.children(
982                                 '[data-id=' + previous_record.get('id') + ']');
983                     $new_row.insertAfter($previous_sibling);
984                 }
985             }
986         };
987         _(this.record_callbacks).each(function (callback, event) {
988             this.records.bind(event, callback);
989         }, this);
990
991         this.$current = $('<tbody>')
992             .delegate('input[readonly=readonly]', 'click', function (e) {
993                 /*
994                     Against all logic and sense, as of right now @readonly
995                     apparently does nothing on checkbox and radio inputs, so
996                     the trick of using @readonly to have, well, readonly
997                     checkboxes (which still let clicks go through) does not
998                     work out of the box. We *still* need to preventDefault()
999                     on the event, otherwise the checkbox's state *will* toggle
1000                     on click
1001                  */
1002                 e.preventDefault();
1003             })
1004             .delegate('th.oe_list_record_selector', 'click', function (e) {
1005                 e.stopPropagation();
1006                 var selection = self.get_selection();
1007                 var checked = $(e.currentTarget).find('input').prop('checked');
1008                 $(self).trigger(
1009                         'selected', [selection.ids, selection.records, ! checked]);
1010             })
1011             .delegate('td.oe_list_record_delete button', 'click', function (e) {
1012                 e.stopPropagation();
1013                 var $row = $(e.target).closest('tr');
1014                 $(self).trigger('deleted', [[self.row_id($row)]]);
1015             })
1016             .delegate('td.oe_list_field_cell button', 'click', function (e) {
1017                 e.stopPropagation();
1018                 var $target = $(e.currentTarget),
1019                       field = $target.closest('td').data('field'),
1020                        $row = $target.closest('tr'),
1021                   record_id = self.row_id($row);
1022                 
1023                 if ($target.attr('disabled')) {
1024                     return;
1025                 }
1026                 $target.attr('disabled', 'disabled');
1027
1028                 // note: $.data converts data to number if it's composed only
1029                 // of digits, nice when storing actual numbers, not nice when
1030                 // storing strings composed only of digits. Force the action
1031                 // name to be a string
1032                 $(self).trigger('action', [field.toString(), record_id, function (id) {
1033                     $target.removeAttr('disabled');
1034                     return self.reload_record(self.records.get(id));
1035                 }]);
1036             })
1037             .delegate('a', 'click', function (e) {
1038                 e.stopPropagation();
1039             })
1040             .delegate('tr', 'click', function (e) {
1041                 var row_id = self.row_id(e.currentTarget);
1042                 if (row_id) {
1043                     e.stopPropagation();
1044                     if (!self.dataset.select_id(row_id)) {
1045                         throw new Error(_t("Could not find id in dataset"));
1046                     }
1047                     self.row_clicked(e);
1048                 }
1049             });
1050     },
1051     row_clicked: function (e, view) {
1052         $(this).trigger(
1053             'row_link',
1054             [this.dataset.ids[this.dataset.index],
1055              this.dataset, view]);
1056     },
1057     render_cell: function (record, column) {
1058         var value;
1059         if(column.type === 'reference') {
1060             value = record.get(column.id);
1061             var ref_match;
1062             // Ensure that value is in a reference "shape", otherwise we're
1063             // going to loop on performing name_get after we've resolved (and
1064             // set) a human-readable version. m2o does not have this issue
1065             // because the non-human-readable is just a number, where the
1066             // human-readable version is a pair
1067             if (value && (ref_match = /^([\w\.]+),(\d+)$/.exec(value))) {
1068                 // reference values are in the shape "$model,$id" (as a
1069                 // string), we need to split and name_get this pair in order
1070                 // to get a correctly displayable value in the field
1071                 var model = ref_match[1],
1072                     id = parseInt(ref_match[2], 10);
1073                 new instance.web.DataSet(this.view, model).name_get([id]).done(function(names) {
1074                     if (!names.length) { return; }
1075                     record.set(column.id + '__display', names[0][1]);
1076                 });
1077             }
1078         } else if (column.type === 'many2one') {
1079             value = record.get(column.id);
1080             // m2o values are usually name_get formatted, [Number, String]
1081             // pairs, but in some cases only the id is provided. In these
1082             // cases, we need to perform a name_get call to fetch the actual
1083             // displayable value
1084             if (typeof value === 'number' || value instanceof Number) {
1085                 // fetch the name, set it on the record (in the right field)
1086                 // and let the various registered events handle refreshing the
1087                 // row
1088                 new instance.web.DataSet(this.view, column.relation)
1089                         .name_get([value]).done(function (names) {
1090                     if (!names.length) { return; }
1091                     record.set(column.id, names[0]);
1092                 });
1093             }
1094         } else if (column.type === 'many2many') {
1095             value = record.get(column.id);
1096             // non-resolved (string) m2m values are arrays
1097             if (value instanceof Array && !_.isEmpty(value)
1098                     && !record.get(column.id + '__display')) {
1099                 var ids;
1100                 // they come in two shapes:
1101                 if (value[0] instanceof Array) {
1102                     var command = value[0];
1103                     // 1. an array of m2m commands (usually (6, false, ids))
1104                     if (command[0] !== 6) {
1105                         throw new Error(_.str.sprintf( _t("Unknown m2m command %s"), command[0]));
1106                     }
1107                     ids = command[2];
1108                 } else {
1109                     // 2. an array of ids
1110                     ids = value;
1111                 }
1112                 new instance.web.Model(column.relation)
1113                     .call('name_get', [ids, this.dataset.context]).done(function (names) {
1114                         // FIXME: nth horrible hack in this poor listview
1115                         record.set(column.id + '__display',
1116                                    _(names).pluck(1).join(', '));
1117                         record.set(column.id, ids);
1118                     });
1119                 // temp empty value
1120                 record.set(column.id, false);
1121             }
1122         }
1123         return column.format(record.toForm().data, {
1124             model: this.dataset.model,
1125             id: record.get('id')
1126         });
1127     },
1128     render: function () {
1129         this.$current.empty().append(
1130             QWeb.render('ListView.rows', _.extend({
1131                     render_cell: function () {
1132                         return self.render_cell.apply(self, arguments); }
1133                 }, this)));
1134         this.pad_table_to(4);
1135     },
1136     pad_table_to: function (count) {
1137         if (this.records.length >= count ||
1138                 _(this.columns).any(function(column) { return column.meta; })) {
1139             return;
1140         }
1141         var cells = [];
1142         if (this.options.selectable) {
1143             cells.push('<th class="oe_list_record_selector"></td>');
1144         }
1145         _(this.columns).each(function(column) {
1146             if (column.invisible === '1') {
1147                 return;
1148             }
1149             cells.push('<td title="' + column.string + '">&nbsp;</td>');
1150         });
1151         if (this.options.deletable) {
1152             cells.push('<td class="oe_list_record_delete"><button type="button" style="visibility: hidden"> </button></td>');
1153         }
1154         cells.unshift('<tr>');
1155         cells.push('</tr>');
1156
1157         var row = cells.join('');
1158         this.$current
1159             .children('tr:not([data-id])').remove().end()
1160             .append(new Array(count - this.records.length + 1).join(row));
1161     },
1162     /**
1163      * Gets the ids of all currently selected records, if any
1164      * @returns {Object} object with the keys ``ids`` and ``records``, holding respectively the ids of all selected records and the records themselves.
1165      */
1166     get_selection: function () {
1167         var result = {ids: [], records: []};
1168         if (!this.options.selectable) {
1169             return result;
1170         }
1171         var records = this.records;
1172         this.$current.find('th.oe_list_record_selector input:checked')
1173                 .closest('tr').each(function () {
1174             var record = records.get($(this).data('id'));
1175             result.ids.push(record.get('id'));
1176             result.records.push(record.attributes);
1177         });
1178         return result;
1179     },
1180     /**
1181      * Returns the identifier of the object displayed in the provided table
1182      * row
1183      *
1184      * @param {Object} row the selected table row
1185      * @returns {Number|String} the identifier of the row's object
1186      */
1187     row_id: function (row) {
1188         return $(row).data('id');
1189     },
1190     /**
1191      * Death signal, cleans up list display
1192      */
1193     on_records_reset: function () {
1194         _(this.record_callbacks).each(function (callback, event) {
1195             this.records.unbind(event, callback);
1196         }, this);
1197         if (!this.$current) { return; }
1198         this.$current.remove();
1199     },
1200     get_records: function () {
1201         return this.records.map(function (record) {
1202             return {count: 1, values: record.attributes};
1203         });
1204     },
1205     /**
1206      * Reloads the provided record by re-reading its content from the server.
1207      *
1208      * @param {Record} record
1209      * @returns {$.Deferred} promise to the finalization of the reloading
1210      */
1211     reload_record: function (record) {
1212         return this.view.reload_record(record);
1213     },
1214     /**
1215      * Renders a list record to HTML
1216      *
1217      * @param {Record} record index of the record to render in ``this.rows``
1218      * @returns {String} QWeb rendering of the selected record
1219      */
1220     render_record: function (record) {
1221         var self = this;
1222         var index = this.records.indexOf(record);
1223         return QWeb.render('ListView.row', {
1224             columns: this.columns,
1225             options: this.options,
1226             record: record,
1227             row_parity: (index % 2 === 0) ? 'even' : 'odd',
1228             view: this.view,
1229             render_cell: function () {
1230                 return self.render_cell.apply(self, arguments); }
1231         });
1232     }
1233 });
1234 instance.web.ListView.Groups = instance.web.Class.extend( /** @lends instance.web.ListView.Groups# */{
1235     passthrough_events: 'action deleted row_link',
1236     /**
1237      * Grouped display for the ListView. Handles basic DOM events and interacts
1238      * with the :js:class:`~DataGroup` bound to it.
1239      *
1240      * Provides events similar to those of
1241      * :js:class:`~instance.web.ListView.List`
1242      *
1243      * @constructs instance.web.ListView.Groups
1244      * @extends instance.web.Class
1245      *
1246      * @param {instance.web.ListView} view
1247      * @param {Object} [options]
1248      * @param {Collection} [options.records]
1249      * @param {Object} [options.options]
1250      * @param {Array} [options.columns]
1251      */
1252     init: function (view, options) {
1253         options = options || {};
1254         this.view = view;
1255         this.records = options.records || view.records;
1256         this.options = options.options || view.options;
1257         this.columns = options.columns || view.columns;
1258         this.datagroup = null;
1259
1260         this.$row = null;
1261         this.children = {};
1262
1263         this.page = 0;
1264
1265         var self = this;
1266         this.records.bind('reset', function () {
1267             return self.on_records_reset(); });
1268     },
1269     make_fragment: function () {
1270         return document.createDocumentFragment();
1271     },
1272     /**
1273      * Returns a DOM node after which a new tbody can be inserted, so that it
1274      * follows the provided row.
1275      *
1276      * Necessary to insert the result of a new group or list view within an
1277      * existing groups render, without losing track of the groups's own
1278      * elements
1279      *
1280      * @param {HTMLTableRowElement} row the row after which the caller wants to insert a body
1281      * @returns {HTMLTableSectionElement} element after which a tbody can be inserted
1282      */
1283     point_insertion: function (row) {
1284         var $row = $(row);
1285         var red_letter_tboday = $row.closest('tbody')[0];
1286
1287         var $next_siblings = $row.nextAll();
1288         if ($next_siblings.length) {
1289             var $root_kanal = $('<tbody>').insertAfter(red_letter_tboday);
1290
1291             $root_kanal.append($next_siblings);
1292             this.elements.splice(
1293                 _.indexOf(this.elements, red_letter_tboday),
1294                 0,
1295                 $root_kanal[0]);
1296         }
1297         return red_letter_tboday;
1298     },
1299     make_paginator: function () {
1300         var self = this;
1301         var $prev = $('<button type="button" data-pager-action="previous">&lt;</button>')
1302             .click(function (e) {
1303                 e.stopPropagation();
1304                 self.page -= 1;
1305
1306                 self.$row.closest('tbody').next()
1307                     .replaceWith(self.render());
1308             });
1309         var $next = $('<button type="button" data-pager-action="next">&gt;</button>')
1310             .click(function (e) {
1311                 e.stopPropagation();
1312                 self.page += 1;
1313
1314                 self.$row.closest('tbody').next()
1315                     .replaceWith(self.render());
1316             });
1317         this.$row.children().last()
1318             .addClass('oe_list_group_pagination')
1319             .append($prev)
1320             .append('<span class="oe_list_pager_state"></span>')
1321             .append($next);
1322     },
1323     open: function (point_insertion) {
1324         this.render().insertAfter(point_insertion);
1325
1326         var no_subgroups = _(this.datagroup.group_by).isEmpty(),
1327             records_terminated = !this.datagroup.context['group_by_no_leaf'];
1328         if (no_subgroups && records_terminated) {
1329             this.make_paginator();
1330         }
1331     },
1332     close: function () {
1333         this.$row.children().last().find('button').remove();
1334         this.$row.children().last().find('span').remove();
1335         this.records.reset();
1336     },
1337     /**
1338      * Prefixes ``$node`` with floated spaces in order to indent it relative
1339      * to its own left margin/baseline
1340      *
1341      * @param {jQuery} $node jQuery object to indent
1342      * @param {Number} level current nesting level, >= 1
1343      * @returns {jQuery} the indentation node created
1344      */
1345     indent: function ($node, level) {
1346         return $('<span>')
1347                 .css({'float': 'left', 'white-space': 'pre'})
1348                 .text(new Array(level).join('   '))
1349                 .prependTo($node);
1350     },
1351     render_groups: function (datagroups) {
1352         var self = this;
1353         var placeholder = this.make_fragment();
1354         _(datagroups).each(function (group) {
1355             if (self.children[group.value]) {
1356                 self.records.proxy(group.value).reset();
1357                 delete self.children[group.value];
1358             }
1359             var child = self.children[group.value] = new (self.view.options.GroupsType)(self.view, {
1360                 records: self.records.proxy(group.value),
1361                 options: self.options,
1362                 columns: self.columns
1363             });
1364             self.bind_child_events(child);
1365             child.datagroup = group;
1366
1367             var $row = child.$row = $('<tr class="oe_group_header">');
1368             if (group.openable && group.length) {
1369                 $row.click(function (e) {
1370                     if (!$row.data('open')) {
1371                         $row.data('open', true)
1372                             .find('span.ui-icon')
1373                                 .removeClass('ui-icon-triangle-1-e')
1374                                 .addClass('ui-icon-triangle-1-s');
1375                         child.open(self.point_insertion(e.currentTarget));
1376                     } else {
1377                         $row.removeData('open')
1378                             .find('span.ui-icon')
1379                                 .removeClass('ui-icon-triangle-1-s')
1380                                 .addClass('ui-icon-triangle-1-e');
1381                         child.close();
1382                         // force recompute the selection as closing group reset properties
1383                         var selection = self.get_selection();
1384                         $(self).trigger('selected', [selection.ids, this.records]);
1385                     }
1386                 });
1387             }
1388             placeholder.appendChild($row[0]);
1389
1390             var $group_column = $('<th class="oe_list_group_name">').appendTo($row);
1391             // Don't fill this if group_by_no_leaf but no group_by
1392             if (group.grouped_on) {
1393                 var row_data = {};
1394                 row_data[group.grouped_on] = group;
1395                 var group_label = _t("Undefined");
1396                 var group_column = _(self.columns).detect(function (column) {
1397                     return column.id === group.grouped_on; });
1398                 if (group_column) {
1399                     try {
1400                         group_label = group_column.format(row_data, {
1401                             value_if_empty: _t("Undefined"),
1402                             process_modifiers: false
1403                         });
1404                     } catch (e) {
1405                         group_label = _.str.escapeHTML(row_data[group_column.id].value);
1406                     }
1407                 } else {
1408                     group_label = group.value;
1409                     if (group_label instanceof Array) {
1410                         group_label = group_label[1];
1411                     }
1412                     if (group_label === false) {
1413                         group_label = _t('Undefined');
1414                     }
1415                     group_label = _.str.escapeHTML(group_label);
1416                 }
1417                     
1418                 // group_label is html-clean (through format or explicit
1419                 // escaping if format failed), can inject straight into HTML
1420                 $group_column.html(_.str.sprintf(_t("%s (%d)"),
1421                     group_label, group.length));
1422
1423                 if (group.length && group.openable) {
1424                     // Make openable if not terminal group & group_by_no_leaf
1425                     $group_column.prepend('<span class="ui-icon ui-icon-triangle-1-e" style="float: left;">');
1426                 } else {
1427                     // Kinda-ugly hack: jquery-ui has no "empty" icon, so set
1428                     // wonky background position to ensure nothing is displayed
1429                     // there but the rest of the behavior is ui-icon's
1430                     $group_column.prepend('<span class="ui-icon" style="float: left; background-position: 150px 150px">');
1431                 }
1432             }
1433             self.indent($group_column, group.level);
1434
1435             if (self.options.selectable) {
1436                 $row.append('<td>');
1437             }
1438             _(self.columns).chain()
1439                 .filter(function (column) { return column.invisible !== '1'; })
1440                 .each(function (column) {
1441                     if (column.meta) {
1442                         // do not do anything
1443                     } else if (column.id in group.aggregates) {
1444                         var r = {};
1445                         r[column.id] = {value: group.aggregates[column.id]};
1446                         $('<td class="oe_number">')
1447                             .html(column.format(r, {process_modifiers: false}))
1448                             .appendTo($row);
1449                     } else {
1450                         $row.append('<td>');
1451                     }
1452                 });
1453             if (self.options.deletable) {
1454                 $row.append('<td class="oe_list_group_pagination">');
1455             }
1456         });
1457         return placeholder;
1458     },
1459     bind_child_events: function (child) {
1460         var $this = $(this),
1461              self = this;
1462         $(child).bind('selected', function (e, _0, _1, deselected) {
1463             // can have selections spanning multiple links
1464             var selection = self.get_selection();
1465             $this.trigger(e, [selection.ids, selection.records, deselected]);
1466         }).bind(this.passthrough_events, function (e) {
1467             // additional positional parameters are provided to trigger as an
1468             // Array, following the event type or event object, but are
1469             // provided to the .bind event handler as *args.
1470             // Convert our *args back into an Array in order to trigger them
1471             // on the group itself, so it can ultimately be forwarded wherever
1472             // it's supposed to go.
1473             var args = Array.prototype.slice.call(arguments, 1);
1474             $this.trigger.call($this, e, args);
1475         });
1476     },
1477     render_dataset: function (dataset) {
1478         var self = this,
1479             list = new (this.view.options.ListType)(this, {
1480                 options: this.options,
1481                 columns: this.columns,
1482                 dataset: dataset,
1483                 records: this.records
1484             });
1485         this.bind_child_events(list);
1486
1487         var view = this.view,
1488            limit = view.limit(),
1489             page = this.datagroup.openable ? this.page : view.page;
1490
1491         var fields = _.pluck(_.select(this.columns, function(x) {return x.tag == "field";}), 'name');
1492         var options = { offset: page * limit, limit: limit, context: {bin_size: true} };
1493         //TODO xmo: investigate why we need to put the setTimeout
1494         return $.async_when().then(function() {
1495             return dataset.read_slice(fields, options).then(function (records) {
1496                 // FIXME: ignominious hacks, parents (aka form view) should not send two ListView#reload_content concurrently
1497                 if (self.records.length) {
1498                     self.records.reset(null, {silent: true});
1499                 }
1500                 if (!self.datagroup.openable) {
1501                     view.configure_pager(dataset);
1502                 } else {
1503                     if (dataset.size() == records.length) {
1504                         // only one page
1505                         self.$row.find('td.oe_list_group_pagination').find('button').remove();
1506                         self.$row.find('td.oe_list_group_pagination').find('span').remove();
1507                     } else {
1508                         var pages = Math.ceil(dataset.size() / limit);
1509                         self.$row
1510                             .find('.oe_list_pager_state')
1511                                 .text(_.str.sprintf(_t("%(page)d/%(page_count)d"), {
1512                                     page: page + 1,
1513                                     page_count: pages
1514                                 }))
1515                             .end()
1516                             .find('button[data-pager-action=previous]')
1517                                 .toggleClass('disabled', page === 0)
1518                             .end()
1519                             .find('button[data-pager-action=next]')
1520                                 .toggleClass('disabled', page === pages - 1);
1521                     }
1522                 }
1523
1524                 self.records.add(records, {silent: true});
1525                 list.render();
1526                 if (_.isEmpty(records)) {
1527                     view.no_result();
1528                 }
1529                 return list;
1530             });
1531         });
1532     },
1533     setup_resequence_rows: function (list, dataset) {
1534         // drag and drop enabled if list is not sorted and there is a
1535         // visible column with @widget=handle or "sequence" column in the view.
1536         if ((dataset.sort && dataset.sort())
1537             || !_(this.columns).any(function (column) {
1538                     return column.widget === 'handle'
1539                         || column.name === 'sequence'; })) {
1540             return;
1541         }
1542         var sequence_field = _(this.columns).find(function (c) {
1543             return c.widget === 'handle';
1544         });
1545         var seqname = sequence_field ? sequence_field.name : 'sequence';
1546
1547         // ondrop, move relevant record & fix sequences
1548         list.$current.sortable({
1549             axis: 'y',
1550             items: '> tr[data-id]',
1551             helper: 'clone'
1552         });
1553         if (sequence_field) {
1554             list.$current.sortable('option', 'handle', '.oe_list_field_handle');
1555         }
1556         list.$current.sortable('option', {
1557             start: function (e, ui) {
1558                 ui.placeholder.height(ui.item.height());
1559             },
1560             stop: function (event, ui) {
1561                 var to_move = list.records.get(ui.item.data('id')),
1562                     target_id = ui.item.prev().data('id'),
1563                     from_index = list.records.indexOf(to_move),
1564                     target = list.records.get(target_id);
1565                 if (list.records.at(from_index - 1) == target) {
1566                     return;
1567                 }
1568
1569                 list.records.remove(to_move);
1570                 var to = target_id ? list.records.indexOf(target) + 1 : 0;
1571                 list.records.add(to_move, { at: to });
1572
1573                 // resequencing time!
1574                 var record, index = to,
1575                     // if drag to 1st row (to = 0), start sequencing from 0
1576                     // (exclusive lower bound)
1577                     seq = to ? list.records.at(to - 1).get(seqname) : 0;
1578                 var fct = function (dataset, id, seq) {
1579                     $.async_when().done(function () {
1580                         var attrs = {};
1581                         attrs[seqname] = seq;
1582                         dataset.write(id, attrs);
1583                     });
1584                 };
1585                 while (++seq, (record = list.records.at(index++))) {
1586                     // write are independent from one another, so we can just
1587                     // launch them all at the same time and we don't really
1588                     // give a fig about when they're done
1589                     // FIXME: breaks on o2ms (e.g. Accounting > Financial
1590                     //        Accounting > Taxes > Taxes, child tax accounts)
1591                     //        when synchronous (without setTimeout)
1592                     fct(dataset, record.get('id'), seq);
1593                     record.set(seqname, seq);
1594                 }
1595             }
1596         });
1597     },
1598     render: function (post_render) {
1599         var self = this;
1600         var $el = $('<tbody>');
1601         this.elements = [$el[0]];
1602
1603         this.datagroup.list(
1604             _(this.view.visible_columns).chain()
1605                 .filter(function (column) { return column.tag === 'field';})
1606                 .pluck('name').value(),
1607             function (groups) {
1608                 self.view.$pager.hide();
1609                 $el[0].appendChild(
1610                     self.render_groups(groups));
1611                 if (post_render) { post_render(); }
1612             }, function (dataset) {
1613                 self.render_dataset(dataset).then(function (list) {
1614                     self.children[null] = list;
1615                     self.elements =
1616                         [list.$current.replaceAll($el)[0]];
1617                     self.setup_resequence_rows(list, dataset);
1618                 }).always(function() {
1619                     if (post_render) { post_render(); }
1620                     self.view.trigger('view_list_rendered');
1621                 });
1622             });
1623         return $el;
1624     },
1625     /**
1626      * Returns the ids of all selected records for this group, and the records
1627      * themselves
1628      */
1629     get_selection: function () {
1630         var ids = [], records = [];
1631
1632         _(this.children)
1633             .each(function (child) {
1634                 var selection = child.get_selection();
1635                 ids.push.apply(ids, selection.ids);
1636                 records.push.apply(records, selection.records);
1637             });
1638
1639         return {ids: ids, records: records};
1640     },
1641     on_records_reset: function () {
1642         this.children = {};
1643         $(this.elements).remove();
1644     },
1645     get_records: function () {
1646         if (_(this.children).isEmpty()) {
1647             if (!this.datagroup.length) {
1648                 return;
1649             }
1650             return {
1651                 count: this.datagroup.length,
1652                 values: this.datagroup.aggregates
1653             };
1654         }
1655         return _(this.children).chain()
1656             .map(function (child) {
1657                 return child.get_records();
1658             }).flatten().value();
1659     }
1660 });
1661
1662 /**
1663  * Serializes concurrent calls to this asynchronous method. The method must
1664  * return a deferred or promise.
1665  *
1666  * Current-implementation is class-serialized (the mutex is common to all
1667  * instances of the list view). Can be switched to instance-serialized if
1668  * having concurrent list views becomes possible and common.
1669  */
1670 function synchronized(fn) {
1671     var fn_mutex = new $.Mutex();
1672     return function () {
1673         var obj = this;
1674         var args = _.toArray(arguments);
1675         return fn_mutex.exec(function () {
1676             if (obj.isDestroyed()) { return $.when(); }
1677             return fn.apply(obj, args)
1678         });
1679     };
1680 }
1681 var DataGroup =  instance.web.Class.extend({
1682    init: function(parent, model, domain, context, group_by, level) {
1683        this.model = new instance.web.Model(model, context, domain);
1684        this.group_by = group_by;
1685        this.context = context;
1686        this.domain = domain;
1687
1688        this.level = level || 0;
1689    },
1690    list: function (fields, ifGroups, ifRecords) {
1691        var self = this;
1692        if (!_.isEmpty(this.group_by)) {
1693            // ensure group_by fields are read.
1694            fields = _.unique((fields || []).concat(this.group_by));
1695        }
1696        var query = this.model.query(fields).order_by(this.sort).group_by(this.group_by);
1697        $.when(query).done(function (querygroups) {
1698            // leaf node
1699            if (!querygroups) {
1700                var ds = new instance.web.DataSetSearch(self, self.model.name, self.model.context(), self.model.domain());
1701                ds._sort = self.sort;
1702                ifRecords(ds);
1703                return;
1704            }
1705            // internal node
1706            var child_datagroups = _(querygroups).map(function (group) {
1707                var child_context = _.extend(
1708                    {}, self.model.context(), group.model.context());
1709                var child_dg = new DataGroup(
1710                    self, self.model.name, group.model.domain(),
1711                    child_context, group.model._context.group_by,
1712                    self.level + 1);
1713                child_dg.sort = self.sort;
1714                // copy querygroup properties
1715                child_dg.__context = child_context;
1716                child_dg.__domain = group.model.domain();
1717                child_dg.folded = group.get('folded');
1718                child_dg.grouped_on = group.get('grouped_on');
1719                child_dg.length = group.get('length');
1720                child_dg.value = group.get('value');
1721                child_dg.openable = group.get('has_children');
1722                child_dg.aggregates = group.get('aggregates');
1723                return child_dg;
1724            });
1725            ifGroups(child_datagroups);
1726        });
1727    }
1728 });
1729 var StaticDataGroup = DataGroup.extend({
1730    init: function (dataset) {
1731        this.dataset = dataset;
1732    },
1733    list: function (fields, ifGroups, ifRecords) {
1734        ifRecords(this.dataset);
1735    }
1736 });
1737
1738 /**
1739  * @mixin Events
1740  */
1741 var Events = /** @lends Events# */{
1742     /**
1743      * @param {String} event event to listen to on the current object, null for all events
1744      * @param {Function} handler event handler to bind to the relevant event
1745      * @returns this
1746      */
1747     bind: function (event, handler) {
1748         var calls = this['_callbacks'] || (this._callbacks = {});
1749
1750         if (event in calls) {
1751             calls[event].push(handler);
1752         } else {
1753             calls[event] = [handler];
1754         }
1755         return this;
1756     },
1757     /**
1758      * @param {String} event event to unbind on the current object
1759      * @param {function} [handler] specific event handler to remove (otherwise unbind all handlers for the event)
1760      * @returns this
1761      */
1762     unbind: function (event, handler) {
1763         var calls = this._callbacks || {};
1764         if (!(event in calls)) { return this; }
1765         if (!handler) {
1766             delete calls[event];
1767         } else {
1768             var handlers = calls[event];
1769             handlers.splice(
1770                 _(handlers).indexOf(handler),
1771                 1);
1772         }
1773         return this;
1774     },
1775     /**
1776      * @param {String} event
1777      * @returns this
1778      */
1779     trigger: function (event) {
1780         var calls;
1781         if (!(calls = this._callbacks)) { return this; }
1782         var callbacks = (calls[event] || []).concat(calls[null] || []);
1783         for(var i=0, length=callbacks.length; i<length; ++i) {
1784             callbacks[i].apply(this, arguments);
1785         }
1786         return this;
1787     }
1788 };
1789 var Record = instance.web.Class.extend(/** @lends Record# */{
1790     /**
1791      * @constructs Record
1792      * @extends instance.web.Class
1793      * 
1794      * @mixes Events
1795      * @param {Object} [data]
1796      */
1797     init: function (data) {
1798         this.attributes = data || {};
1799     },
1800     /**
1801      * @param {String} key
1802      * @returns {Object}
1803      */
1804     get: function (key) {
1805         return this.attributes[key];
1806     },
1807     /**
1808      * @param key
1809      * @param value
1810      * @param {Object} [options]
1811      * @param {Boolean} [options.silent=false]
1812      * @returns {Record}
1813      */
1814     set: function (key, value, options) {
1815         options = options || {};
1816         var old_value = this.attributes[key];
1817         if (old_value === value) {
1818             return this;
1819         }
1820         this.attributes[key] = value;
1821         if (!options.silent) {
1822             this.trigger('change:' + key, this, value, old_value);
1823             this.trigger('change', this, key, value, old_value);
1824         }
1825         return this;
1826     },
1827     /**
1828      * Converts the current record to the format expected by form views:
1829      *
1830      * .. code-block:: javascript
1831      *
1832      *    data: {
1833      *         $fieldname: {
1834      *             value: $value
1835      *         }
1836      *     }
1837      *
1838      *
1839      * @returns {Object} record displayable in a form view
1840      */
1841     toForm: function () {
1842         var form_data = {}, attrs = this.attributes;
1843         for(var k in attrs) {
1844             form_data[k] = {value: attrs[k]};
1845         }
1846
1847         return {data: form_data};
1848     },
1849     /**
1850      * Converts the current record to a format expected by context evaluations
1851      * (identical to record.attributes, except m2o fields are their integer
1852      * value rather than a pair)
1853      */
1854     toContext: function () {
1855         var output = {}, attrs = this.attributes;
1856         for(var k in attrs) {
1857             var val = attrs[k];
1858             if (typeof val !== 'object') {
1859                 output[k] = val;
1860             } else if (val instanceof Array) {
1861                 output[k] = val[0];
1862             } else {
1863                 throw new Error(_.str.sprintf(_t("Can't convert value %s to context"), val));
1864             }
1865         }
1866         return output;
1867     }
1868 });
1869 Record.include(Events);
1870 var Collection = instance.web.Class.extend(/** @lends Collection# */{
1871     /**
1872      * Smarter collections, with events, very strongly inspired by Backbone's.
1873      *
1874      * Using a "dumb" array of records makes synchronization between the
1875      * various serious 
1876      *
1877      * @constructs Collection
1878      * @extends instance.web.Class
1879      * 
1880      * @mixes Events
1881      * @param {Array} [records] records to initialize the collection with
1882      * @param {Object} [options]
1883      */
1884     init: function (records, options) {
1885         options = options || {};
1886         _.bindAll(this, '_onRecordEvent');
1887         this.length = 0;
1888         this.records = [];
1889         this._byId = {};
1890         this._proxies = {};
1891         this._key = options.key;
1892         this._parent = options.parent;
1893
1894         if (records) {
1895             this.add(records);
1896         }
1897     },
1898     /**
1899      * @param {Object|Array} record
1900      * @param {Object} [options]
1901      * @param {Number} [options.at]
1902      * @param {Boolean} [options.silent=false]
1903      * @returns this
1904      */
1905     add: function (record, options) {
1906         options = options || {};
1907         var records = record instanceof Array ? record : [record];
1908
1909         for(var i=0, length=records.length; i<length; ++i) {
1910             var instance_ = (records[i] instanceof Record) ? records[i] : new Record(records[i]);
1911             instance_.bind(null, this._onRecordEvent);
1912             this._byId[instance_.get('id')] = instance_;
1913             if (options.at === undefined || options.at === null) {
1914                 this.records.push(instance_);
1915                 if (!options.silent) {
1916                     this.trigger('add', this, instance_, this.records.length-1);
1917                 }
1918             } else {
1919                 var insertion_index = options.at + i;
1920                 this.records.splice(insertion_index, 0, instance_);
1921                 if (!options.silent) {
1922                     this.trigger('add', this, instance_, insertion_index);
1923                 }
1924             }
1925             this.length++;
1926         }
1927         return this;
1928     },
1929
1930     /**
1931      * Get a record by its index in the collection, can also take a group if
1932      * the collection is not degenerate
1933      *
1934      * @param {Number} index
1935      * @param {String} [group]
1936      * @returns {Record|undefined}
1937      */
1938     at: function (index, group) {
1939         if (group) {
1940             var groups = group.split('.');
1941             return this._proxies[groups[0]].at(index, groups.join('.'));
1942         }
1943         return this.records[index];
1944     },
1945     /**
1946      * Get a record by its database id
1947      *
1948      * @param {Number} id
1949      * @returns {Record|undefined}
1950      */
1951     get: function (id) {
1952         if (!_(this._proxies).isEmpty()) {
1953             var record = null;
1954             _(this._proxies).detect(function (proxy) {
1955                 record = proxy.get(id);
1956                 return record;
1957             });
1958             return record;
1959         }
1960         return this._byId[id];
1961     },
1962     /**
1963      * Builds a proxy (insert/retrieve) to a subtree of the collection, by
1964      * the subtree's group
1965      *
1966      * @param {String} section group path section
1967      * @returns {Collection}
1968      */
1969     proxy: function (section) {
1970         this._proxies[section] = new Collection(null, {
1971             parent: this,
1972             key: section
1973         }).bind(null, this._onRecordEvent);
1974         return this._proxies[section];
1975     },
1976     /**
1977      * @param {Array} [records]
1978      * @returns this
1979      */
1980     reset: function (records, options) {
1981         options = options || {};
1982         _(this._proxies).each(function (proxy) {
1983             proxy.reset();
1984         });
1985         this._proxies = {};
1986         _(this.records).invoke('unbind', null, this._onRecordEvent);
1987         this.length = 0;
1988         this.records = [];
1989         this._byId = {};
1990         if (records) {
1991             this.add(records);
1992         }
1993         if (!options.silent) {
1994             this.trigger('reset', this);
1995         }
1996         return this;
1997     },
1998     /**
1999      * Removes the provided record from the collection
2000      *
2001      * @param {Record} record
2002      * @returns this
2003      */
2004     remove: function (record) {
2005         var index = this.indexOf(record);
2006         if (index === -1) {
2007             _(this._proxies).each(function (proxy) {
2008                 proxy.remove(record);
2009             });
2010             return this;
2011         }
2012
2013         record.unbind(null, this._onRecordEvent);
2014         this.records.splice(index, 1);
2015         delete this._byId[record.get('id')];
2016         this.length--;
2017         this.trigger('remove', record, this);
2018         return this;
2019     },
2020
2021     _onRecordEvent: function (event) {
2022         switch(event) {
2023         // don't propagate reset events
2024         case 'reset': return;
2025         case 'change:id':
2026             var record = arguments[1];
2027             var new_value = arguments[2];
2028             var old_value = arguments[3];
2029             // [change:id, record, new_value, old_value]
2030             if (this._byId[old_value] === record) {
2031                 delete this._byId[old_value];
2032                 this._byId[new_value] = record;
2033             }
2034             break;
2035         }
2036         this.trigger.apply(this, arguments);
2037     },
2038
2039     // underscore-type methods
2040     find: function (callback) {
2041         var record;
2042         for(var section in this._proxies) {
2043             if (!this._proxies.hasOwnProperty(section)) {
2044                 continue;
2045             }
2046             if ((record = this._proxies[section].find(callback))) {
2047                 return record;
2048             }
2049         }
2050         for(var i=0; i<this.length; ++i) {
2051             record = this.records[i];
2052             if (callback(record)) {
2053                 return record;
2054             }
2055         }
2056     },
2057     each: function (callback) {
2058         for(var section in this._proxies) {
2059             if (this._proxies.hasOwnProperty(section)) {
2060                 this._proxies[section].each(callback);
2061             }
2062         }
2063         for(var i=0; i<this.length; ++i) {
2064             callback(this.records[i]);
2065         }
2066     },
2067     map: function (callback) {
2068         var results = [];
2069         this.each(function (record) {
2070             results.push(callback(record));
2071         });
2072         return results;
2073     },
2074     pluck: function (fieldname) {
2075         return this.map(function (record) {
2076             return record.get(fieldname);
2077         });
2078     },
2079     indexOf: function (record) {
2080         return _(this.records).indexOf(record);
2081     },
2082     succ: function (record, options) {
2083         options = options || {wraparound: false};
2084         var result;
2085         for(var section in this._proxies) {
2086             if (!this._proxies.hasOwnProperty(section)) {
2087                 continue;
2088             }
2089             if ((result = this._proxies[section].succ(record, options))) {
2090                 return result;
2091             }
2092         }
2093         var index = this.indexOf(record);
2094         if (index === -1) { return null; }
2095         var next_index = index + 1;
2096         if (options.wraparound && (next_index === this.length)) {
2097             return this.at(0);
2098         }
2099         return this.at(next_index);
2100     },
2101     pred: function (record, options) {
2102         options = options || {wraparound: false};
2103
2104         var result;
2105         for (var section in this._proxies) {
2106             if (!this._proxies.hasOwnProperty(section)) {
2107                 continue;
2108             }
2109             if ((result = this._proxies[section].pred(record, options))) {
2110                 return result;
2111             }
2112         }
2113
2114         var index = this.indexOf(record);
2115         if (index === -1) { return null; }
2116         var next_index = index - 1;
2117         if (options.wraparound && (next_index === -1)) {
2118             return this.at(this.length - 1);
2119         }
2120         return this.at(next_index);
2121     }
2122 });
2123 Collection.include(Events);
2124 instance.web.list = {
2125     Events: Events,
2126     Record: Record,
2127     Collection: Collection
2128 };
2129 /**
2130  * Registry for column objects used to format table cells (and some other tasks
2131  * e.g. aggregation computations).
2132  *
2133  * Maps a field or button to a Column type via its ``$tag.$widget``,
2134  * ``$tag.$type`` or its ``$tag`` (alone).
2135  *
2136  * This specific registry has a dedicated utility method ``for_`` taking a
2137  * field (from fields_get/fields_view_get.field) and a node (from a view) and
2138  * returning the right object *already instantiated from the data provided*.
2139  *
2140  * @type {instance.web.Registry}
2141  */
2142 instance.web.list.columns = new instance.web.Registry({
2143     'field': 'instance.web.list.Column',
2144     'field.boolean': 'instance.web.list.Boolean',
2145     'field.binary': 'instance.web.list.Binary',
2146     'field.char': 'instance.web.list.Char',
2147     'field.progressbar': 'instance.web.list.ProgressBar',
2148     'field.handle': 'instance.web.list.Handle',
2149     'button': 'instance.web.list.Button',
2150     'field.many2onebutton': 'instance.web.list.Many2OneButton',
2151     'field.reference': 'instance.web.list.Reference',
2152     'field.many2many': 'instance.web.list.Many2Many',
2153     'button.toggle_button': 'instance.web.list.toggle_button',
2154 });
2155 instance.web.list.columns.for_ = function (id, field, node) {
2156     var description = _.extend({tag: node.tag}, field, node.attrs);
2157     var tag = description.tag;
2158     var Type = this.get_any([
2159         tag + '.' + description.widget,
2160         tag + '.'+ description.type,
2161         tag
2162     ]);
2163     return new Type(id, node.tag, description);
2164 };
2165
2166 instance.web.list.Column = instance.web.Class.extend({
2167     init: function (id, tag, attrs) {
2168         _.extend(attrs, {
2169             id: id,
2170             tag: tag
2171         });
2172
2173         this.modifiers = attrs.modifiers ? JSON.parse(attrs.modifiers) : {};
2174         delete attrs.modifiers;
2175         _.extend(this, attrs);
2176
2177         if (this.modifiers['tree_invisible']) {
2178             this.invisible = '1';
2179         } else { delete this.invisible; }
2180     },
2181     modifiers_for: function (fields) {
2182         var out = {};
2183         var domain_computer = instance.web.form.compute_domain;
2184
2185         for (var attr in this.modifiers) {
2186             if (!this.modifiers.hasOwnProperty(attr)) { continue; }
2187             var modifier = this.modifiers[attr];
2188             out[attr] = _.isBoolean(modifier)
2189                 ? modifier
2190                 : domain_computer(modifier, fields);
2191         }
2192
2193         return out;
2194     },
2195     to_aggregate: function () {
2196         if (this.type !== 'integer' && this.type !== 'float') {
2197             return {};
2198         }
2199         var aggregation_func = this['group_operator'] || 'sum';
2200         if (!(aggregation_func in this)) {
2201             return {};
2202         }
2203         var C = function (fn, label) {
2204             this['function'] = fn;
2205             this.label = label;
2206         };
2207         C.prototype = this;
2208         return new C(aggregation_func, this[aggregation_func]);
2209     },
2210     /**
2211      *
2212      * @param row_data record whose values should be displayed in the cell
2213      * @param {Object} [options]
2214      * @param {String} [options.value_if_empty=''] what to display if the field's value is ``false``
2215      * @param {Boolean} [options.process_modifiers=true] should the modifiers be computed ?
2216      * @param {String} [options.model] current record's model
2217      * @param {Number} [options.id] current record's id
2218      * @return {String}
2219      */
2220     format: function (row_data, options) {
2221         options = options || {};
2222         var attrs = {};
2223         if (options.process_modifiers !== false) {
2224             attrs = this.modifiers_for(row_data);
2225         }
2226         if (attrs.invisible) { return ''; }
2227
2228         if (!row_data[this.id]) {
2229             return options.value_if_empty === undefined
2230                     ? ''
2231                     : options.value_if_empty;
2232         }
2233         return this._format(row_data, options);
2234     },
2235     /**
2236      * Method to override in order to provide alternative HTML content for the
2237      * cell. Column._format will simply call ``instance.web.format_value`` and
2238      * escape the output.
2239      *
2240      * The output of ``_format`` will *not* be escaped by ``format``, any
2241      * escaping *must be done* by ``format``.
2242      *
2243      * @private
2244      */
2245     _format: function (row_data, options) {
2246         return _.escape(instance.web.format_value(
2247             row_data[this.id].value, this, options.value_if_empty));
2248     }
2249 });
2250 instance.web.list.MetaColumn = instance.web.list.Column.extend({
2251     meta: true,
2252     init: function (id, string) {
2253         this._super(id, '', {string: string});
2254     }
2255 });
2256 instance.web.list.Button = instance.web.list.Column.extend({
2257     /**
2258      * Return an actual ``<button>`` tag
2259      */
2260     format: function (row_data, options) {
2261         options = options || {};
2262         var attrs = {};
2263         if (options.process_modifiers !== false) {
2264             attrs = this.modifiers_for(row_data);
2265         }
2266         if (attrs.invisible) { return ''; }
2267         var template = this.icon && 'ListView.row.button' || 'ListView.row.text_button';
2268         return QWeb.render(template, {
2269             widget: this,
2270             prefix: instance.session.prefix,
2271             disabled: attrs.readonly
2272                 || isNaN(row_data.id.value)
2273                 || instance.web.BufferedDataSet.virtual_id_regex.test(row_data.id.value)
2274         });
2275     }
2276 });
2277 instance.web.list.Boolean = instance.web.list.Column.extend({
2278     /**
2279      * Return a potentially disabled checkbox input
2280      *
2281      * @private
2282      */
2283     _format: function (row_data, options) {
2284         return _.str.sprintf('<input type="checkbox" %s readonly="readonly"/>',
2285                  row_data[this.id].value ? 'checked="checked"' : '');
2286     }
2287 });
2288 instance.web.list.Binary = instance.web.list.Column.extend({
2289     /**
2290      * Return a link to the binary data as a file
2291      *
2292      * @private
2293      */
2294     _format: function (row_data, options) {
2295         var text = _t("Download");
2296         var value = row_data[this.id].value;
2297         var download_url;
2298         if (value && value.substr(0, 10).indexOf(' ') == -1) {
2299             download_url = "data:application/octet-stream;base64," + value;
2300         } else {
2301             download_url = instance.session.url('/web/binary/saveas', {model: options.model, field: this.id, id: options.id});
2302             if (this.filename) {
2303                 download_url += '&filename_field=' + this.filename;
2304             }
2305         }
2306         if (this.filename && row_data[this.filename]) {
2307             text = _.str.sprintf(_t("Download \"%s\""), instance.web.format_value(
2308                     row_data[this.filename].value, {type: 'char'}));
2309         }
2310         return _.template('<a href="<%-href%>"><%-text%></a> (<%-size%>)', {
2311             text: text,
2312             href: download_url,
2313             size: instance.web.binary_to_binsize(value),
2314         });
2315     }
2316 });
2317 instance.web.list.Char = instance.web.list.Column.extend({
2318     replacement: '*',
2319     /**
2320      * If password field, only display replacement characters (if value is
2321      * non-empty)
2322      */
2323     _format: function (row_data, options) {
2324         var value = row_data[this.id].value;
2325         if (value && this.password === 'True') {
2326             return value.replace(/[\s\S]/g, _.escape(this.replacement));
2327         }
2328         return this._super(row_data, options);
2329     }
2330 });
2331 instance.web.list.ProgressBar = instance.web.list.Column.extend({
2332     /**
2333      * Return a formatted progress bar display
2334      *
2335      * @private
2336      */
2337     _format: function (row_data, options) {
2338         return _.template(
2339             '<progress value="<%-value%>" max="100"><%-value%>%</progress>', {
2340                 value: _.str.sprintf("%.0f", row_data[this.id].value || 0)
2341             });
2342     }
2343 });
2344 instance.web.list.Handle = instance.web.list.Column.extend({
2345     init: function () {
2346         this._super.apply(this, arguments);
2347         // Handle overrides the field to not be form-editable.
2348         this.modifiers.readonly = true;
2349     },
2350     /**
2351      * Return styling hooks for a drag handle
2352      *
2353      * @private
2354      */
2355     _format: function (row_data, options) {
2356         return '<div class="oe_list_handle">';
2357     }
2358 });
2359 instance.web.list.Many2OneButton = instance.web.list.Column.extend({
2360     _format: function (row_data, options) {
2361         this.has_value = !!row_data[this.id].value;
2362         this.icon = this.has_value ? 'gtk-yes' : 'gtk-no';
2363         this.string = this.has_value ? _t('View') : _t('Create');
2364         return QWeb.render('Many2OneButton.cell', {
2365             'widget': this,
2366             'prefix': instance.session.prefix,
2367         });
2368     },
2369 });
2370 instance.web.list.Many2Many = instance.web.list.Column.extend({
2371     _format: function (row_data, options) {
2372         if (!_.isEmpty(row_data[this.id].value)) {
2373             // If value, use __display version for printing
2374             row_data[this.id] = row_data[this.id + '__display'];
2375         }
2376         return this._super(row_data, options);
2377     }
2378 });
2379 instance.web.list.Reference = instance.web.list.Column.extend({
2380     _format: function (row_data, options) {
2381         if (!_.isEmpty(row_data[this.id].value)) {
2382             // If value, use __display version for printing
2383             if (!!row_data[this.id + '__display']) {
2384                 row_data[this.id] = row_data[this.id + '__display'];
2385             } else {
2386                 row_data[this.id] = {'value': ''};
2387             }
2388         }
2389         return this._super(row_data, options);
2390     }
2391 });
2392 instance.web.list.toggle_button = instance.web.list.Column.extend({
2393     format: function (row_data, options) {
2394         this._super(row_data, options);
2395         var button_tips = JSON.parse(this.options);
2396         var fieldname = this.field_name;
2397         var has_value = row_data[fieldname] && !!row_data[fieldname].value;
2398         this.icon = has_value ? 'gtk-yes' : 'gtk-normal';
2399         this.string = has_value ? _t(button_tips ? button_tips['active']: ''): _t(button_tips ? button_tips['inactive']: '');
2400         return QWeb.render('toggle_button', {
2401             widget: this,
2402             prefix: instance.session.prefix,
2403         });
2404     },
2405 });
2406 })();