diff --git a/source/web/scripts/ajax/autocompleter.js b/source/web/scripts/ajax/autocompleter.js new file mode 100644 index 0000000000..e7dac837e4 --- /dev/null +++ b/source/web/scripts/ajax/autocompleter.js @@ -0,0 +1,404 @@ +/** + * Autocompleter + * + * @version 1.0rc4 + * + * @license MIT-style license + * @author Harald Kirschner + * @copyright Author + */ +var Autocompleter = {}; + +Autocompleter.Base = new Class({ + + options: { + minLength: 1, + useSelection: true, + markQuery: true, + inheritWidth: true, + maxChoices: 10, + injectChoice: null, + onSelect: Class.empty, + onShow: Class.empty, + onHide: Class.empty, + customTarget: null, + className: 'autocompleter-choices', + zIndex: 42, + observerOptions: {}, + fxOptions: {}, + overflown: [] + }, + + initialize: function(el, options) { + this.setOptions(options); + this.element = $(el); + this.build(); + this.observer = new Observer(this.element, this.prefetch.bind(this), $merge({ + delay: 400 + }, this.options.observerOptions)); + this.value = this.observer.value; + this.queryValue = null; + }, + + /** + * build - Initialize DOM + * + * Builds the html structure for choices and appends the events to the element. + * Override this function to modify the html generation. + */ + build: function() { + if ($(this.options.customTarget)) this.choices = this.options.customTarget; + else { + this.choices = new Element('ul', { + 'class': this.options.className, + styles: {zIndex: this.options.zIndex} + }).injectInside(document.body); + this.fix = new OverlayFix(this.choices); + } + this.fx = this.choices.effect('opacity', $merge({ + wait: false, + duration: 200 + }, this.options.fxOptions)) + .addEvent('onStart', function() { + if (this.fx.now) return; + this.choices.setStyle('display', ''); + this.fix.show(); + }.bind(this)) + .addEvent('onComplete', function() { + if (this.fx.now) return; + this.choices.setStyle('display', 'none'); + this.fix.hide(); + }.bind(this)).set(0); + this.element.setProperty('autocomplete', 'off') + .addEvent(window.ie ? 'keydown' : 'keypress', this.onCommand.bindWithEvent(this)) + .addEvent('mousedown', this.onCommand.bindWithEvent(this, [true])) + .addEvent('focus', this.toggleFocus.bind(this, [true])) + .addEvent('blur', this.toggleFocus.bind(this, [false])) + .addEvent('trash', this.destroy.bind(this)); + }, + + destroy: function() { + this.choices.remove(); + }, + + toggleFocus: function(state) { + this.focussed = state; + if (!state) this.hideChoices(); + }, + + onCommand: function(e, mouse) { + if (mouse && this.focussed) this.prefetch(); + if (e.key && !e.shift) switch (e.key) { + case 'enter': + if (this.selected && this.visible) { + this.choiceSelect(this.selected); + e.stop(); + } return; + case 'up': case 'down': + if (this.observer.value != (this.value || this.queryValue)) this.prefetch(); + else if (this.queryValue === null) break; + else if (!this.visible) this.showChoices(); + else { + this.choiceOver((e.key == 'up') + ? this.selected.getPrevious() || this.choices.getLast() + : this.selected.getNext() || this.choices.getFirst() ); + this.setSelection(); + } + e.stop(); return; + case 'esc': this.hideChoices(); return; + } + this.value = false; + }, + + setSelection: function() { + if (!this.options.useSelection) return; + var startLength = this.queryValue.length; + if (this.element.value.indexOf(this.queryValue) != 0) return; + var insert = this.selected.inputValue.substr(startLength); + if (document.getSelection) { + this.element.value = this.queryValue + insert; + this.element.selectionStart = startLength; + this.element.selectionEnd = this.element.value.length; + } else if (document.selection) { + var sel = document.selection.createRange(); + sel.text = insert; + sel.move("character", - insert.length); + sel.findText(insert); + sel.select(); + } + this.value = this.observer.value = this.element.value; + }, + + hideChoices: function() { + if (!this.visible) return; + this.visible = this.value = false; + this.observer.clear(); + this.fx.start(0); + this.fireEvent('onHide', [this.element, this.choices]); + }, + + showChoices: function() { + if (this.visible || !this.choices.getFirst()) return; + this.visible = true; + var pos = this.element.getCoordinates(this.options.overflown); + this.choices.setStyles({ + left: pos.left, + top: pos.bottom + }); + if (this.options.inheritWidth) this.choices.setStyle('width', pos.width); + this.fx.start(1); + this.choiceOver(this.choices.getFirst()); + this.fireEvent('onShow', [this.element, this.choices]); + }, + + prefetch: function() { + if (this.element.value.length < this.options.minLength) this.hideChoices(); + else if (this.element.value == this.queryValue) this.showChoices(); + else this.query(); + }, + + updateChoices: function(choices) { + this.choices.empty(); + this.selected = null; + if (!choices || !choices.length) return; + if (this.options.maxChoices < choices.length) choices.length = this.options.maxChoices; + choices.each(this.options.injectChoice || function(choice, i){ + var el = new Element('li').setHTML(this.markQueryValue(choice)); + el.inputValue = choice; + this.addChoiceEvents(el).injectInside(this.choices); + }, this); + this.showChoices(); + }, + + choiceOver: function(el) { + if (this.selected) this.selected.removeClass('autocompleter-selected'); + this.selected = el.addClass('autocompleter-selected'); + }, + + choiceSelect: function(el) { + this.observer.value = this.element.value = el.inputValue; + this.hideChoices(); + this.fireEvent('onSelect', [this.element], 20); + }, + + /** + * markQueryValue + * + * Marks the queried word in the given string with * + * Call this i.e. from your custom parseChoices, same for addChoiceEvents + * + * @param {String} Text + * @return {String} Text + */ + markQueryValue: function(txt) { + return (this.options.markQuery && this.queryValue) ? txt.replace(new RegExp('^(' + this.queryValue.escapeRegExp() + ')', 'i'), '$1') : txt; + }, + + /** + * addChoiceEvents + * + * Appends the needed event handlers for a choice-entry to the given element. + * + * @param {Element} Choice entry + * @return {Element} Choice entry + */ + addChoiceEvents: function(el) { + return el.addEvents({ + mouseover: this.choiceOver.bind(this, [el]), + mousedown: this.choiceSelect.bind(this, [el]) + }); + } +}); + +Autocompleter.Base.implement(new Events); +Autocompleter.Base.implement(new Options); + +Autocompleter.Local = Autocompleter.Base.extend({ + + options: { + minLength: 0, + filterTokens : null + }, + + initialize: function(el, tokens, options) { + this.parent(el, options); + this.tokens = tokens; + if (this.options.filterTokens) this.filterTokens = this.options.filterTokens.bind(this); + }, + + query: function() { + this.hideChoices(); + this.queryValue = this.element.value; + this.updateChoices(this.filterTokens()); + }, + + filterTokens: function(token) { + var regex = new RegExp('^' + this.queryValue.escapeRegExp(), 'i'); + return this.tokens.filter(function(token) { + return regex.test(token); + }); + } + +}); + +Autocompleter.Ajax = {}; + +Autocompleter.Ajax.Base = Autocompleter.Base.extend({ + + options: { + postVar: 'value', + postData: {}, + ajaxOptions: {}, + onRequest: Class.empty, + onComplete: Class.empty + }, + + initialize: function(el, url, options) { + this.parent(el, options); + this.ajax = new Ajax(url, $merge({ + autoCancel: true + }, this.options.ajaxOptions)); + this.ajax.addEvent('onComplete', this.queryResponse.bind(this)); + this.ajax.addEvent('onFailure', this.queryResponse.bind(this, [false])); + }, + + query: function(){ + var data = $extend({}, this.options.postData); + data[this.options.postVar] = this.element.value; + this.fireEvent('onRequest', [this.element, this.ajax]); + this.ajax.request(data); + }, + + /** + * queryResponse - abstract + * + * Inherated classes have to extend this function and use this.parent(resp) + * + * @param {String} Response + */ + queryResponse: function(resp) { + this.value = this.queryValue = this.element.value; + this.selected = false; + this.hideChoices(); + this.fireEvent(resp ? 'onComplete' : 'onFailure', [this.element, this.ajax], 20); + } + +}); + +Autocompleter.Ajax.Json = Autocompleter.Ajax.Base.extend({ + + queryResponse: function(resp) { + this.parent(resp); + var choices = Json.evaluate(resp || false); + if (!choices || !choices.length) return; + this.updateChoices(choices); + } + +}); + +Autocompleter.Ajax.Xhtml = Autocompleter.Ajax.Base.extend({ + + options: { + parseChoices: null + }, + + queryResponse: function(resp) { + this.parent(resp); + if (!resp) return; + this.choices.setHTML(resp).getChildren().each(this.options.parseChoices || this.parseChoices, this); + this.showChoices(); + }, + + parseChoices: function(el) { + var value = el.innerHTML; + el.inputValue = value; + el.setHTML(this.markQueryValue(value)); + } + +}); + + +var OverlayFix = new Class({ + + initialize: function(el) { + this.element = $(el); + if (window.ie){ + this.element.addEvent('trash', this.destroy.bind(this)); + this.fix = new Element('iframe', { + properties: { + frameborder: '0', + scrolling: 'no', + src: 'javascript:false;' + }, + styles: { + position: 'absolute', + border: 'none', + display: 'none', + filter: 'progid:DXImageTransform.Microsoft.Alpha(opacity=0)' + } + }).injectAfter(this.element); + } + }, + + show: function() { + if (this.fix) this.fix.setStyles($extend( + this.element.getCoordinates(), { + display: '', + zIndex: (this.element.getStyle('zIndex') || 1) - 1 + })); + return this; + }, + + hide: function() { + if (this.fix) this.fix.setStyle('display', 'none'); + return this; + }, + + destroy: function() { + this.fix.remove(); + } + +}); + +/** + * Observer - Observe formelements for changes + * + * @version 1.0rc1 + * + * @license MIT-style license + * @author Harald Kirschner + * @copyright Author + */ +var Observer = new Class({ + + options: { + periodical: false, + delay: 1000 + }, + + initialize: function(el, onFired, options){ + this.setOptions(options); + this.addEvent('onFired', onFired); + this.element = $(el); + this.listener = this.fired.bind(this); + this.value = this.element.getValue(); + if (this.options.periodical) this.timer = this.listener.periodical(this.options.periodical); + else this.element.addEvent('keyup', this.listener); + }, + + fired: function() { + var value = this.element.getValue(); + if (this.value == value) return; + this.clear(); + this.value = value; + this.timeout = this.fireEvent.delay(this.options.delay, this, ['onFired', [value]]); + }, + + clear: function() { + $clear(this.timeout); + return this; + } +}); + +Observer.implement(new Options); +Observer.implement(new Events); \ No newline at end of file diff --git a/source/web/scripts/ajax/date_picker.js b/source/web/scripts/ajax/date_picker.js new file mode 100644 index 0000000000..6d3dcd3b03 --- /dev/null +++ b/source/web/scripts/ajax/date_picker.js @@ -0,0 +1,383 @@ +if (!$defined(Element.getText)) +{ + Element.extend( + { + getText: function() + { + return this.innerText || this.textContent || ""; + } + }); +} + + +var DatePicker = new Class( +{ + options: + { + onShow: Class.empty, + onHide: Class.empty, + readOnly: true, + showToday: true, + dateFormat: "string", + monthNamesShort: ["Jan", "Feb", "Mar", "Apr", "May", "Jun", "Jul", "Aug", "Sep", "Oct", "Nov", "Dec"], + monthNamesLong: ["January", "February", "March", "April", "May", "June", "July", "August", "September", "October", "November", "December"], + dayNamesShort: ["Sun", "Mon", "Tue", "Wed", "Thu", "Fri", "Sat"], + dayNamesLong: ["Sunday", "Monday", "Tuesday", "Wednesday", "Thursday", "Friday", "Saturday"] + }, + + initialize: function(el, options) + { + this.element = el; + this.setOptions(options); + + this.calendar = new Element("div", {"id": "date-picker"}).inject(document.body); + this.calendar.addEvent("mouseenter", this.onMouseEnter.bind(this)); + this.calendar.addEvent("mouseleave", this.onMouseLeave.bind(this)); + + this.wrapper = new Element("div", {"id": "date-wrapper"}).inject(this.calendar); + + this.currentDate = null; + this.isVisible = false; + this.hasMouse = false; + + if (this.options.readOnly) + { + el.setProperty("readonly", "readonly"); + } + el.addEvent("click", this.toggleCalendar.bind(this)); + el.addEvent("blur", this.onBlur.bind(this)); + }, + + position: function(el) + { + var pos = $(el).getPosition(); + this.calendar.setStyles( + { + "left": pos.x, + "top": pos.y + $(el).getCoordinates().height + }); + }, + + show: function() + { + this.isVisible = true; + this.calendar.setStyle("visibility", "visible"); + this.fireEvent("onShow", [this.calendar]); + }, + + hide: function() + { + this.isVisible = false; + this.hasMouse = false; + this.calendar.setStyle("visibility", "hidden"); + this.fireEvent("onHide", [this.calendar]); + }, + + onMouseEnter: function() + { + this.hasMouse = true; + }, + + onMouseLeave: function() + { + this.hasMouse = false; + this.onBlur.delay(500, this); + }, + + onBlur: function() + { + if (!this.hasMouse) + { + this.hide(); + } + }, + + toggleCalendar: function() + { + if (this.isVisible) + { + // Hide the calendar + this.hide(); + } + else + { + this.originalDate = this.convert(this.element.value.toString(), "date"); + this.renderCalendar(this.element); + this.show(); + } + }, + + /* Main calendar render function */ + renderCalendar: function(el, dt) + { + this.currentDate = this.convert((($defined(dt)) ? dt : el.value), "date"); + + this.position(el); + + /** Set up all the dates we need */ + var lastMonth = new Date(this.currentDate).setMonth(this.currentDate.getMonth() - 1); // The previous month to the display date + var nextMonth = new Date(this.currentDate).setMonth(this.currentDate.getMonth() + 1); // The next month to the display date + var lastYear = new Date(this.currentDate).setFullYear(this.currentDate.getFullYear() - 1); // The previous year to the display date + var nextYear = new Date(this.currentDate).setFullYear(this.currentDate.getFullYear() + 1); // The next year to the display date + + var firstDay = new Date(this.currentDate); // The first day of the month for the display date + firstDay.setDate(1); + if (firstDay.getDay() > 0) + { + firstDay.setDate(-firstDay.getDay() + 1); + } + + var currentDay = new Date(firstDay); + var today = new Date(); // Todays date + + /** Clear any previous dom and refill it*/ + this.wrapper.empty(); + + /** Global vars and initial dom stuff */ + var table, tbody, row, td, highlight; + table = new Element("table", + { + "id": "date-table", + "class": "date-table" + }); + tbody = new Element("tbody").injectInside(table) + + /** Build the skip month/date controls */ + row = new Element("tr").injectInside(tbody); + + new Element("td", + { + "class": "date-monthswitch", + "events": + { + "click" : this.renderCalendar.bind(this, [el, lastMonth]) + } + }).appendText("<").injectInside(row); + + new Element("td", + { + "colSpan": 5, + "rowSpan": 2, + "class" : "date-monthandyear" + }).appendText(this.options.monthNamesLong[this.currentDate.getMonth()] + " " + this.currentDate.getFullYear()).injectInside(row); + + new Element("td", + { + "class": "date-monthswitch", + "events": + { + "click" : this.renderCalendar.bind(this, [el, nextMonth]) + } + }).appendText(">").injectInside(row); + + row = new Element("tr").injectInside(tbody); + + new Element("td", + { + "class": "date-yearswitch", + "events": + { + "click" : this.renderCalendar.bind(this, [el, lastYear]) + } + }).appendText("<<").injectInside(row); + + new Element("td", + { + "class": "date-yearswitch", + "events": + { + "click" : this.renderCalendar.bind(this, [el, nextYear]) + } + }).appendText(">>").injectInside(row); + + /** Push out the day names */ + row = new Element("tr").injectInside(tbody); + for (i = 0; i < 7; i++) + { + new Element("th").appendText(this.options.dayNamesShort[i].substr(0,2)).injectInside(row); + } + + highlight = this.highlight.bind(this); + + /* Populate the dates we can pick */ + while (currentDay.getMonth() == this.currentDate.getMonth() || currentDay.getMonth() == firstDay.getMonth()) + { + row = new Element("tr").injectInside(tbody); + for (i = 0; i < 7; i++) + { + td = new Element("td").appendText(currentDay.getDate()).injectInside(row); + td.addClass((currentDay.getDay() == 0 || currentDay.getDay() == 6) ? "date-weekend" : "date-workday"); + if (currentDay.getMonth() != this.currentDate.getMonth()) + { + td.addClass("date-offmonth"); + } + else + { + td.addClass("date-day"); + td.addEvents( + { + "click": this.selectValue.bindWithEvent(this), + "mouseenter": highlight, + "mouseleave": highlight + }); + } + if (currentDay.getDate() == today.getDate() && currentDay.getMonth() == today.getMonth() && currentDay.getFullYear() == today.getFullYear()) + { + td.addClass("date-today"); + } + if (currentDay.getDate() == this.originalDate.getDate() + && currentDay.getMonth() == this.originalDate.getMonth() + && currentDay.getFullYear() == this.originalDate.getFullYear()) + { + td.addClass("date-picked"); + } + currentDay.setDate(currentDay.getDate() + 1); + } + } + + /** Add the select today choice */ + if (this.options.showToday) + { + row = new Element("tr").injectInside(tbody); + new Element("td", + { + "colSpan": 7, + "class" : "date-todayfooter", + "events": + { + "click" : this.renderCalendar.bind(this, [el, today]) + } + }).appendText("Today: " + this.convert(today, "dd/MMM/yyyy")).injectInside(row); + } + + table.injectInside(this.wrapper); + }, + + highlight: function (ev) + { + var e = new Event(ev); + e.target.toggleClass("date-tdover"); + }, + + selectValue: function (ev) + { + var e = new Event(ev); + e.stopPropagation(); + var o = $(e.target); + var pickedDate = this.currentDate.setDate(o.getText()); + this.element.value = this.convert(pickedDate, this.options.dateFormat); + this.hide(); + }, + + convert: function(o, format) + { + var d = new Date(); + if (o.getFullYear) + { + d = o; + } + else if ($type(o) == "number") + { + d = new Date(o); + } + else if ($type(o) == "object") + { + d = new Date(o.year, o.month, o.date); + } + else if ($type(o) == "string") + { + d = new Date(o); + if ((d.toString() == "Invalid Date") || (d.toString() == "NaN")) + { + d = new Date(); + } + } + + if (format == "date") + { + return d; + } + else if (format == "object") + { + return( + { + date: d.getDate(), + month: d.getMonth(), + year: d.getFullYear() + }); + } + else if (format == "number") + { + return d.getTime(); + } + else if (format == "string") + { + return d.getDate() + "/" + (d.getMonth() + 1) + "/" + d.getFullYear(); + } + + // Otherwise, assume we've been given a format string for formatDate + return this.formatDate(d, format); + }, + + formatDate: function(dt, format) + { + if (!dt.valueOf()) + { + return ''; + } + + window.monthNamesLong = this.options.monthNamesLong; + window.monthNamesShort = this.options.monthNamesShort; + window.dayNamesLong = this.options.dayNamesLong; + window.dayNamesShort = this.options.dayNamesShort; + + return format.replace(/(yyyy|yy|y|MMMM|MMM|MM|M|dddd|ddd|dd|d|HH|H|hh|h|mm|m|ss|s|t)/gi, function($1, $2, $3, $4, $5) + { + switch ($1) + { + case 'yyyy': return dt.getFullYear(); + case 'yy': return ('0' + (dt.getFullYear()%100)).zeroFill(2); + case 'y': return (d.getFullYear()%100); + case 'MMMM': return window.monthNamesLong[dt.getMonth()]; + case 'MMM': return window.monthNamesShort[dt.getMonth()]; + case 'MM': return (dt.getMonth() + 1).zeroFill(2); + case 'M': return (dt.getMonth() + 1); + case 'dddd': return window.dayNamesLong[dt.getDay()]; + case 'ddd': return window.dayNamesShort[dt.getDay()]; + case 'dd': return dt.getDate().zeroFill(2); + case 'd': return dt.getDate(); + case 'HH': return dt.getHours().zeroFill(2); + case 'H': return dt.getHours(); + case 'hh': return ((h = dt.getHours() % 12) ? h : 12).zeroFill(2); + case 'h': return ((h = dt.getHours() % 12) ? h : 12); + case 'mm': return dt.getMinutes().zeroFill(2); + case 'm': return dt.getMinutes(); + case 'ss': return dt.getSeconds().zeroFill(2); + case 's': return dt.getSeconds(); + case 't': return dt.getHours() < 12 ? 'A.M.' : 'P.M.'; + } + }); + } + +}); + +DatePicker.implement(new Events, new Options); + +// Used by formatDate function */ +String.prototype.zeroFill = function(l) +{ + return '0'.repeat(l - this.length) + this; +} +String.prototype.repeat = function(l) +{ + var s = '', i = 0; + while (i++ < l) + { + s += this; + } + return s; +} +Number.prototype.zeroFill = function(l) +{ + return this.toString().zeroFill(l); +} diff --git a/source/web/scripts/ajax/mootools.v1.11.js b/source/web/scripts/ajax/mootools.v1.11.js new file mode 100644 index 0000000000..57ea2bd67f --- /dev/null +++ b/source/web/scripts/ajax/mootools.v1.11.js @@ -0,0 +1,3 @@ + +/* Generated from projects/3rd-party/src/mootools.v1.11-src.js using "ant minimize-mootools-javascript". Do not modify this file directly. */ +var MooTools={version:"1.11"};function $defined(a){return(a!=undefined)}function $type(b){if(!$defined(b)){return false}if(b.htmlElement){return"element"}var a=typeof b;if(a=="object"&&b.nodeName){switch(b.nodeType){case 1:return"element";case 3:return(/\S/).test(b.nodeValue)?"textnode":"whitespace"}}if(a=="object"||a=="function"){switch(b.constructor){case Array:return"array";case RegExp:return"regexp";case Class:return"class"}if(typeof b.length=="number"){if(b.item){return"collection"}if(b.callee){return"arguments"}}}return a}function $merge(){var c={};for(var b=0;b-1:this.indexOf(a)>-1},escapeRegExp:function(){return this.replace(/([.*+?^${}()|[\]\/\\])/g,"\\$1")}});Array.extend({rgbToHex:function(d){if(this.length<3){return false}if(this.length==4&&this[3]==0&&!d){return"transparent"}var b=[];for(var a=0;a<3;a++){var c=(this[a]-0).toString(16);b.push((c.length==1)?"0"+c:c)}return d?b:"#"+b.join("")},hexToRgb:function(c){if(this.length!=3){return false}var a=[];for(var b=0;b<3;b++){a.push(parseInt((this[b].length==1)?this[b]+this[b]:this[b],16))}return c?a:"rgb("+a.join(",")+")"}});Function.extend({create:function(a){var b=this;a=$merge({bind:b,event:false,"arguments":null,delay:false,periodical:false,attempt:false},a);if($chk(a.arguments)&&$type(a.arguments)!="array"){a.arguments=[a.arguments]}return function(f){var c;if(a.event){f=f||window.event;c=[(a.event===true)?f:new a.event(f)];if(a.arguments){c.extend(a.arguments)}}else{c=a.arguments||arguments}var g=function(){return b.apply($pick(a.bind,b),c)};if(a.delay){return setTimeout(g,a.delay)}if(a.periodical){return setInterval(g,a.periodical)}if(a.attempt){try{return g()}catch(d){return false}}return g()}},pass:function(a,b){return this.create({"arguments":a,bind:b})},attempt:function(a,b){return this.create({"arguments":a,bind:b,attempt:true})()},bind:function(b,a){return this.create({bind:b,"arguments":a})},bindAsEventListener:function(b,a){return this.create({bind:b,event:true,"arguments":a})},delay:function(b,c,a){return this.create({delay:b,bind:c,"arguments":a})()},periodical:function(a,c,b){return this.create({periodical:a,bind:c,"arguments":b})()}});Number.extend({toInt:function(){return parseInt(this)},toFloat:function(){return parseFloat(this)},limit:function(b,a){return Math.min(a,Math.max(b,this))},round:function(a){a=Math.pow(10,a||0);return Math.round(this*a)/a},times:function(b){for(var a=0;a"}d=document.createElement(d)}d=$(d);return(!c||!d)?d:d.set(c)}});var Elements=new Class({initialize:function(a){return(a)?$extend(a,this):this}});Elements.extend=function(a){for(var b in a){this.prototype[b]=a[b];this[b]=$native.generic(b)}};function $(b){if(!b){return null}if(b.htmlElement){return Garbage.collect(b)}var a=$type(b);if(a=="string"){b=document.getElementById(b);a=(b)?"element":false}if(a!="element"){return null}if(b.htmlElement){return Garbage.collect(b)}if(["object","embed"].contains(b.tagName.toLowerCase())){return b}$extend(b,Element.prototype);b.htmlElement=function(){};return Garbage.collect(b)}document.getElementsBySelector=document.getElementsByTagName;function $$(){var d=[];for(var c=0,b=arguments.length;c0&&a<13){this.key="f"+a}}this.key=this.key||String.fromCharCode(this.code).toLowerCase()}else{if(this.type.test(/(click|mouse|menu)/)){this.page={x:c.pageX||c.clientX+document.documentElement.scrollLeft,y:c.pageY||c.clientY+document.documentElement.scrollTop};this.client={x:c.pageX?c.pageX-window.pageXOffset:c.clientX,y:c.pageY?c.pageY-window.pageYOffset:c.clientY};this.rightClick=(c.which==3)||(c.button==2);switch(this.type){case"mouseover":this.relatedTarget=c.relatedTarget||c.fromElement;break;case"mouseout":this.relatedTarget=c.relatedTarget||c.toElement}this.fixRelatedTarget()}}}return this},stop:function(){return this.stopPropagation().preventDefault()},stopPropagation:function(){if(this.event.stopPropagation){this.event.stopPropagation()}else{this.event.cancelBubble=true}return this},preventDefault:function(){if(this.event.preventDefault){this.event.preventDefault()}else{this.event.returnValue=false}return this}});Event.fix={relatedTarget:function(){if(this.relatedTarget&&this.relatedTarget.nodeType==3){this.relatedTarget=this.relatedTarget.parentNode}},relatedTargetGecko:function(){try{Event.fix.relatedTarget.call(this)}catch(a){this.relatedTarget=this.target}}};Event.prototype.fixRelatedTarget=(window.gecko)?Event.fix.relatedTargetGecko:Event.fix.relatedTarget;Event.keys=new Abstract({enter:13,up:38,down:40,left:37,right:39,esc:27,space:32,backspace:8,tab:9,"delete":46});Element.Methods.Events={addEvent:function(c,b){this.$events=this.$events||{};this.$events[c]=this.$events[c]||{keys:[],values:[]};if(this.$events[c].keys.contains(b)){return this}this.$events[c].keys.push(b);var a=c;var d=Element.Events[c];if(d){if(d.add){d.add.call(this,b)}if(d.map){b=d.map}if(d.type){a=d.type}}if(!this.addEventListener){b=b.create({bind:this,event:true})}this.$events[c].values.push(b);return(Element.NativeEvents.contains(a))?this.addListener(a,b):this},removeEvent:function(c,b){if(!this.$events||!this.$events[c]){return this}var g=this.$events[c].keys.indexOf(b);if(g==-1){return this}var a=this.$events[c].keys.splice(g,1)[0];var f=this.$events[c].values.splice(g,1)[0];var d=Element.Events[c];if(d){if(d.remove){d.remove.call(this,b)}if(d.type){c=d.type}}return(Element.NativeEvents.contains(c))?this.removeListener(c,f):this},addEvents:function(a){return Element.setMany(this,"addEvent",a)},removeEvents:function(a){if(!this.$events){return this}if(!a){for(var b in this.$events){this.removeEvents(b)}this.$events=null}else{if(this.$events[a]){this.$events[a].keys.each(function(c){this.removeEvent(a,c)},this);this.$events[a]=null}}return this},fireEvent:function(c,b,a){if(this.$events&&this.$events[c]){this.$events[c].keys.each(function(d){d.create({bind:this,delay:a,"arguments":b})()},this)}return this},cloneEvents:function(c,a){if(!c.$events){return this}if(!a){for(var b in c.$events){this.cloneEvents(c,b)}}else{if(c.$events[a]){c.$events[a].keys.each(function(d){this.addEvent(a,d)},this)}}return this}};window.extend(Element.Methods.Events);document.extend(Element.Methods.Events);Element.extend(Element.Methods.Events);Element.Events=new Abstract({mouseenter:{type:"mouseover",map:function(a){a=new Event(a);if(a.relatedTarget!=this&&!this.hasChild(a.relatedTarget)){this.fireEvent("mouseenter",a)}}},mouseleave:{type:"mouseout",map:function(a){a=new Event(a);if(a.relatedTarget!=this&&!this.hasChild(a.relatedTarget)){this.fireEvent("mouseleave",a)}}},mousewheel:{type:(window.gecko)?"DOMMouseScroll":"mousewheel"}});Element.NativeEvents=["click","dblclick","mouseup","mousedown","mousewheel","DOMMouseScroll","mouseover","mouseout","mousemove","keydown","keypress","keyup","load","unload","beforeunload","resize","move","focus","blur","change","submit","reset","select","error","abort","contextmenu","scroll"];Function.extend({bindWithEvent:function(b,a){return this.create({bind:b,"arguments":a,event:Event})}});Elements.extend({filterByTag:function(a){return new Elements(this.filter(function(b){return(Element.getTag(b)==a)}))},filterByClass:function(a,c){var b=this.filter(function(d){return(d.className&&d.className.contains(a," "))});return(c)?b:new Elements(b)},filterById:function(c,b){var a=this.filter(function(d){return(d.id==c)});return(b)?a:new Elements(a)},filterByAttribute:function(b,a,d,f){var c=this.filter(function(g){var h=Element.getProperty(g,b);if(!h){return false}if(!a){return true}switch(a){case"=":return(h==d);case"*=":return(h.contains(d));case"^=":return(h.substr(0,d.length)==d);case"$=":return(h.substr(h.length-d.length)==d);case"!=":return(h!=d);case"~=":return h.contains(d," ")}return false});return(f)?c:new Elements(c)}});function $E(a,b){return($(b)||document).getElement(a)}function $ES(a,b){return($(b)||document).getElementsBySelector(a)}$$.shared={regexp:/^(\w*|\*)(?:#([\w-]+)|\.([\w-]+))?(?:\[(\w+)(?:([!*^$]?=)["']?([^"'\]]*)["']?)?])?$/,xpath:{getParam:function(b,d,f,c){var a=[d.namespaceURI?"xhtml:":"",f[1]];if(f[2]){a.push('[@id="',f[2],'"]')}if(f[3]){a.push('[contains(concat(" ", @class, " "), " ',f[3],' ")]')}if(f[4]){if(f[5]&&f[6]){switch(f[5]){case"*=":a.push("[contains(@",f[4],', "',f[6],'")]');break;case"^=":a.push("[starts-with(@",f[4],', "',f[6],'")]');break;case"$=":a.push("[substring(@",f[4],", string-length(@",f[4],") - ",f[6].length,' + 1) = "',f[6],'"]');break;case"=":a.push("[@",f[4],'="',f[6],'"]');break;case"!=":a.push("[@",f[4],'!="',f[6],'"]')}}else{a.push("[@",f[4],"]")}}b.push(a.join(""));return b},getItems:function(b,f,h){var g=[];var a=document.evaluate(".//"+b.join("//"),f,$$.shared.resolver,XPathResult.UNORDERED_NODE_SNAPSHOT_TYPE,null);for(var d=0,c=a.snapshotLength;d=(7-4*d)/11){f=-Math.pow((11-6*d-11*g)/4,2)+c*c;break}}return f},Elastic:function(b,a){return Math.pow(2,10*--b)*Math.cos(20*b*Math.PI*(a[0]||1)/3)}});["Quad","Cubic","Quart","Quint"].each(function(b,a){Fx.Transitions[b]=new Fx.Transition(function(c){return Math.pow(c,[a+2])});Fx.Transitions.compat(b)});var Drag={};Drag.Base=new Class({options:{handle:false,unit:"px",onStart:Class.empty,onBeforeStart:Class.empty,onComplete:Class.empty,onSnap:Class.empty,onDrag:Class.empty,limit:false,modifiers:{x:"left",y:"top"},grid:false,snap:6},initialize:function(b,a){this.setOptions(a);this.element=$(b);this.handle=$(this.options.handle)||this.element;this.mouse={now:{},pos:{}};this.value={start:{},now:{}};this.bound={start:this.start.bindWithEvent(this),check:this.check.bindWithEvent(this),drag:this.drag.bindWithEvent(this),stop:this.stop.bind(this)};this.attach();if(this.options.initialize){this.options.initialize.call(this)}},attach:function(){this.handle.addEvent("mousedown",this.bound.start);return this},detach:function(){this.handle.removeEvent("mousedown",this.bound.start);return this},start:function(c){this.fireEvent("onBeforeStart",this.element);this.mouse.start=c.page;var a=this.options.limit;this.limit={x:[],y:[]};for(var d in this.options.modifiers){if(!this.options.modifiers[d]){continue}this.value.now[d]=this.element.getStyle(this.options.modifiers[d]).toInt();this.mouse.pos[d]=c.page[d]-this.value.now[d];if(a&&a[d]){for(var b=0;b<2;b++){if($chk(a[d][b])){this.limit[d][b]=($type(a[d][b])=="function")?a[d][b]():a[d][b]}}}}if($type(this.options.grid)=="number"){this.options.grid={x:this.options.grid,y:this.options.grid}}document.addListener("mousemove",this.bound.check);document.addListener("mouseup",this.bound.stop);this.fireEvent("onStart",this.element);c.stop()},check:function(a){var b=Math.round(Math.sqrt(Math.pow(a.page.x-this.mouse.start.x,2)+Math.pow(a.page.y-this.mouse.start.y,2)));if(b>this.options.snap){document.removeListener("mousemove",this.bound.check);document.addListener("mousemove",this.bound.drag);this.drag(a);this.fireEvent("onSnap",this.element)}a.stop()},drag:function(a){this.out=false;this.mouse.now=a.page;for(var b in this.options.modifiers){if(!this.options.modifiers[b]){continue}this.value.now[b]=this.mouse.now[b]-this.mouse.pos[b];if(this.limit[b]){if($chk(this.limit[b][1])&&(this.value.now[b]>this.limit[b][1])){this.value.now[b]=this.limit[b][1];this.out=true}else{if($chk(this.limit[b][0])&&(this.value.now[b]b.left&&a.xb.top)},stop:function(){if(this.overed&&!this.out){this.overed.fireEvent("drop",[this.element,this])}else{this.element.fireEvent("emptydrop",this)}this.parent();return this}});Element.extend({makeDraggable:function(a){return new Drag.Move(this,a)}});var XHR=new Class({options:{method:"post",async:true,onRequest:Class.empty,onSuccess:Class.empty,onFailure:Class.empty,urlEncoded:true,encoding:"utf-8",autoCancel:false,headers:{}},setTransport:function(){this.transport=(window.XMLHttpRequest)?new XMLHttpRequest():(window.ie?new ActiveXObject("Microsoft.XMLHTTP"):false);return this},initialize:function(a){this.setTransport().setOptions(a);this.options.isSuccess=this.options.isSuccess||this.isSuccess;this.headers={};if(this.options.urlEncoded&&this.options.method=="post"){var b=(this.options.encoding)?"; charset="+this.options.encoding:"";this.setHeader("Content-type","application/x-www-form-urlencoded"+b)}if(this.options.initialize){this.options.initialize.call(this)}},onStateChange:function(){if(this.transport.readyState!=4||!this.running){return}this.running=false;var a=0;try{a=this.transport.status}catch(b){}if(this.options.isSuccess.call(this,a)){this.onSuccess()}else{this.onFailure()}this.transport.onreadystatechange=Class.empty},isSuccess:function(a){return((a>=200)&&(a<300))},onSuccess:function(){this.response={text:this.transport.responseText,xml:this.transport.responseXML};this.fireEvent("onSuccess",[this.response.text,this.response.xml]);this.callChain()},onFailure:function(){this.fireEvent("onFailure",this.transport)},setHeader:function(a,b){this.headers[a]=b;return this},send:function(a,c){if(this.options.autoCancel){this.cancel()}else{if(this.running){return this}}this.running=true;if(c&&this.options.method=="get"){a=a+(a.contains("?")?"&":"?")+c;c=null}this.transport.open(this.options.method.toUpperCase(),a,this.options.async);this.transport.onreadystatechange=this.onStateChange.bind(this);if((this.options.method=="post")&&this.transport.overrideMimeType){this.setHeader("Connection","close")}$extend(this.headers,this.options.headers);for(var b in this.headers){try{this.transport.setRequestHeader(b,this.headers[b])}catch(d){}}this.fireEvent("onRequest");this.transport.send($pick(c,null));if(!this.options.async){this.onStateChange()}return this},cancel:function(){if(!this.running){return this}this.running=false;this.transport.abort();this.transport.onreadystatechange=Class.empty;this.setTransport();this.fireEvent("onCancel");return this}});XHR.implement(new Chain,new Events,new Options);var Ajax=XHR.extend({options:{data:null,update:null,onComplete:Class.empty,evalScripts:false,evalResponse:false},initialize:function(b,a){this.addEvent("onSuccess",this.onComplete);this.setOptions(a);this.options.data=this.options.data||this.options.postBody;if(!["post","get"].contains(this.options.method)){this._method="_method="+this.options.method;this.options.method="post"}this.parent();this.setHeader("X-Requested-With","XMLHttpRequest");this.setHeader("Accept","text/javascript, text/html, application/xml, text/xml, */*");this.url=b},onComplete:function(){if(this.options.update){$(this.options.update).empty().setHTML(this.response.text)}if(this.options.evalScripts||this.options.evalResponse){this.evalScripts()}this.fireEvent("onComplete",[this.response.text,this.response.xml],20)},request:function(a){a=a||this.options.data;switch($type(a)){case"element":a=$(a).toQueryString();break;case"object":a=Object.toQueryString(a)}if(this._method){a=(a)?[this._method,a].join("&"):this._method}return this.send(this.url,a)},evalScripts:function(){var b,a;if(this.options.evalResponse||(/(ecma|java)script/).test(this.getHeader("Content-type"))){a=this.response.text}else{a=[];var c=/]*>([\s\S]*?)<\/script>/gi;while((b=c.exec(this.response.text))){a.push(b[1])}a=a.join("\n")}if(a){(window.execScript)?window.execScript(a):window.setTimeout(a,0)}},getHeader:function(a){try{return this.transport.getResponseHeader(a)}catch(b){}return null}});Object.toQueryString=function(b){var c=[];for(var a in b){c.push(encodeURIComponent(a)+"="+encodeURIComponent(b[a]))}return c.join("&")};Element.extend({send:function(a){return new Ajax(this.getProperty("action"),$merge({data:this.toQueryString()},a,{method:"post"})).request()}});var Cookie=new Abstract({options:{domain:false,path:false,duration:false,secure:false},set:function(c,d,b){b=$merge(this.options,b);d=encodeURIComponent(d);if(b.domain){d+="; domain="+b.domain}if(b.path){d+="; path="+b.path}if(b.duration){var a=new Date();a.setTime(a.getTime()+b.duration*24*60*60*1000);d+="; expires="+a.toGMTString()}if(b.secure){d+="; secure"}document.cookie=c+"="+d;return $extend(b,{key:c,value:d})},get:function(a){var b=document.cookie.match("(?:^|;)\\s*"+a.escapeRegExp()+"=([^;]*)");return b?decodeURIComponent(b[1]):false},remove:function(b,a){if($type(b)=="object"){this.set(b.key,"",$merge(b,{duration:-1}))}else{this.set(b,"",$merge(a,{duration:-1}))}}});var Json={toString:function(c){switch($type(c)){case"string":return'"'+c.replace(/(["\\])/g,"\\$1")+'"';case"array":return"["+c.map(Json.toString).join(",")+"]";case"object":var a=[];for(var b in c){a.push(Json.toString(b)+":"+Json.toString(c[b]))}return"{"+a.join(",")+"}";case"number":if(isFinite(c)){break}case false:return"null"}return String(c)},evaluate:function(str,secure){return(($type(str)!="string")||(secure&&!str.test(/^("(\\.|[^"\\\n\r])*?"|[,:{}\[\]0-9.\-+Eaeflnr-u \n\r\t])+?$/)))?null:eval("("+str+")")}};Json.Remote=XHR.extend({initialize:function(b,a){this.url=b;this.addEvent("onSuccess",this.onComplete);this.parent(a);this.setHeader("X-Request","JSON")},send:function(a){return this.parent(this.url,"json="+Json.toString(a))},onComplete:function(){this.fireEvent("onComplete",[Json.evaluate(this.response.text,this.options.secure)])}});var Asset=new Abstract({javascript:function(c,b){b=$merge({onload:Class.empty},b);var a=new Element("script",{src:c}).addEvents({load:b.onload,readystatechange:function(){if(this.readyState=="complete"){this.fireEvent("load")}}});delete b.onload;return a.setProperties(b).inject(document.head)},css:function(b,a){return new Element("link",$merge({rel:"stylesheet",media:"screen",type:"text/css",href:b},a)).inject(document.head)},image:function(c,b){b=$merge({onload:Class.empty,onabort:Class.empty,onerror:Class.empty},b);var d=new Image();d.src=c;var a=new Element("img",{src:c});["load","abort","error"].each(function(f){var g=b["on"+f];delete b["on"+f];a.addEvent(f,function(){this.removeEvent(f,arguments.callee);g.call(this)})});if(d.width&&d.height){a.fireEvent("load",a,1)}return a.setProperties(b)},images:function(d,c){c=$merge({onComplete:Class.empty,onProgress:Class.empty},c);if(!d.push){d=[d]}var a=[];var b=0;d.each(function(g){var f=new Asset.image(g,{onload:function(){c.onProgress.call(this,b);b++;if(b==d.length){c.onComplete()}}});a.push(f)});return new Elements(a)}});var Hash=new Class({length:0,initialize:function(a){this.obj=a||{};this.setLength()},get:function(a){return(this.hasKey(a))?this.obj[a]:null},hasKey:function(a){return(a in this.obj)},set:function(a,b){if(!this.hasKey(a)){this.length++}this.obj[a]=b;return this},setLength:function(){this.length=0;for(var a in this.obj){this.length++}return this},remove:function(a){if(this.hasKey(a)){delete this.obj[a];this.length--}return this},each:function(a,b){$each(this.obj,a,b)},extend:function(a){$extend(this.obj,a);return this.setLength()},merge:function(){this.obj=$merge.apply(null,[this.obj].extend(arguments));return this.setLength()},empty:function(){this.obj={};this.length=0;return this},keys:function(){var a=[];for(var b in this.obj){a.push(b)}return a},values:function(){var a=[];for(var b in this.obj){a.push(this.obj[b])}return a}});function $H(a){return new Hash(a)}Hash.Cookie=Hash.extend({initialize:function(b,a){this.name=b;this.options=$extend({autoSave:true},a||{});this.load()},save:function(){if(this.length==0){Cookie.remove(this.name,this.options);return true}var a=Json.toString(this.obj);if(a.length>4096){return false}Cookie.set(this.name,a,this.options);return true},load:function(){this.obj=Json.evaluate(Cookie.get(this.name),true)||{};this.setLength()}});Hash.Cookie.Methods={};["extend","set","merge","empty","remove"].each(function(a){Hash.Cookie.Methods[a]=function(){Hash.prototype[a].apply(this,arguments);if(this.options.autoSave){this.save()}return this}});Hash.Cookie.implement(Hash.Cookie.Methods);var Color=new Class({initialize:function(b,d){d=d||(b.push?"rgb":"hex");var c,a;switch(d){case"rgb":c=b;a=c.rgbToHsb();break;case"hsb":c=b.hsbToRgb();a=b;break;default:c=b.hexToRgb(true);a=c.rgbToHsb()}c.hsb=a;c.hex=c.rgbToHex();return $extend(c,Color.prototype)},mix:function(){var a=$A(arguments);var c=($type(a[a.length-1])=="number")?a.pop():50;var b=this.copy();a.each(function(d){d=new Color(d);for(var f=0;f<3;f++){b[f]=Math.round((b[f]/100*(100-c))+(d[f]/100*c))}});return new Color(b,"rgb")},invert:function(){return new Color(this.map(function(a){return 255-a}))},setHue:function(a){return new Color([a,this.hsb[1],this.hsb[2]],"hsb")},setSaturation:function(a){return new Color([this.hsb[0],a,this.hsb[2]],"hsb")},setBrightness:function(a){return new Color([this.hsb[0],this.hsb[1],a],"hsb")}});function $RGB(d,c,a){return new Color([d,c,a],"rgb")}function $HSB(d,c,a){return new Color([d,c,a],"hsb")}Array.extend({rgbToHsb:function(){var b=this[0],c=this[1],k=this[2];var h,g,i;var j=Math.max(b,c,k),f=Math.min(b,c,k);var l=j-f;i=j/255;g=(j!=0)?l/j:0;if(g==0){h=0}else{var d=(j-b)/l;var a=(j-c)/l;var m=(j-k)/l;if(b==j){h=m-a}else{if(c==j){h=2+d-m}else{h=4+a-d}}h/=6;if(h<0){h++}}return[Math.round(h*360),Math.round(g*100),Math.round(i*100)]},hsbToRgb:function(){var c=Math.round(this[2]/100*255);if(this[1]==0){return[c,c,c]}else{var a=this[0]%360;var g=a%60;var h=Math.round((this[2]*(100-this[1]))/10000*255);var d=Math.round((this[2]*(6000-this[1]*g))/600000*255);var b=Math.round((this[2]*(6000-this[1]*(60-g)))/600000*255);switch(Math.floor(a/60)){case 0:return[c,b,h];case 1:return[d,c,h];case 2:return[h,c,b];case 3:return[h,d,c];case 4:return[b,h,c];case 5:return[c,h,d]}}return false}});var Scroller=new Class({options:{area:20,velocity:1,onChange:function(a,b){this.element.scrollTo(a,b)}},initialize:function(b,a){this.setOptions(a);this.element=$(b);this.mousemover=([window,document].contains(b))?$(document.body):this.element},start:function(){this.coord=this.getCoords.bindWithEvent(this);this.mousemover.addListener("mousemove",this.coord)},stop:function(){this.mousemover.removeListener("mousemove",this.coord);this.timer=$clear(this.timer)},getCoords:function(a){this.page=(this.element==window)?a.client:a.page;if(!this.timer){this.timer=this.scroll.periodical(50,this)}},scroll:function(){var a=this.element.getSize();var d=this.element.getPosition();var c={x:0,y:0};for(var b in this.page){if(this.page[b]<(this.options.area+d[b])&&a.scroll[b]!=0){c[b]=(this.page[b]-this.options.area-d[b])*this.options.velocity}else{if(this.page[b]+this.options.area>(a.size[b]+d[b])&&a.scroll[b]+a.size[b]!=a.scrollSize[b]){c[b]=(this.page[b]-a.size[b]+this.options.area-d[b])*this.options.velocity}}}if(c.y||c.x){this.fireEvent("onChange",[a.scroll.x+c.x,a.scroll.y+c.y])}}});Scroller.implement(new Events,new Options);var Slider=new Class({options:{onChange:Class.empty,onComplete:Class.empty,onTick:function(a){this.knob.setStyle(this.p,a)},mode:"horizontal",steps:100,offset:0},initialize:function(d,a,b){this.element=$(d);this.knob=$(a);this.setOptions(b);this.previousChange=-1;this.previousEnd=-1;this.step=-1;this.element.addEvent("mousedown",this.clickedElement.bindWithEvent(this));var c,g;switch(this.options.mode){case"horizontal":this.z="x";this.p="left";c={x:"left",y:false};g="offsetWidth";break;case"vertical":this.z="y";this.p="top";c={x:false,y:"top"};g="offsetHeight"}this.max=this.element[g]-this.knob[g]+(this.options.offset*2);this.half=this.knob[g]/2;this.getPos=this.element["get"+this.p.capitalize()].bind(this.element);this.knob.setStyle("position","relative").setStyle(this.p,-this.options.offset);var f={};f[this.z]=[-this.options.offset,this.max-this.options.offset];this.drag=new Drag.Base(this.knob,{limit:f,modifiers:c,snap:0,onStart:function(){this.draggedKnob()}.bind(this),onDrag:function(){this.draggedKnob()}.bind(this),onComplete:function(){this.draggedKnob();this.end()}.bind(this)});if(this.options.initialize){this.options.initialize.call(this)}},set:function(a){this.step=a.limit(0,this.options.steps);this.checkStep();this.end();this.fireEvent("onTick",this.toPosition(this.step));return this},clickedElement:function(b){var a=b.page[this.z]-this.getPos()-this.half;a=a.limit(-this.options.offset,this.max-this.options.offset);this.step=this.toStep(a);this.checkStep();this.end();this.fireEvent("onTick",a)},draggedKnob:function(){this.step=this.toStep(this.drag.value.now[this.z]);this.checkStep()},checkStep:function(){if(this.previousChange!=this.step){this.previousChange=this.step;this.fireEvent("onChange",this.step)}},end:function(){if(this.previousEnd!==this.step){this.previousEnd=this.step;this.fireEvent("onComplete",this.step+"")}},toStep:function(a){return Math.round((a+this.options.offset)/this.max*this.options.steps)},toPosition:function(a){return this.max*a/this.options.steps}});Slider.implement(new Events);Slider.implement(new Options);var SmoothScroll=Fx.Scroll.extend({initialize:function(b){this.parent(window,b);this.links=(this.options.links)?$$(this.options.links):$$(document.links);var a=window.location.href.match(/^[^#]*/)[0]+"#";this.links.each(function(d){if(d.href.indexOf(a)!=0){return}var c=d.href.substr(a.length);if(c&&$(c)){this.useLink(d,c)}},this);if(!window.webkit419){this.addEvent("onComplete",function(){window.location.hash=this.anchor})}},useLink:function(b,a){b.addEvent("click",function(c){this.anchor=a;this.toElement(a);c.stop()}.bindWithEvent(this))}});var Sortables=new Class({options:{handles:false,onStart:Class.empty,onComplete:Class.empty,ghost:true,snap:3,onDragStart:function(a,b){b.setStyle("opacity",0.7);a.setStyle("opacity",0.7)},onDragComplete:function(a,b){a.setStyle("opacity",1);b.remove();this.trash.remove()}},initialize:function(d,b){this.setOptions(b);this.list=$(d);this.elements=this.list.getChildren();this.handles=(this.options.handles)?$$(this.options.handles):this.elements;this.bound={start:[],moveGhost:this.moveGhost.bindWithEvent(this)};for(var c=0,a=this.handles.length;c0);var d=this.active.getPrevious();var c=this.active.getNext();if(d&&a&&bc.getCoordinates().top){this.active.injectAfter(c)}this.previous=b},serialize:function(a){return this.list.getChildren().map(a||function(b){return this.elements.indexOf(b)},this)},end:function(){this.previous=null;document.removeListener("mousemove",this.bound.move);document.removeListener("mouseup",this.bound.end);if(this.options.ghost){document.removeListener("mousemove",this.bound.moveGhost);this.fireEvent("onDragComplete",[this.active,this.ghost])}this.fireEvent("onComplete",this.active)}});Sortables.implement(new Events,new Options);var Tips=new Class({options:{onShow:function(a){a.setStyle("visibility","visible")},onHide:function(a){a.setStyle("visibility","hidden")},maxTitleChars:30,showDelay:100,hideDelay:100,className:"tool",offsets:{x:16,y:16},fixed:false},initialize:function(b,a){this.setOptions(a);this.toolTip=new Element("div",{"class":this.options.className+"-tip",styles:{position:"absolute",top:"0",left:"0",visibility:"hidden"}}).inject(document.body);this.wrapper=new Element("div").inject(this.toolTip);$$(b).each(this.build,this);if(this.options.initialize){this.options.initialize.call(this)}},build:function(b){b.$tmp.myTitle=(b.href&&b.getTag()=="a")?b.href.replace("http://",""):(b.rel||false);if(b.title){var c=b.title.split("::");if(c.length>1){b.$tmp.myTitle=c[0].trim();b.$tmp.myText=c[1].trim()}else{b.$tmp.myText=b.title}b.removeAttribute("title")}else{b.$tmp.myText=false}if(b.$tmp.myTitle&&b.$tmp.myTitle.length>this.options.maxTitleChars){b.$tmp.myTitle=b.$tmp.myTitle.substr(0,this.options.maxTitleChars-1)+"…"}b.addEvent("mouseenter",function(d){this.start(b);if(!this.options.fixed){this.locate(d)}else{this.position(b)}}.bind(this));if(!this.options.fixed){b.addEvent("mousemove",this.locate.bindWithEvent(this))}var a=this.end.bind(this);b.addEvent("mouseleave",a);b.addEvent("trash",a)},start:function(a){this.wrapper.empty();if(a.$tmp.myTitle){this.title=new Element("span").inject(new Element("div",{"class":this.options.className+"-title"}).inject(this.wrapper)).setHTML(a.$tmp.myTitle)}if(a.$tmp.myText){this.text=new Element("span").inject(new Element("div",{"class":this.options.className+"-text"}).inject(this.wrapper)).setHTML(a.$tmp.myText)}$clear(this.timer);this.timer=this.show.delay(this.options.showDelay,this)},end:function(a){$clear(this.timer);this.timer=this.hide.delay(this.options.hideDelay,this)},position:function(a){var b=a.getPosition();this.toolTip.setStyles({left:b.x+this.options.offsets.x,top:b.y+this.options.offsets.y})},locate:function(b){var d={x:window.getWidth(),y:window.getHeight()};var a={x:window.getScrollLeft(),y:window.getScrollTop()};var c={x:this.toolTip.offsetWidth,y:this.toolTip.offsetHeight};var h={x:"left",y:"top"};for(var f in h){var g=b.page[f]+this.options.offsets[f];if((g+c[f]-a[f])>d[f]){g=b.page[f]-this.options.offsets[f]-c[f]}this.toolTip.setStyle(h[f],g)}},show:function(){if(this.options.timeout){this.timer=this.hide.delay(this.options.timeout,this)}this.fireEvent("onShow",[this.toolTip])},hide:function(){this.fireEvent("onHide",[this.toolTip])}});Tips.implement(new Events,new Options);var Group=new Class({initialize:function(){this.instances=$A(arguments);this.events={};this.checker={}},addEvent:function(b,a){this.checker[b]=this.checker[b]||{};this.events[b]=this.events[b]||[];if(this.events[b].contains(a)){return false}else{this.events[b].push(a)}this.instances.each(function(c,d){c.addEvent(b,this.check.bind(this,[b,c,d]))},this);return this},check:function(c,a,b){this.checker[c][b]=true;var d=this.instances.every(function(g,f){return this.checker[c][f]||false},this);if(!d){return}this.checker[c]={};this.events[c].each(function(f){f.call(this,this.instances,a)},this)}});var Accordion=Fx.Elements.extend({options:{onActive:Class.empty,onBackground:Class.empty,display:0,show:false,height:true,width:false,opacity:true,fixedHeight:false,fixedWidth:false,wait:false,alwaysHide:false},initialize:function(){var c,f,g,b;$each(arguments,function(k,j){switch($type(k)){case"object":c=k;break;case"element":b=$(k);break;default:var h=$$(k);if(!f){f=h}else{g=h}}});this.togglers=f||[];this.elements=g||[];this.container=$(b);this.setOptions(c);this.previous=-1;if(this.options.alwaysHide){this.options.wait=true}if($chk(this.options.show)){this.options.display=false;this.previous=this.options.show}if(this.options.start){this.options.display=false;this.options.show=false}this.effects={};if(this.options.opacity){this.effects.opacity="fullOpacity"}if(this.options.width){this.effects.width=this.options.fixedWidth?"fullWidth":"offsetWidth"}if(this.options.height){this.effects.height=this.options.fixedHeight?"fullHeight":"scrollHeight"}for(var d=0,a=this.togglers.length;d0));this.fireEvent(c?"onBackground":"onActive",[this.togglers[d],f]);for(var g in this.effects){b[d][g]=c?0:f[this.effects[g]]}},this);return this.start(b)},showThisHideOpen:function(a){return this.display(a)}});Fx.Accordion=Accordion; \ No newline at end of file