// CREDITS: // Class is slightly based on Base.js : http://dean.edwards.name/weblog/2006/03/base/ // (c) 2006 Dean Edwards, License: http://creativecommons.org/licenses/LGPL/2.1/ // Some functions are based on those found in prototype.js : http://prototype.conio.net/ // (c) 2005 Sam Stephenson , MIT-style license var Class = function(properties){ var klass = function(){ for (p in this) this[p]._proto_ = this; if (arguments[0] != 'noinit' && this.initialize) return this.initialize.apply(this, arguments); }; klass.extend = this.extend; klass.implement = this.implement; klass.prototype = properties; return klass; }; Class.empty = function(){}; Class.create = function(properties){ return new Class(properties); }; Class.prototype = { extend: function(properties){ var prototype = new this('noinit'); for (property in properties){ var previous = prototype[property]; var current = properties[property]; if (previous && previous != current) current = previous.parentize(current) || current; prototype[property] = current; } return new Class(prototype); }, implement: function(properties){ for (property in properties) this.prototype[property] = properties[property]; } } Object.extend = function(){ var args = arguments; if (args[1]) args = [args[0], args[1]]; else args = [this, args[0]]; for (property in args[1]) args[0][property] = args[1][property]; return args[0]; }; Object.Native = function(){ for (var i = 0; i < arguments.length; i++) arguments[i].extend = Class.prototype.implement; }; new Object.Native(Function, Array, String); Function.extend({ parentize: function(current){ var previous = this; return function(){ this.parent = previous; return current.apply(this, arguments); }; } }); Function.extend({ pass: function(args, bind){ var fn = this; if ($type(args) != 'array') args = [args]; return function(){ fn.apply(bind || fn._proto_ || fn, args); }; }, bind: function(bind){ var fn = this; return function(){ return fn.apply(bind, arguments); }; }, bindAsEventListener: function(bind){ var fn = this; return function(event){ fn.call(bind, event || window.event); return false; }; }, //setTimeout : 몇 초 후 한번만 작동한다.(밀리초,바인드로 묶일 메소드객체) delay: function(ms, bind){ return setTimeout(this.bind(bind || this._proto_ || this), ms); }, //계속 작동(밀리초,bind로 묶일 메소드객체) periodical: function(ms, bind){ return setInterval(this.bind(bind || this._proto_ || this), ms); } }); //clearTimeout,setInterval 해제 function $clear(timer){ clearTimeout(timer); clearInterval(timer); return null; }; //타입 알아내는 메소드 function $type(obj, types){ if (!obj) return false; var type = false; if (obj instanceof Function) type = 'function'; else if (obj.nodeName){ if (obj.nodeType == 3 && !/\S/.test(obj.nodeValue)) type = 'textnode'; else if (obj.nodeType == 1) type = 'element'; } else if (obj instanceof Array) type = 'array'; else if (typeof obj == 'object') type = 'object'; else if (typeof obj == 'string') type = 'string'; else if (typeof obj == 'number' && isFinite(obj)) type = 'number'; return type; }; //? 함수인지 판단하기 메소드??? function $check(obj, objTrue, objFalse){ if (obj) { if (objTrue && $type(objTrue) == 'function') return objTrue(); else return objTrue || obj; } else { if (objFalse && $type(objFalse) == 'function') return objFalse(); return objFalse || false; } }; //함수를 묶는 ... var Chain = new Class({ //함수를 묶는 ... chain: function(fn){ this.chains = this.chains || []; this.chains.push(fn); return this; }, //함묶여진 함수중에 원하는 함수를 호출 callChain: function(){ if (this.chains && this.chains.length) this.chains.splice(0, 1)[0].delay(10, this); } }); if (!Array.prototype.forEach){ Array.prototype.forEach = function(fn, bind){ for(var i = 0; i < this.length ; i++) fn.call(bind, this[i], i); }; } Array.extend({ each: Array.prototype.forEach, copy: function(){ var nArray = []; for (var i = 0; i < this.length; i++) nArray.push(this[i]); return nArray; }, remove: function(item){ for (var i = 0; i < this.length; i++){ if (this[i] == item) this.splice(i, 1); } return this; }, test: function(item){ for (var i = 0; i < this.length; i++){ if (this[i] == item) return true; }; return false; }, extend: function(nArray){ for (var i = 0; i < nArray.length; i++) this.push(nArray[i]); return this; } }); function $A(array){ return Array.prototype.copy.call(array); }; String.extend({ test: function(value, params){ return this.match(new RegExp(value, params)); }, camelCase: function(){ return this.replace(/-\D/gi, function(match){ return match.charAt(match.length - 1).toUpperCase(); }); }, capitalize: function(){ return this.toLowerCase().replace(/\b[a-z]/g, function(match){ return match.toUpperCase(); }); }, trim: function(){ return this.replace(/^\s*|\s*$/g,''); }, clean: function(){ return this.replace(/\s\s/g, ' ').trim(); }, rgbToHex: function(array){ var rgb = this.test('^[rgba]{3,4}\\(([\\d]{0,3}),[\\s]*([\\d]{0,3}),[\\s]*([\\d]{0,3})\\)$'); var hex = []; for (var i = 1; i < rgb.length; i++) hex.push((rgb[i]-0).toString(16)); var hexText = '#'+hex.join(''); if (array) return hex; else return hexText; }, hexToRgb: function(array){ var hex = this.test('^[#]{0,1}([\\w]{1,2})([\\w]{1,2})([\\w]{1,2})$'); var rgb = []; for (var i = 1; i < hex.length; i++){ if (hex[i].length == 1) hex[i] += hex[i]; rgb.push(parseInt(hex[i], 16)); } var rgbText = 'rgb('+rgb.join(',')+')'; if (array) return rgb; else return rgbText; } }); //객체들이 자동으로 가지게 되는 값 var Element = new Class({ //creation initialize: function(el){ if ($type(el) == 'string') el = document.createElement(el); return $(el); }, //injecters inject: function(el, where){ var el = $check($(el), $(el), new Element(el)); switch(where){ case "before": $(el.parentNode).insertBefore(this, el); break; case "after": { if (!el.getNext()) $(el.parentNode).appendChild(this); else $(el.parentNode).insertBefore(this, el.getNext()); } break; case "inside": el.appendChild(this); break; } return this; }, injectBefore: function(el){ return this.inject(el, 'before'); }, injectAfter: function(el){ return this.inject(el, 'after'); }, injectInside: function(el){ return this.inject(el, 'inside'); }, adopt: function(el){ var el = $check($(el), $(el), new Element(el)); this.appendChild(el); return this; }, //actions remove: function(){ this.parentNode.removeChild(this); }, clone: function(){ return $(this.cloneNode(true)); }, replaceWith: function(el){ var el = $check($(el), $(el), new Element(el)); this.parentNode.replaceChild(el, this); return el; }, appendText: function(text){ if (this.getTag() == 'style' && window.ActiveXObject) this.styleSheet.cssText = text; else this.appendChild(document.createTextNode(text)); return this; }, //classnames hasClassName: function(className){ return $check(this.className.test("\\b"+className+"\\b"), true); }, addClassName: function(className){ if (!this.hasClassName(className)) this.className = (this.className+' '+className.trim()).clean(); return this; }, removeClassName: function(className){ if (this.hasClassName(className)) this.className = this.className.replace(className.trim(), '').clean(); return this; }, toggleClassName: function(className){ if (this.hasClassName(className)) return this.removeClassName(className); else return this.addClassName(className); }, //styles setStyle: function(property, value){ if (property == 'opacity') { this.setOpacity(value); } else { if(value != 'NaN' && value != 'undefined' && value != ""){ try{ this.style[property.camelCase()] = value; }catch(e){ } } } return this; }, setStyles: function(source){ if ($type(source) == 'object') { for (property in source) this.setStyle(property, source[property]); } else if ($type(source) == 'string') this.setAttribute('style', source); return this; }, setOpacity: function(opacity){ if (opacity == 0 && this.style.visibility != "hidden") this.style.visibility = "hidden"; else if (this.style.visibility != "visible") this.style.visibility = "visible"; if (window.ActiveXObject) this.style.filter = "alpha(opacity=" + opacity*100 + ")"; this.style.opacity = opacity; return this; }, getStyle: function(property, num){ var proPerty = property.camelCase(); var style = $check(this.style[proPerty]); if (!style) { if (document.defaultView) style = document.defaultView.getComputedStyle(this,null).getPropertyValue(property); else if (this.currentStyle) style = this.currentStyle[proPerty]; } if (style && ['color', 'backgroundColor', 'borderColor'].test(proPerty) && style.test('rgb')) style = style.rgbToHex(); if (['auto', 'transparent'].test(style)) style = 0; if (num) return parseInt(style); else return style; }, removeStyles: function(){ $A(arguments).each(function(property){ this.style[property.camelCase()] = ''; }, this); return this; }, //events addEvent: function(action, fn){ this[action+fn] = fn.bind(this); if (this.addEventListener) this.addEventListener(action, fn, false); else this.attachEvent('on'+action, this[action+fn]); var el = this; if (this != window) Unload.functions.push(function(){ el.removeEvent(action, fn); el[action+fn] = null; }); return this; }, removeEvent: function(action, fn){ if (this.removeEventListener) this.removeEventListener(action, fn, false); else this.detachEvent('on'+action, this[action+fn]); return this; }, //get non-text elements getBrother: function(what){ var el = this[what+'Sibling']; while ($type(el) == 'textnode') el = el[what+'Sibling']; return $(el); }, getPrevious: function(){ return this.getBrother('previous'); }, getNext: function(){ return this.getBrother('next'); }, getFirst: function(){ var el = this.firstChild; while ($type(el) == 'textnode') el = el.nextSibling; return $(el); }, getLast: function(){ var el = this.lastChild; while ($type(el) == 'textnode') el = el.previousSibling; return $(el); }, //properties setProperty: function(property, value){ var el = false; switch(property){ case 'class': this.className = value; break; case 'style': this.setStyles(value); break; case 'name': if (window.ActiveXObject && this.getTag() == 'input'){ el = $(document.createElement('')); $A(this.attributes).each(function(attribute){ if (attribute.name != 'name') el.setProperty(attribute.name, attribute.value); }); if (this.parentNode) this.replaceWith(el); }; default: this.setAttribute(property, value); } return el || this; }, setProperties: function(source){ for (property in source) this.setProperty(property, source[property]); return this; }, setHTML: function(html){ this.innerHTML = html; return this; }, getProperty: function(property){ return this.getAttribute(property); }, getTag: function(){ return this.tagName.toLowerCase(); }, //position getOffset: function(what){ what = what.capitalize(); var el = this; var offset = 0; do { offset += el['offset'+what] || 0; el = el.offsetParent; } while (el); return offset; }, getTop: function(){ return this.getOffset('top'); }, getLeft: function(){ return this.getOffset('left'); } }); function $Element(el, method, args){ if ($type(args) != 'array') args = [args]; return Element.prototype[method].apply(el, args); }; new Object.Native(Element); function $(el){ if ($type(el) == 'string') el = document.getElementById(el); if ($type(el) == 'element'){ if (!el.extend){ Unload.elements.push(el); el.extend = Object.extend; el.extend(Element.prototype); } return el; } else return false; }; window.addEvent = Element.prototype.addEvent; window.removeEvent = Element.prototype.removeEvent; var Unload = { elements: [], functions: [], vars: [], unload: function(){ Unload.functions.each(function(fn){ fn(); }); window.removeEvent('unload', window.removeFunction); Unload.elements.each(function(el){ for(p in Element.prototype){ window[p] = null; document[p] = null; el[p] = null; } el.extend = null; }); } }; window.removeFunction = Unload.unload; window.addEvent('unload', window.removeFunction); var Fx = fx = {}; Fx.Base = new Class({ setOptions: function(options){ this.options = Object.extend({ duration: 500, onComplete: Class.empty, onStart: Class.empty, unit: 'px', wait: true, transition: Fx.sinoidal, fps: 30 }, options || {}); }, step: function(){ var currentTime = (new Date).getTime(); if (currentTime >= this.options.duration+this.startTime){ this.clearTimer(); this.now = this.to; this.options.onComplete.pass(this.el, this).delay(10); this.callChain(); } else { this.tPos = (currentTime - this.startTime) / this.options.duration; this.setNow(); } this.increase(); }, setNow: function(){ this.now = this.compute(this.from, this.to); }, compute: function(from, to){ return this.options.transition(this.tPos) * (to-from) + from; }, custom: function(from, to){ if(!this.options.wait) this.clearTimer(); if (this.timer) return; this.options.onStart.pass(this.el, this).delay(10); this.from = from; this.to = to; this.startTime = (new Date).getTime(); this.timer = this.step.periodical(Math.round(1000/this.options.fps), this); return this; }, set: function(to){ this.now = to; this.increase(); return this; }, clearTimer: function(){ this.timer = $clear(this.timer); return this; }, setStyle: function(el, property, value){ if (property == 'opacity'){ if (value == 1 && navigator.userAgent.test('Firefox')) value = 0.9999; el.setOpacity(value); } else el.setStyle(property, value+this.options.unit); } }); Fx.Base.implement(new Chain); Fx.Style = Fx.Base.extend({ initialize: function(el, property, options){ this.el = $(el); this.setOptions(options); this.property = property.camelCase(); }, hide: function(){ return this.set(0); }, goTo: function(val){ return this.custom(this.now || 0, val); }, increase: function(){ this.setStyle(this.el, this.property, this.now); } }); Fx.Layout = Fx.Style.extend({ initialize: function(el, layout, options){ this.parent(el, layout, options); this.layout = layout.capitalize(); this.el.setStyle('overflow', 'hidden'); }, toggle: function(){ if (this.el['offset'+this.layout] > 0) return this.custom(this.el['offset'+this.layout], 0); else return this.custom(0, this.el['scroll'+this.layout]); }, show: function(){ return this.set(this.el['scroll'+this.layout]); } }); Fx.Scroll = Fx.Base.extend({ initialize: function(el, options) { this.element = $(el); this.setOptions(options); }, down: function(){ return this.custom(this.element.scrollTop, this.element.scrollHeight-this.element.offsetHeight); }, up: function(){ return this.custom(this.element.scrollTop, 0); }, targetMove: function(target){ return this.custom(this.element.scrollTop, $(target).getTop()); }, increase: function(){ this.element.scrollTop = this.now; } }); Fx.Height = Fx.Layout.extend({ initialize: function(el, options){ this.parent(el, 'height', options); } }); Fx.Width = Fx.Layout.extend({ initialize: function(el, options){ this.parent(el, 'width', options); } }); Fx.Opacity = Fx.Style.extend({ initialize: function(el, options){ this.parent(el, 'opacity', options); this.now = 1; }, toggle: function(){ if (this.now > 0) return this.custom(1, 0); else return this.custom(0, 1); }, show: function(){ this.set(1); } }); Element.extend({ effect: function(property, options){ return new Fx.Style(this, property, options); } }); Fx.sinoidal = function(pos){return ((-Math.cos(pos*Math.PI)/2) + 0.5);}; //this transition is from script.aculo.us Fx.linear = function(pos){return pos;}; Fx.cubic = function(pos){return Math.pow(pos, 3);}; Fx.circ = function(pos){return Math.sqrt(pos);}; function $S(){ var els = []; $A(arguments).each(function(sel){ if ($type(sel) == 'string') els.extend(document.getElementsBySelector(sel)); else if ($type(sel) == 'element') els.push($(sel)); }); return $$(els); }; function $E(selector, filter){ return ($(filter) || document).getElement(selector); }; function $$(elements){ return Object.extend(elements, new Elements); }; Element.extend({ getElements: function(selector){ var filters = []; selector.clean().split(' ').each(function(sel, i){ var bits = []; var param = []; var attr = []; if (bits = sel.test('^([\\w]*)')) param['tag'] = bits[1] || '*'; if (bits = sel.test('([.#]{1})([\\w-]*)$')){ if (bits[1] == '.') param['class'] = bits[2]; else param['id'] = bits[2]; } if (bits = sel.test('\\[["\'\\s]{0,1}([\\w-]*)["\'\\s]{0,1}([\\W]{0,1}=){0,2}["\'\\s]{0,1}([\\w-]*)["\'\\s]{0,1}\\]$')){ attr['name'] = bits[1]; attr['operator'] = bits[2]; attr['value'] = bits[3]; } if (i == 0){ if (param['id']){ var el = this.getElementById(param['id']); if (el && (param['tag'] == '*' || $(el).getTag() == param['tag'])) filters = [el]; else return false; } else { filters = $A(this.getElementsByTagName(param['tag'])); } } else { filters = $$(filters).filterByTagName(param['tag']); if (param['id']) filters = $$(filters).filterById(param['id']); } if (param['class']) filters = $$(filters).filterByClassName(param['class']); if (attr['name']) filters = $$(filters).filterByAttribute(attr['name'], attr['value'], attr['operator']); }, this); filters.each(function(el){ $(el); }); return $$(filters); }, getElement: function(selector){ return this.getElementsBySelector(selector)[0]; }, getElementsBySelector: function(selector){ var els = []; selector.split(',').each(function(sel){ els.extend(this.getElements(sel)); }, this); return $$(els); } }); document.extend = Object.extend; document.extend({ getElementsByClassName: function(className){ return document.getElements('.'+className); }, getElement: Element.prototype.getElement, getElements: Element.prototype.getElements, getElementsBySelector: Element.prototype.getElementsBySelector }); var Elements = new Class({ action: function(actions){ this.each(function(el){ el = $(el); if (actions.initialize) actions.initialize.apply(el); for(action in actions){ var evt = false; if (action.test('^on[\\w]{1,}')) el[action] = actions[action]; else if (evt = action.test('([\\w-]{1,})event$')) el.addEvent(evt[1], actions[action]); } }); }, filterById: function(id){ var found = []; this.each(function(el){ if (el.id == id) found.push(el); }); return found; }, filterByClassName: function(className){ var found = []; this.each(function(el){ if ($Element(el, 'hasClassName', className)) found.push(el); }); return found; }, filterByTagName: function(tagName){ var found = []; this.each(function(el){ found.extend($A(el.getElementsByTagName(tagName))); }); return found; }, filterByAttribute: function(name, value, operator){ var found = []; this.each(function(el){ var att = el.getAttribute(name); if(!att) return; if (!operator) return found.push(el); switch(operator){ case '*=': if (att.test(value)) found.push(el); break; case '=': if (att == value) found.push(el); break; case '^=': if (att.test('^'+value)) found.push(el); break; case '$=': if (att.test(value+'$')) found.push(el); } }); return found; } }); new Object.Native(Elements); var Ajax = ajax = new Class({ setOptions: function(options){ this.options = { method: 'post', postBody: null, async: true, onComplete: Class.empty, onStateChange: Class.empty, onFailure: Class.empty, update: null, evalScripts: false }; Object.extend(this.options, options || {}); }, initialize: function(url, options){ this.setOptions(options); this.url = url; this.transport = this.getTransport(); }, request: function(){ this.transport.open(this.options.method, this.url, this.options.async); this.transport.onreadystatechange = this.onStateChange.bind(this); if (this.options.method == 'post'){ this.transport.setRequestHeader('Content-type', 'application/x-www-form-urlencoded'); if (this.transport.overrideMimeType) this.transport.setRequestHeader('Connection', 'close'); } switch($type(this.options.postBody)){ case 'element': this.options.postBody = $(this.options.postBody).toQueryString(); break; case 'object': this.options.postBody = Object.toQueryString(this.options.postBody); } this.transport.send(this.options.postBody); return this; }, onStateChange: function(){ this.options.onStateChange.delay(10, this); if (this.transport.readyState != 4) return; if (!this.transport.status || (this.transport.status >= 200 && this.transport.status < 300)){ if (this.options.update) $(this.options.update).setHTML(this.transport.responseText); this.options.onComplete.pass([this.transport.responseText, this.transport.responseXML], this).delay(20); if (this.options.evalScripts) this.evalScripts.delay(30, this); } else this.options.onFailure.delay(20, this); this.transport.onreadystatechange = Class.empty; this.callChain(); }, evalScripts: function(){ if(scripts = this.transport.responseText.match(/]*?>[\S\s]*?<\/script>/g)){ scripts.each(function(script){ eval(script.replace(/^]*?>/, '').replace(/<\/script>$/, '')); }); } }, getTransport: function(){ if (window.XMLHttpRequest) return new XMLHttpRequest(); else if (window.ActiveXObject) return new ActiveXObject('Microsoft.XMLHTTP'); } }); Ajax.implement(new Chain); var fjax = { excuteCommand : function(command,agrs,callback,xml){ $('fjax').setVariable("/fajxObj:callBackName",callback); $('fjax').setVariable("/fajxObj:xmlName",xml); $('fjax').setVariable("/fajxObj:agrs",agrs); $('fjax').setVariable("/fajxObj:command",command); }, loadXml : function(agrs,callback,xml){ this.excuteCommand("FJAX.loadXml",agrs,callback,xml); }, getNode : function(callback,path,xml){ var agrs = callback +",getNode," + path; this.excuteCommand("FJAX.getXml",agrs,callback,xml); this.getVar.pass(callback, this).delay(30); }, getNodes : function(callback,path,xml){ var agrs = callback +",getNodes," + path; this.excuteCommand("FJAX.getXml",agrs,callback,xml); }, getAttribute : function(callback,path,xml){ var agrs = callback +",getAttribute," + path; this.excuteCommand("FJAX.getXml",agrs,callback,xml); }, getAttributes : function(callback,path,xml){ var agrs = callback +",getAttrbutes," + path; this.excuteCommand("FJAX.getXml",agrs,callback,xml); }, getVar : function(a){ try{ if($('fjax').getVariable(a) != ""){ eval(a)($('fjax').getVariable(a)); }else{ this.getVar.pass(a, this).delay(30); } }catch(e){ this.getVar.pass(a, this).delay(30); } } }; Object.toQueryString = function(source){ var queryString = []; for (property in source) queryString.push(encodeURIComponent(property)+'='+encodeURIComponent(source[property])); return queryString.join('&'); }; Element.extend({ send: function(options){ options = Object.extend(options, {postBody: this.toQueryString(), method: 'post'}); return new Ajax(this.getProperty('action'), options).request(); }, toQueryString: function(){ var queryString = []; $A(this.getElementsByTagName('*')).each(function(el){ $(el); var name = $check(el.name); if (!name) return; var value = false; switch(el.getTag()){ case 'select': value = el.getElementsByTagName('option')[el.selectedIndex].value; break; case 'input': if ( (el.checked && ['checkbox', 'radio'].test(el.type)) || (['hidden', 'text', 'password'].test(el.type)) ) value = el.value; break; case 'textarea': value = el.value; } if (value) queryString.push(encodeURIComponent(name)+'='+encodeURIComponent(value)); }); return queryString.join('&'); } }); Element.extend({ //드래그 가능하게 만들어라 option으로 makeDraggable: function(options){ return new Drag.Move(this, options); }, makeResizable: function(options){ return new Drag.Base(this, 'width', 'height', options); } }); var Window = { extend: Object.extend, getWidth: function(){ return window.innerWidth || document.documentElement.clientWidth || 0; }, getHeight: function(){ return window.innerHeight || document.documentElement.clientHeight || 0; }, getScrollHeight: function(){ return document.documentElement.scrollHeight; }, getScrollWidth: function(){ return document.documentElement.scrollWidth; }, getScrollTop: function(){ return document.documentElement.scrollTop || window.pageYOffset || 0; }, getScrollLeft: function(){ return document.documentElement.scrollLeft || window.pageXOffset || 0; }, onLoad: function(fn){ if (!document.body) return Window.onLoad.pass(fn).delay(50); else return fn(); }, onDomReady: function(init){ if(!this._readyCallbacks) { var domReady = function(){ if (arguments.callee.done) return; arguments.callee.done = true; this._timer = $clear(this._timer); this._readyCallbacks.each(function(f) { f(); }); this._readyCallbacks = null; }.bind(this); var state = document.readyState; if (state && document.childNodes && !document.all && !navigator.taintEnabled){ //khtml this._timer = function(){ if (document.readyState.test(/loaded|complete/)) domReady(); }.periodical(50); } else if (state && window.ActiveXObject){ //ie document.write("