10285 lines
310 KiB
JavaScript
10285 lines
310 KiB
JavaScript
(function(){
|
|
/*
|
|
* jQuery 1.2.6 - New Wave Javascript
|
|
*
|
|
* Copyright (c) 2008 John Resig (jquery.com)
|
|
* Dual licensed under the MIT (MIT-LICENSE.txt)
|
|
* and GPL (GPL-LICENSE.txt) licenses.
|
|
*
|
|
* $Date: 2010-01-21 09:55:46 $
|
|
* $Rev: 5685 $
|
|
*/
|
|
|
|
// Map over jQuery in case of overwrite
|
|
var _jQuery = window.jQuery,
|
|
// Map over the $ in case of overwrite
|
|
_$ = window.$;
|
|
|
|
var jQuery = window.jQuery = window.$ = function( selector, context ) {
|
|
// The jQuery object is actually just the init constructor 'enhanced'
|
|
return new jQuery.fn.init( selector, context );
|
|
};
|
|
|
|
// A simple way to check for HTML strings or ID strings
|
|
// (both of which we optimize for)
|
|
var quickExpr = /^[^<]*(<(.|\s)+>)[^>]*$|^#(\w+)$/,
|
|
|
|
// Is it a simple selector
|
|
isSimple = /^.[^:#\[\.]*$/,
|
|
|
|
// Will speed up references to undefined, and allows munging its name.
|
|
undefined;
|
|
|
|
jQuery.fn = jQuery.prototype = {
|
|
init: function( selector, context ) {
|
|
// Make sure that a selection was provided
|
|
selector = selector || document;
|
|
|
|
// Handle $(DOMElement)
|
|
if ( selector.nodeType ) {
|
|
this[0] = selector;
|
|
this.length = 1;
|
|
return this;
|
|
}
|
|
// Handle HTML strings
|
|
if ( typeof selector == "string" ) {
|
|
// Are we dealing with HTML string or an ID?
|
|
var match = quickExpr.exec( selector );
|
|
|
|
// Verify a match, and that no context was specified for #id
|
|
if ( match && (match[1] || !context) ) {
|
|
|
|
// HANDLE: $(html) -> $(array)
|
|
if ( match[1] )
|
|
selector = jQuery.clean( [ match[1] ], context );
|
|
|
|
// HANDLE: $("#id")
|
|
else {
|
|
var elem = document.getElementById( match[3] );
|
|
|
|
// Make sure an element was located
|
|
if ( elem ){
|
|
// Handle the case where IE and Opera return items
|
|
// by name instead of ID
|
|
if ( elem.id != match[3] )
|
|
return jQuery().find( selector );
|
|
|
|
// Otherwise, we inject the element directly into the jQuery object
|
|
return jQuery( elem );
|
|
}
|
|
selector = [];
|
|
}
|
|
|
|
// HANDLE: $(expr, [context])
|
|
// (which is just equivalent to: $(content).find(expr)
|
|
} else
|
|
return jQuery( context ).find( selector );
|
|
|
|
// HANDLE: $(function)
|
|
// Shortcut for document ready
|
|
} else if ( jQuery.isFunction( selector ) )
|
|
return jQuery( document )[ jQuery.fn.ready ? "ready" : "load" ]( selector );
|
|
|
|
return this.setArray(jQuery.makeArray(selector));
|
|
},
|
|
|
|
// The current version of jQuery being used
|
|
jquery: "1.2.6",
|
|
|
|
// The number of elements contained in the matched element set
|
|
size: function() {
|
|
return this.length;
|
|
},
|
|
|
|
// The number of elements contained in the matched element set
|
|
length: 0,
|
|
|
|
// Get the Nth element in the matched element set OR
|
|
// Get the whole matched element set as a clean array
|
|
get: function( num ) {
|
|
return num == undefined ?
|
|
|
|
// Return a 'clean' array
|
|
jQuery.makeArray( this ) :
|
|
|
|
// Return just the object
|
|
this[ num ];
|
|
},
|
|
|
|
// Take an array of elements and push it onto the stack
|
|
// (returning the new matched element set)
|
|
pushStack: function( elems ) {
|
|
// Build a new jQuery matched element set
|
|
var ret = jQuery( elems );
|
|
|
|
// Add the old object onto the stack (as a reference)
|
|
ret.prevObject = this;
|
|
|
|
// Return the newly-formed element set
|
|
return ret;
|
|
},
|
|
|
|
// Force the current matched set of elements to become
|
|
// the specified array of elements (destroying the stack in the process)
|
|
// You should use pushStack() in order to do this, but maintain the stack
|
|
setArray: function( elems ) {
|
|
// Resetting the length to 0, then using the native Array push
|
|
// is a super-fast way to populate an object with array-like properties
|
|
this.length = 0;
|
|
Array.prototype.push.apply( this, elems );
|
|
|
|
return this;
|
|
},
|
|
|
|
// Execute a callback for every element in the matched set.
|
|
// (You can seed the arguments with an array of args, but this is
|
|
// only used internally.)
|
|
each: function( callback, args ) {
|
|
return jQuery.each( this, callback, args );
|
|
},
|
|
|
|
// Determine the position of an element within
|
|
// the matched set of elements
|
|
index: function( elem ) {
|
|
var ret = -1;
|
|
|
|
// Locate the position of the desired element
|
|
return jQuery.inArray(
|
|
// If it receives a jQuery object, the first element is used
|
|
elem && elem.jquery ? elem[0] : elem
|
|
, this );
|
|
},
|
|
|
|
attr: function( name, value, type ) {
|
|
var options = name;
|
|
|
|
// Look for the case where we're accessing a style value
|
|
if ( name.constructor == String )
|
|
if ( value === undefined )
|
|
return this[0] && jQuery[ type || "attr" ]( this[0], name );
|
|
|
|
else {
|
|
options = {};
|
|
options[ name ] = value;
|
|
}
|
|
|
|
// Check to see if we're setting style values
|
|
return this.each(function(i){
|
|
// Set all the styles
|
|
for ( name in options )
|
|
jQuery.attr(
|
|
type ?
|
|
this.style :
|
|
this,
|
|
name, jQuery.prop( this, options[ name ], type, i, name )
|
|
);
|
|
});
|
|
},
|
|
|
|
css: function( key, value ) {
|
|
// ignore negative width and height values
|
|
if ( (key == 'width' || key == 'height') && parseFloat(value) < 0 )
|
|
value = undefined;
|
|
return this.attr( key, value, "curCSS" );
|
|
},
|
|
|
|
text: function( text ) {
|
|
if ( typeof text != "object" && text != null )
|
|
return this.empty().append( (this[0] && this[0].ownerDocument || document).createTextNode( text ) );
|
|
|
|
var ret = "";
|
|
|
|
jQuery.each( text || this, function(){
|
|
jQuery.each( this.childNodes, function(){
|
|
if ( this.nodeType != 8 )
|
|
ret += this.nodeType != 1 ?
|
|
this.nodeValue :
|
|
jQuery.fn.text( [ this ] );
|
|
});
|
|
});
|
|
|
|
return ret;
|
|
},
|
|
|
|
wrapAll: function( html ) {
|
|
if ( this[0] )
|
|
// The elements to wrap the target around
|
|
jQuery( html, this[0].ownerDocument )
|
|
.clone()
|
|
.insertBefore( this[0] )
|
|
.map(function(){
|
|
var elem = this;
|
|
|
|
while ( elem.firstChild )
|
|
elem = elem.firstChild;
|
|
|
|
return elem;
|
|
})
|
|
.append(this);
|
|
|
|
return this;
|
|
},
|
|
|
|
wrapInner: function( html ) {
|
|
return this.each(function(){
|
|
jQuery( this ).contents().wrapAll( html );
|
|
});
|
|
},
|
|
|
|
wrap: function( html ) {
|
|
return this.each(function(){
|
|
jQuery( this ).wrapAll( html );
|
|
});
|
|
},
|
|
|
|
append: function() {
|
|
return this.domManip(arguments, true, false, function(elem){
|
|
if (this.nodeType == 1)
|
|
this.appendChild( elem );
|
|
});
|
|
},
|
|
|
|
prepend: function() {
|
|
return this.domManip(arguments, true, true, function(elem){
|
|
if (this.nodeType == 1)
|
|
this.insertBefore( elem, this.firstChild );
|
|
});
|
|
},
|
|
|
|
before: function() {
|
|
return this.domManip(arguments, false, false, function(elem){
|
|
this.parentNode.insertBefore( elem, this );
|
|
});
|
|
},
|
|
|
|
after: function() {
|
|
return this.domManip(arguments, false, true, function(elem){
|
|
this.parentNode.insertBefore( elem, this.nextSibling );
|
|
});
|
|
},
|
|
|
|
end: function() {
|
|
return this.prevObject || jQuery( [] );
|
|
},
|
|
|
|
find: function( selector ) {
|
|
var elems = jQuery.map(this, function(elem){
|
|
return jQuery.find( selector, elem );
|
|
});
|
|
|
|
return this.pushStack( /[^+>] [^+>]/.test( selector ) || selector.indexOf("..") > -1 ?
|
|
jQuery.unique( elems ) :
|
|
elems );
|
|
},
|
|
|
|
clone: function( events ) {
|
|
// Do the clone
|
|
var ret = this.map(function(){
|
|
if ( jQuery.browser.msie && !jQuery.isXMLDoc(this) ) {
|
|
// IE copies events bound via attachEvent when
|
|
// using cloneNode. Calling detachEvent on the
|
|
// clone will also remove the events from the orignal
|
|
// In order to get around this, we use innerHTML.
|
|
// Unfortunately, this means some modifications to
|
|
// attributes in IE that are actually only stored
|
|
// as properties will not be copied (such as the
|
|
// the name attribute on an input).
|
|
var clone = this.cloneNode(true),
|
|
container = document.createElement("div");
|
|
container.appendChild(clone);
|
|
return jQuery.clean([container.innerHTML])[0];
|
|
} else
|
|
return this.cloneNode(true);
|
|
});
|
|
|
|
// Need to set the expando to null on the cloned set if it exists
|
|
// removeData doesn't work here, IE removes it from the original as well
|
|
// this is primarily for IE but the data expando shouldn't be copied over in any browser
|
|
var clone = ret.find("*").andSelf().each(function(){
|
|
if ( this[ expando ] != undefined )
|
|
this[ expando ] = null;
|
|
});
|
|
|
|
// Copy the events from the original to the clone
|
|
if ( events === true )
|
|
this.find("*").andSelf().each(function(i){
|
|
if (this.nodeType == 3)
|
|
return;
|
|
var events = jQuery.data( this, "events" );
|
|
|
|
for ( var type in events )
|
|
for ( var handler in events[ type ] )
|
|
jQuery.event.add( clone[ i ], type, events[ type ][ handler ], events[ type ][ handler ].data );
|
|
});
|
|
|
|
// Return the cloned set
|
|
return ret;
|
|
},
|
|
|
|
filter: function( selector ) {
|
|
return this.pushStack(
|
|
jQuery.isFunction( selector ) &&
|
|
jQuery.grep(this, function(elem, i){
|
|
return selector.call( elem, i );
|
|
}) ||
|
|
|
|
jQuery.multiFilter( selector, this ) );
|
|
},
|
|
|
|
not: function( selector ) {
|
|
if ( selector.constructor == String )
|
|
// test special case where just one selector is passed in
|
|
if ( isSimple.test( selector ) )
|
|
return this.pushStack( jQuery.multiFilter( selector, this, true ) );
|
|
else
|
|
selector = jQuery.multiFilter( selector, this );
|
|
|
|
var isArrayLike = selector.length && selector[selector.length - 1] !== undefined && !selector.nodeType;
|
|
return this.filter(function() {
|
|
return isArrayLike ? jQuery.inArray( this, selector ) < 0 : this != selector;
|
|
});
|
|
},
|
|
|
|
add: function( selector ) {
|
|
return this.pushStack( jQuery.unique( jQuery.merge(
|
|
this.get(),
|
|
typeof selector == 'string' ?
|
|
jQuery( selector ) :
|
|
jQuery.makeArray( selector )
|
|
)));
|
|
},
|
|
|
|
is: function( selector ) {
|
|
return !!selector && jQuery.multiFilter( selector, this ).length > 0;
|
|
},
|
|
|
|
hasClass: function( selector ) {
|
|
return this.is( "." + selector );
|
|
},
|
|
|
|
val: function( value ) {
|
|
if ( value == undefined ) {
|
|
|
|
if ( this.length ) {
|
|
var elem = this[0];
|
|
|
|
// We need to handle select boxes special
|
|
if ( jQuery.nodeName( elem, "select" ) ) {
|
|
var index = elem.selectedIndex,
|
|
values = [],
|
|
options = elem.options,
|
|
one = elem.type == "select-one";
|
|
|
|
// Nothing was selected
|
|
if ( index < 0 )
|
|
return null;
|
|
|
|
// Loop through all the selected options
|
|
for ( var i = one ? index : 0, max = one ? index + 1 : options.length; i < max; i++ ) {
|
|
var option = options[ i ];
|
|
|
|
if ( option.selected ) {
|
|
// Get the specifc value for the option
|
|
value = jQuery.browser.msie && !option.attributes.value.specified ? option.text : option.value;
|
|
|
|
// We don't need an array for one selects
|
|
if ( one )
|
|
return value;
|
|
|
|
// Multi-Selects return an array
|
|
values.push( value );
|
|
}
|
|
}
|
|
|
|
return values;
|
|
|
|
// Everything else, we just grab the value
|
|
} else
|
|
return (this[0].value || "").replace(/\r/g, "");
|
|
|
|
}
|
|
|
|
return undefined;
|
|
}
|
|
|
|
if( value.constructor == Number )
|
|
value += '';
|
|
|
|
return this.each(function(){
|
|
if ( this.nodeType != 1 )
|
|
return;
|
|
|
|
if ( value.constructor == Array && /radio|checkbox/.test( this.type ) )
|
|
this.checked = (jQuery.inArray(this.value, value) >= 0 ||
|
|
jQuery.inArray(this.name, value) >= 0);
|
|
|
|
else if ( jQuery.nodeName( this, "select" ) ) {
|
|
var values = jQuery.makeArray(value);
|
|
|
|
jQuery( "option", this ).each(function(){
|
|
this.selected = (jQuery.inArray( this.value, values ) >= 0 ||
|
|
jQuery.inArray( this.text, values ) >= 0);
|
|
});
|
|
|
|
if ( !values.length )
|
|
this.selectedIndex = -1;
|
|
|
|
} else
|
|
this.value = value;
|
|
});
|
|
},
|
|
|
|
html: function( value ) {
|
|
return value == undefined ?
|
|
(this[0] ?
|
|
this[0].innerHTML :
|
|
null) :
|
|
this.empty().append( value );
|
|
},
|
|
|
|
replaceWith: function( value ) {
|
|
return this.after( value ).remove();
|
|
},
|
|
|
|
eq: function( i ) {
|
|
return this.slice( i, i + 1 );
|
|
},
|
|
|
|
slice: function() {
|
|
return this.pushStack( Array.prototype.slice.apply( this, arguments ) );
|
|
},
|
|
|
|
map: function( callback ) {
|
|
return this.pushStack( jQuery.map(this, function(elem, i){
|
|
return callback.call( elem, i, elem );
|
|
}));
|
|
},
|
|
|
|
andSelf: function() {
|
|
return this.add( this.prevObject );
|
|
},
|
|
|
|
data: function( key, value ){
|
|
var parts = key.split(".");
|
|
parts[1] = parts[1] ? "." + parts[1] : "";
|
|
|
|
if ( value === undefined ) {
|
|
var data = this.triggerHandler("getData" + parts[1] + "!", [parts[0]]);
|
|
|
|
if ( data === undefined && this.length )
|
|
data = jQuery.data( this[0], key );
|
|
|
|
return data === undefined && parts[1] ?
|
|
this.data( parts[0] ) :
|
|
data;
|
|
} else
|
|
return this.trigger("setData" + parts[1] + "!", [parts[0], value]).each(function(){
|
|
jQuery.data( this, key, value );
|
|
});
|
|
},
|
|
|
|
removeData: function( key ){
|
|
return this.each(function(){
|
|
jQuery.removeData( this, key );
|
|
});
|
|
},
|
|
|
|
domManip: function( args, table, reverse, callback ) {
|
|
var clone = this.length > 1, elems;
|
|
|
|
return this.each(function(){
|
|
if ( !elems ) {
|
|
elems = jQuery.clean( args, this.ownerDocument );
|
|
|
|
if ( reverse )
|
|
elems.reverse();
|
|
}
|
|
|
|
var obj = this;
|
|
|
|
if ( table && jQuery.nodeName( this, "table" ) && jQuery.nodeName( elems[0], "tr" ) )
|
|
obj = this.getElementsByTagName("tbody")[0] || this.appendChild( this.ownerDocument.createElement("tbody") );
|
|
|
|
var scripts = jQuery( [] );
|
|
|
|
jQuery.each(elems, function(){
|
|
var elem = clone ?
|
|
jQuery( this ).clone( true )[0] :
|
|
this;
|
|
|
|
// execute all scripts after the elements have been injected
|
|
if ( jQuery.nodeName( elem, "script" ) )
|
|
scripts = scripts.add( elem );
|
|
else {
|
|
// Remove any inner scripts for later evaluation
|
|
if ( elem.nodeType == 1 )
|
|
scripts = scripts.add( jQuery( "script", elem ).remove() );
|
|
|
|
// Inject the elements into the document
|
|
callback.call( obj, elem );
|
|
}
|
|
});
|
|
|
|
scripts.each( evalScript );
|
|
});
|
|
}
|
|
};
|
|
|
|
// Give the init function the jQuery prototype for later instantiation
|
|
jQuery.fn.init.prototype = jQuery.fn;
|
|
|
|
function evalScript( i, elem ) {
|
|
if ( elem.src )
|
|
jQuery.ajax({
|
|
url: elem.src,
|
|
async: false,
|
|
dataType: "script"
|
|
});
|
|
|
|
else
|
|
jQuery.globalEval( elem.text || elem.textContent || elem.innerHTML || "" );
|
|
|
|
if ( elem.parentNode )
|
|
elem.parentNode.removeChild( elem );
|
|
}
|
|
|
|
function now(){
|
|
return +new Date;
|
|
}
|
|
|
|
jQuery.extend = jQuery.fn.extend = function() {
|
|
// copy reference to target object
|
|
var target = arguments[0] || {}, i = 1, length = arguments.length, deep = false, options;
|
|
|
|
// Handle a deep copy situation
|
|
if ( target.constructor == Boolean ) {
|
|
deep = target;
|
|
target = arguments[1] || {};
|
|
// skip the boolean and the target
|
|
i = 2;
|
|
}
|
|
|
|
// Handle case when target is a string or something (possible in deep copy)
|
|
if ( typeof target != "object" && typeof target != "function" )
|
|
target = {};
|
|
|
|
// extend jQuery itself if only one argument is passed
|
|
if ( length == i ) {
|
|
target = this;
|
|
--i;
|
|
}
|
|
|
|
for ( ; i < length; i++ )
|
|
// Only deal with non-null/undefined values
|
|
if ( (options = arguments[ i ]) != null )
|
|
// Extend the base object
|
|
for ( var name in options ) {
|
|
var src = target[ name ], copy = options[ name ];
|
|
|
|
// Prevent never-ending loop
|
|
if ( target === copy )
|
|
continue;
|
|
|
|
// Recurse if we're merging object values
|
|
if ( deep && copy && typeof copy == "object" && !copy.nodeType )
|
|
target[ name ] = jQuery.extend( deep,
|
|
// Never move original objects, clone them
|
|
src || ( copy.length != null ? [ ] : { } )
|
|
, copy );
|
|
|
|
// Don't bring in undefined values
|
|
else if ( copy !== undefined )
|
|
target[ name ] = copy;
|
|
|
|
}
|
|
|
|
// Return the modified object
|
|
return target;
|
|
};
|
|
|
|
var expando = "jQuery" + now(), uuid = 0, windowData = {},
|
|
// exclude the following css properties to add px
|
|
exclude = /z-?index|font-?weight|opacity|zoom|line-?height/i,
|
|
// cache defaultView
|
|
defaultView = document.defaultView || {};
|
|
|
|
jQuery.extend({
|
|
noConflict: function( deep ) {
|
|
window.$ = _$;
|
|
|
|
if ( deep )
|
|
window.jQuery = _jQuery;
|
|
|
|
return jQuery;
|
|
},
|
|
|
|
// See test/unit/core.js for details concerning this function.
|
|
isFunction: function( fn ) {
|
|
return !!fn && typeof fn != "string" && !fn.nodeName &&
|
|
fn.constructor != Array && /^[\s[]?function/.test( fn + "" );
|
|
},
|
|
|
|
// check if an element is in a (or is an) XML document
|
|
isXMLDoc: function( elem ) {
|
|
return elem.documentElement && !elem.body ||
|
|
elem.tagName && elem.ownerDocument && !elem.ownerDocument.body;
|
|
},
|
|
|
|
// Evalulates a script in a global context
|
|
globalEval: function( data ) {
|
|
data = jQuery.trim( data );
|
|
|
|
if ( data ) {
|
|
// Inspired by code by Andrea Giammarchi
|
|
// http://webreflection.blogspot.com/2007/08/global-scope-evaluation-and-dom.html
|
|
var head = document.getElementsByTagName("head")[0] || document.documentElement,
|
|
script = document.createElement("script");
|
|
|
|
script.type = "text/javascript";
|
|
if ( jQuery.browser.msie )
|
|
script.text = data;
|
|
else
|
|
script.appendChild( document.createTextNode( data ) );
|
|
|
|
// Use insertBefore instead of appendChild to circumvent an IE6 bug.
|
|
// This arises when a base node is used (#2709).
|
|
head.insertBefore( script, head.firstChild );
|
|
head.removeChild( script );
|
|
}
|
|
},
|
|
|
|
nodeName: function( elem, name ) {
|
|
return elem.nodeName && elem.nodeName.toUpperCase() == name.toUpperCase();
|
|
},
|
|
|
|
cache: {},
|
|
|
|
data: function( elem, name, data ) {
|
|
elem = elem == window ?
|
|
windowData :
|
|
elem;
|
|
|
|
var id = elem[ expando ];
|
|
|
|
// Compute a unique ID for the element
|
|
if ( !id )
|
|
id = elem[ expando ] = ++uuid;
|
|
|
|
// Only generate the data cache if we're
|
|
// trying to access or manipulate it
|
|
if ( name && !jQuery.cache[ id ] )
|
|
jQuery.cache[ id ] = {};
|
|
|
|
// Prevent overriding the named cache with undefined values
|
|
if ( data !== undefined )
|
|
jQuery.cache[ id ][ name ] = data;
|
|
|
|
// Return the named cache data, or the ID for the element
|
|
return name ?
|
|
jQuery.cache[ id ][ name ] :
|
|
id;
|
|
},
|
|
|
|
removeData: function( elem, name ) {
|
|
elem = elem == window ?
|
|
windowData :
|
|
elem;
|
|
|
|
var id = elem[ expando ];
|
|
|
|
// If we want to remove a specific section of the element's data
|
|
if ( name ) {
|
|
if ( jQuery.cache[ id ] ) {
|
|
// Remove the section of cache data
|
|
delete jQuery.cache[ id ][ name ];
|
|
|
|
// If we've removed all the data, remove the element's cache
|
|
name = "";
|
|
|
|
for ( name in jQuery.cache[ id ] )
|
|
break;
|
|
|
|
if ( !name )
|
|
jQuery.removeData( elem );
|
|
}
|
|
|
|
// Otherwise, we want to remove all of the element's data
|
|
} else {
|
|
// Clean up the element expando
|
|
try {
|
|
delete elem[ expando ];
|
|
} catch(e){
|
|
// IE has trouble directly removing the expando
|
|
// but it's ok with using removeAttribute
|
|
if ( elem.removeAttribute )
|
|
elem.removeAttribute( expando );
|
|
}
|
|
|
|
// Completely remove the data cache
|
|
delete jQuery.cache[ id ];
|
|
}
|
|
},
|
|
|
|
// args is for internal usage only
|
|
each: function( object, callback, args ) {
|
|
var name, i = 0, length = object.length;
|
|
|
|
if ( args ) {
|
|
if ( length == undefined ) {
|
|
for ( name in object )
|
|
if ( callback.apply( object[ name ], args ) === false )
|
|
break;
|
|
} else
|
|
for ( ; i < length; )
|
|
if ( callback.apply( object[ i++ ], args ) === false )
|
|
break;
|
|
|
|
// A special, fast, case for the most common use of each
|
|
} else {
|
|
if ( length == undefined ) {
|
|
for ( name in object )
|
|
if ( callback.call( object[ name ], name, object[ name ] ) === false )
|
|
break;
|
|
} else
|
|
for ( var value = object[0];
|
|
i < length && callback.call( value, i, value ) !== false; value = object[++i] ){}
|
|
}
|
|
|
|
return object;
|
|
},
|
|
|
|
prop: function( elem, value, type, i, name ) {
|
|
// Handle executable functions
|
|
if ( jQuery.isFunction( value ) )
|
|
value = value.call( elem, i );
|
|
|
|
// Handle passing in a number to a CSS property
|
|
return value && value.constructor == Number && type == "curCSS" && !exclude.test( name ) ?
|
|
value + "px" :
|
|
value;
|
|
},
|
|
|
|
className: {
|
|
// internal only, use addClass("class")
|
|
add: function( elem, classNames ) {
|
|
jQuery.each((classNames || "").split(/\s+/), function(i, className){
|
|
if ( elem.nodeType == 1 && !jQuery.className.has( elem.className, className ) )
|
|
elem.className += (elem.className ? " " : "") + className;
|
|
});
|
|
},
|
|
|
|
// internal only, use removeClass("class")
|
|
remove: function( elem, classNames ) {
|
|
if (elem.nodeType == 1)
|
|
elem.className = classNames != undefined ?
|
|
jQuery.grep(elem.className.split(/\s+/), function(className){
|
|
return !jQuery.className.has( classNames, className );
|
|
}).join(" ") :
|
|
"";
|
|
},
|
|
|
|
// internal only, use hasClass("class")
|
|
has: function( elem, className ) {
|
|
return jQuery.inArray( className, (elem.className || elem).toString().split(/\s+/) ) > -1;
|
|
}
|
|
},
|
|
|
|
// A method for quickly swapping in/out CSS properties to get correct calculations
|
|
swap: function( elem, options, callback ) {
|
|
var old = {};
|
|
// Remember the old values, and insert the new ones
|
|
for ( var name in options ) {
|
|
old[ name ] = elem.style[ name ];
|
|
elem.style[ name ] = options[ name ];
|
|
}
|
|
|
|
callback.call( elem );
|
|
|
|
// Revert the old values
|
|
for ( var name in options )
|
|
elem.style[ name ] = old[ name ];
|
|
},
|
|
|
|
css: function( elem, name, force ) {
|
|
if ( name == "width" || name == "height" ) {
|
|
var val, props = { position: "absolute", visibility: "hidden", display:"block" }, which = name == "width" ? [ "Left", "Right" ] : [ "Top", "Bottom" ];
|
|
|
|
function getWH() {
|
|
val = name == "width" ? elem.offsetWidth : elem.offsetHeight;
|
|
var padding = 0, border = 0;
|
|
jQuery.each( which, function() {
|
|
padding += parseFloat(jQuery.curCSS( elem, "padding" + this, true)) || 0;
|
|
border += parseFloat(jQuery.curCSS( elem, "border" + this + "Width", true)) || 0;
|
|
});
|
|
val -= Math.round(padding + border);
|
|
}
|
|
|
|
if ( jQuery(elem).is(":visible") )
|
|
getWH();
|
|
else
|
|
jQuery.swap( elem, props, getWH );
|
|
|
|
return Math.max(0, val);
|
|
}
|
|
|
|
return jQuery.curCSS( elem, name, force );
|
|
},
|
|
|
|
curCSS: function( elem, name, force ) {
|
|
var ret, style = elem.style;
|
|
|
|
// A helper method for determining if an element's values are broken
|
|
function color( elem ) {
|
|
if ( !jQuery.browser.safari )
|
|
return false;
|
|
|
|
// defaultView is cached
|
|
var ret = defaultView.getComputedStyle( elem, null );
|
|
return !ret || ret.getPropertyValue("color") == "";
|
|
}
|
|
|
|
// We need to handle opacity special in IE
|
|
if ( name == "opacity" && jQuery.browser.msie ) {
|
|
ret = jQuery.attr( style, "opacity" );
|
|
|
|
return ret == "" ?
|
|
"1" :
|
|
ret;
|
|
}
|
|
// Opera sometimes will give the wrong display answer, this fixes it, see #2037
|
|
if ( jQuery.browser.opera && name == "display" ) {
|
|
var save = style.outline;
|
|
style.outline = "0 solid black";
|
|
style.outline = save;
|
|
}
|
|
|
|
// Make sure we're using the right name for getting the float value
|
|
if ( name.match( /float/i ) )
|
|
name = styleFloat;
|
|
|
|
if ( !force && style && style[ name ] )
|
|
ret = style[ name ];
|
|
|
|
else if ( defaultView.getComputedStyle ) {
|
|
|
|
// Only "float" is needed here
|
|
if ( name.match( /float/i ) )
|
|
name = "float";
|
|
|
|
name = name.replace( /([A-Z])/g, "-$1" ).toLowerCase();
|
|
|
|
var computedStyle = defaultView.getComputedStyle( elem, null );
|
|
|
|
if ( computedStyle && !color( elem ) )
|
|
ret = computedStyle.getPropertyValue( name );
|
|
|
|
// If the element isn't reporting its values properly in Safari
|
|
// then some display: none elements are involved
|
|
else {
|
|
var swap = [], stack = [], a = elem, i = 0;
|
|
|
|
// Locate all of the parent display: none elements
|
|
for ( ; a && color(a); a = a.parentNode )
|
|
stack.unshift(a);
|
|
|
|
// Go through and make them visible, but in reverse
|
|
// (It would be better if we knew the exact display type that they had)
|
|
for ( ; i < stack.length; i++ )
|
|
if ( color( stack[ i ] ) ) {
|
|
swap[ i ] = stack[ i ].style.display;
|
|
stack[ i ].style.display = "block";
|
|
}
|
|
|
|
// Since we flip the display style, we have to handle that
|
|
// one special, otherwise get the value
|
|
ret = name == "display" && swap[ stack.length - 1 ] != null ?
|
|
"none" :
|
|
( computedStyle && computedStyle.getPropertyValue( name ) ) || "";
|
|
|
|
// Finally, revert the display styles back
|
|
for ( i = 0; i < swap.length; i++ )
|
|
if ( swap[ i ] != null )
|
|
stack[ i ].style.display = swap[ i ];
|
|
}
|
|
|
|
// We should always get a number back from opacity
|
|
if ( name == "opacity" && ret == "" )
|
|
ret = "1";
|
|
|
|
} else if ( elem.currentStyle ) {
|
|
var camelCase = name.replace(/\-(\w)/g, function(all, letter){
|
|
return letter.toUpperCase();
|
|
});
|
|
|
|
ret = elem.currentStyle[ name ] || elem.currentStyle[ camelCase ];
|
|
|
|
// From the awesome hack by Dean Edwards
|
|
// http://erik.eae.net/archives/2007/07/27/18.54.15/#comment-102291
|
|
|
|
// If we're not dealing with a regular pixel number
|
|
// but a number that has a weird ending, we need to convert it to pixels
|
|
if ( !/^\d+(px)?$/i.test( ret ) && /^\d/.test( ret ) ) {
|
|
// Remember the original values
|
|
var left = style.left, rsLeft = elem.runtimeStyle.left;
|
|
|
|
// Put in the new values to get a computed value out
|
|
elem.runtimeStyle.left = elem.currentStyle.left;
|
|
style.left = ret || 0;
|
|
ret = style.pixelLeft + "px";
|
|
|
|
// Revert the changed values
|
|
style.left = left;
|
|
elem.runtimeStyle.left = rsLeft;
|
|
}
|
|
}
|
|
|
|
return ret;
|
|
},
|
|
|
|
clean: function( elems, context ) {
|
|
var ret = [];
|
|
context = context || document;
|
|
// !context.createElement fails in IE with an error but returns typeof 'object'
|
|
if (typeof context.createElement == 'undefined')
|
|
context = context.ownerDocument || context[0] && context[0].ownerDocument || document;
|
|
|
|
jQuery.each(elems, function(i, elem){
|
|
if ( !elem )
|
|
return;
|
|
|
|
if ( elem.constructor == Number )
|
|
elem += '';
|
|
|
|
// Convert html string into DOM nodes
|
|
if ( typeof elem == "string" ) {
|
|
// Fix "XHTML"-style tags in all browsers
|
|
elem = elem.replace(/(<(\w+)[^>]*?)\/>/g, function(all, front, tag){
|
|
return tag.match(/^(abbr|br|col|img|input|link|meta|param|hr|area|embed)$/i) ?
|
|
all :
|
|
front + "></" + tag + ">";
|
|
});
|
|
|
|
// Trim whitespace, otherwise indexOf won't work as expected
|
|
var tags = jQuery.trim( elem ).toLowerCase(), div = context.createElement("div");
|
|
|
|
var wrap =
|
|
// option or optgroup
|
|
!tags.indexOf("<opt") &&
|
|
[ 1, "<select multiple='multiple'>", "</select>" ] ||
|
|
|
|
!tags.indexOf("<leg") &&
|
|
[ 1, "<fieldset>", "</fieldset>" ] ||
|
|
|
|
tags.match(/^<(thead|tbody|tfoot|colg|cap)/) &&
|
|
[ 1, "<table>", "</table>" ] ||
|
|
|
|
!tags.indexOf("<tr") &&
|
|
[ 2, "<table><tbody>", "</tbody></table>" ] ||
|
|
|
|
// <thead> matched above
|
|
(!tags.indexOf("<td") || !tags.indexOf("<th")) &&
|
|
[ 3, "<table><tbody><tr>", "</tr></tbody></table>" ] ||
|
|
|
|
!tags.indexOf("<col") &&
|
|
[ 2, "<table><tbody></tbody><colgroup>", "</colgroup></table>" ] ||
|
|
|
|
// IE can't serialize <link> and <script> tags normally
|
|
jQuery.browser.msie &&
|
|
[ 1, "div<div>", "</div>" ] ||
|
|
|
|
[ 0, "", "" ];
|
|
|
|
// Go to html and back, then peel off extra wrappers
|
|
div.innerHTML = wrap[1] + elem + wrap[2];
|
|
|
|
// Move to the right depth
|
|
while ( wrap[0]-- )
|
|
div = div.lastChild;
|
|
|
|
// Remove IE's autoinserted <tbody> from table fragments
|
|
if ( jQuery.browser.msie ) {
|
|
|
|
// String was a <table>, *may* have spurious <tbody>
|
|
var tbody = !tags.indexOf("<table") && tags.indexOf("<tbody") < 0 ?
|
|
div.firstChild && div.firstChild.childNodes :
|
|
|
|
// String was a bare <thead> or <tfoot>
|
|
wrap[1] == "<table>" && tags.indexOf("<tbody") < 0 ?
|
|
div.childNodes :
|
|
[];
|
|
|
|
for ( var j = tbody.length - 1; j >= 0 ; --j )
|
|
if ( jQuery.nodeName( tbody[ j ], "tbody" ) && !tbody[ j ].childNodes.length )
|
|
tbody[ j ].parentNode.removeChild( tbody[ j ] );
|
|
|
|
// IE completely kills leading whitespace when innerHTML is used
|
|
if ( /^\s/.test( elem ) )
|
|
div.insertBefore( context.createTextNode( elem.match(/^\s*/)[0] ), div.firstChild );
|
|
|
|
}
|
|
|
|
elem = jQuery.makeArray( div.childNodes );
|
|
}
|
|
|
|
if ( elem.length === 0 && (!jQuery.nodeName( elem, "form" ) && !jQuery.nodeName( elem, "select" )) )
|
|
return;
|
|
|
|
if ( elem[0] == undefined || jQuery.nodeName( elem, "form" ) || elem.options )
|
|
ret.push( elem );
|
|
|
|
else
|
|
ret = jQuery.merge( ret, elem );
|
|
|
|
});
|
|
|
|
return ret;
|
|
},
|
|
|
|
attr: function( elem, name, value ) {
|
|
// don't set attributes on text and comment nodes
|
|
if (!elem || elem.nodeType == 3 || elem.nodeType == 8)
|
|
return undefined;
|
|
|
|
var notxml = !jQuery.isXMLDoc( elem ),
|
|
// Whether we are setting (or getting)
|
|
set = value !== undefined,
|
|
msie = jQuery.browser.msie;
|
|
|
|
// Try to normalize/fix the name
|
|
name = notxml && jQuery.props[ name ] || name;
|
|
|
|
// Only do all the following if this is a node (faster for style)
|
|
// IE elem.getAttribute passes even for style
|
|
if ( elem.tagName ) {
|
|
|
|
// These attributes require special treatment
|
|
var special = /href|src|style/.test( name );
|
|
|
|
// Safari mis-reports the default selected property of a hidden option
|
|
// Accessing the parent's selectedIndex property fixes it
|
|
if ( name == "selected" && jQuery.browser.safari )
|
|
elem.parentNode.selectedIndex;
|
|
|
|
// If applicable, access the attribute via the DOM 0 way
|
|
if ( name in elem && notxml && !special ) {
|
|
if ( set ){
|
|
// We can't allow the type property to be changed (since it causes problems in IE)
|
|
if ( name == "type" && jQuery.nodeName( elem, "input" ) && elem.parentNode )
|
|
throw "type property can't be changed";
|
|
|
|
elem[ name ] = value;
|
|
}
|
|
|
|
// browsers index elements by id/name on forms, give priority to attributes.
|
|
if( jQuery.nodeName( elem, "form" ) && elem.getAttributeNode(name) )
|
|
return elem.getAttributeNode( name ).nodeValue;
|
|
|
|
return elem[ name ];
|
|
}
|
|
|
|
if ( msie && notxml && name == "style" )
|
|
return jQuery.attr( elem.style, "cssText", value );
|
|
|
|
if ( set )
|
|
// convert the value to a string (all browsers do this but IE) see #1070
|
|
elem.setAttribute( name, "" + value );
|
|
|
|
var attr = msie && notxml && special
|
|
// Some attributes require a special call on IE
|
|
? elem.getAttribute( name, 2 )
|
|
: elem.getAttribute( name );
|
|
|
|
// Non-existent attributes return null, we normalize to undefined
|
|
return attr === null ? undefined : attr;
|
|
}
|
|
|
|
// elem is actually elem.style ... set the style
|
|
|
|
// IE uses filters for opacity
|
|
if ( msie && name == "opacity" ) {
|
|
if ( set ) {
|
|
// IE has trouble with opacity if it does not have layout
|
|
// Force it by setting the zoom level
|
|
elem.zoom = 1;
|
|
|
|
// Set the alpha filter to set the opacity
|
|
elem.filter = (elem.filter || "").replace( /alpha\([^)]*\)/, "" ) +
|
|
(parseInt( value ) + '' == "NaN" ? "" : "alpha(opacity=" + value * 100 + ")");
|
|
}
|
|
|
|
return elem.filter && elem.filter.indexOf("opacity=") >= 0 ?
|
|
(parseFloat( elem.filter.match(/opacity=([^)]*)/)[1] ) / 100) + '':
|
|
"";
|
|
}
|
|
|
|
name = name.replace(/-([a-z])/ig, function(all, letter){
|
|
return letter.toUpperCase();
|
|
});
|
|
|
|
if ( set )
|
|
elem[ name ] = value;
|
|
|
|
return elem[ name ];
|
|
},
|
|
|
|
trim: function( text ) {
|
|
return (text || "").replace( /^\s+|\s+$/g, "" );
|
|
},
|
|
|
|
makeArray: function( array ) {
|
|
var ret = [];
|
|
|
|
if( array != null ){
|
|
var i = array.length;
|
|
//the window, strings and functions also have 'length'
|
|
if( i == null || array.split || array.setInterval || array.call )
|
|
ret[0] = array;
|
|
else
|
|
while( i )
|
|
ret[--i] = array[i];
|
|
}
|
|
|
|
return ret;
|
|
},
|
|
|
|
inArray: function( elem, array ) {
|
|
for ( var i = 0, length = array.length; i < length; i++ )
|
|
// Use === because on IE, window == document
|
|
if ( array[ i ] === elem )
|
|
return i;
|
|
|
|
return -1;
|
|
},
|
|
|
|
merge: function( first, second ) {
|
|
// We have to loop this way because IE & Opera overwrite the length
|
|
// expando of getElementsByTagName
|
|
var i = 0, elem, pos = first.length;
|
|
// Also, we need to make sure that the correct elements are being returned
|
|
// (IE returns comment nodes in a '*' query)
|
|
if ( jQuery.browser.msie ) {
|
|
while ( elem = second[ i++ ] )
|
|
if ( elem.nodeType != 8 )
|
|
first[ pos++ ] = elem;
|
|
|
|
} else
|
|
while ( elem = second[ i++ ] )
|
|
first[ pos++ ] = elem;
|
|
|
|
return first;
|
|
},
|
|
|
|
unique: function( array ) {
|
|
var ret = [], done = {};
|
|
|
|
try {
|
|
|
|
for ( var i = 0, length = array.length; i < length; i++ ) {
|
|
var id = jQuery.data( array[ i ] );
|
|
|
|
if ( !done[ id ] ) {
|
|
done[ id ] = true;
|
|
ret.push( array[ i ] );
|
|
}
|
|
}
|
|
|
|
} catch( e ) {
|
|
ret = array;
|
|
}
|
|
|
|
return ret;
|
|
},
|
|
|
|
grep: function( elems, callback, inv ) {
|
|
var ret = [];
|
|
|
|
// Go through the array, only saving the items
|
|
// that pass the validator function
|
|
for ( var i = 0, length = elems.length; i < length; i++ )
|
|
if ( !inv != !callback( elems[ i ], i ) )
|
|
ret.push( elems[ i ] );
|
|
|
|
return ret;
|
|
},
|
|
|
|
map: function( elems, callback ) {
|
|
var ret = [];
|
|
|
|
// Go through the array, translating each of the items to their
|
|
// new value (or values).
|
|
for ( var i = 0, length = elems.length; i < length; i++ ) {
|
|
var value = callback( elems[ i ], i );
|
|
|
|
if ( value != null )
|
|
ret[ ret.length ] = value;
|
|
}
|
|
|
|
return ret.concat.apply( [], ret );
|
|
}
|
|
});
|
|
|
|
var userAgent = navigator.userAgent.toLowerCase();
|
|
|
|
// Figure out what browser is being used
|
|
jQuery.browser = {
|
|
version: (userAgent.match( /.+(?:rv|it|ra|ie)[\/: ]([\d.]+)/ ) || [])[1],
|
|
safari: /webkit/.test( userAgent ),
|
|
opera: /opera/.test( userAgent ),
|
|
msie: /msie/.test( userAgent ) && !/opera/.test( userAgent ),
|
|
mozilla: /mozilla/.test( userAgent ) && !/(compatible|webkit)/.test( userAgent )
|
|
};
|
|
|
|
var styleFloat = jQuery.browser.msie ?
|
|
"styleFloat" :
|
|
"cssFloat";
|
|
|
|
jQuery.extend({
|
|
// Check to see if the W3C box model is being used
|
|
boxModel: !jQuery.browser.msie || document.compatMode == "CSS1Compat",
|
|
|
|
props: {
|
|
"for": "htmlFor",
|
|
"class": "className",
|
|
"float": styleFloat,
|
|
cssFloat: styleFloat,
|
|
styleFloat: styleFloat,
|
|
readonly: "readOnly",
|
|
maxlength: "maxLength",
|
|
cellspacing: "cellSpacing"
|
|
}
|
|
});
|
|
|
|
jQuery.each({
|
|
parent: function(elem){return elem.parentNode;},
|
|
parents: function(elem){return jQuery.dir(elem,"parentNode");},
|
|
next: function(elem){return jQuery.nth(elem,2,"nextSibling");},
|
|
prev: function(elem){return jQuery.nth(elem,2,"previousSibling");},
|
|
nextAll: function(elem){return jQuery.dir(elem,"nextSibling");},
|
|
prevAll: function(elem){return jQuery.dir(elem,"previousSibling");},
|
|
siblings: function(elem){return jQuery.sibling(elem.parentNode.firstChild,elem);},
|
|
children: function(elem){return jQuery.sibling(elem.firstChild);},
|
|
contents: function(elem){return jQuery.nodeName(elem,"iframe")?elem.contentDocument||elem.contentWindow.document:jQuery.makeArray(elem.childNodes);}
|
|
}, function(name, fn){
|
|
jQuery.fn[ name ] = function( selector ) {
|
|
var ret = jQuery.map( this, fn );
|
|
|
|
if ( selector && typeof selector == "string" )
|
|
ret = jQuery.multiFilter( selector, ret );
|
|
|
|
return this.pushStack( jQuery.unique( ret ) );
|
|
};
|
|
});
|
|
|
|
jQuery.each({
|
|
appendTo: "append",
|
|
prependTo: "prepend",
|
|
insertBefore: "before",
|
|
insertAfter: "after",
|
|
replaceAll: "replaceWith"
|
|
}, function(name, original){
|
|
jQuery.fn[ name ] = function() {
|
|
var args = arguments;
|
|
|
|
return this.each(function(){
|
|
for ( var i = 0, length = args.length; i < length; i++ )
|
|
jQuery( args[ i ] )[ original ]( this );
|
|
});
|
|
};
|
|
});
|
|
|
|
jQuery.each({
|
|
removeAttr: function( name ) {
|
|
jQuery.attr( this, name, "" );
|
|
if (this.nodeType == 1)
|
|
this.removeAttribute( name );
|
|
},
|
|
|
|
addClass: function( classNames ) {
|
|
jQuery.className.add( this, classNames );
|
|
},
|
|
|
|
removeClass: function( classNames ) {
|
|
jQuery.className.remove( this, classNames );
|
|
},
|
|
|
|
toggleClass: function( classNames ) {
|
|
jQuery.className[ jQuery.className.has( this, classNames ) ? "remove" : "add" ]( this, classNames );
|
|
},
|
|
|
|
remove: function( selector ) {
|
|
if ( !selector || jQuery.filter( selector, [ this ] ).r.length ) {
|
|
// Prevent memory leaks
|
|
jQuery( "*", this ).add(this).each(function(){
|
|
jQuery.event.remove(this);
|
|
jQuery.removeData(this);
|
|
});
|
|
if (this.parentNode)
|
|
this.parentNode.removeChild( this );
|
|
}
|
|
},
|
|
|
|
empty: function() {
|
|
// Remove element nodes and prevent memory leaks
|
|
jQuery( ">*", this ).remove();
|
|
|
|
// Remove any remaining nodes
|
|
while ( this.firstChild )
|
|
this.removeChild( this.firstChild );
|
|
}
|
|
}, function(name, fn){
|
|
jQuery.fn[ name ] = function(){
|
|
return this.each( fn, arguments );
|
|
};
|
|
});
|
|
|
|
jQuery.each([ "Height", "Width" ], function(i, name){
|
|
var type = name.toLowerCase();
|
|
|
|
jQuery.fn[ type ] = function( size ) {
|
|
// Get window width or height
|
|
return this[0] == window ?
|
|
// Opera reports document.body.client[Width/Height] properly in both quirks and standards
|
|
jQuery.browser.opera && document.body[ "client" + name ] ||
|
|
|
|
// Safari reports inner[Width/Height] just fine (Mozilla and Opera include scroll bar widths)
|
|
jQuery.browser.safari && window[ "inner" + name ] ||
|
|
|
|
// Everyone else use document.documentElement or document.body depending on Quirks vs Standards mode
|
|
document.compatMode == "CSS1Compat" && document.documentElement[ "client" + name ] || document.body[ "client" + name ] :
|
|
|
|
// Get document width or height
|
|
this[0] == document ?
|
|
// Either scroll[Width/Height] or offset[Width/Height], whichever is greater
|
|
Math.max(
|
|
Math.max(document.body["scroll" + name], document.documentElement["scroll" + name]),
|
|
Math.max(document.body["offset" + name], document.documentElement["offset" + name])
|
|
) :
|
|
|
|
// Get or set width or height on the element
|
|
size == undefined ?
|
|
// Get width or height on the element
|
|
(this.length ? jQuery.css( this[0], type ) : null) :
|
|
|
|
// Set the width or height on the element (default to pixels if value is unitless)
|
|
this.css( type, size.constructor == String ? size : size + "px" );
|
|
};
|
|
});
|
|
|
|
// Helper function used by the dimensions and offset modules
|
|
function num(elem, prop) {
|
|
return elem[0] && parseInt( jQuery.curCSS(elem[0], prop, true), 10 ) || 0;
|
|
}var chars = jQuery.browser.safari && parseInt(jQuery.browser.version) < 417 ?
|
|
"(?:[\\w*_-]|\\\\.)" :
|
|
"(?:[\\w\u0128-\uFFFF*_-]|\\\\.)",
|
|
quickChild = new RegExp("^>\\s*(" + chars + "+)"),
|
|
quickID = new RegExp("^(" + chars + "+)(#)(" + chars + "+)"),
|
|
quickClass = new RegExp("^([#.]?)(" + chars + "*)");
|
|
|
|
jQuery.extend({
|
|
expr: {
|
|
"": function(a,i,m){return m[2]=="*"||jQuery.nodeName(a,m[2]);},
|
|
"#": function(a,i,m){return a.getAttribute("id")==m[2];},
|
|
":": {
|
|
// Position Checks
|
|
lt: function(a,i,m){return i<m[3]-0;},
|
|
gt: function(a,i,m){return i>m[3]-0;},
|
|
nth: function(a,i,m){return m[3]-0==i;},
|
|
eq: function(a,i,m){return m[3]-0==i;},
|
|
first: function(a,i){return i==0;},
|
|
last: function(a,i,m,r){return i==r.length-1;},
|
|
even: function(a,i){return i%2==0;},
|
|
odd: function(a,i){return i%2;},
|
|
|
|
// Child Checks
|
|
"first-child": function(a){return a.parentNode.getElementsByTagName("*")[0]==a;},
|
|
"last-child": function(a){return jQuery.nth(a.parentNode.lastChild,1,"previousSibling")==a;},
|
|
"only-child": function(a){return !jQuery.nth(a.parentNode.lastChild,2,"previousSibling");},
|
|
|
|
// Parent Checks
|
|
parent: function(a){return a.firstChild;},
|
|
empty: function(a){return !a.firstChild;},
|
|
|
|
// Text Check
|
|
contains: function(a,i,m){return (a.textContent||a.innerText||jQuery(a).text()||"").indexOf(m[3])>=0;},
|
|
|
|
// Visibility
|
|
visible: function(a){return "hidden"!=a.type&&jQuery.css(a,"display")!="none"&&jQuery.css(a,"visibility")!="hidden";},
|
|
hidden: function(a){return "hidden"==a.type||jQuery.css(a,"display")=="none"||jQuery.css(a,"visibility")=="hidden";},
|
|
|
|
// Form attributes
|
|
enabled: function(a){return !a.disabled;},
|
|
disabled: function(a){return a.disabled;},
|
|
checked: function(a){return a.checked;},
|
|
selected: function(a){return a.selected||jQuery.attr(a,"selected");},
|
|
|
|
// Form elements
|
|
text: function(a){return "text"==a.type;},
|
|
radio: function(a){return "radio"==a.type;},
|
|
checkbox: function(a){return "checkbox"==a.type;},
|
|
file: function(a){return "file"==a.type;},
|
|
password: function(a){return "password"==a.type;},
|
|
submit: function(a){return "submit"==a.type;},
|
|
image: function(a){return "image"==a.type;},
|
|
reset: function(a){return "reset"==a.type;},
|
|
button: function(a){return "button"==a.type||jQuery.nodeName(a,"button");},
|
|
input: function(a){return /input|select|textarea|button/i.test(a.nodeName);},
|
|
|
|
// :has()
|
|
has: function(a,i,m){return jQuery.find(m[3],a).length;},
|
|
|
|
// :header
|
|
header: function(a){return /h\d/i.test(a.nodeName);},
|
|
|
|
// :animated
|
|
animated: function(a){return jQuery.grep(jQuery.timers,function(fn){return a==fn.elem;}).length;}
|
|
}
|
|
},
|
|
|
|
// The regular expressions that power the parsing engine
|
|
parse: [
|
|
// Match: [@value='test'], [@foo]
|
|
/^(\[) *@?([\w-]+) *([!*$^~=]*) *('?"?)(.*?)\4 *\]/,
|
|
|
|
// Match: :contains('foo')
|
|
/^(:)([\w-]+)\("?'?(.*?(\(.*?\))?[^(]*?)"?'?\)/,
|
|
|
|
// Match: :even, :last-child, #id, .class
|
|
new RegExp("^([:.#]*)(" + chars + "+)")
|
|
],
|
|
|
|
multiFilter: function( expr, elems, not ) {
|
|
var old, cur = [];
|
|
|
|
while ( expr && expr != old ) {
|
|
old = expr;
|
|
var f = jQuery.filter( expr, elems, not );
|
|
expr = f.t.replace(/^\s*,\s*/, "" );
|
|
cur = not ? elems = f.r : jQuery.merge( cur, f.r );
|
|
}
|
|
|
|
return cur;
|
|
},
|
|
|
|
find: function( t, context ) {
|
|
// Quickly handle non-string expressions
|
|
if ( typeof t != "string" )
|
|
return [ t ];
|
|
|
|
// check to make sure context is a DOM element or a document
|
|
if ( context && context.nodeType != 1 && context.nodeType != 9)
|
|
return [ ];
|
|
|
|
// Set the correct context (if none is provided)
|
|
context = context || document;
|
|
|
|
// Initialize the search
|
|
var ret = [context], done = [], last, nodeName;
|
|
|
|
// Continue while a selector expression exists, and while
|
|
// we're no longer looping upon ourselves
|
|
while ( t && last != t ) {
|
|
var r = [];
|
|
last = t;
|
|
|
|
t = jQuery.trim(t);
|
|
|
|
var foundToken = false,
|
|
|
|
// An attempt at speeding up child selectors that
|
|
// point to a specific element tag
|
|
re = quickChild,
|
|
|
|
m = re.exec(t);
|
|
|
|
if ( m ) {
|
|
nodeName = m[1].toUpperCase();
|
|
|
|
// Perform our own iteration and filter
|
|
for ( var i = 0; ret[i]; i++ )
|
|
for ( var c = ret[i].firstChild; c; c = c.nextSibling )
|
|
if ( c.nodeType == 1 && (nodeName == "*" || c.nodeName.toUpperCase() == nodeName) )
|
|
r.push( c );
|
|
|
|
ret = r;
|
|
t = t.replace( re, "" );
|
|
if ( t.indexOf(" ") == 0 ) continue;
|
|
foundToken = true;
|
|
} else {
|
|
re = /^([>+~])\s*(\w*)/i;
|
|
|
|
if ( (m = re.exec(t)) != null ) {
|
|
r = [];
|
|
|
|
var merge = {};
|
|
nodeName = m[2].toUpperCase();
|
|
m = m[1];
|
|
|
|
for ( var j = 0, rl = ret.length; j < rl; j++ ) {
|
|
var n = m == "~" || m == "+" ? ret[j].nextSibling : ret[j].firstChild;
|
|
for ( ; n; n = n.nextSibling )
|
|
if ( n.nodeType == 1 ) {
|
|
var id = jQuery.data(n);
|
|
|
|
if ( m == "~" && merge[id] ) break;
|
|
|
|
if (!nodeName || n.nodeName.toUpperCase() == nodeName ) {
|
|
if ( m == "~" ) merge[id] = true;
|
|
r.push( n );
|
|
}
|
|
|
|
if ( m == "+" ) break;
|
|
}
|
|
}
|
|
|
|
ret = r;
|
|
|
|
// And remove the token
|
|
t = jQuery.trim( t.replace( re, "" ) );
|
|
foundToken = true;
|
|
}
|
|
}
|
|
|
|
// See if there's still an expression, and that we haven't already
|
|
// matched a token
|
|
if ( t && !foundToken ) {
|
|
// Handle multiple expressions
|
|
if ( !t.indexOf(",") ) {
|
|
// Clean the result set
|
|
if ( context == ret[0] ) ret.shift();
|
|
|
|
// Merge the result sets
|
|
done = jQuery.merge( done, ret );
|
|
|
|
// Reset the context
|
|
r = ret = [context];
|
|
|
|
// Touch up the selector string
|
|
t = " " + t.substr(1,t.length);
|
|
|
|
} else {
|
|
// Optimize for the case nodeName#idName
|
|
var re2 = quickID;
|
|
var m = re2.exec(t);
|
|
|
|
// Re-organize the results, so that they're consistent
|
|
if ( m ) {
|
|
m = [ 0, m[2], m[3], m[1] ];
|
|
|
|
} else {
|
|
// Otherwise, do a traditional filter check for
|
|
// ID, class, and element selectors
|
|
re2 = quickClass;
|
|
m = re2.exec(t);
|
|
}
|
|
|
|
m[2] = m[2].replace(/\\/g, "");
|
|
|
|
var elem = ret[ret.length-1];
|
|
|
|
// Try to do a global search by ID, where we can
|
|
if ( m[1] == "#" && elem && elem.getElementById && !jQuery.isXMLDoc(elem) ) {
|
|
// Optimization for HTML document case
|
|
var oid = elem.getElementById(m[2]);
|
|
|
|
// Do a quick check for the existence of the actual ID attribute
|
|
// to avoid selecting by the name attribute in IE
|
|
// also check to insure id is a string to avoid selecting an element with the name of 'id' inside a form
|
|
if ( (jQuery.browser.msie||jQuery.browser.opera) && oid && typeof oid.id == "string" && oid.id != m[2] )
|
|
oid = jQuery('[@id="'+m[2]+'"]', elem)[0];
|
|
|
|
// Do a quick check for node name (where applicable) so
|
|
// that div#foo searches will be really fast
|
|
ret = r = oid && (!m[3] || jQuery.nodeName(oid, m[3])) ? [oid] : [];
|
|
} else {
|
|
// We need to find all descendant elements
|
|
for ( var i = 0; ret[i]; i++ ) {
|
|
// Grab the tag name being searched for
|
|
var tag = m[1] == "#" && m[3] ? m[3] : m[1] != "" || m[0] == "" ? "*" : m[2];
|
|
|
|
// Handle IE7 being really dumb about <object>s
|
|
if ( tag == "*" && ret[i].nodeName.toLowerCase() == "object" )
|
|
tag = "param";
|
|
|
|
r = jQuery.merge( r, ret[i].getElementsByTagName( tag ));
|
|
}
|
|
|
|
// It's faster to filter by class and be done with it
|
|
if ( m[1] == "." )
|
|
r = jQuery.classFilter( r, m[2] );
|
|
|
|
// Same with ID filtering
|
|
if ( m[1] == "#" ) {
|
|
var tmp = [];
|
|
|
|
// Try to find the element with the ID
|
|
for ( var i = 0; r[i]; i++ )
|
|
if ( r[i].getAttribute("id") == m[2] ) {
|
|
tmp = [ r[i] ];
|
|
break;
|
|
}
|
|
|
|
r = tmp;
|
|
}
|
|
|
|
ret = r;
|
|
}
|
|
|
|
t = t.replace( re2, "" );
|
|
}
|
|
|
|
}
|
|
|
|
// If a selector string still exists
|
|
if ( t ) {
|
|
// Attempt to filter it
|
|
var val = jQuery.filter(t,r);
|
|
ret = r = val.r;
|
|
t = jQuery.trim(val.t);
|
|
}
|
|
}
|
|
|
|
// An error occurred with the selector;
|
|
// just return an empty set instead
|
|
if ( t )
|
|
ret = [];
|
|
|
|
// Remove the root context
|
|
if ( ret && context == ret[0] )
|
|
ret.shift();
|
|
|
|
// And combine the results
|
|
done = jQuery.merge( done, ret );
|
|
|
|
return done;
|
|
},
|
|
|
|
classFilter: function(r,m,not){
|
|
m = " " + m + " ";
|
|
var tmp = [];
|
|
for ( var i = 0; r[i]; i++ ) {
|
|
var pass = (" " + r[i].className + " ").indexOf( m ) >= 0;
|
|
if ( !not && pass || not && !pass )
|
|
tmp.push( r[i] );
|
|
}
|
|
return tmp;
|
|
},
|
|
|
|
filter: function(t,r,not) {
|
|
var last;
|
|
|
|
// Look for common filter expressions
|
|
while ( t && t != last ) {
|
|
last = t;
|
|
|
|
var p = jQuery.parse, m;
|
|
|
|
for ( var i = 0; p[i]; i++ ) {
|
|
m = p[i].exec( t );
|
|
|
|
if ( m ) {
|
|
// Remove what we just matched
|
|
t = t.substring( m[0].length );
|
|
|
|
m[2] = m[2].replace(/\\/g, "");
|
|
break;
|
|
}
|
|
}
|
|
|
|
if ( !m )
|
|
break;
|
|
|
|
// :not() is a special case that can be optimized by
|
|
// keeping it out of the expression list
|
|
if ( m[1] == ":" && m[2] == "not" )
|
|
// optimize if only one selector found (most common case)
|
|
r = isSimple.test( m[3] ) ?
|
|
jQuery.filter(m[3], r, true).r :
|
|
jQuery( r ).not( m[3] );
|
|
|
|
// We can get a big speed boost by filtering by class here
|
|
else if ( m[1] == "." )
|
|
r = jQuery.classFilter(r, m[2], not);
|
|
|
|
else if ( m[1] == "[" ) {
|
|
var tmp = [], type = m[3];
|
|
|
|
for ( var i = 0, rl = r.length; i < rl; i++ ) {
|
|
var a = r[i], z = a[ jQuery.props[m[2]] || m[2] ];
|
|
|
|
if ( z == null || /href|src|selected/.test(m[2]) )
|
|
z = jQuery.attr(a,m[2]) || '';
|
|
|
|
if ( (type == "" && !!z ||
|
|
type == "=" && z == m[5] ||
|
|
type == "!=" && z != m[5] ||
|
|
type == "^=" && z && !z.indexOf(m[5]) ||
|
|
type == "$=" && z.substr(z.length - m[5].length) == m[5] ||
|
|
(type == "*=" || type == "~=") && z.indexOf(m[5]) >= 0) ^ not )
|
|
tmp.push( a );
|
|
}
|
|
|
|
r = tmp;
|
|
|
|
// We can get a speed boost by handling nth-child here
|
|
} else if ( m[1] == ":" && m[2] == "nth-child" ) {
|
|
var merge = {}, tmp = [],
|
|
// parse equations like 'even', 'odd', '5', '2n', '3n+2', '4n-1', '-n+6'
|
|
test = /(-?)(\d*)n((?:\+|-)?\d*)/.exec(
|
|
m[3] == "even" && "2n" || m[3] == "odd" && "2n+1" ||
|
|
!/\D/.test(m[3]) && "0n+" + m[3] || m[3]),
|
|
// calculate the numbers (first)n+(last) including if they are negative
|
|
first = (test[1] + (test[2] || 1)) - 0, last = test[3] - 0;
|
|
|
|
// loop through all the elements left in the jQuery object
|
|
for ( var i = 0, rl = r.length; i < rl; i++ ) {
|
|
var node = r[i], parentNode = node.parentNode, id = jQuery.data(parentNode);
|
|
|
|
if ( !merge[id] ) {
|
|
var c = 1;
|
|
|
|
for ( var n = parentNode.firstChild; n; n = n.nextSibling )
|
|
if ( n.nodeType == 1 )
|
|
n.nodeIndex = c++;
|
|
|
|
merge[id] = true;
|
|
}
|
|
|
|
var add = false;
|
|
|
|
if ( first == 0 ) {
|
|
if ( node.nodeIndex == last )
|
|
add = true;
|
|
} else if ( (node.nodeIndex - last) % first == 0 && (node.nodeIndex - last) / first >= 0 )
|
|
add = true;
|
|
|
|
if ( add ^ not )
|
|
tmp.push( node );
|
|
}
|
|
|
|
r = tmp;
|
|
|
|
// Otherwise, find the expression to execute
|
|
} else {
|
|
var fn = jQuery.expr[ m[1] ];
|
|
if ( typeof fn == "object" )
|
|
fn = fn[ m[2] ];
|
|
|
|
if ( typeof fn == "string" )
|
|
fn = eval("false||function(a,i){return " + fn + ";}");
|
|
|
|
// Execute it against the current filter
|
|
r = jQuery.grep( r, function(elem, i){
|
|
return fn(elem, i, m, r);
|
|
}, not );
|
|
}
|
|
}
|
|
|
|
// Return an array of filtered elements (r)
|
|
// and the modified expression string (t)
|
|
return { r: r, t: t };
|
|
},
|
|
|
|
dir: function( elem, dir ){
|
|
var matched = [],
|
|
cur = elem[dir];
|
|
while ( cur && cur != document ) {
|
|
if ( cur.nodeType == 1 )
|
|
matched.push( cur );
|
|
cur = cur[dir];
|
|
}
|
|
return matched;
|
|
},
|
|
|
|
nth: function(cur,result,dir,elem){
|
|
result = result || 1;
|
|
var num = 0;
|
|
|
|
for ( ; cur; cur = cur[dir] )
|
|
if ( cur.nodeType == 1 && ++num == result )
|
|
break;
|
|
|
|
return cur;
|
|
},
|
|
|
|
sibling: function( n, elem ) {
|
|
var r = [];
|
|
|
|
for ( ; n; n = n.nextSibling ) {
|
|
if ( n.nodeType == 1 && n != elem )
|
|
r.push( n );
|
|
}
|
|
|
|
return r;
|
|
}
|
|
});
|
|
/*
|
|
* A number of helper functions used for managing events.
|
|
* Many of the ideas behind this code orignated from
|
|
* Dean Edwards' addEvent library.
|
|
*/
|
|
jQuery.event = {
|
|
|
|
// Bind an event to an element
|
|
// Original by Dean Edwards
|
|
add: function(elem, types, handler, data) {
|
|
if ( elem.nodeType == 3 || elem.nodeType == 8 )
|
|
return;
|
|
|
|
// For whatever reason, IE has trouble passing the window object
|
|
// around, causing it to be cloned in the process
|
|
if ( jQuery.browser.msie && elem.setInterval )
|
|
elem = window;
|
|
|
|
// Make sure that the function being executed has a unique ID
|
|
if ( !handler.guid )
|
|
handler.guid = this.guid++;
|
|
|
|
// if data is passed, bind to handler
|
|
if( data != undefined ) {
|
|
// Create temporary function pointer to original handler
|
|
var fn = handler;
|
|
|
|
// Create unique handler function, wrapped around original handler
|
|
handler = this.proxy( fn, function() {
|
|
// Pass arguments and context to original handler
|
|
return fn.apply(this, arguments);
|
|
});
|
|
|
|
// Store data in unique handler
|
|
handler.data = data;
|
|
}
|
|
|
|
// Init the element's event structure
|
|
var events = jQuery.data(elem, "events") || jQuery.data(elem, "events", {}),
|
|
handle = jQuery.data(elem, "handle") || jQuery.data(elem, "handle", function(){
|
|
// Handle the second event of a trigger and when
|
|
// an event is called after a page has unloaded
|
|
if ( typeof jQuery != "undefined" && !jQuery.event.triggered )
|
|
return jQuery.event.handle.apply(arguments.callee.elem, arguments);
|
|
});
|
|
// Add elem as a property of the handle function
|
|
// This is to prevent a memory leak with non-native
|
|
// event in IE.
|
|
handle.elem = elem;
|
|
|
|
// Handle multiple events separated by a space
|
|
// jQuery(...).bind("mouseover mouseout", fn);
|
|
jQuery.each(types.split(/\s+/), function(index, type) {
|
|
// Namespaced event handlers
|
|
var parts = type.split(".");
|
|
type = parts[0];
|
|
handler.type = parts[1];
|
|
|
|
// Get the current list of functions bound to this event
|
|
var handlers = events[type];
|
|
|
|
// Init the event handler queue
|
|
if (!handlers) {
|
|
handlers = events[type] = {};
|
|
|
|
// Check for a special event handler
|
|
// Only use addEventListener/attachEvent if the special
|
|
// events handler returns false
|
|
if ( !jQuery.event.special[type] || jQuery.event.special[type].setup.call(elem) === false ) {
|
|
// Bind the global event handler to the element
|
|
if (elem.addEventListener)
|
|
elem.addEventListener(type, handle, false);
|
|
else if (elem.attachEvent)
|
|
elem.attachEvent("on" + type, handle);
|
|
}
|
|
}
|
|
|
|
// Add the function to the element's handler list
|
|
handlers[handler.guid] = handler;
|
|
|
|
// Keep track of which events have been used, for global triggering
|
|
jQuery.event.global[type] = true;
|
|
});
|
|
|
|
// Nullify elem to prevent memory leaks in IE
|
|
elem = null;
|
|
},
|
|
|
|
guid: 1,
|
|
global: {},
|
|
|
|
// Detach an event or set of events from an element
|
|
remove: function(elem, types, handler) {
|
|
// don't do events on text and comment nodes
|
|
if ( elem.nodeType == 3 || elem.nodeType == 8 )
|
|
return;
|
|
|
|
var events = jQuery.data(elem, "events"), ret, index;
|
|
|
|
if ( events ) {
|
|
// Unbind all events for the element
|
|
if ( types == undefined || (typeof types == "string" && types.charAt(0) == ".") )
|
|
for ( var type in events )
|
|
this.remove( elem, type + (types || "") );
|
|
else {
|
|
// types is actually an event object here
|
|
if ( types.type ) {
|
|
handler = types.handler;
|
|
types = types.type;
|
|
}
|
|
|
|
// Handle multiple events seperated by a space
|
|
// jQuery(...).unbind("mouseover mouseout", fn);
|
|
jQuery.each(types.split(/\s+/), function(index, type){
|
|
// Namespaced event handlers
|
|
var parts = type.split(".");
|
|
type = parts[0];
|
|
|
|
if ( events[type] ) {
|
|
// remove the given handler for the given type
|
|
if ( handler )
|
|
delete events[type][handler.guid];
|
|
|
|
// remove all handlers for the given type
|
|
else
|
|
for ( handler in events[type] )
|
|
// Handle the removal of namespaced events
|
|
if ( !parts[1] || events[type][handler].type == parts[1] )
|
|
delete events[type][handler];
|
|
|
|
// remove generic event handler if no more handlers exist
|
|
for ( ret in events[type] ) break;
|
|
if ( !ret ) {
|
|
if ( !jQuery.event.special[type] || jQuery.event.special[type].teardown.call(elem) === false ) {
|
|
if (elem.removeEventListener)
|
|
elem.removeEventListener(type, jQuery.data(elem, "handle"), false);
|
|
else if (elem.detachEvent)
|
|
elem.detachEvent("on" + type, jQuery.data(elem, "handle"));
|
|
}
|
|
ret = null;
|
|
delete events[type];
|
|
}
|
|
}
|
|
});
|
|
}
|
|
|
|
// Remove the expando if it's no longer used
|
|
for ( ret in events ) break;
|
|
if ( !ret ) {
|
|
var handle = jQuery.data( elem, "handle" );
|
|
if ( handle ) handle.elem = null;
|
|
jQuery.removeData( elem, "events" );
|
|
jQuery.removeData( elem, "handle" );
|
|
}
|
|
}
|
|
},
|
|
|
|
trigger: function(type, data, elem, donative, extra) {
|
|
// Clone the incoming data, if any
|
|
data = jQuery.makeArray(data);
|
|
|
|
if ( type.indexOf("!") >= 0 ) {
|
|
type = type.slice(0, -1);
|
|
var exclusive = true;
|
|
}
|
|
|
|
// Handle a global trigger
|
|
if ( !elem ) {
|
|
// Only trigger if we've ever bound an event for it
|
|
if ( this.global[type] )
|
|
jQuery("*").add([window, document]).trigger(type, data);
|
|
|
|
// Handle triggering a single element
|
|
} else {
|
|
// don't do events on text and comment nodes
|
|
if ( elem.nodeType == 3 || elem.nodeType == 8 )
|
|
return undefined;
|
|
|
|
var val, ret, fn = jQuery.isFunction( elem[ type ] || null ),
|
|
// Check to see if we need to provide a fake event, or not
|
|
event = !data[0] || !data[0].preventDefault;
|
|
|
|
// Pass along a fake event
|
|
if ( event ) {
|
|
data.unshift({
|
|
type: type,
|
|
target: elem,
|
|
preventDefault: function(){},
|
|
stopPropagation: function(){},
|
|
timeStamp: now()
|
|
});
|
|
data[0][expando] = true; // no need to fix fake event
|
|
}
|
|
|
|
// Enforce the right trigger type
|
|
data[0].type = type;
|
|
if ( exclusive )
|
|
data[0].exclusive = true;
|
|
|
|
// Trigger the event, it is assumed that "handle" is a function
|
|
var handle = jQuery.data(elem, "handle");
|
|
if ( handle )
|
|
val = handle.apply( elem, data );
|
|
|
|
// Handle triggering native .onfoo handlers (and on links since we don't call .click() for links)
|
|
if ( (!fn || (jQuery.nodeName(elem, 'a') && type == "click")) && elem["on"+type] && elem["on"+type].apply( elem, data ) === false )
|
|
val = false;
|
|
|
|
// Extra functions don't get the custom event object
|
|
if ( event )
|
|
data.shift();
|
|
|
|
// Handle triggering of extra function
|
|
if ( extra && jQuery.isFunction( extra ) ) {
|
|
// call the extra function and tack the current return value on the end for possible inspection
|
|
ret = extra.apply( elem, val == null ? data : data.concat( val ) );
|
|
// if anything is returned, give it precedence and have it overwrite the previous value
|
|
if (ret !== undefined)
|
|
val = ret;
|
|
}
|
|
|
|
// Trigger the native events (except for clicks on links)
|
|
if ( fn && donative !== false && val !== false && !(jQuery.nodeName(elem, 'a') && type == "click") ) {
|
|
this.triggered = true;
|
|
try {
|
|
elem[ type ]();
|
|
// prevent IE from throwing an error for some hidden elements
|
|
} catch (e) {}
|
|
}
|
|
|
|
this.triggered = false;
|
|
}
|
|
|
|
return val;
|
|
},
|
|
|
|
handle: function(event) {
|
|
// returned undefined or false
|
|
var val, ret, namespace, all, handlers;
|
|
|
|
event = arguments[0] = jQuery.event.fix( event || window.event );
|
|
|
|
// Namespaced event handlers
|
|
namespace = event.type.split(".");
|
|
event.type = namespace[0];
|
|
namespace = namespace[1];
|
|
// Cache this now, all = true means, any handler
|
|
all = !namespace && !event.exclusive;
|
|
|
|
handlers = ( jQuery.data(this, "events") || {} )[event.type];
|
|
|
|
for ( var j in handlers ) {
|
|
var handler = handlers[j];
|
|
|
|
// Filter the functions by class
|
|
if ( all || handler.type == namespace ) {
|
|
// Pass in a reference to the handler function itself
|
|
// So that we can later remove it
|
|
event.handler = handler;
|
|
event.data = handler.data;
|
|
|
|
ret = handler.apply( this, arguments );
|
|
|
|
if ( val !== false )
|
|
val = ret;
|
|
|
|
if ( ret === false ) {
|
|
event.preventDefault();
|
|
event.stopPropagation();
|
|
}
|
|
}
|
|
}
|
|
|
|
return val;
|
|
},
|
|
|
|
fix: function(event) {
|
|
if ( event[expando] == true )
|
|
return event;
|
|
|
|
// store a copy of the original event object
|
|
// and "clone" to set read-only properties
|
|
var originalEvent = event;
|
|
event = { originalEvent: originalEvent };
|
|
var props = "altKey attrChange attrName bubbles button cancelable charCode clientX clientY ctrlKey currentTarget data detail eventPhase fromElement handler keyCode metaKey newValue originalTarget pageX pageY prevValue relatedNode relatedTarget screenX screenY shiftKey srcElement target timeStamp toElement type view wheelDelta which".split(" ");
|
|
for ( var i=props.length; i; i-- )
|
|
event[ props[i] ] = originalEvent[ props[i] ];
|
|
|
|
// Mark it as fixed
|
|
event[expando] = true;
|
|
|
|
// add preventDefault and stopPropagation since
|
|
// they will not work on the clone
|
|
event.preventDefault = function() {
|
|
// if preventDefault exists run it on the original event
|
|
if (originalEvent.preventDefault)
|
|
originalEvent.preventDefault();
|
|
// otherwise set the returnValue property of the original event to false (IE)
|
|
originalEvent.returnValue = false;
|
|
};
|
|
event.stopPropagation = function() {
|
|
// if stopPropagation exists run it on the original event
|
|
if (originalEvent.stopPropagation)
|
|
originalEvent.stopPropagation();
|
|
// otherwise set the cancelBubble property of the original event to true (IE)
|
|
originalEvent.cancelBubble = true;
|
|
};
|
|
|
|
// Fix timeStamp
|
|
event.timeStamp = event.timeStamp || now();
|
|
|
|
// Fix target property, if necessary
|
|
if ( !event.target )
|
|
event.target = event.srcElement || document; // Fixes #1925 where srcElement might not be defined either
|
|
|
|
// check if target is a textnode (safari)
|
|
if ( event.target.nodeType == 3 )
|
|
event.target = event.target.parentNode;
|
|
|
|
// Add relatedTarget, if necessary
|
|
if ( !event.relatedTarget && event.fromElement )
|
|
event.relatedTarget = event.fromElement == event.target ? event.toElement : event.fromElement;
|
|
|
|
// Calculate pageX/Y if missing and clientX/Y available
|
|
if ( event.pageX == null && event.clientX != null ) {
|
|
var doc = document.documentElement, body = document.body;
|
|
event.pageX = event.clientX + (doc && doc.scrollLeft || body && body.scrollLeft || 0) - (doc.clientLeft || 0);
|
|
event.pageY = event.clientY + (doc && doc.scrollTop || body && body.scrollTop || 0) - (doc.clientTop || 0);
|
|
}
|
|
|
|
// Add which for key events
|
|
if ( !event.which && ((event.charCode || event.charCode === 0) ? event.charCode : event.keyCode) )
|
|
event.which = event.charCode || event.keyCode;
|
|
|
|
// Add metaKey to non-Mac browsers (use ctrl for PC's and Meta for Macs)
|
|
if ( !event.metaKey && event.ctrlKey )
|
|
event.metaKey = event.ctrlKey;
|
|
|
|
// Add which for click: 1 == left; 2 == middle; 3 == right
|
|
// Note: button is not normalized, so don't use it
|
|
if ( !event.which && event.button )
|
|
event.which = (event.button & 1 ? 1 : ( event.button & 2 ? 3 : ( event.button & 4 ? 2 : 0 ) ));
|
|
|
|
return event;
|
|
},
|
|
|
|
proxy: function( fn, proxy ){
|
|
// Set the guid of unique handler to the same of original handler, so it can be removed
|
|
proxy.guid = fn.guid = fn.guid || proxy.guid || this.guid++;
|
|
// So proxy can be declared as an argument
|
|
return proxy;
|
|
},
|
|
|
|
special: {
|
|
ready: {
|
|
setup: function() {
|
|
// Make sure the ready event is setup
|
|
bindReady();
|
|
return;
|
|
},
|
|
|
|
teardown: function() { return; }
|
|
},
|
|
|
|
mouseenter: {
|
|
setup: function() {
|
|
if ( jQuery.browser.msie ) return false;
|
|
jQuery(this).bind("mouseover", jQuery.event.special.mouseenter.handler);
|
|
return true;
|
|
},
|
|
|
|
teardown: function() {
|
|
if ( jQuery.browser.msie ) return false;
|
|
jQuery(this).unbind("mouseover", jQuery.event.special.mouseenter.handler);
|
|
return true;
|
|
},
|
|
|
|
handler: function(event) {
|
|
// If we actually just moused on to a sub-element, ignore it
|
|
if ( withinElement(event, this) ) return true;
|
|
// Execute the right handlers by setting the event type to mouseenter
|
|
event.type = "mouseenter";
|
|
return jQuery.event.handle.apply(this, arguments);
|
|
}
|
|
},
|
|
|
|
mouseleave: {
|
|
setup: function() {
|
|
if ( jQuery.browser.msie ) return false;
|
|
jQuery(this).bind("mouseout", jQuery.event.special.mouseleave.handler);
|
|
return true;
|
|
},
|
|
|
|
teardown: function() {
|
|
if ( jQuery.browser.msie ) return false;
|
|
jQuery(this).unbind("mouseout", jQuery.event.special.mouseleave.handler);
|
|
return true;
|
|
},
|
|
|
|
handler: function(event) {
|
|
// If we actually just moused on to a sub-element, ignore it
|
|
if ( withinElement(event, this) ) return true;
|
|
// Execute the right handlers by setting the event type to mouseleave
|
|
event.type = "mouseleave";
|
|
return jQuery.event.handle.apply(this, arguments);
|
|
}
|
|
}
|
|
}
|
|
};
|
|
|
|
jQuery.fn.extend({
|
|
bind: function( type, data, fn ) {
|
|
return type == "unload" ? this.one(type, data, fn) : this.each(function(){
|
|
jQuery.event.add( this, type, fn || data, fn && data );
|
|
});
|
|
},
|
|
|
|
one: function( type, data, fn ) {
|
|
var one = jQuery.event.proxy( fn || data, function(event) {
|
|
jQuery(this).unbind(event, one);
|
|
return (fn || data).apply( this, arguments );
|
|
});
|
|
return this.each(function(){
|
|
jQuery.event.add( this, type, one, fn && data);
|
|
});
|
|
},
|
|
|
|
unbind: function( type, fn ) {
|
|
return this.each(function(){
|
|
jQuery.event.remove( this, type, fn );
|
|
});
|
|
},
|
|
|
|
trigger: function( type, data, fn ) {
|
|
return this.each(function(){
|
|
jQuery.event.trigger( type, data, this, true, fn );
|
|
});
|
|
},
|
|
|
|
triggerHandler: function( type, data, fn ) {
|
|
return this[0] && jQuery.event.trigger( type, data, this[0], false, fn );
|
|
},
|
|
|
|
toggle: function( fn ) {
|
|
// Save reference to arguments for access in closure
|
|
var args = arguments, i = 1;
|
|
|
|
// link all the functions, so any of them can unbind this click handler
|
|
while( i < args.length )
|
|
jQuery.event.proxy( fn, args[i++] );
|
|
|
|
return this.click( jQuery.event.proxy( fn, function(event) {
|
|
// Figure out which function to execute
|
|
this.lastToggle = ( this.lastToggle || 0 ) % i;
|
|
|
|
// Make sure that clicks stop
|
|
event.preventDefault();
|
|
|
|
// and execute the function
|
|
return args[ this.lastToggle++ ].apply( this, arguments ) || false;
|
|
}));
|
|
},
|
|
|
|
hover: function(fnOver, fnOut) {
|
|
return this.bind('mouseenter', fnOver).bind('mouseleave', fnOut);
|
|
},
|
|
|
|
ready: function(fn) {
|
|
// Attach the listeners
|
|
bindReady();
|
|
|
|
// If the DOM is already ready
|
|
if ( jQuery.isReady )
|
|
// Execute the function immediately
|
|
fn.call( document, jQuery );
|
|
|
|
// Otherwise, remember the function for later
|
|
else
|
|
// Add the function to the wait list
|
|
jQuery.readyList.push( function() { return fn.call(this, jQuery); } );
|
|
|
|
return this;
|
|
}
|
|
});
|
|
|
|
jQuery.extend({
|
|
isReady: false,
|
|
readyList: [],
|
|
// Handle when the DOM is ready
|
|
ready: function() {
|
|
// Make sure that the DOM is not already loaded
|
|
if ( !jQuery.isReady ) {
|
|
// Remember that the DOM is ready
|
|
jQuery.isReady = true;
|
|
|
|
// If there are functions bound, to execute
|
|
if ( jQuery.readyList ) {
|
|
// Execute all of them
|
|
jQuery.each( jQuery.readyList, function(){
|
|
this.call( document );
|
|
});
|
|
|
|
// Reset the list of functions
|
|
jQuery.readyList = null;
|
|
}
|
|
|
|
// Trigger any bound ready events
|
|
jQuery(document).triggerHandler("ready");
|
|
}
|
|
}
|
|
});
|
|
|
|
var readyBound = false;
|
|
|
|
function bindReady(){
|
|
if ( readyBound ) return;
|
|
readyBound = true;
|
|
|
|
// Mozilla, Opera (see further below for it) and webkit nightlies currently support this event
|
|
if ( document.addEventListener && !jQuery.browser.opera)
|
|
// Use the handy event callback
|
|
document.addEventListener( "DOMContentLoaded", jQuery.ready, false );
|
|
|
|
// If IE is used and is not in a frame
|
|
// Continually check to see if the document is ready
|
|
if ( jQuery.browser.msie && window == top ) (function(){
|
|
if (jQuery.isReady) return;
|
|
try {
|
|
// If IE is used, use the trick by Diego Perini
|
|
// http://javascript.nwbox.com/IEContentLoaded/
|
|
document.documentElement.doScroll("left");
|
|
} catch( error ) {
|
|
setTimeout( arguments.callee, 0 );
|
|
return;
|
|
}
|
|
// and execute any waiting functions
|
|
jQuery.ready();
|
|
})();
|
|
|
|
if ( jQuery.browser.opera )
|
|
document.addEventListener( "DOMContentLoaded", function () {
|
|
if (jQuery.isReady) return;
|
|
for (var i = 0; i < document.styleSheets.length; i++)
|
|
if (document.styleSheets[i].disabled) {
|
|
setTimeout( arguments.callee, 0 );
|
|
return;
|
|
}
|
|
// and execute any waiting functions
|
|
jQuery.ready();
|
|
}, false);
|
|
|
|
if ( jQuery.browser.safari ) {
|
|
var numStyles;
|
|
(function(){
|
|
if (jQuery.isReady) return;
|
|
if ( document.readyState != "loaded" && document.readyState != "complete" ) {
|
|
setTimeout( arguments.callee, 0 );
|
|
return;
|
|
}
|
|
if ( numStyles === undefined )
|
|
numStyles = jQuery("style, link[rel=stylesheet]").length;
|
|
if ( document.styleSheets.length != numStyles ) {
|
|
setTimeout( arguments.callee, 0 );
|
|
return;
|
|
}
|
|
// and execute any waiting functions
|
|
jQuery.ready();
|
|
})();
|
|
}
|
|
|
|
// A fallback to window.onload, that will always work
|
|
jQuery.event.add( window, "load", jQuery.ready );
|
|
}
|
|
|
|
jQuery.each( ("blur,focus,load,resize,scroll,unload,click,dblclick," +
|
|
"mousedown,mouseup,mousemove,mouseover,mouseout,change,select," +
|
|
"submit,keydown,keypress,keyup,error").split(","), function(i, name){
|
|
|
|
// Handle event binding
|
|
jQuery.fn[name] = function(fn){
|
|
return fn ? this.bind(name, fn) : this.trigger(name);
|
|
};
|
|
});
|
|
|
|
// Checks if an event happened on an element within another element
|
|
// Used in jQuery.event.special.mouseenter and mouseleave handlers
|
|
var withinElement = function(event, elem) {
|
|
// Check if mouse(over|out) are still within the same parent element
|
|
var parent = event.relatedTarget;
|
|
// Traverse up the tree
|
|
while ( parent && parent != elem ) try { parent = parent.parentNode; } catch(error) { parent = elem; }
|
|
// Return true if we actually just moused on to a sub-element
|
|
return parent == elem;
|
|
};
|
|
|
|
// Prevent memory leaks in IE
|
|
// And prevent errors on refresh with events like mouseover in other browsers
|
|
// Window isn't included so as not to unbind existing unload events
|
|
jQuery(window).bind("unload", function() {
|
|
jQuery("*").add(document).unbind();
|
|
});
|
|
jQuery.fn.extend({
|
|
// Keep a copy of the old load
|
|
_load: jQuery.fn.load,
|
|
|
|
load: function( url, params, callback ) {
|
|
if ( typeof url != 'string' )
|
|
return this._load( url );
|
|
|
|
var off = url.indexOf(" ");
|
|
if ( off >= 0 ) {
|
|
var selector = url.slice(off, url.length);
|
|
url = url.slice(0, off);
|
|
}
|
|
|
|
callback = callback || function(){};
|
|
|
|
// Default to a GET request
|
|
var type = "GET";
|
|
|
|
// If the second parameter was provided
|
|
if ( params )
|
|
// If it's a function
|
|
if ( jQuery.isFunction( params ) ) {
|
|
// We assume that it's the callback
|
|
callback = params;
|
|
params = null;
|
|
|
|
// Otherwise, build a param string
|
|
} else {
|
|
params = jQuery.param( params );
|
|
type = "POST";
|
|
}
|
|
|
|
var self = this;
|
|
|
|
// Request the remote document
|
|
jQuery.ajax({
|
|
url: url,
|
|
type: type,
|
|
dataType: "html",
|
|
data: params,
|
|
complete: function(res, status){
|
|
// If successful, inject the HTML into all the matched elements
|
|
if ( status == "success" || status == "notmodified" )
|
|
// See if a selector was specified
|
|
self.html( selector ?
|
|
// Create a dummy div to hold the results
|
|
jQuery("<div/>")
|
|
// inject the contents of the document in, removing the scripts
|
|
// to avoid any 'Permission Denied' errors in IE
|
|
.append(res.responseText.replace(/<script(.|\s)*?\/script>/g, ""))
|
|
|
|
// Locate the specified elements
|
|
.find(selector) :
|
|
|
|
// If not, just inject the full result
|
|
res.responseText );
|
|
|
|
self.each( callback, [res.responseText, status, res] );
|
|
}
|
|
});
|
|
return this;
|
|
},
|
|
|
|
serialize: function() {
|
|
return jQuery.param(this.serializeArray());
|
|
},
|
|
serializeArray: function() {
|
|
return this.map(function(){
|
|
return jQuery.nodeName(this, "form") ?
|
|
jQuery.makeArray(this.elements) : this;
|
|
})
|
|
.filter(function(){
|
|
return this.name && !this.disabled &&
|
|
(this.checked || /select|textarea/i.test(this.nodeName) ||
|
|
/text|hidden|password/i.test(this.type));
|
|
})
|
|
.map(function(i, elem){
|
|
var val = jQuery(this).val();
|
|
return val == null ? null :
|
|
val.constructor == Array ?
|
|
jQuery.map( val, function(val, i){
|
|
return {name: elem.name, value: val};
|
|
}) :
|
|
{name: elem.name, value: val};
|
|
}).get();
|
|
}
|
|
});
|
|
|
|
// Attach a bunch of functions for handling common AJAX events
|
|
jQuery.each( "ajaxStart,ajaxStop,ajaxComplete,ajaxError,ajaxSuccess,ajaxSend".split(","), function(i,o){
|
|
jQuery.fn[o] = function(f){
|
|
return this.bind(o, f);
|
|
};
|
|
});
|
|
|
|
var jsc = now();
|
|
|
|
jQuery.extend({
|
|
get: function( url, data, callback, type ) {
|
|
// shift arguments if data argument was ommited
|
|
if ( jQuery.isFunction( data ) ) {
|
|
callback = data;
|
|
data = null;
|
|
}
|
|
|
|
return jQuery.ajax({
|
|
type: "GET",
|
|
url: url,
|
|
data: data,
|
|
success: callback,
|
|
dataType: type
|
|
});
|
|
},
|
|
|
|
getScript: function( url, callback ) {
|
|
return jQuery.get(url, null, callback, "script");
|
|
},
|
|
|
|
getJSON: function( url, data, callback ) {
|
|
return jQuery.get(url, data, callback, "json");
|
|
},
|
|
|
|
post: function( url, data, callback, type ) {
|
|
if ( jQuery.isFunction( data ) ) {
|
|
callback = data;
|
|
data = {};
|
|
}
|
|
|
|
return jQuery.ajax({
|
|
type: "POST",
|
|
url: url,
|
|
data: data,
|
|
success: callback,
|
|
dataType: type
|
|
});
|
|
},
|
|
|
|
ajaxSetup: function( settings ) {
|
|
jQuery.extend( jQuery.ajaxSettings, settings );
|
|
},
|
|
|
|
ajaxSettings: {
|
|
url: location.href,
|
|
global: true,
|
|
type: "GET",
|
|
timeout: 0,
|
|
contentType: "application/x-www-form-urlencoded",
|
|
processData: true,
|
|
async: true,
|
|
data: null,
|
|
username: null,
|
|
password: null,
|
|
accepts: {
|
|
xml: "application/xml, text/xml",
|
|
html: "text/html",
|
|
script: "text/javascript, application/javascript",
|
|
json: "application/json, text/javascript",
|
|
text: "text/plain",
|
|
_default: "*/*"
|
|
}
|
|
},
|
|
|
|
// Last-Modified header cache for next request
|
|
lastModified: {},
|
|
|
|
ajax: function( s ) {
|
|
// Extend the settings, but re-extend 's' so that it can be
|
|
// checked again later (in the test suite, specifically)
|
|
s = jQuery.extend(true, s, jQuery.extend(true, {}, jQuery.ajaxSettings, s));
|
|
|
|
var jsonp, jsre = /=\?(&|$)/g, status, data,
|
|
type = s.type.toUpperCase();
|
|
|
|
// convert data if not already a string
|
|
if ( s.data && s.processData && typeof s.data != "string" )
|
|
s.data = jQuery.param(s.data);
|
|
|
|
// Handle JSONP Parameter Callbacks
|
|
if ( s.dataType == "jsonp" ) {
|
|
if ( type == "GET" ) {
|
|
if ( !s.url.match(jsre) )
|
|
s.url += (s.url.match(/\?/) ? "&" : "?") + (s.jsonp || "callback") + "=?";
|
|
} else if ( !s.data || !s.data.match(jsre) )
|
|
s.data = (s.data ? s.data + "&" : "") + (s.jsonp || "callback") + "=?";
|
|
s.dataType = "json";
|
|
}
|
|
|
|
// Build temporary JSONP function
|
|
if ( s.dataType == "json" && (s.data && s.data.match(jsre) || s.url.match(jsre)) ) {
|
|
jsonp = "jsonp" + jsc++;
|
|
|
|
// Replace the =? sequence both in the query string and the data
|
|
if ( s.data )
|
|
s.data = (s.data + "").replace(jsre, "=" + jsonp + "$1");
|
|
s.url = s.url.replace(jsre, "=" + jsonp + "$1");
|
|
|
|
// We need to make sure
|
|
// that a JSONP style response is executed properly
|
|
s.dataType = "script";
|
|
|
|
// Handle JSONP-style loading
|
|
window[ jsonp ] = function(tmp){
|
|
data = tmp;
|
|
success();
|
|
complete();
|
|
// Garbage collect
|
|
window[ jsonp ] = undefined;
|
|
try{ delete window[ jsonp ]; } catch(e){}
|
|
if ( head )
|
|
head.removeChild( script );
|
|
};
|
|
}
|
|
|
|
if ( s.dataType == "script" && s.cache == null )
|
|
s.cache = false;
|
|
|
|
if ( s.cache === false && type == "GET" ) {
|
|
var ts = now();
|
|
// try replacing _= if it is there
|
|
var ret = s.url.replace(/(\?|&)_=.*?(&|$)/, "$1_=" + ts + "$2");
|
|
// if nothing was replaced, add timestamp to the end
|
|
s.url = ret + ((ret == s.url) ? (s.url.match(/\?/) ? "&" : "?") + "_=" + ts : "");
|
|
}
|
|
|
|
// If data is available, append data to url for get requests
|
|
if ( s.data && type == "GET" ) {
|
|
s.url += (s.url.match(/\?/) ? "&" : "?") + s.data;
|
|
|
|
// IE likes to send both get and post data, prevent this
|
|
s.data = null;
|
|
}
|
|
|
|
// Watch for a new set of requests
|
|
if ( s.global && ! jQuery.active++ )
|
|
jQuery.event.trigger( "ajaxStart" );
|
|
|
|
// Matches an absolute URL, and saves the domain
|
|
var remote = /^(?:\w+:)?\/\/([^\/?#]+)/;
|
|
|
|
// If we're requesting a remote document
|
|
// and trying to load JSON or Script with a GET
|
|
if ( s.dataType == "script" && type == "GET"
|
|
&& remote.test(s.url) && remote.exec(s.url)[1] != location.host ){
|
|
var head = document.getElementsByTagName("head")[0];
|
|
var script = document.createElement("script");
|
|
script.src = s.url;
|
|
if (s.scriptCharset)
|
|
script.charset = s.scriptCharset;
|
|
|
|
// Handle Script loading
|
|
if ( !jsonp ) {
|
|
var done = false;
|
|
|
|
// Attach handlers for all browsers
|
|
script.onload = script.onreadystatechange = function(){
|
|
if ( !done && (!this.readyState ||
|
|
this.readyState == "loaded" || this.readyState == "complete") ) {
|
|
done = true;
|
|
success();
|
|
complete();
|
|
head.removeChild( script );
|
|
}
|
|
};
|
|
}
|
|
|
|
head.appendChild(script);
|
|
|
|
// We handle everything using the script element injection
|
|
return undefined;
|
|
}
|
|
|
|
var requestDone = false;
|
|
|
|
// Create the request object; Microsoft failed to properly
|
|
// implement the XMLHttpRequest in IE7, so we use the ActiveXObject when it is available
|
|
var xhr = window.ActiveXObject ? new ActiveXObject("Microsoft.XMLHTTP") : new XMLHttpRequest();
|
|
|
|
// Open the socket
|
|
// Passing null username, generates a login popup on Opera (#2865)
|
|
if( s.username )
|
|
xhr.open(type, s.url, s.async, s.username, s.password);
|
|
else
|
|
xhr.open(type, s.url, s.async);
|
|
|
|
// Need an extra try/catch for cross domain requests in Firefox 3
|
|
try {
|
|
// Set the correct header, if data is being sent
|
|
if ( s.data )
|
|
xhr.setRequestHeader("Content-Type", s.contentType);
|
|
|
|
// Set the If-Modified-Since header, if ifModified mode.
|
|
if ( s.ifModified )
|
|
xhr.setRequestHeader("If-Modified-Since",
|
|
jQuery.lastModified[s.url] || "Thu, 01 Jan 1970 00:00:00 GMT" );
|
|
|
|
// Set header so the called script knows that it's an XMLHttpRequest
|
|
xhr.setRequestHeader("X-Requested-With", "XMLHttpRequest");
|
|
|
|
// Set the Accepts header for the server, depending on the dataType
|
|
xhr.setRequestHeader("Accept", s.dataType && s.accepts[ s.dataType ] ?
|
|
s.accepts[ s.dataType ] + ", */*" :
|
|
s.accepts._default );
|
|
} catch(e){}
|
|
|
|
// Allow custom headers/mimetypes
|
|
if ( s.beforeSend && s.beforeSend(xhr, s) === false ) {
|
|
// cleanup active request counter
|
|
s.global && jQuery.active--;
|
|
// close opended socket
|
|
xhr.abort();
|
|
return false;
|
|
}
|
|
|
|
if ( s.global )
|
|
jQuery.event.trigger("ajaxSend", [xhr, s]);
|
|
|
|
// Wait for a response to come back
|
|
var onreadystatechange = function(isTimeout){
|
|
// The transfer is complete and the data is available, or the request timed out
|
|
if ( !requestDone && xhr && (xhr.readyState == 4 || isTimeout == "timeout") ) {
|
|
requestDone = true;
|
|
|
|
// clear poll interval
|
|
if (ival) {
|
|
clearInterval(ival);
|
|
ival = null;
|
|
}
|
|
|
|
status = isTimeout == "timeout" && "timeout" ||
|
|
!jQuery.httpSuccess( xhr ) && "error" ||
|
|
s.ifModified && jQuery.httpNotModified( xhr, s.url ) && "notmodified" ||
|
|
"success";
|
|
|
|
if ( status == "success" ) {
|
|
// Watch for, and catch, XML document parse errors
|
|
try {
|
|
// process the data (runs the xml through httpData regardless of callback)
|
|
data = jQuery.httpData( xhr, s.dataType, s.dataFilter );
|
|
} catch(e) {
|
|
status = "parsererror";
|
|
}
|
|
}
|
|
|
|
// Make sure that the request was successful or notmodified
|
|
if ( status == "success" ) {
|
|
// Cache Last-Modified header, if ifModified mode.
|
|
var modRes;
|
|
try {
|
|
modRes = xhr.getResponseHeader("Last-Modified");
|
|
} catch(e) {} // swallow exception thrown by FF if header is not available
|
|
|
|
if ( s.ifModified && modRes )
|
|
jQuery.lastModified[s.url] = modRes;
|
|
|
|
// JSONP handles its own success callback
|
|
if ( !jsonp )
|
|
success();
|
|
} else
|
|
jQuery.handleError(s, xhr, status);
|
|
|
|
// Fire the complete handlers
|
|
complete();
|
|
|
|
// Stop memory leaks
|
|
if ( s.async )
|
|
xhr = null;
|
|
}
|
|
};
|
|
|
|
if ( s.async ) {
|
|
// don't attach the handler to the request, just poll it instead
|
|
var ival = setInterval(onreadystatechange, 13);
|
|
|
|
// Timeout checker
|
|
if ( s.timeout > 0 )
|
|
setTimeout(function(){
|
|
// Check to see if the request is still happening
|
|
if ( xhr ) {
|
|
// Cancel the request
|
|
xhr.abort();
|
|
|
|
if( !requestDone )
|
|
onreadystatechange( "timeout" );
|
|
}
|
|
}, s.timeout);
|
|
}
|
|
|
|
// Send the data
|
|
try {
|
|
xhr.send(s.data);
|
|
} catch(e) {
|
|
jQuery.handleError(s, xhr, null, e);
|
|
}
|
|
|
|
// firefox 1.5 doesn't fire statechange for sync requests
|
|
if ( !s.async )
|
|
onreadystatechange();
|
|
|
|
function success(){
|
|
// If a local callback was specified, fire it and pass it the data
|
|
if ( s.success )
|
|
s.success( data, status );
|
|
|
|
// Fire the global callback
|
|
if ( s.global )
|
|
jQuery.event.trigger( "ajaxSuccess", [xhr, s] );
|
|
}
|
|
|
|
function complete(){
|
|
// Process result
|
|
if ( s.complete )
|
|
s.complete(xhr, status);
|
|
|
|
// The request was completed
|
|
if ( s.global )
|
|
jQuery.event.trigger( "ajaxComplete", [xhr, s] );
|
|
|
|
// Handle the global AJAX counter
|
|
if ( s.global && ! --jQuery.active )
|
|
jQuery.event.trigger( "ajaxStop" );
|
|
}
|
|
|
|
// return XMLHttpRequest to allow aborting the request etc.
|
|
return xhr;
|
|
},
|
|
|
|
handleError: function( s, xhr, status, e ) {
|
|
// If a local callback was specified, fire it
|
|
if ( s.error ) s.error( xhr, status, e );
|
|
|
|
// Fire the global callback
|
|
if ( s.global )
|
|
jQuery.event.trigger( "ajaxError", [xhr, s, e] );
|
|
},
|
|
|
|
// Counter for holding the number of active queries
|
|
active: 0,
|
|
|
|
// Determines if an XMLHttpRequest was successful or not
|
|
httpSuccess: function( xhr ) {
|
|
try {
|
|
// IE error sometimes returns 1223 when it should be 204 so treat it as success, see #1450
|
|
return !xhr.status && location.protocol == "file:" ||
|
|
( xhr.status >= 200 && xhr.status < 300 ) || xhr.status == 304 || xhr.status == 1223 ||
|
|
jQuery.browser.safari && xhr.status == undefined;
|
|
} catch(e){}
|
|
return false;
|
|
},
|
|
|
|
// Determines if an XMLHttpRequest returns NotModified
|
|
httpNotModified: function( xhr, url ) {
|
|
try {
|
|
var xhrRes = xhr.getResponseHeader("Last-Modified");
|
|
|
|
// Firefox always returns 200. check Last-Modified date
|
|
return xhr.status == 304 || xhrRes == jQuery.lastModified[url] ||
|
|
jQuery.browser.safari && xhr.status == undefined;
|
|
} catch(e){}
|
|
return false;
|
|
},
|
|
|
|
httpData: function( xhr, type, filter ) {
|
|
var ct = xhr.getResponseHeader("content-type"),
|
|
xml = type == "xml" || !type && ct && ct.indexOf("xml") >= 0,
|
|
data = xml ? xhr.responseXML : xhr.responseText;
|
|
|
|
if ( xml && data.documentElement.tagName == "parsererror" )
|
|
throw "parsererror";
|
|
|
|
// Allow a pre-filtering function to sanitize the response
|
|
if( filter )
|
|
data = filter( data, type );
|
|
|
|
// If the type is "script", eval it in global context
|
|
if ( type == "script" )
|
|
jQuery.globalEval( data );
|
|
|
|
// Get the JavaScript object, if JSON is used.
|
|
if ( type == "json" )
|
|
data = eval("(" + data + ")");
|
|
|
|
return data;
|
|
},
|
|
|
|
// Serialize an array of form elements or a set of
|
|
// key/values into a query string
|
|
param: function( a ) {
|
|
var s = [];
|
|
|
|
// If an array was passed in, assume that it is an array
|
|
// of form elements
|
|
if ( a.constructor == Array || a.jquery )
|
|
// Serialize the form elements
|
|
jQuery.each( a, function(){
|
|
s.push( encodeURIComponent(this.name) + "=" + encodeURIComponent( this.value ) );
|
|
});
|
|
|
|
// Otherwise, assume that it's an object of key/value pairs
|
|
else
|
|
// Serialize the key/values
|
|
for ( var j in a )
|
|
// If the value is an array then the key names need to be repeated
|
|
if ( a[j] && a[j].constructor == Array )
|
|
jQuery.each( a[j], function(){
|
|
s.push( encodeURIComponent(j) + "=" + encodeURIComponent( this ) );
|
|
});
|
|
else
|
|
s.push( encodeURIComponent(j) + "=" + encodeURIComponent( jQuery.isFunction(a[j]) ? a[j]() : a[j] ) );
|
|
|
|
// Return the resulting serialization
|
|
return s.join("&").replace(/%20/g, "+");
|
|
}
|
|
|
|
});
|
|
jQuery.fn.extend({
|
|
show: function(speed,callback){
|
|
return speed ?
|
|
this.animate({
|
|
height: "show", width: "show", opacity: "show"
|
|
}, speed, callback) :
|
|
|
|
this.filter(":hidden").each(function(){
|
|
this.style.display = this.oldblock || "";
|
|
if ( jQuery.css(this,"display") == "none" ) {
|
|
var elem = jQuery("<" + this.tagName + " />").appendTo("body");
|
|
this.style.display = elem.css("display");
|
|
// handle an edge condition where css is - div { display:none; } or similar
|
|
if (this.style.display == "none")
|
|
this.style.display = "block";
|
|
elem.remove();
|
|
}
|
|
}).end();
|
|
},
|
|
|
|
hide: function(speed,callback){
|
|
return speed ?
|
|
this.animate({
|
|
height: "hide", width: "hide", opacity: "hide"
|
|
}, speed, callback) :
|
|
|
|
this.filter(":visible").each(function(){
|
|
this.oldblock = this.oldblock || jQuery.css(this,"display");
|
|
this.style.display = "none";
|
|
}).end();
|
|
},
|
|
|
|
// Save the old toggle function
|
|
_toggle: jQuery.fn.toggle,
|
|
|
|
toggle: function( fn, fn2 ){
|
|
return jQuery.isFunction(fn) && jQuery.isFunction(fn2) ?
|
|
this._toggle.apply( this, arguments ) :
|
|
fn ?
|
|
this.animate({
|
|
height: "toggle", width: "toggle", opacity: "toggle"
|
|
}, fn, fn2) :
|
|
this.each(function(){
|
|
jQuery(this)[ jQuery(this).is(":hidden") ? "show" : "hide" ]();
|
|
});
|
|
},
|
|
|
|
slideDown: function(speed,callback){
|
|
return this.animate({height: "show"}, speed, callback);
|
|
},
|
|
|
|
slideUp: function(speed,callback){
|
|
return this.animate({height: "hide"}, speed, callback);
|
|
},
|
|
|
|
slideToggle: function(speed, callback){
|
|
return this.animate({height: "toggle"}, speed, callback);
|
|
},
|
|
|
|
fadeIn: function(speed, callback){
|
|
return this.animate({opacity: "show"}, speed, callback);
|
|
},
|
|
|
|
fadeOut: function(speed, callback){
|
|
return this.animate({opacity: "hide"}, speed, callback);
|
|
},
|
|
|
|
fadeTo: function(speed,to,callback){
|
|
return this.animate({opacity: to}, speed, callback);
|
|
},
|
|
|
|
animate: function( prop, speed, easing, callback ) {
|
|
var optall = jQuery.speed(speed, easing, callback);
|
|
|
|
return this[ optall.queue === false ? "each" : "queue" ](function(){
|
|
if ( this.nodeType != 1)
|
|
return false;
|
|
|
|
var opt = jQuery.extend({}, optall), p,
|
|
hidden = jQuery(this).is(":hidden"), self = this;
|
|
|
|
for ( p in prop ) {
|
|
if ( prop[p] == "hide" && hidden || prop[p] == "show" && !hidden )
|
|
return opt.complete.call(this);
|
|
|
|
if ( p == "height" || p == "width" ) {
|
|
// Store display property
|
|
opt.display = jQuery.css(this, "display");
|
|
|
|
// Make sure that nothing sneaks out
|
|
opt.overflow = this.style.overflow;
|
|
}
|
|
}
|
|
|
|
if ( opt.overflow != null )
|
|
this.style.overflow = "hidden";
|
|
|
|
opt.curAnim = jQuery.extend({}, prop);
|
|
|
|
jQuery.each( prop, function(name, val){
|
|
var e = new jQuery.fx( self, opt, name );
|
|
|
|
if ( /toggle|show|hide/.test(val) )
|
|
e[ val == "toggle" ? hidden ? "show" : "hide" : val ]( prop );
|
|
else {
|
|
var parts = val.toString().match(/^([+-]=)?([\d+-.]+)(.*)$/),
|
|
start = e.cur(true) || 0;
|
|
|
|
if ( parts ) {
|
|
var end = parseFloat(parts[2]),
|
|
unit = parts[3] || "px";
|
|
|
|
// We need to compute starting value
|
|
if ( unit != "px" ) {
|
|
self.style[ name ] = (end || 1) + unit;
|
|
start = ((end || 1) / e.cur(true)) * start;
|
|
self.style[ name ] = start + unit;
|
|
}
|
|
|
|
// If a +=/-= token was provided, we're doing a relative animation
|
|
if ( parts[1] )
|
|
end = ((parts[1] == "-=" ? -1 : 1) * end) + start;
|
|
|
|
e.custom( start, end, unit );
|
|
} else
|
|
e.custom( start, val, "" );
|
|
}
|
|
});
|
|
|
|
// For JS strict compliance
|
|
return true;
|
|
});
|
|
},
|
|
|
|
queue: function(type, fn){
|
|
if ( jQuery.isFunction(type) || ( type && type.constructor == Array )) {
|
|
fn = type;
|
|
type = "fx";
|
|
}
|
|
|
|
if ( !type || (typeof type == "string" && !fn) )
|
|
return queue( this[0], type );
|
|
|
|
return this.each(function(){
|
|
if ( fn.constructor == Array )
|
|
queue(this, type, fn);
|
|
else {
|
|
queue(this, type).push( fn );
|
|
|
|
if ( queue(this, type).length == 1 )
|
|
fn.call(this);
|
|
}
|
|
});
|
|
},
|
|
|
|
stop: function(clearQueue, gotoEnd){
|
|
var timers = jQuery.timers;
|
|
|
|
if (clearQueue)
|
|
this.queue([]);
|
|
|
|
this.each(function(){
|
|
// go in reverse order so anything added to the queue during the loop is ignored
|
|
for ( var i = timers.length - 1; i >= 0; i-- )
|
|
if ( timers[i].elem == this ) {
|
|
if (gotoEnd)
|
|
// force the next step to be the last
|
|
timers[i](true);
|
|
timers.splice(i, 1);
|
|
}
|
|
});
|
|
|
|
// start the next in the queue if the last step wasn't forced
|
|
if (!gotoEnd)
|
|
this.dequeue();
|
|
|
|
return this;
|
|
}
|
|
|
|
});
|
|
|
|
var queue = function( elem, type, array ) {
|
|
if ( elem ){
|
|
|
|
type = type || "fx";
|
|
|
|
var q = jQuery.data( elem, type + "queue" );
|
|
|
|
if ( !q || array )
|
|
q = jQuery.data( elem, type + "queue", jQuery.makeArray(array) );
|
|
|
|
}
|
|
return q;
|
|
};
|
|
|
|
jQuery.fn.dequeue = function(type){
|
|
type = type || "fx";
|
|
|
|
return this.each(function(){
|
|
var q = queue(this, type);
|
|
|
|
q.shift();
|
|
|
|
if ( q.length )
|
|
q[0].call( this );
|
|
});
|
|
};
|
|
|
|
jQuery.extend({
|
|
|
|
speed: function(speed, easing, fn) {
|
|
var opt = speed && speed.constructor == Object ? speed : {
|
|
complete: fn || !fn && easing ||
|
|
jQuery.isFunction( speed ) && speed,
|
|
duration: speed,
|
|
easing: fn && easing || easing && easing.constructor != Function && easing
|
|
};
|
|
|
|
opt.duration = (opt.duration && opt.duration.constructor == Number ?
|
|
opt.duration :
|
|
jQuery.fx.speeds[opt.duration]) || jQuery.fx.speeds.def;
|
|
|
|
// Queueing
|
|
opt.old = opt.complete;
|
|
opt.complete = function(){
|
|
if ( opt.queue !== false )
|
|
jQuery(this).dequeue();
|
|
if ( jQuery.isFunction( opt.old ) )
|
|
opt.old.call( this );
|
|
};
|
|
|
|
return opt;
|
|
},
|
|
|
|
easing: {
|
|
linear: function( p, n, firstNum, diff ) {
|
|
return firstNum + diff * p;
|
|
},
|
|
swing: function( p, n, firstNum, diff ) {
|
|
return ((-Math.cos(p*Math.PI)/2) + 0.5) * diff + firstNum;
|
|
}
|
|
},
|
|
|
|
timers: [],
|
|
timerId: null,
|
|
|
|
fx: function( elem, options, prop ){
|
|
this.options = options;
|
|
this.elem = elem;
|
|
this.prop = prop;
|
|
|
|
if ( !options.orig )
|
|
options.orig = {};
|
|
}
|
|
|
|
});
|
|
|
|
jQuery.fx.prototype = {
|
|
|
|
// Simple function for setting a style value
|
|
update: function(){
|
|
if ( this.options.step )
|
|
this.options.step.call( this.elem, this.now, this );
|
|
|
|
(jQuery.fx.step[this.prop] || jQuery.fx.step._default)( this );
|
|
|
|
// Set display property to block for height/width animations
|
|
if ( this.prop == "height" || this.prop == "width" )
|
|
this.elem.style.display = "block";
|
|
},
|
|
|
|
// Get the current size
|
|
cur: function(force){
|
|
if ( this.elem[this.prop] != null && this.elem.style[this.prop] == null )
|
|
return this.elem[ this.prop ];
|
|
|
|
var r = parseFloat(jQuery.css(this.elem, this.prop, force));
|
|
return r && r > -10000 ? r : parseFloat(jQuery.curCSS(this.elem, this.prop)) || 0;
|
|
},
|
|
|
|
// Start an animation from one number to another
|
|
custom: function(from, to, unit){
|
|
this.startTime = now();
|
|
this.start = from;
|
|
this.end = to;
|
|
this.unit = unit || this.unit || "px";
|
|
this.now = this.start;
|
|
this.pos = this.state = 0;
|
|
this.update();
|
|
|
|
var self = this;
|
|
function t(gotoEnd){
|
|
return self.step(gotoEnd);
|
|
}
|
|
|
|
t.elem = this.elem;
|
|
|
|
jQuery.timers.push(t);
|
|
|
|
if ( jQuery.timerId == null ) {
|
|
jQuery.timerId = setInterval(function(){
|
|
var timers = jQuery.timers;
|
|
|
|
for ( var i = 0; i < timers.length; i++ )
|
|
if ( !timers[i]() )
|
|
timers.splice(i--, 1);
|
|
|
|
if ( !timers.length ) {
|
|
clearInterval( jQuery.timerId );
|
|
jQuery.timerId = null;
|
|
}
|
|
}, 13);
|
|
}
|
|
},
|
|
|
|
// Simple 'show' function
|
|
show: function(){
|
|
// Remember where we started, so that we can go back to it later
|
|
this.options.orig[this.prop] = jQuery.attr( this.elem.style, this.prop );
|
|
this.options.show = true;
|
|
|
|
// Begin the animation
|
|
this.custom(0, this.cur());
|
|
|
|
// Make sure that we start at a small width/height to avoid any
|
|
// flash of content
|
|
if ( this.prop == "width" || this.prop == "height" )
|
|
this.elem.style[this.prop] = "1px";
|
|
|
|
// Start by showing the element
|
|
jQuery(this.elem).show();
|
|
},
|
|
|
|
// Simple 'hide' function
|
|
hide: function(){
|
|
// Remember where we started, so that we can go back to it later
|
|
this.options.orig[this.prop] = jQuery.attr( this.elem.style, this.prop );
|
|
this.options.hide = true;
|
|
|
|
// Begin the animation
|
|
this.custom(this.cur(), 0);
|
|
},
|
|
|
|
// Each step of an animation
|
|
step: function(gotoEnd){
|
|
var t = now();
|
|
|
|
if ( gotoEnd || t > this.options.duration + this.startTime ) {
|
|
this.now = this.end;
|
|
this.pos = this.state = 1;
|
|
this.update();
|
|
|
|
this.options.curAnim[ this.prop ] = true;
|
|
|
|
var done = true;
|
|
for ( var i in this.options.curAnim )
|
|
if ( this.options.curAnim[i] !== true )
|
|
done = false;
|
|
|
|
if ( done ) {
|
|
if ( this.options.display != null ) {
|
|
// Reset the overflow
|
|
this.elem.style.overflow = this.options.overflow;
|
|
|
|
// Reset the display
|
|
this.elem.style.display = this.options.display;
|
|
if ( jQuery.css(this.elem, "display") == "none" )
|
|
this.elem.style.display = "block";
|
|
}
|
|
|
|
// Hide the element if the "hide" operation was done
|
|
if ( this.options.hide )
|
|
this.elem.style.display = "none";
|
|
|
|
// Reset the properties, if the item has been hidden or shown
|
|
if ( this.options.hide || this.options.show )
|
|
for ( var p in this.options.curAnim )
|
|
jQuery.attr(this.elem.style, p, this.options.orig[p]);
|
|
}
|
|
|
|
if ( done )
|
|
// Execute the complete function
|
|
this.options.complete.call( this.elem );
|
|
|
|
return false;
|
|
} else {
|
|
var n = t - this.startTime;
|
|
this.state = n / this.options.duration;
|
|
|
|
// Perform the easing function, defaults to swing
|
|
this.pos = jQuery.easing[this.options.easing || (jQuery.easing.swing ? "swing" : "linear")](this.state, n, 0, 1, this.options.duration);
|
|
this.now = this.start + ((this.end - this.start) * this.pos);
|
|
|
|
// Perform the next step of the animation
|
|
this.update();
|
|
}
|
|
|
|
return true;
|
|
}
|
|
|
|
};
|
|
|
|
jQuery.extend( jQuery.fx, {
|
|
speeds:{
|
|
slow: 600,
|
|
fast: 200,
|
|
// Default speed
|
|
def: 400
|
|
},
|
|
step: {
|
|
scrollLeft: function(fx){
|
|
fx.elem.scrollLeft = fx.now;
|
|
},
|
|
|
|
scrollTop: function(fx){
|
|
fx.elem.scrollTop = fx.now;
|
|
},
|
|
|
|
opacity: function(fx){
|
|
jQuery.attr(fx.elem.style, "opacity", fx.now);
|
|
},
|
|
|
|
_default: function(fx){
|
|
fx.elem.style[ fx.prop ] = fx.now + fx.unit;
|
|
}
|
|
}
|
|
});
|
|
// The Offset Method
|
|
// Originally By Brandon Aaron, part of the Dimension Plugin
|
|
// http://jquery.com/plugins/project/dimensions
|
|
jQuery.fn.offset = function() {
|
|
var left = 0, top = 0, elem = this[0], results;
|
|
|
|
if ( elem ) with ( jQuery.browser ) {
|
|
var parent = elem.parentNode,
|
|
offsetChild = elem,
|
|
offsetParent = elem.offsetParent,
|
|
doc = elem.ownerDocument,
|
|
safari2 = safari && parseInt(version) < 522 && !/adobeair/i.test(userAgent),
|
|
css = jQuery.curCSS,
|
|
fixed = css(elem, "position") == "fixed";
|
|
|
|
// Use getBoundingClientRect if available
|
|
if ( elem.getBoundingClientRect ) {
|
|
var box = elem.getBoundingClientRect();
|
|
|
|
// Add the document scroll offsets
|
|
add(box.left + Math.max(doc.documentElement.scrollLeft, doc.body.scrollLeft),
|
|
box.top + Math.max(doc.documentElement.scrollTop, doc.body.scrollTop));
|
|
|
|
// IE adds the HTML element's border, by default it is medium which is 2px
|
|
// IE 6 and 7 quirks mode the border width is overwritable by the following css html { border: 0; }
|
|
// IE 7 standards mode, the border is always 2px
|
|
// This border/offset is typically represented by the clientLeft and clientTop properties
|
|
// However, in IE6 and 7 quirks mode the clientLeft and clientTop properties are not updated when overwriting it via CSS
|
|
// Therefore this method will be off by 2px in IE while in quirksmode
|
|
add( -doc.documentElement.clientLeft, -doc.documentElement.clientTop );
|
|
|
|
// Otherwise loop through the offsetParents and parentNodes
|
|
} else {
|
|
|
|
// Initial element offsets
|
|
add( elem.offsetLeft, elem.offsetTop );
|
|
|
|
// Get parent offsets
|
|
while ( offsetParent ) {
|
|
// Add offsetParent offsets
|
|
add( offsetParent.offsetLeft, offsetParent.offsetTop );
|
|
|
|
// Mozilla and Safari > 2 does not include the border on offset parents
|
|
// However Mozilla adds the border for table or table cells
|
|
if ( mozilla && !/^t(able|d|h)$/i.test(offsetParent.tagName) || safari && !safari2 )
|
|
border( offsetParent );
|
|
|
|
// Add the document scroll offsets if position is fixed on any offsetParent
|
|
if ( !fixed && css(offsetParent, "position") == "fixed" )
|
|
fixed = true;
|
|
|
|
// Set offsetChild to previous offsetParent unless it is the body element
|
|
offsetChild = /^body$/i.test(offsetParent.tagName) ? offsetChild : offsetParent;
|
|
// Get next offsetParent
|
|
offsetParent = offsetParent.offsetParent;
|
|
}
|
|
|
|
// Get parent scroll offsets
|
|
while ( parent && parent.tagName && !/^body|html$/i.test(parent.tagName) ) {
|
|
// Remove parent scroll UNLESS that parent is inline or a table to work around Opera inline/table scrollLeft/Top bug
|
|
if ( !/^inline|table.*$/i.test(css(parent, "display")) )
|
|
// Subtract parent scroll offsets
|
|
add( -parent.scrollLeft, -parent.scrollTop );
|
|
|
|
// Mozilla does not add the border for a parent that has overflow != visible
|
|
if ( mozilla && css(parent, "overflow") != "visible" )
|
|
border( parent );
|
|
|
|
// Get next parent
|
|
parent = parent.parentNode;
|
|
}
|
|
|
|
// Safari <= 2 doubles body offsets with a fixed position element/offsetParent or absolutely positioned offsetChild
|
|
// Mozilla doubles body offsets with a non-absolutely positioned offsetChild
|
|
if ( (safari2 && (fixed || css(offsetChild, "position") == "absolute")) ||
|
|
(mozilla && css(offsetChild, "position") != "absolute") )
|
|
add( -doc.body.offsetLeft, -doc.body.offsetTop );
|
|
|
|
// Add the document scroll offsets if position is fixed
|
|
if ( fixed )
|
|
add(Math.max(doc.documentElement.scrollLeft, doc.body.scrollLeft),
|
|
Math.max(doc.documentElement.scrollTop, doc.body.scrollTop));
|
|
}
|
|
|
|
// Return an object with top and left properties
|
|
results = { top: top, left: left };
|
|
}
|
|
|
|
function border(elem) {
|
|
add( jQuery.curCSS(elem, "borderLeftWidth", true), jQuery.curCSS(elem, "borderTopWidth", true) );
|
|
}
|
|
|
|
function add(l, t) {
|
|
left += parseInt(l, 10) || 0;
|
|
top += parseInt(t, 10) || 0;
|
|
}
|
|
|
|
return results;
|
|
};
|
|
|
|
|
|
jQuery.fn.extend({
|
|
position: function() {
|
|
var left = 0, top = 0, results;
|
|
|
|
if ( this[0] ) {
|
|
// Get *real* offsetParent
|
|
var offsetParent = this.offsetParent(),
|
|
|
|
// Get correct offsets
|
|
offset = this.offset(),
|
|
parentOffset = /^body|html$/i.test(offsetParent[0].tagName) ? { top: 0, left: 0 } : offsetParent.offset();
|
|
|
|
// Subtract element margins
|
|
// note: when an element has margin: auto the offsetLeft and marginLeft
|
|
// are the same in Safari causing offset.left to incorrectly be 0
|
|
offset.top -= num( this, 'marginTop' );
|
|
offset.left -= num( this, 'marginLeft' );
|
|
|
|
// Add offsetParent borders
|
|
parentOffset.top += num( offsetParent, 'borderTopWidth' );
|
|
parentOffset.left += num( offsetParent, 'borderLeftWidth' );
|
|
|
|
// Subtract the two offsets
|
|
results = {
|
|
top: offset.top - parentOffset.top,
|
|
left: offset.left - parentOffset.left
|
|
};
|
|
}
|
|
|
|
return results;
|
|
},
|
|
|
|
offsetParent: function() {
|
|
var offsetParent = this[0].offsetParent;
|
|
while ( offsetParent && (!/^body|html$/i.test(offsetParent.tagName) && jQuery.css(offsetParent, 'position') == 'static') )
|
|
offsetParent = offsetParent.offsetParent;
|
|
return jQuery(offsetParent);
|
|
}
|
|
});
|
|
|
|
|
|
// Create scrollLeft and scrollTop methods
|
|
jQuery.each( ['Left', 'Top'], function(i, name) {
|
|
var method = 'scroll' + name;
|
|
|
|
jQuery.fn[ method ] = function(val) {
|
|
if (!this[0]) return;
|
|
|
|
return val != undefined ?
|
|
|
|
// Set the scroll offset
|
|
this.each(function() {
|
|
this == window || this == document ?
|
|
window.scrollTo(
|
|
!i ? val : jQuery(window).scrollLeft(),
|
|
i ? val : jQuery(window).scrollTop()
|
|
) :
|
|
this[ method ] = val;
|
|
}) :
|
|
|
|
// Return the scroll offset
|
|
this[0] == window || this[0] == document ?
|
|
self[ i ? 'pageYOffset' : 'pageXOffset' ] ||
|
|
jQuery.boxModel && document.documentElement[ method ] ||
|
|
document.body[ method ] :
|
|
this[0][ method ];
|
|
};
|
|
});
|
|
// Create innerHeight, innerWidth, outerHeight and outerWidth methods
|
|
jQuery.each([ "Height", "Width" ], function(i, name){
|
|
|
|
var tl = i ? "Left" : "Top", // top or left
|
|
br = i ? "Right" : "Bottom"; // bottom or right
|
|
|
|
// innerHeight and innerWidth
|
|
jQuery.fn["inner" + name] = function(){
|
|
return this[ name.toLowerCase() ]() +
|
|
num(this, "padding" + tl) +
|
|
num(this, "padding" + br);
|
|
};
|
|
|
|
// outerHeight and outerWidth
|
|
jQuery.fn["outer" + name] = function(margin) {
|
|
return this["inner" + name]() +
|
|
num(this, "border" + tl + "Width") +
|
|
num(this, "border" + br + "Width") +
|
|
(margin ?
|
|
num(this, "margin" + tl) + num(this, "margin" + br) : 0);
|
|
};
|
|
|
|
});})();
|
|
|
|
/**
|
|
* Cookie plugin
|
|
*
|
|
* Copyright (c) 2006 Klaus Hartl (stilbuero.de)
|
|
* Dual licensed under the MIT and GPL licenses:
|
|
* http://www.opensource.org/licenses/mit-license.php
|
|
* http://www.gnu.org/licenses/gpl.html
|
|
*
|
|
*/
|
|
|
|
/**
|
|
* Create a cookie with the given name and value and other optional parameters.
|
|
*
|
|
* @example $.cookie('the_cookie', 'the_value');
|
|
* @desc Set the value of a cookie.
|
|
* @example $.cookie('the_cookie', 'the_value', {expires: 7, path: '/', domain: 'jquery.com', secure: true});
|
|
* @desc Create a cookie with all available options.
|
|
* @example $.cookie('the_cookie', 'the_value');
|
|
* @desc Create a session cookie.
|
|
* @example $.cookie('the_cookie', '', {expires: -1});
|
|
* @desc Delete a cookie by setting a date in the past.
|
|
*
|
|
* @param String name The name of the cookie.
|
|
* @param String value The value of the cookie.
|
|
* @param Object options An object literal containing key/value pairs to provide optional cookie attributes.
|
|
* @option Number|Date expires Either an integer specifying the expiration date from now on in days or a Date object.
|
|
* If a negative value is specified (e.g. a date in the past), the cookie will be deleted.
|
|
* If set to null or omitted, the cookie will be a session cookie and will not be retained
|
|
* when the the browser exits.
|
|
* @option String path The value of the path atribute of the cookie (default: path of page that created the cookie).
|
|
* @option String domain The value of the domain attribute of the cookie (default: domain of page that created the cookie).
|
|
* @option Boolean secure If true, the secure attribute of the cookie will be set and the cookie transmission will
|
|
* require a secure protocol (like HTTPS).
|
|
* @type undefined
|
|
*
|
|
* @name $.cookie
|
|
* @cat Plugins/Cookie
|
|
* @author Klaus Hartl/klaus.hartl@stilbuero.de
|
|
*/
|
|
|
|
/**
|
|
* Get the value of a cookie with the given name.
|
|
*
|
|
* @example $.cookie('the_cookie');
|
|
* @desc Get the value of a cookie.
|
|
*
|
|
* @param String name The name of the cookie.
|
|
* @return The value of the cookie.
|
|
* @type String
|
|
*
|
|
* @name $.cookie
|
|
* @cat Plugins/Cookie
|
|
* @author Klaus Hartl/klaus.hartl@stilbuero.de
|
|
*/
|
|
jQuery.cookie = function(name, value, options) {
|
|
if (typeof value != 'undefined') { // name and value given, set cookie
|
|
options = options || {};
|
|
var expires = '';
|
|
if (options.expires && (typeof options.expires == 'number' || options.expires.toGMTString)) {
|
|
var date;
|
|
if (typeof options.expires == 'number') {
|
|
date = new Date();
|
|
date.setTime(date.getTime() + (options.expires * 24 * 60 * 60 * 1000));
|
|
} else {
|
|
date = options.expires;
|
|
}
|
|
expires = '; expires=' + date.toGMTString(); // use expires attribute, max-age is not supported by IE
|
|
}
|
|
var path = options.path ? '; path=' + options.path : '';
|
|
var domain = options.domain ? '; domain=' + options.domain : '';
|
|
var secure = options.secure ? '; secure' : '';
|
|
document.cookie = [name, '=', encodeURIComponent(value), expires, path, domain, secure].join('');
|
|
} else { // only name given, get cookie
|
|
var cookieValue = null;
|
|
if (document.cookie && document.cookie != '') {
|
|
var cookies = document.cookie.split(';');
|
|
for (var i = 0; i < cookies.length; i++) {
|
|
var cookie = jQuery.trim(cookies[i]);
|
|
// Does this cookie string begin with the name we want?
|
|
if (cookie.substring(0, name.length + 1) == (name + '=')) {
|
|
cookieValue = decodeURIComponent(cookie.substring(name.length + 1));
|
|
break;
|
|
}
|
|
}
|
|
}
|
|
return cookieValue;
|
|
}
|
|
};
|
|
/**
|
|
* hoverIntent is similar to jQuery's built-in "hover" function except that
|
|
* instead of firing the onMouseOver event immediately, hoverIntent checks
|
|
* to see if the user's mouse has slowed down (beneath the sensitivity
|
|
* threshold) before firing the onMouseOver event.
|
|
*
|
|
* hoverIntent r6 // 2007.04.22 // jQuery 1.2.3+
|
|
* <http://cherne.net/brian/resources/jquery.hoverIntent.html>
|
|
*
|
|
* hoverIntent is currently available for use in all personal or commercial
|
|
* projects under both MIT and GPL licenses. This means that you can choose
|
|
* the license that best suits your project, and use it accordingly.
|
|
*
|
|
* // basic usage (just like .hover) receives onMouseOver and onMouseOut functions
|
|
* $("ul li").hoverIntent( showNav , hideNav );
|
|
*
|
|
* // advanced usage receives configuration object only
|
|
* $("ul li").hoverIntent({
|
|
* sensitivity: 7, // number = sensitivity threshold (must be 1 or higher)
|
|
* interval: 100, // number = milliseconds of polling interval
|
|
* over: showNav, // function = onMouseOver callback (required)
|
|
* timeout: 0, // number = milliseconds delay before onMouseOut function call
|
|
* out: hideNav // function = onMouseOut callback (required)
|
|
* });
|
|
*
|
|
* @param f onMouseOver function || An object with configuration options
|
|
* @param g onMouseOut function || Nothing (use configuration options object)
|
|
* @author Brian Cherne <brian@cherne.net>
|
|
*/
|
|
(function($) {
|
|
$.fn.hoverIntent = function(f,g) {
|
|
// default configuration options
|
|
var cfg = {
|
|
sensitivity: 7,
|
|
interval: 100,
|
|
timeout: 0
|
|
};
|
|
// override configuration options with user supplied object
|
|
cfg = $.extend(cfg, g ? { over: f, out: g } : f );
|
|
|
|
// instantiate variables
|
|
// cX, cY = current X and Y position of mouse, updated by mousemove event
|
|
// pX, pY = previous X and Y position of mouse, set by mouseover and polling interval
|
|
var cX, cY, pX, pY;
|
|
|
|
// A private function for getting mouse position
|
|
var track = function(ev) {
|
|
cX = ev.pageX;
|
|
cY = ev.pageY;
|
|
};
|
|
|
|
// A private function for comparing current and previous mouse position
|
|
var compare = function(ev,ob) {
|
|
ob.hoverIntent_t = clearTimeout(ob.hoverIntent_t);
|
|
// compare mouse positions to see if they've crossed the threshold
|
|
if ( ( Math.abs(pX-cX) + Math.abs(pY-cY) ) < cfg.sensitivity ) {
|
|
$(ob).unbind("mousemove",track);
|
|
// set hoverIntent state to true (so mouseOut can be called)
|
|
ob.hoverIntent_s = 1;
|
|
return cfg.over.apply(ob,[ev]);
|
|
} else {
|
|
// set previous coordinates for next time
|
|
pX = cX; pY = cY;
|
|
// use self-calling timeout, guarantees intervals are spaced out properly (avoids JavaScript timer bugs)
|
|
ob.hoverIntent_t = setTimeout( function(){compare(ev, ob);} , cfg.interval );
|
|
}
|
|
};
|
|
|
|
// A private function for delaying the mouseOut function
|
|
var delay = function(ev,ob) {
|
|
ob.hoverIntent_t = clearTimeout(ob.hoverIntent_t);
|
|
ob.hoverIntent_s = 0;
|
|
return cfg.out.apply(ob,[ev]);
|
|
};
|
|
|
|
// A private function for handling mouse 'hovering'
|
|
var handleHover = function(e) {
|
|
// copy objects to be passed into t (required for event object to be passed in IE)
|
|
var ev = jQuery.extend({},e);
|
|
var ob = this;
|
|
|
|
// cancel hoverIntent timer if it exists
|
|
if (ob.hoverIntent_t) { ob.hoverIntent_t = clearTimeout(ob.hoverIntent_t); }
|
|
|
|
// if e.type == "mouseenter"
|
|
if (e.type == "mouseenter") {
|
|
// set "previous" X and Y position based on initial entry point
|
|
pX = ev.pageX; pY = ev.pageY;
|
|
// update "current" X and Y position based on mousemove
|
|
$(ob).bind("mousemove",track);
|
|
// start polling interval (self-calling timeout) to compare mouse coordinates over time
|
|
if (ob.hoverIntent_s != 1) { ob.hoverIntent_t = setTimeout( function(){compare(ev,ob);} , cfg.interval );}
|
|
|
|
// else e.type == "mouseleave"
|
|
} else {
|
|
// unbind expensive mousemove event
|
|
$(ob).unbind("mousemove",track);
|
|
// if hoverIntent state is true, then call the mouseOut function after the specified delay
|
|
if (ob.hoverIntent_s == 1) { ob.hoverIntent_t = setTimeout( function(){delay(ev,ob);} , cfg.timeout );}
|
|
}
|
|
};
|
|
|
|
// bind the function to the two event listeners
|
|
return this.bind('mouseenter',handleHover).bind('mouseleave',handleHover);
|
|
};
|
|
})(jQuery);
|
|
/*
|
|
|
|
jQuery Browser Plugin
|
|
* Version 1.2.0
|
|
* 2008-05-26 14:39:29
|
|
* URL: http://jquery.thewikies.com/browser
|
|
* Description: jQuery Browser Plugin extends browser detection capabilities and can implements CSS browser selectors.
|
|
* Author: Nate Cavanaugh, Minhchau Dang, & Jonathan Neal
|
|
* Copyright: Copyright (c) 2008 Jonathan Neal under dual MIT/GPL license.
|
|
|
|
*/
|
|
|
|
(function($) {
|
|
|
|
// Define whether Browser Selectors will be added automatically; set as false to disable.
|
|
var addSelectors = true;
|
|
|
|
// Define Navigator Properties.
|
|
var p = navigator.platform;
|
|
var u = navigator.userAgent;
|
|
var b = /(Firefox|Opera|Safari|KDE|iCab|Flock|IE)/.exec(u);
|
|
var os = /(Win|Mac|Linux|iPhone|Sun|Solaris)/.exec(p);
|
|
var versionDefaults = [0,0];
|
|
|
|
b = (!b || !b.length) ? (/(Mozilla)/.exec(u) || ['']) : b;
|
|
os = (!os || !os.length) ? [''] : os;
|
|
|
|
// Define Browser Properties.
|
|
var o = jQuery.extend($.browser, {
|
|
|
|
// Define the rendering client
|
|
gecko: /Gecko/.test(u) && !/like Gecko/.test(u),
|
|
webkit: /WebKit/.test(u),
|
|
|
|
// Define the browser
|
|
aol: /America Online Browser/.test(u),
|
|
camino: /Camino/.test(u),
|
|
firefox: /Firefox/.test(u),
|
|
flock: /Flock/.test(u),
|
|
icab: /iCab/.test(u),
|
|
konqueror: /KDE/.test(u),
|
|
mozilla: /mozilla/.test(u),
|
|
ie: /MSIE/.test(u),
|
|
netscape: /Netscape/.test(u),
|
|
opera: /Opera/.test(u),
|
|
safari: /Safari/.test(u),
|
|
browser: b[0].toLowerCase(),
|
|
|
|
// Define the opperating system
|
|
win: /Win/.test(p),
|
|
mac: /Mac/.test(p),
|
|
linux: /Linux/.test(p),
|
|
iphone: /iPhone/.test(p),
|
|
sun: /Solaris|SunOS/.test(p),
|
|
os: os[0].toLowerCase(),
|
|
|
|
// Define the classic navigator properties
|
|
platform: p,
|
|
agent: u,
|
|
|
|
// Define the 'addSelectors' function which adds Browser Selectors to a tag; by default <HTML>.
|
|
addSelectors: function(e) {
|
|
jQuery(e || 'html').addClass(o.selectors).removeClass('nojs');
|
|
},
|
|
|
|
// Define the 'removeSelectors' function which removes Browser Selectors to a tag; by default <HTML>.
|
|
removeSelectors: function(e) {
|
|
jQuery(e || 'html').addClass(o.selectors);
|
|
}
|
|
|
|
});
|
|
|
|
// Define the Browser Client Version.
|
|
o.version = {
|
|
string: (o.msie)
|
|
? (/MSIE ([^;]+)/.exec(u) || versionDefaults)[1]
|
|
: (o.firefox)
|
|
? (/Firefox\/(.+)/.exec(u) || versionDefaults)[1]
|
|
: (o.safari)
|
|
? (/Version\/([^\s]+)/.exec(u) || versionDefaults)[1]
|
|
: (o.opera)
|
|
? (/Opera\/([^\s]+)/.exec(u) || versionDefaults)[1]
|
|
: 'undefined' };
|
|
o.version.number = parseFloat(o.version.string) || versionDefaults[0];
|
|
o.version.major = /([^\.]+)/.exec(o.version.string)[1];
|
|
|
|
// Define the Browser with Client Version.
|
|
o[o.browser + o.version.major] = true;
|
|
|
|
// Define the Rendering Client.
|
|
o.renderer = (o.gecko) ? 'gecko' : (o.webkit) ? 'webkit' : '';
|
|
|
|
// Define the selector.
|
|
o.selectors = [o.renderer, o.browser, o.browser + o.version.major, o.os, 'js'].join(' ');
|
|
|
|
// Run the 'addSelectors' Function if the 'addSelectors' Variable is set as true.
|
|
if (addSelectors) o.addSelectors();
|
|
|
|
}(jQuery));
|
|
/* Copyright (c) 2007 Brandon Aaron (brandon.aaron@gmail.com || http://brandonaaron.net)
|
|
* Dual licensed under the MIT (http://www.opensource.org/licenses/mit-license.php)
|
|
* and GPL (http://www.opensource.org/licenses/gpl-license.php) licenses.
|
|
*
|
|
* Version: 1.0.2
|
|
* Requires jQuery 1.1.3+
|
|
* Docs: http://docs.jquery.com/Plugins/livequery
|
|
*/
|
|
|
|
(function($) {
|
|
|
|
$.extend($.fn, {
|
|
livequery: function(type, fn, fn2) {
|
|
var self = this, q;
|
|
|
|
// Handle different call patterns
|
|
if ($.isFunction(type))
|
|
fn2 = fn, fn = type, type = undefined;
|
|
|
|
// See if Live Query already exists
|
|
$.each( $.livequery.queries, function(i, query) {
|
|
if ( self.selector == query.selector && self.context == query.context &&
|
|
type == query.type && (!fn || fn.$lqguid == query.fn.$lqguid) && (!fn2 || fn2.$lqguid == query.fn2.$lqguid) )
|
|
// Found the query, exit the each loop
|
|
return (q = query) && false;
|
|
});
|
|
|
|
// Create new Live Query if it wasn't found
|
|
q = q || new $.livequery(this.selector, this.context, type, fn, fn2);
|
|
|
|
// Make sure it is running
|
|
q.stopped = false;
|
|
|
|
// Run it
|
|
$.livequery.run( q.id );
|
|
|
|
// Contnue the chain
|
|
return this;
|
|
},
|
|
|
|
expire: function(type, fn, fn2) {
|
|
var self = this;
|
|
|
|
// Handle different call patterns
|
|
if ($.isFunction(type))
|
|
fn2 = fn, fn = type, type = undefined;
|
|
|
|
// Find the Live Query based on arguments and stop it
|
|
$.each( $.livequery.queries, function(i, query) {
|
|
if ( self.selector == query.selector && self.context == query.context &&
|
|
(!type || type == query.type) && (!fn || fn.$lqguid == query.fn.$lqguid) && (!fn2 || fn2.$lqguid == query.fn2.$lqguid) && !this.stopped )
|
|
$.livequery.stop(query.id);
|
|
});
|
|
|
|
// Continue the chain
|
|
return this;
|
|
}
|
|
});
|
|
|
|
$.livequery = function(selector, context, type, fn, fn2) {
|
|
this.selector = selector;
|
|
this.context = context || document;
|
|
this.type = type;
|
|
this.fn = fn;
|
|
this.fn2 = fn2;
|
|
this.elements = [];
|
|
this.stopped = false;
|
|
|
|
// The id is the index of the Live Query in $.livequery.queries
|
|
this.id = $.livequery.queries.push(this)-1;
|
|
|
|
// Mark the functions for matching later on
|
|
fn.$lqguid = fn.$lqguid || $.livequery.guid++;
|
|
if (fn2) fn2.$lqguid = fn2.$lqguid || $.livequery.guid++;
|
|
|
|
// Return the Live Query
|
|
return this;
|
|
};
|
|
|
|
$.livequery.prototype = {
|
|
stop: function() {
|
|
var query = this;
|
|
|
|
if ( this.type )
|
|
// Unbind all bound events
|
|
this.elements.unbind(this.type, this.fn);
|
|
else if (this.fn2)
|
|
// Call the second function for all matched elements
|
|
this.elements.each(function(i, el) {
|
|
query.fn2.apply(el);
|
|
});
|
|
|
|
// Clear out matched elements
|
|
this.elements = [];
|
|
|
|
// Stop the Live Query from running until restarted
|
|
this.stopped = true;
|
|
},
|
|
|
|
run: function() {
|
|
// Short-circuit if stopped
|
|
if ( this.stopped ) return;
|
|
var query = this;
|
|
|
|
var oEls = this.elements,
|
|
els = $(this.selector, this.context),
|
|
nEls = els.not(oEls);
|
|
|
|
// Set elements to the latest set of matched elements
|
|
this.elements = els;
|
|
|
|
if (this.type) {
|
|
// Bind events to newly matched elements
|
|
nEls.bind(this.type, this.fn);
|
|
|
|
// Unbind events to elements no longer matched
|
|
if (oEls.length > 0)
|
|
$.each(oEls, function(i, el) {
|
|
if ( $.inArray(el, els) < 0 )
|
|
$.event.remove(el, query.type, query.fn);
|
|
});
|
|
}
|
|
else {
|
|
// Call the first function for newly matched elements
|
|
nEls.each(function() {
|
|
query.fn.apply(this);
|
|
});
|
|
|
|
// Call the second function for elements no longer matched
|
|
if ( this.fn2 && oEls.length > 0 )
|
|
$.each(oEls, function(i, el) {
|
|
if ( $.inArray(el, els) < 0 )
|
|
query.fn2.apply(el);
|
|
});
|
|
}
|
|
}
|
|
};
|
|
|
|
$.extend($.livequery, {
|
|
guid: 0,
|
|
queries: [],
|
|
queue: [],
|
|
running: false,
|
|
timeout: null,
|
|
|
|
checkQueue: function() {
|
|
if ( $.livequery.running && $.livequery.queue.length ) {
|
|
var length = $.livequery.queue.length;
|
|
// Run each Live Query currently in the queue
|
|
while ( length-- )
|
|
$.livequery.queries[ $.livequery.queue.shift() ].run();
|
|
}
|
|
},
|
|
|
|
pause: function() {
|
|
// Don't run anymore Live Queries until restarted
|
|
$.livequery.running = false;
|
|
},
|
|
|
|
play: function() {
|
|
// Restart Live Queries
|
|
$.livequery.running = true;
|
|
// Request a run of the Live Queries
|
|
$.livequery.run();
|
|
},
|
|
|
|
registerPlugin: function() {
|
|
/* Removed, because it produces a degradation performance problem
|
|
* with OpenXava, really with any AJAX application that uses
|
|
* an unique HTML page
|
|
$.each( arguments, function(i,n) {
|
|
// Short-circuit if the method doesn't exist
|
|
if (!$.fn[n]) return;
|
|
|
|
// Save a reference to the original method
|
|
var old = $.fn[n];
|
|
|
|
// Create a new method
|
|
$.fn[n] = function() {
|
|
// Call the original method
|
|
var r = old.apply(this, arguments);
|
|
|
|
// Request a run of the Live Queries
|
|
$.livequery.run();
|
|
|
|
// Return the original methods result
|
|
return r;
|
|
}
|
|
});
|
|
*/
|
|
},
|
|
|
|
run: function(id) {
|
|
if (id != undefined) {
|
|
// Put the particular Live Query in the queue if it doesn't already exist
|
|
if ( $.inArray(id, $.livequery.queue) < 0 )
|
|
$.livequery.queue.push( id );
|
|
}
|
|
else
|
|
// Put each Live Query in the queue if it doesn't already exist
|
|
$.each( $.livequery.queries, function(id) {
|
|
if ( $.inArray(id, $.livequery.queue) < 0 )
|
|
$.livequery.queue.push( id );
|
|
});
|
|
|
|
// Clear timeout if it already exists
|
|
if ($.livequery.timeout) clearTimeout($.livequery.timeout);
|
|
// Create a timeout to check the queue and actually run the Live Queries
|
|
$.livequery.timeout = setTimeout($.livequery.checkQueue, 20);
|
|
},
|
|
|
|
stop: function(id) {
|
|
if (id != undefined)
|
|
// Stop are particular Live Query
|
|
$.livequery.queries[ id ].stop();
|
|
else
|
|
// Stop all Live Queries
|
|
$.each( $.livequery.queries, function(id) {
|
|
$.livequery.queries[ id ].stop();
|
|
});
|
|
}
|
|
});
|
|
|
|
// Register core DOM manipulation methods
|
|
$.livequery.registerPlugin('append', 'prepend', 'after', 'before', 'wrap', 'attr', 'removeAttr', 'addClass', 'removeClass', 'toggleClass', 'empty', 'remove');
|
|
|
|
// Run Live Queries when the Document is ready
|
|
$(function() { $.livequery.play(); });
|
|
|
|
|
|
// Save a reference to the original init method
|
|
var init = $.prototype.init;
|
|
|
|
// Create a new init method that exposes two new properties: selector and context
|
|
$.prototype.init = function(a,c) {
|
|
// Call the original init and save the result
|
|
var r = init.apply(this, arguments);
|
|
|
|
// Copy over properties if they exist already
|
|
if (a && a.selector)
|
|
r.context = a.context, r.selector = a.selector;
|
|
|
|
// Set properties
|
|
if ( typeof a == 'string' )
|
|
r.context = c || document, r.selector = a;
|
|
|
|
// Return the result
|
|
return r;
|
|
};
|
|
|
|
// Give the init function the jQuery prototype for later instantiation (needed after Rev 4091)
|
|
$.prototype.init.prototype = $.prototype;
|
|
|
|
})(jQuery);
|
|
/*
|
|
* jQuery UI @VERSION
|
|
*
|
|
* Copyright (c) 2008 Paul Bakaus (ui.jquery.com)
|
|
* Dual licensed under the MIT (MIT-LICENSE.txt)
|
|
* and GPL (GPL-LICENSE.txt) licenses.
|
|
*
|
|
* http://docs.jquery.com/UI
|
|
*/
|
|
;(function($) {
|
|
|
|
// This adds a selector to check if data exists.
|
|
jQuery.extend(jQuery.expr[':'], {
|
|
data: "jQuery.data(a, m[3])"
|
|
});
|
|
|
|
$.ui = {
|
|
plugin: {
|
|
add: function(module, option, set) {
|
|
var proto = $.ui[module].prototype;
|
|
for(var i in set) {
|
|
proto.plugins[i] = proto.plugins[i] || [];
|
|
proto.plugins[i].push([option, set[i]]);
|
|
}
|
|
},
|
|
call: function(instance, name, args) {
|
|
var set = instance.plugins[name];
|
|
if(!set) { return; }
|
|
|
|
for (var i = 0; i < set.length; i++) {
|
|
if (instance.options[set[i][0]]) {
|
|
set[i][1].apply(instance.element, args);
|
|
}
|
|
}
|
|
}
|
|
},
|
|
cssCache: {},
|
|
css: function(name) {
|
|
if ($.ui.cssCache[name]) { return $.ui.cssCache[name]; }
|
|
var tmp = $('<div class="ui-gen">').addClass(name).css({position:'absolute', top:'-5000px', left:'-5000px', display:'block'}).appendTo('body');
|
|
|
|
//if (!$.browser.safari)
|
|
//tmp.appendTo('body');
|
|
|
|
//Opera and Safari set width and height to 0px instead of auto
|
|
//Safari returns rgba(0,0,0,0) when bgcolor is not set
|
|
$.ui.cssCache[name] = !!(
|
|
(!(/auto|default/).test(tmp.css('cursor')) || (/^[1-9]/).test(tmp.css('height')) || (/^[1-9]/).test(tmp.css('width')) ||
|
|
!(/none/).test(tmp.css('backgroundImage')) || !(/transparent|rgba\(0, 0, 0, 0\)/).test(tmp.css('backgroundColor')))
|
|
);
|
|
try { $('body').get(0).removeChild(tmp.get(0)); } catch(e){}
|
|
return $.ui.cssCache[name];
|
|
},
|
|
disableSelection: function(el) {
|
|
$(el).attr('unselectable', 'on').css('MozUserSelect', 'none');
|
|
},
|
|
enableSelection: function(el) {
|
|
$(el).attr('unselectable', 'off').css('MozUserSelect', '');
|
|
},
|
|
hasScroll: function(e, a) {
|
|
var scroll = (a && a == 'left') ? 'scrollLeft' : 'scrollTop',
|
|
has = false;
|
|
|
|
if (e[scroll] > 0) { return true; }
|
|
|
|
// TODO: determine which cases actually cause this to happen
|
|
// if the element doesn't have the scroll set, see if it's possible to
|
|
// set the scroll
|
|
e[scroll] = 1;
|
|
has = (e[scroll] > 0);
|
|
e[scroll] = 0;
|
|
return has;
|
|
}
|
|
};
|
|
|
|
|
|
/** jQuery core modifications and additions **/
|
|
|
|
var _remove = $.fn.remove;
|
|
$.fn.remove = function() {
|
|
$("*", this).add(this).triggerHandler("remove");
|
|
return _remove.apply(this, arguments );
|
|
};
|
|
|
|
// $.widget is a factory to create jQuery plugins
|
|
// taking some boilerplate code out of the plugin code
|
|
// created by Scott González and Jörn Zaefferer
|
|
function getter(namespace, plugin, method) {
|
|
var methods = $[namespace][plugin].getter || [];
|
|
methods = (typeof methods == "string" ? methods.split(/,?\s+/) : methods);
|
|
return ($.inArray(method, methods) != -1);
|
|
}
|
|
|
|
$.widget = function(name, prototype) {
|
|
var namespace = name.split(".")[0];
|
|
name = name.split(".")[1];
|
|
|
|
// create plugin method
|
|
$.fn[name] = function(options) {
|
|
var isMethodCall = (typeof options == 'string'),
|
|
args = Array.prototype.slice.call(arguments, 1);
|
|
|
|
if (isMethodCall && getter(namespace, name, options)) {
|
|
var instance = $.data(this[0], name);
|
|
return (instance ? instance[options].apply(instance, args)
|
|
: undefined);
|
|
}
|
|
|
|
return this.each(function() {
|
|
var instance = $.data(this, name);
|
|
if (isMethodCall && instance && $.isFunction(instance[options])) {
|
|
instance[options].apply(instance, args);
|
|
} else if (!isMethodCall) {
|
|
$.data(this, name, new $[namespace][name](this, options));
|
|
}
|
|
});
|
|
};
|
|
|
|
// create widget constructor
|
|
$[namespace][name] = function(element, options) {
|
|
var self = this;
|
|
|
|
this.widgetName = name;
|
|
this.widgetEventPrefix = $[namespace][name].eventPrefix || name;
|
|
this.widgetBaseClass = namespace + '-' + name;
|
|
|
|
this.options = $.extend({}, $.widget.defaults, $[namespace][name].defaults, options);
|
|
this.element = $(element)
|
|
.bind('setData.' + name, function(e, key, value) {
|
|
return self.setData(key, value);
|
|
})
|
|
.bind('getData.' + name, function(e, key) {
|
|
return self.getData(key);
|
|
})
|
|
.bind('remove', function() {
|
|
return self.destroy();
|
|
});
|
|
this.init();
|
|
};
|
|
|
|
// add widget prototype
|
|
$[namespace][name].prototype = $.extend({}, $.widget.prototype, prototype);
|
|
};
|
|
|
|
$.widget.prototype = {
|
|
init: function() {},
|
|
destroy: function() {
|
|
this.element.removeData(this.widgetName);
|
|
},
|
|
|
|
getData: function(key) {
|
|
return this.options[key];
|
|
},
|
|
setData: function(key, value) {
|
|
this.options[key] = value;
|
|
|
|
if (key == 'disabled') {
|
|
this.element[value ? 'addClass' : 'removeClass'](
|
|
this.widgetBaseClass + '-disabled');
|
|
}
|
|
},
|
|
|
|
enable: function() {
|
|
this.setData('disabled', false);
|
|
},
|
|
disable: function() {
|
|
this.setData('disabled', true);
|
|
},
|
|
|
|
trigger: function(type, e, data) {
|
|
var eventName = (type == this.widgetEventPrefix
|
|
? type : this.widgetEventPrefix + type);
|
|
e = e || $.event.fix({ type: eventName, target: this.element[0] });
|
|
return this.element.triggerHandler(eventName, [e, data], this.options[type]);
|
|
}
|
|
};
|
|
|
|
$.widget.defaults = {
|
|
disabled: false
|
|
};
|
|
|
|
|
|
/** Mouse Interaction Plugin **/
|
|
|
|
$.ui.mouse = {
|
|
mouseInit: function() {
|
|
var self = this;
|
|
|
|
this.element.bind('mousedown.'+this.widgetName, function(e) {
|
|
return self.mouseDown(e);
|
|
});
|
|
|
|
// Prevent text selection in IE
|
|
if ($.browser.msie) {
|
|
this._mouseUnselectable = this.element.attr('unselectable');
|
|
this.element.attr('unselectable', 'on');
|
|
}
|
|
|
|
this.started = false;
|
|
},
|
|
|
|
// TODO: make sure destroying one instance of mouse doesn't mess with
|
|
// other instances of mouse
|
|
mouseDestroy: function() {
|
|
this.element.unbind('.'+this.widgetName);
|
|
|
|
// Restore text selection in IE
|
|
($.browser.msie
|
|
&& this.element.attr('unselectable', this._mouseUnselectable));
|
|
},
|
|
|
|
mouseDown: function(e) {
|
|
// we may have missed mouseup (out of window)
|
|
(this._mouseStarted && this.mouseUp(e));
|
|
|
|
this._mouseDownEvent = e;
|
|
|
|
var self = this,
|
|
btnIsLeft = (e.which == 1),
|
|
elIsCancel = (typeof this.options.cancel == "string" ? $(e.target).parents().add(e.target).filter(this.options.cancel).length : false);
|
|
if (!btnIsLeft || elIsCancel || !this.mouseCapture(e)) {
|
|
return true;
|
|
}
|
|
|
|
this._mouseDelayMet = !this.options.delay;
|
|
if (!this._mouseDelayMet) {
|
|
this._mouseDelayTimer = setTimeout(function() {
|
|
self._mouseDelayMet = true;
|
|
}, this.options.delay);
|
|
}
|
|
|
|
if (this.mouseDistanceMet(e) && this.mouseDelayMet(e)) {
|
|
this._mouseStarted = (this.mouseStart(e) !== false);
|
|
if (!this._mouseStarted) {
|
|
e.preventDefault();
|
|
return true;
|
|
}
|
|
}
|
|
|
|
// these delegates are required to keep context
|
|
this._mouseMoveDelegate = function(e) {
|
|
return self.mouseMove(e);
|
|
};
|
|
this._mouseUpDelegate = function(e) {
|
|
return self.mouseUp(e);
|
|
};
|
|
$(document)
|
|
.bind('mousemove.'+this.widgetName, this._mouseMoveDelegate)
|
|
.bind('mouseup.'+this.widgetName, this._mouseUpDelegate);
|
|
|
|
return false;
|
|
},
|
|
|
|
mouseMove: function(e) {
|
|
// IE mouseup check - mouseup happened when mouse was out of window
|
|
if ($.browser.msie && !e.button) {
|
|
return this.mouseUp(e);
|
|
}
|
|
|
|
if (this._mouseStarted) {
|
|
this.mouseDrag(e);
|
|
return false;
|
|
}
|
|
|
|
if (this.mouseDistanceMet(e) && this.mouseDelayMet(e)) {
|
|
this._mouseStarted =
|
|
(this.mouseStart(this._mouseDownEvent, e) !== false);
|
|
(this._mouseStarted ? this.mouseDrag(e) : this.mouseUp(e));
|
|
}
|
|
|
|
return !this._mouseStarted;
|
|
},
|
|
|
|
mouseUp: function(e) {
|
|
$(document)
|
|
.unbind('mousemove.'+this.widgetName, this._mouseMoveDelegate)
|
|
.unbind('mouseup.'+this.widgetName, this._mouseUpDelegate);
|
|
|
|
if (this._mouseStarted) {
|
|
this._mouseStarted = false;
|
|
this.mouseStop(e);
|
|
}
|
|
|
|
return false;
|
|
},
|
|
|
|
mouseDistanceMet: function(e) {
|
|
return (Math.max(
|
|
Math.abs(this._mouseDownEvent.pageX - e.pageX),
|
|
Math.abs(this._mouseDownEvent.pageY - e.pageY)
|
|
) >= this.options.distance
|
|
);
|
|
},
|
|
|
|
mouseDelayMet: function(e) {
|
|
return this._mouseDelayMet;
|
|
},
|
|
|
|
// These are placeholder methods, to be overriden by extending plugin
|
|
mouseStart: function(e) {},
|
|
mouseDrag: function(e) {},
|
|
mouseStop: function(e) {},
|
|
mouseCapture: function(e) { return true; }
|
|
};
|
|
|
|
$.ui.mouse.defaults = {
|
|
cancel: null,
|
|
distance: 1,
|
|
delay: 0
|
|
};
|
|
|
|
})(jQuery);
|
|
|
|
/*
|
|
* jQuery UI Datepicker
|
|
*
|
|
* Copyright (c) 2006, 2007, 2008 Marc Grabanski
|
|
* Dual licensed under the MIT (MIT-LICENSE.txt)
|
|
* and GPL (GPL-LICENSE.txt) licenses.
|
|
*
|
|
* http://docs.jquery.com/UI/Datepicker
|
|
*
|
|
* Depends:
|
|
* ui.core.js
|
|
*
|
|
* Marc Grabanski (m@marcgrabanski.com) and Keith Wood (kbwood@virginbroadband.com.au).
|
|
*/
|
|
|
|
(function($) { // hide the namespace
|
|
|
|
var PROP_NAME = 'datepicker';
|
|
|
|
/* Date picker manager.
|
|
Use the singleton instance of this class, $.datepicker, to interact with the date picker.
|
|
Settings for (groups of) date pickers are maintained in an instance object,
|
|
allowing multiple different settings on the same page. */
|
|
|
|
function Datepicker() {
|
|
this.debug = false; // Change this to true to start debugging
|
|
this._curInst = null; // The current instance in use
|
|
this._disabledInputs = []; // List of date picker inputs that have been disabled
|
|
this._datepickerShowing = false; // True if the popup picker is showing , false if not
|
|
this._inDialog = false; // True if showing within a "dialog", false if not
|
|
this._mainDivId = 'ui-datepicker-div'; // The ID of the main datepicker division
|
|
this._inlineClass = 'ui-datepicker-inline'; // The name of the inline marker class
|
|
this._appendClass = 'ui-datepicker-append'; // The name of the append marker class
|
|
this._triggerClass = 'ui-datepicker-trigger'; // The name of the trigger marker class
|
|
this._dialogClass = 'ui-datepicker-dialog'; // The name of the dialog marker class
|
|
this._promptClass = 'ui-datepicker-prompt'; // The name of the dialog prompt marker class
|
|
this._disableClass = 'ui-datepicker-disabled'; // The name of the disabled covering marker class
|
|
this._unselectableClass = 'ui-datepicker-unselectable'; // The name of the unselectable cell marker class
|
|
this._currentClass = 'ui-datepicker-current-day'; // The name of the current day marker class
|
|
this.regional = []; // Available regional settings, indexed by language code
|
|
this.regional[''] = { // Default regional settings
|
|
clearText: 'Clear', // Display text for clear link
|
|
clearStatus: 'Erase the current date', // Status text for clear link
|
|
closeText: 'Close', // Display text for close link
|
|
closeStatus: 'Close without change', // Status text for close link
|
|
prevText: '<Prev', // Display text for previous month link
|
|
prevStatus: 'Show the previous month', // Status text for previous month link
|
|
prevBigText: '<<', // Display text for previous year link
|
|
prevBigStatus: 'Show the previous year', // Status text for previous year link
|
|
nextText: 'Next>', // Display text for next month link
|
|
nextStatus: 'Show the next month', // Status text for next month link
|
|
nextBigText: '>>', // Display text for next year link
|
|
nextBigStatus: 'Show the next year', // Status text for next year link
|
|
currentText: 'Today', // Display text for current month link
|
|
currentStatus: 'Show the current month', // Status text for current month link
|
|
monthNames: ['January','February','March','April','May','June',
|
|
'July','August','September','October','November','December'], // Names of months for drop-down and formatting
|
|
monthNamesShort: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], // For formatting
|
|
monthStatus: 'Show a different month', // Status text for selecting a month
|
|
yearStatus: 'Show a different year', // Status text for selecting a year
|
|
weekHeader: 'Wk', // Header for the week of the year column
|
|
weekStatus: 'Week of the year', // Status text for the week of the year column
|
|
dayNames: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'], // For formatting
|
|
dayNamesShort: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'], // For formatting
|
|
dayNamesMin: ['Su','Mo','Tu','We','Th','Fr','Sa'], // Column headings for days starting at Sunday
|
|
dayStatus: 'Set DD as first week day', // Status text for the day of the week selection
|
|
dateStatus: 'Select DD, M d', // Status text for the date selection
|
|
dateFormat: 'mm/dd/yy', // See format options on parseDate
|
|
firstDay: 0, // The first day of the week, Sun = 0, Mon = 1, ...
|
|
initStatus: 'Select a date', // Initial Status text on opening
|
|
isRTL: false // True if right-to-left language, false if left-to-right
|
|
};
|
|
this._defaults = { // Global defaults for all the date picker instances
|
|
showOn: 'focus', // 'focus' for popup on focus,
|
|
// 'button' for trigger button, or 'both' for either
|
|
showAnim: 'show', // Name of jQuery animation for popup
|
|
showOptions: {}, // Options for enhanced animations
|
|
defaultDate: null, // Used when field is blank: actual date,
|
|
// +/-number for offset from today, null for today
|
|
appendText: '', // Display text following the input box, e.g. showing the format
|
|
buttonText: '...', // Text for trigger button
|
|
buttonImage: '', // URL for trigger button image
|
|
buttonImageOnly: false, // True if the image appears alone, false if it appears on a button
|
|
closeAtTop: true, // True to have the clear/close at the top,
|
|
// false to have them at the bottom
|
|
mandatory: false, // True to hide the Clear link, false to include it
|
|
hideIfNoPrevNext: false, // True to hide next/previous month links
|
|
// if not applicable, false to just disable them
|
|
navigationAsDateFormat: false, // True if date formatting applied to prev/today/next links
|
|
showBigPrevNext: false, // True to show big prev/next links
|
|
gotoCurrent: false, // True if today link goes back to current selection instead
|
|
changeMonth: true, // True if month can be selected directly, false if only prev/next
|
|
changeYear: true, // True if year can be selected directly, false if only prev/next
|
|
monthAfterYear: false, // True if the year select precedes month, false for month then year
|
|
yearRange: '-10:+10', // Range of years to display in drop-down,
|
|
// either relative to current year (-nn:+nn) or absolute (nnnn:nnnn)
|
|
changeFirstDay: true, // True to click on day name to change, false to remain as set
|
|
highlightWeek: false, // True to highlight the selected week
|
|
showOtherMonths: false, // True to show dates in other months, false to leave blank
|
|
showWeeks: false, // True to show week of the year, false to omit
|
|
calculateWeek: this.iso8601Week, // How to calculate the week of the year,
|
|
// takes a Date and returns the number of the week for it
|
|
shortYearCutoff: '+10', // Short year values < this are in the current century,
|
|
// > this are in the previous century,
|
|
// string value starting with '+' for current year + value
|
|
showStatus: false, // True to show status bar at bottom, false to not show it
|
|
statusForDate: this.dateStatus, // Function to provide status text for a date -
|
|
// takes date and instance as parameters, returns display text
|
|
minDate: null, // The earliest selectable date, or null for no limit
|
|
maxDate: null, // The latest selectable date, or null for no limit
|
|
duration: 'normal', // Duration of display/closure
|
|
beforeShowDay: null, // Function that takes a date and returns an array with
|
|
// [0] = true if selectable, false if not, [1] = custom CSS class name(s) or '',
|
|
// [2] = cell title (optional), e.g. $.datepicker.noWeekends
|
|
beforeShow: null, // Function that takes an input field and
|
|
// returns a set of custom settings for the date picker
|
|
onSelect: null, // Define a callback function when a date is selected
|
|
onChangeMonthYear: null, // Define a callback function when the month or year is changed
|
|
onClose: null, // Define a callback function when the datepicker is closed
|
|
numberOfMonths: 1, // Number of months to show at a time
|
|
showCurrentAtPos: 0, // The position in multipe months at which to show the current month (starting at 0)
|
|
stepMonths: 1, // Number of months to step back/forward
|
|
stepBigMonths: 12, // Number of months to step back/forward for the big links
|
|
rangeSelect: false, // Allows for selecting a date range on one date picker
|
|
rangeSeparator: ' - ', // Text between two dates in a range
|
|
altField: '', // Selector for an alternate field to store selected dates into
|
|
altFormat: '' // The date format to use for the alternate field
|
|
};
|
|
$.extend(this._defaults, this.regional['']);
|
|
this.dpDiv = $('<div id="' + this._mainDivId + '" style="display: none;"></div>');
|
|
}
|
|
|
|
$.extend(Datepicker.prototype, {
|
|
/* Class name added to elements to indicate already configured with a date picker. */
|
|
markerClassName: 'hasDatepicker',
|
|
|
|
/* Debug logging (if enabled). */
|
|
log: function () {
|
|
if (this.debug)
|
|
console.log.apply('', arguments);
|
|
},
|
|
|
|
/* Override the default settings for all instances of the date picker.
|
|
@param settings object - the new settings to use as defaults (anonymous object)
|
|
@return the manager object */
|
|
setDefaults: function(settings) {
|
|
extendRemove(this._defaults, settings || {});
|
|
return this;
|
|
},
|
|
|
|
/* Attach the date picker to a jQuery selection.
|
|
@param target element - the target input field or division or span
|
|
@param settings object - the new settings to use for this date picker instance (anonymous) */
|
|
_attachDatepicker: function(target, settings) {
|
|
// check for settings on the control itself - in namespace 'date:'
|
|
var inlineSettings = null;
|
|
for (attrName in this._defaults) {
|
|
var attrValue = target.getAttribute('date:' + attrName);
|
|
if (attrValue) {
|
|
inlineSettings = inlineSettings || {};
|
|
try {
|
|
inlineSettings[attrName] = eval(attrValue);
|
|
} catch (err) {
|
|
inlineSettings[attrName] = attrValue;
|
|
}
|
|
}
|
|
}
|
|
var nodeName = target.nodeName.toLowerCase();
|
|
var inline = (nodeName == 'div' || nodeName == 'span');
|
|
if (!target.id)
|
|
target.id = 'dp' + new Date().getTime();
|
|
var inst = this._newInst($(target), inline);
|
|
inst.settings = $.extend({}, settings || {}, inlineSettings || {});
|
|
if (nodeName == 'input') {
|
|
this._connectDatepicker(target, inst);
|
|
} else if (inline) {
|
|
this._inlineDatepicker(target, inst);
|
|
}
|
|
},
|
|
|
|
/* Create a new instance object. */
|
|
_newInst: function(target, inline) {
|
|
var id = target[0].id.replace(/([:\[\]\.])/g, '\\\\$1'); // escape jQuery meta chars
|
|
return {id: id, input: target, // associated target
|
|
selectedDay: 0, selectedMonth: 0, selectedYear: 0, // current selection
|
|
drawMonth: 0, drawYear: 0, // month being drawn
|
|
inline: inline, // is datepicker inline or not
|
|
dpDiv: (!inline ? this.dpDiv : // presentation div
|
|
$('<div class="' + this._inlineClass + '"></div>'))};
|
|
},
|
|
|
|
/* Attach the date picker to an input field. */
|
|
_connectDatepicker: function(target, inst) {
|
|
var input = $(target);
|
|
if (input.hasClass(this.markerClassName))
|
|
return;
|
|
var appendText = this._get(inst, 'appendText');
|
|
var isRTL = this._get(inst, 'isRTL');
|
|
if (appendText)
|
|
input[isRTL ? 'before' : 'after']('<span class="' + this._appendClass + '">' + appendText + '</span>');
|
|
var showOn = this._get(inst, 'showOn');
|
|
if (showOn == 'focus' || showOn == 'both') // pop-up date picker when in the marked field
|
|
input.focus(this._showDatepicker);
|
|
if (showOn == 'button' || showOn == 'both') { // pop-up date picker when button clicked
|
|
var buttonText = this._get(inst, 'buttonText');
|
|
var buttonImage = this._get(inst, 'buttonImage');
|
|
var trigger = $(this._get(inst, 'buttonImageOnly') ?
|
|
$('<img/>').addClass(this._triggerClass).
|
|
attr({ src: buttonImage, alt: buttonText, title: buttonText }) :
|
|
$('<button type="button"></button>').addClass(this._triggerClass).
|
|
html(buttonImage == '' ? buttonText : $('<img/>').attr(
|
|
{ src:buttonImage, alt:buttonText, title:buttonText })));
|
|
input[isRTL ? 'before' : 'after'](trigger);
|
|
trigger.click(function() {
|
|
if ($.datepicker._datepickerShowing && $.datepicker._lastInput == target)
|
|
$.datepicker._hideDatepicker();
|
|
else
|
|
$.datepicker._showDatepicker(target);
|
|
return false;
|
|
});
|
|
}
|
|
input.addClass(this.markerClassName).keydown(this._doKeyDown).keypress(this._doKeyPress).
|
|
bind("setData.datepicker", function(event, key, value) {
|
|
inst.settings[key] = value;
|
|
}).bind("getData.datepicker", function(event, key) {
|
|
return this._get(inst, key);
|
|
});
|
|
$.data(target, PROP_NAME, inst);
|
|
},
|
|
|
|
/* Attach an inline date picker to a div. */
|
|
_inlineDatepicker: function(target, inst) {
|
|
var input = $(target);
|
|
if (input.hasClass(this.markerClassName))
|
|
return;
|
|
input.addClass(this.markerClassName).append(inst.dpDiv).
|
|
bind("setData.datepicker", function(event, key, value){
|
|
inst.settings[key] = value;
|
|
}).bind("getData.datepicker", function(event, key){
|
|
return this._get(inst, key);
|
|
});
|
|
$.data(target, PROP_NAME, inst);
|
|
this._setDate(inst, this._getDefaultDate(inst));
|
|
this._updateDatepicker(inst);
|
|
},
|
|
|
|
/* Tidy up after displaying the date picker. */
|
|
_inlineShow: function(inst) {
|
|
var numMonths = this._getNumberOfMonths(inst); // fix width for dynamic number of date pickers
|
|
inst.dpDiv.width(numMonths[1] * $('.ui-datepicker', inst.dpDiv[0]).width());
|
|
},
|
|
|
|
/* Pop-up the date picker in a "dialog" box.
|
|
@param input element - ignored
|
|
@param dateText string - the initial date to display (in the current format)
|
|
@param onSelect function - the function(dateText) to call when a date is selected
|
|
@param settings object - update the dialog date picker instance's settings (anonymous object)
|
|
@param pos int[2] - coordinates for the dialog's position within the screen or
|
|
event - with x/y coordinates or
|
|
leave empty for default (screen centre)
|
|
@return the manager object */
|
|
_dialogDatepicker: function(input, dateText, onSelect, settings, pos) {
|
|
var inst = this._dialogInst; // internal instance
|
|
if (!inst) {
|
|
var id = 'dp' + new Date().getTime();
|
|
this._dialogInput = $('<input type="text" id="' + id +
|
|
'" size="1" style="position: absolute; top: -100px;"/>');
|
|
this._dialogInput.keydown(this._doKeyDown);
|
|
$('body').append(this._dialogInput);
|
|
inst = this._dialogInst = this._newInst(this._dialogInput, false);
|
|
inst.settings = {};
|
|
$.data(this._dialogInput[0], PROP_NAME, inst);
|
|
}
|
|
extendRemove(inst.settings, settings || {});
|
|
this._dialogInput.val(dateText);
|
|
|
|
this._pos = (pos ? (pos.length ? pos : [pos.pageX, pos.pageY]) : null);
|
|
if (!this._pos) {
|
|
var browserWidth = window.innerWidth || document.documentElement.clientWidth || document.body.clientWidth;
|
|
var browserHeight = window.innerHeight || document.documentElement.clientHeight || document.body.clientHeight;
|
|
var scrollX = document.documentElement.scrollLeft || document.body.scrollLeft;
|
|
var scrollY = document.documentElement.scrollTop || document.body.scrollTop;
|
|
this._pos = // should use actual width/height below
|
|
[(browserWidth / 2) - 100 + scrollX, (browserHeight / 2) - 150 + scrollY];
|
|
}
|
|
|
|
// move input on screen for focus, but hidden behind dialog
|
|
this._dialogInput.css('left', this._pos[0] + 'px').css('top', this._pos[1] + 'px');
|
|
inst.settings.onSelect = onSelect;
|
|
this._inDialog = true;
|
|
this.dpDiv.addClass(this._dialogClass);
|
|
this._showDatepicker(this._dialogInput[0]);
|
|
if ($.blockUI)
|
|
$.blockUI(this.dpDiv);
|
|
$.data(this._dialogInput[0], PROP_NAME, inst);
|
|
return this;
|
|
},
|
|
|
|
/* Detach a datepicker from its control.
|
|
@param target element - the target input field or division or span */
|
|
_destroyDatepicker: function(target) {
|
|
var $target = $(target);
|
|
if (!$target.hasClass(this.markerClassName)) {
|
|
return;
|
|
}
|
|
var nodeName = target.nodeName.toLowerCase();
|
|
$.removeData(target, PROP_NAME);
|
|
if (nodeName == 'input') {
|
|
$target.siblings('.' + this._appendClass).remove().end().
|
|
siblings('.' + this._triggerClass).remove().end().
|
|
removeClass(this.markerClassName).
|
|
unbind('focus', this._showDatepicker).
|
|
unbind('keydown', this._doKeyDown).
|
|
unbind('keypress', this._doKeyPress);
|
|
} else if (nodeName == 'div' || nodeName == 'span')
|
|
$target.removeClass(this.markerClassName).empty();
|
|
},
|
|
|
|
/* Enable the date picker to a jQuery selection.
|
|
@param target element - the target input field or division or span */
|
|
_enableDatepicker: function(target) {
|
|
var $target = $(target);
|
|
if (!$target.hasClass(this.markerClassName)) {
|
|
return;
|
|
}
|
|
var nodeName = target.nodeName.toLowerCase();
|
|
if (nodeName == 'input') {
|
|
target.disabled = false;
|
|
$target.siblings('button.' + this._triggerClass).
|
|
each(function() { this.disabled = false; }).end().
|
|
siblings('img.' + this._triggerClass).
|
|
css({opacity: '1.0', cursor: ''});
|
|
}
|
|
else if (nodeName == 'div' || nodeName == 'span') {
|
|
$target.children('.' + this._disableClass).remove();
|
|
}
|
|
this._disabledInputs = $.map(this._disabledInputs,
|
|
function(value) { return (value == target ? null : value); }); // delete entry
|
|
},
|
|
|
|
/* Disable the date picker to a jQuery selection.
|
|
@param target element - the target input field or division or span */
|
|
_disableDatepicker: function(target) {
|
|
var $target = $(target);
|
|
if (!$target.hasClass(this.markerClassName)) {
|
|
return;
|
|
}
|
|
var nodeName = target.nodeName.toLowerCase();
|
|
if (nodeName == 'input') {
|
|
target.disabled = true;
|
|
$target.siblings('button.' + this._triggerClass).
|
|
each(function() { this.disabled = true; }).end().
|
|
siblings('img.' + this._triggerClass).
|
|
css({opacity: '0.5', cursor: 'default'});
|
|
}
|
|
else if (nodeName == 'div' || nodeName == 'span') {
|
|
var inline = $target.children('.' + this._inlineClass);
|
|
var offset = inline.offset();
|
|
var relOffset = {left: 0, top: 0};
|
|
inline.parents().each(function() {
|
|
if ($(this).css('position') == 'relative') {
|
|
relOffset = $(this).offset();
|
|
return false;
|
|
}
|
|
});
|
|
$target.prepend('<div class="' + this._disableClass + '" style="' +
|
|
($.browser.msie ? 'background-color: transparent; ' : '') +
|
|
'width: ' + inline.width() + 'px; height: ' + inline.height() +
|
|
'px; left: ' + (offset.left - relOffset.left) +
|
|
'px; top: ' + (offset.top - relOffset.top) + 'px;"></div>');
|
|
}
|
|
this._disabledInputs = $.map(this._disabledInputs,
|
|
function(value) { return (value == target ? null : value); }); // delete entry
|
|
this._disabledInputs[this._disabledInputs.length] = target;
|
|
},
|
|
|
|
/* Is the first field in a jQuery collection disabled as a datepicker?
|
|
@param target element - the target input field or division or span
|
|
@return boolean - true if disabled, false if enabled */
|
|
_isDisabledDatepicker: function(target) {
|
|
if (!target)
|
|
return false;
|
|
for (var i = 0; i < this._disabledInputs.length; i++) {
|
|
if (this._disabledInputs[i] == target)
|
|
return true;
|
|
}
|
|
return false;
|
|
},
|
|
|
|
/* Update the settings for a date picker attached to an input field or division.
|
|
@param target element - the target input field or division or span
|
|
@param name object - the new settings to update or
|
|
string - the name of the setting to change or
|
|
@param value any - the new value for the setting (omit if above is an object) */
|
|
_changeDatepicker: function(target, name, value) {
|
|
var settings = name || {};
|
|
if (typeof name == 'string') {
|
|
settings = {};
|
|
settings[name] = value;
|
|
}
|
|
if (inst = $.data(target, PROP_NAME)) {
|
|
extendRemove(inst.settings, settings);
|
|
this._updateDatepicker(inst);
|
|
}
|
|
},
|
|
|
|
/* Set the dates for a jQuery selection.
|
|
@param target element - the target input field or division or span
|
|
@param date Date - the new date
|
|
@param endDate Date - the new end date for a range (optional) */
|
|
_setDateDatepicker: function(target, date, endDate) {
|
|
var inst = $.data(target, PROP_NAME);
|
|
if (inst) {
|
|
this._setDate(inst, date, endDate);
|
|
this._updateDatepicker(inst);
|
|
}
|
|
},
|
|
|
|
/* Get the date(s) for the first entry in a jQuery selection.
|
|
@param target element - the target input field or division or span
|
|
@return Date - the current date or
|
|
Date[2] - the current dates for a range */
|
|
_getDateDatepicker: function(target) {
|
|
var inst = $.data(target, PROP_NAME);
|
|
if (inst && !inst.inline)
|
|
this._setDateFromField(inst);
|
|
return (inst ? this._getDate(inst) : null);
|
|
},
|
|
|
|
/* Handle keystrokes. */
|
|
_doKeyDown: function(e) {
|
|
var inst = $.data(e.target, PROP_NAME);
|
|
var handled = true;
|
|
if ($.datepicker._datepickerShowing)
|
|
switch (e.keyCode) {
|
|
case 9: $.datepicker._hideDatepicker(null, '');
|
|
break; // hide on tab out
|
|
case 13: $.datepicker._selectDay(e.target, inst.selectedMonth, inst.selectedYear,
|
|
$('td.ui-datepicker-days-cell-over', inst.dpDiv)[0]);
|
|
return false; // don't submit the form
|
|
break; // select the value on enter
|
|
case 27: $.datepicker._hideDatepicker(null, $.datepicker._get(inst, 'duration'));
|
|
break; // hide on escape
|
|
case 33: $.datepicker._adjustDate(e.target, (e.ctrlKey ? -1 :
|
|
-$.datepicker._get(inst, 'stepMonths')), (e.ctrlKey ? 'Y' : 'M'));
|
|
break; // previous month/year on page up/+ ctrl
|
|
case 34: $.datepicker._adjustDate(e.target, (e.ctrlKey ? +1 :
|
|
+$.datepicker._get(inst, 'stepMonths')), (e.ctrlKey ? 'Y' : 'M'));
|
|
break; // next month/year on page down/+ ctrl
|
|
case 35: if (e.ctrlKey) $.datepicker._clearDate(e.target);
|
|
handled = e.ctrlKey;
|
|
break; // clear on ctrl+end
|
|
case 36: if (e.ctrlKey) $.datepicker._gotoToday(e.target);
|
|
handled = e.ctrlKey;
|
|
break; // current on ctrl+home
|
|
case 37: if (e.ctrlKey) $.datepicker._adjustDate(e.target, -1, 'D');
|
|
handled = e.ctrlKey;
|
|
break; // -1 day on ctrl+left
|
|
case 38: if (e.ctrlKey) $.datepicker._adjustDate(e.target, -7, 'D');
|
|
handled = e.ctrlKey;
|
|
break; // -1 week on ctrl+up
|
|
case 39: if (e.ctrlKey) $.datepicker._adjustDate(e.target, +1, 'D');
|
|
handled = e.ctrlKey;
|
|
break; // +1 day on ctrl+right
|
|
case 40: if (e.ctrlKey) $.datepicker._adjustDate(e.target, +7, 'D');
|
|
handled = e.ctrlKey;
|
|
break; // +1 week on ctrl+down
|
|
default: handled = false;
|
|
}
|
|
else if (e.keyCode == 36 && e.ctrlKey) // display the date picker on ctrl+home
|
|
$.datepicker._showDatepicker(this);
|
|
else
|
|
handled = false;
|
|
if (handled) {
|
|
e.preventDefault();
|
|
e.stopPropagation();
|
|
}
|
|
},
|
|
|
|
/* Filter entered characters - based on date format. */
|
|
_doKeyPress: function(e) {
|
|
var inst = $.data(e.target, PROP_NAME);
|
|
var chars = $.datepicker._possibleChars($.datepicker._get(inst, 'dateFormat'));
|
|
var chr = String.fromCharCode(e.charCode == undefined ? e.keyCode : e.charCode);
|
|
return e.ctrlKey || (chr < ' ' || !chars || chars.indexOf(chr) > -1);
|
|
},
|
|
|
|
/* Pop-up the date picker for a given input field.
|
|
@param input element - the input field attached to the date picker or
|
|
event - if triggered by focus */
|
|
_showDatepicker: function(input) {
|
|
input = input.target || input;
|
|
if (input.nodeName.toLowerCase() != 'input') // find from button/image trigger
|
|
input = $('input', input.parentNode)[0];
|
|
if ($.datepicker._isDisabledDatepicker(input) || $.datepicker._lastInput == input) // already here
|
|
return;
|
|
var inst = $.data(input, PROP_NAME);
|
|
var beforeShow = $.datepicker._get(inst, 'beforeShow');
|
|
extendRemove(inst.settings, (beforeShow ? beforeShow.apply(input, [input, inst]) : {}));
|
|
$.datepicker._hideDatepicker(null, '');
|
|
$.datepicker._lastInput = input;
|
|
$.datepicker._setDateFromField(inst);
|
|
if ($.datepicker._inDialog) // hide cursor
|
|
input.value = '';
|
|
if (!$.datepicker._pos) { // position below input
|
|
$.datepicker._pos = $.datepicker._findPos(input);
|
|
$.datepicker._pos[1] += input.offsetHeight; // add the height
|
|
}
|
|
var isFixed = false;
|
|
$(input).parents().each(function() {
|
|
isFixed |= $(this).css('position') == 'fixed';
|
|
return !isFixed;
|
|
});
|
|
if (isFixed && $.browser.opera) { // correction for Opera when fixed and scrolled
|
|
$.datepicker._pos[0] -= document.documentElement.scrollLeft;
|
|
$.datepicker._pos[1] -= document.documentElement.scrollTop;
|
|
}
|
|
var offset = {left: $.datepicker._pos[0], top: $.datepicker._pos[1]};
|
|
$.datepicker._pos = null;
|
|
inst.rangeStart = null;
|
|
// determine sizing offscreen
|
|
inst.dpDiv.css({position: 'absolute', display: 'block', top: '-1000px'});
|
|
$.datepicker._updateDatepicker(inst);
|
|
// fix width for dynamic number of date pickers
|
|
inst.dpDiv.width($.datepicker._getNumberOfMonths(inst)[1] *
|
|
$('.ui-datepicker', inst.dpDiv[0])[0].offsetWidth);
|
|
// and adjust position before showing
|
|
offset = $.datepicker._checkOffset(inst, offset, isFixed);
|
|
inst.dpDiv.css({position: ($.datepicker._inDialog && $.blockUI ?
|
|
'static' : (isFixed ? 'fixed' : 'absolute')), display: 'none',
|
|
left: offset.left + 'px', top: offset.top + 'px'});
|
|
if (!inst.inline) {
|
|
var showAnim = $.datepicker._get(inst, 'showAnim') || 'show';
|
|
var duration = $.datepicker._get(inst, 'duration');
|
|
var postProcess = function() {
|
|
$.datepicker._datepickerShowing = true;
|
|
if ($.browser.msie && parseInt($.browser.version) < 7) // fix IE < 7 select problems
|
|
$('iframe.ui-datepicker-cover').css({width: inst.dpDiv.width() + 4,
|
|
height: inst.dpDiv.height() + 4});
|
|
};
|
|
if ($.effects && $.effects[showAnim])
|
|
inst.dpDiv.show(showAnim, $.datepicker._get(inst, 'showOptions'), duration, postProcess);
|
|
else
|
|
inst.dpDiv[showAnim](duration, postProcess);
|
|
if (duration == '')
|
|
postProcess();
|
|
if (inst.input[0].type != 'hidden')
|
|
inst.input[0].focus();
|
|
$.datepicker._curInst = inst;
|
|
}
|
|
},
|
|
|
|
/* Generate the date picker content. */
|
|
_updateDatepicker: function(inst) {
|
|
var dims = {width: inst.dpDiv.width() + 4,
|
|
height: inst.dpDiv.height() + 4};
|
|
inst.dpDiv.empty().append(this._generateHTML(inst)).
|
|
find('iframe.ui-datepicker-cover').
|
|
css({width: dims.width, height: dims.height});
|
|
var numMonths = this._getNumberOfMonths(inst);
|
|
inst.dpDiv[(numMonths[0] != 1 || numMonths[1] != 1 ? 'add' : 'remove') +
|
|
'Class']('ui-datepicker-multi');
|
|
inst.dpDiv[(this._get(inst, 'isRTL') ? 'add' : 'remove') +
|
|
'Class']('ui-datepicker-rtl');
|
|
if (inst.input && inst.input[0].type != 'hidden')
|
|
$(inst.input[0]).focus();
|
|
},
|
|
|
|
/* Check positioning to remain on screen. */
|
|
_checkOffset: function(inst, offset, isFixed) {
|
|
var pos = inst.input ? this._findPos(inst.input[0]) : null;
|
|
var browserWidth = window.innerWidth || document.documentElement.clientWidth;
|
|
var browserHeight = window.innerHeight || document.documentElement.clientHeight;
|
|
var scrollX = document.documentElement.scrollLeft || document.body.scrollLeft;
|
|
var scrollY = document.documentElement.scrollTop || document.body.scrollTop;
|
|
// reposition date picker horizontally if outside the browser window
|
|
if (this._get(inst, 'isRTL') || (offset.left + inst.dpDiv.width() - scrollX) > browserWidth)
|
|
offset.left = Math.max((isFixed ? 0 : scrollX),
|
|
pos[0] + (inst.input ? inst.input.width() : 0) - (isFixed ? scrollX : 0) - inst.dpDiv.width() -
|
|
(isFixed && $.browser.opera ? document.documentElement.scrollLeft : 0));
|
|
else
|
|
offset.left -= (isFixed ? scrollX : 0);
|
|
// reposition date picker vertically if outside the browser window
|
|
if ((offset.top + inst.dpDiv.height() - scrollY) > browserHeight)
|
|
offset.top = Math.max((isFixed ? 0 : scrollY),
|
|
pos[1] - (isFixed ? scrollY : 0) - (this._inDialog ? 0 : inst.dpDiv.height()) -
|
|
(isFixed && $.browser.opera ? document.documentElement.scrollTop : 0));
|
|
else
|
|
offset.top -= (isFixed ? scrollY : 0);
|
|
return offset;
|
|
},
|
|
|
|
/* Find an object's position on the screen. */
|
|
_findPos: function(obj) {
|
|
while (obj && (obj.type == 'hidden' || obj.nodeType != 1)) {
|
|
obj = obj.nextSibling;
|
|
}
|
|
var position = $(obj).offset();
|
|
return [position.left, position.top];
|
|
},
|
|
|
|
/* Hide the date picker from view.
|
|
@param input element - the input field attached to the date picker
|
|
@param duration string - the duration over which to close the date picker */
|
|
_hideDatepicker: function(input, duration) {
|
|
var inst = this._curInst;
|
|
if (!inst)
|
|
return;
|
|
var rangeSelect = this._get(inst, 'rangeSelect');
|
|
if (rangeSelect && this._stayOpen)
|
|
this._selectDate('#' + inst.id, this._formatDate(inst,
|
|
inst.currentDay, inst.currentMonth, inst.currentYear));
|
|
this._stayOpen = false;
|
|
if (this._datepickerShowing) {
|
|
duration = (duration != null ? duration : this._get(inst, 'duration'));
|
|
var showAnim = this._get(inst, 'showAnim');
|
|
var postProcess = function() {
|
|
$.datepicker._tidyDialog(inst);
|
|
};
|
|
if (duration != '' && $.effects && $.effects[showAnim])
|
|
inst.dpDiv.hide(showAnim, $.datepicker._get(inst, 'showOptions'),
|
|
duration, postProcess);
|
|
else
|
|
inst.dpDiv[(duration == '' ? 'hide' : (showAnim == 'slideDown' ? 'slideUp' :
|
|
(showAnim == 'fadeIn' ? 'fadeOut' : 'hide')))](duration, postProcess);
|
|
if (duration == '')
|
|
this._tidyDialog(inst);
|
|
var onClose = this._get(inst, 'onClose');
|
|
if (onClose)
|
|
onClose.apply((inst.input ? inst.input[0] : null),
|
|
[this._getDate(inst), inst]); // trigger custom callback
|
|
this._datepickerShowing = false;
|
|
this._lastInput = null;
|
|
inst.settings.prompt = null;
|
|
if (this._inDialog) {
|
|
this._dialogInput.css({ position: 'absolute', left: '0', top: '-100px' });
|
|
if ($.blockUI) {
|
|
$.unblockUI();
|
|
$('body').append(this.dpDiv);
|
|
}
|
|
}
|
|
this._inDialog = false;
|
|
}
|
|
this._curInst = null;
|
|
},
|
|
|
|
/* Tidy up after a dialog display. */
|
|
_tidyDialog: function(inst) {
|
|
inst.dpDiv.removeClass(this._dialogClass).unbind('.ui-datepicker');
|
|
$('.' + this._promptClass, inst.dpDiv).remove();
|
|
},
|
|
|
|
/* Close date picker if clicked elsewhere. */
|
|
_checkExternalClick: function(event) {
|
|
if (!$.datepicker._curInst)
|
|
return;
|
|
var $target = $(event.target);
|
|
if (($target.parents('#' + $.datepicker._mainDivId).length == 0) &&
|
|
!$target.hasClass($.datepicker.markerClassName) &&
|
|
!$target.hasClass($.datepicker._triggerClass) &&
|
|
$.datepicker._datepickerShowing && !($.datepicker._inDialog && $.blockUI))
|
|
$.datepicker._hideDatepicker(null, '');
|
|
},
|
|
|
|
/* Adjust one of the date sub-fields. */
|
|
_adjustDate: function(id, offset, period) {
|
|
var target = $(id);
|
|
var inst = $.data(target[0], PROP_NAME);
|
|
this._adjustInstDate(inst, offset, period);
|
|
this._updateDatepicker(inst);
|
|
},
|
|
|
|
/* Action for current link. */
|
|
_gotoToday: function(id) {
|
|
var target = $(id);
|
|
var inst = $.data(target[0], PROP_NAME);
|
|
if (this._get(inst, 'gotoCurrent') && inst.currentDay) {
|
|
inst.selectedDay = inst.currentDay;
|
|
inst.drawMonth = inst.selectedMonth = inst.currentMonth;
|
|
inst.drawYear = inst.selectedYear = inst.currentYear;
|
|
}
|
|
else {
|
|
var date = new Date();
|
|
inst.selectedDay = date.getDate();
|
|
inst.drawMonth = inst.selectedMonth = date.getMonth();
|
|
inst.drawYear = inst.selectedYear = date.getFullYear();
|
|
}
|
|
this._adjustDate(target);
|
|
this._notifyChange(inst);
|
|
},
|
|
|
|
/* Action for selecting a new month/year. */
|
|
_selectMonthYear: function(id, select, period) {
|
|
var target = $(id);
|
|
var inst = $.data(target[0], PROP_NAME);
|
|
inst._selectingMonthYear = false;
|
|
inst[period == 'M' ? 'drawMonth' : 'drawYear'] =
|
|
select.options[select.selectedIndex].value - 0;
|
|
this._adjustDate(target);
|
|
this._notifyChange(inst);
|
|
},
|
|
|
|
/* Restore input focus after not changing month/year. */
|
|
_clickMonthYear: function(id) {
|
|
var target = $(id);
|
|
var inst = $.data(target[0], PROP_NAME);
|
|
if (inst.input && inst._selectingMonthYear && !$.browser.msie)
|
|
inst.input[0].focus();
|
|
inst._selectingMonthYear = !inst._selectingMonthYear;
|
|
},
|
|
|
|
/* Action for changing the first week day. */
|
|
_changeFirstDay: function(id, day) {
|
|
var target = $(id);
|
|
var inst = $.data(target[0], PROP_NAME);
|
|
inst.settings.firstDay = day;
|
|
this._updateDatepicker(inst);
|
|
},
|
|
|
|
/* Action for selecting a day. */
|
|
_selectDay: function(id, month, year, td) {
|
|
if ($(td).hasClass(this._unselectableClass))
|
|
return;
|
|
var target = $(id);
|
|
var inst = $.data(target[0], PROP_NAME);
|
|
var rangeSelect = this._get(inst, 'rangeSelect');
|
|
if (rangeSelect) {
|
|
this._stayOpen = !this._stayOpen;
|
|
if (this._stayOpen) {
|
|
$('.ui-datepicker td').removeClass(this._currentClass);
|
|
$(td).addClass(this._currentClass);
|
|
}
|
|
}
|
|
inst.selectedDay = inst.currentDay = $('a', td).html();
|
|
inst.selectedMonth = inst.currentMonth = month;
|
|
inst.selectedYear = inst.currentYear = year;
|
|
if (this._stayOpen) {
|
|
inst.endDay = inst.endMonth = inst.endYear = null;
|
|
}
|
|
else if (rangeSelect) {
|
|
inst.endDay = inst.currentDay;
|
|
inst.endMonth = inst.currentMonth;
|
|
inst.endYear = inst.currentYear;
|
|
}
|
|
this._selectDate(id, this._formatDate(inst,
|
|
inst.currentDay, inst.currentMonth, inst.currentYear));
|
|
if (this._stayOpen) {
|
|
inst.rangeStart = new Date(inst.currentYear, inst.currentMonth, inst.currentDay);
|
|
this._updateDatepicker(inst);
|
|
}
|
|
else if (rangeSelect) {
|
|
inst.selectedDay = inst.currentDay = inst.rangeStart.getDate();
|
|
inst.selectedMonth = inst.currentMonth = inst.rangeStart.getMonth();
|
|
inst.selectedYear = inst.currentYear = inst.rangeStart.getFullYear();
|
|
inst.rangeStart = null;
|
|
if (inst.inline)
|
|
this._updateDatepicker(inst);
|
|
}
|
|
},
|
|
|
|
/* Erase the input field and hide the date picker. */
|
|
_clearDate: function(id) {
|
|
var target = $(id);
|
|
var inst = $.data(target[0], PROP_NAME);
|
|
if (this._get(inst, 'mandatory'))
|
|
return;
|
|
this._stayOpen = false;
|
|
inst.endDay = inst.endMonth = inst.endYear = inst.rangeStart = null;
|
|
this._selectDate(target, '');
|
|
},
|
|
|
|
/* Update the input field with the selected date. */
|
|
_selectDate: function(id, dateStr) {
|
|
var target = $(id);
|
|
var inst = $.data(target[0], PROP_NAME);
|
|
dateStr = (dateStr != null ? dateStr : this._formatDate(inst));
|
|
if (this._get(inst, 'rangeSelect') && dateStr)
|
|
dateStr = (inst.rangeStart ? this._formatDate(inst, inst.rangeStart) :
|
|
dateStr) + this._get(inst, 'rangeSeparator') + dateStr;
|
|
if (inst.input)
|
|
inst.input.val(dateStr);
|
|
this._updateAlternate(inst);
|
|
var onSelect = this._get(inst, 'onSelect');
|
|
if (onSelect)
|
|
onSelect.apply((inst.input ? inst.input[0] : null), [dateStr, inst]); // trigger custom callback
|
|
else if (inst.input)
|
|
inst.input.trigger('change'); // fire the change event
|
|
if (inst.inline)
|
|
this._updateDatepicker(inst);
|
|
else if (!this._stayOpen) {
|
|
this._hideDatepicker(null, this._get(inst, 'duration'));
|
|
this._lastInput = inst.input[0];
|
|
if (typeof(inst.input[0]) != 'object')
|
|
inst.input[0].focus(); // restore focus
|
|
this._lastInput = null;
|
|
}
|
|
},
|
|
|
|
/* Update any alternate field to synchronise with the main field. */
|
|
_updateAlternate: function(inst) {
|
|
var altField = this._get(inst, 'altField');
|
|
if (altField) { // update alternate field too
|
|
var altFormat = this._get(inst, 'altFormat');
|
|
var date = this._getDate(inst);
|
|
dateStr = (isArray(date) ? (!date[0] && !date[1] ? '' :
|
|
this.formatDate(altFormat, date[0], this._getFormatConfig(inst)) +
|
|
this._get(inst, 'rangeSeparator') + this.formatDate(
|
|
altFormat, date[1] || date[0], this._getFormatConfig(inst))) :
|
|
this.formatDate(altFormat, date, this._getFormatConfig(inst)));
|
|
$(altField).each(function() { $(this).val(dateStr); });
|
|
}
|
|
},
|
|
|
|
/* Set as beforeShowDay function to prevent selection of weekends.
|
|
@param date Date - the date to customise
|
|
@return [boolean, string] - is this date selectable?, what is its CSS class? */
|
|
noWeekends: function(date) {
|
|
var day = date.getDay();
|
|
return [(day > 0 && day < 6), ''];
|
|
},
|
|
|
|
/* Set as calculateWeek to determine the week of the year based on the ISO 8601 definition.
|
|
@param date Date - the date to get the week for
|
|
@return number - the number of the week within the year that contains this date */
|
|
iso8601Week: function(date) {
|
|
var checkDate = new Date(date.getFullYear(), date.getMonth(), date.getDate(), (date.getTimezoneOffset() / -60));
|
|
var firstMon = new Date(checkDate.getFullYear(), 1 - 1, 4); // First week always contains 4 Jan
|
|
var firstDay = firstMon.getDay() || 7; // Day of week: Mon = 1, ..., Sun = 7
|
|
firstMon.setDate(firstMon.getDate() + 1 - firstDay); // Preceding Monday
|
|
if (firstDay < 4 && checkDate < firstMon) { // Adjust first three days in year if necessary
|
|
checkDate.setDate(checkDate.getDate() - 3); // Generate for previous year
|
|
return $.datepicker.iso8601Week(checkDate);
|
|
} else if (checkDate > new Date(checkDate.getFullYear(), 12 - 1, 28)) { // Check last three days in year
|
|
firstDay = new Date(checkDate.getFullYear() + 1, 1 - 1, 4).getDay() || 7;
|
|
if (firstDay > 4 && (checkDate.getDay() || 7) < firstDay - 3) { // Adjust if necessary
|
|
checkDate.setDate(checkDate.getDate() + 3); // Generate for next year
|
|
return $.datepicker.iso8601Week(checkDate);
|
|
}
|
|
}
|
|
return Math.floor(((checkDate - firstMon) / 86400000) / 7) + 1; // Weeks to given date
|
|
},
|
|
|
|
/* Provide status text for a particular date.
|
|
@param date the date to get the status for
|
|
@param inst the current datepicker instance
|
|
@return the status display text for this date */
|
|
dateStatus: function(date, inst) {
|
|
return $.datepicker.formatDate($.datepicker._get(inst, 'dateStatus'),
|
|
date, $.datepicker._getFormatConfig(inst));
|
|
},
|
|
|
|
/* Parse a string value into a date object.
|
|
See formatDate below for the possible formats.
|
|
|
|
@param format string - the expected format of the date
|
|
@param value string - the date in the above format
|
|
@param settings Object - attributes include:
|
|
shortYearCutoff number - the cutoff year for determining the century (optional)
|
|
dayNamesShort string[7] - abbreviated names of the days from Sunday (optional)
|
|
dayNames string[7] - names of the days from Sunday (optional)
|
|
monthNamesShort string[12] - abbreviated names of the months (optional)
|
|
monthNames string[12] - names of the months (optional)
|
|
@return Date - the extracted date value or null if value is blank */
|
|
parseDate: function (format, value, settings) {
|
|
if (format == null || value == null)
|
|
throw 'Invalid arguments';
|
|
value = (typeof value == 'object' ? value.toString() : value + '');
|
|
if (value == '')
|
|
return null;
|
|
var shortYearCutoff = (settings ? settings.shortYearCutoff : null) || this._defaults.shortYearCutoff;
|
|
var dayNamesShort = (settings ? settings.dayNamesShort : null) || this._defaults.dayNamesShort;
|
|
var dayNames = (settings ? settings.dayNames : null) || this._defaults.dayNames;
|
|
var monthNamesShort = (settings ? settings.monthNamesShort : null) || this._defaults.monthNamesShort;
|
|
var monthNames = (settings ? settings.monthNames : null) || this._defaults.monthNames;
|
|
var year = -1;
|
|
var month = -1;
|
|
var day = -1;
|
|
var doy = -1;
|
|
var literal = false;
|
|
// Check whether a format character is doubled
|
|
var lookAhead = function(match) {
|
|
var matches = (iFormat + 1 < format.length && format.charAt(iFormat + 1) == match);
|
|
if (matches)
|
|
iFormat++;
|
|
return matches;
|
|
};
|
|
// Extract a number from the string value
|
|
var getNumber = function(match) {
|
|
lookAhead(match);
|
|
var origSize = (match == '@' ? 14 : (match == 'y' ? 4 : (match == 'o' ? 3 : 2)));
|
|
var size = origSize;
|
|
var num = 0;
|
|
while (size > 0 && iValue < value.length &&
|
|
value.charAt(iValue) >= '0' && value.charAt(iValue) <= '9') {
|
|
num = num * 10 + (value.charAt(iValue++) - 0);
|
|
size--;
|
|
}
|
|
if (size == origSize)
|
|
throw 'Missing number at position ' + iValue;
|
|
return num;
|
|
};
|
|
// Extract a name from the string value and convert to an index
|
|
var getName = function(match, shortNames, longNames) {
|
|
var names = (lookAhead(match) ? longNames : shortNames);
|
|
var size = 0;
|
|
for (var j = 0; j < names.length; j++)
|
|
size = Math.max(size, names[j].length);
|
|
var name = '';
|
|
var iInit = iValue;
|
|
while (size > 0 && iValue < value.length) {
|
|
name += value.charAt(iValue++);
|
|
for (var i = 0; i < names.length; i++)
|
|
if (name == names[i])
|
|
return i + 1;
|
|
size--;
|
|
}
|
|
throw 'Unknown name at position ' + iInit;
|
|
};
|
|
// Confirm that a literal character matches the string value
|
|
var checkLiteral = function() {
|
|
if (value.charAt(iValue) != format.charAt(iFormat))
|
|
throw 'Unexpected literal at position ' + iValue;
|
|
iValue++;
|
|
};
|
|
var iValue = 0;
|
|
for (var iFormat = 0; iFormat < format.length; iFormat++) {
|
|
if (literal)
|
|
if (format.charAt(iFormat) == "'" && !lookAhead("'"))
|
|
literal = false;
|
|
else
|
|
checkLiteral();
|
|
else
|
|
switch (format.charAt(iFormat)) {
|
|
case 'd':
|
|
day = getNumber('d');
|
|
break;
|
|
case 'D':
|
|
getName('D', dayNamesShort, dayNames);
|
|
break;
|
|
case 'o':
|
|
doy = getNumber('o');
|
|
break;
|
|
case 'm':
|
|
month = getNumber('m');
|
|
break;
|
|
case 'M':
|
|
month = getName('M', monthNamesShort, monthNames);
|
|
break;
|
|
case 'y':
|
|
year = getNumber('y');
|
|
break;
|
|
case '@':
|
|
var date = new Date(getNumber('@'));
|
|
year = date.getFullYear();
|
|
month = date.getMonth() + 1;
|
|
day = date.getDate();
|
|
break;
|
|
case "'":
|
|
if (lookAhead("'"))
|
|
checkLiteral();
|
|
else
|
|
literal = true;
|
|
break;
|
|
default:
|
|
checkLiteral();
|
|
}
|
|
}
|
|
if (year < 100)
|
|
year += new Date().getFullYear() - new Date().getFullYear() % 100 +
|
|
(year <= shortYearCutoff ? 0 : -100);
|
|
if (doy > -1) {
|
|
month = 1;
|
|
day = doy;
|
|
do {
|
|
var dim = this._getDaysInMonth(year, month - 1);
|
|
if (day <= dim)
|
|
break;
|
|
month++;
|
|
day -= dim;
|
|
} while (true);
|
|
}
|
|
var date = new Date(year, month - 1, day);
|
|
if (date.getFullYear() != year || date.getMonth() + 1 != month || date.getDate() != day)
|
|
throw 'Invalid date'; // E.g. 31/02/*
|
|
return date;
|
|
},
|
|
|
|
/* Standard date formats. */
|
|
ATOM: 'yy-mm-dd', // RFC 3339 (ISO 8601)
|
|
COOKIE: 'D, dd M yy',
|
|
ISO_8601: 'yy-mm-dd',
|
|
RFC_822: 'D, d M y',
|
|
RFC_850: 'DD, dd-M-y',
|
|
RFC_1036: 'D, d M y',
|
|
RFC_1123: 'D, d M yy',
|
|
RFC_2822: 'D, d M yy',
|
|
RSS: 'D, d M y', // RFC 822
|
|
TIMESTAMP: '@',
|
|
W3C: 'yy-mm-dd', // ISO 8601
|
|
|
|
/* Format a date object into a string value.
|
|
The format can be combinations of the following:
|
|
d - day of month (no leading zero)
|
|
dd - day of month (two digit)
|
|
o - day of year (no leading zeros)
|
|
oo - day of year (three digit)
|
|
D - day name short
|
|
DD - day name long
|
|
m - month of year (no leading zero)
|
|
mm - month of year (two digit)
|
|
M - month name short
|
|
MM - month name long
|
|
y - year (two digit)
|
|
yy - year (four digit)
|
|
@ - Unix timestamp (ms since 01/01/1970)
|
|
'...' - literal text
|
|
'' - single quote
|
|
|
|
@param format string - the desired format of the date
|
|
@param date Date - the date value to format
|
|
@param settings Object - attributes include:
|
|
dayNamesShort string[7] - abbreviated names of the days from Sunday (optional)
|
|
dayNames string[7] - names of the days from Sunday (optional)
|
|
monthNamesShort string[12] - abbreviated names of the months (optional)
|
|
monthNames string[12] - names of the months (optional)
|
|
@return string - the date in the above format */
|
|
formatDate: function (format, date, settings) {
|
|
if (!date)
|
|
return '';
|
|
var dayNamesShort = (settings ? settings.dayNamesShort : null) || this._defaults.dayNamesShort;
|
|
var dayNames = (settings ? settings.dayNames : null) || this._defaults.dayNames;
|
|
var monthNamesShort = (settings ? settings.monthNamesShort : null) || this._defaults.monthNamesShort;
|
|
var monthNames = (settings ? settings.monthNames : null) || this._defaults.monthNames;
|
|
// Check whether a format character is doubled
|
|
var lookAhead = function(match) {
|
|
var matches = (iFormat + 1 < format.length && format.charAt(iFormat + 1) == match);
|
|
if (matches)
|
|
iFormat++;
|
|
return matches;
|
|
};
|
|
// Format a number, with leading zero if necessary
|
|
var formatNumber = function(match, value, len) {
|
|
var num = '' + value;
|
|
if (lookAhead(match))
|
|
while (num.length < len)
|
|
num = '0' + num;
|
|
return num;
|
|
};
|
|
// Format a name, short or long as requested
|
|
var formatName = function(match, value, shortNames, longNames) {
|
|
return (lookAhead(match) ? longNames[value] : shortNames[value]);
|
|
};
|
|
var output = '';
|
|
var literal = false;
|
|
if (date)
|
|
for (var iFormat = 0; iFormat < format.length; iFormat++) {
|
|
if (literal)
|
|
if (format.charAt(iFormat) == "'" && !lookAhead("'"))
|
|
literal = false;
|
|
else
|
|
output += format.charAt(iFormat);
|
|
else
|
|
switch (format.charAt(iFormat)) {
|
|
case 'd':
|
|
output += formatNumber('d', date.getDate(), 2);
|
|
break;
|
|
case 'D':
|
|
output += formatName('D', date.getDay(), dayNamesShort, dayNames);
|
|
break;
|
|
case 'o':
|
|
var doy = date.getDate();
|
|
for (var m = date.getMonth() - 1; m >= 0; m--)
|
|
doy += this._getDaysInMonth(date.getFullYear(), m);
|
|
output += formatNumber('o', doy, 3);
|
|
break;
|
|
case 'm':
|
|
output += formatNumber('m', date.getMonth() + 1, 2);
|
|
break;
|
|
case 'M':
|
|
output += formatName('M', date.getMonth(), monthNamesShort, monthNames);
|
|
break;
|
|
case 'y':
|
|
output += (lookAhead('y') ? date.getFullYear() :
|
|
(date.getYear() % 100 < 10 ? '0' : '') + date.getYear() % 100);
|
|
break;
|
|
case '@':
|
|
output += date.getTime();
|
|
break;
|
|
case "'":
|
|
if (lookAhead("'"))
|
|
output += "'";
|
|
else
|
|
literal = true;
|
|
break;
|
|
default:
|
|
output += format.charAt(iFormat);
|
|
}
|
|
}
|
|
return output;
|
|
},
|
|
|
|
/* Extract all possible characters from the date format. */
|
|
_possibleChars: function (format) {
|
|
var chars = '';
|
|
var literal = false;
|
|
for (var iFormat = 0; iFormat < format.length; iFormat++)
|
|
if (literal)
|
|
if (format.charAt(iFormat) == "'" && !lookAhead("'"))
|
|
literal = false;
|
|
else
|
|
chars += format.charAt(iFormat);
|
|
else
|
|
switch (format.charAt(iFormat)) {
|
|
case 'd': case 'm': case 'y': case '@':
|
|
chars += '0123456789';
|
|
break;
|
|
case 'D': case 'M':
|
|
return null; // Accept anything
|
|
case "'":
|
|
if (lookAhead("'"))
|
|
chars += "'";
|
|
else
|
|
literal = true;
|
|
break;
|
|
default:
|
|
chars += format.charAt(iFormat);
|
|
}
|
|
return chars;
|
|
},
|
|
|
|
/* Get a setting value, defaulting if necessary. */
|
|
_get: function(inst, name) {
|
|
return inst.settings[name] !== undefined ?
|
|
inst.settings[name] : this._defaults[name];
|
|
},
|
|
|
|
/* Parse existing date and initialise date picker. */
|
|
_setDateFromField: function(inst) {
|
|
var dateFormat = this._get(inst, 'dateFormat');
|
|
var dates = inst.input ? inst.input.val().split(this._get(inst, 'rangeSeparator')) : null;
|
|
inst.endDay = inst.endMonth = inst.endYear = null;
|
|
var date = defaultDate = this._getDefaultDate(inst);
|
|
if (dates.length > 0) {
|
|
var settings = this._getFormatConfig(inst);
|
|
if (dates.length > 1) {
|
|
date = this.parseDate(dateFormat, dates[1], settings) || defaultDate;
|
|
inst.endDay = date.getDate();
|
|
inst.endMonth = date.getMonth();
|
|
inst.endYear = date.getFullYear();
|
|
}
|
|
try {
|
|
date = this.parseDate(dateFormat, dates[0], settings) || defaultDate;
|
|
} catch (e) {
|
|
this.log(e);
|
|
date = defaultDate;
|
|
}
|
|
}
|
|
inst.selectedDay = date.getDate();
|
|
inst.drawMonth = inst.selectedMonth = date.getMonth();
|
|
inst.drawYear = inst.selectedYear = date.getFullYear();
|
|
inst.currentDay = (dates[0] ? date.getDate() : 0);
|
|
inst.currentMonth = (dates[0] ? date.getMonth() : 0);
|
|
inst.currentYear = (dates[0] ? date.getFullYear() : 0);
|
|
this._adjustInstDate(inst);
|
|
},
|
|
|
|
/* Retrieve the default date shown on opening. */
|
|
_getDefaultDate: function(inst) {
|
|
var date = this._determineDate(this._get(inst, 'defaultDate'), new Date());
|
|
var minDate = this._getMinMaxDate(inst, 'min', true);
|
|
var maxDate = this._getMinMaxDate(inst, 'max');
|
|
date = (minDate && date < minDate ? minDate : date);
|
|
date = (maxDate && date > maxDate ? maxDate : date);
|
|
return date;
|
|
},
|
|
|
|
/* A date may be specified as an exact value or a relative one. */
|
|
_determineDate: function(date, defaultDate) {
|
|
var offsetNumeric = function(offset) {
|
|
var date = new Date();
|
|
date.setUTCDate(date.getUTCDate() + offset);
|
|
return date;
|
|
};
|
|
var offsetString = function(offset, getDaysInMonth) {
|
|
var date = new Date();
|
|
var year = date.getFullYear();
|
|
var month = date.getMonth();
|
|
var day = date.getDate();
|
|
var pattern = /([+-]?[0-9]+)\s*(d|D|w|W|m|M|y|Y)?/g;
|
|
var matches = pattern.exec(offset);
|
|
while (matches) {
|
|
switch (matches[2] || 'd') {
|
|
case 'd' : case 'D' :
|
|
day += (matches[1] - 0); break;
|
|
case 'w' : case 'W' :
|
|
day += (matches[1] * 7); break;
|
|
case 'm' : case 'M' :
|
|
month += (matches[1] - 0);
|
|
day = Math.min(day, getDaysInMonth(year, month));
|
|
break;
|
|
case 'y': case 'Y' :
|
|
year += (matches[1] - 0);
|
|
day = Math.min(day, getDaysInMonth(year, month));
|
|
break;
|
|
}
|
|
matches = pattern.exec(offset);
|
|
}
|
|
return new Date(year, month, day);
|
|
};
|
|
return (date == null ? defaultDate :
|
|
(typeof date == 'string' ? offsetString(date, this._getDaysInMonth) :
|
|
(typeof date == 'number' ? offsetNumeric(date) : date)));
|
|
},
|
|
|
|
/* Set the date(s) directly. */
|
|
_setDate: function(inst, date, endDate) {
|
|
var clear = !(date);
|
|
date = this._determineDate(date, new Date());
|
|
inst.selectedDay = inst.currentDay = date.getDate();
|
|
inst.drawMonth = inst.selectedMonth = inst.currentMonth = date.getMonth();
|
|
inst.drawYear = inst.selectedYear = inst.currentYear = date.getFullYear();
|
|
if (this._get(inst, 'rangeSelect')) {
|
|
if (endDate) {
|
|
endDate = this._determineDate(endDate, null);
|
|
inst.endDay = endDate.getDate();
|
|
inst.endMonth = endDate.getMonth();
|
|
inst.endYear = endDate.getFullYear();
|
|
} else {
|
|
inst.endDay = inst.currentDay;
|
|
inst.endMonth = inst.currentMonth;
|
|
inst.endYear = inst.currentYear;
|
|
}
|
|
}
|
|
this._adjustInstDate(inst);
|
|
if (inst.input)
|
|
inst.input.val(clear ? '' : this._formatDate(inst) +
|
|
(!this._get(inst, 'rangeSelect') ? '' : this._get(inst, 'rangeSeparator') +
|
|
this._formatDate(inst, inst.endDay, inst.endMonth, inst.endYear)));
|
|
},
|
|
|
|
/* Retrieve the date(s) directly. */
|
|
_getDate: function(inst) {
|
|
var startDate = (!inst.currentYear || (inst.input && inst.input.val() == '') ? null :
|
|
new Date(inst.currentYear, inst.currentMonth, inst.currentDay));
|
|
if (this._get(inst, 'rangeSelect')) {
|
|
return [inst.rangeStart || startDate,
|
|
(!inst.endYear ? inst.rangeStart || startDate :
|
|
new Date(inst.endYear, inst.endMonth, inst.endDay))];
|
|
} else
|
|
return startDate;
|
|
},
|
|
|
|
/* Generate the HTML for the current state of the date picker. */
|
|
_generateHTML: function(inst) {
|
|
var today = new Date();
|
|
today = new Date(today.getFullYear(), today.getMonth(), today.getDate()); // clear time
|
|
var showStatus = this._get(inst, 'showStatus');
|
|
var initStatus = this._get(inst, 'initStatus') || ' ';
|
|
var isRTL = this._get(inst, 'isRTL');
|
|
// build the date picker HTML
|
|
var clear = (this._get(inst, 'mandatory') ? '' :
|
|
'<div class="ui-datepicker-clear"><a onclick="jQuery.datepicker._clearDate(\'#' + inst.id + '\');"' +
|
|
this._addStatus(showStatus, inst.id, this._get(inst, 'clearStatus'), initStatus) + '>' +
|
|
this._get(inst, 'clearText') + '</a></div>');
|
|
var controls = '<div class="ui-datepicker-control">' + (isRTL ? '' : clear) +
|
|
'<div class="ui-datepicker-close"><a onclick="jQuery.datepicker._hideDatepicker();"' +
|
|
this._addStatus(showStatus, inst.id, this._get(inst, 'closeStatus'), initStatus) + '>' +
|
|
this._get(inst, 'closeText') + '</a></div>' + (isRTL ? clear : '') + '</div>';
|
|
var prompt = this._get(inst, 'prompt');
|
|
var closeAtTop = this._get(inst, 'closeAtTop');
|
|
var hideIfNoPrevNext = this._get(inst, 'hideIfNoPrevNext');
|
|
var navigationAsDateFormat = this._get(inst, 'navigationAsDateFormat');
|
|
var showBigPrevNext = this._get(inst, 'showBigPrevNext');
|
|
var numMonths = this._getNumberOfMonths(inst);
|
|
var showCurrentAtPos = this._get(inst, 'showCurrentAtPos');
|
|
var stepMonths = this._get(inst, 'stepMonths');
|
|
var stepBigMonths = this._get(inst, 'stepBigMonths');
|
|
var isMultiMonth = (numMonths[0] != 1 || numMonths[1] != 1);
|
|
var currentDate = (!inst.currentDay ? new Date(9999, 9, 9) :
|
|
new Date(inst.currentYear, inst.currentMonth, inst.currentDay));
|
|
var minDate = this._getMinMaxDate(inst, 'min', true);
|
|
var maxDate = this._getMinMaxDate(inst, 'max');
|
|
var drawMonth = inst.drawMonth - showCurrentAtPos;
|
|
var drawYear = inst.drawYear;
|
|
if (drawMonth < 0) {
|
|
drawMonth += 12;
|
|
drawYear--;
|
|
}
|
|
if (maxDate) {
|
|
var maxDraw = new Date(maxDate.getFullYear(),
|
|
maxDate.getMonth() - numMonths[1] + 1, maxDate.getDate());
|
|
maxDraw = (minDate && maxDraw < minDate ? minDate : maxDraw);
|
|
while (new Date(drawYear, drawMonth, 1) > maxDraw) {
|
|
drawMonth--;
|
|
if (drawMonth < 0) {
|
|
drawMonth = 11;
|
|
drawYear--;
|
|
}
|
|
}
|
|
}
|
|
// controls and links
|
|
var prevText = this._get(inst, 'prevText');
|
|
prevText = (!navigationAsDateFormat ? prevText : this.formatDate(
|
|
prevText, new Date(drawYear, drawMonth - stepMonths, 1), this._getFormatConfig(inst)));
|
|
var prevBigText = (showBigPrevNext ? this._get(inst, 'prevBigText') : '');
|
|
prevBigText = (!navigationAsDateFormat ? prevBigText : this.formatDate(
|
|
prevBigText, new Date(drawYear, drawMonth - stepBigMonths, 1), this._getFormatConfig(inst)));
|
|
var prev = '<div class="ui-datepicker-prev">' + (this._canAdjustMonth(inst, -1, drawYear, drawMonth) ?
|
|
(showBigPrevNext ? '<a onclick="jQuery.datepicker._adjustDate(\'#' + inst.id + '\', -' + stepBigMonths + ', \'M\');"' +
|
|
this._addStatus(showStatus, inst.id, this._get(inst, 'prevBigStatus'), initStatus) + '>' + prevBigText + '</a>' : '') +
|
|
'<a onclick="jQuery.datepicker._adjustDate(\'#' + inst.id + '\', -' + stepMonths + ', \'M\');"' +
|
|
this._addStatus(showStatus, inst.id, this._get(inst, 'prevStatus'), initStatus) + '>' + prevText + '</a>' :
|
|
(hideIfNoPrevNext ? '' : '<label>' + prevBigText + '</label><label>' + prevText + '</label>')) + '</div>';
|
|
var nextText = this._get(inst, 'nextText');
|
|
nextText = (!navigationAsDateFormat ? nextText : this.formatDate(
|
|
nextText, new Date(drawYear, drawMonth + stepMonths, 1), this._getFormatConfig(inst)));
|
|
var nextBigText = (showBigPrevNext ? this._get(inst, 'nextBigText') : '');
|
|
nextBigText = (!navigationAsDateFormat ? nextBigText : this.formatDate(
|
|
nextBigText, new Date(drawYear, drawMonth + stepBigMonths, 1), this._getFormatConfig(inst)));
|
|
var next = '<div class="ui-datepicker-next">' + (this._canAdjustMonth(inst, +1, drawYear, drawMonth) ?
|
|
'<a onclick="jQuery.datepicker._adjustDate(\'#' + inst.id + '\', +' + stepMonths + ', \'M\');"' +
|
|
this._addStatus(showStatus, inst.id, this._get(inst, 'nextStatus'), initStatus) + '>' + nextText + '</a>' +
|
|
(showBigPrevNext ? '<a onclick="jQuery.datepicker._adjustDate(\'#' + inst.id + '\', +' + stepBigMonths + ', \'M\');"' +
|
|
this._addStatus(showStatus, inst.id, this._get(inst, 'nextBigStatus'), initStatus) + '>' + nextBigText + '</a>' : '') :
|
|
(hideIfNoPrevNext ? '' : '<label>' + nextText + '</label><label>' + nextBigText + '</label>')) + '</div>';
|
|
var currentText = this._get(inst, 'currentText');
|
|
var gotoDate = (this._get(inst, 'gotoCurrent') && inst.currentDay ? currentDate : today);
|
|
currentText = (!navigationAsDateFormat ? currentText :
|
|
this.formatDate(currentText, gotoDate, this._getFormatConfig(inst)));
|
|
var html = (prompt ? '<div class="' + this._promptClass + '">' + prompt + '</div>' : '') +
|
|
(closeAtTop && !inst.inline ? controls : '') +
|
|
'<div class="ui-datepicker-links">' + (isRTL ? next : prev) +
|
|
(this._isInRange(inst, gotoDate) ? '<div class="ui-datepicker-current">' +
|
|
'<a onclick="jQuery.datepicker._gotoToday(\'#' + inst.id + '\');"' +
|
|
this._addStatus(showStatus, inst.id, this._get(inst, 'currentStatus'), initStatus) + '>' +
|
|
currentText + '</a></div>' : '') + (isRTL ? prev : next) + '</div>';
|
|
var firstDay = this._get(inst, 'firstDay');
|
|
var changeFirstDay = this._get(inst, 'changeFirstDay');
|
|
var dayNames = this._get(inst, 'dayNames');
|
|
var dayNamesShort = this._get(inst, 'dayNamesShort');
|
|
var dayNamesMin = this._get(inst, 'dayNamesMin');
|
|
var monthNames = this._get(inst, 'monthNames');
|
|
var beforeShowDay = this._get(inst, 'beforeShowDay');
|
|
var highlightWeek = this._get(inst, 'highlightWeek');
|
|
var showOtherMonths = this._get(inst, 'showOtherMonths');
|
|
var showWeeks = this._get(inst, 'showWeeks');
|
|
var calculateWeek = this._get(inst, 'calculateWeek') || this.iso8601Week;
|
|
var weekStatus = this._get(inst, 'weekStatus');
|
|
var status = (showStatus ? this._get(inst, 'dayStatus') || initStatus : '');
|
|
var dateStatus = this._get(inst, 'statusForDate') || this.dateStatus;
|
|
var endDate = inst.endDay ? new Date(inst.endYear, inst.endMonth, inst.endDay) : currentDate;
|
|
for (var row = 0; row < numMonths[0]; row++)
|
|
for (var col = 0; col < numMonths[1]; col++) {
|
|
var selectedDate = new Date(drawYear, drawMonth, inst.selectedDay);
|
|
html += '<div class="ui-datepicker-one-month' + (col == 0 ? ' ui-datepicker-new-row' : '') + '">' +
|
|
this._generateMonthYearHeader(inst, drawMonth, drawYear, minDate, maxDate,
|
|
selectedDate, row > 0 || col > 0, showStatus, initStatus, monthNames) + // draw month headers
|
|
'<table class="ui-datepicker" cellpadding="0" cellspacing="0"><thead>' +
|
|
'<tr class="ui-datepicker-title-row">' +
|
|
(showWeeks ? '<td' + this._addStatus(showStatus, inst.id, weekStatus, initStatus) + '>' +
|
|
this._get(inst, 'weekHeader') + '</td>' : '');
|
|
for (var dow = 0; dow < 7; dow++) { // days of the week
|
|
var day = (dow + firstDay) % 7;
|
|
var dayStatus = (status.indexOf('DD') > -1 ? status.replace(/DD/, dayNames[day]) :
|
|
status.replace(/D/, dayNamesShort[day]));
|
|
html += '<td' + ((dow + firstDay + 6) % 7 >= 5 ? ' class="ui-datepicker-week-end-cell"' : '') + '>' +
|
|
(!changeFirstDay ? '<span' :
|
|
'<a onclick="jQuery.datepicker._changeFirstDay(\'#' + inst.id + '\', ' + day + ');"') +
|
|
this._addStatus(showStatus, inst.id, dayStatus, initStatus) + ' title="' + dayNames[day] + '">' +
|
|
dayNamesMin[day] + (changeFirstDay ? '</a>' : '</span>') + '</td>';
|
|
}
|
|
html += '</tr></thead><tbody>';
|
|
var daysInMonth = this._getDaysInMonth(drawYear, drawMonth);
|
|
if (drawYear == inst.selectedYear && drawMonth == inst.selectedMonth)
|
|
inst.selectedDay = Math.min(inst.selectedDay, daysInMonth);
|
|
var leadDays = (this._getFirstDayOfMonth(drawYear, drawMonth) - firstDay + 7) % 7;
|
|
var tzDate = new Date(drawYear, drawMonth, 1 - leadDays);
|
|
var utcDate = new Date(drawYear, drawMonth, 1 - leadDays);
|
|
var printDate = utcDate;
|
|
var numRows = (isMultiMonth ? 6 : Math.ceil((leadDays + daysInMonth) / 7)); // calculate the number of rows to generate
|
|
for (var dRow = 0; dRow < numRows; dRow++) { // create date picker rows
|
|
html += '<tr class="ui-datepicker-days-row">' +
|
|
(showWeeks ? '<td class="ui-datepicker-week-col"' +
|
|
this._addStatus(showStatus, inst.id, weekStatus, initStatus) + '>' +
|
|
calculateWeek(printDate) + '</td>' : '');
|
|
for (var dow = 0; dow < 7; dow++) { // create date picker days
|
|
var daySettings = (beforeShowDay ?
|
|
beforeShowDay.apply((inst.input ? inst.input[0] : null), [printDate]) : [true, '']);
|
|
var otherMonth = (printDate.getMonth() != drawMonth);
|
|
var unselectable = otherMonth || !daySettings[0] ||
|
|
(minDate && printDate < minDate) || (maxDate && printDate > maxDate);
|
|
html += '<td class="ui-datepicker-days-cell' +
|
|
((dow + firstDay + 6) % 7 >= 5 ? ' ui-datepicker-week-end-cell' : '') + // highlight weekends
|
|
(otherMonth ? ' ui-datepicker-other-month' : '') + // highlight days from other months
|
|
(printDate.getTime() == selectedDate.getTime() && drawMonth == inst.selectedMonth ?
|
|
' ui-datepicker-days-cell-over' : '') + // highlight selected day
|
|
(unselectable ? ' ' + this._unselectableClass : '') + // highlight unselectable days
|
|
(otherMonth && !showOtherMonths ? '' : ' ' + daySettings[1] + // highlight custom dates
|
|
(printDate.getTime() >= currentDate.getTime() && printDate.getTime() <= endDate.getTime() ? // in current range
|
|
' ' + this._currentClass : '') + // highlight selected day
|
|
(printDate.getTime() == today.getTime() ? ' ui-datepicker-today' : '')) + '"' + // highlight today (if different)
|
|
((!otherMonth || showOtherMonths) && daySettings[2] ? ' title="' + daySettings[2] + '"' : '') + // cell title
|
|
(unselectable ? (highlightWeek ? ' onmouseover="jQuery(this).parent().addClass(\'ui-datepicker-week-over\');"' + // highlight selection week
|
|
' onmouseout="jQuery(this).parent().removeClass(\'ui-datepicker-week-over\');"' : '') : // unhighlight selection week
|
|
' onmouseover="jQuery(this).addClass(\'ui-datepicker-days-cell-over\')' + // highlight selection
|
|
(highlightWeek ? '.parent().addClass(\'ui-datepicker-week-over\')' : '') + ';' + // highlight selection week
|
|
(!showStatus || (otherMonth && !showOtherMonths) ? '' : 'jQuery(\'#ui-datepicker-status-' +
|
|
inst.id + '\').html(\'' + (dateStatus.apply((inst.input ? inst.input[0] : null),
|
|
[printDate, inst]) || initStatus) +'\');') + '"' +
|
|
' onmouseout="jQuery(this).removeClass(\'ui-datepicker-days-cell-over\')' + // unhighlight selection
|
|
(highlightWeek ? '.parent().removeClass(\'ui-datepicker-week-over\')' : '') + ';' + // unhighlight selection week
|
|
(!showStatus || (otherMonth && !showOtherMonths) ? '' : 'jQuery(\'#ui-datepicker-status-' +
|
|
inst.id + '\').html(\'' + initStatus + '\');') + '" onclick="jQuery.datepicker._selectDay(\'#' +
|
|
inst.id + '\',' + drawMonth + ',' + drawYear + ', this);"') + '>' + // actions
|
|
(otherMonth ? (showOtherMonths ? printDate.getDate() : ' ') : // display for other months
|
|
(unselectable ? printDate.getDate() : '<a>' + printDate.getDate() + '</a>')) + '</td>'; // display for this month
|
|
tzDate.setDate(tzDate.getDate() + 1);
|
|
utcDate.setUTCDate(utcDate.getUTCDate() + 1);
|
|
printDate = (tzDate > utcDate ? tzDate : utcDate);
|
|
}
|
|
html += '</tr>';
|
|
}
|
|
drawMonth++;
|
|
if (drawMonth > 11) {
|
|
drawMonth = 0;
|
|
drawYear++;
|
|
}
|
|
html += '</tbody></table></div>';
|
|
}
|
|
html += (showStatus ? '<div style="clear: both;"></div><div id="ui-datepicker-status-' + inst.id +
|
|
'" class="ui-datepicker-status">' + initStatus + '</div>' : '') +
|
|
(!closeAtTop && !inst.inline ? controls : '') +
|
|
'<div style="clear: both;"></div>' +
|
|
($.browser.msie && parseInt($.browser.version) < 7 && !inst.inline ?
|
|
'<iframe src="javascript:false;" class="ui-datepicker-cover"></iframe>' : '');
|
|
return html;
|
|
},
|
|
|
|
/* Generate the month and year header. */
|
|
_generateMonthYearHeader: function(inst, drawMonth, drawYear, minDate, maxDate,
|
|
selectedDate, secondary, showStatus, initStatus, monthNames) {
|
|
minDate = (inst.rangeStart && minDate && selectedDate < minDate ? selectedDate : minDate);
|
|
var monthAfterYear = this._get(inst, 'monthAfterYear');
|
|
var html = '<div class="ui-datepicker-header">';
|
|
var monthHtml = '';
|
|
// month selection
|
|
if (secondary || !this._get(inst, 'changeMonth'))
|
|
monthHtml += monthNames[drawMonth] + ' ';
|
|
else {
|
|
var inMinYear = (minDate && minDate.getFullYear() == drawYear);
|
|
var inMaxYear = (maxDate && maxDate.getFullYear() == drawYear);
|
|
monthHtml += '<select class="ui-datepicker-new-month" ' +
|
|
'onchange="jQuery.datepicker._selectMonthYear(\'#' + inst.id + '\', this, \'M\');" ' +
|
|
'onclick="jQuery.datepicker._clickMonthYear(\'#' + inst.id + '\');"' +
|
|
this._addStatus(showStatus, inst.id, this._get(inst, 'monthStatus'), initStatus) + '>';
|
|
for (var month = 0; month < 12; month++) {
|
|
if ((!inMinYear || month >= minDate.getMonth()) &&
|
|
(!inMaxYear || month <= maxDate.getMonth()))
|
|
monthHtml += '<option value="' + month + '"' +
|
|
(month == drawMonth ? ' selected="selected"' : '') +
|
|
'>' + monthNames[month] + '</option>';
|
|
}
|
|
monthHtml += '</select>';
|
|
}
|
|
if (!monthAfterYear)
|
|
html += monthHtml;
|
|
// year selection
|
|
if (secondary || !this._get(inst, 'changeYear'))
|
|
html += drawYear;
|
|
else {
|
|
// determine range of years to display
|
|
var years = this._get(inst, 'yearRange').split(':');
|
|
var year = 0;
|
|
var endYear = 0;
|
|
if (years.length != 2) {
|
|
year = drawYear - 10;
|
|
endYear = drawYear + 10;
|
|
} else if (years[0].charAt(0) == '+' || years[0].charAt(0) == '-') {
|
|
year = endYear = new Date().getFullYear();
|
|
year += parseInt(years[0], 10);
|
|
endYear += parseInt(years[1], 10);
|
|
} else {
|
|
year = parseInt(years[0], 10);
|
|
endYear = parseInt(years[1], 10);
|
|
}
|
|
year = (minDate ? Math.max(year, minDate.getFullYear()) : year);
|
|
endYear = (maxDate ? Math.min(endYear, maxDate.getFullYear()) : endYear);
|
|
html += '<select class="ui-datepicker-new-year" ' +
|
|
'onchange="jQuery.datepicker._selectMonthYear(\'#' + inst.id + '\', this, \'Y\');" ' +
|
|
'onclick="jQuery.datepicker._clickMonthYear(\'#' + inst.id + '\');"' +
|
|
this._addStatus(showStatus, inst.id, this._get(inst, 'yearStatus'), initStatus) + '>';
|
|
for (; year <= endYear; year++) {
|
|
html += '<option value="' + year + '"' +
|
|
(year == drawYear ? ' selected="selected"' : '') +
|
|
'>' + year + '</option>';
|
|
}
|
|
html += '</select>';
|
|
}
|
|
if (monthAfterYear)
|
|
html += monthHtml;
|
|
html += '</div>'; // Close datepicker_header
|
|
return html;
|
|
},
|
|
|
|
/* Provide code to set and clear the status panel. */
|
|
_addStatus: function(showStatus, id, text, initStatus) {
|
|
return (showStatus ? ' onmouseover="jQuery(\'#ui-datepicker-status-' + id +
|
|
'\').html(\'' + (text || initStatus) + '\');" ' +
|
|
'onmouseout="jQuery(\'#ui-datepicker-status-' + id +
|
|
'\').html(\'' + initStatus + '\');"' : '');
|
|
},
|
|
|
|
/* Adjust one of the date sub-fields. */
|
|
_adjustInstDate: function(inst, offset, period) {
|
|
var year = inst.drawYear + (period == 'Y' ? offset : 0);
|
|
var month = inst.drawMonth + (period == 'M' ? offset : 0);
|
|
var day = Math.min(inst.selectedDay, this._getDaysInMonth(year, month)) +
|
|
(period == 'D' ? offset : 0);
|
|
var date = new Date(year, month, day);
|
|
// ensure it is within the bounds set
|
|
var minDate = this._getMinMaxDate(inst, 'min', true);
|
|
var maxDate = this._getMinMaxDate(inst, 'max');
|
|
date = (minDate && date < minDate ? minDate : date);
|
|
date = (maxDate && date > maxDate ? maxDate : date);
|
|
inst.selectedDay = date.getDate();
|
|
inst.drawMonth = inst.selectedMonth = date.getMonth();
|
|
inst.drawYear = inst.selectedYear = date.getFullYear();
|
|
if (period == 'M' || period == 'Y')
|
|
this._notifyChange(inst);
|
|
},
|
|
|
|
/* Notify change of month/year. */
|
|
_notifyChange: function(inst) {
|
|
var onChange = this._get(inst, 'onChangeMonthYear');
|
|
if (onChange)
|
|
onChange.apply((inst.input ? inst.input[0] : null),
|
|
[new Date(inst.selectedYear, inst.selectedMonth, 1), inst]);
|
|
},
|
|
|
|
/* Determine the number of months to show. */
|
|
_getNumberOfMonths: function(inst) {
|
|
var numMonths = this._get(inst, 'numberOfMonths');
|
|
return (numMonths == null ? [1, 1] : (typeof numMonths == 'number' ? [1, numMonths] : numMonths));
|
|
},
|
|
|
|
/* Determine the current maximum date - ensure no time components are set - may be overridden for a range. */
|
|
_getMinMaxDate: function(inst, minMax, checkRange) {
|
|
var date = this._determineDate(this._get(inst, minMax + 'Date'), null);
|
|
if (date) {
|
|
date.setHours(0);
|
|
date.setMinutes(0);
|
|
date.setSeconds(0);
|
|
date.setMilliseconds(0);
|
|
}
|
|
return (!checkRange || !inst.rangeStart ? date :
|
|
(!date || inst.rangeStart > date ? inst.rangeStart : date));
|
|
},
|
|
|
|
/* Find the number of days in a given month. */
|
|
_getDaysInMonth: function(year, month) {
|
|
return 32 - new Date(year, month, 32).getDate();
|
|
},
|
|
|
|
/* Find the day of the week of the first of a month. */
|
|
_getFirstDayOfMonth: function(year, month) {
|
|
return new Date(year, month, 1).getDay();
|
|
},
|
|
|
|
/* Determines if we should allow a "next/prev" month display change. */
|
|
_canAdjustMonth: function(inst, offset, curYear, curMonth) {
|
|
var numMonths = this._getNumberOfMonths(inst);
|
|
var date = new Date(curYear, curMonth + (offset < 0 ? offset : numMonths[1]), 1);
|
|
if (offset < 0)
|
|
date.setDate(this._getDaysInMonth(date.getFullYear(), date.getMonth()));
|
|
return this._isInRange(inst, date);
|
|
},
|
|
|
|
/* Is the given date in the accepted range? */
|
|
_isInRange: function(inst, date) {
|
|
// during range selection, use minimum of selected date and range start
|
|
var newMinDate = (!inst.rangeStart ? null :
|
|
new Date(inst.selectedYear, inst.selectedMonth, inst.selectedDay));
|
|
newMinDate = (newMinDate && inst.rangeStart < newMinDate ? inst.rangeStart : newMinDate);
|
|
var minDate = newMinDate || this._getMinMaxDate(inst, 'min');
|
|
var maxDate = this._getMinMaxDate(inst, 'max');
|
|
return ((!minDate || date >= minDate) && (!maxDate || date <= maxDate));
|
|
},
|
|
|
|
/* Provide the configuration settings for formatting/parsing. */
|
|
_getFormatConfig: function(inst) {
|
|
var shortYearCutoff = this._get(inst, 'shortYearCutoff');
|
|
shortYearCutoff = (typeof shortYearCutoff != 'string' ? shortYearCutoff :
|
|
new Date().getFullYear() % 100 + parseInt(shortYearCutoff, 10));
|
|
return {shortYearCutoff: shortYearCutoff,
|
|
dayNamesShort: this._get(inst, 'dayNamesShort'), dayNames: this._get(inst, 'dayNames'),
|
|
monthNamesShort: this._get(inst, 'monthNamesShort'), monthNames: this._get(inst, 'monthNames')};
|
|
},
|
|
|
|
/* Format the given date for display. */
|
|
_formatDate: function(inst, day, month, year) {
|
|
if (!day) {
|
|
inst.currentDay = inst.selectedDay;
|
|
inst.currentMonth = inst.selectedMonth;
|
|
inst.currentYear = inst.selectedYear;
|
|
}
|
|
var date = (day ? (typeof day == 'object' ? day : new Date(year, month, day)) :
|
|
new Date(inst.currentYear, inst.currentMonth, inst.currentDay));
|
|
return this.formatDate(this._get(inst, 'dateFormat'), date, this._getFormatConfig(inst));
|
|
}
|
|
});
|
|
|
|
/* jQuery extend now ignores nulls! */
|
|
function extendRemove(target, props) {
|
|
$.extend(target, props);
|
|
for (var name in props)
|
|
if (props[name] == null || props[name] == undefined)
|
|
target[name] = props[name];
|
|
return target;
|
|
};
|
|
|
|
/* Determine whether an object is an array. */
|
|
function isArray(a) {
|
|
return (a && (($.browser.safari && typeof a == 'object' && a.length) ||
|
|
(a.constructor && a.constructor.toString().match(/\Array\(\)/))));
|
|
};
|
|
|
|
/* Invoke the datepicker functionality.
|
|
@param options string - a command, optionally followed by additional parameters or
|
|
Object - settings for attaching new datepicker functionality
|
|
@return jQuery object */
|
|
$.fn.datepicker = function(options){
|
|
|
|
/* Initialise the date picker. */
|
|
if (!$.datepicker.initialized) {
|
|
$(document.body)
|
|
.append($.datepicker.dpDiv)
|
|
.mousedown($.datepicker._checkExternalClick);
|
|
$.datepicker.initialized = true;
|
|
}
|
|
|
|
var otherArgs = Array.prototype.slice.call(arguments, 1);
|
|
if (typeof options == 'string' && (options == 'isDisabled' || options == 'getDate'))
|
|
return $.datepicker['_' + options + 'Datepicker'].
|
|
apply($.datepicker, [this[0]].concat(otherArgs));
|
|
return this.each(function() {
|
|
typeof options == 'string' ?
|
|
$.datepicker['_' + options + 'Datepicker'].
|
|
apply($.datepicker, [this].concat(otherArgs)) :
|
|
$.datepicker._attachDatepicker(this, options);
|
|
});
|
|
};
|
|
|
|
$.datepicker = new Datepicker(); // singleton instance
|
|
$.datepicker.initialized = false;
|
|
|
|
})(jQuery);
|
|
|
|
/*
|
|
* jQuery UI Dialog
|
|
*
|
|
* Copyright (c) 2008 Richard D. Worth (rdworth.org)
|
|
* Dual licensed under the MIT (MIT-LICENSE.txt)
|
|
* and GPL (GPL-LICENSE.txt) licenses.
|
|
*
|
|
* http://docs.jquery.com/UI/Dialog
|
|
*
|
|
* Depends:
|
|
* ui.core.js
|
|
* ui.draggable.js
|
|
* ui.resizable.js
|
|
*/
|
|
(function($) {
|
|
|
|
var setDataSwitch = {
|
|
dragStart: "start.draggable",
|
|
drag: "drag.draggable",
|
|
dragStop: "stop.draggable",
|
|
maxHeight: "maxHeight.resizable",
|
|
minHeight: "minHeight.resizable",
|
|
maxWidth: "maxWidth.resizable",
|
|
minWidth: "minWidth.resizable",
|
|
resizeStart: "start.resizable",
|
|
resize: "drag.resizable",
|
|
resizeStop: "stop.resizable"
|
|
};
|
|
|
|
$.widget("ui.dialog", {
|
|
init: function() {
|
|
this.options.title = this.options.title || this.element.attr('title');
|
|
|
|
var self = this,
|
|
options = this.options,
|
|
resizeHandles = typeof options.resizable == 'string'
|
|
? options.resizable
|
|
: 'n,e,s,w,se,sw,ne,nw',
|
|
|
|
uiDialogContent = this.element
|
|
.addClass('ui-dialog-content')
|
|
.wrap('<div/>')
|
|
.wrap('<div/>'),
|
|
|
|
uiDialogContainer = (this.uiDialogContainer = uiDialogContent.parent())
|
|
.addClass('ui-dialog-container')
|
|
.css({
|
|
position: 'relative',
|
|
width: '100%',
|
|
height: '100%'
|
|
}),
|
|
|
|
title = options.title || ' ',
|
|
uiDialogTitlebar = (this.uiDialogTitlebar =
|
|
$('<div class="ui-dialog-titlebar"/>'))
|
|
.append('<span class="ui-dialog-title">' + title + '</span>')
|
|
.append('<a href="#" class="ui-dialog-titlebar-close"><span>X</span></a>')
|
|
.prependTo(uiDialogContainer),
|
|
|
|
uiDialog = (this.uiDialog = uiDialogContainer.parent())
|
|
.appendTo(document.body)
|
|
.hide()
|
|
.addClass('ui-dialog')
|
|
.addClass(options.dialogClass)
|
|
// add content classes to dialog
|
|
// to inherit theme at top level of element
|
|
.addClass(uiDialogContent.attr('className'))
|
|
.removeClass('ui-dialog-content')
|
|
.css({
|
|
position: 'absolute',
|
|
width: options.width,
|
|
height: options.height,
|
|
overflow: 'hidden',
|
|
zIndex: options.zIndex
|
|
})
|
|
// setting tabIndex makes the div focusable
|
|
// setting outline to 0 prevents a border on focus in Mozilla
|
|
.attr('tabIndex', -1).css('outline', 0).keydown(function(ev) {
|
|
if (options.closeOnEscape) {
|
|
var ESC = 27;
|
|
(ev.keyCode && ev.keyCode == ESC && self.close());
|
|
}
|
|
})
|
|
.mousedown(function() {
|
|
self.moveToTop();
|
|
}),
|
|
|
|
uiDialogButtonPane = (this.uiDialogButtonPane = $('<div/>'))
|
|
.addClass('ui-dialog-buttonpane')
|
|
.css({
|
|
position: 'absolute',
|
|
bottom: 0
|
|
})
|
|
.appendTo(uiDialog);
|
|
|
|
this.uiDialogTitlebarClose = $('.ui-dialog-titlebar-close', uiDialogTitlebar)
|
|
.hover(
|
|
function() {
|
|
$(this).addClass('ui-dialog-titlebar-close-hover');
|
|
},
|
|
function() {
|
|
$(this).removeClass('ui-dialog-titlebar-close-hover');
|
|
}
|
|
)
|
|
.mousedown(function(ev) {
|
|
ev.stopPropagation();
|
|
})
|
|
.click(function() {
|
|
self.close();
|
|
return false;
|
|
});
|
|
|
|
uiDialogTitlebar.find("*").add(uiDialogTitlebar).each(function() {
|
|
$.ui.disableSelection(this);
|
|
});
|
|
|
|
if ($.fn.draggable) {
|
|
uiDialog.draggable({
|
|
cancel: '.ui-dialog-content',
|
|
helper: options.dragHelper,
|
|
handle: '.ui-dialog-titlebar',
|
|
start: function() {
|
|
self.moveToTop();
|
|
(options.dragStart && options.dragStart.apply(self.element[0], arguments));
|
|
},
|
|
drag: function() {
|
|
(options.drag && options.drag.apply(self.element[0], arguments));
|
|
},
|
|
stop: function() {
|
|
(options.dragStop && options.dragStop.apply(self.element[0], arguments));
|
|
$.ui.dialog.overlay.resize();
|
|
}
|
|
});
|
|
(options.draggable || uiDialog.draggable('disable'));
|
|
}
|
|
|
|
if ($.fn.resizable) {
|
|
uiDialog.resizable({
|
|
cancel: '.ui-dialog-content',
|
|
helper: options.resizeHelper,
|
|
maxWidth: options.maxWidth,
|
|
maxHeight: options.maxHeight,
|
|
minWidth: options.minWidth,
|
|
minHeight: options.minHeight,
|
|
start: function() {
|
|
(options.resizeStart && options.resizeStart.apply(self.element[0], arguments));
|
|
},
|
|
resize: function() {
|
|
(options.autoResize && self.size.apply(self));
|
|
(options.resize && options.resize.apply(self.element[0], arguments));
|
|
},
|
|
handles: resizeHandles,
|
|
stop: function() {
|
|
(options.autoResize && self.size.apply(self));
|
|
(options.resizeStop && options.resizeStop.apply(self.element[0], arguments));
|
|
$.ui.dialog.overlay.resize();
|
|
}
|
|
});
|
|
(options.resizable || uiDialog.resizable('disable'));
|
|
}
|
|
|
|
this.createButtons(options.buttons);
|
|
this.isOpen = false;
|
|
|
|
(options.bgiframe && $.fn.bgiframe && uiDialog.bgiframe());
|
|
(options.autoOpen && this.open());
|
|
},
|
|
|
|
setData: function(key, value){
|
|
(setDataSwitch[key] && this.uiDialog.data(setDataSwitch[key], value));
|
|
switch (key) {
|
|
case "buttons":
|
|
this.createButtons(value);
|
|
break;
|
|
case "draggable":
|
|
this.uiDialog.draggable(value ? 'enable' : 'disable');
|
|
break;
|
|
case "height":
|
|
this.uiDialog.height(value);
|
|
break;
|
|
case "position":
|
|
this.position(value);
|
|
break;
|
|
case "resizable":
|
|
(typeof value == 'string' && this.uiDialog.data('handles.resizable', value));
|
|
this.uiDialog.resizable(value ? 'enable' : 'disable');
|
|
break;
|
|
case "title":
|
|
$(".ui-dialog-title", this.uiDialogTitlebar).html(value || ' ');
|
|
break;
|
|
case "width":
|
|
this.uiDialog.width(value);
|
|
break;
|
|
}
|
|
|
|
$.widget.prototype.setData.apply(this, arguments);
|
|
},
|
|
|
|
position: function(pos) {
|
|
var wnd = $(window), doc = $(document),
|
|
pTop = doc.scrollTop(), pLeft = doc.scrollLeft(),
|
|
minTop = pTop;
|
|
|
|
if ($.inArray(pos, ['center','top','right','bottom','left']) >= 0) {
|
|
pos = [
|
|
pos == 'right' || pos == 'left' ? pos : 'center',
|
|
pos == 'top' || pos == 'bottom' ? pos : 'middle'
|
|
];
|
|
}
|
|
if (pos.constructor != Array) {
|
|
pos = ['center', 'middle'];
|
|
}
|
|
if (pos[0].constructor == Number) {
|
|
pLeft += pos[0];
|
|
} else {
|
|
switch (pos[0]) {
|
|
case 'left':
|
|
pLeft += 0;
|
|
break;
|
|
case 'right':
|
|
pLeft += wnd.width() - this.uiDialog.width();
|
|
break;
|
|
default:
|
|
case 'center':
|
|
pLeft += (wnd.width() - this.uiDialog.width()) / 2;
|
|
}
|
|
}
|
|
if (pos[1].constructor == Number) {
|
|
pTop += pos[1];
|
|
} else {
|
|
switch (pos[1]) {
|
|
case 'top':
|
|
pTop += 0;
|
|
break;
|
|
case 'bottom':
|
|
pTop += wnd.height() - this.uiDialog.height();
|
|
break;
|
|
default:
|
|
case 'middle':
|
|
pTop += (wnd.height() - this.uiDialog.height()) / 2;
|
|
}
|
|
}
|
|
|
|
// prevent the dialog from being too high (make sure the titlebar
|
|
// is accessible)
|
|
pTop = Math.max(pTop, minTop);
|
|
this.uiDialog.css({top: pTop, left: pLeft});
|
|
},
|
|
|
|
size: function() {
|
|
var container = this.uiDialogContainer,
|
|
titlebar = this.uiDialogTitlebar,
|
|
content = this.element,
|
|
tbMargin = (parseInt(content.css('margin-top'), 10) || 0)
|
|
+ (parseInt(content.css('margin-bottom'), 10) || 0),
|
|
lrMargin = (parseInt(content.css('margin-left'), 10) || 0)
|
|
+ (parseInt(content.css('margin-right'), 10) || 0);
|
|
content.height(container.height() - titlebar.outerHeight() - tbMargin);
|
|
content.width(container.width() - lrMargin);
|
|
},
|
|
|
|
open: function() {
|
|
if (this.isOpen) { return; }
|
|
|
|
this.overlay = this.options.modal ? new $.ui.dialog.overlay(this) : null;
|
|
(this.uiDialog.next().length && this.uiDialog.appendTo('body'));
|
|
this.position(this.options.position);
|
|
this.uiDialog.show(this.options.show);
|
|
(this.options.autoResize && this.size());
|
|
this.moveToTop(true);
|
|
|
|
this.trigger('open', null, { options: this.options });
|
|
this.isOpen = true;
|
|
},
|
|
|
|
// the force parameter allows us to move modal dialogs to their correct
|
|
// position on open
|
|
moveToTop: function(force) {
|
|
|
|
if ((this.options.modal && !force)
|
|
|| (!this.options.stack && !this.options.modal)) {
|
|
return this.trigger('focus', null, { options: this.options });
|
|
}
|
|
|
|
var maxZ = this.options.zIndex, options = this.options;
|
|
$('.ui-dialog:visible').each(function() {
|
|
maxZ = Math.max(maxZ, parseInt($(this).css('z-index'), 10) || options.zIndex);
|
|
});
|
|
(this.overlay && this.overlay.$el.css('z-index', ++maxZ));
|
|
this.uiDialog.css('z-index', ++maxZ);
|
|
|
|
this.trigger('focus', null, { options: this.options });
|
|
},
|
|
|
|
close: function() {
|
|
(this.overlay && this.overlay.destroy());
|
|
this.uiDialog.hide(this.options.hide);
|
|
|
|
this.trigger('close', null, { options: this.options });
|
|
$.ui.dialog.overlay.resize();
|
|
|
|
this.isOpen = false;
|
|
},
|
|
|
|
destroy: function() {
|
|
(this.overlay && this.overlay.destroy());
|
|
this.uiDialog.hide();
|
|
this.element
|
|
.unbind('.dialog')
|
|
.removeData('dialog')
|
|
.removeClass('ui-dialog-content')
|
|
.hide().appendTo('body');
|
|
this.uiDialog.remove();
|
|
},
|
|
|
|
createButtons: function(buttons) {
|
|
var self = this,
|
|
hasButtons = false,
|
|
uiDialogButtonPane = this.uiDialogButtonPane;
|
|
|
|
// remove any existing buttons
|
|
uiDialogButtonPane.empty().hide();
|
|
|
|
$.each(buttons, function() { return !(hasButtons = true); });
|
|
if (hasButtons) {
|
|
uiDialogButtonPane.show();
|
|
$.each(buttons, function(name, fn) {
|
|
$('<button/>')
|
|
.text(name)
|
|
.click(function() { fn.apply(self.element[0], arguments); })
|
|
.appendTo(uiDialogButtonPane);
|
|
});
|
|
}
|
|
},
|
|
|
|
fakeEvent: function(type) {
|
|
return $.event.fix({
|
|
type: type,
|
|
target: this.element[0]
|
|
});
|
|
}
|
|
});
|
|
|
|
$.extend($.ui.dialog, {
|
|
defaults: {
|
|
autoOpen: true,
|
|
autoResize: true,
|
|
bgiframe: false,
|
|
buttons: {},
|
|
closeOnEscape: true,
|
|
draggable: true,
|
|
height: 200,
|
|
minHeight: 100,
|
|
minWidth: 150,
|
|
modal: false,
|
|
overlay: {},
|
|
position: 'center',
|
|
resizable: true,
|
|
stack: true,
|
|
width: 300,
|
|
zIndex: 1000
|
|
},
|
|
|
|
overlay: function(dialog) {
|
|
this.$el = $.ui.dialog.overlay.create(dialog);
|
|
}
|
|
});
|
|
|
|
$.extend($.ui.dialog.overlay, {
|
|
instances: [],
|
|
events: $.map('focus,mousedown,mouseup,keydown,keypress,click'.split(','),
|
|
function(e) { return e + '.dialog-overlay'; }).join(' '),
|
|
create: function(dialog) {
|
|
if (this.instances.length === 0) {
|
|
// prevent use of anchors and inputs
|
|
// we use a setTimeout in case the overlay is created from an
|
|
// event that we're going to be cancelling (see #2804)
|
|
setTimeout(function() {
|
|
$('a, :input').bind($.ui.dialog.overlay.events, function() {
|
|
// allow use of the element if inside a dialog and
|
|
// - there are no modal dialogs
|
|
// - there are modal dialogs, but we are in front of the topmost modal
|
|
var allow = false;
|
|
var $dialog = $(this).parents('.ui-dialog');
|
|
if ($dialog.length) {
|
|
var $overlays = $('.ui-dialog-overlay');
|
|
if ($overlays.length) {
|
|
var maxZ = parseInt($overlays.css('z-index'), 10);
|
|
$overlays.each(function() {
|
|
maxZ = Math.max(maxZ, parseInt($(this).css('z-index'), 10));
|
|
});
|
|
allow = parseInt($dialog.css('z-index'), 10) > maxZ;
|
|
} else {
|
|
allow = true;
|
|
}
|
|
}
|
|
return allow;
|
|
});
|
|
}, 1);
|
|
|
|
// allow closing by pressing the escape key
|
|
$(document).bind('keydown.dialog-overlay', function(e) {
|
|
var ESC = 27;
|
|
(e.keyCode && e.keyCode == ESC && dialog.close());
|
|
});
|
|
|
|
// handle window resize
|
|
$(window).bind('resize.dialog-overlay', $.ui.dialog.overlay.resize);
|
|
}
|
|
|
|
var $el = $('<div/>').appendTo(document.body)
|
|
.addClass('ui-dialog-overlay').css($.extend({
|
|
borderWidth: 0, margin: 0, padding: 0,
|
|
position: 'absolute', top: 0, left: 0,
|
|
width: this.width(),
|
|
height: this.height()
|
|
}, dialog.options.overlay));
|
|
|
|
(dialog.options.bgiframe && $.fn.bgiframe && $el.bgiframe());
|
|
|
|
this.instances.push($el);
|
|
return $el;
|
|
},
|
|
|
|
destroy: function($el) {
|
|
this.instances.splice($.inArray(this.instances, $el), 1);
|
|
|
|
if (this.instances.length === 0) {
|
|
$('a, :input').add([document, window]).unbind('.dialog-overlay');
|
|
}
|
|
|
|
$el.remove();
|
|
},
|
|
|
|
height: function() {
|
|
// handle IE 6
|
|
if ($.browser.msie && $.browser.version < 7) {
|
|
var scrollHeight = Math.max(
|
|
document.documentElement.scrollHeight,
|
|
document.body.scrollHeight
|
|
);
|
|
var offsetHeight = Math.max(
|
|
document.documentElement.offsetHeight,
|
|
document.body.offsetHeight
|
|
);
|
|
|
|
if (scrollHeight < offsetHeight) {
|
|
return $(window).height() + 'px';
|
|
} else {
|
|
return scrollHeight + 'px';
|
|
}
|
|
// handle Opera
|
|
} else if ($.browser.opera) {
|
|
return Math.max(
|
|
window.innerHeight,
|
|
$(document).height()
|
|
) + 'px';
|
|
// handle "good" browsers
|
|
} else {
|
|
return $(document).height() + 'px';
|
|
}
|
|
},
|
|
|
|
width: function() {
|
|
// handle IE 6
|
|
if ($.browser.msie && $.browser.version < 7) {
|
|
var scrollWidth = Math.max(
|
|
document.documentElement.scrollWidth,
|
|
document.body.scrollWidth
|
|
);
|
|
var offsetWidth = Math.max(
|
|
document.documentElement.offsetWidth,
|
|
document.body.offsetWidth
|
|
);
|
|
|
|
if (scrollWidth < offsetWidth) {
|
|
return $(window).width() + 'px';
|
|
} else {
|
|
return scrollWidth + 'px';
|
|
}
|
|
// handle Opera
|
|
} else if ($.browser.opera) {
|
|
return Math.max(
|
|
window.innerWidth,
|
|
$(document).width()
|
|
) + 'px';
|
|
// handle "good" browsers
|
|
} else {
|
|
return $(document).width() + 'px';
|
|
}
|
|
},
|
|
|
|
resize: function() {
|
|
/* If the dialog is draggable and the user drags it past the
|
|
* right edge of the window, the document becomes wider so we
|
|
* need to stretch the overlay. If the user then drags the
|
|
* dialog back to the left, the document will become narrower,
|
|
* so we need to shrink the overlay to the appropriate size.
|
|
* This is handled by shrinking the overlay before setting it
|
|
* to the full document size.
|
|
*/
|
|
var $overlays = $([]);
|
|
$.each($.ui.dialog.overlay.instances, function() {
|
|
$overlays = $overlays.add(this);
|
|
});
|
|
|
|
$overlays.css({
|
|
width: 0,
|
|
height: 0
|
|
}).css({
|
|
width: $.ui.dialog.overlay.width(),
|
|
height: $.ui.dialog.overlay.height()
|
|
});
|
|
}
|
|
});
|
|
|
|
$.extend($.ui.dialog.overlay.prototype, {
|
|
destroy: function() {
|
|
$.ui.dialog.overlay.destroy(this.$el);
|
|
}
|
|
});
|
|
|
|
})(jQuery);
|
|
|
|
/*
|
|
* jQuery UI Draggable
|
|
*
|
|
* Copyright (c) 2008 Paul Bakaus
|
|
* Dual licensed under the MIT (MIT-LICENSE.txt)
|
|
* and GPL (GPL-LICENSE.txt) licenses.
|
|
*
|
|
* http://docs.jquery.com/UI/Draggables
|
|
*
|
|
* Depends:
|
|
* ui.core.js
|
|
*/
|
|
(function($) {
|
|
|
|
$.widget("ui.draggable", $.extend({}, $.ui.mouse, {
|
|
init: function() {
|
|
|
|
if (this.options.helper == 'original' && !(/^(?:r|a|f)/).test(this.element.css("position")))
|
|
this.element[0].style.position = 'relative';
|
|
|
|
(this.options.cssNamespace && this.element.addClass(this.options.cssNamespace+"-draggable"));
|
|
(this.options.disabled && this.element.addClass('ui-draggable-disabled'));
|
|
|
|
this.mouseInit();
|
|
|
|
},
|
|
mouseStart: function(e) {
|
|
|
|
var o = this.options;
|
|
|
|
if (this.helper || o.disabled || $(e.target).is('.ui-resizable-handle'))
|
|
return false;
|
|
|
|
//Check if we have a valid handle
|
|
var handle = !this.options.handle || !$(this.options.handle, this.element).length ? true : false;
|
|
$(this.options.handle, this.element).find("*").andSelf().each(function() {
|
|
if(this == e.target) handle = true;
|
|
});
|
|
if (!handle) return false;
|
|
|
|
if($.ui.ddmanager)
|
|
$.ui.ddmanager.current = this;
|
|
|
|
//Create and append the visible helper
|
|
this.helper = $.isFunction(o.helper) ? $(o.helper.apply(this.element[0], [e])) : (o.helper == 'clone' ? this.element.clone() : this.element);
|
|
if(!this.helper.parents('body').length) this.helper.appendTo((o.appendTo == 'parent' ? this.element[0].parentNode : o.appendTo));
|
|
if(this.helper[0] != this.element[0] && !(/(fixed|absolute)/).test(this.helper.css("position"))) this.helper.css("position", "absolute");
|
|
|
|
/*
|
|
* - Position generation -
|
|
* This block generates everything position related - it's the core of draggables.
|
|
*/
|
|
|
|
this.margins = { //Cache the margins
|
|
left: (parseInt(this.element.css("marginLeft"),10) || 0),
|
|
top: (parseInt(this.element.css("marginTop"),10) || 0)
|
|
};
|
|
|
|
this.cssPosition = this.helper.css("position"); //Store the helper's css position
|
|
this.offset = this.element.offset(); //The element's absolute position on the page
|
|
this.offset = { //Substract the margins from the element's absolute offset
|
|
top: this.offset.top - this.margins.top,
|
|
left: this.offset.left - this.margins.left
|
|
};
|
|
|
|
this.offset.click = { //Where the click happened, relative to the element
|
|
left: e.pageX - this.offset.left,
|
|
top: e.pageY - this.offset.top
|
|
};
|
|
|
|
this.scrollTopParent = function(el) {
|
|
do { if(/auto|scroll/.test(el.css('overflow')) || (/auto|scroll/).test(el.css('overflow-y'))) return el; el = el.parent(); } while (el[0].parentNode);
|
|
return $(document);
|
|
}(this.helper);
|
|
this.scrollLeftParent = function(el) {
|
|
do { if(/auto|scroll/.test(el.css('overflow')) || (/auto|scroll/).test(el.css('overflow-x'))) return el; el = el.parent(); } while (el[0].parentNode);
|
|
return $(document);
|
|
}(this.helper);
|
|
|
|
this.offsetParent = this.helper.offsetParent(); var po = this.offsetParent.offset(); //Get the offsetParent and cache its position
|
|
if(this.offsetParent[0] == document.body && $.browser.mozilla) po = { top: 0, left: 0 }; //Ugly FF3 fix
|
|
this.offset.parent = { //Store its position plus border
|
|
top: po.top + (parseInt(this.offsetParent.css("borderTopWidth"),10) || 0),
|
|
left: po.left + (parseInt(this.offsetParent.css("borderLeftWidth"),10) || 0)
|
|
};
|
|
|
|
var p = this.element.position(); //This is a relative to absolute position minus the actual position calculation - only used for relative positioned helpers
|
|
this.offset.relative = this.cssPosition == "relative" ? {
|
|
top: p.top - (parseInt(this.helper.css("top"),10) || 0) + (this.scrollTopParent[0].scrollTop || 0),
|
|
left: p.left - (parseInt(this.helper.css("left"),10) || 0) + (this.scrollLeftParent[0].scrollLeft || 0)
|
|
} : { top: 0, left: 0 };
|
|
|
|
this.originalPosition = this.generatePosition(e); //Generate the original position
|
|
this.helperProportions = { width: this.helper.outerWidth(), height: this.helper.outerHeight() };//Cache the helper size
|
|
|
|
if(o.cursorAt) {
|
|
if(o.cursorAt.left != undefined) this.offset.click.left = o.cursorAt.left + this.margins.left;
|
|
if(o.cursorAt.right != undefined) this.offset.click.left = this.helperProportions.width - o.cursorAt.right + this.margins.left;
|
|
if(o.cursorAt.top != undefined) this.offset.click.top = o.cursorAt.top + this.margins.top;
|
|
if(o.cursorAt.bottom != undefined) this.offset.click.top = this.helperProportions.height - o.cursorAt.bottom + this.margins.top;
|
|
}
|
|
|
|
|
|
/*
|
|
* - Position constraining -
|
|
* Here we prepare position constraining like grid and containment.
|
|
*/
|
|
|
|
if(o.containment) {
|
|
if(o.containment == 'parent') o.containment = this.helper[0].parentNode;
|
|
if(o.containment == 'document' || o.containment == 'window') this.containment = [
|
|
0 - this.offset.relative.left - this.offset.parent.left,
|
|
0 - this.offset.relative.top - this.offset.parent.top,
|
|
$(o.containment == 'document' ? document : window).width() - this.offset.relative.left - this.offset.parent.left - this.helperProportions.width - this.margins.left - (parseInt(this.element.css("marginRight"),10) || 0),
|
|
($(o.containment == 'document' ? document : window).height() || document.body.parentNode.scrollHeight) - this.offset.relative.top - this.offset.parent.top - this.helperProportions.height - this.margins.top - (parseInt(this.element.css("marginBottom"),10) || 0)
|
|
];
|
|
|
|
if(!(/^(document|window|parent)$/).test(o.containment)) {
|
|
var ce = $(o.containment)[0];
|
|
var co = $(o.containment).offset();
|
|
|
|
this.containment = [
|
|
co.left + (parseInt($(ce).css("borderLeftWidth"),10) || 0) - this.offset.relative.left - this.offset.parent.left,
|
|
co.top + (parseInt($(ce).css("borderTopWidth"),10) || 0) - this.offset.relative.top - this.offset.parent.top,
|
|
co.left+Math.max(ce.scrollWidth,ce.offsetWidth) - (parseInt($(ce).css("borderLeftWidth"),10) || 0) - this.offset.relative.left - this.offset.parent.left - this.helperProportions.width - this.margins.left - (parseInt(this.element.css("marginRight"),10) || 0),
|
|
co.top+Math.max(ce.scrollHeight,ce.offsetHeight) - (parseInt($(ce).css("borderTopWidth"),10) || 0) - this.offset.relative.top - this.offset.parent.top - this.helperProportions.height - this.margins.top - (parseInt(this.element.css("marginBottom"),10) || 0)
|
|
];
|
|
}
|
|
}
|
|
|
|
//Call plugins and callbacks
|
|
this.propagate("start", e);
|
|
|
|
this.helperProportions = { width: this.helper.outerWidth(), height: this.helper.outerHeight() };//Recache the helper size
|
|
if ($.ui.ddmanager && !o.dropBehaviour) $.ui.ddmanager.prepareOffsets(this, e);
|
|
|
|
this.helper.addClass("ui-draggable-dragging");
|
|
this.mouseDrag(e); //Execute the drag once - this causes the helper not to be visible before getting its correct position
|
|
return true;
|
|
},
|
|
convertPositionTo: function(d, pos) {
|
|
if(!pos) pos = this.position;
|
|
var mod = d == "absolute" ? 1 : -1;
|
|
return {
|
|
top: (
|
|
pos.top // the calculated relative position
|
|
+ this.offset.relative.top * mod // Only for relative positioned nodes: Relative offset from element to offset parent
|
|
+ this.offset.parent.top * mod // The offsetParent's offset without borders (offset + border)
|
|
- (this.cssPosition == "fixed" || (this.cssPosition == "absolute" && this.offsetParent[0] == document.body) ? 0 : this.scrollTopParent[0].scrollTop) * mod // The offsetParent's scroll position, not if the element is fixed
|
|
+ (this.cssPosition == "fixed" ? $(document).scrollTop() : 0) * mod
|
|
+ this.margins.top * mod //Add the margin (you don't want the margin counting in intersection methods)
|
|
),
|
|
left: (
|
|
pos.left // the calculated relative position
|
|
+ this.offset.relative.left * mod // Only for relative positioned nodes: Relative offset from element to offset parent
|
|
+ this.offset.parent.left * mod // The offsetParent's offset without borders (offset + border)
|
|
- (this.cssPosition == "fixed" || (this.cssPosition == "absolute" && this.offsetParent[0] == document.body) ? 0 : this.scrollLeftParent[0].scrollLeft) * mod // The offsetParent's scroll position, not if the element is fixed
|
|
+ (this.cssPosition == "fixed" ? $(document).scrollLeft() : 0) * mod
|
|
+ this.margins.left * mod //Add the margin (you don't want the margin counting in intersection methods)
|
|
)
|
|
};
|
|
},
|
|
generatePosition: function(e) {
|
|
|
|
var o = this.options;
|
|
var position = {
|
|
top: (
|
|
e.pageY // The absolute mouse position
|
|
- this.offset.click.top // Click offset (relative to the element)
|
|
- this.offset.relative.top // Only for relative positioned nodes: Relative offset from element to offset parent
|
|
- this.offset.parent.top // The offsetParent's offset without borders (offset + border)
|
|
+ (this.cssPosition == "fixed" || (this.cssPosition == "absolute" && this.offsetParent[0] == document.body) ? 0 : (this.scrollTopParent[0].scrollTop || 0)) // The offsetParent's scroll position, not if the element is fixed
|
|
- (this.cssPosition == "fixed" ? $(document).scrollTop() : 0)
|
|
),
|
|
left: (
|
|
e.pageX // The absolute mouse position
|
|
- this.offset.click.left // Click offset (relative to the element)
|
|
- this.offset.relative.left // Only for relative positioned nodes: Relative offset from element to offset parent
|
|
- this.offset.parent.left // The offsetParent's offset without borders (offset + border)
|
|
+ (this.cssPosition == "fixed" || (this.cssPosition == "absolute" && this.offsetParent[0] == document.body) ? 0 : (this.scrollLeftParent[0].scrollLeft || 0)) // The offsetParent's scroll position, not if the element is fixed
|
|
- (this.cssPosition == "fixed" ? $(document).scrollLeft() : 0)
|
|
)
|
|
};
|
|
|
|
if(!this.originalPosition) return position; //If we are not dragging yet, we won't check for options
|
|
|
|
/*
|
|
* - Position constraining -
|
|
* Constrain the position to a mix of grid, containment.
|
|
*/
|
|
if(this.containment) {
|
|
if(position.left < this.containment[0]) position.left = this.containment[0];
|
|
if(position.top < this.containment[1]) position.top = this.containment[1];
|
|
if(position.left > this.containment[2]) position.left = this.containment[2];
|
|
if(position.top > this.containment[3]) position.top = this.containment[3];
|
|
}
|
|
|
|
if(o.grid) {
|
|
var top = this.originalPosition.top + Math.round((position.top - this.originalPosition.top) / o.grid[1]) * o.grid[1];
|
|
position.top = this.containment ? (!(top < this.containment[1] || top > this.containment[3]) ? top : (!(top < this.containment[1]) ? top - o.grid[1] : top + o.grid[1])) : top;
|
|
|
|
var left = this.originalPosition.left + Math.round((position.left - this.originalPosition.left) / o.grid[0]) * o.grid[0];
|
|
position.left = this.containment ? (!(left < this.containment[0] || left > this.containment[2]) ? left : (!(left < this.containment[0]) ? left - o.grid[0] : left + o.grid[0])) : left;
|
|
}
|
|
|
|
return position;
|
|
},
|
|
mouseDrag: function(e) {
|
|
|
|
//Compute the helpers position
|
|
this.position = this.generatePosition(e);
|
|
this.positionAbs = this.convertPositionTo("absolute");
|
|
|
|
//Call plugins and callbacks and use the resulting position if something is returned
|
|
this.position = this.propagate("drag", e) || this.position;
|
|
|
|
if(!this.options.axis || this.options.axis != "y") this.helper[0].style.left = this.position.left+'px';
|
|
if(!this.options.axis || this.options.axis != "x") this.helper[0].style.top = this.position.top+'px';
|
|
if($.ui.ddmanager) $.ui.ddmanager.drag(this, e);
|
|
|
|
return false;
|
|
},
|
|
mouseStop: function(e) {
|
|
|
|
//If we are using droppables, inform the manager about the drop
|
|
var dropped = false;
|
|
if ($.ui.ddmanager && !this.options.dropBehaviour)
|
|
var dropped = $.ui.ddmanager.drop(this, e);
|
|
|
|
if((this.options.revert == "invalid" && !dropped) || (this.options.revert == "valid" && dropped) || this.options.revert === true) {
|
|
var self = this;
|
|
$(this.helper).animate(this.originalPosition, parseInt(this.options.revertDuration, 10) || 500, function() {
|
|
self.propagate("stop", e);
|
|
self.clear();
|
|
});
|
|
} else {
|
|
this.propagate("stop", e);
|
|
this.clear();
|
|
}
|
|
|
|
return false;
|
|
},
|
|
clear: function() {
|
|
this.helper.removeClass("ui-draggable-dragging");
|
|
if(this.options.helper != 'original' && !this.cancelHelperRemoval) this.helper.remove();
|
|
//if($.ui.ddmanager) $.ui.ddmanager.current = null;
|
|
this.helper = null;
|
|
this.cancelHelperRemoval = false;
|
|
},
|
|
|
|
// From now on bulk stuff - mainly helpers
|
|
plugins: {},
|
|
uiHash: function(e) {
|
|
return {
|
|
helper: this.helper,
|
|
position: this.position,
|
|
absolutePosition: this.positionAbs,
|
|
options: this.options
|
|
};
|
|
},
|
|
propagate: function(n,e) {
|
|
$.ui.plugin.call(this, n, [e, this.uiHash()]);
|
|
if(n == "drag") this.positionAbs = this.convertPositionTo("absolute"); //The absolute position has to be recalculated after plugins
|
|
return this.element.triggerHandler(n == "drag" ? n : "drag"+n, [e, this.uiHash()], this.options[n]);
|
|
},
|
|
destroy: function() {
|
|
if(!this.element.data('draggable')) return;
|
|
this.element.removeData("draggable").unbind(".draggable").removeClass('ui-draggable-dragging ui-draggable-disabled');
|
|
this.mouseDestroy();
|
|
}
|
|
}));
|
|
|
|
$.extend($.ui.draggable, {
|
|
defaults: {
|
|
appendTo: "parent",
|
|
axis: false,
|
|
cancel: ":input",
|
|
delay: 0,
|
|
distance: 1,
|
|
helper: "original",
|
|
scope: "default",
|
|
cssNamespace: "ui"
|
|
}
|
|
});
|
|
|
|
$.ui.plugin.add("draggable", "cursor", {
|
|
start: function(e, ui) {
|
|
var t = $('body');
|
|
if (t.css("cursor")) ui.options._cursor = t.css("cursor");
|
|
t.css("cursor", ui.options.cursor);
|
|
},
|
|
stop: function(e, ui) {
|
|
if (ui.options._cursor) $('body').css("cursor", ui.options._cursor);
|
|
}
|
|
});
|
|
|
|
$.ui.plugin.add("draggable", "zIndex", {
|
|
start: function(e, ui) {
|
|
var t = $(ui.helper);
|
|
if(t.css("zIndex")) ui.options._zIndex = t.css("zIndex");
|
|
t.css('zIndex', ui.options.zIndex);
|
|
},
|
|
stop: function(e, ui) {
|
|
if(ui.options._zIndex) $(ui.helper).css('zIndex', ui.options._zIndex);
|
|
}
|
|
});
|
|
|
|
$.ui.plugin.add("draggable", "opacity", {
|
|
start: function(e, ui) {
|
|
var t = $(ui.helper);
|
|
if(t.css("opacity")) ui.options._opacity = t.css("opacity");
|
|
t.css('opacity', ui.options.opacity);
|
|
},
|
|
stop: function(e, ui) {
|
|
if(ui.options._opacity) $(ui.helper).css('opacity', ui.options._opacity);
|
|
}
|
|
});
|
|
|
|
$.ui.plugin.add("draggable", "iframeFix", {
|
|
start: function(e, ui) {
|
|
$(ui.options.iframeFix === true ? "iframe" : ui.options.iframeFix).each(function() {
|
|
$('<div class="ui-draggable-iframeFix" style="background: #fff;"></div>')
|
|
.css({
|
|
width: this.offsetWidth+"px", height: this.offsetHeight+"px",
|
|
position: "absolute", opacity: "0.001", zIndex: 1000
|
|
})
|
|
.css($(this).offset())
|
|
.appendTo("body");
|
|
});
|
|
},
|
|
stop: function(e, ui) {
|
|
$("div.DragDropIframeFix").each(function() { this.parentNode.removeChild(this); }); //Remove frame helpers
|
|
}
|
|
});
|
|
|
|
|
|
|
|
$.ui.plugin.add("draggable", "scroll", {
|
|
start: function(e, ui) {
|
|
var o = ui.options;
|
|
var i = $(this).data("draggable");
|
|
o.scrollSensitivity = o.scrollSensitivity || 20;
|
|
o.scrollSpeed = o.scrollSpeed || 20;
|
|
|
|
i.overflowY = function(el) {
|
|
do { if(/auto|scroll/.test(el.css('overflow')) || (/auto|scroll/).test(el.css('overflow-y'))) return el; el = el.parent(); } while (el[0].parentNode);
|
|
return $(document);
|
|
}(this);
|
|
i.overflowX = function(el) {
|
|
do { if(/auto|scroll/.test(el.css('overflow')) || (/auto|scroll/).test(el.css('overflow-x'))) return el; el = el.parent(); } while (el[0].parentNode);
|
|
return $(document);
|
|
}(this);
|
|
|
|
if(i.overflowY[0] != document && i.overflowY[0].tagName != 'HTML') i.overflowYOffset = i.overflowY.offset();
|
|
if(i.overflowX[0] != document && i.overflowX[0].tagName != 'HTML') i.overflowXOffset = i.overflowX.offset();
|
|
|
|
},
|
|
drag: function(e, ui) {
|
|
|
|
var o = ui.options, scrolled = false;
|
|
var i = $(this).data("draggable");
|
|
|
|
if(i.overflowY[0] != document && i.overflowY[0].tagName != 'HTML') {
|
|
if((i.overflowYOffset.top + i.overflowY[0].offsetHeight) - e.pageY < o.scrollSensitivity)
|
|
i.overflowY[0].scrollTop = scrolled = i.overflowY[0].scrollTop + o.scrollSpeed;
|
|
if(e.pageY - i.overflowYOffset.top < o.scrollSensitivity)
|
|
i.overflowY[0].scrollTop = scrolled = i.overflowY[0].scrollTop - o.scrollSpeed;
|
|
|
|
} else {
|
|
if(e.pageY - $(document).scrollTop() < o.scrollSensitivity)
|
|
scrolled = $(document).scrollTop($(document).scrollTop() - o.scrollSpeed);
|
|
if($(window).height() - (e.pageY - $(document).scrollTop()) < o.scrollSensitivity)
|
|
scrolled = $(document).scrollTop($(document).scrollTop() + o.scrollSpeed);
|
|
}
|
|
|
|
if(i.overflowX[0] != document && i.overflowX[0].tagName != 'HTML') {
|
|
if((i.overflowXOffset.left + i.overflowX[0].offsetWidth) - e.pageX < o.scrollSensitivity)
|
|
i.overflowX[0].scrollLeft = scrolled = i.overflowX[0].scrollLeft + o.scrollSpeed;
|
|
if(e.pageX - i.overflowXOffset.left < o.scrollSensitivity)
|
|
i.overflowX[0].scrollLeft = scrolled = i.overflowX[0].scrollLeft - o.scrollSpeed;
|
|
} else {
|
|
if(e.pageX - $(document).scrollLeft() < o.scrollSensitivity)
|
|
scrolled = $(document).scrollLeft($(document).scrollLeft() - o.scrollSpeed);
|
|
if($(window).width() - (e.pageX - $(document).scrollLeft()) < o.scrollSensitivity)
|
|
scrolled = $(document).scrollLeft($(document).scrollLeft() + o.scrollSpeed);
|
|
}
|
|
|
|
if(scrolled !== false)
|
|
$.ui.ddmanager.prepareOffsets(i, e);
|
|
|
|
}
|
|
});
|
|
|
|
|
|
$.ui.plugin.add("draggable", "snap", {
|
|
start: function(e, ui) {
|
|
|
|
var inst = $(this).data("draggable");
|
|
inst.snapElements = [];
|
|
|
|
$(ui.options.snap.constructor != String ? ( ui.options.snap.items || ':data(draggable)' ) : ui.options.snap).each(function() {
|
|
var $t = $(this); var $o = $t.offset();
|
|
if(this != inst.element[0]) inst.snapElements.push({
|
|
item: this,
|
|
width: $t.outerWidth(), height: $t.outerHeight(),
|
|
top: $o.top, left: $o.left
|
|
});
|
|
});
|
|
|
|
},
|
|
drag: function(e, ui) {
|
|
|
|
var inst = $(this).data("draggable");
|
|
var d = ui.options.snapTolerance || 20;
|
|
var x1 = ui.absolutePosition.left, x2 = x1 + inst.helperProportions.width,
|
|
y1 = ui.absolutePosition.top, y2 = y1 + inst.helperProportions.height;
|
|
|
|
for (var i = inst.snapElements.length - 1; i >= 0; i--){
|
|
|
|
var l = inst.snapElements[i].left, r = l + inst.snapElements[i].width,
|
|
t = inst.snapElements[i].top, b = t + inst.snapElements[i].height;
|
|
|
|
//Yes, I know, this is insane ;)
|
|
if(!((l-d < x1 && x1 < r+d && t-d < y1 && y1 < b+d) || (l-d < x1 && x1 < r+d && t-d < y2 && y2 < b+d) || (l-d < x2 && x2 < r+d && t-d < y1 && y1 < b+d) || (l-d < x2 && x2 < r+d && t-d < y2 && y2 < b+d))) {
|
|
if(inst.snapElements[i].snapping) (inst.options.snap.release && inst.options.snap.release.call(inst.element, null, $.extend(inst.uiHash(), { snapItem: inst.snapElements[i].item })));
|
|
inst.snapElements[i].snapping = false;
|
|
continue;
|
|
}
|
|
|
|
if(ui.options.snapMode != 'inner') {
|
|
var ts = Math.abs(t - y2) <= 20;
|
|
var bs = Math.abs(b - y1) <= 20;
|
|
var ls = Math.abs(l - x2) <= 20;
|
|
var rs = Math.abs(r - x1) <= 20;
|
|
if(ts) ui.position.top = inst.convertPositionTo("relative", { top: t - inst.helperProportions.height, left: 0 }).top;
|
|
if(bs) ui.position.top = inst.convertPositionTo("relative", { top: b, left: 0 }).top;
|
|
if(ls) ui.position.left = inst.convertPositionTo("relative", { top: 0, left: l - inst.helperProportions.width }).left;
|
|
if(rs) ui.position.left = inst.convertPositionTo("relative", { top: 0, left: r }).left;
|
|
}
|
|
|
|
var first = (ts || bs || ls || rs);
|
|
|
|
if(ui.options.snapMode != 'outer') {
|
|
var ts = Math.abs(t - y1) <= 20;
|
|
var bs = Math.abs(b - y2) <= 20;
|
|
var ls = Math.abs(l - x1) <= 20;
|
|
var rs = Math.abs(r - x2) <= 20;
|
|
if(ts) ui.position.top = inst.convertPositionTo("relative", { top: t, left: 0 }).top;
|
|
if(bs) ui.position.top = inst.convertPositionTo("relative", { top: b - inst.helperProportions.height, left: 0 }).top;
|
|
if(ls) ui.position.left = inst.convertPositionTo("relative", { top: 0, left: l }).left;
|
|
if(rs) ui.position.left = inst.convertPositionTo("relative", { top: 0, left: r - inst.helperProportions.width }).left;
|
|
}
|
|
|
|
if(!inst.snapElements[i].snapping && (ts || bs || ls || rs || first))
|
|
(inst.options.snap.snap && inst.options.snap.snap.call(inst.element, null, $.extend(inst.uiHash(), { snapItem: inst.snapElements[i].item })));
|
|
inst.snapElements[i].snapping = (ts || bs || ls || rs || first);
|
|
|
|
};
|
|
|
|
}
|
|
});
|
|
|
|
$.ui.plugin.add("draggable", "connectToSortable", {
|
|
start: function(e,ui) {
|
|
|
|
var inst = $(this).data("draggable");
|
|
inst.sortables = [];
|
|
$(ui.options.connectToSortable).each(function() {
|
|
if($.data(this, 'sortable')) {
|
|
var sortable = $.data(this, 'sortable');
|
|
inst.sortables.push({
|
|
instance: sortable,
|
|
shouldRevert: sortable.options.revert
|
|
});
|
|
sortable.refreshItems(); //Do a one-time refresh at start to refresh the containerCache
|
|
sortable.propagate("activate", e, inst);
|
|
}
|
|
});
|
|
|
|
},
|
|
stop: function(e,ui) {
|
|
|
|
//If we are still over the sortable, we fake the stop event of the sortable, but also remove helper
|
|
var inst = $(this).data("draggable");
|
|
|
|
$.each(inst.sortables, function() {
|
|
if(this.instance.isOver) {
|
|
this.instance.isOver = 0;
|
|
inst.cancelHelperRemoval = true; //Don't remove the helper in the draggable instance
|
|
this.instance.cancelHelperRemoval = false; //Remove it in the sortable instance (so sortable plugins like revert still work)
|
|
if(this.shouldRevert) this.instance.options.revert = true; //revert here
|
|
this.instance.mouseStop(e);
|
|
|
|
//Also propagate receive event, since the sortable is actually receiving a element
|
|
this.instance.element.triggerHandler("sortreceive", [e, $.extend(this.instance.ui(), { sender: inst.element })], this.instance.options["receive"]);
|
|
|
|
this.instance.options.helper = this.instance.options._helper;
|
|
} else {
|
|
this.instance.propagate("deactivate", e, inst);
|
|
}
|
|
|
|
});
|
|
|
|
},
|
|
drag: function(e,ui) {
|
|
|
|
var inst = $(this).data("draggable"), self = this;
|
|
|
|
var checkPos = function(o) {
|
|
|
|
var l = o.left, r = l + o.width,
|
|
t = o.top, b = t + o.height;
|
|
|
|
return (l < (this.positionAbs.left + this.offset.click.left) && (this.positionAbs.left + this.offset.click.left) < r
|
|
&& t < (this.positionAbs.top + this.offset.click.top) && (this.positionAbs.top + this.offset.click.top) < b);
|
|
};
|
|
|
|
$.each(inst.sortables, function(i) {
|
|
|
|
if(checkPos.call(inst, this.instance.containerCache)) {
|
|
|
|
//If it intersects, we use a little isOver variable and set it once, so our move-in stuff gets fired only once
|
|
if(!this.instance.isOver) {
|
|
this.instance.isOver = 1;
|
|
|
|
//Now we fake the start of dragging for the sortable instance,
|
|
//by cloning the list group item, appending it to the sortable and using it as inst.currentItem
|
|
//We can then fire the start event of the sortable with our passed browser event, and our own helper (so it doesn't create a new one)
|
|
this.instance.currentItem = $(self).clone().appendTo(this.instance.element).data("sortable-item", true);
|
|
this.instance.options._helper = this.instance.options.helper; //Store helper option to later restore it
|
|
this.instance.options.helper = function() { return ui.helper[0]; };
|
|
|
|
e.target = this.instance.currentItem[0];
|
|
this.instance.mouseCapture(e, true);
|
|
this.instance.mouseStart(e, true, true);
|
|
|
|
//Because the browser event is way off the new appended portlet, we modify a couple of variables to reflect the changes
|
|
this.instance.offset.click.top = inst.offset.click.top;
|
|
this.instance.offset.click.left = inst.offset.click.left;
|
|
this.instance.offset.parent.left -= inst.offset.parent.left - this.instance.offset.parent.left;
|
|
this.instance.offset.parent.top -= inst.offset.parent.top - this.instance.offset.parent.top;
|
|
|
|
inst.propagate("toSortable", e);
|
|
|
|
}
|
|
|
|
//Provided we did all the previous steps, we can fire the drag event of the sortable on every draggable drag, when it intersects with the sortable
|
|
if(this.instance.currentItem) this.instance.mouseDrag(e);
|
|
|
|
} else {
|
|
|
|
//If it doesn't intersect with the sortable, and it intersected before,
|
|
//we fake the drag stop of the sortable, but make sure it doesn't remove the helper by using cancelHelperRemoval
|
|
if(this.instance.isOver) {
|
|
this.instance.isOver = 0;
|
|
this.instance.cancelHelperRemoval = true;
|
|
this.instance.options.revert = false; //No revert here
|
|
this.instance.mouseStop(e, true);
|
|
this.instance.options.helper = this.instance.options._helper;
|
|
|
|
//Now we remove our currentItem, the list group clone again, and the placeholder, and animate the helper back to it's original size
|
|
this.instance.currentItem.remove();
|
|
if(this.instance.placeholder) this.instance.placeholder.remove();
|
|
|
|
inst.propagate("fromSortable", e);
|
|
}
|
|
|
|
};
|
|
|
|
});
|
|
|
|
}
|
|
});
|
|
|
|
$.ui.plugin.add("draggable", "stack", {
|
|
start: function(e,ui) {
|
|
var group = $.makeArray($(ui.options.stack.group)).sort(function(a,b) {
|
|
return (parseInt($(a).css("zIndex"),10) || ui.options.stack.min) - (parseInt($(b).css("zIndex"),10) || ui.options.stack.min);
|
|
});
|
|
|
|
$(group).each(function(i) {
|
|
this.style.zIndex = ui.options.stack.min + i;
|
|
});
|
|
|
|
this[0].style.zIndex = ui.options.stack.min + group.length;
|
|
}
|
|
});
|
|
|
|
})(jQuery);
|
|
|
|
|
|
|
|
/*
|
|
Class: Class
|
|
The base class object of the <http://mootools.net> framework.
|
|
|
|
Arguments:
|
|
properties - the collection of properties that apply to the class. Creates a new class, its initialize method will fire upon class instantiation.
|
|
|
|
Example:
|
|
>var Cat = new Class({
|
|
> initialize: function(name){
|
|
> this.name = name;
|
|
> }
|
|
>});
|
|
>var myCat = new Cat('Micia');
|
|
>alert myCat.name; //alerts 'Micia'
|
|
*/
|
|
|
|
var Class = function(properties){
|
|
var klass = function(){
|
|
for (var p in this){
|
|
if (this[p]) 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;
|
|
};
|
|
|
|
/*
|
|
Property: empty
|
|
Returns an empty function
|
|
*/
|
|
|
|
Class.empty = function(){};
|
|
|
|
/*
|
|
Property: create
|
|
same as new Class. see <Class>
|
|
*/
|
|
|
|
Class.create = function(properties){
|
|
return new Class(properties);
|
|
};
|
|
|
|
Class.prototype = {
|
|
|
|
/*
|
|
Property: extend
|
|
Returns the copy of the Class extended with the passed in properties.
|
|
|
|
Arguments:
|
|
properties - the properties to add to the base class in this new Class.
|
|
|
|
Example:
|
|
>var Animal = new Class({
|
|
> initialize: function(age){
|
|
> this.age = age;
|
|
> }
|
|
>});
|
|
>var Cat = Animal.extend({
|
|
> initialize: function(name, age){
|
|
> this.parent(age); //will call the previous initialize;
|
|
> this.name = name;
|
|
> }
|
|
>});
|
|
>var myCat = new Cat('Micia', 20);
|
|
>alert myCat.name; //alerts 'Micia'
|
|
>alert myCat.age; //alerts 20
|
|
*/
|
|
|
|
extend: function(properties){
|
|
var pr0t0typ3 = new this('noinit');
|
|
for (var property in properties){
|
|
var previous = pr0t0typ3[property];
|
|
var current = properties[property];
|
|
if (previous && previous != current) current = previous.parentize(current) || current;
|
|
pr0t0typ3[property] = current;
|
|
}
|
|
return new Class(pr0t0typ3);
|
|
},
|
|
|
|
/*
|
|
Property: implement
|
|
Implements the passed in properties to the base Class prototypes, altering the base class, unlike <Class.extend>.
|
|
|
|
Arguments:
|
|
properties - the properties to add to the base class.
|
|
|
|
Example:
|
|
>var Animal = new Class({
|
|
> initialize: function(age){
|
|
> this.age = age;
|
|
> }
|
|
>});
|
|
>Animal.implement({
|
|
> setName: function(name){
|
|
> this.name = name
|
|
> }
|
|
>});
|
|
>var myAnimal = new Animal(20);
|
|
>myAnimal.setName('Micia');
|
|
>alert(myAnimal.name); //alerts 'Micia'
|
|
*/
|
|
|
|
implement: function(properties){
|
|
for (var property in properties) this.prototype[property] = properties[property];
|
|
}
|
|
|
|
};
|
|
|
|
/*
|
|
Function: Object.Native
|
|
Will add a .extend method to the objects passed as a parameter, equivalent to <Class.implement>
|
|
|
|
Arguments:
|
|
a number of classes/native javascript objects
|
|
|
|
*/
|
|
|
|
Object.Native = function(){
|
|
for (var i = 0; i < arguments.length; i++) arguments[i].extend = Class.prototype.implement;
|
|
};
|
|
|
|
new Object.Native(Function, Array, String, Number);
|
|
|
|
Function.extend({
|
|
|
|
parentize: function(current){
|
|
var previous = this;
|
|
return function(){
|
|
this.parent = previous;
|
|
return current.apply(this, arguments);
|
|
};
|
|
}
|
|
|
|
});
|
|
/**
|
|
* SWFObject v1.5.1: Flash Player detection and embed - http://blog.deconcept.com/swfobject/
|
|
*
|
|
* SWFObject is (c) 2007 Geoff Stearns and is released under the MIT License:
|
|
* http://www.opensource.org/licenses/mit-license.php
|
|
*
|
|
*/
|
|
if(typeof deconcept == "undefined") var deconcept = {};
|
|
if(typeof deconcept.util == "undefined") deconcept.util = {};
|
|
if(typeof deconcept.SWFObjectUtil == "undefined") deconcept.SWFObjectUtil = {};
|
|
deconcept.SWFObject = function(swf, id, w, h, ver, c, quality, xiRedirectUrl, redirectUrl, detectKey) {
|
|
if (!document.getElementById) { return; }
|
|
this.DETECT_KEY = detectKey ? detectKey : 'detectflash';
|
|
this.skipDetect = deconcept.util.getRequestParameter(this.DETECT_KEY);
|
|
this.params = {};
|
|
this.variables = {};
|
|
this.attributes = [];
|
|
if(swf) { this.setAttribute('swf', swf); }
|
|
if(id) { this.setAttribute('id', id); }
|
|
if(w) { this.setAttribute('width', w); }
|
|
if(h) { this.setAttribute('height', h); }
|
|
if(ver) { this.setAttribute('version', new deconcept.PlayerVersion(ver.toString().split("."))); }
|
|
this.installedVer = deconcept.SWFObjectUtil.getPlayerVersion();
|
|
if (!window.opera && document.all && this.installedVer.major > 7) {
|
|
// only add the onunload cleanup if the Flash Player version supports External Interface and we are in IE
|
|
// fixes bug in some fp9 versions see http://blog.deconcept.com/2006/07/28/swfobject-143-released/
|
|
if (!deconcept.unloadSet) {
|
|
deconcept.SWFObjectUtil.prepUnload = function() {
|
|
__flash_unloadHandler = function(){};
|
|
__flash_savedUnloadHandler = function(){};
|
|
window.attachEvent("onunload", deconcept.SWFObjectUtil.cleanupSWFs);
|
|
}
|
|
window.attachEvent("onbeforeunload", deconcept.SWFObjectUtil.prepUnload);
|
|
deconcept.unloadSet = true;
|
|
}
|
|
}
|
|
if(c) { this.addParam('bgcolor', c); }
|
|
var q = quality ? quality : 'high';
|
|
this.addParam('quality', q);
|
|
this.setAttribute('useExpressInstall', false);
|
|
this.setAttribute('doExpressInstall', false);
|
|
var xir = (xiRedirectUrl) ? xiRedirectUrl : window.location;
|
|
this.setAttribute('xiRedirectUrl', xir);
|
|
this.setAttribute('redirectUrl', '');
|
|
if(redirectUrl) { this.setAttribute('redirectUrl', redirectUrl); }
|
|
}
|
|
deconcept.SWFObject.prototype = {
|
|
useExpressInstall: function(path) {
|
|
this.xiSWFPath = !path ? "expressinstall.swf" : path;
|
|
this.setAttribute('useExpressInstall', true);
|
|
},
|
|
setAttribute: function(name, value){
|
|
this.attributes[name] = value;
|
|
},
|
|
getAttribute: function(name){
|
|
return this.attributes[name] || "";
|
|
},
|
|
addParam: function(name, value){
|
|
this.params[name] = value;
|
|
},
|
|
getParams: function(){
|
|
return this.params;
|
|
},
|
|
addVariable: function(name, value){
|
|
this.variables[name] = value;
|
|
},
|
|
getVariable: function(name){
|
|
return this.variables[name] || "";
|
|
},
|
|
getVariables: function(){
|
|
return this.variables;
|
|
},
|
|
getVariablePairs: function(){
|
|
var variablePairs = [];
|
|
var key;
|
|
var variables = this.getVariables();
|
|
for(key in variables){
|
|
variablePairs[variablePairs.length] = key +"="+ variables[key];
|
|
}
|
|
return variablePairs;
|
|
},
|
|
getSWFHTML: function() {
|
|
var swfNode = "";
|
|
if (navigator.plugins && navigator.mimeTypes && navigator.mimeTypes.length) { // netscape plugin architecture
|
|
if (this.getAttribute("doExpressInstall")) {
|
|
this.addVariable("MMplayerType", "PlugIn");
|
|
this.setAttribute('swf', this.xiSWFPath);
|
|
}
|
|
swfNode = '<embed type="application/x-shockwave-flash" src="'+ this.getAttribute('swf') +'" width="'+ this.getAttribute('width') +'" height="'+ this.getAttribute('height') +'" style="'+ (this.getAttribute('style') || "") +'"';
|
|
swfNode += ' id="'+ this.getAttribute('id') +'" name="'+ this.getAttribute('id') +'" ';
|
|
var params = this.getParams();
|
|
for(var key in params){ swfNode += [key] +'="'+ params[key] +'" '; }
|
|
var pairs = this.getVariablePairs().join("&");
|
|
if (pairs.length > 0){ swfNode += 'flashvars="'+ pairs +'"'; }
|
|
swfNode += '/>';
|
|
} else { // PC IE
|
|
if (this.getAttribute("doExpressInstall")) {
|
|
this.addVariable("MMplayerType", "ActiveX");
|
|
this.setAttribute('swf', this.xiSWFPath);
|
|
}
|
|
swfNode = '<object id="'+ this.getAttribute('id') +'" classid="clsid:D27CDB6E-AE6D-11cf-96B8-444553540000" width="'+ this.getAttribute('width') +'" height="'+ this.getAttribute('height') +'" style="'+ (this.getAttribute('style') || "") +'">';
|
|
swfNode += '<param name="movie" value="'+ this.getAttribute('swf') +'" />';
|
|
var params = this.getParams();
|
|
for(var key in params) {
|
|
swfNode += '<param name="'+ key +'" value="'+ params[key] +'" />';
|
|
}
|
|
var pairs = this.getVariablePairs().join("&");
|
|
if(pairs.length > 0) {swfNode += '<param name="flashvars" value="'+ pairs +'" />';}
|
|
swfNode += "</object>";
|
|
}
|
|
return swfNode;
|
|
},
|
|
write: function(elementId){
|
|
if(this.getAttribute('useExpressInstall')) {
|
|
// check to see if we need to do an express install
|
|
var expressInstallReqVer = new deconcept.PlayerVersion([6,0,65]);
|
|
if (this.installedVer.versionIsValid(expressInstallReqVer) && !this.installedVer.versionIsValid(this.getAttribute('version'))) {
|
|
this.setAttribute('doExpressInstall', true);
|
|
this.addVariable("MMredirectURL", escape(this.getAttribute('xiRedirectUrl')));
|
|
document.title = document.title.slice(0, 47) + " - Flash Player Installation";
|
|
this.addVariable("MMdoctitle", document.title);
|
|
}
|
|
}
|
|
if(this.skipDetect || this.getAttribute('doExpressInstall') || this.installedVer.versionIsValid(this.getAttribute('version'))){
|
|
var n = (typeof elementId == 'string') ? document.getElementById(elementId) : elementId;
|
|
n.innerHTML = this.getSWFHTML();
|
|
return true;
|
|
}else{
|
|
if(this.getAttribute('redirectUrl') != "") {
|
|
document.location.replace(this.getAttribute('redirectUrl'));
|
|
}
|
|
}
|
|
return false;
|
|
}
|
|
}
|
|
|
|
/* ---- detection functions ---- */
|
|
deconcept.SWFObjectUtil.getPlayerVersion = function(){
|
|
var PlayerVersion = new deconcept.PlayerVersion([0,0,0]);
|
|
if(navigator.plugins && navigator.mimeTypes.length){
|
|
var x = navigator.plugins["Shockwave Flash"];
|
|
if(x && x.description) {
|
|
PlayerVersion = new deconcept.PlayerVersion(x.description.replace(/([a-zA-Z]|\s)+/, "").replace(/(\s+r|\s+b[0-9]+)/, ".").split("."));
|
|
}
|
|
}else if (navigator.userAgent && navigator.userAgent.indexOf("Windows CE") >= 0){ // if Windows CE
|
|
var axo = 1;
|
|
var counter = 3;
|
|
while(axo) {
|
|
try {
|
|
counter++;
|
|
axo = new ActiveXObject("ShockwaveFlash.ShockwaveFlash."+ counter);
|
|
// document.write("player v: "+ counter);
|
|
PlayerVersion = new deconcept.PlayerVersion([counter,0,0]);
|
|
} catch (e) {
|
|
axo = null;
|
|
}
|
|
}
|
|
} else { // Win IE (non mobile)
|
|
// do minor version lookup in IE, but avoid fp6 crashing issues
|
|
// see http://blog.deconcept.com/2006/01/11/getvariable-setvariable-crash-internet-explorer-flash-6/
|
|
try{
|
|
var axo = new ActiveXObject("ShockwaveFlash.ShockwaveFlash.7");
|
|
}catch(e){
|
|
try {
|
|
var axo = new ActiveXObject("ShockwaveFlash.ShockwaveFlash.6");
|
|
PlayerVersion = new deconcept.PlayerVersion([6,0,21]);
|
|
axo.AllowScriptAccess = "always"; // error if player version < 6.0.47 (thanks to Michael Williams @ Adobe for this code)
|
|
} catch(e) {
|
|
if (PlayerVersion.major == 6) {
|
|
return PlayerVersion;
|
|
}
|
|
}
|
|
try {
|
|
axo = new ActiveXObject("ShockwaveFlash.ShockwaveFlash");
|
|
} catch(e) {}
|
|
}
|
|
if (axo != null) {
|
|
PlayerVersion = new deconcept.PlayerVersion(axo.GetVariable("$version").split(" ")[1].split(","));
|
|
}
|
|
}
|
|
return PlayerVersion;
|
|
}
|
|
deconcept.PlayerVersion = function(arrVersion){
|
|
this.major = arrVersion[0] != null ? parseInt(arrVersion[0]) : 0;
|
|
this.minor = arrVersion[1] != null ? parseInt(arrVersion[1]) : 0;
|
|
this.rev = arrVersion[2] != null ? parseInt(arrVersion[2]) : 0;
|
|
}
|
|
deconcept.PlayerVersion.prototype.versionIsValid = function(fv){
|
|
if(this.major < fv.major) return false;
|
|
if(this.major > fv.major) return true;
|
|
if(this.minor < fv.minor) return false;
|
|
if(this.minor > fv.minor) return true;
|
|
if(this.rev < fv.rev) return false;
|
|
return true;
|
|
}
|
|
/* ---- get value of query string param ---- */
|
|
deconcept.util = {
|
|
getRequestParameter: function(param) {
|
|
var q = document.location.search || document.location.hash;
|
|
if (param == null) { return q; }
|
|
if(q) {
|
|
var pairs = q.substring(1).split("&");
|
|
for (var i=0; i < pairs.length; i++) {
|
|
if (pairs[i].substring(0, pairs[i].indexOf("=")) == param) {
|
|
return pairs[i].substring((pairs[i].indexOf("=")+1));
|
|
}
|
|
}
|
|
}
|
|
return "";
|
|
}
|
|
}
|
|
/* fix for video streaming bug */
|
|
deconcept.SWFObjectUtil.cleanupSWFs = function() {
|
|
var objects = document.getElementsByTagName("OBJECT");
|
|
for (var i = objects.length - 1; i >= 0; i--) {
|
|
objects[i].style.display = 'none';
|
|
for (var x in objects[i]) {
|
|
if (typeof objects[i][x] == 'function') {
|
|
objects[i][x] = function(){};
|
|
}
|
|
}
|
|
}
|
|
}
|
|
/* add document.getElementById if needed (mobile IE < 5) */
|
|
if (!document.getElementById && document.all) { document.getElementById = function(id) { return document.all[id]; }}
|
|
|
|
/* add some aliases for ease of use/backwards compatibility */
|
|
var getQueryParamValue = deconcept.util.getRequestParameter;
|
|
var FlashObject = deconcept.SWFObject; // for legacy support
|
|
var SWFObject = deconcept.SWFObject;
|
|
|
|
jQuery.noConflict();
|
|
|
|
Liferay = {};
|
|
|
|
Liferay.Editor = {};
|
|
|
|
if (!Liferay._ajaxOld) {
|
|
Liferay._ajaxOld = jQuery.ajax;
|
|
}
|
|
|
|
if (Liferay._ajaxOld) {
|
|
jQuery.ajax = function(options) {
|
|
if (Liferay.Util) {
|
|
options.url = Liferay.Util.getURLWithSessionId(options.url);
|
|
}
|
|
|
|
return Liferay._ajaxOld(options);
|
|
};
|
|
}
|
|
|
|
jQuery.ajaxSetup(
|
|
{
|
|
data: {},
|
|
type: 'POST'
|
|
}
|
|
);
|
|
|
|
Liferay.Service = {
|
|
actionUrl: themeDisplay.getPathMain() + '/portal/json_service',
|
|
|
|
tunnelUrl: themeDisplay.getPathContext() + '/tunnel-web/secure/json',
|
|
|
|
classNameSuffix: 'ServiceJSON',
|
|
|
|
ajax: function(options, callback) {
|
|
var instance = this;
|
|
|
|
var serviceUrl = instance.actionUrl;
|
|
var tunnelEnabled = (Liferay.ServiceAuth && Liferay.ServiceAuth.header);
|
|
|
|
if (tunnelEnabled) {
|
|
serviceUrl = instance.tunnelUrl;
|
|
}
|
|
|
|
options.serviceParameters = Liferay.Service.getParameters(options);
|
|
|
|
if (callback) {
|
|
jQuery.ajax(
|
|
{
|
|
type: 'GET',
|
|
url: serviceUrl,
|
|
data: options,
|
|
cache: false,
|
|
dataType: 'json',
|
|
beforeSend: function(xHR) {
|
|
if (tunnelEnabled) {
|
|
xHR.setRequestHeader('Authorization', Liferay.ServiceAuth.header);
|
|
}
|
|
},
|
|
success: callback
|
|
}
|
|
);
|
|
}
|
|
else {
|
|
var xHR = jQuery.ajax(
|
|
{
|
|
url: serviceUrl,
|
|
data: options,
|
|
dataType: 'json',
|
|
async: false
|
|
}
|
|
);
|
|
|
|
return eval('(' + xHR.responseText + ')');
|
|
}
|
|
},
|
|
|
|
getParameters: function(options) {
|
|
var serviceParameters = '';
|
|
|
|
for (var key in options) {
|
|
if ((key != 'serviceClassName') && (key != 'serviceMethodName') && (key != 'serviceParameterTypes')) {
|
|
serviceParameters += key + ',';
|
|
}
|
|
}
|
|
|
|
if (Liferay.Util.endsWith(serviceParameters, ',')) {
|
|
serviceParameters = serviceParameters.substring(0, serviceParameters.length - 1);
|
|
}
|
|
|
|
return serviceParameters;
|
|
}
|
|
};
|
|
|
|
/*
|
|
|
|
LEP-6815
|
|
|
|
Liferay.ServiceAuth = {
|
|
header: null,
|
|
|
|
setHeader: function(userId, password) {
|
|
var instance = this;
|
|
|
|
instance.header = "Basic " + Liferay.Base64.encode(userId + ':' + password);
|
|
}
|
|
};
|
|
|
|
Liferay.Base64 = {
|
|
encode: function(input) {
|
|
var instance = this;
|
|
|
|
var output = "";
|
|
var chr1, chr2, chr3, enc1, enc2, enc3, enc4;
|
|
var i = 0;
|
|
|
|
input = instance._utf8Encode(input);
|
|
|
|
while (i < input.length) {
|
|
chr1 = input.charCodeAt(i++);
|
|
chr2 = input.charCodeAt(i++);
|
|
chr3 = input.charCodeAt(i++);
|
|
|
|
enc1 = chr1 >> 2;
|
|
enc2 = ((chr1 & 3) << 4) | (chr2 >> 4);
|
|
enc3 = ((chr2 & 15) << 2) | (chr3 >> 6);
|
|
enc4 = chr3 & 63;
|
|
|
|
if (isNaN(chr2)) {
|
|
enc3 = enc4 = 64;
|
|
}
|
|
else if (isNaN(chr3)) {
|
|
enc4 = 64;
|
|
}
|
|
|
|
output = output + this._keyStr.charAt(enc1) + this._keyStr.charAt(enc2) + this._keyStr.charAt(enc3) + this._keyStr.charAt(enc4);
|
|
}
|
|
|
|
return output;
|
|
},
|
|
|
|
decode: function(input) {
|
|
var instance = this;
|
|
|
|
var output = "";
|
|
var chr1, chr2, chr3;
|
|
var enc1, enc2, enc3, enc4;
|
|
var i = 0;
|
|
|
|
input = input.replace(/[^A-Za-z0-9\+\/\=]/g, "");
|
|
|
|
while (i < input.length) {
|
|
enc1 = this._keyStr.indexOf(input.charAt(i++));
|
|
enc2 = this._keyStr.indexOf(input.charAt(i++));
|
|
enc3 = this._keyStr.indexOf(input.charAt(i++));
|
|
enc4 = this._keyStr.indexOf(input.charAt(i++));
|
|
|
|
chr1 = (enc1 << 2) | (enc2 >> 4);
|
|
chr2 = ((enc2 & 15) << 4) | (enc3 >> 2);
|
|
chr3 = ((enc3 & 3) << 6) | enc4;
|
|
|
|
output = output + String.fromCharCode(chr1);
|
|
|
|
if (enc3 != 64) {
|
|
output = output + String.fromCharCode(chr2);
|
|
}
|
|
|
|
if (enc4 != 64) {
|
|
output = output + String.fromCharCode(chr3);
|
|
}
|
|
}
|
|
|
|
output = instance._utf8Decode(output);
|
|
|
|
return output;
|
|
},
|
|
|
|
_utf8Encode: function(string) {
|
|
string = string.replace(/\r\n/g,"\n");
|
|
|
|
var utftext = "";
|
|
|
|
for (var n = 0; n < string.length; n++) {
|
|
var c = string.charCodeAt(n);
|
|
|
|
if (c < 128) {
|
|
utftext += String.fromCharCode(c);
|
|
}
|
|
else if((c > 127) && (c < 2048)) {
|
|
utftext += String.fromCharCode((c >> 6) | 192);
|
|
utftext += String.fromCharCode((c & 63) | 128);
|
|
}
|
|
else {
|
|
utftext += String.fromCharCode((c >> 12) | 224);
|
|
utftext += String.fromCharCode(((c >> 6) & 63) | 128);
|
|
utftext += String.fromCharCode((c & 63) | 128);
|
|
}
|
|
|
|
}
|
|
|
|
return utftext;
|
|
},
|
|
|
|
_utf8Decode: function(utftext) {
|
|
var string = "";
|
|
var i = 0;
|
|
var c = c1 = c2 = 0;
|
|
|
|
while (i < utftext.length) {
|
|
c = utftext.charCodeAt(i);
|
|
|
|
if (c < 128) {
|
|
string += String.fromCharCode(c);
|
|
i++;
|
|
}
|
|
else if((c > 191) && (c < 224)) {
|
|
c2 = utftext.charCodeAt(i+1);
|
|
string += String.fromCharCode(((c & 31) << 6) | (c2 & 63));
|
|
i += 2;
|
|
}
|
|
else {
|
|
c2 = utftext.charCodeAt(i+1);
|
|
c3 = utftext.charCodeAt(i+2);
|
|
string += String.fromCharCode(((c & 15) << 12) | ((c2 & 63) << 6) | (c3 & 63));
|
|
i += 3;
|
|
}
|
|
}
|
|
|
|
return string;
|
|
},
|
|
|
|
_keyStr: "ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/="
|
|
};
|
|
|
|
*/
|
|
|
|
Liferay.Template = {
|
|
PORTLET: '<div class="portlet"><div class="portlet-topper"><div class="portlet-title"></div></div><div class="portlet-content"></div><div class="forbidden-action"></div></div>'
|
|
}
|
|
|
|
jQuery.fn.exactHeight = jQuery.fn.height;
|
|
jQuery.fn.exactWidth = jQuery.fn.width;
|
|
|
|
if (!window.String.prototype.trim) {
|
|
String.prototype.trim = function() {
|
|
return jQuery.trim(this);
|
|
};
|
|
}
|
|
|
|
// Fixing IE's lack of an indexOf/lastIndexOf on an Array
|
|
|
|
if (!window.Array.prototype.indexOf) {
|
|
window.Array.prototype.indexOf = function(item) {
|
|
for (var i=0; i<this.length; i++) {
|
|
if(this[i]==item) {
|
|
return i;
|
|
}
|
|
}
|
|
|
|
return -1;
|
|
};
|
|
}
|
|
|
|
if (!window.Array.prototype.lastIndexOf) {
|
|
window.Array.prototype.lastIndexOf = function(item, fromIndex) {
|
|
var length = this.length;
|
|
|
|
if (fromIndex == null) {
|
|
fromIndex = length - 1;
|
|
}
|
|
else if (fromIndex < 0) {
|
|
fromIndex = Math.max(0, length + fromIndex);
|
|
}
|
|
|
|
for (var i = fromIndex; i >= 0; i--) {
|
|
if (this[i] === item) {
|
|
return i;
|
|
}
|
|
}
|
|
|
|
return -1;
|
|
};
|
|
}
|
|
Liferay.Browser = {
|
|
|
|
init: function() {
|
|
var instance = this;
|
|
|
|
var version = instance.version();
|
|
var exactVersion = instance.version(true);
|
|
|
|
instance._browserVars = {
|
|
agent: '',
|
|
|
|
is_firefox: false,
|
|
|
|
is_ie: false,
|
|
is_ie_4: false,
|
|
is_ie_5: false,
|
|
is_ie_5_5: false,
|
|
is_ie_5_up: false,
|
|
is_ie_6: false,
|
|
is_ie_7: false,
|
|
|
|
is_mozilla: false,
|
|
is_mozilla_1_3_up: false,
|
|
|
|
is_ns_4: false,
|
|
|
|
is_rtf: false,
|
|
|
|
is_safari: false,
|
|
is_opera: false
|
|
};
|
|
|
|
instance._browserVars.agent = instance.browser().toLowerCase();
|
|
|
|
instance._browserVars.is_firefox = jQuery.browser.firefox;
|
|
|
|
instance._browserVars.is_ie = jQuery.browser.msie;
|
|
instance._browserVars.is_ie_4 = (instance.is_ie && version == 4);
|
|
instance._browserVars.is_ie_5 = (instance.is_ie && version == 5);
|
|
instance._browserVars.is_ie_5_5 = (instance.is_ie && exactVersion == 5.5);
|
|
instance._browserVars.is_ie_5_up = (instance.is_ie && version >= 5);
|
|
instance._browserVars.is_ie_6 = (instance.is_ie && version == 6);
|
|
instance._browserVars.is_ie_7 = (instance.is_ie && version == 7);
|
|
|
|
instance._browserVars.is_mozilla = (jQuery.browser.mozilla);
|
|
instance._browserVars.is_mozilla_1_3_up = (instance.is_mozilla && exactVersion > 1.3);
|
|
|
|
instance._browserVars.is_ns_4 = (jQuery.browser.netscape && version == 4);
|
|
|
|
instance._browserVars.is_rtf = (instance.is_ie_5_5_up || instance.is_mozilla_1_3_up);
|
|
|
|
instance._browserVars.is_safari = jQuery.browser.safari;
|
|
instance._browserVars.is_opera = jQuery.browser.opera;
|
|
|
|
jQuery.extend(instance, instance._browserVars);
|
|
},
|
|
|
|
browser: function() {
|
|
var instance = this;
|
|
|
|
return jQuery.browser.browser;
|
|
},
|
|
|
|
compat: function() {
|
|
var instance = this;
|
|
|
|
for (var i in instance._browserVars) {
|
|
if (!window[i]) {
|
|
window[i] = instance._browserVars[i];
|
|
}
|
|
}
|
|
},
|
|
|
|
version: function(exact) {
|
|
var instance = this;
|
|
|
|
if (!exact) {
|
|
return jQuery.browser.version.major;
|
|
}
|
|
else {
|
|
return jQuery.browser.version.string;
|
|
}
|
|
},
|
|
|
|
_browserVars: {}
|
|
};
|
|
|
|
jQuery(
|
|
function() {
|
|
Liferay.Browser.init();
|
|
//Uncomment the following line if you wish to have the original global variables set (eg. is_ie6, is_mozilla, etc)
|
|
// Liferay.Browser.compat();
|
|
}
|
|
);
|
|
Liferay.Util = {
|
|
submitCountdown: 0,
|
|
|
|
actsAsAspect: function(object) {
|
|
object.yield = null;
|
|
object.rv = {};
|
|
|
|
object.before = function(method, f) {
|
|
var original = eval('this.' + method);
|
|
|
|
this[method] = function() {
|
|
f.apply(this, arguments);
|
|
|
|
return original.apply(this, arguments);
|
|
};
|
|
};
|
|
|
|
object.after = function(method, f) {
|
|
var original = eval('this.' + method);
|
|
|
|
this[method] = function() {
|
|
this.rv[method] = original.apply(this, arguments);
|
|
|
|
return f.apply(this, arguments);
|
|
};
|
|
};
|
|
|
|
object.around = function(method, f) {
|
|
var original = eval('this.' + method);
|
|
|
|
this[method] = function() {
|
|
this.yield = original;
|
|
|
|
return f.apply(this, arguments);
|
|
};
|
|
};
|
|
},
|
|
|
|
addInputFocus: function() {
|
|
var inputs = jQuery('input:text, input:text, textarea');
|
|
|
|
var focusEvent = function(event) {
|
|
jQuery(this).addClass('focus');
|
|
|
|
var value = this.value;
|
|
var caretPos = value.length;
|
|
|
|
if (this.createTextRange && (this.nodeName.toLowerCase() !== 'textarea')) {
|
|
var textRange = this.createTextRange();
|
|
|
|
textRange.moveStart('character', caretPos);
|
|
}
|
|
else if (this.selectionStart) {
|
|
this.selectionStart = caretPos;
|
|
this.selectionEnd = caretPos;
|
|
}
|
|
|
|
if (Liferay.Browser.is_ie && (this != document.activeElement)) {
|
|
this.focus();
|
|
}
|
|
};
|
|
|
|
var blurEvent = function(event) {
|
|
jQuery(this).removeClass('focus');
|
|
};
|
|
|
|
inputs.focus(focusEvent);
|
|
inputs.blur(blurEvent);
|
|
|
|
inputs.livequery(
|
|
'focus',
|
|
focusEvent
|
|
);
|
|
|
|
inputs.livequery(
|
|
'blur',
|
|
blurEvent
|
|
);
|
|
|
|
jQuery('input.lfr-auto-focus').livequery(
|
|
function() {
|
|
jQuery('input').trigger('blur');
|
|
|
|
jQuery(this).trigger('focus');
|
|
}
|
|
);
|
|
},
|
|
|
|
addInputType: function(el) {
|
|
var instance = this;
|
|
|
|
instance.addInputType = function() {
|
|
};
|
|
|
|
if (Liferay.Browser.is_ie && Liferay.Browser.version() < 7) {
|
|
instance.addInputType = function(el) {
|
|
var item;
|
|
|
|
if (el) {
|
|
if (typeof el == 'object') {
|
|
item = jQuery(el);
|
|
}
|
|
else {
|
|
item = jQuery('#' + el);
|
|
}
|
|
}
|
|
else {
|
|
item = document.body;
|
|
}
|
|
|
|
jQuery('input', item).each(function() {
|
|
var current = jQuery(this);
|
|
var type = this.type || 'text';
|
|
|
|
current.addClass(type);
|
|
});
|
|
};
|
|
}
|
|
|
|
return instance.addInputType(el);
|
|
},
|
|
|
|
addParams: function(params, url) {
|
|
var instance = this;
|
|
|
|
if (typeof params == 'object') {
|
|
params = jQuery.param(params);
|
|
}
|
|
else {
|
|
params = jQuery.trim(params);
|
|
}
|
|
|
|
if (params != '') {
|
|
var loc = url || location.href;
|
|
var anchorHash, finalUrl;
|
|
|
|
if (loc.indexOf('#') > -1) {
|
|
var locationPieces = loc.split('#');
|
|
loc = locationPieces[0];
|
|
anchorHash = locationPieces[1];
|
|
}
|
|
|
|
if (loc.indexOf('?') == -1) {
|
|
params = '?' + params;
|
|
}
|
|
else {
|
|
params = '&' + params;
|
|
}
|
|
|
|
if (loc.indexOf(params) == -1) {
|
|
finalUrl = loc + params;
|
|
|
|
if (anchorHash) {
|
|
finalUrl += '#' + anchorHash;
|
|
}
|
|
if (!url) {
|
|
location.href = finalUrl;
|
|
}
|
|
return finalUrl;
|
|
}
|
|
}
|
|
},
|
|
|
|
check: function(form, name, checked) {
|
|
jQuery('input[@name=' + name + ']:checkbox',form).attr('checked', checked);
|
|
},
|
|
|
|
checkAll: function(form, name, allBox) {
|
|
var inputs;
|
|
|
|
if (Liferay.Util.isArray(name)) {
|
|
var names = 'input[@name='+ name.join(']:checkbox,input[@name=') + ']:checkbox';
|
|
|
|
inputs = jQuery(names, form);
|
|
}
|
|
else {
|
|
inputs = jQuery('input[@name=' + name + ']:checkbox', form);
|
|
}
|
|
|
|
inputs.attr('checked', allBox.checked);
|
|
},
|
|
|
|
checkAllBox: function(form, name, allBox) {
|
|
var totalBoxes = 0;
|
|
var totalOn = 0;
|
|
var inputs;
|
|
|
|
if (Liferay.Util.isArray(name)) {
|
|
var names = 'input[@name='+ name.join(']:checkbox,input[@name=') + ']:checkbox';
|
|
|
|
inputs = jQuery(names, form);
|
|
}
|
|
else {
|
|
inputs = jQuery('input[@name=' + name + ']:checkbox', form);
|
|
}
|
|
|
|
inputs = inputs.not(allBox);
|
|
|
|
totalBoxes = inputs.length;
|
|
totalOn = inputs.filter(':checked').length;
|
|
|
|
allBox.checked = (totalBoxes == totalOn);
|
|
},
|
|
|
|
checkMaxLength: function(box, maxLength) {
|
|
if ((box.value.length) >= maxLength) {
|
|
box.value = box.value.substring(0, maxLength - 1);
|
|
}
|
|
},
|
|
|
|
checkTab: function(box) {
|
|
if ((document.all) && (event.keyCode == 9)) {
|
|
box.selection = document.selection.createRange();
|
|
setTimeout('Liferay.Util.processTab("' + box.id + '")', 0);
|
|
}
|
|
},
|
|
|
|
createFlyouts: function(options) {
|
|
var instance = this;
|
|
|
|
options = options || {};
|
|
|
|
var flyout, containers;
|
|
|
|
var containerFilter = function() {
|
|
return (jQuery('ul', this).length != 0);
|
|
};
|
|
|
|
if (!options.container) {
|
|
flyout = jQuery('.lfr-flyout');
|
|
containers = flyout.find('li').filter(containerFilter);
|
|
}
|
|
else {
|
|
flyout = jQuery('li', options.container);
|
|
containers = flyout.filter(containerFilter);
|
|
}
|
|
|
|
containers.addClass('lfr-flyout');
|
|
containers.addClass('has-children');
|
|
|
|
if (!options.container) {
|
|
containers = containers.add(flyout);
|
|
}
|
|
|
|
var over = function(event) {
|
|
jQuery('> ul', this).show();
|
|
|
|
if (options.mouseOver) {
|
|
options.mouseOver.apply(this, [event]);
|
|
}
|
|
};
|
|
|
|
var out = function(event) {
|
|
jQuery('> ul', this).hide();
|
|
|
|
if (options.mouseOut) {
|
|
options.mouseOut.apply(this, [event]);
|
|
}
|
|
};
|
|
|
|
containers.hoverIntent(
|
|
{
|
|
interval: 0,
|
|
out: out,
|
|
over: over,
|
|
sensitivity: 2,
|
|
timeout: 300
|
|
}
|
|
);
|
|
},
|
|
|
|
disableElements: function(obj) {
|
|
var el = jQuery(obj);
|
|
var children = el.find('*');
|
|
|
|
var emptyFn = function() { return false; };
|
|
|
|
var defaultEvents = function(el) {
|
|
el.onclick = emptyFn;
|
|
el.onmouseover = emptyFn;
|
|
el.onmouseout = emptyFn;
|
|
jQuery.event.remove(el);
|
|
};
|
|
|
|
var ieEvents = function(el) {
|
|
el.onmouseenter = emptyFn;
|
|
el.onmouseleave = emptyFn;
|
|
};
|
|
|
|
var removeEvents = defaultEvents;
|
|
|
|
if (Liferay.Browser.is_ie) {
|
|
removeEvents = function(el) {
|
|
defaultEvents(el);
|
|
ieEvents(el);
|
|
};
|
|
}
|
|
|
|
for (var i = children.length - 1; i >= 0; i--) {
|
|
var item = children[i];
|
|
var nodeName = item.nodeName.toLowerCase();
|
|
|
|
item.style.cursor = 'default';
|
|
|
|
removeEvents(item);
|
|
|
|
if (nodeName == 'a') {
|
|
item.href = 'javascript: ;';
|
|
}
|
|
else if (nodeName == 'input' || nodeName == 'select' || nodeName == 'script') {
|
|
item.disabled = true;
|
|
}
|
|
else if (nodeName == 'form') {
|
|
item.action = '';
|
|
item.onsubmit = emptyFn;
|
|
}
|
|
};
|
|
},
|
|
|
|
disableEsc: function() {
|
|
if ((document.all) && (event.keyCode == 27)) {
|
|
event.returnValue = false;
|
|
}
|
|
},
|
|
|
|
disableTextareaTabs: function(textarea) {
|
|
var instance = this;
|
|
|
|
if (!textarea.jquery) {
|
|
textarea = jQuery(textarea);
|
|
}
|
|
|
|
if (textarea.attr('textareatabs') != 'enabled') {
|
|
textarea.attr('textareatabs', 'disabled');
|
|
textarea.unbind('keydown.liferay', Liferay.Util.textareaTabs);
|
|
}
|
|
},
|
|
|
|
enableTextareaTabs: function(textarea) {
|
|
var instance = this;
|
|
|
|
if (!textarea.jquery) {
|
|
textarea = jQuery(textarea);
|
|
}
|
|
|
|
if (textarea.attr('textareatabs') != 'enabled') {
|
|
textarea.attr('textareatabs', 'enabled');
|
|
textarea.bind('keydown.liferay', Liferay.Util.textareaTabs);
|
|
}
|
|
},
|
|
|
|
endsWith: function(str, x) {
|
|
return (str.lastIndexOf(x) === (str.length - x.length));
|
|
},
|
|
|
|
focusFormField: function(el, caretPosition) {
|
|
var interacting = false;
|
|
var eventData = caretPosition ? [caretPosition] : null;
|
|
|
|
jQuery(document).one(
|
|
'click',
|
|
function() {
|
|
interacting = true;
|
|
}
|
|
);
|
|
|
|
jQuery(
|
|
function() {
|
|
if (el && (el.offsetHeight != 0) && !interacting) {
|
|
var elObj = jQuery(el);
|
|
|
|
jQuery('input').trigger('blur');
|
|
|
|
elObj.trigger('focus', eventData);
|
|
}
|
|
}
|
|
);
|
|
},
|
|
|
|
getColumnId: function(str) {
|
|
var columnId = str.replace(/layout-column_/, '');
|
|
|
|
return columnId;
|
|
},
|
|
|
|
getPortletId: function(portletId) {
|
|
portletId = portletId.replace(/^p_p_id_/i, '');
|
|
portletId = portletId.replace(/_$/, '');
|
|
|
|
return portletId;
|
|
},
|
|
|
|
getSelectedRadioValue: function(col) {
|
|
return jQuery(col).filter(':checked').val() || '';
|
|
},
|
|
|
|
getURLWithSessionId: function(url) {
|
|
if (document.cookie && (document.cookie.length > 0)) {
|
|
return url;
|
|
}
|
|
|
|
// LEP-4787
|
|
|
|
var x = url.indexOf(';');
|
|
|
|
if (x > -1) {
|
|
return url;
|
|
}
|
|
|
|
var sessionId = ';jsessionid=' + themeDisplay.getSessionId();
|
|
|
|
x = url.indexOf('?');
|
|
|
|
if (x > -1) {
|
|
return url.substring(0, x) + sessionId + url.substring(x);
|
|
}
|
|
|
|
// In IE6, http://www.abc.com;jsessionid=XYZ does not work, but
|
|
// http://www.abc.com/;jsessionid=XYZ does work.
|
|
|
|
x = url.indexOf('//');
|
|
|
|
if (x > -1) {
|
|
var y = url.lastIndexOf('/');
|
|
|
|
if (x + 1 == y) {
|
|
return url + '/' + sessionId;
|
|
}
|
|
}
|
|
|
|
return url + sessionId;
|
|
},
|
|
|
|
/**
|
|
* OPTIONS
|
|
*
|
|
* Required
|
|
* button {string|object}: The button that opens the popup when clicked.
|
|
* height {number}: The height to set the popup to.
|
|
* textarea {string}: the name of the textarea to auto-resize.
|
|
* url {string}: The url to open that sets the editor.
|
|
* width {number}: The width to set the popup to.
|
|
*/
|
|
|
|
inlineEditor: function(options) {
|
|
var instance = this;
|
|
|
|
if (options.url && options.button) {
|
|
var url = options.url;
|
|
var button = options.button;
|
|
var width = options.width || 680;
|
|
var height = options.height || 640;
|
|
var textarea = options.textarea;
|
|
var clicked = false;
|
|
|
|
var editorButton = jQuery(button);
|
|
|
|
editorButton.click(
|
|
function(event) {
|
|
if (!clicked) {
|
|
var form = jQuery([]);
|
|
|
|
var popup = Liferay.Popup(
|
|
{
|
|
height: 640,
|
|
width: 680,
|
|
noCenter: true,
|
|
title: '',
|
|
resize: function(e, ui) {
|
|
var cssData = ui.size;
|
|
var dimensions = {};
|
|
|
|
if (cssData.height) {
|
|
dimensions.height = cssData.height - 130;
|
|
}
|
|
|
|
if (cssData.width) {
|
|
dimensions.width = cssData.width - 20;
|
|
}
|
|
|
|
form.css(dimensions);
|
|
|
|
jQuery(document).trigger('popupResize');
|
|
},
|
|
onClose: function() {
|
|
jQuery(document).unbind('popupResize.liferay');
|
|
clicked = false;
|
|
}
|
|
}
|
|
);
|
|
|
|
jQuery.ajax(
|
|
{
|
|
url: url + '&rt=' + Liferay.Util.randomInt(),
|
|
success: function(message) {
|
|
popup.find('.loading-animation').remove();
|
|
|
|
popup.append(message);
|
|
|
|
form = popup.find('form');
|
|
|
|
if (textarea) {
|
|
var usingPlainEditor = popup.find('.lfr-textarea').length;
|
|
|
|
Liferay.Util.resizeTextarea(textarea, !usingPlainEditor, true);
|
|
}
|
|
}
|
|
}
|
|
);
|
|
|
|
clicked = true;
|
|
}
|
|
}
|
|
);
|
|
}
|
|
},
|
|
|
|
isArray: function(object) {
|
|
return !!(window.Array && object.constructor == window.Array);
|
|
},
|
|
|
|
listChecked: function(form) {
|
|
var s = [];
|
|
var inputs = jQuery('input[@value!=]:checked:checkbox', form);
|
|
|
|
inputs.each(
|
|
function() {
|
|
s.push(this.value);
|
|
}
|
|
);
|
|
|
|
return s.join(',');
|
|
},
|
|
|
|
listCheckedExcept: function(form, except) {
|
|
var s = [];
|
|
var inputs = jQuery('input[@value!=][@name!="' + except + '"]:checked:checkbox', form);
|
|
|
|
inputs.each(
|
|
function() {
|
|
s.push(this.value);
|
|
}
|
|
);
|
|
|
|
return s.join(',');
|
|
},
|
|
|
|
listSelect: function(box, delimeter) {
|
|
var s = [];
|
|
|
|
delimeter = delimeter || ',';
|
|
|
|
if (box == null) {
|
|
return '';
|
|
}
|
|
|
|
var opts = jQuery(box).find('option[@value!=]');
|
|
|
|
opts.each(
|
|
function() {
|
|
s.push(this.value);
|
|
}
|
|
);
|
|
|
|
if (s[0] == '.none') {
|
|
return '';
|
|
}
|
|
else {
|
|
return s.join(',');
|
|
}
|
|
},
|
|
|
|
listUncheckedExcept: function(form, except) {
|
|
var s = [];
|
|
var inputs = jQuery('input[@value!=][@name!="' + except + '"]:checkbox:not(:checked)', form);
|
|
|
|
inputs.each(
|
|
function() {
|
|
s.push(this.value);
|
|
}
|
|
);
|
|
|
|
return s.join(',');
|
|
},
|
|
|
|
moveItem: function(fromBox, toBox, sort) {
|
|
if (fromBox.selectedIndex >= 0) {
|
|
var toSelect = jQuery(toBox);
|
|
var selectedOption = jQuery(fromBox).find('option:selected');
|
|
|
|
toSelect.append(selectedOption);
|
|
}
|
|
|
|
if (selectedOption.text() != '' && sort == true) {
|
|
Liferay.Util.sortBox(toBox);
|
|
}
|
|
},
|
|
|
|
portletTitleEdit: function(options) {
|
|
var instance = this;
|
|
|
|
var obj = options.obj;
|
|
var plid = options.plid;
|
|
var doAsUserId = options.doAsUserId;
|
|
var portletId = options.portletId;
|
|
var url = options.url;
|
|
|
|
var title = obj.find('.portlet-title');
|
|
|
|
if (!title.is('.not-editable')) {
|
|
title.editable(
|
|
function(value, settings) {
|
|
var cruft = settings._LFR_.cruft || [];
|
|
|
|
cruft = cruft.join('');
|
|
|
|
if (value != settings._LFR_.oldText) {
|
|
Liferay.Util.savePortletTitle(
|
|
{
|
|
plid: plid,
|
|
doAsUserId: doAsUserId,
|
|
portletId: portletId,
|
|
title: value
|
|
}
|
|
);
|
|
}
|
|
|
|
return cruft + value;
|
|
},
|
|
{
|
|
cssclass: 'text',
|
|
data: function(value, settings) {
|
|
var input = jQuery(this);
|
|
var re = new RegExp('<\/?[^>]+>|\n|\r|\t', 'gim');
|
|
|
|
var cruft = value.match(re);
|
|
|
|
settings._LFR_ = {};
|
|
settings._LFR_.oldText = value;
|
|
settings._LFR_.cruft = cruft;
|
|
|
|
value = value.replace(re, '');
|
|
settings._LFR_.oldText = value;
|
|
|
|
return value;
|
|
},
|
|
height: '',
|
|
width: '',
|
|
onblur: 'submit',
|
|
type: 'text',
|
|
select: false,
|
|
style: '',
|
|
submit: ''
|
|
}
|
|
);
|
|
}
|
|
},
|
|
|
|
processTab: function(id) {
|
|
document.all[id].selection.text = String.fromCharCode(9);
|
|
document.all[id].focus();
|
|
},
|
|
|
|
randomInt: function() {
|
|
return (Math.ceil(Math.random() * (new Date).getTime()));
|
|
},
|
|
|
|
randomMinMax: function(min, max) {
|
|
return (Math.round(Math.random() * (max - min))) + min;
|
|
},
|
|
|
|
removeItem: function(box, value) {
|
|
var selectEl = jQuery(box);
|
|
|
|
if (!value) {
|
|
selectEl.find('option:selected').remove();
|
|
}
|
|
else {
|
|
selectEl.find('option[@value=' + value + ']:selected').remove();
|
|
}
|
|
},
|
|
|
|
reorder: function(box, down) {
|
|
var si = box.selectedIndex;
|
|
|
|
if (si == -1) {
|
|
box.selectedIndex = 0;
|
|
}
|
|
else {
|
|
sText = box.options[si].text;
|
|
sValue = box.options[si].value;
|
|
|
|
if ((box.options[si].value > '') && (si > 0) && (down == 0)) {
|
|
box.options[si].text = box.options[si - 1].text;
|
|
box.options[si].value = box.options[si - 1].value;
|
|
box.options[si - 1].text = sText;
|
|
box.options[si - 1].value = sValue;
|
|
box.selectedIndex--;
|
|
}
|
|
else if ((si < box.length - 1) && (box.options[si + 1].value > '') && (down == 1)) {
|
|
box.options[si].text = box.options[si + 1].text;
|
|
box.options[si].value = box.options[si + 1].value;
|
|
box.options[si + 1].text = sText;
|
|
box.options[si + 1].value = sValue;
|
|
box.selectedIndex++;
|
|
}
|
|
else if (si == 0) {
|
|
for (var i = 0; i < (box.length - 1); i++) {
|
|
box.options[i].text = box.options[i + 1].text;
|
|
box.options[i].value = box.options[i + 1].value;
|
|
}
|
|
|
|
box.options[box.length - 1].text = sText;
|
|
box.options[box.length - 1].value = sValue;
|
|
|
|
box.selectedIndex = box.length - 1;
|
|
}
|
|
else if (si == (box.length - 1)) {
|
|
for (var j = (box.length - 1); j > 0; j--) {
|
|
box.options[j].text = box.options[j - 1].text;
|
|
box.options[j].value = box.options[j - 1].value;
|
|
}
|
|
|
|
box.options[0].text = sText;
|
|
box.options[0].value = sValue;
|
|
|
|
box.selectedIndex = 0;
|
|
}
|
|
}
|
|
},
|
|
|
|
resizeTextarea: function(elString, usingRichEditor, resizeToInlinePopup) {
|
|
var init = function() {
|
|
var el = jQuery('#' + elString);
|
|
|
|
if (!el.length) {
|
|
el = jQuery('textarea[@name=' + elString + ']');
|
|
}
|
|
|
|
if (el.length) {
|
|
var pageBody;
|
|
|
|
if (resizeToInlinePopup) {
|
|
pageBody = el.parents('.ui-dialog:first');
|
|
}
|
|
else {
|
|
pageBody = jQuery('body');
|
|
}
|
|
|
|
var resize = function() {
|
|
var pageBodyHeight = pageBody.height();
|
|
|
|
if (usingRichEditor) {
|
|
try {
|
|
if (!el.is('iframe')) {
|
|
el = eval(elString);
|
|
|
|
if (!el.jquery) {
|
|
el = jQuery(el);
|
|
}
|
|
}
|
|
}
|
|
catch (e) {
|
|
}
|
|
}
|
|
|
|
var diff = 170;
|
|
|
|
if (!resizeToInlinePopup) {
|
|
diff = 100;
|
|
}
|
|
|
|
el.css(
|
|
{
|
|
height: (pageBodyHeight - diff) + 'px',
|
|
width: '98%'
|
|
}
|
|
);
|
|
};
|
|
|
|
resize();
|
|
|
|
if (resizeToInlinePopup) {
|
|
jQuery(document).bind('popupResize.liferay', resize);
|
|
}
|
|
else {
|
|
jQuery(window).resize(resize);
|
|
}
|
|
}
|
|
};
|
|
|
|
jQuery(init);
|
|
},
|
|
|
|
resubmitCountdown: function(formName) {
|
|
if (Liferay.Util.submitCountdown > 0) {
|
|
Liferay.Util.submitCountdown--;
|
|
|
|
setTimeout('Liferay.Util.resubmitCountdown("' + formName + '")', 1000);
|
|
}
|
|
else {
|
|
Liferay.Util.submitCountdown = 0;
|
|
|
|
if (!Liferay.Browser.is_ns_4) {
|
|
document.body.style.cursor = 'auto';
|
|
}
|
|
|
|
var form = document.forms[formName];
|
|
|
|
for (var i = 0; i < form.length; i++) {
|
|
var e = form.elements[i];
|
|
|
|
if (e.type && (e.type.toLowerCase() == 'button' || e.type.toLowerCase() == 'reset' || e.type.toLowerCase() == 'submit')) {
|
|
e.disabled = false;
|
|
}
|
|
}
|
|
}
|
|
},
|
|
|
|
savePortletTitle: function(params) {
|
|
var defaultParams = {
|
|
plid: 0,
|
|
doAsUserId: 0,
|
|
portletId: 0,
|
|
title: '',
|
|
url: themeDisplay.getPathMain() + '/portlet_configuration/update_title'
|
|
};
|
|
|
|
var settings = jQuery.extend(defaultParams, params);
|
|
|
|
jQuery.ajax(
|
|
{
|
|
url: settings.url,
|
|
data: {
|
|
p_l_id: settings.plid,
|
|
doAsUserId: settings.doAsUserId,
|
|
portletId: settings.portletId,
|
|
title: settings.title
|
|
}
|
|
}
|
|
);
|
|
},
|
|
|
|
selectAndCopy: function(el) {
|
|
el.focus();
|
|
el.select();
|
|
|
|
if (document.all) {
|
|
var textRange = el.createTextRange();
|
|
|
|
textRange.execCommand('copy');
|
|
}
|
|
},
|
|
|
|
setBox: function(oldBox, newBox) {
|
|
for (var i = oldBox.length - 1; i > -1; i--) {
|
|
oldBox.options[i] = null;
|
|
}
|
|
|
|
for (var i = 0; i < newBox.length; i++) {
|
|
oldBox.options[i] = new Option(newBox[i].value, i);
|
|
}
|
|
|
|
oldBox.options[0].selected = true;
|
|
},
|
|
|
|
setSelectedValue: function(col, value) {
|
|
jQuery('option[@value=' + value + ']', col).attr('selected', true);
|
|
},
|
|
|
|
showCapsLock: function(event, span) {
|
|
var keyCode = event.keyCode ? event.keyCode : event.which;
|
|
var shiftKey = event.shiftKey ? event.shiftKey : ((keyCode == 16) ? true : false);
|
|
|
|
if (((keyCode >= 65 && keyCode <= 90) && !shiftKey) ||
|
|
((keyCode >= 97 && keyCode <= 122) && shiftKey)) {
|
|
|
|
document.getElementById(span).style.display = '';
|
|
}
|
|
else {
|
|
document.getElementById(span).style.display = 'none';
|
|
}
|
|
},
|
|
|
|
sortBox: function(box) {
|
|
var newBox = [];
|
|
|
|
for (var i = 0; i < box.length; i++) {
|
|
newBox[i] = [box[i].value, box[i].text];
|
|
}
|
|
|
|
newBox.sort(Liferay.Util.sortByAscending);
|
|
|
|
var boxObj = jQuery(box);
|
|
|
|
boxObj.find('option').remove();
|
|
|
|
jQuery.each(
|
|
newBox,
|
|
function(key, value) {
|
|
boxObj.append('<option value="' + value[0] + '">' + value[1] + '</option>');
|
|
}
|
|
);
|
|
|
|
if (Liferay.Browser.is_ie) {
|
|
var currentWidth = boxObj.css('width');
|
|
|
|
if (currentWidth == 'auto') {
|
|
boxObj.css('width', 'auto');
|
|
}
|
|
}
|
|
},
|
|
|
|
sortByAscending: function(a, b) {
|
|
a = a[1].toLowerCase();
|
|
b = b[1].toLowerCase();
|
|
|
|
if (a > b) {
|
|
return 1;
|
|
}
|
|
|
|
if (a < b) {
|
|
return -1;
|
|
}
|
|
|
|
return 0;
|
|
},
|
|
|
|
startsWith: function(str, x) {
|
|
return (str.indexOf(x) === 0);
|
|
},
|
|
|
|
/**
|
|
* OPTIONS
|
|
*
|
|
* Required
|
|
* popup {string|object}: A jQuery selector or DOM element of the popup that contains the editor.
|
|
* textarea {string}: the name of the textarea to auto-resize.
|
|
* url {string}: The url to open that sets the editor.
|
|
*/
|
|
|
|
switchEditor: function(options) {
|
|
var instance = this;
|
|
|
|
if (options.url && options.popup) {
|
|
var url = options.url;
|
|
var popup = options.popup;
|
|
var textarea = options.textarea;
|
|
|
|
if (!popup.jquery) {
|
|
popup = jQuery(popup);
|
|
}
|
|
|
|
var popupMessage = popup;
|
|
|
|
jQuery.ajax(
|
|
{
|
|
url: url,
|
|
beforeSend: function() {
|
|
popupMessage.empty();
|
|
popupMessage.append('<div class="loading-animation"><div>');
|
|
},
|
|
success: function(message) {
|
|
popupMessage.empty();
|
|
popupMessage.append(message);
|
|
|
|
if (textarea) {
|
|
var usingPlainEditor = popup.find('.lfr-textarea').length;
|
|
|
|
Liferay.Util.resizeTextarea(textarea, !usingPlainEditor, true);
|
|
}
|
|
}
|
|
}
|
|
);
|
|
}
|
|
},
|
|
|
|
textareaTabs: function(event) {
|
|
var el = this;
|
|
var pressedKey = event.which;
|
|
|
|
if(pressedKey == 9 || (Liferay.Browser.is_safari && pressedKey == 25)) {
|
|
event.preventDefault();
|
|
event.stopPropagation();
|
|
|
|
var oldscroll = el.scrollTop;
|
|
|
|
if (el.setSelectionRange) {
|
|
var caretPos = el.selectionStart + 1;
|
|
var elValue = el.value;
|
|
|
|
el.value = elValue.substring(0, el.selectionStart) + '\t' + elValue.substring(el.selectionEnd, elValue.length);
|
|
|
|
setTimeout(
|
|
function() {
|
|
el.focus();
|
|
el.setSelectionRange(caretPos, caretPos);
|
|
}, 0);
|
|
|
|
}
|
|
else {
|
|
document.selection.createRange().text='\t';
|
|
}
|
|
|
|
el.scrollTop = oldscroll;
|
|
|
|
return false;
|
|
}
|
|
},
|
|
|
|
toggleByIdSpan: function(obj, id) {
|
|
jQuery('#' + id).toggle();
|
|
|
|
var spans = jQuery(obj).find('span');
|
|
|
|
spans.toggle();
|
|
},
|
|
|
|
toggle: function(obj, returnState, displayType) {
|
|
if (typeof obj == 'string') {
|
|
obj = '#' + obj;
|
|
}
|
|
|
|
var el = jQuery(obj);
|
|
var hidden = el.toggle().is(':visible');
|
|
|
|
if (displayType) {
|
|
el.css('display', displayType);
|
|
hidden = el.is(':visible');
|
|
}
|
|
|
|
if (returnState) {
|
|
return hidden;
|
|
}
|
|
},
|
|
|
|
toggleBoxes: function(checkBoxId, toggleBoxId) {
|
|
var checkBox = jQuery('#' + checkBoxId);
|
|
var toggleBox = jQuery('#' + toggleBoxId);
|
|
|
|
if (!checkBox.is(':checked')) {
|
|
toggleBox.hide();
|
|
}
|
|
|
|
checkBox.click(
|
|
function() {
|
|
toggleBox.toggle();
|
|
}
|
|
);
|
|
},
|
|
|
|
toggleControls: function() {
|
|
var instance = this;
|
|
|
|
var trigger = jQuery('.toggle-controls');
|
|
var docBody = jQuery(document.body);
|
|
var hiddenClass = 'controls-hidden';
|
|
var visibleClass = 'controls-visible';
|
|
var currentClass = visibleClass;
|
|
|
|
if (Liferay._editControlsState != 'visible') {
|
|
currentClass = hiddenClass;
|
|
}
|
|
|
|
docBody.addClass(currentClass);
|
|
|
|
trigger.click(
|
|
function(event) {
|
|
docBody.toggleClass(visibleClass).toggleClass(hiddenClass);
|
|
|
|
Liferay._editControlsState = (docBody.is('.' + visibleClass) ? 'visible' : 'hidden');
|
|
|
|
jQuery.ajax(
|
|
{
|
|
url: themeDisplay.getPathMain() + '/portal/session_click',
|
|
data: {
|
|
'liferay_toggle_controls': Liferay._editControlsState
|
|
}
|
|
}
|
|
);
|
|
}
|
|
);
|
|
},
|
|
|
|
viewport: {
|
|
frame: function() {
|
|
var instance = this;
|
|
var viewport = jQuery(window);
|
|
|
|
var x = viewport.width();
|
|
var y = viewport.height();
|
|
|
|
return {x: x, y: y};
|
|
},
|
|
page: function() {
|
|
var instance = this;
|
|
var viewport = jQuery(document);
|
|
|
|
var x = viewport.width();
|
|
var y = viewport.height();
|
|
|
|
return {x: x, y: y};
|
|
},
|
|
scroll: function() {
|
|
var instance = this;
|
|
var viewport = jQuery(window);
|
|
|
|
var x = viewport.scrollLeft();
|
|
var y = viewport.scrollTop();
|
|
|
|
return {x: x, y: y};
|
|
}
|
|
}
|
|
};
|
|
|
|
function submitForm(form, action, singleSubmit) {
|
|
if (Liferay.Util.submitCountdown == 0) {
|
|
Liferay.Util.submitCountdown = 10;
|
|
|
|
setTimeout('Liferay.Util.resubmitCountdown("' + form.name + '")', 1000);
|
|
|
|
if (singleSubmit == null || singleSubmit) {
|
|
Liferay.Util.submitCountdown++;
|
|
|
|
var inputs = jQuery('input[@type=button], input[@type=reset], input[@type=submit]', form);
|
|
|
|
inputs.attr('disabled', true);
|
|
inputs.fadeTo(50, 0.5);
|
|
}
|
|
|
|
if (action != null) {
|
|
form.action = action;
|
|
}
|
|
|
|
if (!Liferay.Browser.is_ns_4) {
|
|
document.body.style.cursor = 'wait';
|
|
}
|
|
|
|
form.submit();
|
|
}
|
|
}
|
|
|
|
// 0-200: Theme Developer
|
|
// 200-400: Portlet Developer
|
|
// 400+: Liferay
|
|
|
|
Liferay.zIndex = {
|
|
DOCK: 10,
|
|
DOCK_PARENT: 20,
|
|
ALERT: 430,
|
|
DROP_AREA: 440,
|
|
DROP_POSITION: 450,
|
|
DRAG_ITEM: 460,
|
|
TOOLTIP: 470
|
|
};
|
|
Liferay.Events = {
|
|
bind: function(event, func, scope) {
|
|
var instance = this;
|
|
|
|
event = event + '.liferay-events';
|
|
jQuery(document).bind(event,
|
|
function() {
|
|
func.apply(scope || this, arguments);
|
|
}
|
|
);
|
|
},
|
|
|
|
trigger: function(event, data) {
|
|
var instance = this;
|
|
|
|
event = event + '.liferay-events';
|
|
jQuery(document).trigger(event, data);
|
|
},
|
|
|
|
unbind: function(event, func) {
|
|
var instance = this;
|
|
|
|
event = event + '.liferay-events';
|
|
jQuery(document).unbind(event, func);
|
|
}
|
|
};
|
|
|
|
// Shorthand
|
|
|
|
Liferay.bind = Liferay.Events.bind;
|
|
Liferay.trigger = Liferay.Events.trigger;
|
|
Liferay.unbind = Liferay.Events.unbind;
|
|
/**
|
|
* OPTIONS
|
|
*
|
|
* Required
|
|
* message {string|object}: The default HTML/object to display.
|
|
* width {number}: The starting width of the message box.
|
|
*
|
|
* Optional
|
|
* className {string}: A class to add to the specific popup.
|
|
* dragHelper {string|function}: A jQuery selector or a function that returns a DOM element.
|
|
* handles {string}: A comma-separated list (n,ne,e,se,s,sw,w,nw) of the handles for resizing.
|
|
* height {number}: The starting height of the message box.
|
|
* messageId {string}: A unique ID to give to a popup's content.
|
|
* modal {boolean}: Whether to show shaded background.
|
|
* noCenter {boolean}: Whether to prevent re-centering.
|
|
* stack {boolean}: Whether to automatically stack the popup on top of other ones.
|
|
* resizeHelper {string}: A class that will be attached to resize proxy helper.
|
|
*
|
|
* Callbacks
|
|
* dragStart {function}: Called when dragging of the dialog starts.
|
|
* dragStop {function}: Called when dragging of the dialog starts.
|
|
* onClose {function}: Called when a dialog is closed.
|
|
*/
|
|
|
|
Liferay.Popup = function(options) {
|
|
var instance = this;
|
|
|
|
var cacheDialogHelper = function(obj) {
|
|
if (!obj.jquery) {
|
|
obj = jQuery(obj);
|
|
}
|
|
|
|
var cache = obj.data('ui-helper-drag');
|
|
|
|
if (!cache) {
|
|
var cachedObj = obj.clone();
|
|
|
|
cachedObj.find('.ui-dialog-content').empty();
|
|
cachedObj.addClass('ui-proxy');
|
|
|
|
cache = obj.data('ui-helper-drag', cachedObj);
|
|
}
|
|
|
|
return cache;
|
|
};
|
|
|
|
var checkExternalClick = function(element) {
|
|
if (jQuery.datepicker) {
|
|
jQuery.datepicker._checkExternalClick(
|
|
{
|
|
target: element
|
|
}
|
|
);
|
|
}
|
|
};
|
|
|
|
options = options || {};
|
|
|
|
if (options.dragHelper === null) {
|
|
options.dragHelper = "original";
|
|
}
|
|
|
|
var defaults = {
|
|
className: 'generic-dialog',
|
|
draggable: true,
|
|
handles: 'e,se,s,sw,w',
|
|
resizeHelper: 'ui-resizable-proxy',
|
|
message: '<div class="loading-animation"></div>',
|
|
position: [5,5],
|
|
height: 'auto',
|
|
stack: false,
|
|
dragHelper: function() {
|
|
var dialog = jQuery(this);
|
|
var cache = cacheDialogHelper(dialog);
|
|
|
|
var height = dialog.height();
|
|
var width = dialog.width();
|
|
|
|
cache.css(
|
|
{
|
|
height: height,
|
|
width: width
|
|
}
|
|
);
|
|
|
|
return cache;
|
|
},
|
|
dragStart: function(e, ui) {
|
|
if (!options.dragHelper) {
|
|
var dialog = jQuery(this).parents('.ui-dialog:first');
|
|
var target = jQuery(e.target);
|
|
|
|
checkExternalClick(target);
|
|
dialog.css('visibility', 'hidden');
|
|
}
|
|
},
|
|
dragStop: function(e, ui) {
|
|
if (!options.dragHelper) {
|
|
var dialog = jQuery(this).parents('.ui-dialog:first');
|
|
var helper = ui.helper;
|
|
|
|
var left = helper.css('left');
|
|
var top = helper.css('top');
|
|
|
|
dialog.css(
|
|
{
|
|
left: left,
|
|
top: top,
|
|
visibility: 'visible'
|
|
}
|
|
);
|
|
}
|
|
},
|
|
|
|
close: function() {
|
|
var target = jQuery(this);
|
|
|
|
checkExternalClick(target);
|
|
},
|
|
|
|
open: function(e, ui) {
|
|
if (!options.dragHelper) {
|
|
var dialog = jQuery(this).parents('.ui-dialog:first'), target = jQuery(this);
|
|
|
|
dialog.click(function() {
|
|
checkExternalClick(target);
|
|
});
|
|
|
|
cacheDialogHelper(dialog);
|
|
}
|
|
}
|
|
};
|
|
|
|
var config = jQuery.extend({}, defaults, options);
|
|
|
|
var content = '';
|
|
var message = config.message;
|
|
|
|
if (typeof message == 'string') {
|
|
content = jQuery('<div>' + config.message + '</div>');
|
|
}
|
|
else {
|
|
content = jQuery('<div></div>').append(config.message);
|
|
}
|
|
|
|
var modal = config.modal;
|
|
var draggable = config.draggable;
|
|
var position = config.noCenter ? defaults.position : 'center';
|
|
|
|
position = config.position || position;
|
|
|
|
var top = config.top;
|
|
var left = config.left;
|
|
|
|
var className = config.className;
|
|
var height = config.height;
|
|
var dragHelper = config.dragHelper;
|
|
var dragStart = config.dragStart;
|
|
var dragStop = config.dragStop;
|
|
var open = config.open;
|
|
var close = config.close;
|
|
var messageId = config.messageId;
|
|
var resizable = config.resizable;
|
|
var resizeHelper = config.resizeHelper;
|
|
var stack = config.stack;
|
|
var title = config.title;
|
|
var width = config.width;
|
|
|
|
if (resizable !== false) {
|
|
resizable = config.handles;
|
|
}
|
|
|
|
if (Liferay.Util.isArray(position)) {
|
|
var centering = position.indexOf('center');
|
|
|
|
if (centering > -1) {
|
|
var wnd = jQuery(window);
|
|
var popupWidth = width || 0;
|
|
var popupHeight = (typeof height == 'string') ? 0 : height;
|
|
|
|
position[centering] = (centering == 0 ? (wnd.width() / 2) - (popupWidth / 2) : (wnd.height() / 2) - (popupHeight / 2));
|
|
}
|
|
}
|
|
|
|
if (title) {
|
|
className += ' has-title';
|
|
}
|
|
|
|
if (messageId) {
|
|
content.attr('id', messageId);
|
|
}
|
|
|
|
content.appendTo('body');
|
|
|
|
content.bind(
|
|
'dialogclose',
|
|
function(event) {
|
|
if (config.onClose) {
|
|
config.onClose();
|
|
}
|
|
|
|
jQuery(this).remove();
|
|
}
|
|
);
|
|
|
|
return content.dialog(
|
|
{
|
|
autoResize: false,
|
|
dialogClass: className,
|
|
draggable: draggable,
|
|
height: height,
|
|
title: title,
|
|
position: position,
|
|
modal: modal,
|
|
resizable: resizable,
|
|
resizeHelper: resizeHelper,
|
|
stack: stack,
|
|
width: width,
|
|
zIndex: Liferay.zIndex.ALERT, // compensate for UI's dialog
|
|
dragHelper: dragHelper,
|
|
dragStart: dragStart,
|
|
dragStop: dragStop,
|
|
open: open,
|
|
close: close
|
|
}
|
|
);
|
|
};
|
|
|
|
jQuery.extend(
|
|
Liferay.Popup,
|
|
{
|
|
close: function(el) {
|
|
var instance = this;
|
|
|
|
var obj = el;
|
|
|
|
if (!el.jquery) {
|
|
obj = jQuery(el);
|
|
}
|
|
|
|
if (!obj.is('.ui-dialog-content')) {
|
|
obj = obj.parents('.ui-dialog-content');
|
|
}
|
|
|
|
obj.dialog('close');
|
|
},
|
|
|
|
update: function(id, url) {
|
|
var instance = this;
|
|
|
|
var obj = jQuery(id);
|
|
|
|
obj.html('<div class="loading-animation"></div>');
|
|
obj.load(url);
|
|
}
|
|
}
|
|
);
|
|
Liferay.Portal = {};
|
|
|
|
Liferay.Portal.Tabs = {
|
|
show: function(namespace, names, id) {
|
|
var tab = jQuery('#' + namespace + id + 'TabsId');
|
|
var panel = jQuery('#' + namespace + id + 'TabsSection');
|
|
|
|
tab.siblings().removeClass('current');
|
|
tab.addClass('current');
|
|
|
|
panel.show();
|
|
|
|
var index = names.indexOf(id);
|
|
names.splice(index, 1);
|
|
|
|
for (var i = 0; i < names.length; i++) {
|
|
el = jQuery('#' + namespace + names[i] + 'TabsSection');
|
|
el.hide();
|
|
}
|
|
}
|
|
};
|
|
|
|
Liferay.Portal.StarRating = new Class({
|
|
|
|
/**
|
|
* OPTIONS
|
|
*
|
|
* Required
|
|
* displayOnly {boolean}: Whether the display is modifiable.
|
|
*
|
|
* Optional
|
|
* rating {number}: The rating to initialize to.
|
|
*
|
|
* Callbacks
|
|
* onComplete {function}: Called when a rating is selected.
|
|
*/
|
|
|
|
initialize: function(id, options) {
|
|
this.options = options || {};
|
|
this.rating = this.options.rating || 0;
|
|
var item = jQuery('#' + id);
|
|
this.stars = item.find('img');
|
|
var self = this;
|
|
|
|
if (!this.options.displayOnly) {
|
|
item.bind('mouseout', {self: this}, this.onHoverOut);
|
|
|
|
this.stars.each(function(index) {
|
|
this.index = index + 1;
|
|
jQuery(this).bind('click', {self: self}, self.onClick)
|
|
.bind('mouseover', {self: self}, self.onHoverOver);
|
|
})
|
|
}
|
|
|
|
this.display(this.rating, 'rating');
|
|
},
|
|
|
|
display: function(rating, mode) {
|
|
var self = this;
|
|
rating = rating == null ? this.rating : rating;
|
|
|
|
var whole = Math.floor(rating);
|
|
var fraction = rating - whole;
|
|
|
|
this.stars.each(function(index) {
|
|
image = this;
|
|
if (index < whole) {
|
|
if (mode == 'hover') {
|
|
image.src = image.src.replace(/\bstar_.*\./, 'star_hover.');
|
|
}
|
|
else {
|
|
image.src = image.src.replace(/\bstar_.*\./, 'star_on.');
|
|
}
|
|
}
|
|
else {
|
|
if (fraction < 0.25) {
|
|
image.src = image.src.replace(/\bstar_.*\./, 'star_off.');
|
|
}
|
|
else if (fraction < 0.50) {
|
|
image.src = image.src.replace(/\bstar_.*\./, 'star_on_quarter.');
|
|
}
|
|
else if (fraction < 0.75) {
|
|
image.src = image.src.replace(/\bstar_.*\./, 'star_on_half.');
|
|
}
|
|
else if (fraction < 1.00) {
|
|
image.src = image.src.replace(/\bstar_.*\./, 'star_on_threequarters.');
|
|
}
|
|
fraction = 0;
|
|
}
|
|
});
|
|
},
|
|
|
|
onHoverOver: function(event) {
|
|
event.data.self.display(this.index, 'hover');
|
|
},
|
|
|
|
onHoverOut: function(event) {
|
|
event.data.self.display();
|
|
},
|
|
|
|
onClick: function(event) {
|
|
var target = this;
|
|
var newRating = target.index;
|
|
var self = event.data.self;
|
|
|
|
self.rating = newRating;
|
|
|
|
if (self.options.onComplete) {
|
|
self.options.onComplete(newRating);
|
|
}
|
|
|
|
self.display(newRating);
|
|
}
|
|
});
|
|
|
|
Liferay.Portal.ThumbRating = new Class({
|
|
|
|
/**
|
|
* OPTIONS
|
|
*
|
|
* Required
|
|
* displayOnly {boolean}: Whether the display is modifiable.
|
|
*
|
|
* Optional
|
|
* rating {number}: The rating to initialize to.
|
|
*
|
|
* Callbacks
|
|
* onComplete {function}: Called when a rating is selected.
|
|
*/
|
|
|
|
initialize: function(options) {
|
|
var instance = this;
|
|
|
|
options = options || {};
|
|
instance.rating = options.rating || 0;
|
|
|
|
var item = jQuery('#' + options.id);
|
|
instance.triggers = item.find('.rating');
|
|
instance._onComplete = options.onComplete;
|
|
|
|
if (!options.displayOnly) {
|
|
instance.triggers.click(
|
|
function(event) {
|
|
instance._click(event, this);
|
|
}
|
|
);
|
|
}
|
|
},
|
|
|
|
_click: function(event, obj) {
|
|
var instance = this;
|
|
var trigger = jQuery(obj);
|
|
var rating = trigger.is('.rate-up') ? 1 : -1;
|
|
|
|
if (trigger.is('.rated')) {
|
|
rating = 0;
|
|
}
|
|
|
|
instance.triggers.not(obj).removeClass('rated');
|
|
trigger.toggleClass('rated');
|
|
|
|
if (instance._onComplete) {
|
|
instance._onComplete(rating);
|
|
}
|
|
}
|
|
});
|
|
|
|
Liferay.Portal.ToolTip = {
|
|
container: null,
|
|
|
|
show: function(event, obj, text) {
|
|
var instance = this;
|
|
|
|
var container = instance.container;
|
|
var currentItem = jQuery(obj);
|
|
var position = currentItem.offset();
|
|
|
|
var dimensions = instance._windowCalculation();
|
|
|
|
if (!container) {
|
|
container = jQuery('<div class="portal-tool-tip"></div>').appendTo('body');
|
|
|
|
instance.container = container;
|
|
}
|
|
|
|
container.html(text);
|
|
|
|
container.show();
|
|
|
|
var boxWidth = container.width();
|
|
var width = currentItem.width();
|
|
var height = currentItem.height();
|
|
var boxHeight = container.height();
|
|
var left = position.left - (boxWidth / 2);
|
|
var top = position.top + height + 5;
|
|
|
|
if (left < 0) {
|
|
left = 5;
|
|
}
|
|
else {
|
|
left += 5;
|
|
}
|
|
|
|
if (left + boxWidth > dimensions.right) {
|
|
left = (left - (boxWidth / 2 )) + width;
|
|
}
|
|
|
|
if (top + boxHeight > dimensions.bottom) {
|
|
top = top - (height + boxHeight + 5);
|
|
}
|
|
|
|
container.css(
|
|
{
|
|
cursor: 'default',
|
|
left: left + 'px',
|
|
position: 'absolute',
|
|
top: top + 'px',
|
|
zIndex: Liferay.zIndex.TOOLTIP
|
|
}
|
|
);
|
|
|
|
currentItem.one(
|
|
'mouseout',
|
|
function() {
|
|
instance.hide();
|
|
}
|
|
);
|
|
},
|
|
|
|
hide: function(event) {
|
|
var instance = this;
|
|
|
|
instance.container.hide();
|
|
},
|
|
|
|
_windowCalculation: function() {
|
|
var instance = this;
|
|
|
|
if (instance._window.right == null) {
|
|
var windowSize = {};
|
|
var body = instance._body;
|
|
if (!body) {
|
|
body = jQuery('body');
|
|
instance._body = body;
|
|
}
|
|
|
|
instance._window = {
|
|
bottom: body.height(),
|
|
left: 0,
|
|
right: body.width(),
|
|
top: 0
|
|
};
|
|
|
|
jQuery(window).resize(
|
|
function() {
|
|
instance._window.bottom = body.height();
|
|
instance._window.right = body.width();
|
|
}
|
|
);
|
|
}
|
|
return instance._window;
|
|
},
|
|
_body: null,
|
|
_window: {}
|
|
};
|
|
Liferay.Portlet = {
|
|
list: [],
|
|
|
|
add: function(options) {
|
|
var instance = this;
|
|
|
|
var plid = options.plid || themeDisplay.getPlid();
|
|
var portletId = options.portletId;
|
|
var doAsUserId = options.doAsUserId || themeDisplay.getDoAsUserIdEncoded();
|
|
var placeHolder = jQuery(options.placeHolder || '<div class="loading-animation" />');
|
|
var positionOptions = options.positionOptions;
|
|
var beforePortletLoaded = options.beforePortletLoaded;
|
|
var onComplete = options.onComplete;
|
|
|
|
var container = jQuery('.lfr-portlet-column:first');
|
|
|
|
if (!container.length) {
|
|
return;
|
|
}
|
|
|
|
var portletPosition = 0;
|
|
var currentColumnId = 'column-1';
|
|
|
|
if (options.placeHolder) {
|
|
var column = placeHolder.parent();
|
|
|
|
placeHolder.addClass('portlet-boundary');
|
|
|
|
portletPosition = column.find('.portlet-boundary').index(placeHolder[0]);
|
|
|
|
currentColumnId = Liferay.Util.getColumnId(column[0].id);
|
|
}
|
|
|
|
var url = themeDisplay.getPathMain() + '/portal/update_layout';
|
|
|
|
var data = {
|
|
p_l_id: plid,
|
|
p_p_id: portletId,
|
|
p_p_col_id: currentColumnId,
|
|
p_p_col_pos: portletPosition,
|
|
doAsUserId: doAsUserId,
|
|
dataType: 'json',
|
|
cmd: 'add'
|
|
};
|
|
|
|
var firstPortlet = container.find('.portlet-boundary:first');
|
|
var hasStaticPortlet = (firstPortlet.length && firstPortlet[0].isStatic);
|
|
|
|
if (!options.placeHolder && !options.plid) {
|
|
if (!hasStaticPortlet) {
|
|
container.prepend(placeHolder);
|
|
}
|
|
else {
|
|
firstPortlet.after(placeHolder);
|
|
}
|
|
}
|
|
|
|
if (themeDisplay.isFreeformLayout()) {
|
|
container.prepend(placeHolder);
|
|
}
|
|
|
|
data.currentURL = Liferay.currentURL;
|
|
|
|
return instance.addHTML(
|
|
{
|
|
beforePortletLoaded: beforePortletLoaded,
|
|
data: data,
|
|
url: url,
|
|
placeHolder: placeHolder[0],
|
|
onComplete: onComplete
|
|
}
|
|
);
|
|
},
|
|
|
|
addHTML: function(options) {
|
|
var instance = this;
|
|
|
|
var portletBoundary = null;
|
|
|
|
var url = options.url;
|
|
var data = options.data;
|
|
var dataType = 'html';
|
|
var placeHolder = options.placeHolder;
|
|
var beforePortletLoaded = options.beforePortletLoaded;
|
|
var onComplete = options.onComplete;
|
|
|
|
if (data && data.dataType) {
|
|
dataType = data.dataType;
|
|
}
|
|
|
|
var addPortletReturn = function(html) {
|
|
var container = placeHolder.parentNode;
|
|
|
|
var portletBound = jQuery('<div></div>')[0];
|
|
|
|
portletBound.innerHTML = html;
|
|
portletBound = portletBound.firstChild;
|
|
|
|
var portletId = Liferay.Util.getPortletId(portletBound.id);
|
|
|
|
portletBound.portletId = portletId;
|
|
|
|
jQuery(placeHolder).hide().after(portletBound).remove();
|
|
|
|
instance.refreshLayout(portletBound);
|
|
|
|
Liferay.Util.addInputType(portletBound.id);
|
|
|
|
if (window.location.hash) {
|
|
window.location.hash = "p_" + portletId;
|
|
}
|
|
|
|
portletBoundary = portletBound;
|
|
|
|
if (onComplete) {
|
|
onComplete(portletBoundary, portletId);
|
|
}
|
|
|
|
var jContainer = jQuery(container);
|
|
|
|
if (jContainer.is('.empty')) {
|
|
jContainer.removeClass('empty');
|
|
}
|
|
|
|
return portletId;
|
|
};
|
|
|
|
if (beforePortletLoaded) {
|
|
beforePortletLoaded(placeHolder);
|
|
}
|
|
|
|
jQuery.ajax(
|
|
{
|
|
url: url,
|
|
data: data,
|
|
dataType: dataType,
|
|
success: function(message) {
|
|
if (dataType == 'html') {
|
|
addPortletReturn(message);
|
|
}
|
|
else {
|
|
if (message.refresh) {
|
|
location.reload();
|
|
}
|
|
else {
|
|
addPortletReturn(message.portletHTML);
|
|
}
|
|
}
|
|
}
|
|
}
|
|
);
|
|
},
|
|
|
|
close: function(portlet, skipConfirm, options) {
|
|
var instance = this;
|
|
|
|
if (skipConfirm || confirm(Liferay.Language.get('are-you-sure-you-want-to-remove-this-component'))) {
|
|
options = options || {};
|
|
|
|
var plid = options.plid || themeDisplay.getPlid();
|
|
var doAsUserId = options.doAsUserId || themeDisplay.getDoAsUserIdEncoded();
|
|
|
|
var portletId = portlet.portletId;
|
|
var currentPortlet = jQuery(portlet);
|
|
var column = currentPortlet.parents('.lfr-portlet-column:first');
|
|
|
|
currentPortlet.remove();
|
|
jQuery('#' + portletId).remove();
|
|
|
|
var url = themeDisplay.getPathMain() + '/portal/update_layout';
|
|
|
|
jQuery.ajax(
|
|
{
|
|
url: url,
|
|
data: {
|
|
p_l_id: plid,
|
|
p_p_id: portletId,
|
|
doAsUserId: doAsUserId,
|
|
cmd: 'delete'
|
|
}
|
|
}
|
|
);
|
|
|
|
var portletsLeft = column.find('.portlet-boundary').length;
|
|
|
|
if (!portletsLeft) {
|
|
column.addClass('empty');
|
|
}
|
|
|
|
Liferay.trigger('closePortlet', {plid: plid, portletId: portletId});
|
|
}
|
|
else {
|
|
self.focus();
|
|
}
|
|
},
|
|
|
|
minimize: function(portlet, el, options) {
|
|
var instance = this;
|
|
|
|
options = options || {};
|
|
|
|
var plid = options.plid || themeDisplay.getPlid();
|
|
var doAsUserId = options.doAsUserId || themeDisplay.getDoAsUserIdEncoded();
|
|
|
|
var content = jQuery('.portlet-content-container', portlet);
|
|
var restore = content.is(':hidden');
|
|
|
|
content.toggle(
|
|
'blind',
|
|
{
|
|
direction: 'vertical'
|
|
},
|
|
'fast',
|
|
function() {
|
|
var action = (restore) ? 'removeClass' : 'addClass';
|
|
jQuery(portlet)[action]('portlet-minimized');
|
|
|
|
if (el) {
|
|
var title = (restore) ? Liferay.Language.get('minimize') : Liferay.Language.get('restore');
|
|
|
|
var link = jQuery(el);
|
|
var img = link.find('img');
|
|
|
|
var imgSrc = img.attr('src');
|
|
if (restore) {
|
|
imgSrc = imgSrc.replace(/restore.png$/, 'minimize.png');
|
|
}
|
|
else {
|
|
imgSrc = imgSrc.replace(/minimize.png$/, 'restore.png');
|
|
}
|
|
|
|
img.attr('alt', title);
|
|
img.attr('title', title);
|
|
|
|
link.attr('title', title);
|
|
img.attr('src', imgSrc);
|
|
}
|
|
}
|
|
);
|
|
|
|
jQuery.ajax(
|
|
{
|
|
url: themeDisplay.getPathMain() + '/portal/update_layout',
|
|
data: {
|
|
p_l_id: plid,
|
|
p_p_id: portlet.portletId,
|
|
p_p_restore: restore,
|
|
doAsUserId: doAsUserId,
|
|
cmd: 'minimize'
|
|
}
|
|
}
|
|
);
|
|
},
|
|
|
|
onLoad: function(options) {
|
|
var instance = this;
|
|
|
|
var canEditTitle = options.canEditTitle;
|
|
var columnPos = options.columnPos;
|
|
var isStatic = (options.isStatic == 'no') ? null : options.isStatic;
|
|
var namespacedId = options.namespacedId;
|
|
var portletId = options.portletId;
|
|
|
|
jQuery(
|
|
function () {
|
|
var jPortlet = jQuery('#' + namespacedId);
|
|
var portlet = jPortlet[0];
|
|
|
|
if (!portlet.portletProcessed) {
|
|
portlet.portletProcessed = true;
|
|
portlet.portletId = portletId;
|
|
portlet.columnPos = columnPos;
|
|
portlet.isStatic = isStatic;
|
|
|
|
// Functions to run on portlet load
|
|
|
|
if (canEditTitle) {
|
|
Liferay.Util.portletTitleEdit(
|
|
{
|
|
obj: jPortlet,
|
|
plid: themeDisplay.getPlid(),
|
|
doAsUserId: themeDisplay.getDoAsUserIdEncoded(),
|
|
portletId: portletId
|
|
}
|
|
);
|
|
}
|
|
|
|
if (!themeDisplay.layoutMaximized) {
|
|
jPortlet.find('.portlet-configuration:first a').click(
|
|
function(event) {
|
|
location.href = this.href + '&previewWidth=' + portlet.offsetHeight;
|
|
|
|
return false;
|
|
}
|
|
);
|
|
|
|
jPortlet.find('.portlet-minimize:first a').click(
|
|
function(event) {
|
|
instance.minimize(portlet, this);
|
|
|
|
return false;
|
|
}
|
|
);
|
|
|
|
jPortlet.find('.portlet-maximize:first a').click(
|
|
function(event) {
|
|
submitForm(document.hrefFm, this.href);
|
|
|
|
return false;
|
|
}
|
|
);
|
|
|
|
jPortlet.find('.portlet-close:first a').click(
|
|
function(event) {
|
|
instance.close(portlet);
|
|
|
|
return false;
|
|
}
|
|
);
|
|
|
|
jPortlet.find('.portlet-refresh:first a').click(
|
|
function(event) {
|
|
instance.refresh(portlet);
|
|
|
|
return false;
|
|
}
|
|
);
|
|
|
|
jPortlet.find('.portlet-print:first a').click(
|
|
function(event) {
|
|
location.href = this.href;
|
|
|
|
return false;
|
|
}
|
|
);
|
|
|
|
jPortlet.find('.portlet-css:first a').click(
|
|
function(event) {
|
|
Liferay.PortletCSS.init(portlet.portletId);
|
|
}
|
|
);
|
|
}
|
|
|
|
Liferay.trigger('portletReady', {portletId: portletId, portlet: jPortlet});
|
|
|
|
var list = instance.list;
|
|
|
|
var index = list.indexOf(portletId);
|
|
|
|
if (index > -1) {
|
|
list.splice(index, 1);
|
|
}
|
|
|
|
if (!list.length) {
|
|
Liferay.trigger('allPortletsReady', {portletId: portletId});
|
|
}
|
|
}
|
|
}
|
|
);
|
|
},
|
|
|
|
refresh: function(portlet) {
|
|
var instance = this;
|
|
|
|
if (portlet.refreshURL) {
|
|
var url = portlet.refreshURL;
|
|
var id = portlet.id;
|
|
|
|
portlet = jQuery(portlet);
|
|
|
|
var placeHolder = jQuery('<div class="loading-animation" id="p_load' + id + '" />');
|
|
|
|
portlet.before(placeHolder);
|
|
portlet.remove();
|
|
|
|
instance.addHTML(
|
|
{
|
|
url: url,
|
|
placeHolder: placeHolder[0],
|
|
onComplete: function(portlet, portletId) {
|
|
portlet.refreshURL = url;
|
|
}
|
|
}
|
|
);
|
|
}
|
|
},
|
|
|
|
refreshLayout: function(portletBound) {
|
|
}
|
|
};
|
|
|
|
jQuery.fn.last = function(fn) {
|
|
Liferay.bind('allPortletsReady',
|
|
function(event) {
|
|
fn();
|
|
}
|
|
)
|
|
};
|
|
|
|
// Backwards compatability
|
|
|
|
Liferay.Portlet.ready = function(fn) {
|
|
Liferay.bind('portletReady',
|
|
function(event, data) {
|
|
fn(data.portletId, data.portlet);
|
|
}
|
|
);
|
|
};
|
|
Liferay.Dock = {
|
|
init: function() {
|
|
var instance = this;
|
|
|
|
var dock = jQuery('.lfr-dock');
|
|
|
|
if (!dock.is('.interactive-mode')) {
|
|
return;
|
|
}
|
|
|
|
dock.addClass('lfr-component');
|
|
|
|
var dockList = dock.find('.lfr-dock-list');
|
|
|
|
if (dockList.length > 0) {
|
|
var myPlaces = jQuery('.my-places', dock);
|
|
|
|
Liferay.Util.createFlyouts(
|
|
{
|
|
container: dockList[0],
|
|
mouseOver: function(event) {
|
|
if (this.className.indexOf('my-places') > -1) {
|
|
jQuery('.current-community > ul', this).show();
|
|
}
|
|
else if (this.parentNode.className.indexOf('taglib-my-places') > -1) {
|
|
jQuery('ul', this.parentNode).hide();
|
|
jQuery('> ul', this).show();
|
|
}
|
|
}
|
|
}
|
|
);
|
|
|
|
dockList.find('li:first-child, a:first-child').addClass('first');
|
|
dockList.find('li:last-child, a:last-child').addClass('last');
|
|
|
|
instance._dock = dock;
|
|
instance._dockList = dockList;
|
|
instance._myPlaces = myPlaces;
|
|
|
|
dockList.hide();
|
|
dockList.wrap('<div class="lfr-dock-list-container"></div>');
|
|
|
|
var dockDefaults = {
|
|
cursor: 'pointer',
|
|
position: 'absolute',
|
|
zIndex: Liferay.zIndex.DOCK
|
|
};
|
|
|
|
instance._setPosition(dock, dockDefaults);
|
|
|
|
var dockOver = function(event) {
|
|
instance._setCloser();
|
|
instance._toggle('show');
|
|
};
|
|
|
|
var dockOut = function(event) {
|
|
instance._toggle('hide');
|
|
};
|
|
|
|
dock.hoverIntent(
|
|
{
|
|
interval: 0,
|
|
out: dockOut,
|
|
over: dockOver,
|
|
timeout: 500
|
|
}
|
|
);
|
|
|
|
if (Liferay.Browser.is_ie && Liferay.Browser.version() <= 6) {
|
|
myPlaces.find('> ul').css('zoom', 1);
|
|
}
|
|
|
|
var dockParent = dock.parent();
|
|
|
|
var dockParentDefaults = {
|
|
position: 'relative',
|
|
zIndex: Liferay.zIndex.DOCK_PARENT
|
|
};
|
|
|
|
instance._setPosition(dockParent, dockParentDefaults);
|
|
|
|
instance._handleDebug();
|
|
}
|
|
},
|
|
|
|
_setPosition: function(obj, defaults) {
|
|
var instance = this;
|
|
|
|
var settings = defaults;
|
|
|
|
if (!obj.is('.ignore-position')) {
|
|
var position = obj.css('position');
|
|
var zIndex = obj.css('z-index');
|
|
var isStatic = !/absolute|relative|fixed/.test(position);
|
|
|
|
if (zIndex == 'auto' || zIndex == 0) {
|
|
zIndex = defaults.zIndex;
|
|
}
|
|
|
|
// The position is static, but use top/left positioning as a trigger
|
|
|
|
if (isStatic) {
|
|
position = defaults.position;
|
|
|
|
var top = parseInt(obj.css('top'));
|
|
|
|
if (Liferay.Browser.is_safari && isNaN(top)) {
|
|
top = -1;
|
|
}
|
|
|
|
if (!isNaN(top) && top != 0) {
|
|
position = '';
|
|
zIndex = '';
|
|
}
|
|
}
|
|
|
|
settings = jQuery.extend(
|
|
defaults,
|
|
{
|
|
position: position,
|
|
zIndex: zIndex
|
|
}
|
|
);
|
|
}
|
|
|
|
obj.css(settings);
|
|
|
|
return settings;
|
|
},
|
|
|
|
_handleDebug: function() {
|
|
var instance = this;
|
|
|
|
var dock = instance._dock;
|
|
var dockList = instance._dockList;
|
|
var myPlacesList = instance._myPlaces.find('> ul');
|
|
|
|
if (dock.is('.debug')) {
|
|
dock.show();
|
|
dockList.show();
|
|
dockList.addClass('expanded');
|
|
}
|
|
},
|
|
|
|
_setCloser: function() {
|
|
var instance = this;
|
|
|
|
if (!instance._hovered) {
|
|
jQuery(document).one(
|
|
'click',
|
|
function(event) {
|
|
var currentEl = jQuery(event.target);
|
|
var dockParent = currentEl.parents('.lfr-dock');
|
|
|
|
if ((dockParent.length == 0) && !currentEl.is('.lfr-dock')) {
|
|
instance._toggle('hide');
|
|
instance._hovered = false;
|
|
}
|
|
}
|
|
);
|
|
|
|
instance._hovered = true;
|
|
}
|
|
},
|
|
|
|
_toggle: function(state) {
|
|
var instance = this;
|
|
|
|
var dock = instance._dock;
|
|
var dockList = instance._dockList;
|
|
|
|
if (state == 'hide') {
|
|
dockList.hide();
|
|
dock.removeClass('expanded');
|
|
}
|
|
else if (state == 'show') {
|
|
dockList.show();
|
|
dock.addClass('expanded');
|
|
}
|
|
else {
|
|
dockList.toggle();
|
|
dock.toggleClass('expanded');
|
|
}
|
|
}
|
|
};
|
|
Liferay.Menu = new Class({
|
|
initialize: function(options) {
|
|
var instance = this;
|
|
|
|
instance._button = jQuery(options.button, options.context || document);
|
|
instance._menu = instance._button.find('ul:first');
|
|
instance._trigger = instance._button.find(options.trigger);
|
|
|
|
if (instance._menu.length) {
|
|
instance._run();
|
|
}
|
|
},
|
|
|
|
_run: function() {
|
|
var instance = this;
|
|
|
|
var lastLi = instance._trigger.find('ul:first li:last-child');
|
|
|
|
lastLi.addClass('last');
|
|
|
|
var off = function(event) {
|
|
instance._button.removeClass('visible');
|
|
}
|
|
|
|
var on = function(event) {
|
|
var trigger = jQuery(this);
|
|
|
|
var parent = trigger.parent();
|
|
|
|
if (parent.is('.visible')) {
|
|
parent.removeClass('visible');
|
|
}
|
|
else {
|
|
instance._button.removeClass('visible');
|
|
|
|
parent.addClass('visible');
|
|
}
|
|
|
|
jQuery(document).unbind('click.liferay').one(
|
|
'click.liferay',
|
|
off
|
|
);
|
|
|
|
var originalTarget = jQuery(event.originalTarget || event.srcElement);
|
|
|
|
if (!originalTarget.is('a') && !originalTarget.is('img')) {
|
|
return false;
|
|
}
|
|
};
|
|
|
|
instance._trigger.unbind('click.liferay').bind('click.liferay', on);
|
|
}
|
|
});
|