source: server/trunk/web/root/static/controls.js @ 321

Last change on this file since 321 was 38, checked in by nanardon, 14 years ago
  • start explorer page
  • some function in Chat/
File size: 25.5 KB
Line 
1// Copyright (c) 2005 Thomas Fuchs (http://script.aculo.us, http://mir.aculo.us)
2//           (c) 2005 Ivan Krstic (http://blogs.law.harvard.edu/ivan)
3//           (c) 2005 Jon Tirsen (http://www.tirsen.com)
4// Contributors:
5//  Richard Livsey
6//  Rahul Bhargava
7//  Rob Wills
8//
9// See scriptaculous.js for full license.
10
11// Autocompleter.Base handles all the autocompletion functionality
12// that's independent of the data source for autocompletion. This
13// includes drawing the autocompletion menu, observing keyboard
14// and mouse events, and similar.
15//
16// Specific autocompleters need to provide, at the very least,
17// a getUpdatedChoices function that will be invoked every time
18// the text inside the monitored textbox changes. This method
19// should get the text for which to provide autocompletion by
20// invoking this.getToken(), NOT by directly accessing
21// this.element.value. This is to allow incremental tokenized
22// autocompletion. Specific auto-completion logic (AJAX, etc)
23// belongs in getUpdatedChoices.
24//
25// Tokenized incremental autocompletion is enabled automatically
26// when an autocompleter is instantiated with the 'tokens' option
27// in the options parameter, e.g.:
28// new Ajax.Autocompleter('id','upd', '/url/', { tokens: ',' });
29// will incrementally autocomplete with a comma as the token.
30// Additionally, ',' in the above example can be replaced with
31// a token array, e.g. { tokens: [',', '\n'] } which
32// enables autocompletion on multiple tokens. This is most
33// useful when one of the tokens is \n (a newline), as it
34// allows smart autocompletion after linebreaks.
35
36var Autocompleter = {}
37Autocompleter.Base = function() {};
38Autocompleter.Base.prototype = {
39  baseInitialize: function(element, update, options) {
40    this.element     = $(element);
41    this.update      = $(update);
42    this.hasFocus    = false;
43    this.changed     = false;
44    this.active      = false;
45    this.index       = 0;
46    this.entryCount  = 0;
47
48    if (this.setOptions)
49      this.setOptions(options);
50    else
51      this.options = options || {};
52
53    this.options.paramName    = this.options.paramName || this.element.name;
54    this.options.tokens       = this.options.tokens || [];
55    this.options.frequency    = this.options.frequency || 0.4;
56    this.options.minChars     = this.options.minChars || 1;
57    this.options.onShow       = this.options.onShow ||
58    function(element, update){
59      if(!update.style.position || update.style.position=='absolute') {
60        update.style.position = 'absolute';
61        Position.clone(element, update, {setHeight: false, offsetTop: element.offsetHeight});
62      }
63      Effect.Appear(update,{duration:0.15});
64    };
65    this.options.onHide = this.options.onHide ||
66    function(element, update){ new Effect.Fade(update,{duration:0.15}) };
67
68    if (typeof(this.options.tokens) == 'string')
69      this.options.tokens = new Array(this.options.tokens);
70
71    this.observer = null;
72
73    this.element.setAttribute('autocomplete','off');
74
75    Element.hide(this.update);
76
77    Event.observe(this.element, "blur", this.onBlur.bindAsEventListener(this));
78    Event.observe(this.element, "keypress", this.onKeyPress.bindAsEventListener(this));
79  },
80
81  show: function() {
82    if(Element.getStyle(this.update, 'display')=='none') this.options.onShow(this.element, this.update);
83    if(!this.iefix &&
84      (navigator.appVersion.indexOf('MSIE')>0) &&
85      (navigator.userAgent.indexOf('Opera')<0) &&
86      (Element.getStyle(this.update, 'position')=='absolute')) {
87      new Insertion.After(this.update,
88       '<iframe id="' + this.update.id + '_iefix" '+
89       'style="display:none;position:absolute;filter:progid:DXImageTransform.Microsoft.Alpha(opacity=0);" ' +
90       'src="javascript:false;" frameborder="0" scrolling="no"></iframe>');
91      this.iefix = $(this.update.id+'_iefix');
92    }
93    if(this.iefix) setTimeout(this.fixIEOverlapping.bind(this), 50);
94  },
95
96  fixIEOverlapping: function() {
97    Position.clone(this.update, this.iefix);
98    this.iefix.style.zIndex = 1;
99    this.update.style.zIndex = 2;
100    Element.show(this.iefix);
101  },
102
103  hide: function() {
104    this.stopIndicator();
105    if(Element.getStyle(this.update, 'display')!='none') this.options.onHide(this.element, this.update);
106    if(this.iefix) Element.hide(this.iefix);
107  },
108
109  startIndicator: function() {
110    if(this.options.indicator) Element.show(this.options.indicator);
111  },
112
113  stopIndicator: function() {
114    if(this.options.indicator) Element.hide(this.options.indicator);
115  },
116
117  onKeyPress: function(event) {
118    if(this.active)
119      switch(event.keyCode) {
120       case Event.KEY_TAB:
121       case Event.KEY_RETURN:
122         this.selectEntry();
123         Event.stop(event);
124       case Event.KEY_ESC:
125         this.hide();
126         this.active = false;
127         Event.stop(event);
128         return;
129       case Event.KEY_LEFT:
130       case Event.KEY_RIGHT:
131         return;
132       case Event.KEY_UP:
133         this.markPrevious();
134         this.render();
135         if(navigator.appVersion.indexOf('AppleWebKit')>0) Event.stop(event);
136         return;
137       case Event.KEY_DOWN:
138         this.markNext();
139         this.render();
140         if(navigator.appVersion.indexOf('AppleWebKit')>0) Event.stop(event);
141         return;
142      }
143     else
144      if(event.keyCode==Event.KEY_TAB || event.keyCode==Event.KEY_RETURN)
145        return;
146
147    this.changed = true;
148    this.hasFocus = true;
149
150    if(this.observer) clearTimeout(this.observer);
151      this.observer =
152        setTimeout(this.onObserverEvent.bind(this), this.options.frequency*1000);
153  },
154
155  onHover: function(event) {
156    var element = Event.findElement(event, 'LI');
157    if(this.index != element.autocompleteIndex)
158    {
159        this.index = element.autocompleteIndex;
160        this.render();
161    }
162    Event.stop(event);
163  },
164
165  onClick: function(event) {
166    var element = Event.findElement(event, 'LI');
167    this.index = element.autocompleteIndex;
168    this.selectEntry();
169    this.hide();
170  },
171
172  onBlur: function(event) {
173    // needed to make click events working
174    setTimeout(this.hide.bind(this), 250);
175    this.hasFocus = false;
176    this.active = false;
177  },
178
179  render: function() {
180    if(this.entryCount > 0) {
181      for (var i = 0; i < this.entryCount; i++)
182        this.index==i ?
183          Element.addClassName(this.getEntry(i),"selected") :
184          Element.removeClassName(this.getEntry(i),"selected");
185
186      if(this.hasFocus) {
187        this.show();
188        this.active = true;
189      }
190    } else {
191      this.active = false;
192      this.hide();
193    }
194  },
195
196  markPrevious: function() {
197    if(this.index > 0) this.index--
198      else this.index = this.entryCount-1;
199  },
200
201  markNext: function() {
202    if(this.index < this.entryCount-1) this.index++
203      else this.index = 0;
204  },
205
206  getEntry: function(index) {
207    return this.update.firstChild.childNodes[index];
208  },
209
210  getCurrentEntry: function() {
211    return this.getEntry(this.index);
212  },
213
214  selectEntry: function() {
215    this.active = false;
216    this.updateElement(this.getCurrentEntry());
217  },
218
219  updateElement: function(selectedElement) {
220    if (this.options.updateElement) {
221      this.options.updateElement(selectedElement);
222      return;
223    }
224    var value = '';
225    if (this.options.select) {
226      var nodes = document.getElementsByClassName(this.options.select, selectedElement) || [];
227      if(nodes.length>0) value = Element.collectTextNodes(nodes[0], this.options.select);
228    } else
229      value = Element.collectTextNodesIgnoreClass(selectedElement, 'informal');
230
231    var lastTokenPos = this.findLastToken();
232    if (lastTokenPos != -1) {
233      var newValue = this.element.value.substr(0, lastTokenPos + 1);
234      var whitespace = this.element.value.substr(lastTokenPos + 1).match(/^\s+/);
235      if (whitespace)
236        newValue += whitespace[0];
237      this.element.value = newValue + value;
238    } else {
239      this.element.value = value;
240    }
241    this.element.focus();
242
243    if (this.options.afterUpdateElement)
244      this.options.afterUpdateElement(this.element, selectedElement);
245  },
246
247  updateChoices: function(choices) {
248    if(!this.changed && this.hasFocus) {
249      this.update.innerHTML = choices;
250      Element.cleanWhitespace(this.update);
251      Element.cleanWhitespace(this.update.firstChild);
252
253      if(this.update.firstChild && this.update.firstChild.childNodes) {
254        this.entryCount =
255          this.update.firstChild.childNodes.length;
256        for (var i = 0; i < this.entryCount; i++) {
257          var entry = this.getEntry(i);
258          entry.autocompleteIndex = i;
259          this.addObservers(entry);
260        }
261      } else {
262        this.entryCount = 0;
263      }
264
265      this.stopIndicator();
266
267      this.index = 0;
268      this.render();
269    }
270  },
271
272  addObservers: function(element) {
273    Event.observe(element, "mouseover", this.onHover.bindAsEventListener(this));
274    Event.observe(element, "click", this.onClick.bindAsEventListener(this));
275  },
276
277  onObserverEvent: function() {
278    this.changed = false;
279    if(this.getToken().length>=this.options.minChars) {
280      this.startIndicator();
281      this.getUpdatedChoices();
282    } else {
283      this.active = false;
284      this.hide();
285    }
286  },
287
288  getToken: function() {
289    var tokenPos = this.findLastToken();
290    if (tokenPos != -1)
291      var ret = this.element.value.substr(tokenPos + 1).replace(/^\s+/,'').replace(/\s+$/,'');
292    else
293      var ret = this.element.value;
294
295    return /\n/.test(ret) ? '' : ret;
296  },
297
298  findLastToken: function() {
299    var lastTokenPos = -1;
300
301    for (var i=0; i<this.options.tokens.length; i++) {
302      var thisTokenPos = this.element.value.lastIndexOf(this.options.tokens[i]);
303      if (thisTokenPos > lastTokenPos)
304        lastTokenPos = thisTokenPos;
305    }
306    return lastTokenPos;
307  }
308}
309
310Ajax.Autocompleter = Class.create();
311Object.extend(Object.extend(Ajax.Autocompleter.prototype, Autocompleter.Base.prototype), {
312  initialize: function(element, update, url, options) {
313          this.baseInitialize(element, update, options);
314    this.options.asynchronous  = true;
315    this.options.onComplete    = this.onComplete.bind(this);
316    this.options.defaultParams = this.options.parameters || null;
317    this.url                   = url;
318  },
319
320  getUpdatedChoices: function() {
321    entry = encodeURIComponent(this.options.paramName) + '=' +
322      encodeURIComponent(this.getToken());
323
324    this.options.parameters = this.options.callback ?
325      this.options.callback(this.element, entry) : entry;
326
327    if(this.options.defaultParams)
328      this.options.parameters += '&' + this.options.defaultParams;
329
330    new Ajax.Request(this.url, this.options);
331  },
332
333  onComplete: function(request) {
334    this.updateChoices(request.responseText);
335  }
336
337});
338
339// The local array autocompleter. Used when you'd prefer to
340// inject an array of autocompletion options into the page, rather
341// than sending out Ajax queries, which can be quite slow sometimes.
342//
343// The constructor takes four parameters. The first two are, as usual,
344// the id of the monitored textbox, and id of the autocompletion menu.
345// The third is the array you want to autocomplete from, and the fourth
346// is the options block.
347//
348// Extra local autocompletion options:
349// - choices - How many autocompletion choices to offer
350//
351// - partialSearch - If false, the autocompleter will match entered
352//                    text only at the beginning of strings in the
353//                    autocomplete array. Defaults to true, which will
354//                    match text at the beginning of any *word* in the
355//                    strings in the autocomplete array. If you want to
356//                    search anywhere in the string, additionally set
357//                    the option fullSearch to true (default: off).
358//
359// - fullSsearch - Search anywhere in autocomplete array strings.
360//
361// - partialChars - How many characters to enter before triggering
362//                   a partial match (unlike minChars, which defines
363//                   how many characters are required to do any match
364//                   at all). Defaults to 2.
365//
366// - ignoreCase - Whether to ignore case when autocompleting.
367//                 Defaults to true.
368//
369// It's possible to pass in a custom function as the 'selector'
370// option, if you prefer to write your own autocompletion logic.
371// In that case, the other options above will not apply unless
372// you support them.
373
374Autocompleter.Local = Class.create();
375Autocompleter.Local.prototype = Object.extend(new Autocompleter.Base(), {
376  initialize: function(element, update, array, options) {
377    this.baseInitialize(element, update, options);
378    this.options.array = array;
379  },
380
381  getUpdatedChoices: function() {
382    this.updateChoices(this.options.selector(this));
383  },
384
385  setOptions: function(options) {
386    this.options = Object.extend({
387      choices: 10,
388      partialSearch: true,
389      partialChars: 2,
390      ignoreCase: true,
391      fullSearch: false,
392      selector: function(instance) {
393        var ret       = []; // Beginning matches
394        var partial   = []; // Inside matches
395        var entry     = instance.getToken();
396        var count     = 0;
397
398        for (var i = 0; i < instance.options.array.length &&
399          ret.length < instance.options.choices ; i++) {
400
401          var elem = instance.options.array[i];
402          var foundPos = instance.options.ignoreCase ?
403            elem.toLowerCase().indexOf(entry.toLowerCase()) :
404            elem.indexOf(entry);
405
406          while (foundPos != -1) {
407            if (foundPos == 0 && elem.length != entry.length) {
408              ret.push("<li><strong>" + elem.substr(0, entry.length) + "</strong>" +
409                elem.substr(entry.length) + "</li>");
410              break;
411            } else if (entry.length >= instance.options.partialChars &&
412              instance.options.partialSearch && foundPos != -1) {
413              if (instance.options.fullSearch || /\s/.test(elem.substr(foundPos-1,1))) {
414                partial.push("<li>" + elem.substr(0, foundPos) + "<strong>" +
415                  elem.substr(foundPos, entry.length) + "</strong>" + elem.substr(
416                  foundPos + entry.length) + "</li>");
417                break;
418              }
419            }
420
421            foundPos = instance.options.ignoreCase ?
422              elem.toLowerCase().indexOf(entry.toLowerCase(), foundPos + 1) :
423              elem.indexOf(entry, foundPos + 1);
424
425          }
426        }
427        if (partial.length)
428          ret = ret.concat(partial.slice(0, instance.options.choices - ret.length))
429        return "<ul>" + ret.join('') + "</ul>";
430      }
431    }, options || {});
432  }
433});
434
435// AJAX in-place editor
436//
437// see documentation on http://wiki.script.aculo.us/scriptaculous/show/Ajax.InPlaceEditor
438
439// Use this if you notice weird scrolling problems on some browsers,
440// the DOM might be a bit confused when this gets called so do this
441// waits 1 ms (with setTimeout) until it does the activation
442Field.scrollFreeActivate = function(field) {
443  setTimeout(function() {
444    Field.activate(field);
445  }, 1);
446}
447
448Ajax.InPlaceEditor = Class.create();
449Ajax.InPlaceEditor.defaultHighlightColor = "#FFFF99";
450Ajax.InPlaceEditor.prototype = {
451  initialize: function(element, url, options) {
452    this.url = url;
453    this.element = $(element);
454
455    this.options = Object.extend({
456      okButton: true,
457      okText: "ok",
458      cancelLink: true,
459      cancelText: "cancel",
460      savingText: "Saving...",
461      clickToEditText: "Click to edit",
462      okText: "ok",
463      rows: 1,
464      onComplete: function(transport, element) {
465        new Effect.Highlight(element, {startcolor: this.options.highlightcolor});
466      },
467      onFailure: function(transport) {
468        alert("Error communicating with the server: " + transport.responseText.stripTags());
469      },
470      callback: function(form) {
471        return Form.serialize(form);
472      },
473      handleLineBreaks: true,
474      loadingText: 'Loading...',
475      savingClassName: 'inplaceeditor-saving',
476      loadingClassName: 'inplaceeditor-loading',
477      formClassName: 'inplaceeditor-form',
478      highlightcolor: Ajax.InPlaceEditor.defaultHighlightColor,
479      highlightendcolor: "#FFFFFF",
480      externalControl:  null,
481      submitOnBlur: false,
482      ajaxOptions: {}
483    }, options || {});
484
485    if(!this.options.formId && this.element.id) {
486      this.options.formId = this.element.id + "-inplaceeditor";
487      if ($(this.options.formId)) {
488        // there's already a form with that name, don't specify an id
489        this.options.formId = null;
490      }
491    }
492
493    if (this.options.externalControl) {
494      this.options.externalControl = $(this.options.externalControl);
495    }
496
497    this.originalBackground = Element.getStyle(this.element, 'background-color');
498    if (!this.originalBackground) {
499      this.originalBackground = "transparent";
500    }
501
502    this.element.title = this.options.clickToEditText;
503
504    this.onclickListener = this.enterEditMode.bindAsEventListener(this);
505    this.mouseoverListener = this.enterHover.bindAsEventListener(this);
506    this.mouseoutListener = this.leaveHover.bindAsEventListener(this);
507    Event.observe(this.element, 'click', this.onclickListener);
508    Event.observe(this.element, 'mouseover', this.mouseoverListener);
509    Event.observe(this.element, 'mouseout', this.mouseoutListener);
510    if (this.options.externalControl) {
511      Event.observe(this.options.externalControl, 'click', this.onclickListener);
512      Event.observe(this.options.externalControl, 'mouseover', this.mouseoverListener);
513      Event.observe(this.options.externalControl, 'mouseout', this.mouseoutListener);
514    }
515  },
516  enterEditMode: function(evt) {
517    if (this.saving) return;
518    if (this.editing) return;
519    this.editing = true;
520    this.onEnterEditMode();
521    if (this.options.externalControl) {
522      Element.hide(this.options.externalControl);
523    }
524    Element.hide(this.element);
525    this.createForm();
526    this.element.parentNode.insertBefore(this.form, this.element);
527    Field.scrollFreeActivate(this.editField);
528    // stop the event to avoid a page refresh in Safari
529    if (evt) {
530      Event.stop(evt);
531    }
532    return false;
533  },
534  createForm: function() {
535    this.form = document.createElement("form");
536    this.form.id = this.options.formId;
537    Element.addClassName(this.form, this.options.formClassName)
538    this.form.onsubmit = this.onSubmit.bind(this);
539
540    this.createEditField();
541
542    if (this.options.textarea) {
543      var br = document.createElement("br");
544      this.form.appendChild(br);
545    }
546
547    if (this.options.okButton) {
548      okButton = document.createElement("input");
549      okButton.type = "submit";
550      okButton.value = this.options.okText;
551      this.form.appendChild(okButton);
552    }
553
554    if (this.options.cancelLink) {
555      cancelLink = document.createElement("a");
556      cancelLink.href = "#";
557      cancelLink.appendChild(document.createTextNode(this.options.cancelText));
558      cancelLink.onclick = this.onclickCancel.bind(this);
559      this.form.appendChild(cancelLink);
560    }
561  },
562  hasHTMLLineBreaks: function(string) {
563    if (!this.options.handleLineBreaks) return false;
564    return string.match(/<br/i) || string.match(/<p>/i);
565  },
566  convertHTMLLineBreaks: function(string) {
567    return string.replace(/<br>/gi, "\n").replace(/<br\/>/gi, "\n").replace(/<\/p>/gi, "\n").replace(/<p>/gi, "");
568  },
569  createEditField: function() {
570    var text;
571    if(this.options.loadTextURL) {
572      text = this.options.loadingText;
573    } else {
574      text = this.getText();
575    }
576
577    var obj = this;
578
579    if (this.options.rows == 1 && !this.hasHTMLLineBreaks(text)) {
580      this.options.textarea = false;
581      var textField = document.createElement("input");
582      textField.obj = this;
583      textField.type = "text";
584      textField.name = "value";
585      textField.value = text;
586      textField.style.backgroundColor = this.options.highlightcolor;
587      var size = this.options.size || this.options.cols || 0;
588      if (size != 0) textField.size = size;
589      if (this.options.submitOnBlur)
590        textField.onblur = this.onSubmit.bind(this);
591      this.editField = textField;
592    } else {
593      this.options.textarea = true;
594      var textArea = document.createElement("textarea");
595      textArea.obj = this;
596      textArea.name = "value";
597      textArea.value = this.convertHTMLLineBreaks(text);
598      textArea.rows = this.options.rows;
599      textArea.cols = this.options.cols || 40;
600      if (this.options.submitOnBlur)
601        textArea.onblur = this.onSubmit.bind(this);
602      this.editField = textArea;
603    }
604
605    if(this.options.loadTextURL) {
606      this.loadExternalText();
607    }
608    this.form.appendChild(this.editField);
609  },
610  getText: function() {
611    return this.element.innerHTML;
612  },
613  loadExternalText: function() {
614    Element.addClassName(this.form, this.options.loadingClassName);
615    this.editField.disabled = true;
616    new Ajax.Request(
617      this.options.loadTextURL,
618      Object.extend({
619        asynchronous: true,
620        onComplete: this.onLoadedExternalText.bind(this)
621      }, this.options.ajaxOptions)
622    );
623  },
624  onLoadedExternalText: function(transport) {
625    Element.removeClassName(this.form, this.options.loadingClassName);
626    this.editField.disabled = false;
627    this.editField.value = transport.responseText.stripTags();
628  },
629  onclickCancel: function() {
630    this.onComplete();
631    this.leaveEditMode();
632    return false;
633  },
634  onFailure: function(transport) {
635    this.options.onFailure(transport);
636    if (this.oldInnerHTML) {
637      this.element.innerHTML = this.oldInnerHTML;
638      this.oldInnerHTML = null;
639    }
640    return false;
641  },
642  onSubmit: function() {
643    // onLoading resets these so we need to save them away for the Ajax call
644    var form = this.form;
645    var value = this.editField.value;
646
647    // do this first, sometimes the ajax call returns before we get a chance to switch on Saving...
648    // which means this will actually switch on Saving... *after* we've left edit mode causing Saving...
649    // to be displayed indefinitely
650    this.onLoading();
651
652    new Ajax.Updater(
653      {
654        success: this.element,
655         // don't update on failure (this could be an option)
656        failure: null
657      },
658      this.url,
659      Object.extend({
660        parameters: this.options.callback(form, value),
661        onComplete: this.onComplete.bind(this),
662        onFailure: this.onFailure.bind(this)
663      }, this.options.ajaxOptions)
664    );
665    // stop the event to avoid a page refresh in Safari
666    if (arguments.length > 1) {
667      Event.stop(arguments[0]);
668    }
669    return false;
670  },
671  onLoading: function() {
672    this.saving = true;
673    this.removeForm();
674    this.leaveHover();
675    this.showSaving();
676  },
677  showSaving: function() {
678    this.oldInnerHTML = this.element.innerHTML;
679    this.element.innerHTML = this.options.savingText;
680    Element.addClassName(this.element, this.options.savingClassName);
681    this.element.style.backgroundColor = this.originalBackground;
682    Element.show(this.element);
683  },
684  removeForm: function() {
685    if(this.form) {
686      if (this.form.parentNode) Element.remove(this.form);
687      this.form = null;
688    }
689  },
690  enterHover: function() {
691    if (this.saving) return;
692    this.element.style.backgroundColor = this.options.highlightcolor;
693    if (this.effect) {
694      this.effect.cancel();
695    }
696    Element.addClassName(this.element, this.options.hoverClassName)
697  },
698  leaveHover: function() {
699    if (this.options.backgroundColor) {
700      this.element.style.backgroundColor = this.oldBackground;
701    }
702    Element.removeClassName(this.element, this.options.hoverClassName)
703    if (this.saving) return;
704    this.effect = new Effect.Highlight(this.element, {
705      startcolor: this.options.highlightcolor,
706      endcolor: this.options.highlightendcolor,
707      restorecolor: this.originalBackground
708    });
709  },
710  leaveEditMode: function() {
711    Element.removeClassName(this.element, this.options.savingClassName);
712    this.removeForm();
713    this.leaveHover();
714    this.element.style.backgroundColor = this.originalBackground;
715    Element.show(this.element);
716    if (this.options.externalControl) {
717      Element.show(this.options.externalControl);
718    }
719    this.editing = false;
720    this.saving = false;
721    this.oldInnerHTML = null;
722    this.onLeaveEditMode();
723  },
724  onComplete: function(transport) {
725    this.leaveEditMode();
726    this.options.onComplete.bind(this)(transport, this.element);
727  },
728  onEnterEditMode: function() {},
729  onLeaveEditMode: function() {},
730  dispose: function() {
731    if (this.oldInnerHTML) {
732      this.element.innerHTML = this.oldInnerHTML;
733    }
734    this.leaveEditMode();
735    Event.stopObserving(this.element, 'click', this.onclickListener);
736    Event.stopObserving(this.element, 'mouseover', this.mouseoverListener);
737    Event.stopObserving(this.element, 'mouseout', this.mouseoutListener);
738    if (this.options.externalControl) {
739      Event.stopObserving(this.options.externalControl, 'click', this.onclickListener);
740      Event.stopObserving(this.options.externalControl, 'mouseover', this.mouseoverListener);
741      Event.stopObserving(this.options.externalControl, 'mouseout', this.mouseoutListener);
742    }
743  }
744};
745
746// Delayed observer, like Form.Element.Observer,
747// but waits for delay after last key input
748// Ideal for live-search fields
749
750Form.Element.DelayedObserver = Class.create();
751Form.Element.DelayedObserver.prototype = {
752  initialize: function(element, delay, callback) {
753    this.delay     = delay || 0.5;
754    this.element   = $(element);
755    this.callback  = callback;
756    this.timer     = null;
757    this.lastValue = $F(this.element);
758    Event.observe(this.element,'keyup',this.delayedListener.bindAsEventListener(this));
759  },
760  delayedListener: function(event) {
761    if(this.lastValue == $F(this.element)) return;
762    if(this.timer) clearTimeout(this.timer);
763    this.timer = setTimeout(this.onTimerEvent.bind(this), this.delay * 1000);
764    this.lastValue = $F(this.element);
765  },
766  onTimerEvent: function() {
767    this.timer = null;
768    this.callback(this.element, $F(this.element));
769  }
770};
Note: See TracBrowser for help on using the repository browser.