Removed ability to click to link in m2m_tags
[odoo/odoo.git] / addons / web / static / src / js / view_form.js
1 openerp.web.form = function (instance) {
2 var _t = instance.web._t,
3    _lt = instance.web._lt;
4 var QWeb = instance.web.qweb;
5
6 /** @namespace */
7 instance.web.form = {};
8
9 /**
10  * Interface implemented by the form view or any other object
11  * able to provide the features necessary for the fields to work.
12  * 
13  * Properties:
14  *     - display_invalid_fields : if true, all fields where is_valid() return true should
15  *     be displayed as invalid.
16  * Events:
17  *     - view_content_has_changed : when the values of the fields have changed. When
18  *     this event is triggered all fields should reprocess their modifiers.
19  */
20 instance.web.form.FieldManagerMixin = {
21     /**
22      * Must return the asked field as in fields_get.
23      */
24     get_field: function(field_name) {},
25     /**
26      * Called by the field when the translate button is clicked.
27      */
28     open_translate_dialog: function(field) {},
29     /**
30      * Returns true when the view is in create mode.
31      */
32     is_create_mode: function() {},
33 };
34
35 instance.web.views.add('form', 'instance.web.FormView');
36 instance.web.FormView = instance.web.View.extend(_.extend({}, instance.web.form.FieldManagerMixin, {
37     /**
38      * Indicates that this view is not searchable, and thus that no search
39      * view should be displayed (if there is one active).
40      */
41     searchable: false,
42     template: "FormView",
43     display_name: _lt('Form'),
44     view_type: "form",
45     /**
46      * @constructs instance.web.FormView
47      * @extends instance.web.View
48      *
49      * @param {instance.web.Session} session the current openerp session
50      * @param {instance.web.DataSet} dataset the dataset this view will work with
51      * @param {String} view_id the identifier of the OpenERP view object
52      * @param {Object} options
53      *                  - resize_textareas : [true|false|max_height]
54      *
55      * @property {instance.web.Registry} registry=instance.web.form.widgets widgets registry for this form view instance
56      */
57     init: function(parent, dataset, view_id, options) {
58         this._super(parent);
59         this.set_default_options(options);
60         this.dataset = dataset;
61         this.model = dataset.model;
62         this.view_id = view_id || false;
63         this.fields_view = {};
64         this.fields = {};
65         this.fields_order = [];
66         this.datarecord = {};
67         this.default_focus_field = null;
68         this.default_focus_button = null;
69         this.fields_registry = instance.web.form.widgets;
70         this.tags_registry = instance.web.form.tags;
71         this.has_been_loaded = $.Deferred();
72         this.translatable_fields = [];
73         _.defaults(this.options, {
74             "not_interactible_on_create": false,
75             "initial_mode": "view",
76         });
77         this.is_initialized = $.Deferred();
78         this.mutating_mutex = new $.Mutex();
79         this.on_change_mutex = new $.Mutex();
80         this.reload_mutex = new $.Mutex();
81         this.rendering_engine = new instance.web.form.FormRenderingEngineReadonly(this);
82         this.qweb = null; // A QWeb instance will be created if the view is a QWeb template
83     },
84     destroy: function() {
85         _.each(this.get_widgets(), function(w) {
86             w.destroy();
87         });
88         this._super();
89     },
90     on_loaded: function(data) {
91         var self = this;
92         if (!data) {
93             throw new Error("No data provided.");
94         }
95         if (this.arch) {
96             throw "Form view does not support multiple calls to on_loaded";
97         }
98         this.fields_order = [];
99         this.fields_view = data;
100
101         this.rendering_engine.set_fields_registry(this.fields_registry);
102         this.rendering_engine.set_tags_registry(this.tags_registry);
103         if (!this.extract_qweb_template(data)) {
104             this.rendering_engine.set_fields_view(data);
105             var $dest = this.$element.hasClass("oe_form_container") ? this.$element : this.$element.find('.oe_form_container');
106             this.rendering_engine.render_to($dest);
107         }
108
109
110         this.$buttons = $(QWeb.render("FormView.buttons", {'widget':self}));
111         if (this.options.$buttons) {
112             this.$buttons.appendTo(this.options.$buttons);
113         } else {
114             this.$element.find('.oe_form_buttons').replaceWith(this.$buttons);
115         }
116         this.$buttons.on('click','.oe_form_button_create',this.on_button_create);
117         this.$buttons.on('click','.oe_form_button_edit',this.on_button_edit);
118         this.$buttons.on('click','.oe_form_button_save',this.on_button_save);
119         this.$buttons.on('click','.oe_form_button_cancel',this.on_button_cancel);
120
121         this.$pager = $(QWeb.render("FormView.pager", {'widget':self}));
122         if (this.options.$pager) {
123             this.$pager.appendTo(this.options.$pager);
124         } else {
125             this.$element.find('.oe_form_pager').replaceWith(this.$pager);
126         }
127         this.$pager.on('click','a[data-pager-action]',function() {
128             var action = $(this).data('pager-action');
129             self.on_pager_action(action);
130         });
131
132         this.$sidebar = this.options.$sidebar || this.$element.find('.oe_form_sidebar');
133         if (!this.sidebar && this.options.$sidebar) {
134             this.sidebar = new instance.web.Sidebar(this);
135             this.sidebar.appendTo(this.$sidebar);
136             if(this.fields_view.toolbar) {
137                 this.sidebar.add_toolbar(this.fields_view.toolbar);
138             }
139             this.sidebar.add_items('other', [
140                 { label: _t('Delete'), callback: self.on_button_delete },
141                 { label: _t('Duplicate'), callback: self.on_button_duplicate },
142                 { label: _t('Set Default'), callback: function (item) { self.open_defaults_dialog(); } },
143             ]);
144         }
145         this.on("change:mode", this, this.switch_mode);
146         this.set({mode: this.options.initial_mode});
147         this.has_been_loaded.resolve();
148         return $.when();
149     },
150     extract_qweb_template: function(fvg) {
151         for (var i=0, ii=fvg.arch.children.length; i < ii; i++) {
152             var child = fvg.arch.children[i];
153             if (child.tag === "templates") {
154                 this.qweb = new QWeb2.Engine();
155                 this.qweb.add_template(instance.web.json_node_to_xml(child));
156                 if (!this.qweb.has_template('form')) {
157                     throw new Error("No QWeb template found for form view");
158                 }
159                 return true;
160             }
161         }
162         this.qweb = null;
163         return false;
164     },
165     get_fvg_from_qweb: function(record) {
166         var view = this.qweb.render('form', this.get_qweb_context(record));
167         var fvg = _.clone(this.fields_view);
168         fvg.arch = instance.web.xml_to_json(instance.web.str_to_xml(view).firstChild);
169         return fvg;
170     },
171     get_qweb_context: function(record) {
172         var self = this,
173             new_record = {};
174         _.each(record, function(value_, name) {
175             var r = _.clone(self.fields_view.fields[name] || {});
176             if ((r.type === 'date' || r.type === 'datetime') && value_) {
177                 r.raw_value = instance.web.auto_str_to_date(value_);
178             } else {
179                 r.raw_value = value_;
180             }
181             r.value = instance.web.format_value(value_, r);
182             new_record[name] = r;
183         });
184         return {
185             record : new_record,
186             new_record : !record.id
187         };
188     },
189     kill_current_form: function() {
190         _.each(this.getChildren(), function(el) {
191             el.destroy();
192         });
193         this.fields = {};
194         this.fields_order = [];
195         this.default_focus_field = null;
196         this.default_focus_button = null;
197         this.translatable_fields = [];
198         this.$element.find('.oe_form_container').empty();
199     },
200     do_load_state: function(state, warm) {
201         if (state.id && this.datarecord.id != state.id) {
202             if (!this.dataset.get_id_index(state.id)) {
203                 this.dataset.ids.push(state.id);
204             }
205             this.dataset.select_id(state.id);
206             if (warm) {
207                 this.do_show();
208             }
209         }
210     },
211     do_show: function () {
212         var self = this;
213         if (this.sidebar) {
214             this.sidebar.$element.show();
215         }
216         if (this.$buttons) {
217             this.$buttons.show();
218             this.$buttons.find('.oe_form_button_save').removeClass('oe_form_button_save_dirty');
219         }
220         if (this.$pager) {
221             this.$pager.show();
222         }
223         this.$element.show().css('visibility', 'hidden');
224         this.$element.removeClass('oe_form_dirty');
225         return this.has_been_loaded.pipe(function() {
226             var result;
227             if (self.dataset.index === null) {
228                 // null index means we should start a new record
229                 result = self.on_button_new();
230             } else {
231                 result = self.dataset.read_index(_.keys(self.fields_view.fields), {
232                     context : { 'bin_size' : true }
233                 }).pipe(self.on_record_loaded);
234             }
235             result.pipe(function() {
236                 self.$element.css('visibility', 'visible');
237             });
238             return result;
239         });
240     },
241     do_hide: function () {
242         if (this.sidebar) {
243             this.sidebar.$element.hide();
244         }
245         if (this.$buttons) {
246             this.$buttons.hide();
247         }
248         if (this.$pager) {
249             this.$pager.hide();
250         }
251         this._super();
252     },
253     on_record_loaded: function(record) {
254         var self = this, set_values = [];
255         if (!record) {
256             this.do_warn("Form", "The record could not be found in the database.", true);
257             return $.Deferred().reject();
258         }
259         this.datarecord = record;
260
261         if (this.qweb) {
262             this.kill_current_form();
263             this.rendering_engine.set_fields_view(this.get_fvg_from_qweb(record));
264             var $dest = this.$element.hasClass("oe_form_container") ? this.$element : this.$element.find('.oe_form_container');
265             this.rendering_engine.render_to($dest);
266         }
267
268         _(this.fields).each(function (field, f) {
269             field._dirty_flag = false;
270             var result = field.set_value(self.datarecord[f] || false);
271             set_values.push(result);
272         });
273         return $.when.apply(null, set_values).pipe(function() {
274             if (!record.id) {
275                 // New record: Second pass in order to trigger the onchanges
276                 // respecting the fields order defined in the view
277                 _.each(self.fields_order, function(field_name) {
278                     if (record[field_name] !== undefined) {
279                         var field = self.fields[field_name];
280                         field._dirty_flag = true;
281                         self.do_onchange(field);
282                     }
283                 });
284             }
285             self.on_form_changed();
286             self.is_initialized.resolve();
287             self.do_update_pager(record.id == null);
288             if (self.sidebar) {
289                self.sidebar.do_attachement_update(self.dataset, self.datarecord.id);
290             }
291             if (self.default_focus_field) {
292                 self.default_focus_field.focus();
293             }
294             if (record.id) {
295                 self.do_push_state({id:record.id});
296             }
297             self.$element.removeClass('oe_form_dirty');
298             self.$buttons.find('.oe_form_button_save').removeClass('oe_form_button_save_dirty');
299         });
300     },
301     on_form_changed: function() {
302         this.trigger("view_content_has_changed");
303     },
304     do_notify_change: function() {
305         this.$element.addClass('oe_form_dirty');
306         this.$buttons.find('.oe_form_button_save').addClass('oe_form_button_save_dirty');
307     },
308     on_pager_action: function(action) {
309         if (this.can_be_discarded()) {
310             switch (action) {
311                 case 'first':
312                     this.dataset.index = 0;
313                     break;
314                 case 'previous':
315                     this.dataset.previous();
316                     break;
317                 case 'next':
318                     this.dataset.next();
319                     break;
320                 case 'last':
321                     this.dataset.index = this.dataset.ids.length - 1;
322                     break;
323             }
324             this.reload();
325         }
326     },
327     do_update_pager: function(hide_index) {
328         var index = hide_index ? '-' : this.dataset.index + 1;
329         this.$pager.find('button').prop('disabled', this.dataset.ids.length < 2).end()
330                    .find('span.oe_pager_index').html(index).end()
331                    .find('span.oe_pager_count').html(this.dataset.ids.length);
332     },
333     parse_on_change: function (on_change, widget) {
334         var self = this;
335         var onchange = _.str.trim(on_change);
336         var call = onchange.match(/^\s?(.*?)\((.*?)\)\s?$/);
337         if (!call) {
338             return null;
339         }
340
341         var method = call[1];
342         if (!_.str.trim(call[2])) {
343             return {method: method, args: [], context_index: null}
344         }
345
346         var argument_replacement = {
347             'False': function () {return false;},
348             'True': function () {return true;},
349             'None': function () {return null;},
350             'context': function (i) {
351                 context_index = i;
352                 var ctx = new instance.web.CompoundContext(self.dataset.get_context(), widget.build_context() ? widget.build_context() : {});
353                 return ctx;
354             }
355         };
356         var parent_fields = null, context_index = null;
357         var args = _.map(call[2].split(','), function (a, i) {
358             var field = _.str.trim(a);
359
360             // literal constant or context
361             if (field in argument_replacement) {
362                 return argument_replacement[field](i);
363             }
364             // literal number
365             if (/^-?\d+(\.\d+)?$/.test(field)) {
366                 return Number(field);
367             }
368             // form field
369             if (self.fields[field]) {
370                 var value_ = self.fields[field].get_value();
371                 return value_ == null ? false : value_;
372             }
373             // parent field
374             var splitted = field.split('.');
375             if (splitted.length > 1 && _.str.trim(splitted[0]) === "parent" && self.dataset.parent_view) {
376                 if (parent_fields === null) {
377                     parent_fields = self.dataset.parent_view.get_fields_values([self.dataset.child_name]);
378                 }
379                 var p_val = parent_fields[_.str.trim(splitted[1])];
380                 if (p_val !== undefined) {
381                     return p_val == null ? false : p_val;
382                 }
383             }
384             // string literal
385             var first_char = field[0], last_char = field[field.length-1];
386             if ((first_char === '"' && last_char === '"')
387                 || (first_char === "'" && last_char === "'")) {
388                 return field.slice(1, -1);
389             }
390
391             throw new Error("Could not get field with name '" + field +
392                             "' for onchange '" + onchange + "'");
393         });
394
395         return {
396             method: method,
397             args: args,
398             context_index: context_index
399         };
400     },
401     do_onchange: function(widget, processed) {
402         var self = this;
403         return this.on_change_mutex.exec(function() {
404             try {
405                 var response = {}, can_process_onchange = $.Deferred();
406                 processed = processed || [];
407                 processed.push(widget.name);
408                 var on_change = widget.node.attrs.on_change;
409                 if (on_change) {
410                     var change_spec = self.parse_on_change(on_change, widget);
411                     if (change_spec) {
412                         var ajax = {
413                             url: '/web/dataset/onchange',
414                             async: false
415                         };
416                         can_process_onchange = self.rpc(ajax, {
417                             model: self.dataset.model,
418                             method: change_spec.method,
419                             args: [(self.datarecord.id == null ? [] : [self.datarecord.id])].concat(change_spec.args),
420                             context_id: change_spec.context_index == undefined ? null : change_spec.context_index + 1
421                         }).then(function(r) {
422                             _.extend(response, r);
423                         });
424                     } else {
425                         console.warn("Wrong on_change format", on_change);
426                     }
427                 }
428                 // fail if onchange failed
429                 if (can_process_onchange.isRejected()) {
430                     return can_process_onchange;
431                 }
432
433                 if (widget.field['change_default']) {
434                     var fieldname = widget.name, value_;
435                     if (response.value && (fieldname in response.value)) {
436                         // Use value from onchange if onchange executed
437                         value_ = response.value[fieldname];
438                     } else {
439                         // otherwise get form value for field
440                         value_ = self.fields[fieldname].get_value();
441                     }
442                     var condition = fieldname + '=' + value_;
443
444                     if (value_) {
445                         can_process_onchange = self.rpc({
446                             url: '/web/dataset/call',
447                             async: false
448                         }, {
449                             model: 'ir.values',
450                             method: 'get_defaults',
451                             args: [self.model, condition]
452                         }).then(function (results) {
453                             if (!results.length) { return; }
454                             if (!response.value) {
455                                 response.value = {};
456                             }
457                             for(var i=0; i<results.length; ++i) {
458                                 // [whatever, key, value]
459                                 var triplet = results[i];
460                                 response.value[triplet[1]] = triplet[2];
461                             }
462                         });
463                     }
464                 }
465                 if (can_process_onchange.isRejected()) {
466                     return can_process_onchange;
467                 }
468
469                 return self.on_processed_onchange(response, processed);
470             } catch(e) {
471                 console.error(e);
472                 return $.Deferred().reject();
473             }
474         });
475     },
476     on_processed_onchange: function(response, processed) {
477         try {
478         var result = response;
479         if (result.value) {
480             for (var f in result.value) {
481                 if (!result.value.hasOwnProperty(f)) { continue; }
482                 var field = this.fields[f];
483                 // If field is not defined in the view, just ignore it
484                 if (field) {
485                     var value_ = result.value[f];
486                     if (field.get_value() != value_) {
487                         field.set_value(value_);
488                         field._dirty_flag = true;
489                         if (!_.contains(processed, field.name)) {
490                             this.do_onchange(field, processed);
491                         }
492                     }
493                 }
494             }
495             this.on_form_changed();
496         }
497         if (!_.isEmpty(result.warning)) {
498                 instance.web.dialog($(QWeb.render("CrashManagerWarning", result.warning)), {
499                 modal: true,
500                 buttons: [
501                     {text: _t("Ok"), click: function() { $(this).dialog("close"); }}
502                 ]
503             });
504         }
505         if (result.domain) {
506             function edit_domain(node) {
507                 var new_domain = result.domain[node.attrs.name];
508                 if (new_domain) {
509                     node.attrs.domain = new_domain;
510                 }
511                 _(node.children).each(edit_domain);
512             }
513             edit_domain(this.fields_view.arch);
514         }
515         return $.Deferred().resolve();
516         } catch(e) {
517             console.error(e);
518             return $.Deferred().reject();
519         }
520     },
521     switch_mode: function() {
522         var self = this;
523         if(this.get("mode") == "view") {
524             self.$buttons.find('.oe_form_buttons_edit').hide();
525             self.$buttons.find('.oe_form_buttons_view').show();
526             self.$sidebar.show();
527             _.each(this.fields,function(field){
528                 field.set({"force_readonly": true});
529             });
530         } else {
531             self.$buttons.find('.oe_form_buttons_edit').show();
532             self.$buttons.find('.oe_form_buttons_view').hide();
533             self.$sidebar.hide();
534             _.each(this.fields,function(field){
535                 field.set({"force_readonly": false});
536             });
537         }
538     },
539     on_button_save: function() {
540         var self = this;
541         return this.do_save().then(function(result) {
542             self.set({mode: "view"});
543         });
544     },
545     on_button_cancel: function(event) {
546         if (this.can_be_discarded()) {
547             this.set({mode: "view"});
548         }
549         return false;
550     },
551     on_button_new: function() {
552         var self = this;
553         this.set({mode: "edit"});
554         var def = $.Deferred();
555         $.when(this.has_been_loaded).then(function() {
556             if (self.can_be_discarded()) {
557                 var keys = _.keys(self.fields_view.fields);
558                 if (keys.length) {
559                     self.dataset.default_get(keys).pipe(self.on_record_loaded).then(function() {
560                         def.resolve();
561                     });
562                 } else {
563                     self.on_record_loaded({}).then(function() {
564                         def.resolve();
565                     });
566                 }
567             }
568         });
569         return def.promise();
570     },
571     on_button_edit: function() {
572         return this.set({mode: "edit"});
573     },
574     on_button_create: function() {
575         this.dataset.index = null;
576         this.do_show();
577     },
578     on_button_duplicate: function() {
579         var self = this;
580         var def = $.Deferred();
581         $.when(this.has_been_loaded).then(function() {
582             self.dataset.call('copy', [self.datarecord.id, {}, self.dataset.context]).then(function(new_id) {
583                 return self.on_created({ result : new_id });
584             }).then(function() {
585                 return self.set({mode: "edit"});
586             }).then(function() {
587                 def.resolve();
588             });
589         });
590         return def.promise();
591     },
592     on_button_delete: function() {
593         var self = this;
594         var def = $.Deferred();
595         $.when(this.has_been_loaded).then(function() {
596             if (self.datarecord.id && confirm(_t("Do you really want to delete this record?"))) {
597                 self.dataset.unlink([self.datarecord.id]).then(function() {
598                     self.on_pager_action('next');
599                     def.resolve();
600                 });
601             } else {
602                 $.async_when().then(function () {
603                     def.reject();
604                 })
605             }
606         });
607         return def.promise();
608     },
609     can_be_discarded: function() {
610         return !this.$element.is('.oe_form_dirty') || confirm(_t("Warning, the record has been modified, your changes will be discarded."));
611     },
612     /**
613      * Triggers saving the form's record. Chooses between creating a new
614      * record or saving an existing one depending on whether the record
615      * already has an id property.
616      *
617      * @param {Function} success callback on save success
618      * @param {Boolean} [prepend_on_create=false] if ``do_save`` creates a new record, should that record be inserted at the start of the dataset (by default, records are added at the end)
619      */
620     do_save: function(success, prepend_on_create) {
621         var self = this;
622         return this.mutating_mutex.exec(function() { return self.is_initialized.pipe(function() {
623             try {
624             var form_invalid = false,
625                 values = {},
626                 first_invalid_field = null;
627             for (var f in self.fields) {
628                 f = self.fields[f];
629                 if (!f.is_valid()) {
630                     form_invalid = true;
631                     if (!first_invalid_field) {
632                         first_invalid_field = f;
633                     }
634                 } else if (f.name !== 'id' && !f.get("readonly") && (!self.datarecord.id || f._dirty_flag)) {
635                     // Special case 'id' field, do not save this field
636                     // on 'create' : save all non readonly fields
637                     // on 'edit' : save non readonly modified fields
638                     values[f.name] = f.get_value();
639                 }
640             }
641             if (form_invalid) {
642                 self.set({'display_invalid_fields': true});
643                 first_invalid_field.focus();
644                 self.on_invalid();
645                 return $.Deferred().reject();
646             } else {
647                 self.set({'display_invalid_fields': false});
648                 var save_deferral;
649                 if (!self.datarecord.id) {
650                     //console.log("FormView(", self, ") : About to create", values);
651                     save_deferral = self.dataset.create(values).pipe(function(r) {
652                         return self.on_created(r, undefined, prepend_on_create);
653                     }, null);
654                 } else if (_.isEmpty(values) && ! self.force_dirty) {
655                     //console.log("FormView(", self, ") : Nothing to save");
656                     save_deferral = $.Deferred().resolve({}).promise();
657                 } else {
658                     self.force_dirty = false;
659                     //console.log("FormView(", self, ") : About to save", values);
660                     save_deferral = self.dataset.write(self.datarecord.id, values, {}).pipe(function(r) {
661                         return self.on_saved(r);
662                     }, null);
663                 }
664                 return save_deferral.then(success);
665             }
666             } catch (e) {
667                 console.error(e);
668                 return $.Deferred().reject();
669             }
670         });});
671     },
672     on_invalid: function() {
673         var msg = "<ul>";
674         _.each(this.fields, function(f) {
675             if (!f.is_valid()) {
676                 msg += "<li>" + (f.node.attrs.string || f.field.string) + "</li>";
677             }
678         });
679         msg += "</ul>";
680         this.do_warn("The following fields are invalid :", msg);
681     },
682     on_saved: function(r, success) {
683         if (!r.result) {
684             // should not happen in the server, but may happen for internal purpose
685             return $.Deferred().reject();
686         } else {
687             return $.when(this.reload()).pipe(function () {
688                 return $.when(r).then(success); }, null);
689         }
690     },
691     /**
692      * Updates the form' dataset to contain the new record:
693      *
694      * * Adds the newly created record to the current dataset (at the end by
695      *   default)
696      * * Selects that record (sets the dataset's index to point to the new
697      *   record's id).
698      * * Updates the pager and sidebar displays
699      *
700      * @param {Object} r
701      * @param {Function} success callback to execute after having updated the dataset
702      * @param {Boolean} [prepend_on_create=false] adds the newly created record at the beginning of the dataset instead of the end
703      */
704     on_created: function(r, success, prepend_on_create) {
705         if (!r.result) {
706             // should not happen in the server, but may happen for internal purpose
707             return $.Deferred().reject();
708         } else {
709             this.datarecord.id = r.result;
710             if (!prepend_on_create) {
711                 this.dataset.alter_ids(this.dataset.ids.concat([this.datarecord.id]));
712                 this.dataset.index = this.dataset.ids.length - 1;
713             } else {
714                 this.dataset.alter_ids([this.datarecord.id].concat(this.dataset.ids));
715                 this.dataset.index = 0;
716             }
717             this.do_update_pager();
718             if (this.sidebar) {
719                 this.sidebar.do_attachement_update(this.dataset, this.datarecord.id);
720             }
721             //instance.log("The record has been created with id #" + this.datarecord.id);
722             this.reload();
723             return $.when(_.extend(r, {created: true})).then(success);
724         }
725     },
726     on_action: function (action) {
727         console.debug('Executing action', action);
728     },
729     reload: function() {
730         var self = this;
731         return this.reload_mutex.exec(function() {
732             if (self.dataset.index == null) {
733                 self.do_prev_view();
734                 return $.Deferred().reject().promise();
735             }
736             if (self.dataset.index == null || self.dataset.index < 0) {
737                 return $.when(self.on_button_new());
738             } else {
739                 return self.dataset.read_index(_.keys(self.fields_view.fields), {
740                     context : { 'bin_size' : true }
741                 }).pipe(self.on_record_loaded);
742             }
743         });
744     },
745     get_widgets: function() {
746         return _.filter(this.getChildren(), function(obj) {
747             return obj instanceof instance.web.form.FormWidget;
748         });
749     },
750     get_fields_values: function(blacklist) {
751         blacklist = blacklist || [];
752         var values = {};
753         var ids = this.get_selected_ids();
754         values["id"] = ids.length > 0 ? ids[0] : false;
755         _.each(this.fields, function(value_, key) {
756                 if (_.include(blacklist, key))
757                         return;
758             var val = value_.get_value();
759             values[key] = val;
760         });
761         return values;
762     },
763     get_selected_ids: function() {
764         var id = this.dataset.ids[this.dataset.index];
765         return id ? [id] : [];
766     },
767     recursive_save: function() {
768         var self = this;
769         return $.when(this.do_save()).pipe(function(res) {
770             if (self.dataset.parent_view)
771                 return self.dataset.parent_view.recursive_save();
772         });
773     },
774     is_dirty: function() {
775         return _.any(this.fields, function (value_) {
776             return value_._dirty_flag;
777         });
778     },
779     is_interactible_record: function() {
780         var id = this.datarecord.id;
781         if (!id) {
782             if (this.options.not_interactible_on_create)
783                 return false;
784         } else if (typeof(id) === "string") {
785             if(instance.web.BufferedDataSet.virtual_id_regex.test(id))
786                 return false;
787         }
788         return true;
789     },
790     sidebar_context: function () {
791         return this.do_save().pipe(_.bind(function() {return this.get_fields_values();}, this));
792     },
793     open_defaults_dialog: function () {
794         var self = this;
795         var fields = _.chain(this.fields)
796             .map(function (field, name) {
797                 var value = field.get_value();
798                 // ignore fields which are empty, invisible, readonly, o2m
799                 // or m2m
800                 if (!value
801                         || field.get('invisible')
802                         || field.get("readonly")
803                         || field.field.type === 'one2many'
804                         || field.field.type === 'many2many') {
805                     return false;
806                 }
807                 var displayed = value;
808                 switch (field.field.type) {
809                 case 'selection':
810                     displayed = _(field.values).find(function (option) {
811                             return option[0] === value;
812                         })[1];
813                     break;
814                 }
815
816                 return {
817                     name: name,
818                     string: field.node.attrs.string || field.field.string,
819                     value: value,
820                     displayed: displayed,
821                     // convert undefined to false
822                     change_default: !!field.field.change_default
823                 }
824             })
825             .compact()
826             .sortBy(function (field) { return field.string; })
827             .value();
828         var conditions = _.chain(fields)
829             .filter(function (field) { return field.change_default; })
830             .value();
831
832         var d = new instance.web.Dialog(this, {
833             title: _t("Set Default"),
834             args: {
835                 fields: fields,
836                 conditions: conditions
837             },
838             buttons: [
839                 {text: _t("Close"), click: function () { d.close(); }},
840                 {text: _t("Save default"), click: function () {
841                     var $defaults = d.$element.find('#formview_default_fields');
842                     var field_to_set = $defaults.val();
843                     if (!field_to_set) {
844                         $defaults.parent().addClass('oe_form_invalid');
845                         return;
846                     }
847                     var condition = d.$element.find('#formview_default_conditions').val(),
848                         all_users = d.$element.find('#formview_default_all').is(':checked');
849                     new instance.web.DataSet(self, 'ir.values').call(
850                         'set_default', [
851                             self.dataset.model,
852                             field_to_set,
853                             self.fields[field_to_set].get_value(),
854                             all_users,
855                             false,
856                             condition || false
857                     ]).then(function () { d.close(); });
858                 }}
859             ]
860         });
861         d.template = 'FormView.set_default';
862         d.open();
863     },
864     register_field: function(field, name) {
865         this.fields[name] = field;
866         this.fields_order.push(name);
867         if (this.get_field(name).translate) {
868             this.translatable_fields.push(field);
869         }
870         field.on('changed_value', this, function() {
871             field._dirty_flag = true;
872             if (field.is_syntax_valid()) {
873                 this.do_onchange(field);
874                 this.on_form_changed(true);
875                 this.do_notify_change();
876             }
877         });
878     },
879     get_field: function(field_name) {
880         return this.fields_view.fields[field_name];
881     },
882     is_create_mode: function() {
883         return !this.datarecord.id;
884     },
885 }));
886
887 /**
888  * Interface to be implemented by rendering engines for the form view.
889  */
890 instance.web.form.FormRenderingEngineInterface = instance.web.Class.extend({
891     set_fields_view: function(fields_view) {},
892     set_fields_registry: function(fields_registry) {},
893     render_to: function($element) {},
894 });
895
896 /**
897  * Default rendering engine for the form view.
898  * 
899  * It is necessary to set the view using set_view() before usage.
900  */
901 instance.web.form.FormRenderingEngine = instance.web.form.FormRenderingEngineInterface.extend({
902     init: function(view) {
903         this.view = view;
904     },
905     set_fields_view: function(fvg) {
906         this.fvg = fvg;
907     },
908     set_tags_registry: function(tags_registry) {
909         this.tags_registry = tags_registry;
910     },
911     set_fields_registry: function(fields_registry) {
912         this.fields_registry = fields_registry;
913     },
914     render_to: function($target) {
915         var self = this;
916         this.$target = $target;
917
918         // TODO: I know this will save the world and all the kitten for a moment,
919         //       but one day, we will have to get rid of xml2json
920         var xml = instance.web.json_node_to_xml(this.fvg.arch);
921         this.$form = $('<div class="oe_form">' + xml + '</div>');
922         if (this.fvg.arch.attrs && this.fvg.arch.attrs['layout'] !== 'manual') {
923             this.$form.attr('layout', 'auto');
924         }
925
926         this.fields_to_init = [];
927         this.tags_to_init = [];
928         this.labels = {};
929         this.process(this.$form);
930
931         this.$form.appendTo(this.$target);
932
933         _.each(this.fields_to_init, function($elem) {
934             var name = $elem.attr("name");
935             if (!self.fvg.fields[name]) {
936                 throw new Error("Field '" + name + "' specified in view could not be found.");
937             }
938             var obj = self.fields_registry.get_any([$elem.attr('widget'), self.fvg.fields[name].type]);
939             if (!obj) {
940                 throw new Error("Widget type '"+ $elem.attr('widget') + "' is not implemented");
941             }
942             var w = new (obj)(self.view, instance.web.xml_to_json($elem[0]));
943             var $label = self.labels[$elem.attr("name")];
944             if ($label) {
945                 w.set_input_id($label.attr("for"));
946             }
947             self.alter_field(w);
948             self.view.register_field(w, $elem.attr("name"));
949             w.replace($elem);
950         });
951         _.each(this.tags_to_init, function($elem) {
952             var tag_name = $elem[0].tagName.toLowerCase();
953             var obj = self.tags_registry.get_object(tag_name);
954             var w = new (obj)(self.view, instance.web.xml_to_json($elem[0]));
955             w.replace($elem);
956         })
957         // TODO: return a deferred
958     },
959     render_element: function(template, layout/* dictionaries */) {
960         var dicts = [].slice.call(arguments).slice(2);
961         dicts.unshift({ 'layout' : layout });
962         var dict = _.extend.apply(_, dicts);
963         dict['classnames'] = dict['class'] || ''; // class is a reserved word and might caused problem to Safari when used from QWeb
964         var alt_template = template + '.' + layout;
965         template = QWeb.has_template(alt_template) ? alt_template : template;
966         return $(QWeb.render(template, dict));
967     },
968     alter_field: function(field) {
969     },
970     toggle_layout_debugging: function() {
971         if (!this.$target.has('.oe_layout_debug_cell:first').length) {
972             this.$target.find('[title]').removeAttr('title');
973             this.$target.find('.oe_form_group_cell').each(function() {
974                 var text = 'W:' + ($(this).attr('width') || '') + ' - C:' + $(this).attr('colspan');
975                 $(this).attr('title', text);
976             });
977         }
978         this.$target.toggleClass('oe_layout_debugging');
979     },
980     process: function($tag, layout) {
981         var self = this;
982         layout = $tag.attr('layout') || layout || 'auto';
983         $tag.removeAttr('layout');
984         var tagname = $tag[0].nodeName.toLowerCase();
985         if (this.tags_registry.contains(tagname)) {
986             this.tags_to_init.push($tag);
987             return $tag;
988         }
989         var fn = self['process_' + tagname];
990         if (fn) {
991             var args = [].slice.call(arguments);
992             args[0] = $tag;
993             args[1] = layout;
994             return fn.apply(self, args);
995         } else {
996             // generic tag handling, just process children
997             $tag.children().each(function() {
998                 self.process($(this), layout);
999             });
1000             self.handle_common_properties($tag, $tag);
1001             $tag.removeAttr("modifiers");
1002             return $tag;
1003         }
1004     },
1005     process_sheet: function($sheet, layout) {
1006         var $new_sheet = this.render_element('FormRenderingSheet', layout, $sheet.getAttributes());
1007         this.handle_common_properties($new_sheet, $sheet);
1008         var $dst = (layout === 'auto') ? $new_sheet.find('group:first') : $new_sheet.find('.oe_form_sheet');
1009         $sheet.children().appendTo($dst);
1010         $sheet.before($new_sheet).remove();
1011         this.process($new_sheet, layout);
1012     },
1013     process_form: function($form, layout) {
1014         var $new_form = this.render_element('FormRenderingForm', layout, $form.getAttributes());
1015         this.handle_common_properties($new_form, $form);
1016         var $dst = (layout === 'auto') ? $new_form.find('group:first') : $new_form;
1017         $form.children().appendTo($dst);
1018         if ($form[0] === this.$form[0]) {
1019             // If root element, replace it
1020             this.$form = $new_form;
1021         } else {
1022             $form.before($new_form).remove();
1023         }
1024         this.process($new_form, layout);
1025     },
1026     preprocess_field: function($field) {
1027         var self = this;
1028         var name = $field.attr('name'),
1029             field_colspan = parseInt($field.attr('colspan'), 10),
1030             field_modifiers = JSON.parse($field.attr('modifiers') || '{}');
1031
1032         if ($field.attr('nolabel') === '1')
1033             return;
1034         $field.attr('nolabel', '1');
1035         var found = false;
1036         this.$form.find('label[for="' + name + '"]').each(function(i ,el) {
1037             $(el).parents().each(function(unused, tag) {
1038                 var name = tag.tagName.toLowerCase();
1039                 if (name === "field" || name in self.tags_registry.map)
1040                     found = true;
1041             });
1042         });
1043         if (found)
1044             return;
1045
1046         $label = $('<label/>').attr({
1047             'for' : name,
1048             "modifiers": JSON.stringify({invisible: field_modifiers.invisible}),
1049             "string": $field.attr('string'),
1050             "help": $field.attr('help'),
1051         });
1052         $label.insertBefore($field);
1053         if (field_colspan > 1) {
1054             $field.attr('colspan', field_colspan - 1);
1055         }
1056         return $label;
1057     },
1058     process_field: function($field, layout) {
1059         var $label = this.preprocess_field($field);
1060         if ($label)
1061             this.process($label, layout);
1062         this.fields_to_init.push($field);
1063         return $field;
1064     },
1065     process_group: function($group, layout) {
1066         var self = this;
1067         if ($group.parent().is('.oe_form_group_cell')) {
1068             $group.parent().addClass('oe_form_group_nested');
1069         }
1070         $group.children('field').each(function() {
1071             self.preprocess_field($(this));
1072         });
1073         var $new_group = this.render_element('FormRenderingGroup', layout, $group.getAttributes()),
1074             $table;
1075         if ($new_group.is('table')) {
1076             $table = $new_group;
1077         } else {
1078             $table = $new_group.find('table:first');
1079         }
1080         $table.addClass('oe_form_group');
1081         var $tr, $td,
1082             cols = parseInt($group.attr('col') || 4, 10),
1083             row_cols = cols;
1084
1085         var children = [];
1086         $group.children().each(function(a,b,c) {
1087             var $child = $(this);
1088             var colspan = parseInt($child.attr('colspan') || 1, 10);
1089             var tagName = $child[0].tagName.toLowerCase();
1090             var $td = $('<td/>').addClass('oe_form_group_cell').attr('colspan', colspan);
1091             var newline = tagName === 'newline';
1092             if ($tr && row_cols > 0 && (newline || row_cols < colspan)) {
1093                 $tr.addClass('oe_form_group_row_incomplete');
1094                 if (newline) {
1095                     $tr.addClass('oe_form_group_row_newline');
1096                 }
1097             }
1098             if (newline) {
1099                 $tr = null;
1100                 return;
1101             }
1102             if (!$tr || row_cols < colspan) {
1103                 $tr = $('<tr/>').addClass('oe_form_group_row').appendTo($table);
1104                 row_cols = cols;
1105             }
1106             row_cols -= colspan;
1107
1108             // invisibility transfer
1109             var field_modifiers = JSON.parse($child.attr('modifiers') || '{}');
1110             var invisible = field_modifiers.invisible;
1111             self.handle_common_properties($td, $("<dummy>").attr("modifiers", JSON.stringify({invisible: invisible})));
1112
1113             $tr.append($td.append($child));
1114             children.push($child[0]);
1115         });
1116         if (row_cols && $td) {
1117             $td.attr('colspan', parseInt($td.attr('colspan'), 10) + row_cols);
1118         }
1119         $group.before($new_group).remove();
1120
1121         // Now compute width of cells
1122         $table.find('> tbody > tr').each(function() {
1123             var to_compute = [],
1124                 row_cols = cols,
1125                 total = 100;
1126             $(this).children().each(function() {
1127                 var $td = $(this),
1128                     $child = $td.children(':first');
1129                 switch ($child[0].tagName.toLowerCase()) {
1130                     case 'separator':
1131                         if ($child.attr('orientation') === 'vertical') {
1132                             $td.addClass('oe_vertical_separator').attr('width', '1');
1133                             $td.empty();
1134                             row_cols--;
1135                         }
1136                         break;
1137                     case 'label':
1138                         if ($child.attr('for')) {
1139                             $td.attr('width', '1%').addClass('oe_form_group_cell_label');
1140                             row_cols--;
1141                             total--;
1142                         }
1143                         break;
1144                     default:
1145                         var width = _.str.trim($child.attr('width') || ''),
1146                             iwidth = parseInt(width, 10);
1147                         if (iwidth) {
1148                             if (width.substr(-1) === '%') {
1149                                 total -= iwidth;
1150                                 width = iwidth + '%';
1151                             } else {
1152                                 // Absolute width
1153                                 $td.css('min-width', width + 'px');
1154                             }
1155                             $td.attr('width', width);
1156                             $child.removeAttr('width');
1157                             row_cols--;
1158                         } else {
1159                             to_compute.push($td);
1160                         }
1161
1162                 }
1163             });
1164             var unit = Math.floor(total / row_cols);
1165             if (!$(this).is('.oe_form_group_row_incomplete')) {
1166                 _.each(to_compute, function($td, i) {
1167                     var width = parseInt($td.attr('colspan'), 10) * unit;
1168                     $td.attr('width', ((i == to_compute.length - 1) ? total : width) + '%');
1169                     total -= width;
1170                 });
1171             }
1172         });
1173         _.each(children, function(el) {
1174             self.process($(el));
1175         });
1176         this.handle_common_properties($new_group, $group);
1177         return $new_group;
1178     },
1179     process_notebook: function($notebook, layout) {
1180         var self = this;
1181         var pages = [];
1182         $notebook.find('> page').each(function() {
1183             var $page = $(this);
1184             var page_attrs = $page.getAttributes();
1185             page_attrs.id = _.uniqueId('notebook_page_');
1186             pages.push(page_attrs);
1187             var $new_page = self.render_element('FormRenderingNotebookPage', layout, page_attrs);
1188             var $dst = (layout === 'auto') ? $new_page.find('group:first') : $new_page;
1189             $page.children().appendTo($dst);
1190             $page.before($new_page).remove();
1191             self.handle_common_properties($new_page, $page);
1192         });
1193         var $new_notebook = this.render_element('FormRenderingNotebook', layout, { pages : pages });
1194         $notebook.children().appendTo($new_notebook);
1195         $notebook.before($new_notebook).remove();
1196         $new_notebook.children().each(function() {
1197             self.process($(this));
1198         });
1199         $new_notebook.tabs();
1200         this.handle_common_properties($new_notebook, $notebook);
1201         return $new_notebook;
1202     },
1203     process_separator: function($separator, layout) {
1204         var $new_separator = this.render_element('FormRenderingSeparator', layout, $separator.getAttributes());
1205         $separator.before($new_separator).remove();
1206         this.handle_common_properties($new_separator, $separator);
1207         return $new_separator;
1208     },
1209     process_label: function($label, layout) {
1210         var name = $label.attr("for"),
1211             field_orm = this.fvg.fields[name];
1212         var dict = {
1213             string: $label.attr('string') || (field_orm || {}).string || '',
1214             help: $label.attr('help') || (field_orm || {}).help || '',
1215             _for: name ? _.uniqueId('oe-field-input-') : undefined,
1216         };
1217         var align = parseFloat(dict.align);
1218         if (isNaN(align) || align === 1) {
1219             align = 'right';
1220         } else if (align === 0) {
1221             align = 'left';
1222         } else {
1223             align = 'center';
1224         }
1225         dict.align = align;
1226         var $new_label = this.render_element('FormRenderingLabel', layout, dict);
1227         $label.before($new_label).remove();
1228         this.handle_common_properties($new_label, $label);
1229         if (name) {
1230             this.labels[name] = $new_label;
1231         }
1232         return $new_label;
1233     },
1234     handle_common_properties: function($new_element, $node) {
1235         var str_modifiers = $node.attr("modifiers") || "{}"
1236         var modifiers = JSON.parse(str_modifiers);
1237         if (modifiers.invisible !== undefined)
1238             new instance.web.form.InvisibilityChanger(this.view, this.view, modifiers.invisible, $new_element);
1239         $new_element.addClass($node.attr("class") || "");
1240         $new_element.attr('style', $node.attr('style'));
1241     },
1242 });
1243
1244 instance.web.form.FormRenderingEngineReadonly = instance.web.form.FormRenderingEngine.extend({
1245     alter_field: function(field) {
1246         field.set({"force_readonly": true});
1247     },
1248 });
1249
1250 instance.web.form.FormDialog = instance.web.Dialog.extend({
1251     init: function(parent, options, view_id, dataset) {
1252         this._super(parent, options);
1253         this.dataset = dataset;
1254         this.view_id = view_id;
1255         return this;
1256     },
1257     start: function() {
1258         this._super();
1259         this.form = new instance.web.FormView(this, this.dataset, this.view_id, {
1260             pager: false
1261         });
1262         this.form.appendTo(this.$element);
1263         this.form.on_created.add_last(this.on_form_dialog_saved);
1264         this.form.on_saved.add_last(this.on_form_dialog_saved);
1265         return this;
1266     },
1267     select_id: function(id) {
1268         if (this.form.dataset.select_id(id)) {
1269             return this.form.do_show();
1270         } else {
1271             this.do_warn("Could not find id in dataset");
1272             return $.Deferred().reject();
1273         }
1274     },
1275     on_form_dialog_saved: function(r) {
1276         this.close();
1277     }
1278 });
1279
1280 instance.web.form.compute_domain = function(expr, fields) {
1281     var stack = [];
1282     for (var i = expr.length - 1; i >= 0; i--) {
1283         var ex = expr[i];
1284         if (ex.length == 1) {
1285             var top = stack.pop();
1286             switch (ex) {
1287                 case '|':
1288                     stack.push(stack.pop() || top);
1289                     continue;
1290                 case '&':
1291                     stack.push(stack.pop() && top);
1292                     continue;
1293                 case '!':
1294                     stack.push(!top);
1295                     continue;
1296                 default:
1297                     throw new Error(_.str.sprintf(
1298                         _t("Unknown operator %s in domain %s"),
1299                         ex, JSON.stringify(expr)));
1300             }
1301         }
1302
1303         var field = fields[ex[0]];
1304         if (!field) {
1305             throw new Error(_.str.sprintf(
1306                 _t("Unknown field %s in domain %s"),
1307                 ex[0], JSON.stringify(expr)));
1308         }
1309         var field_value = field.get_value ? field.get_value() : field.value;
1310         var op = ex[1];
1311         var val = ex[2];
1312
1313         switch (op.toLowerCase()) {
1314             case '=':
1315             case '==':
1316                 stack.push(field_value == val);
1317                 break;
1318             case '!=':
1319             case '<>':
1320                 stack.push(field_value != val);
1321                 break;
1322             case '<':
1323                 stack.push(field_value < val);
1324                 break;
1325             case '>':
1326                 stack.push(field_value > val);
1327                 break;
1328             case '<=':
1329                 stack.push(field_value <= val);
1330                 break;
1331             case '>=':
1332                 stack.push(field_value >= val);
1333                 break;
1334             case 'in':
1335                 if (!_.isArray(val)) val = [val];
1336                 stack.push(_(val).contains(field_value));
1337                 break;
1338             case 'not in':
1339                 if (!_.isArray(val)) val = [val];
1340                 stack.push(!_(val).contains(field_value));
1341                 break;
1342             default:
1343                 console.warn(
1344                     _t("Unsupported operator %s in domain %s"),
1345                     op, JSON.stringify(expr));
1346         }
1347     }
1348     return _.all(stack, _.identity);
1349 };
1350
1351 /**
1352  * Must be applied over an class already possessing the PropertiesMixin.
1353  *
1354  * Apply the result of the "invisible" domain to this.$element.
1355  */
1356 instance.web.form.InvisibilityChangerMixin = {
1357     init: function(field_manager, invisible_domain) {
1358         this._ic_field_manager = field_manager
1359         this._ic_invisible_modifier = invisible_domain;
1360         this._ic_field_manager.on("view_content_has_changed", this, function() {
1361             var result = this._ic_invisible_modifier === undefined ? false :
1362                 instance.web.form.compute_domain(this._ic_invisible_modifier, this._ic_field_manager.fields);
1363             this.set({"invisible": result});
1364         });
1365         this.set({invisible: this._ic_invisible_modifier === true, force_invisible: false});
1366         var check = function() {
1367             if (this.get("invisible") || this.get('force_invisible')) {
1368                 this.set({"effective_invisible": true});
1369             } else {
1370                 this.set({"effective_invisible": false});
1371             }
1372         };
1373         this.on('change:invisible', this, check);
1374         this.on('change:force_invisible', this, check);
1375         _.bind(check, this)();
1376     },
1377     start: function() {
1378         var check_visibility = function() {
1379             if (this.get("effective_invisible")) {
1380                 this.$element.hide();
1381             } else {
1382                 this.$element.show();
1383             }
1384         };
1385         this.on("change:effective_invisible", this, check_visibility);
1386         _.bind(check_visibility, this)();
1387     },
1388 };
1389
1390 instance.web.form.InvisibilityChanger = instance.web.Class.extend(_.extend({}, instance.web.PropertiesMixin, instance.web.form.InvisibilityChangerMixin, {
1391     init: function(parent, field_manager, invisible_domain, $element) {
1392         this.setParent(parent);
1393         instance.web.PropertiesMixin.init.call(this);
1394         instance.web.form.InvisibilityChangerMixin.init.call(this, field_manager, invisible_domain);
1395         this.$element = $element;
1396         this.start();
1397     },
1398 }));
1399
1400 instance.web.form.FormWidget = instance.web.Widget.extend(_.extend({}, instance.web.form.InvisibilityChangerMixin, {
1401     /**
1402      * @constructs instance.web.form.FormWidget
1403      * @extends instance.web.Widget
1404      *
1405      * @param view
1406      * @param node
1407      */
1408     init: function(view, node) {
1409         this._super(view);
1410         this.view = view;
1411         this.node = node;
1412         this.modifiers = JSON.parse(this.node.attrs.modifiers || '{}');
1413         instance.web.form.InvisibilityChangerMixin.init.call(this, view, this.modifiers.invisible);
1414
1415         this.view.on("view_content_has_changed", this, this.process_modifiers);
1416     },
1417     renderElement: function() {
1418         this._super();
1419         this.$element.addClass(this.node.attrs["class"] || "");
1420     },
1421     destroy: function() {
1422         $.fn.tipsy.clear();
1423         this._super.apply(this, arguments);
1424     },
1425     process_modifiers: function() {
1426         var compute_domain = instance.web.form.compute_domain;
1427         var to_set = {};
1428         for (var a in this.modifiers) {
1429             if (!_.include(["invisible"], a)) {
1430                 var val = compute_domain(this.modifiers[a], this.view.fields);
1431                 to_set[a] = val;
1432             }
1433         }
1434         this.set(to_set);
1435     },
1436     do_attach_tooltip: function(widget, trigger, options) {
1437         widget = widget || this;
1438         trigger = trigger || this.$element;
1439         options = _.extend({
1440                 delayIn: 500,
1441                 delayOut: 0,
1442                 fade: true,
1443                 title: function() {
1444                     var template = widget.template + '.tooltip';
1445                     if (!QWeb.has_template(template)) {
1446                         template = 'WidgetLabel.tooltip';
1447                     }
1448                     return QWeb.render(template, {
1449                         debug: instance.connection.debug,
1450                         widget: widget
1451                 })},
1452                 gravity: $.fn.tipsy.autoBounds(50, 'nw'),
1453                 html: true,
1454                 opacity: 0.85,
1455                 trigger: 'hover'
1456             }, options || {});
1457         $(trigger).tipsy(options);
1458     },
1459     _build_view_fields_values: function(blacklist) {
1460         var a_dataset = this.view.dataset;
1461         var fields_values = this.view.get_fields_values(blacklist);
1462         var active_id = a_dataset.ids[a_dataset.index];
1463         _.extend(fields_values, {
1464             active_id: active_id || false,
1465             active_ids: active_id ? [active_id] : [],
1466             active_model: a_dataset.model,
1467             parent: {}
1468         });
1469         if (a_dataset.parent_view) {
1470                 fields_values.parent = a_dataset.parent_view.get_fields_values([a_dataset.child_name]);
1471         }
1472         return fields_values;
1473     },
1474     _build_eval_context: function(blacklist) {
1475         var a_dataset = this.view.dataset;
1476         return new instance.web.CompoundContext(a_dataset.get_context(), this._build_view_fields_values(blacklist));
1477     },
1478     /**
1479      * Builds a new context usable for operations related to fields by merging
1480      * the fields'context with the action's context.
1481      */
1482     build_context: function(blacklist) {
1483         // only use the model's context if there is not context on the node
1484         var v_context = this.node.attrs.context;
1485         if (! v_context) {
1486             v_context = (this.field || {}).context || {};
1487         }
1488         
1489         if (v_context.__ref || true) { //TODO: remove true
1490             var fields_values = this._build_eval_context(blacklist);
1491             v_context = new instance.web.CompoundContext(v_context).set_eval_context(fields_values);
1492         }
1493         return v_context;
1494     },
1495     build_domain: function() {
1496         var f_domain = this.field.domain || [];
1497         var n_domain = this.node.attrs.domain || null;
1498         // if there is a domain on the node, overrides the model's domain
1499         var final_domain = n_domain !== null ? n_domain : f_domain;
1500         if (!(final_domain instanceof Array) || true) { //TODO: remove true
1501             var fields_values = this._build_eval_context();
1502             final_domain = new instance.web.CompoundDomain(final_domain).set_eval_context(fields_values);
1503         }
1504         return final_domain;
1505     }
1506 }));
1507
1508 instance.web.form.WidgetButton = instance.web.form.FormWidget.extend({
1509     template: 'WidgetButton',
1510     init: function(view, node) {
1511         this._super(view, node);
1512         this.force_disabled = false;
1513         this.string = (this.node.attrs.string || '').replace(/_/g, '');
1514         if (this.node.attrs.default_focus == '1') {
1515             // TODO fme: provide enter key binding to widgets
1516             this.view.default_focus_button = this;
1517         }
1518         this.view.on('view_content_has_changed', this, this.check_disable);
1519     },
1520     start: function() {
1521         this._super.apply(this, arguments);
1522         this.$element.click(this.on_click);
1523         if (this.node.attrs.help || instance.connection.debug) {
1524             this.do_attach_tooltip();
1525         }
1526     },
1527     on_click: function() {
1528         var self = this;
1529         this.force_disabled = true;
1530         this.check_disable();
1531         this.execute_action().always(function() {
1532             self.force_disabled = false;
1533             self.check_disable();
1534         });
1535     },
1536     execute_action: function() {
1537         var self = this;
1538         var exec_action = function() {
1539             if (self.node.attrs.confirm) {
1540                 var def = $.Deferred();
1541                 var dialog = instance.web.dialog($('<div/>').text(self.node.attrs.confirm), {
1542                     title: _t('Confirm'),
1543                     modal: true,
1544                     buttons: [
1545                         {text: _t("Cancel"), click: function() {
1546                                 def.resolve();
1547                                 $(this).dialog("close");
1548                             }
1549                         },
1550                         {text: _t("Ok"), click: function() {
1551                                 self.on_confirmed().then(function() {
1552                                     def.resolve();
1553                                 });
1554                                 $(this).dialog("close");
1555                             }
1556                         }
1557                     ]
1558                 });
1559                 return def.promise();
1560             } else {
1561                 return self.on_confirmed();
1562             }
1563         };
1564         if (!this.node.attrs.special) {
1565             this.view.force_dirty = true;
1566             return this.view.recursive_save().pipe(exec_action);
1567         } else {
1568             return exec_action();
1569         }
1570     },
1571     on_confirmed: function() {
1572         var self = this;
1573
1574         var context = this.node.attrs.context;
1575         if (context && context.__ref) {
1576             context = new instance.web.CompoundContext(context);
1577             context.set_eval_context(this._build_eval_context());
1578         }
1579
1580         return this.view.do_execute_action(
1581             _.extend({}, this.node.attrs, {context: context}),
1582             this.view.dataset, this.view.datarecord.id, function () {
1583                 self.view.reload();
1584             });
1585     },
1586     check_disable: function() {
1587         var disabled = (this.force_disabled || !this.view.is_interactible_record());
1588         this.$element.prop('disabled', disabled);
1589         this.$element.css('color', disabled ? 'grey' : '');
1590     }
1591 });
1592
1593 /**
1594  * Interface to be implemented by fields.
1595  * 
1596  * Properties:
1597  *     - readonly: boolean. If set to true the field should appear in readonly mode.
1598  *     - force_readonly: boolean, When it is true, the field should always appear
1599  *      in read only mode, no matter what the value of the "readonly" property can be.
1600  * Events:
1601  *     - changed_value: triggered to inform the view to check on_changes
1602  * 
1603  */
1604 instance.web.form.FieldMixin = {
1605     /**
1606      * Constructor takes 2 arguments:
1607      * - field_manager: Implements FieldManagerMixin
1608      * - node: the "<field>" node in json form
1609      */
1610     init: function(field_manager, node) {},
1611     /**
1612      * Called by the form view to indicate the value of the field.
1613      * 
1614      * set_value() may return an object that can be passed to $.when() that represents the moment when
1615      * the field has finished all operations necessary before the user can effectively use the widget.
1616      * 
1617      * Multiple calls to set_value() can occur at any time and must be handled correctly by the implementation,
1618      * regardless of any asynchronous operation currently running and the status of any promise that a
1619      * previous call to set_value() could have returned.
1620      * 
1621      * set_value() must be able, at any moment, to handle the syntax returned by the "read" method of the
1622      * osv class in the OpenERP server as well as the syntax used by the set_value() (see below). It must
1623      * also be able to handle any other format commonly used in the _defaults key on the models in the addons
1624      * as well as any format commonly returned in a on_change. It must be able to autodetect those formats as
1625      * no information is ever given to know which format is used.
1626      */
1627     set_value: function(value_) {},
1628     /**
1629      * Get the current value of the widget.
1630      * 
1631      * Must always return a syntaxically correct value to be passed to the "write" method of the osv class in
1632      * the OpenERP server, although it is not assumed to respect the constraints applied to the field.
1633      * For example if the field is marqued as "required", a call to get_value() can return false.
1634      * 
1635      * get_value() can also be called *before* a call to set_value() and, in that case, is supposed to
1636      * return a defaut value according to the type of field.
1637      * 
1638      * This method is always assumed to perform synchronously, it can not return a promise.
1639      * 
1640      * If there was no user interaction to modify the value of the field, it is always assumed that
1641      * get_value() return the same semantic value than the one passed in the last call to set_value(),
1642      * altough the syntax can be different. This can be the case for type of fields that have a different
1643      * syntax for "read" and "write" (example: m2o: set_value([0, "Administrator"]), get_value() => 0).
1644      */
1645     get_value: function() {},
1646     /**
1647      * Inform the current object of the id it should use to match a html <label> that exists somewhere in the
1648      * view.
1649      */
1650     set_input_id: function(id) {},
1651     /**
1652      * Returns true if is_syntax_valid() returns true and the value is semantically
1653      * valid too according to the semantic restrictions applied to the field.
1654      */
1655     is_valid: function() {},
1656     /**
1657      * Returns true if the field holds a value which is syntaxically correct, ignoring
1658      * the potential semantic restrictions applied to the field.
1659      */
1660     is_syntax_valid: function() {},
1661     /**
1662      * Must set the focus on the field.
1663      */
1664     focus: function() {},
1665 };
1666
1667 /**
1668  * Abstract class for classes implementing FieldMixin.
1669  * 
1670  * Properties:
1671  *     - effective_readonly: when it is true, the widget is displayed as readonly. Vary depending
1672  *      the values of the "readonly" property and the "force_readonly" property on the field manager.
1673  *     - value: useful property to hold the value of the field. By default, set_value() and get_value()
1674  *     set and retrieve the value property. Changing the value property also triggers automatically
1675  *     a 'changed_value' event that inform the view to trigger on_changes.
1676  * 
1677  */
1678 instance.web.form.AbstractField = instance.web.form.FormWidget.extend(_.extend({}, instance.web.form.FieldMixin, {
1679     /**
1680      * @constructs instance.web.form.AbstractField
1681      * @extends instance.web.form.FormWidget
1682      *
1683      * @param field_manager
1684      * @param node
1685      */
1686     init: function(field_manager, node) {
1687         this._super(field_manager, node);
1688         this.field_manager = field_manager;
1689         this.name = this.node.attrs.name;
1690         this.set({'value': false});
1691         this.field = this.field_manager.get_field(this.name);
1692         this.set({required: this.modifiers['required'] === true});
1693         
1694         // some events to make the property "effective_readonly" sync automatically with "readonly" and
1695         // "force_readonly"
1696         this.set({"readonly": this.modifiers['readonly'] === true});
1697         var test_effective_readonly = function() {
1698             this.set({"effective_readonly": this.get("readonly") || !!this.get("force_readonly")});
1699         };
1700         this.on("change:readonly", this, test_effective_readonly);
1701         this.on("change:force_readonly", this, test_effective_readonly);
1702         _.bind(test_effective_readonly, this)();
1703         
1704         this.on("change:value", this, function() {
1705             if (! this._inhibit_on_change)
1706                 this.trigger('changed_value');
1707             this._check_css_flags();
1708         });
1709     },
1710     renderElement: function() {
1711         var self = this;
1712         this._super();
1713         if (this.field.translate) {
1714             this.$element.addClass('oe_form_field_translatable');
1715             this.$element.find('.oe_field_translate').click(_.bind(function() {
1716                 this.field_manager.open_translate_dialog(this);
1717             }, this));
1718         }
1719         this.$label = this.view.$element.find('label[for=' + this.id_for_label + ']');
1720         if (instance.connection.debug) {
1721             this.do_attach_tooltip(this, this.$label[0] || this.$element);
1722             this.$label.off('dblclick').on('dblclick', function() {
1723                 console.log("Field '%s' of type '%s' in View: %o", self.name, (self.node.attrs.widget || self.field.type), self.view);
1724                 window.w = self;
1725                 console.log("window.w =", window.w);
1726             });
1727         }
1728         if (!this.disable_utility_classes) {
1729             this.off("change:required", this, this._set_required);
1730             this.on("change:required", this, this._set_required);
1731             this._set_required();
1732         }
1733     },
1734     /**
1735      * Private. Do not use.
1736      */
1737     _set_required: function() {
1738         this.$element.toggleClass('oe_form_required', this.get("required"));
1739     },
1740     set_value: function(value_) {
1741         this._inhibit_on_change = true;
1742         this.set({'value': value_});
1743         this._inhibit_on_change = false;
1744     },
1745     get_value: function() {
1746         return this.get('value');
1747     },
1748     is_valid: function() {
1749         return this.is_syntax_valid() && (! this.get('required') || ! this.is_false());
1750     },
1751     is_syntax_valid: function() {
1752         return true;
1753     },
1754     /**
1755      * Method useful to implement to ease validity testing. Must return true if the current
1756      * value is similar to false in OpenERP.
1757      */
1758     is_false: function() {
1759         return this.get('value') === false;
1760     },
1761     _check_css_flags: function(show_invalid) {
1762         if (this.field.translate) {
1763             this.$element.find('.oe_field_translate').toggle(!this.field_manager.is_create_mode());
1764         }
1765         if (!this.disable_utility_classes) {
1766             if (this.field_manager.get('display_invalid_fields')) {
1767                 this.$element.toggleClass('oe_form_invalid', !this.is_valid());
1768             }
1769         }
1770     },
1771     focus: function() {
1772     },
1773     /**
1774      * Utility method to focus an element, but only after a small amount of time.
1775      */
1776     delay_focus: function($elem) {
1777         setTimeout(function() {
1778             $elem.focus();
1779         }, 50);
1780     },
1781     /**
1782      * Utility method to get the widget options defined in the field xml description.
1783      */
1784     get_definition_options: function() {
1785         if (!this.definition_options) {
1786             var str = this.node.attrs.options || '{}';
1787             this.definition_options = JSON.parse(str);
1788         }
1789         return this.definition_options;
1790     },
1791     set_input_id: function(id) {
1792         this.id_for_label = id;
1793     },
1794 }));
1795
1796 /**
1797  * A mixin to apply on any field that has to completely re-render when its readonly state
1798  * switch.
1799  */
1800 instance.web.form.ReinitializeFieldMixin =  {
1801     /**
1802      * Default implementation of start(), use it or call explicitly initialize_field().
1803      */
1804     start: function() {
1805         this._super();
1806         this.initialize_field();
1807     },
1808     initialize_field: function() {
1809         this.on("change:effective_readonly", this, function() {
1810             this.destroy_content();
1811             this.renderElement();
1812             this.initialize_content();
1813             this.render_value();
1814         });
1815         this.initialize_content();
1816         this.render_value();
1817     },
1818     /**
1819      * Called to destroy anything that could have been created previously, called before a
1820      * re-initialization.
1821      */
1822     destroy_content: function() {},
1823     /**
1824      * Called to initialize the content.
1825      */
1826     initialize_content: function() {},
1827     /**
1828      * Called to render the value. Should also be explicitly called at the end of a set_value().
1829      */
1830     render_value: function() {},
1831 };
1832
1833 instance.web.form.FieldChar = instance.web.form.AbstractField.extend(_.extend({}, instance.web.form.ReinitializeFieldMixin, {
1834     template: 'FieldChar',
1835     init: function (field_manager, node) {
1836         this._super(field_manager, node);
1837         this.password = this.node.attrs.password === 'True' || this.node.attrs.password === '1';
1838     },
1839     initialize_content: function() {
1840         var self = this;
1841         this.$element.find('input').change(function() {
1842             self.set({'value': instance.web.parse_value(self.$element.find('input').val(), self)});
1843         });
1844     },
1845     set_value: function(value_) {
1846         this._super(value_);
1847         this.render_value();
1848     },
1849     render_value: function() {
1850         var show_value = instance.web.format_value(this.get('value'), this, '');
1851         if (!this.get("effective_readonly")) {
1852             this.$element.find('input').val(show_value);
1853         } else {
1854             if (this.password) {
1855                 show_value = new Array(show_value.length + 1).join('*');
1856             }
1857             this.$element.text(show_value);
1858         }
1859     },
1860     is_syntax_valid: function() {
1861         if (!this.get("effective_readonly")) {
1862             try {
1863                 var value_ = instance.web.parse_value(this.$element.find('input').val(), this, '');
1864                 return true;
1865             } catch(e) {
1866                 return false;
1867             }
1868         }
1869         return true;
1870     },
1871     is_false: function() {
1872         return this.get('value') === '';
1873     },
1874     focus: function() {
1875         this.delay_focus(this.$element.find('input:first'));
1876     }
1877 }));
1878
1879 instance.web.form.FieldID = instance.web.form.FieldChar.extend({
1880     
1881 });
1882
1883 instance.web.form.FieldEmail = instance.web.form.FieldChar.extend({
1884     template: 'FieldEmail',
1885     initialize_content: function() {
1886         this._super();
1887         this.$element.find('button').click(this.on_button_clicked);
1888     },
1889     render_value: function() {
1890         if (!this.get("effective_readonly")) {
1891             this._super();
1892         } else {
1893             this.$element.find('a')
1894                     .attr('href', 'mailto:' + this.get('value'))
1895                     .text(this.get('value'));
1896         }
1897     },
1898     on_button_clicked: function() {
1899         if (!this.get('value') || !this.is_syntax_valid()) {
1900             this.do_warn("E-mail error", "Can't send email to invalid e-mail address");
1901         } else {
1902             location.href = 'mailto:' + this.get('value');
1903         }
1904     }
1905 });
1906
1907 instance.web.form.FieldUrl = instance.web.form.FieldChar.extend({
1908     template: 'FieldUrl',
1909     initialize_content: function() {
1910         this._super();
1911         this.$element.find('button').click(this.on_button_clicked);
1912     },
1913     render_value: function() {
1914         if (!this.get("effective_readonly")) {
1915             this._super();
1916         } else {
1917             var tmp = this.get('value');
1918             var s = /(\w+):(.+)/.exec(tmp);
1919             if (!s) {
1920                 tmp = "http://" + this.get('value');
1921             }
1922             this.$element.find('a').attr('href', tmp).text(tmp);
1923         }
1924     },
1925     on_button_clicked: function() {
1926         if (!this.get('value')) {
1927             this.do_warn("Resource error", "This resource is empty");
1928         } else {
1929             var url = $.trim(this.get('value'));
1930             if(/^www\./i.test(url))
1931                 url = 'http://'+url;
1932             window.open(url);
1933         }
1934     }
1935 });
1936
1937 instance.web.form.FieldFloat = instance.web.form.FieldChar.extend({
1938     is_field_number: true,
1939     init: function (field_manager, node) {
1940         this._super(field_manager, node);
1941         this.set({'value': 0});
1942         if (this.node.attrs.digits) {
1943             this.digits = py.eval(node.attrs.digits);
1944         } else {
1945             this.digits = this.field.digits;
1946         }
1947     },
1948     set_value: function(value_) {
1949         if (value_ === false || value_ === undefined) {
1950             // As in GTK client, floats default to 0
1951             value_ = 0;
1952         }
1953         this._super.apply(this, [value_]);
1954     }
1955 });
1956
1957 instance.web.DateTimeWidget = instance.web.OldWidget.extend({
1958     template: "web.datetimepicker",
1959     jqueryui_object: 'datetimepicker',
1960     type_of_date: "datetime",
1961     init: function(parent) {
1962         this._super(parent);
1963         this.name = parent.name;
1964     },
1965     start: function() {
1966         var self = this;
1967         this.$input = this.$element.find('input.oe_datepicker_master');
1968         this.$input_picker = this.$element.find('input.oe_datepicker_container');
1969         this.$input.change(this.on_change);
1970         this.picker({
1971             onSelect: this.on_picker_select,
1972             changeMonth: true,
1973             changeYear: true,
1974             showWeek: true,
1975             showButtonPanel: true
1976         });
1977         this.$element.find('img.oe_datepicker_trigger').click(function() {
1978             if (!self.get("effective_readonly") && !self.picker('widget').is(':visible')) {
1979                 self.picker('setDate', self.get('value') ? instance.web.auto_str_to_date(self.get('value')) : new Date());
1980                 self.$input_picker.show();
1981                 self.picker('show');
1982                 self.$input_picker.hide();
1983             }
1984         });
1985         this.set_readonly(false);
1986         this.set({'value': false});
1987     },
1988     picker: function() {
1989         return $.fn[this.jqueryui_object].apply(this.$input_picker, arguments);
1990     },
1991     on_picker_select: function(text, instance_) {
1992         var date = this.picker('getDate');
1993         this.$input.val(date ? this.format_client(date) : '').change();
1994     },
1995     set_value: function(value_) {
1996         this.set({'value': value_});
1997         this.$input.val(value_ ? this.format_client(value_) : '');
1998     },
1999     get_value: function() {
2000         return this.get('value');
2001     },
2002     set_value_from_ui_: function() {
2003         var value_ = this.$input.val() || false;
2004         this.set({'value': this.parse_client(value_)});
2005     },
2006     set_readonly: function(readonly) {
2007         this.readonly = readonly;
2008         this.$input.prop('readonly', this.readonly);
2009         this.$element.find('img.oe_datepicker_trigger').toggleClass('oe_input_icon_disabled', readonly);
2010     },
2011     is_valid_: function() {
2012         var value_ = this.$input.val();
2013         if (value_ === "") {
2014             return true;
2015         } else {
2016             try {
2017                 this.parse_client(value_);
2018                 return true;
2019             } catch(e) {
2020                 return false;
2021             }
2022         }
2023     },
2024     parse_client: function(v) {
2025         return instance.web.parse_value(v, {"widget": this.type_of_date});
2026     },
2027     format_client: function(v) {
2028         return instance.web.format_value(v, {"widget": this.type_of_date});
2029     },
2030     on_change: function() {
2031         if (this.is_valid_()) {
2032             this.set_value_from_ui_();
2033         }
2034     }
2035 });
2036
2037 instance.web.DateWidget = instance.web.DateTimeWidget.extend({
2038     jqueryui_object: 'datepicker',
2039     type_of_date: "date"
2040 });
2041
2042 instance.web.form.FieldDatetime = instance.web.form.AbstractField.extend(_.extend({}, instance.web.form.ReinitializeFieldMixin, {
2043     template: "EmptyComponent",
2044     build_widget: function() {
2045         return new instance.web.DateTimeWidget(this);
2046     },
2047     destroy_content: function() {
2048         if (this.datewidget) {
2049             this.datewidget.destroy();
2050             this.datewidget = undefined;
2051         }
2052     },
2053     initialize_content: function() {
2054         if (!this.get("effective_readonly")) {
2055             this.datewidget = this.build_widget();
2056             this.datewidget.on_change.add_last(_.bind(function() {
2057                 this.set({'value': this.datewidget.get_value()});
2058             }, this));
2059             this.datewidget.appendTo(this.$element);
2060         }
2061     },
2062     set_value: function(value_) {
2063         this._super(value_);
2064         this.render_value();
2065     },
2066     render_value: function() {
2067         if (!this.get("effective_readonly")) {
2068             this.datewidget.set_value(this.get('value'));
2069         } else {
2070             this.$element.text(instance.web.format_value(this.get('value'), this, ''));
2071         }
2072     },
2073     is_syntax_valid: function() {
2074         if (!this.get("effective_readonly")) {
2075             return this.datewidget.is_valid_();
2076         }
2077         return true;
2078     },
2079     is_false: function() {
2080         return this.get('value') === '';
2081     },
2082     focus: function() {
2083         if (this.datewidget && this.datewidget.$input)
2084             this.delay_focus(this.datewidget.$input);
2085     }
2086 }));
2087
2088 instance.web.form.FieldDate = instance.web.form.FieldDatetime.extend({
2089     build_widget: function() {
2090         return new instance.web.DateWidget(this);
2091     }
2092 });
2093
2094 instance.web.form.FieldText = instance.web.form.AbstractField.extend(_.extend({}, instance.web.form.ReinitializeFieldMixin, {
2095     template: 'FieldText',
2096     initialize_content: function() {
2097         this.$textarea = this.$element.find('textarea');
2098         if (!this.get("effective_readonly")) {
2099             this.$textarea.change(_.bind(function() {
2100                 this.set({'value': instance.web.parse_value(this.$textarea.val(), this)});
2101             }, this));
2102         } else {
2103             this.$textarea.attr('disabled', 'disabled');
2104         }
2105     },
2106     set_value: function(value_) {
2107         this._super.apply(this, arguments);
2108         this.render_value();
2109     },
2110     render_value: function() {
2111         var show_value = instance.web.format_value(this.get('value'), this, '');
2112         this.$textarea.val(show_value);
2113         if (show_value && this.view.options.resize_textareas) {
2114             this.do_resize(this.view.options.resize_textareas);
2115         }
2116     },
2117     is_syntax_valid: function() {
2118         if (!this.get("effective_readonly")) {
2119             try {
2120                 var value_ = instance.web.parse_value(this.$textarea.val(), this, '');
2121                 return true;
2122             } catch(e) {
2123                 return false;
2124             }
2125         }
2126         return true;
2127     },
2128     is_false: function() {
2129         return this.get('value') === '';
2130     },
2131     focus: function($element) {
2132         this.delay_focus(this.$textarea);
2133     },
2134     do_resize: function(max_height) {
2135         max_height = parseInt(max_height, 10);
2136         var $input = this.$textarea,
2137             $div = $('<div style="position: absolute; z-index: 1000; top: 0"/>').width($input.width()),
2138             new_height;
2139         $div.text($input.val());
2140         _.each('font-family,font-size,white-space'.split(','), function(style) {
2141             $div.css(style, $input.css(style));
2142         });
2143         $div.appendTo($('body'));
2144         new_height = $div.height();
2145         if (new_height < 90) {
2146             new_height = 90;
2147         }
2148         if (!isNaN(max_height) && new_height > max_height) {
2149             new_height = max_height;
2150         }
2151         $div.remove();
2152         $input.height(new_height);
2153     },
2154 }));
2155
2156 instance.web.form.FieldBoolean = instance.web.form.AbstractField.extend({
2157     template: 'FieldBoolean',
2158     start: function() {
2159         this._super.apply(this, arguments);
2160         this.$checkbox = $("input", this.$element);
2161         this.$element.click(_.bind(function() {
2162             this.set({'value': this.$checkbox.is(':checked')});
2163         }, this));
2164         var check_readonly = function() {
2165             this.$checkbox.prop('disabled', this.get("effective_readonly"));
2166         };
2167         this.on("change:effective_readonly", this, check_readonly);
2168         _.bind(check_readonly, this)();
2169     },
2170     set_value: function(value_) {
2171         this._super.apply(this, arguments);
2172         this.$checkbox[0].checked = value_;
2173     },
2174     focus: function() {
2175         this.delay_focus(this.$checkbox);
2176     }
2177 });
2178
2179 instance.web.form.FieldProgressBar = instance.web.form.AbstractField.extend({
2180     template: 'FieldProgressBar',
2181     start: function() {
2182         this._super.apply(this, arguments);
2183         this.$element.progressbar({
2184             value: this.get('value'),
2185             disabled: this.get("effective_readonly")
2186         });
2187     },
2188     set_value: function(value_) {
2189         this._super.apply(this, arguments);
2190         var show_value = Number(value_);
2191         if (isNaN(show_value)) {
2192             show_value = 0;
2193         }
2194         var formatted_value = instance.web.format_value(show_value, { type : 'float' }, '0');
2195         this.$element.progressbar('option', 'value', show_value).find('span').html(formatted_value + '%');
2196     }
2197 });
2198
2199 instance.web.form.FieldTextXml = instance.web.form.AbstractField.extend({
2200 // to replace view editor
2201 });
2202
2203 instance.web.form.FieldSelection = instance.web.form.AbstractField.extend(_.extend({}, instance.web.form.ReinitializeFieldMixin, {
2204     template: 'FieldSelection',
2205     init: function(field_manager, node) {
2206         var self = this;
2207         this._super(field_manager, node);
2208         this.values = _.clone(this.field.selection);
2209         _.each(this.values, function(v, i) {
2210             if (v[0] === false && v[1] === '') {
2211                 self.values.splice(i, 1);
2212             }
2213         });
2214         this.values.unshift([false, '']);
2215     },
2216     initialize_content: function() {
2217         // Flag indicating whether we're in an event chain containing a change
2218         // event on the select, in order to know what to do on keyup[RETURN]:
2219         // * If the user presses [RETURN] as part of changing the value of a
2220         //   selection, we should just let the value change and not let the
2221         //   event broadcast further (e.g. to validating the current state of
2222         //   the form in editable list view, which would lead to saving the
2223         //   current row or switching to the next one)
2224         // * If the user presses [RETURN] with a select closed (side-effect:
2225         //   also if the user opened the select and pressed [RETURN] without
2226         //   changing the selected value), takes the action as validating the
2227         //   row
2228         var ischanging = false;
2229         this.$element.find('select')
2230             .change(_.bind(function() {
2231                 this.set({'value': this.values[this.$element.find('select')[0].selectedIndex][0]});
2232             }, this))
2233             .change(function () { ischanging = true; })
2234             .click(function () { ischanging = false; })
2235             .keyup(function (e) {
2236                 if (e.which !== 13 || !ischanging) { return; }
2237                 e.stopPropagation();
2238                 ischanging = false;
2239             });
2240     },
2241     set_value: function(value_) {
2242         value_ = value_ === null ? false : value_;
2243         value_ = value_ instanceof Array ? value_[0] : value_;
2244         this._super(value_);
2245         this.render_value();
2246     },
2247     render_value: function() {
2248         if (!this.get("effective_readonly")) {
2249             var index = 0;
2250             for (var i = 0, ii = this.values.length; i < ii; i++) {
2251                 if (this.values[i][0] === this.get('value')) index = i;
2252             }
2253             this.$element.find('select')[0].selectedIndex = index;
2254         } else {
2255             var self = this;
2256             var option = _(this.values)
2257                 .detect(function (record) { return record[0] === self.get('value'); }); 
2258             this.$element.text(option ? option[1] : this.values[0][1]);
2259         }
2260     },
2261     is_syntax_valid: function() {
2262         if (this.get("effective_readonly")) {
2263             return true;
2264         }
2265         var value_ = this.values[this.$element.find('select')[0].selectedIndex];
2266         return !! value_;
2267     },
2268     focus: function() {
2269         this.delay_focus(this.$element.find('select:first'));
2270     }
2271 }));
2272
2273 // jquery autocomplete tweak to allow html
2274 (function() {
2275     var proto = $.ui.autocomplete.prototype,
2276         initSource = proto._initSource;
2277
2278     function filter( array, term ) {
2279         var matcher = new RegExp( $.ui.autocomplete.escapeRegex(term), "i" );
2280         return $.grep( array, function(value_) {
2281             return matcher.test( $( "<div>" ).html( value_.label || value_.value || value_ ).text() );
2282         });
2283     }
2284
2285     $.extend( proto, {
2286         _initSource: function() {
2287             if ( this.options.html && $.isArray(this.options.source) ) {
2288                 this.source = function( request, response ) {
2289                     response( filter( this.options.source, request.term ) );
2290                 };
2291             } else {
2292                 initSource.call( this );
2293             }
2294         },
2295
2296         _renderItem: function( ul, item) {
2297             return $( "<li></li>" )
2298                 .data( "item.autocomplete", item )
2299                 .append( $( "<a></a>" )[ this.options.html ? "html" : "text" ]( item.label ) )
2300                 .appendTo( ul );
2301         }
2302     });
2303 })();
2304
2305 /**
2306  * A mixin containing some useful methods to handle completion inputs.
2307  */
2308 instance.web.form.CompletionFieldMixin = {
2309     init: function() {
2310         this.limit = 7;
2311         this.orderer = new instance.web.DropMisordered();
2312     },
2313     /**
2314      * Call this method to search using a string.
2315      */
2316     get_search_result: function(search_val) {
2317         var self = this;
2318
2319         var dataset = new instance.web.DataSet(this, this.field.relation, self.build_context());
2320         var blacklist = this.get_search_blacklist();
2321
2322         return this.orderer.add(dataset.name_search(
2323                 search_val, new instance.web.CompoundDomain(self.build_domain(), [["id", "not in", blacklist]]),
2324                 'ilike', this.limit + 1)).pipe(function(data) {
2325             self.last_search = data;
2326             // possible selections for the m2o
2327             var values = _.map(data, function(x) {
2328                 return {
2329                     label: _.str.escapeHTML(x[1]),
2330                     value:x[1],
2331                     name:x[1],
2332                     id:x[0]
2333                 };
2334             });
2335
2336             // search more... if more results that max
2337             if (values.length > self.limit) {
2338                 values = values.slice(0, self.limit);
2339                 values.push({label: _t("<em>   Search More...</em>"), action: function() {
2340                     dataset.name_search(search_val, self.build_domain(), 'ilike'
2341                     , false, function(data) {
2342                         self._search_create_popup("search", data);
2343                     });
2344                 }});
2345             }
2346             // quick create
2347             var raw_result = _(data.result).map(function(x) {return x[1];});
2348             if (search_val.length > 0 && !_.include(raw_result, search_val)) {
2349                 values.push({label: _.str.sprintf(_t('<em>   Create "<strong>%s</strong>"</em>'),
2350                         $('<span />').text(search_val).html()), action: function() {
2351                     self._quick_create(search_val);
2352                 }});
2353             }
2354             // create...
2355             values.push({label: _t("<em>   Create and Edit...</em>"), action: function() {
2356                 self._search_create_popup("form", undefined, {"default_name": search_val});
2357             }});
2358
2359             return values;
2360         });
2361     },
2362     get_search_blacklist: function() {
2363         return [];
2364     },
2365     _quick_create: function(name) {
2366         var self = this;
2367         var slow_create = function () {
2368             self._search_create_popup("form", undefined, {"default_name": name});
2369         };
2370         if (self.get_definition_options().quick_create === undefined || self.get_definition_options().quick_create) {
2371             new instance.web.DataSet(this, this.field.relation, self.build_context())
2372                 .name_create(name, function(data) {
2373                     self.add_id(data[0]);
2374                 }).fail(function(error, event) {
2375                     event.preventDefault();
2376                     slow_create();
2377                 });
2378         } else
2379             slow_create();
2380     },
2381     // all search/create popup handling
2382     _search_create_popup: function(view, ids, context) {
2383         var self = this;
2384         var pop = new instance.web.form.SelectCreatePopup(this);
2385         pop.select_element(
2386             self.field.relation,
2387             {
2388                 title: (view === 'search' ? _t("Search: ") : _t("Create: ")) + (this.string || this.name),
2389                 initial_ids: ids ? _.map(ids, function(x) {return x[0]}) : undefined,
2390                 initial_view: view,
2391                 disable_multiple_selection: true
2392             },
2393             self.build_domain(),
2394             new instance.web.CompoundContext(self.build_context(), context || {})
2395         );
2396         pop.on_select_elements.add(function(element_ids) {
2397             self.add_id(element_ids[0]);
2398         });
2399     },
2400     /**
2401      * To implement.
2402      */
2403     add_id: function(id) {},
2404 };
2405
2406 instance.web.form.FieldMany2One = instance.web.form.AbstractField.extend(_.extend({}, instance.web.form.ReinitializeFieldMixin,
2407         instance.web.form.CompletionFieldMixin, {
2408     template: "FieldMany2One",
2409     init: function(field_manager, node) {
2410         this._super(field_manager, node);
2411         instance.web.form.CompletionFieldMixin.init.call(this);
2412         this.set({'value': false});
2413         this.display_value = {};
2414         this.last_search = [];
2415         this.floating = false;
2416         this.inhibit_on_change = false;
2417     },
2418     start: function() {
2419         this._super();
2420         instance.web.form.ReinitializeFieldMixin.start.call(this);
2421         this.on("change:value", this, function() {
2422             this.floating = false;
2423             this.render_value();
2424         });
2425     },
2426     initialize_content: function() {
2427         if (!this.get("effective_readonly"))
2428             this.render_editable();
2429         this.render_value();
2430     },
2431     render_editable: function() {
2432         var self = this;
2433         this.$input = this.$element.find("input");
2434         
2435         self.$input.tipsy({
2436             title: function() {
2437                 return "No element was selected, you should create or select one from the dropdown list.";
2438             },
2439             trigger:'manual',
2440             fade: true,
2441         });
2442         
2443         this.$drop_down = this.$element.find(".oe-m2o-drop-down-button");
2444         this.$follow_button = $(".oe-m2o-cm-button", this.$element);
2445         
2446         this.$follow_button.click(function() {
2447             if (!self.get('value')) {
2448                 return;
2449             }
2450             var pop = new instance.web.form.FormOpenPopup(self.view);
2451             pop.show_element(
2452                 self.field.relation,
2453                 self.get("value"),
2454                 self.build_context(),
2455                 {
2456                     title: _t("Open: ") + (self.string || self.name)
2457                 }
2458             );
2459             pop.on_write_completed.add_last(function() {
2460                 self.display_value = {};
2461                 self.render_value();
2462             });
2463         });
2464
2465         // some behavior for input
2466         this.$input.keyup(function() {
2467             if (self.$input.val() === "") {
2468                 self.set({value: false});
2469             } else {
2470                 self.floating = true;
2471             }
2472         });
2473         this.$drop_down.click(function() {
2474             if (self.$input.autocomplete("widget").is(":visible")) {
2475                 self.$input.autocomplete("close");
2476             } else {
2477                 if (self.get("value") && ! self.floating) {
2478                     self.$input.autocomplete("search", "");
2479                 } else {
2480                     self.$input.autocomplete("search");
2481                 }
2482                 self.$input.focus();
2483             }
2484         });
2485         var tip_def = $.Deferred();
2486         var untip_def = $.Deferred();
2487         var tip_delay = 200;
2488         var tip_duration = 3000;
2489         var anyoneLoosesFocus = function() {
2490             if (self.floating) {
2491                 if (self.last_search.length > 0) {
2492                     if (self.last_search[0][0] != self.get("value")) {
2493                         self.display_value = {};
2494                         self.display_value["" + self.last_search[0][0]] = self.last_search[0][1];
2495                         self.set({value: self.last_search[0][0]});
2496                     } else {
2497                         self.render_value();
2498                     }
2499                 } else {
2500                     self.set({value: false});
2501                 }
2502             }
2503             if (! self.get("value")) {
2504                 tip_def.reject();
2505                 untip_def.reject();
2506                 tip_def = $.Deferred();
2507                 tip_def.then(function() {
2508                     self.$input.tipsy("show");
2509                 });
2510                 setTimeout(function() {
2511                     tip_def.resolve();
2512                     untip_def.reject();
2513                     untip_def = $.Deferred();
2514                     untip_def.then(function() {
2515                         self.$input.tipsy("hide");
2516                     });
2517                     setTimeout(function() {untip_def.resolve();}, tip_duration);
2518                 }, tip_delay);
2519             } else {
2520                 tip_def.reject();
2521             }
2522         };
2523         this.$input.focusout(anyoneLoosesFocus);
2524
2525         var isSelecting = false;
2526         // autocomplete
2527         this.$input.autocomplete({
2528             source: function(req, resp) {
2529                 self.get_search_result(req.term).then(function(result) {
2530                     resp(result);
2531                 });
2532             },
2533             select: function(event, ui) {
2534                 isSelecting = true;
2535                 var item = ui.item;
2536                 if (item.id) {
2537                     self.display_value = {};
2538                     self.display_value["" + item.id] = item.name;
2539                     self.set({value: item.id});
2540                 } else if (item.action) {
2541                     self.floating = true;
2542                     item.action();
2543                     return false;
2544                 }
2545             },
2546             focus: function(e, ui) {
2547                 e.preventDefault();
2548             },
2549             html: true,
2550             close: anyoneLoosesFocus,
2551             minLength: 0,
2552             delay: 0
2553         });
2554         this.$input.autocomplete("widget").addClass("openerp");
2555         // used to correct a bug when selecting an element by pushing 'enter' in an editable list
2556         this.$input.keyup(function(e) {
2557             if (e.which === 13) {
2558                 if (isSelecting)
2559                     e.stopPropagation();
2560             }
2561             isSelecting = false;
2562         });
2563     },
2564
2565     render_value: function(no_recurse) {
2566         var self = this;
2567         if (! this.get("value")) {
2568             this.display_string("");
2569             return;
2570         }
2571         var display = this.display_value["" + this.get("value")];
2572         if (display) {
2573             this.display_string(display);
2574             return;
2575         }
2576         if (! no_recurse) {
2577             var dataset = new instance.web.DataSetStatic(this, this.field.relation, self.view.dataset.get_context());
2578             dataset.name_get([self.get("value")], function(data) {
2579                 self.display_value["" + self.get("value")] = data[0][1];
2580                 self.render_value(true);
2581             });
2582         }
2583     },
2584     display_string: function(str) {
2585         var self = this;
2586         if (!this.get("effective_readonly")) {
2587             this.$input.val(str);
2588         } else {
2589             this.$element.find('a')
2590                  .unbind('click')
2591                  .text(str)
2592                  .click(function () {
2593                     self.do_action({
2594                         type: 'ir.actions.act_window',
2595                         res_model: self.field.relation,
2596                         res_id: self.get("value"),
2597                         context: self.build_context(),
2598                         views: [[false, 'form']],
2599                         target: 'current'
2600                     });
2601                     return false;
2602                  });
2603         }
2604     },
2605     set_value: function(value_) {
2606         var self = this;
2607         if (value_ instanceof Array) {
2608             this.display_value = {};
2609             this.display_value["" + value_[0]] = value_[1];
2610             value_ = value_[0];
2611         }
2612         value_ = value_ || false;
2613         this.inhibit_on_change = true;
2614         this._super(value_);
2615         this.inhibit_on_change = false;
2616     },
2617     add_id: function(id) {
2618         this.display_value = {};
2619         this.set({value: id});
2620     },
2621     is_false: function() {
2622         return ! this.get("value");
2623     },
2624     focus: function () {
2625         this.delay_focus(this.$input);
2626     }
2627 }));
2628
2629 /*
2630 # Values: (0, 0,  { fields })    create
2631 #         (1, ID, { fields })    update
2632 #         (2, ID)                remove (delete)
2633 #         (3, ID)                unlink one (target id or target of relation)
2634 #         (4, ID)                link
2635 #         (5)                    unlink all (only valid for one2many)
2636 */
2637 var commands = {
2638     // (0, _, {values})
2639     CREATE: 0,
2640     'create': function (values) {
2641         return [commands.CREATE, false, values];
2642     },
2643     // (1, id, {values})
2644     UPDATE: 1,
2645     'update': function (id, values) {
2646         return [commands.UPDATE, id, values];
2647     },
2648     // (2, id[, _])
2649     DELETE: 2,
2650     'delete': function (id) {
2651         return [commands.DELETE, id, false];
2652     },
2653     // (3, id[, _]) removes relation, but not linked record itself
2654     FORGET: 3,
2655     'forget': function (id) {
2656         return [commands.FORGET, id, false];
2657     },
2658     // (4, id[, _])
2659     LINK_TO: 4,
2660     'link_to': function (id) {
2661         return [commands.LINK_TO, id, false];
2662     },
2663     // (5[, _[, _]])
2664     DELETE_ALL: 5,
2665     'delete_all': function () {
2666         return [5, false, false];
2667     },
2668     // (6, _, ids) replaces all linked records with provided ids
2669     REPLACE_WITH: 6,
2670     'replace_with': function (ids) {
2671         return [6, false, ids];
2672     }
2673 };
2674 instance.web.form.FieldOne2Many = instance.web.form.AbstractField.extend({
2675     multi_selection: false,
2676     disable_utility_classes: true,
2677     init: function(field_manager, node) {
2678         this._super(field_manager, node);
2679         lazy_build_o2m_kanban_view();
2680         this.is_loaded = $.Deferred();
2681         this.initial_is_loaded = this.is_loaded;
2682         this.is_setted = $.Deferred();
2683         this.form_last_update = $.Deferred();
2684         this.init_form_last_update = this.form_last_update;
2685     },
2686     start: function() {
2687         this._super.apply(this, arguments);
2688
2689         var self = this;
2690
2691         this.dataset = new instance.web.form.One2ManyDataSet(this, this.field.relation);
2692         this.dataset.o2m = this;
2693         this.dataset.parent_view = this.view;
2694         this.dataset.child_name = this.name;
2695         //this.dataset.child_name = 
2696         this.dataset.on_change.add_last(function() {
2697             self.trigger_on_change();
2698         });
2699
2700         this.is_setted.then(function() {
2701             self.load_views();
2702         });
2703         this.is_loaded.then(function() {
2704             self.on("change:effective_readonly", self, function() {
2705                 self.is_loaded = self.is_loaded.pipe(function() {
2706                     self.viewmanager.destroy();
2707                     return $.when(self.load_views()).then(function() {
2708                         self.reload_current_view();
2709                     });
2710                 });
2711             });
2712         });
2713     },
2714     trigger_on_change: function() {
2715         var tmp = this.doing_on_change;
2716         this.doing_on_change = true;
2717         this.trigger('changed_value');
2718         this.doing_on_change = tmp;
2719     },
2720     load_views: function() {
2721         var self = this;
2722         
2723         var modes = this.node.attrs.mode;
2724         modes = !!modes ? modes.split(",") : ["tree"];
2725         var views = [];
2726         _.each(modes, function(mode) {
2727             var view = {
2728                 view_id: false,
2729                 view_type: mode == "tree" ? "list" : mode,
2730                 options: {}
2731             };
2732             if (self.field.views && self.field.views[mode]) {
2733                 view.embedded_view = self.field.views[mode];
2734             }
2735             if(view.view_type === "list") {
2736                 view.options.selectable = self.multi_selection;
2737                 if (self.get("effective_readonly")) {
2738                     view.options.addable = null;
2739                     view.options.deletable = null;
2740                 }
2741             } else if (view.view_type === "form") {
2742                 if (self.get("effective_readonly")) {
2743                     view.view_type = 'form';
2744                 }
2745                 view.options.not_interactible_on_create = true;
2746             } else if (view.view_type === "kanban") {
2747                 view.options.confirm_on_delete = false;
2748                 if (self.get("effective_readonly")) {
2749                     view.options.action_buttons = false;
2750                     view.options.quick_creatable = false;
2751                     view.options.creatable = false;
2752                     view.options.read_only_mode = true;
2753                 }
2754             }
2755             views.push(view);
2756         });
2757         this.views = views;
2758
2759         this.viewmanager = new instance.web.form.One2ManyViewManager(this, this.dataset, views, {});
2760         this.viewmanager.o2m = self;
2761         var once = $.Deferred().then(function() {
2762             self.init_form_last_update.resolve();
2763         });
2764         var def = $.Deferred().then(function() {
2765             self.initial_is_loaded.resolve();
2766         });
2767         this.viewmanager.on_controller_inited.add_last(function(view_type, controller) {
2768             controller.o2m = self;
2769             if (view_type == "list") {
2770                 if (self.get("effective_readonly"))
2771                     controller.set_editable(false);
2772             } else if (view_type === "form") {
2773                 if (self.get("effective_readonly")) {
2774                     $(".oe_form_buttons", controller.$element).children().remove();
2775                 }
2776                 controller.on_record_loaded.add_last(function() {
2777                     once.resolve();
2778                 });
2779                 controller.on_pager_action.add_first(function() {
2780                     self.save_any_view();
2781                 });
2782             } else if (view_type == "graph") {
2783                 self.reload_current_view()
2784             }
2785             def.resolve();
2786         });
2787         this.viewmanager.on_mode_switch.add_first(function(n_mode, b, c, d, e) {
2788             $.when(self.save_any_view()).then(function() {
2789                 if(n_mode === "list")
2790                     $.async_when().then(function() {self.reload_current_view();});
2791             });
2792         });
2793         this.is_setted.then(function() {
2794             $.async_when().then(function () {
2795                 self.viewmanager.appendTo(self.$element);
2796             });
2797         });
2798         return def;
2799     },
2800     reload_current_view: function() {
2801         var self = this;
2802         return self.is_loaded = self.is_loaded.pipe(function() {
2803             var active_view = self.viewmanager.active_view;
2804             var view = self.viewmanager.views[active_view].controller;
2805             if(active_view === "list") {
2806                 return view.reload_content();
2807             } else if (active_view === "form") {
2808                 if (self.dataset.index === null && self.dataset.ids.length >= 1) {
2809                     self.dataset.index = 0;
2810                 }
2811                 var act = function() {
2812                     return view.do_show();
2813                 };
2814                 self.form_last_update = self.form_last_update.pipe(act, act);
2815                 return self.form_last_update;
2816             } else if (view.do_search) {
2817                 return view.do_search(self.build_domain(), self.dataset.get_context(), []);
2818             }
2819         }, undefined);
2820     },
2821     set_value: function(value_) {
2822         value_ = value_ || [];
2823         var self = this;
2824         this.dataset.reset_ids([]);
2825         if(value_.length >= 1 && value_[0] instanceof Array) {
2826             var ids = [];
2827             _.each(value_, function(command) {
2828                 var obj = {values: command[2]};
2829                 switch (command[0]) {
2830                     case commands.CREATE:
2831                         obj['id'] = _.uniqueId(self.dataset.virtual_id_prefix);
2832                         obj.defaults = {};
2833                         self.dataset.to_create.push(obj);
2834                         self.dataset.cache.push(_.extend(_.clone(obj), {values: _.clone(command[2])}));
2835                         ids.push(obj.id);
2836                         return;
2837                     case commands.UPDATE:
2838                         obj['id'] = command[1];
2839                         self.dataset.to_write.push(obj);
2840                         self.dataset.cache.push(_.extend(_.clone(obj), {values: _.clone(command[2])}));
2841                         ids.push(obj.id);
2842                         return;
2843                     case commands.DELETE:
2844                         self.dataset.to_delete.push({id: command[1]});
2845                         return;
2846                     case commands.LINK_TO:
2847                         ids.push(command[1]);
2848                         return;
2849                     case commands.DELETE_ALL:
2850                         self.dataset.delete_all = true;
2851                         return;
2852                 }
2853             });
2854             this._super(ids);
2855             this.dataset.set_ids(ids);
2856         } else if (value_.length >= 1 && typeof(value_[0]) === "object") {
2857             var ids = [];
2858             this.dataset.delete_all = true;
2859             _.each(value_, function(command) {
2860                 var obj = {values: command};
2861                 obj['id'] = _.uniqueId(self.dataset.virtual_id_prefix);
2862                 obj.defaults = {};
2863                 self.dataset.to_create.push(obj);
2864                 self.dataset.cache.push(_.clone(obj));
2865                 ids.push(obj.id);
2866             });
2867             this._super(ids);
2868             this.dataset.set_ids(ids);
2869         } else {
2870             this._super(value_);
2871             this.dataset.reset_ids(value_);
2872         }
2873         if (this.dataset.index === null && this.dataset.ids.length > 0) {
2874             this.dataset.index = 0;
2875         }
2876         self.is_setted.resolve();
2877         return self.reload_current_view();
2878     },
2879     get_value: function() {
2880         var self = this;
2881         if (!this.dataset)
2882             return [];
2883         this.save_any_view();
2884         var val = this.dataset.delete_all ? [commands.delete_all()] : [];
2885         val = val.concat(_.map(this.dataset.ids, function(id) {
2886             var alter_order = _.detect(self.dataset.to_create, function(x) {return x.id === id;});
2887             if (alter_order) {
2888                 return commands.create(alter_order.values);
2889             }
2890             alter_order = _.detect(self.dataset.to_write, function(x) {return x.id === id;});
2891             if (alter_order) {
2892                 return commands.update(alter_order.id, alter_order.values);
2893             }
2894             return commands.link_to(id);
2895         }));
2896         return val.concat(_.map(
2897             this.dataset.to_delete, function(x) {
2898                 return commands['delete'](x.id);}));
2899     },
2900     save_any_view: function() {
2901         if (this.doing_on_change)
2902             return false;
2903         return this.session.synchronized_mode(_.bind(function() {
2904                 if (this.viewmanager && this.viewmanager.views && this.viewmanager.active_view &&
2905                     this.viewmanager.views[this.viewmanager.active_view] &&
2906                     this.viewmanager.views[this.viewmanager.active_view].controller) {
2907                     var view = this.viewmanager.views[this.viewmanager.active_view].controller;
2908                     if (this.viewmanager.active_view === "form") {
2909                         if (!view.is_initialized.isResolved()) {
2910                             return false;
2911                         }
2912                         var res = $.when(view.do_save());
2913                         if (!res.isResolved() && !res.isRejected()) {
2914                             console.warn("Asynchronous get_value() is not supported in form view.");
2915                         }
2916                         return res;
2917                     } else if (this.viewmanager.active_view === "list") {
2918                         var res = $.when(view.ensure_saved());
2919                         if (!res.isResolved() && !res.isRejected()) {
2920                             console.warn("Asynchronous get_value() is not supported in list view.");
2921                         }
2922                         return res;
2923                     }
2924                 }
2925                 return false;
2926             }, this));
2927     },
2928     is_syntax_valid: function() {
2929         if (!this.viewmanager.views[this.viewmanager.active_view])
2930             return true;
2931         var view = this.viewmanager.views[this.viewmanager.active_view].controller;
2932         if (this.viewmanager.active_view === "form") {
2933             for (var f in view.fields) {
2934                 f = view.fields[f];
2935                 if (!f.is_valid()) {
2936                     return false;
2937                 }
2938             }
2939         }
2940         return true;
2941     },
2942 });
2943
2944 instance.web.form.One2ManyViewManager = instance.web.ViewManager.extend({
2945     template: 'One2Many.viewmanager',
2946     init: function(parent, dataset, views, flags) {
2947         this._super(parent, dataset, views, _.extend({}, flags, {$sidebar: false}));
2948         this.registry = this.registry.extend({
2949             list: 'instance.web.form.One2ManyListView',
2950             form: 'instance.web.form.One2ManyFormView',
2951             kanban: 'instance.web.form.One2ManyKanbanView',
2952         });
2953     },
2954     switch_view: function(mode, unused) {
2955         if (mode !== 'form') {
2956             return this._super(mode, unused);
2957         }
2958         var self = this;
2959         var id = self.o2m.dataset.index !== null ? self.o2m.dataset.ids[self.o2m.dataset.index] : null;
2960         var pop = new instance.web.form.FormOpenPopup(self.o2m.view);
2961         pop.show_element(self.o2m.field.relation, id, self.o2m.build_context(), {
2962             title: _t("Open: ") + self.name,
2963             create_function: function(data) {
2964                 return self.o2m.dataset.create(data).then(function(r) {
2965                     self.o2m.dataset.set_ids(self.o2m.dataset.ids.concat([r.result]));
2966                     self.o2m.dataset.on_change();
2967                 });
2968             },
2969             write_function: function(id, data, options) {
2970                 return self.o2m.dataset.write(id, data, {}).then(function() {
2971                     self.o2m.reload_current_view();
2972                 });
2973             },
2974             alternative_form_view: self.o2m.field.views ? self.o2m.field.views["form"] : undefined,
2975             parent_view: self.o2m.view,
2976             child_name: self.o2m.name,
2977             read_function: function() {
2978                 return self.o2m.dataset.read_ids.apply(self.o2m.dataset, arguments);
2979             },
2980             form_view_options: {'not_interactible_on_create':true},
2981             readonly: self.o2m.get("effective_readonly")
2982         });
2983         pop.on_select_elements.add_last(function() {
2984             self.o2m.reload_current_view();
2985         });
2986     },
2987 });
2988
2989 instance.web.form.One2ManyDataSet = instance.web.BufferedDataSet.extend({
2990     get_context: function() {
2991         this.context = this.o2m.build_context([this.o2m.name]);
2992         return this.context;
2993     }
2994 });
2995
2996 instance.web.form.One2ManyListView = instance.web.ListView.extend({
2997     _template: 'One2Many.listview',
2998     do_add_record: function () {
2999         if (this.options.editable) {
3000             this._super.apply(this, arguments);
3001         } else {
3002             var self = this;
3003             var pop = new instance.web.form.SelectCreatePopup(this);
3004             pop.select_element(
3005                 self.o2m.field.relation,
3006                 {
3007                     title: _t("Create: ") + self.name,
3008                     initial_view: "form",
3009                     alternative_form_view: self.o2m.field.views ? self.o2m.field.views["form"] : undefined,
3010                     create_function: function(data, callback, error_callback) {
3011                         return self.o2m.dataset.create(data).then(function(r) {
3012                             self.o2m.dataset.set_ids(self.o2m.dataset.ids.concat([r.result]));
3013                             self.o2m.dataset.on_change();
3014                         }).then(callback, error_callback);
3015                     },
3016                     read_function: function() {
3017                         return self.o2m.dataset.read_ids.apply(self.o2m.dataset, arguments);
3018                     },
3019                     parent_view: self.o2m.view,
3020                     child_name: self.o2m.name,
3021                     form_view_options: {'not_interactible_on_create':true}
3022                 },
3023                 self.o2m.build_domain(),
3024                 self.o2m.build_context()
3025             );
3026             pop.on_select_elements.add_last(function() {
3027                 self.o2m.reload_current_view();
3028             });
3029         }
3030     },
3031     do_activate_record: function(index, id) {
3032         var self = this;
3033         var pop = new instance.web.form.FormOpenPopup(self.o2m.view);
3034         pop.show_element(self.o2m.field.relation, id, self.o2m.build_context(), {
3035             title: _t("Open: ") + self.name,
3036             write_function: function(id, data) {
3037                 return self.o2m.dataset.write(id, data, {}, function(r) {
3038                     self.o2m.reload_current_view();
3039                 });
3040             },
3041             alternative_form_view: self.o2m.field.views ? self.o2m.field.views["form"] : undefined,
3042             parent_view: self.o2m.view,
3043             child_name: self.o2m.name,
3044             read_function: function() {
3045                 return self.o2m.dataset.read_ids.apply(self.o2m.dataset, arguments);
3046             },
3047             form_view_options: {'not_interactible_on_create':true},
3048             readonly: self.o2m.get("effective_readonly")
3049         });
3050     },
3051     do_button_action: function (name, id, callback) {
3052         var self = this;
3053         var def = $.Deferred().then(callback).then(function() {self.o2m.view.reload();});
3054         return this._super(name, id, _.bind(def.resolve, def));
3055     }
3056 });
3057
3058 instance.web.form.One2ManyFormView = instance.web.FormView.extend({
3059     form_template: 'One2Many.formview',
3060     on_loaded: function(data) {
3061         this._super(data);
3062         var self = this;
3063         this.$buttons.find('button.oe_form_button_create').click(function() {
3064             self.do_save().then(self.on_button_new);
3065         });
3066     },
3067     do_notify_change: function() {
3068         if (this.dataset.parent_view) {
3069             this.dataset.parent_view.do_notify_change();
3070         } else {
3071             this._super.apply(this, arguments);
3072         }
3073     }
3074 });
3075
3076 var lazy_build_o2m_kanban_view = function() {
3077 if (! instance.web_kanban || instance.web.form.One2ManyKanbanView)
3078     return;
3079 instance.web.form.One2ManyKanbanView = instance.web_kanban.KanbanView.extend({
3080 });
3081 }
3082
3083 instance.web.form.FieldMany2ManyTags = instance.web.form.AbstractField.extend(_.extend({}, instance.web.form.CompletionFieldMixin,
3084                                                                                        instance.web.form.ReinitializeFieldMixin, {
3085     template: "FieldMany2ManyTags",
3086     init: function() {
3087         this._super.apply(this, arguments);
3088         instance.web.form.CompletionFieldMixin.init.call(this);
3089         this.set({"value": []});
3090         this._display_orderer = new instance.web.DropMisordered();
3091         this._drop_shown = false;
3092     },
3093     start: function() {
3094         this._super();
3095         instance.web.form.ReinitializeFieldMixin.start.call(this);
3096         this.on("change:value", this, this.render_value);
3097     },
3098     initialize_content: function() {
3099         if (this.get("effective_readonly"))
3100             return;
3101         var self = this;
3102         self.$text = $("textarea", this.$element);
3103         self.$text.textext({
3104             plugins : 'tags arrow autocomplete',
3105             autocomplete: {
3106                 render: function(suggestion) {
3107                     return $('<span class="text-label"/>').
3108                              data('index', suggestion['index']).html(suggestion['label']);
3109                 }
3110             },
3111             ext: {
3112                 autocomplete: {
3113                     selectFromDropdown: function() {
3114                         $(this).trigger('hideDropdown');
3115                         var index = Number(this.selectedSuggestionElement().children().children().data('index'));
3116                         var data = self.search_result[index];
3117                         if (data.id) {
3118                             self.add_id(data.id);
3119                         } else {
3120                             data.action();
3121                         }
3122                     },
3123                 },
3124                 tags: {
3125                     isTagAllowed: function(tag) {
3126                         if (! tag.name)
3127                             return false;
3128                         return true;
3129                     },
3130                     removeTag: function(tag) {
3131                         var id = tag.data("id");
3132                         self.set({"value": _.without(self.get("value"), id)});
3133                     },
3134                     renderTag: function(stuff) {
3135                         return $.fn.textext.TextExtTags.prototype.renderTag.
3136                             call(this, stuff).data("id", stuff.id);
3137                     },
3138                 },
3139                 itemManager: {
3140                     itemToString: function(item) {
3141                         return item.name;
3142                     },
3143                 },
3144             },
3145         }).bind('getSuggestions', function(e, data) {
3146             var _this = this;
3147             var str = !!data ? data.query || '' : '';
3148             self.get_search_result(str).then(function(result) {
3149                 self.search_result = result;
3150                 $(_this).trigger('setSuggestions', {result : _.map(result, function(el, i) {
3151                     return _.extend(el, {index:i});
3152                 })});
3153             });
3154         }).bind('hideDropdown', function() {
3155             self._drop_shown = false;
3156         }).bind('showDropdown', function() {
3157             self._drop_shown = true;
3158         });
3159         self.tags = self.$text.textext()[0].tags();
3160         $("textarea", this.$element).focusout(function() {
3161             self.$text.trigger("setInputData", "");
3162         }).keydown(function(e) {
3163             if (event.keyCode === 9 && self._drop_shown) {
3164                 self.$text.textext()[0].autocomplete().selectFromDropdown();
3165             }
3166         });
3167     },
3168     set_value: function(value_) {
3169         value_ = value_ || [];
3170         if (value_.length >= 1 && value_[0] instanceof Array) {
3171             value_ = value_[0][2];
3172         }
3173         this._super(value_);
3174     },
3175     get_value: function() {
3176         var tmp = [commands.replace_with(this.get("value"))];
3177         return tmp;
3178     },
3179     get_search_blacklist: function() {
3180         return this.get("value");
3181     },
3182     render_value: function() {
3183         var self = this;
3184         var dataset = new instance.web.DataSetStatic(this, this.field.relation, self.view.dataset.get_context());
3185         var handle_names = function(data) {
3186             var indexed = {};
3187             _.each(data, function(el) {
3188                 indexed[el[0]] = el;
3189             });
3190             data = _.map(self.get("value"), function(el) { return indexed[el]; });
3191             if (! self.get("effective_readonly")) {
3192                 self.tags.containerElement().children().remove();
3193                 $("textarea", self.$element).css("padding-left", "3px");
3194                 self.tags.addTags(_.map(data, function(el) {return {name: el[1], id:el[0]};}));
3195             } else {
3196                 self.$element.html(QWeb.render("FieldMany2ManyTags.box", {elements: data}));
3197             }
3198         };
3199         if (! self.get('values') || self.get('values').length > 0) {
3200             this._display_orderer.add(dataset.name_get(self.get("value"))).then(handle_names);
3201         } else {
3202             handle_names([]);
3203         }
3204     },
3205     add_id: function(id) {
3206         this.set({'value': _.uniq(this.get('value').concat([id]))});
3207     },
3208 }));
3209
3210 /*
3211  * TODO niv: clean those deferred stuff, it could be better
3212  */
3213 instance.web.form.FieldMany2Many = instance.web.form.AbstractField.extend({
3214     multi_selection: false,
3215     disable_utility_classes: true,
3216     init: function(field_manager, node) {
3217         this._super(field_manager, node);
3218         this.is_loaded = $.Deferred();
3219         this.initial_is_loaded = this.is_loaded;
3220         this.is_setted = $.Deferred();
3221     },
3222     start: function() {
3223         this._super.apply(this, arguments);
3224
3225         var self = this;
3226
3227         this.dataset = new instance.web.form.Many2ManyDataSet(this, this.field.relation);
3228         this.dataset.m2m = this;
3229         this.dataset.on_unlink.add_last(function(ids) {
3230             self.dataset_changed();
3231         });
3232         
3233         this.is_setted.then(function() {
3234             self.load_view();
3235         });
3236         this.is_loaded.then(function() {
3237             self.on("change:effective_readonly", self, function() {
3238                 self.is_loaded = self.is_loaded.pipe(function() {
3239                     self.list_view.destroy();
3240                     return $.when(self.load_view()).then(function() {
3241                         self.reload_content();
3242                     });
3243                 });
3244             });
3245         })
3246     },
3247     set_value: function(value_) {
3248         value_ = value_ || [];
3249         if (value_.length >= 1 && value_[0] instanceof Array) {
3250             value_ = value_[0][2];
3251         }
3252         this._super(value_);
3253         this.dataset.set_ids(value_);
3254         var self = this;
3255         self.reload_content();
3256         this.is_setted.resolve();
3257     },
3258     load_view: function() {
3259         var self = this;
3260         this.list_view = new instance.web.form.Many2ManyListView(this, this.dataset, false, {
3261                     'addable': self.get("effective_readonly") ? null : _t("Add"),
3262                     'deletable': self.get("effective_readonly") ? false : true,
3263                     'selectable': self.multi_selection,
3264             });
3265         var embedded = (this.field.views || {}).tree;
3266         if (embedded) {
3267             this.list_view.set_embedded_view(embedded);
3268         }
3269         this.list_view.m2m_field = this;
3270         var loaded = $.Deferred();
3271         this.list_view.on_loaded.add_last(function() {
3272             self.initial_is_loaded.resolve();
3273             loaded.resolve();
3274         });
3275         $.async_when().then(function () {
3276             self.list_view.appendTo(self.$element);
3277         });
3278         return loaded;
3279     },
3280     reload_content: function() {
3281         var self = this;
3282         this.is_loaded = this.is_loaded.pipe(function() {
3283             return self.list_view.reload_content();
3284         });
3285     },
3286     dataset_changed: function() {
3287         this.set({'value': [commands.replace_with(this.dataset.ids)]});
3288     },
3289 });
3290
3291 instance.web.form.Many2ManyDataSet = instance.web.DataSetStatic.extend({
3292     get_context: function() {
3293         this.context = this.m2m.build_context();
3294         return this.context;
3295     }
3296 });
3297
3298 /**
3299  * @class
3300  * @extends instance.web.ListView
3301  */
3302 instance.web.form.Many2ManyListView = instance.web.ListView.extend(/** @lends instance.web.form.Many2ManyListView# */{
3303     do_add_record: function () {
3304         var pop = new instance.web.form.SelectCreatePopup(this);
3305         pop.select_element(
3306             this.model,
3307             {
3308                 title: _t("Add: ") + this.name
3309             },
3310             new instance.web.CompoundDomain(this.m2m_field.build_domain(), ["!", ["id", "in", this.m2m_field.dataset.ids]]),
3311             this.m2m_field.build_context()
3312         );
3313         var self = this;
3314         pop.on_select_elements.add(function(element_ids) {
3315             _.each(element_ids, function(one_id) {
3316                 if(! _.detect(self.dataset.ids, function(x) {return x == one_id;})) {
3317                     self.dataset.set_ids([].concat(self.dataset.ids, [one_id]));
3318                     self.m2m_field.dataset_changed();
3319                     self.reload_content();
3320                 }
3321             });
3322         });
3323     },
3324     do_activate_record: function(index, id) {
3325         var self = this;
3326         var pop = new instance.web.form.FormOpenPopup(this);
3327         pop.show_element(this.dataset.model, id, this.m2m_field.build_context(), {
3328             title: _t("Open: ") + this.name,
3329             readonly: this.getParent().get("effective_readonly")
3330         });
3331         pop.on_write_completed.add_last(function() {
3332             self.reload_content();
3333         });
3334     }
3335 });
3336
3337 instance.web.form.FieldMany2ManyKanban = instance.web.form.AbstractField.extend(_.extend({}, instance.web.form.CompletionFieldMixin, {
3338     disable_utility_classes: true,
3339     init: function(field_manager, node) {
3340         this._super(field_manager, node);
3341         instance.web.form.CompletionFieldMixin.init.call(this);
3342         m2m_kanban_lazy_init();
3343         this.is_loaded = $.Deferred();
3344         this.initial_is_loaded = this.is_loaded;
3345         this.is_setted = $.Deferred();
3346     },
3347     start: function() {
3348         this._super.apply(this, arguments);
3349
3350         var self = this;
3351
3352         this.dataset = new instance.web.form.Many2ManyDataSet(this, this.field.relation);
3353         this.dataset.m2m = this;
3354         this.dataset.on_unlink.add_last(function(ids) {
3355             self.dataset_changed();
3356         });
3357         
3358         this.is_setted.then(function() {
3359             self.load_view();
3360         });
3361         this.is_loaded.then(function() {
3362             self.on("change:effective_readonly", self, function() {
3363                 self.is_loaded = self.is_loaded.pipe(function() {
3364                     self.kanban_view.destroy();
3365                     return $.when(self.load_view()).then(function() {
3366                         self.reload_content();
3367                     });
3368                 });
3369             });
3370         })
3371     },
3372     set_value: function(value_) {
3373         value_ = value_ || [];
3374         if (value_.length >= 1 && value_[0] instanceof Array) {
3375             value_ = value_[0][2];
3376         }
3377         this._super(value_);
3378         this.dataset.set_ids(value_);
3379         var self = this;
3380         self.reload_content();
3381         this.is_setted.resolve();
3382     },
3383     load_view: function() {
3384         var self = this;
3385         this.kanban_view = new instance.web.form.Many2ManyKanbanView(this, this.dataset, false, {
3386                     'create_text': _t("Add"),
3387                     'creatable': self.get("effective_readonly") ? false : true,
3388                     'quick_creatable': self.get("effective_readonly") ? false : true,
3389                     'read_only_mode': self.get("effective_readonly") ? true : false,
3390                     'confirm_on_delete': false,
3391             });
3392         var embedded = (this.field.views || {}).kanban;
3393         if (embedded) {
3394             this.kanban_view.set_embedded_view(embedded);
3395         }
3396         this.kanban_view.m2m = this;
3397         var loaded = $.Deferred();
3398         this.kanban_view.on_loaded.add_last(function() {
3399             self.initial_is_loaded.resolve();
3400             loaded.resolve();
3401         });
3402         this.kanban_view.do_switch_view.add_last(_.bind(this.open_popup, this));
3403         $.async_when().then(function () {
3404             self.kanban_view.appendTo(self.$element);
3405         });
3406         return loaded;
3407     },
3408     reload_content: function() {
3409         var self = this;
3410         this.is_loaded = this.is_loaded.pipe(function() {
3411             return self.kanban_view.do_search(self.build_domain(), self.dataset.get_context(), []);
3412         });
3413     },
3414     dataset_changed: function() {
3415         this.set({'value': [commands.replace_with(this.dataset.ids)]});
3416     },
3417     open_popup: function(type, unused) {
3418         if (type !== "form")
3419             return;
3420         var self = this;
3421         if (this.dataset.index === null) {
3422             var pop = new instance.web.form.SelectCreatePopup(this);
3423             pop.select_element(
3424                 this.field.relation,
3425                 {
3426                     title: _t("Add: ") + this.name
3427                 },
3428                 new instance.web.CompoundDomain(this.build_domain(), ["!", ["id", "in", this.dataset.ids]]),
3429                 this.build_context()
3430             );
3431             pop.on_select_elements.add(function(element_ids) {
3432                 _.each(element_ids, function(one_id) {
3433                     if(! _.detect(self.dataset.ids, function(x) {return x == one_id;})) {
3434                         self.dataset.set_ids([].concat(self.dataset.ids, [one_id]));
3435                         self.dataset_changed();
3436                         self.reload_content();
3437                     }
3438                 });
3439             });
3440         } else {
3441             var id = self.dataset.ids[self.dataset.index];
3442             var pop = new instance.web.form.FormOpenPopup(self.view);
3443             pop.show_element(self.field.relation, id, self.build_context(), {
3444                 title: _t("Open: ") + self.name,
3445                 write_function: function(id, data, options) {
3446                     return self.dataset.write(id, data, {}).then(function() {
3447                         self.reload_content();
3448                     });
3449                 },
3450                 alternative_form_view: self.field.views ? self.field.views["form"] : undefined,
3451                 parent_view: self.view,
3452                 child_name: self.name,
3453                 readonly: self.get("effective_readonly")
3454             });
3455         }
3456     },
3457     add_id: function(id) {
3458         this.quick_create.add_id(id);
3459     },
3460 }));
3461
3462 function m2m_kanban_lazy_init() {
3463 if (instance.web.form.Many2ManyKanbanView)
3464     return;
3465 instance.web.form.Many2ManyKanbanView = instance.web_kanban.KanbanView.extend({
3466     quick_create_class: 'instance.web.form.Many2ManyQuickCreate',
3467     _is_quick_create_enabled: function() {
3468         return this._super() && ! this.group_by;
3469     },
3470 });
3471 instance.web.form.Many2ManyQuickCreate = instance.web.Widget.extend({
3472     template: 'Many2ManyKanban.quick_create',
3473     
3474     /**
3475      * close_btn: If true, the widget will display a "Close" button able to trigger
3476      * a "close" event.
3477      */
3478     init: function(parent, dataset, context, buttons) {
3479         this._super(parent);
3480         this.m2m = this.getParent().view.m2m;
3481         this.m2m.quick_create = this;
3482         this._dataset = dataset;
3483         this._buttons = buttons || false;
3484         this._context = context || {};
3485     },
3486     start: function () {
3487         var self = this;
3488         self.$text = this.$element.find('input').css("width", "200px");
3489         self.$text.textext({
3490             plugins : 'arrow autocomplete',
3491             autocomplete: {
3492                 render: function(suggestion) {
3493                     return $('<span class="text-label"/>').
3494                              data('index', suggestion['index']).html(suggestion['label']);
3495                 }
3496             },
3497             ext: {
3498                 autocomplete: {
3499                     selectFromDropdown: function() {
3500                         $(this).trigger('hideDropdown');
3501                         var index = Number(this.selectedSuggestionElement().children().children().data('index'));
3502                         var data = self.search_result[index];
3503                         if (data.id) {
3504                             self.add_id(data.id);
3505                         } else {
3506                             data.action();
3507                         }
3508                     },
3509                 },
3510                 itemManager: {
3511                     itemToString: function(item) {
3512                         return item.name;
3513                     },
3514                 },
3515             },
3516         }).bind('getSuggestions', function(e, data) {
3517             var _this = this;
3518             var str = !!data ? data.query || '' : '';
3519             self.m2m.get_search_result(str).then(function(result) {
3520                 self.search_result = result;
3521                 $(_this).trigger('setSuggestions', {result : _.map(result, function(el, i) {
3522                     return _.extend(el, {index:i});
3523                 })});
3524             });
3525         });
3526         self.$text.focusout(function() {
3527             self.$text.val("");
3528         });
3529     },
3530     focus: function() {
3531         this.$text.focus();
3532     },
3533     add_id: function(id) {
3534         var self = this;
3535         self.$text.val("");
3536         self.trigger('added', id);
3537         this.m2m.dataset_changed();
3538     },
3539 });
3540 }
3541
3542 /**
3543  * Class with everything which is common between FormOpenPopup and SelectCreatePopup.
3544  */
3545 instance.web.form.AbstractFormPopup = instance.web.OldWidget.extend({
3546     template: "AbstractFormPopup.render",
3547     /**
3548      *  options:
3549      *  -readonly: only applicable when not in creation mode, default to false
3550      * - alternative_form_view
3551      * - write_function
3552      * - read_function
3553      * - create_function
3554      * - parent_view
3555      * - child_name
3556      * - form_view_options
3557      */
3558     init_popup: function(model, row_id, domain, context, options) {
3559         this.row_id = row_id;
3560         this.model = model;
3561         this.domain = domain || [];
3562         this.context = context || {};
3563         this.options = options;
3564         _.defaults(this.options, {
3565         });
3566     },
3567     init_dataset: function() {
3568         var self = this;
3569         this.created_elements = [];
3570         this.dataset = new instance.web.ProxyDataSet(this, this.model, this.context);
3571         this.dataset.read_function = this.options.read_function;
3572         this.dataset.create_function = function(data, sup) {
3573             var fct = self.options.create_function || sup;
3574             return fct.call(this, data).then(function(r) {
3575                 self.created_elements.push(r.result);
3576             });
3577         };
3578         this.dataset.write_function = function(id, data, options, sup) {
3579             var fct = self.options.write_function || sup;
3580             return fct.call(this, id, data, options).then(self.on_write_completed);
3581         };
3582         this.dataset.parent_view = this.options.parent_view;
3583         this.dataset.child_name = this.options.child_name;
3584     },
3585     display_popup: function() {
3586         var self = this;
3587         this.renderElement();
3588         new instance.web.Dialog(this, {
3589             width: '90%',
3590             min_width: '800px',
3591             close: function() {
3592                 self.check_exit(true);
3593             },
3594             title: this.options.title || "",
3595         }, this.$element).open();
3596         this.start();
3597     },
3598     on_write_completed: function() {},
3599     setup_form_view: function() {
3600         var self = this;
3601         if (this.row_id) {
3602             this.dataset.ids = [this.row_id];
3603             this.dataset.index = 0;
3604         } else {
3605             this.dataset.index = null;
3606         }
3607         var options = _.clone(self.options.form_view_options) || {};
3608         if (this.row_id !== null) {
3609             options.initial_mode = this.options.readonly ? "view" : "edit";
3610         }
3611         this.view_form = new instance.web.FormView(this, this.dataset, false, options);
3612         if (this.options.alternative_form_view) {
3613             this.view_form.set_embedded_view(this.options.alternative_form_view);
3614         }
3615         this.view_form.appendTo(this.$element.find(".oe-form-view-popup-form-placeholder"));
3616         this.view_form.on_loaded.add_last(function() {
3617             var $buttons = self.view_form.$element.find(".oe_form_buttons");
3618             var multi_select = self.row_id === null && ! self.options.disable_multiple_selection;
3619             $buttons.html(QWeb.render("AbstractFormPopup.buttons", {multi_select: multi_select}));
3620             var $snbutton = $buttons.find(".oe_abstractformpopup-form-save-new");
3621             $snbutton.click(function() {
3622                 $.when(self.view_form.do_save()).then(function() {
3623                     self.view_form.reload_mutex.exec(function() {
3624                         self.view_form.on_button_new();
3625                     });
3626                 });
3627             });
3628             var $sbutton = $buttons.find(".oe_abstractformpopup-form-save");
3629             $sbutton.click(function() {
3630                 $.when(self.view_form.do_save()).then(function() {
3631                     self.view_form.reload_mutex.exec(function() {
3632                         self.check_exit();
3633                     });
3634                 });
3635             });
3636             var $cbutton = $buttons.find(".oe_abstractformpopup-form-close");
3637             $cbutton.click(function() {
3638                 self.check_exit();
3639             });
3640             if (self.row_id !== null && self.options.readonly) {
3641                 $snbutton.hide();
3642                 $sbutton.hide();
3643                 $cbutton.text(_t("Close"));
3644             }
3645             self.view_form.do_show();
3646         });
3647     },
3648     on_select_elements: function(element_ids) {
3649     },
3650     check_exit: function(no_destroy) {
3651         if (this.created_elements.length > 0) {
3652             this.on_select_elements(this.created_elements);
3653             this.created_elements = [];
3654         }
3655         this.destroy();
3656     },
3657     destroy: function () {
3658         this.$element.dialog('close');
3659         this._super();
3660     },
3661 });
3662
3663 /**
3664  * Class to display a popup containing a form view.
3665  */
3666 instance.web.form.FormOpenPopup = instance.web.form.AbstractFormPopup.extend({
3667     show_element: function(model, row_id, context, options) {
3668         this.init_popup(model, row_id, [], context,  options);
3669         _.defaults(this.options, {
3670         });
3671         this.display_popup();
3672     },
3673     start: function() {
3674         this._super();
3675         this.init_dataset();
3676         this.setup_form_view();
3677     },
3678 });
3679
3680 /**
3681  * Class to display a popup to display a list to search a row. It also allows
3682  * to switch to a form view to create a new row.
3683  */
3684 instance.web.form.SelectCreatePopup = instance.web.form.AbstractFormPopup.extend({
3685     /**
3686      * options:
3687      * - initial_ids
3688      * - initial_view: form or search (default search)
3689      * - disable_multiple_selection
3690      * - list_view_options
3691      */
3692     select_element: function(model, options, domain, context) {
3693         this.init_popup(model, null, domain, context, options);
3694         var self = this;
3695         _.defaults(this.options, {
3696             initial_view: "search",
3697         });
3698         this.initial_ids = this.options.initial_ids;
3699         this.display_popup();
3700     },
3701     start: function() {
3702         var self = this;
3703         this.init_dataset();
3704         if (this.options.initial_view == "search") {
3705             self.rpc('/web/session/eval_domain_and_context', {
3706                 domains: [],
3707                 contexts: [this.context]
3708             }, function (results) {
3709                 var search_defaults = {};
3710                 _.each(results.context, function (value_, key) {
3711                     var match = /^search_default_(.*)$/.exec(key);
3712                     if (match) {
3713                         search_defaults[match[1]] = value_;
3714                     }
3715                 });
3716                 self.setup_search_view(search_defaults);
3717             });
3718         } else { // "form"
3719             this.new_object();
3720         }
3721     },
3722     setup_search_view: function(search_defaults) {
3723         var self = this;
3724         if (this.searchview) {
3725             this.searchview.destroy();
3726         }
3727         this.searchview = new instance.web.SearchView(this,
3728                 this.dataset, false,  search_defaults);
3729         this.searchview.on_search.add(function(domains, contexts, groupbys) {
3730             if (self.initial_ids) {
3731                 self.do_search(domains.concat([[["id", "in", self.initial_ids]], self.domain]),
3732                     contexts, groupbys);
3733                 self.initial_ids = undefined;
3734             } else {
3735                 self.do_search(domains.concat([self.domain]), contexts.concat(self.context), groupbys);
3736             }
3737         });
3738         this.searchview.on_loaded.add_last(function () {
3739             self.view_list = new instance.web.form.SelectCreateListView(self,
3740                     self.dataset, false,
3741                     _.extend({'deletable': false,
3742                         'selectable': !self.options.disable_multiple_selection
3743                     }, self.options.list_view_options || {}));
3744             self.view_list.popup = self;
3745             self.view_list.appendTo($(".oe-select-create-popup-view-list", self.$element)).pipe(function() {
3746                 self.view_list.do_show();
3747             }).pipe(function() {
3748                 self.searchview.do_search();
3749             });
3750             self.view_list.on_loaded.add_last(function() {
3751                 var $buttons = self.view_list.$element.find(".oe-actions");
3752                 $buttons.prepend(QWeb.render("SelectCreatePopup.search.buttons"));
3753                 var $cbutton = $buttons.find(".oe_selectcreatepopup-search-close");
3754                 $cbutton.click(function() {
3755                     self.destroy();
3756                 });
3757                 var $sbutton = $buttons.find(".oe_selectcreatepopup-search-select");
3758                 if(self.options.disable_multiple_selection) {
3759                     $sbutton.hide();
3760                 }
3761                 $sbutton.click(function() {
3762                     self.on_select_elements(self.selected_ids);
3763                     self.destroy();
3764                 });
3765             });
3766         });
3767         this.searchview.appendTo($(".oe-select-create-popup-view-list", self.$element));
3768     },
3769     do_search: function(domains, contexts, groupbys) {
3770         var self = this;
3771         this.rpc('/web/session/eval_domain_and_context', {
3772             domains: domains || [],
3773             contexts: contexts || [],
3774             group_by_seq: groupbys || []
3775         }, function (results) {
3776             self.view_list.do_search(results.domain, results.context, results.group_by);
3777         });
3778     },
3779     on_click_element: function(ids) {
3780         this.selected_ids = ids || [];
3781         if(this.selected_ids.length > 0) {
3782             this.$element.find(".oe_selectcreatepopup-search-select").removeAttr('disabled');
3783         } else {
3784             this.$element.find(".oe_selectcreatepopup-search-select").attr('disabled', "disabled");
3785         }
3786     },
3787     new_object: function() {
3788         if (this.searchview) {
3789             this.searchview.hide();
3790         }
3791         if (this.view_list) {
3792             this.view_list.$element.hide();
3793         }
3794         this.setup_form_view();
3795     },
3796 });
3797
3798 instance.web.form.SelectCreateListView = instance.web.ListView.extend({
3799     do_add_record: function () {
3800         this.popup.new_object();
3801     },
3802     select_record: function(index) {
3803         this.popup.on_select_elements([this.dataset.ids[index]]);
3804         this.popup.destroy();
3805     },
3806     do_select: function(ids, records) {
3807         this._super(ids, records);
3808         this.popup.on_click_element(ids);
3809     }
3810 });
3811
3812 instance.web.form.FieldReference = instance.web.form.AbstractField.extend(_.extend({}, instance.web.form.ReinitializeFieldMixin, {
3813     template: 'FieldReference',
3814     init: function(field_manager, node) {
3815         this._super(field_manager, node);
3816         this.reference_ready = true;
3817     },
3818     on_nop: function() {
3819     },
3820     on_selection_changed: function() {
3821         if (this.reference_ready) {
3822             var sel = this.selection.get_value();
3823             this.m2o.field.relation = sel;
3824             this.m2o.set_value(false);
3825             this.m2o.$element.toggle(sel !== false);
3826         }
3827     },
3828     destroy_content: function() {
3829         if (this.selection) {
3830             this.selection.destroy();
3831             this.selection = undefined;
3832         }
3833         if (this.m2o) {
3834             this.m2o.destroy();
3835             this.m2o = undefined;
3836         }
3837     },
3838     initialize_content: function() {
3839         this.selection = new instance.web.form.FieldSelection(this, { attrs: {
3840             name: 'selection'
3841         }});
3842         this.selection.view = this.view;
3843         this.selection.set({force_readonly: this.get('effective_readonly')});
3844         this.selection.on("change:value", this, this.on_selection_changed);
3845         this.selection.$element = $(".oe_form_view_reference_selection", this.$element);
3846         this.selection.renderElement();
3847         this.selection.start();
3848
3849         this.m2o = new instance.web.form.FieldMany2One(this, { attrs: {
3850             name: 'm2o'
3851         }});
3852         this.m2o.view = this.view;
3853         this.m2o.set({force_readonly: this.get("effective_readonly")});
3854         this.m2o.on("change:value", this, this.data_changed);
3855         this.m2o.$element = $(".oe_form_view_reference_m2o", this.$element);
3856         this.m2o.renderElement();
3857         this.m2o.start();
3858     },
3859     is_false: function() {
3860         return typeof(this.get_value()) !== 'string';
3861     },
3862     set_value: function(value_) {
3863         this._super(value_);
3864         this.render_value();
3865     },
3866     render_value: function() {
3867         this.reference_ready = false;
3868         var vals = [], sel_val, m2o_val;
3869         if (typeof(this.get('value')) === 'string') {
3870             vals = this.get('value').split(',');
3871         }
3872         sel_val = vals[0] || false;
3873         m2o_val = vals[1] ? parseInt(vals[1], 10) : vals[1];
3874         if (!this.get("effective_readonly")) {
3875             this.selection.set_value(sel_val);
3876         }
3877         this.m2o.field.relation = sel_val;
3878         this.m2o.set_value(m2o_val);
3879         this.reference_ready = true;
3880     },
3881     data_changed: function() {
3882         var model = this.selection.get_value(),
3883             id = this.m2o.get_value();
3884         if (typeof(model) === 'string' && typeof(id) === 'number') {
3885             this.set({'value': model + ',' + id});
3886         } else {
3887             this.set({'value': false});
3888         }
3889     },
3890     get_field: function(name) {
3891         if (name === "selection") {
3892             return {
3893                 selection: this.view.fields_view.fields[this.name].selection,
3894                 type: "selection",
3895             };
3896         } else if (name === "m2o") {
3897             return {
3898                 relation: null,
3899                 type: "many2one",
3900             };
3901         }
3902         throw Exception("Should not happen");
3903     },
3904 }));
3905
3906 instance.web.form.FieldBinary = instance.web.form.AbstractField.extend(_.extend({}, instance.web.form.ReinitializeFieldMixin, {
3907     init: function(field_manager, node) {
3908         this._super(field_manager, node);
3909         this.iframe = this.element_id + '_iframe';
3910         this.binary_value = false;
3911     },
3912     initialize_content: function() {
3913         this.$element.find('input.oe-binary-file').change(this.on_file_change);
3914         this.$element.find('button.oe-binary-file-save').click(this.on_save_as);
3915         this.$element.find('.oe-binary-file-clear').click(this.on_clear);
3916     },
3917     human_filesize : function(size) {
3918         var units = ['B', 'KB', 'MB', 'GB', 'TB', 'PB', 'EB', 'ZB', 'YB'];
3919         var i = 0;
3920         while (size >= 1024) {
3921             size /= 1024;
3922             ++i;
3923         }
3924         return size.toFixed(2) + ' ' + units[i];
3925     },
3926     on_file_change: function(e) {
3927         // TODO: on modern browsers, we could directly read the file locally on client ready to be used on image cropper
3928         // http://www.html5rocks.com/tutorials/file/dndfiles/
3929         // http://deepliquid.com/projects/Jcrop/demos.php?demo=handler
3930         window[this.iframe] = this.on_file_uploaded;
3931         if ($(e.target).val() != '') {
3932             this.$element.find('form.oe-binary-form input[name=session_id]').val(this.session.session_id);
3933             this.$element.find('form.oe-binary-form').submit();
3934             this.$element.find('.oe-binary-progress').show();
3935             this.$element.find('.oe-binary').hide();
3936         }
3937     },
3938     on_file_uploaded: function(size, name, content_type, file_base64) {
3939         delete(window[this.iframe]);
3940         if (size === false) {
3941             this.do_warn("File Upload", "There was a problem while uploading your file");
3942             // TODO: use openerp web crashmanager
3943             console.warn("Error while uploading file : ", name);
3944         } else {
3945             this.on_file_uploaded_and_valid.apply(this, arguments);
3946         }
3947         this.$element.find('.oe-binary-progress').hide();
3948         this.$element.find('.oe-binary').show();
3949     },
3950     on_file_uploaded_and_valid: function(size, name, content_type, file_base64) {
3951     },
3952     on_save_as: function() {
3953         $.blockUI();
3954         this.session.get_file({
3955             url: '/web/binary/saveas_ajax',
3956             data: {data: JSON.stringify({
3957                 model: this.view.dataset.model,
3958                 id: (this.view.datarecord.id || ''),
3959                 field: this.name,
3960                 filename_field: (this.node.attrs.filename || ''),
3961                 context: this.view.dataset.get_context()
3962             })},
3963             complete: $.unblockUI,
3964             error: instance.webclient.crashmanager.on_rpc_error
3965         });
3966     },
3967     on_clear: function() {
3968         if (this.get('value') !== false) {
3969             this.binary_value = false;
3970             this.set({'value': false});
3971         }
3972         return false;
3973     }
3974 }));
3975
3976 instance.web.form.FieldBinaryFile = instance.web.form.FieldBinary.extend({
3977     template: 'FieldBinaryFile',
3978     initialize_content: function() {
3979         this._super();
3980         if (this.get("effective_readonly")) {
3981             var self = this;
3982             this.$element.find('a').click(function() {
3983                 if (self.get('value')) {
3984                     self.on_save_as();
3985                 }
3986                 return false;
3987             });
3988         }
3989     },
3990     set_value: function(value_) {
3991         this._super.apply(this, arguments);
3992         this.render_value();
3993     },
3994     render_value: function() {
3995         if (!this.get("effective_readonly")) {
3996             var show_value;
3997             if (this.node.attrs.filename) {
3998                 show_value = this.view.datarecord[this.node.attrs.filename] || '';
3999             } else {
4000                 show_value = (this.get('value') != null && this.get('value') !== false) ? this.get('value') : '';
4001             }
4002             this.$element.find('input').eq(0).val(show_value);
4003         } else {
4004             this.$element.find('a').show(!!this.get('value'));
4005             if (this.get('value')) {
4006                 var show_value = _t("Download") + " " + (this.view.datarecord[this.node.attrs.filename] || '');
4007                 this.$element.find('a').text(show_value);
4008             }
4009         }
4010     },
4011     on_file_uploaded_and_valid: function(size, name, content_type, file_base64) {
4012         this.binary_value = true;
4013         this.set({'value': file_base64});
4014         var show_value = name + " (" + this.human_filesize(size) + ")";
4015         this.$element.find('input').eq(0).val(show_value);
4016         this.set_filename(name);
4017     },
4018     set_filename: function(value_) {
4019         var filename = this.node.attrs.filename;
4020         if (this.view.fields[filename]) {
4021             this.view.fields[filename].set({value: value_});
4022         }
4023     },
4024     on_clear: function() {
4025         this._super.apply(this, arguments);
4026         this.$element.find('input').eq(0).val('');
4027         this.set_filename('');
4028     }
4029 });
4030
4031 instance.web.form.FieldBinaryImage = instance.web.form.FieldBinary.extend({
4032     template: 'FieldBinaryImage',
4033     initialize_content: function() {
4034         this._super();
4035         this.$placeholder = $(".oe_form_field-binary-image-placeholder", this.$element);
4036         if (!this.get("effective_readonly"))
4037             this.$element.find('.oe-binary').show();
4038         else
4039             this.$element.find('.oe-binary').hide();
4040     },
4041     set_value: function(value_) {
4042         this._super.apply(this, arguments);
4043         this.render_value();
4044     },
4045     render_value: function() {
4046         var url;
4047         if (this.get('value') && this.get('value').substr(0, 10).indexOf(' ') == -1) {
4048             url = 'data:image/png;base64,' + this.get('value');
4049         } else if (this.get('value')) {
4050             url = '/web/binary/image?session_id=' + this.session.session_id + '&model=' +
4051                 this.view.dataset.model +'&id=' + (this.view.datarecord.id || '') + '&field=' + this.name + '&t=' + (new Date().getTime());
4052         } else {
4053             url = "/web/static/src/img/placeholder.png";
4054         }
4055         var rendered = QWeb.render("FieldBinaryImage-img", {widget: this, url: url});;
4056         this.$placeholder.html(rendered);
4057     },
4058     on_file_change: function() {
4059         this.render_value();
4060         this._super.apply(this, arguments);
4061     },
4062     on_file_uploaded_and_valid: function(size, name, content_type, file_base64) {
4063         this.set({'value': file_base64});
4064         this.binary_value = true;
4065         this.render_value();
4066     },
4067     on_clear: function() {
4068         this._super.apply(this, arguments);
4069         this.render_value();
4070     }
4071 });
4072
4073 instance.web.form.FieldStatus = instance.web.form.AbstractField.extend({
4074     template: "EmptyComponent",
4075     start: function() {
4076         this._super();
4077         this.selected_value = null;
4078         // preview in start only for selection fields, because of the dynamic behavior of many2one fields.
4079         if (this.field.type in ['selection']) {
4080             this.render_list();
4081         }
4082     },
4083     set_value: function(value_) {
4084         var self = this;
4085         this._super(value_);
4086         // find selected value:
4087         // - many2one: [2, "New"] -> 2
4088         // - selection: new -> new
4089         if (this.field.type == "many2one") {
4090             this.selected_value = value_[0];
4091         } else {
4092             this.selected_value = value_;
4093         }
4094         // trick to be sure all values are loaded in the form, therefore
4095         // enabling the evaluation of dynamic domains
4096         $.async_when().then(function() {
4097             return self.render_list();
4098         });
4099     },
4100
4101     /** Get the status list and render them
4102      *  to_show: [[identifier, value_to_display]] where
4103      *   - identifier = key for a selection, id for a many2one
4104      *   - display_val = label that will be displayed
4105      *   - ex: [[0, "New"]] (many2one) or [["new", "In Progress"]] (selection)
4106      */
4107     render_list: function() {
4108         var self = this;
4109         // get selection values, filter them and render them
4110         var selection_done = this.get_selection().pipe(self.proxy('filter_selection')).pipe(self.proxy('render_elements'));
4111     },
4112
4113     /** Get the selection list to be displayed in the statusbar widget.
4114      *  For selection fields: this is directly given by this.field.selection
4115      *  For many2one fields :
4116      *  - perform a search on the relation of the many2one field (given by
4117      *    field.relation )
4118      *  - get the field domain for the search
4119      *    - self.build_domain() gives the domain given by the view or by
4120      *      the field
4121      *    - if the optional statusbar_fold attribute is set to true, make
4122      *      an AND with build_domain to hide all 'fold=true' columns
4123      *    - make an OR with current value, to be sure it is displayed,
4124      *      with the correct order, even if it is folded
4125      */
4126     get_selection: function() {
4127         var self = this;
4128         if (this.field.type == "many2one") {
4129             this.selection = [];
4130             // get fold information from widget
4131             var fold = ((this.node.attrs || {}).statusbar_fold || true);
4132             // build final domain: if fold option required, add the 
4133             if (fold == true) {
4134                 var domain = new instance.web.CompoundDomain(['|'], ['&'], self.build_domain(), [['fold', '=', false]], [['id', '=', self.selected_value]]);
4135             } else {
4136                 var domain = new instance.web.CompoundDomain(['|'], self.build_domain(), [['id', '=', self.selected_value]]);
4137             }
4138             // get a DataSetSearch on the current field relation (ex: crm.lead.stage_id -> crm.case.stage)
4139             var model_ext = new instance.web.DataSetSearch(this, this.field.relation, self.build_context(), domain);
4140             // fetch selection
4141             var read_defer = model_ext.read_slice(['name'], {}).pipe( function (records) {
4142                 _(records).each(function (record) {
4143                     self.selection.push([record.id, record.name]);
4144                 });
4145             });
4146         } else {
4147             this.selection = this.field.selection;
4148             var read_defer = new $.Deferred().resolve();
4149         }
4150         return read_defer;
4151     },
4152
4153     /** Filters this.selection, according to values coming from the statusbar_visible
4154      *  attribute of the field. For example: statusbar_visible="draft,open"
4155      *  Currently, the key of (key, label) pairs has to be used in the
4156      *  selection of visible items. This feature is not meant to be used
4157      *  with many2one fields.
4158      */
4159     filter_selection: function() {
4160         var self = this;
4161         var shown = _.map(((this.node.attrs || {}).statusbar_visible || "").split(","),
4162             function(x) { return _.str.trim(x); });
4163         shown = _.select(shown, function(x) { return x.length > 0; });
4164         
4165         if (shown.length == 0) {
4166             this.to_show = this.selection;
4167         } else {
4168             this.to_show = _.select(this.selection, function(x) {
4169                 return _.indexOf(shown, x[0]) !== -1 || x[0] === self.selected_value;
4170             });
4171         }
4172     },
4173
4174     /** Renders the widget. This function also checks for statusbar_colors='{"pending": "blue"}'
4175      *  attribute in the widget. This allows to set a given color to a given
4176      *  state (given by the key of (key, label)).
4177      */
4178     render_elements: function () {
4179         var content = instance.web.qweb.render("FieldStatus.content", {widget: this, _:_});
4180         this.$element.html(content);
4181
4182         var colors = JSON.parse((this.node.attrs || {}).statusbar_colors || "{}");
4183         var color = colors[this.selected_value];
4184         if (color) {
4185             var elem = this.$element.find("li.oe_form_steps_active span");
4186             elem.css("color", color);
4187         }
4188     },
4189 });
4190
4191 /**
4192  * Registry of form fields, called by :js:`instance.web.FormView`.
4193  *
4194  * All referenced classes must implement FieldMixin. Those represent the classes whose instances
4195  * will substitute to the <field> tags as defined in OpenERP's views.
4196  */
4197 instance.web.form.widgets = new instance.web.Registry({
4198     'char' : 'instance.web.form.FieldChar',
4199     'id' : 'instance.web.form.FieldID',
4200     'email' : 'instance.web.form.FieldEmail',
4201     'url' : 'instance.web.form.FieldUrl',
4202     'text' : 'instance.web.form.FieldText',
4203     'date' : 'instance.web.form.FieldDate',
4204     'datetime' : 'instance.web.form.FieldDatetime',
4205     'selection' : 'instance.web.form.FieldSelection',
4206     'many2one' : 'instance.web.form.FieldMany2One',
4207     'many2many' : 'instance.web.form.FieldMany2Many',
4208     'many2many_tags' : 'instance.web.form.FieldMany2ManyTags',
4209     'many2many_kanban' : 'instance.web.form.FieldMany2ManyKanban',
4210     'one2many' : 'instance.web.form.FieldOne2Many',
4211     'one2many_list' : 'instance.web.form.FieldOne2Many',
4212     'reference' : 'instance.web.form.FieldReference',
4213     'boolean' : 'instance.web.form.FieldBoolean',
4214     'float' : 'instance.web.form.FieldFloat',
4215     'integer': 'instance.web.form.FieldFloat',
4216     'float_time': 'instance.web.form.FieldFloat',
4217     'progressbar': 'instance.web.form.FieldProgressBar',
4218     'image': 'instance.web.form.FieldBinaryImage',
4219     'binary': 'instance.web.form.FieldBinaryFile',
4220     'statusbar': 'instance.web.form.FieldStatus'
4221 });
4222
4223 /**
4224  * Registry of widgets usable in the form view that can substitute to any possible
4225  * tags defined in OpenERP's form views.
4226  *
4227  * Every referenced class should extend FormWidget.
4228  */
4229 instance.web.form.tags = new instance.web.Registry({
4230     'button' : 'instance.web.form.WidgetButton',
4231 });
4232
4233 };
4234
4235 // vim:et fdc=0 fdl=0 foldnestmax=3 fdm=syntax: