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