2 * jQuery JavaScript Library v2.2.3
8 * Copyright jQuery Foundation and other contributors
9 * Released under the MIT license
10 * http://jquery.org/license
12 * Date: 2016-04-05T19:26Z
15 (function( global, factory ) {
17 if ( typeof module === "object" && typeof module.exports === "object" ) {
18 // For CommonJS and CommonJS-like environments where a proper `window`
19 // is present, execute the factory and get jQuery.
20 // For environments that do not have a `window` with a `document`
21 // (such as Node.js), expose a factory as module.exports.
22 // This accentuates the need for the creation of a real `window`.
23 // e.g. var jQuery = require("jquery")(window);
24 // See ticket #14549 for more info.
25 module.exports = global.document ?
26 factory( global, true ) :
29 throw new Error( "jQuery requires a window with a document" );
37 // Pass this if window is not defined yet
38 }(typeof window !== "undefined" ? window : this, function( window, noGlobal ) {
40 // Support: Firefox 18+
41 // Can't be in strict mode, several libs including ASP.NET trace
42 // the stack via arguments.caller.callee and Firefox dies if
43 // you try to trace through "use strict" call chains. (#13335)
47 var document = window.document;
49 var slice = arr.slice;
51 var concat = arr.concat;
55 var indexOf = arr.indexOf;
59 var toString = class2type.toString;
61 var hasOwn = class2type.hasOwnProperty;
70 // Define a local copy of jQuery
71 jQuery = function( selector, context ) {
73 // The jQuery object is actually just the init constructor 'enhanced'
74 // Need init if jQuery is called (just allow error to be thrown if not included)
75 return new jQuery.fn.init( selector, context );
78 // Support: Android<4.1
79 // Make sure we trim BOM and NBSP
80 rtrim = /^[\s\uFEFF\xA0]+|[\s\uFEFF\xA0]+$/g,
82 // Matches dashed string for camelizing
84 rdashAlpha = /-([\da-z])/gi,
86 // Used by jQuery.camelCase as callback to replace()
87 fcamelCase = function( all, letter ) {
88 return letter.toUpperCase();
91 jQuery.fn = jQuery.prototype = {
93 // The current version of jQuery being used
98 // Start with an empty selector
101 // The default length of a jQuery object is 0
104 toArray: function() {
105 return slice.call( this );
108 // Get the Nth element in the matched element set OR
109 // Get the whole matched element set as a clean array
110 get: function( num ) {
113 // Return just the one element from the set
114 ( num < 0 ? this[ num + this.length ] : this[ num ] ) :
116 // Return all the elements in a clean array
120 // Take an array of elements and push it onto the stack
121 // (returning the new matched element set)
122 pushStack: function( elems ) {
124 // Build a new jQuery matched element set
125 var ret = jQuery.merge( this.constructor(), elems );
127 // Add the old object onto the stack (as a reference)
128 ret.prevObject = this;
129 ret.context = this.context;
131 // Return the newly-formed element set
135 // Execute a callback for every element in the matched set.
136 each: function( callback ) {
137 return jQuery.each( this, callback );
140 map: function( callback ) {
141 return this.pushStack( jQuery.map( this, function( elem, i ) {
142 return callback.call( elem, i, elem );
147 return this.pushStack( slice.apply( this, arguments ) );
155 return this.eq( -1 );
159 var len = this.length,
160 j = +i + ( i < 0 ? len : 0 );
161 return this.pushStack( j >= 0 && j < len ? [ this[ j ] ] : [] );
165 return this.prevObject || this.constructor();
168 // For internal use only.
169 // Behaves like an Array's method, not like a jQuery method.
175 jQuery.extend = jQuery.fn.extend = function() {
176 var options, name, src, copy, copyIsArray, clone,
177 target = arguments[ 0 ] || {},
179 length = arguments.length,
182 // Handle a deep copy situation
183 if ( typeof target === "boolean" ) {
186 // Skip the boolean and the target
187 target = arguments[ i ] || {};
191 // Handle case when target is a string or something (possible in deep copy)
192 if ( typeof target !== "object" && !jQuery.isFunction( target ) ) {
196 // Extend jQuery itself if only one argument is passed
197 if ( i === length ) {
202 for ( ; i < length; i++ ) {
204 // Only deal with non-null/undefined values
205 if ( ( options = arguments[ i ] ) != null ) {
207 // Extend the base object
208 for ( name in options ) {
209 src = target[ name ];
210 copy = options[ name ];
212 // Prevent never-ending loop
213 if ( target === copy ) {
217 // Recurse if we're merging plain objects or arrays
218 if ( deep && copy && ( jQuery.isPlainObject( copy ) ||
219 ( copyIsArray = jQuery.isArray( copy ) ) ) ) {
223 clone = src && jQuery.isArray( src ) ? src : [];
226 clone = src && jQuery.isPlainObject( src ) ? src : {};
229 // Never move original objects, clone them
230 target[ name ] = jQuery.extend( deep, clone, copy );
232 // Don't bring in undefined values
233 } else if ( copy !== undefined ) {
234 target[ name ] = copy;
240 // Return the modified object
246 // Unique for each copy of jQuery on the page
247 expando: "jQuery" + ( version + Math.random() ).replace( /\D/g, "" ),
249 // Assume jQuery is ready without the ready module
252 error: function( msg ) {
253 throw new Error( msg );
258 isFunction: function( obj ) {
259 return jQuery.type( obj ) === "function";
262 isArray: Array.isArray,
264 isWindow: function( obj ) {
265 return obj != null && obj === obj.window;
268 isNumeric: function( obj ) {
270 // parseFloat NaNs numeric-cast false positives (null|true|false|"")
271 // ...but misinterprets leading-number strings, particularly hex literals ("0x...")
272 // subtraction forces infinities to NaN
273 // adding 1 corrects loss of precision from parseFloat (#15100)
274 var realStringObj = obj && obj.toString();
275 return !jQuery.isArray( obj ) && ( realStringObj - parseFloat( realStringObj ) + 1 ) >= 0;
278 isPlainObject: function( obj ) {
281 // Not plain objects:
282 // - Any object or value whose internal [[Class]] property is not "[object Object]"
285 if ( jQuery.type( obj ) !== "object" || obj.nodeType || jQuery.isWindow( obj ) ) {
289 // Not own constructor property must be Object
290 if ( obj.constructor &&
291 !hasOwn.call( obj, "constructor" ) &&
292 !hasOwn.call( obj.constructor.prototype || {}, "isPrototypeOf" ) ) {
296 // Own properties are enumerated firstly, so to speed up,
297 // if last one is own, then all properties are own
298 for ( key in obj ) {}
300 return key === undefined || hasOwn.call( obj, key );
303 isEmptyObject: function( obj ) {
305 for ( name in obj ) {
311 type: function( obj ) {
316 // Support: Android<4.0, iOS<6 (functionish RegExp)
317 return typeof obj === "object" || typeof obj === "function" ?
318 class2type[ toString.call( obj ) ] || "object" :
322 // Evaluates a script in a global context
323 globalEval: function( code ) {
327 code = jQuery.trim( code );
331 // If the code includes a valid, prologue position
332 // strict mode pragma, execute code by injecting a
333 // script tag into the document.
334 if ( code.indexOf( "use strict" ) === 1 ) {
335 script = document.createElement( "script" );
337 document.head.appendChild( script ).parentNode.removeChild( script );
340 // Otherwise, avoid the DOM node creation, insertion
341 // and removal by using an indirect global eval
348 // Convert dashed to camelCase; used by the css and data modules
350 // Microsoft forgot to hump their vendor prefix (#9572)
351 camelCase: function( string ) {
352 return string.replace( rmsPrefix, "ms-" ).replace( rdashAlpha, fcamelCase );
355 nodeName: function( elem, name ) {
356 return elem.nodeName && elem.nodeName.toLowerCase() === name.toLowerCase();
359 each: function( obj, callback ) {
362 if ( isArrayLike( obj ) ) {
364 for ( ; i < length; i++ ) {
365 if ( callback.call( obj[ i ], i, obj[ i ] ) === false ) {
371 if ( callback.call( obj[ i ], i, obj[ i ] ) === false ) {
380 // Support: Android<4.1
381 trim: function( text ) {
382 return text == null ?
384 ( text + "" ).replace( rtrim, "" );
387 // results is for internal usage only
388 makeArray: function( arr, results ) {
389 var ret = results || [];
392 if ( isArrayLike( Object( arr ) ) ) {
394 typeof arr === "string" ?
398 push.call( ret, arr );
405 inArray: function( elem, arr, i ) {
406 return arr == null ? -1 : indexOf.call( arr, elem, i );
409 merge: function( first, second ) {
410 var len = +second.length,
414 for ( ; j < len; j++ ) {
415 first[ i++ ] = second[ j ];
423 grep: function( elems, callback, invert ) {
427 length = elems.length,
428 callbackExpect = !invert;
430 // Go through the array, only saving the items
431 // that pass the validator function
432 for ( ; i < length; i++ ) {
433 callbackInverse = !callback( elems[ i ], i );
434 if ( callbackInverse !== callbackExpect ) {
435 matches.push( elems[ i ] );
442 // arg is for internal usage only
443 map: function( elems, callback, arg ) {
448 // Go through the array, translating each of the items to their new values
449 if ( isArrayLike( elems ) ) {
450 length = elems.length;
451 for ( ; i < length; i++ ) {
452 value = callback( elems[ i ], i, arg );
454 if ( value != null ) {
459 // Go through every key on the object,
462 value = callback( elems[ i ], i, arg );
464 if ( value != null ) {
470 // Flatten any nested arrays
471 return concat.apply( [], ret );
474 // A global GUID counter for objects
477 // Bind a function to a context, optionally partially applying any
479 proxy: function( fn, context ) {
480 var tmp, args, proxy;
482 if ( typeof context === "string" ) {
488 // Quick check to determine if target is callable, in the spec
489 // this throws a TypeError, but we will just return undefined.
490 if ( !jQuery.isFunction( fn ) ) {
495 args = slice.call( arguments, 2 );
497 return fn.apply( context || this, args.concat( slice.call( arguments ) ) );
500 // Set the guid of unique handler to the same of original handler, so it can be removed
501 proxy.guid = fn.guid = fn.guid || jQuery.guid++;
508 // jQuery.support is not used in Core but other projects attach their
509 // properties to it so it needs to exist.
513 // JSHint would error on this code due to the Symbol not being defined in ES5.
514 // Defining this global in .jshintrc would create a danger of using the global
515 // unguarded in another place, it seems safer to just disable JSHint for these
517 /* jshint ignore: start */
518 if ( typeof Symbol === "function" ) {
519 jQuery.fn[ Symbol.iterator ] = arr[ Symbol.iterator ];
521 /* jshint ignore: end */
523 // Populate the class2type map
524 jQuery.each( "Boolean Number String Function Array Date RegExp Object Error Symbol".split( " " ),
525 function( i, name ) {
526 class2type[ "[object " + name + "]" ] = name.toLowerCase();
529 function isArrayLike( obj ) {
531 // Support: iOS 8.2 (not reproducible in simulator)
532 // `in` check used to prevent JIT error (gh-2145)
533 // hasOwn isn't used here due to false negatives
534 // regarding Nodelist length in IE
535 var length = !!obj && "length" in obj && obj.length,
536 type = jQuery.type( obj );
538 if ( type === "function" || jQuery.isWindow( obj ) ) {
542 return type === "array" || length === 0 ||
543 typeof length === "number" && length > 0 && ( length - 1 ) in obj;
547 * Sizzle CSS Selector Engine v2.2.1
548 * http://sizzlejs.com/
550 * Copyright jQuery Foundation and other contributors
551 * Released under the MIT license
552 * http://jquery.org/license
556 (function( window ) {
570 // Local document vars
580 // Instance-specific data
581 expando = "sizzle" + 1 * new Date(),
582 preferredDoc = window.document,
585 classCache = createCache(),
586 tokenCache = createCache(),
587 compilerCache = createCache(),
588 sortOrder = function( a, b ) {
595 // General-purpose constants
596 MAX_NEGATIVE = 1 << 31,
599 hasOwn = ({}).hasOwnProperty,
602 push_native = arr.push,
605 // Use a stripped-down indexOf as it's faster than native
606 // http://jsperf.com/thor-indexof-vs-for/5
607 indexOf = function( list, elem ) {
610 for ( ; i < len; i++ ) {
611 if ( list[i] === elem ) {
618 booleans = "checked|selected|async|autofocus|autoplay|controls|defer|disabled|hidden|ismap|loop|multiple|open|readonly|required|scoped",
620 // Regular expressions
622 // http://www.w3.org/TR/css3-selectors/#whitespace
623 whitespace = "[\\x20\\t\\r\\n\\f]",
625 // http://www.w3.org/TR/CSS21/syndata.html#value-def-identifier
626 identifier = "(?:\\\\.|[\\w-]|[^\\x00-\\xa0])+",
628 // Attribute selectors: http://www.w3.org/TR/selectors/#attribute-selectors
629 attributes = "\\[" + whitespace + "*(" + identifier + ")(?:" + whitespace +
630 // Operator (capture 2)
631 "*([*^$|!~]?=)" + whitespace +
632 // "Attribute values must be CSS identifiers [capture 5] or strings [capture 3 or capture 4]"
633 "*(?:'((?:\\\\.|[^\\\\'])*)'|\"((?:\\\\.|[^\\\\\"])*)\"|(" + identifier + "))|)" + whitespace +
636 pseudos = ":(" + identifier + ")(?:\\((" +
637 // To reduce the number of selectors needing tokenize in the preFilter, prefer arguments:
638 // 1. quoted (capture 3; capture 4 or capture 5)
639 "('((?:\\\\.|[^\\\\'])*)'|\"((?:\\\\.|[^\\\\\"])*)\")|" +
640 // 2. simple (capture 6)
641 "((?:\\\\.|[^\\\\()[\\]]|" + attributes + ")*)|" +
642 // 3. anything else (capture 2)
646 // Leading and non-escaped trailing whitespace, capturing some non-whitespace characters preceding the latter
647 rwhitespace = new RegExp( whitespace + "+", "g" ),
648 rtrim = new RegExp( "^" + whitespace + "+|((?:^|[^\\\\])(?:\\\\.)*)" + whitespace + "+$", "g" ),
650 rcomma = new RegExp( "^" + whitespace + "*," + whitespace + "*" ),
651 rcombinators = new RegExp( "^" + whitespace + "*([>+~]|" + whitespace + ")" + whitespace + "*" ),
653 rattributeQuotes = new RegExp( "=" + whitespace + "*([^\\]'\"]*?)" + whitespace + "*\\]", "g" ),
655 rpseudo = new RegExp( pseudos ),
656 ridentifier = new RegExp( "^" + identifier + "$" ),
659 "ID": new RegExp( "^#(" + identifier + ")" ),
660 "CLASS": new RegExp( "^\\.(" + identifier + ")" ),
661 "TAG": new RegExp( "^(" + identifier + "|[*])" ),
662 "ATTR": new RegExp( "^" + attributes ),
663 "PSEUDO": new RegExp( "^" + pseudos ),
664 "CHILD": new RegExp( "^:(only|first|last|nth|nth-last)-(child|of-type)(?:\\(" + whitespace +
665 "*(even|odd|(([+-]|)(\\d*)n|)" + whitespace + "*(?:([+-]|)" + whitespace +
666 "*(\\d+)|))" + whitespace + "*\\)|)", "i" ),
667 "bool": new RegExp( "^(?:" + booleans + ")$", "i" ),
668 // For use in libraries implementing .is()
669 // We use this for POS matching in `select`
670 "needsContext": new RegExp( "^" + whitespace + "*[>+~]|:(even|odd|eq|gt|lt|nth|first|last)(?:\\(" +
671 whitespace + "*((?:-\\d)?\\d*)" + whitespace + "*\\)|)(?=[^-]|$)", "i" )
674 rinputs = /^(?:input|select|textarea|button)$/i,
677 rnative = /^[^{]+\{\s*\[native \w/,
679 // Easily-parseable/retrievable ID or TAG or CLASS selectors
680 rquickExpr = /^(?:#([\w-]+)|(\w+)|\.([\w-]+))$/,
685 // CSS escapes http://www.w3.org/TR/CSS21/syndata.html#escaped-characters
686 runescape = new RegExp( "\\\\([\\da-f]{1,6}" + whitespace + "?|(" + whitespace + ")|.)", "ig" ),
687 funescape = function( _, escaped, escapedWhitespace ) {
688 var high = "0x" + escaped - 0x10000;
689 // NaN means non-codepoint
690 // Support: Firefox<24
691 // Workaround erroneous numeric interpretation of +"0x"
692 return high !== high || escapedWhitespace ?
696 String.fromCharCode( high + 0x10000 ) :
697 // Supplemental Plane codepoint (surrogate pair)
698 String.fromCharCode( high >> 10 | 0xD800, high & 0x3FF | 0xDC00 );
703 // Removing the function wrapper causes a "Permission Denied"
705 unloadHandler = function() {
709 // Optimize for push.apply( _, NodeList )
712 (arr = slice.call( preferredDoc.childNodes )),
713 preferredDoc.childNodes
715 // Support: Android<4.0
716 // Detect silently failing push.apply
717 arr[ preferredDoc.childNodes.length ].nodeType;
719 push = { apply: arr.length ?
721 // Leverage slice if possible
722 function( target, els ) {
723 push_native.apply( target, slice.call(els) );
727 // Otherwise append directly
728 function( target, els ) {
729 var j = target.length,
731 // Can't trust NodeList.length
732 while ( (target[j++] = els[i++]) ) {}
733 target.length = j - 1;
738 function Sizzle( selector, context, results, seed ) {
739 var m, i, elem, nid, nidselect, match, groups, newSelector,
740 newContext = context && context.ownerDocument,
742 // nodeType defaults to 9, since context defaults to document
743 nodeType = context ? context.nodeType : 9;
745 results = results || [];
747 // Return early from calls with invalid selector or context
748 if ( typeof selector !== "string" || !selector ||
749 nodeType !== 1 && nodeType !== 9 && nodeType !== 11 ) {
754 // Try to shortcut find operations (as opposed to filters) in HTML documents
757 if ( ( context ? context.ownerDocument || context : preferredDoc ) !== document ) {
758 setDocument( context );
760 context = context || document;
762 if ( documentIsHTML ) {
764 // If the selector is sufficiently simple, try using a "get*By*" DOM method
765 // (excepting DocumentFragment context, where the methods don't exist)
766 if ( nodeType !== 11 && (match = rquickExpr.exec( selector )) ) {
769 if ( (m = match[1]) ) {
772 if ( nodeType === 9 ) {
773 if ( (elem = context.getElementById( m )) ) {
775 // Support: IE, Opera, Webkit
776 // TODO: identify versions
777 // getElementById can match elements by name instead of ID
778 if ( elem.id === m ) {
779 results.push( elem );
789 // Support: IE, Opera, Webkit
790 // TODO: identify versions
791 // getElementById can match elements by name instead of ID
792 if ( newContext && (elem = newContext.getElementById( m )) &&
793 contains( context, elem ) &&
796 results.push( elem );
802 } else if ( match[2] ) {
803 push.apply( results, context.getElementsByTagName( selector ) );
807 } else if ( (m = match[3]) && support.getElementsByClassName &&
808 context.getElementsByClassName ) {
810 push.apply( results, context.getElementsByClassName( m ) );
815 // Take advantage of querySelectorAll
817 !compilerCache[ selector + " " ] &&
818 (!rbuggyQSA || !rbuggyQSA.test( selector )) ) {
820 if ( nodeType !== 1 ) {
821 newContext = context;
822 newSelector = selector;
824 // qSA looks outside Element context, which is not what we want
825 // Thanks to Andrew Dupont for this workaround technique
827 // Exclude object elements
828 } else if ( context.nodeName.toLowerCase() !== "object" ) {
830 // Capture the context ID, setting it first if necessary
831 if ( (nid = context.getAttribute( "id" )) ) {
832 nid = nid.replace( rescape, "\\$&" );
834 context.setAttribute( "id", (nid = expando) );
837 // Prefix every selector in the list
838 groups = tokenize( selector );
840 nidselect = ridentifier.test( nid ) ? "#" + nid : "[id='" + nid + "']";
842 groups[i] = nidselect + " " + toSelector( groups[i] );
844 newSelector = groups.join( "," );
846 // Expand context for sibling selectors
847 newContext = rsibling.test( selector ) && testContext( context.parentNode ) ||
854 newContext.querySelectorAll( newSelector )
857 } catch ( qsaError ) {
859 if ( nid === expando ) {
860 context.removeAttribute( "id" );
869 return select( selector.replace( rtrim, "$1" ), context, results, seed );
873 * Create key-value caches of limited size
874 * @returns {function(string, object)} Returns the Object data after storing it on itself with
875 * property name the (space-suffixed) string and (if the cache is larger than Expr.cacheLength)
876 * deleting the oldest entry
878 function createCache() {
881 function cache( key, value ) {
882 // Use (key + " ") to avoid collision with native prototype properties (see Issue #157)
883 if ( keys.push( key + " " ) > Expr.cacheLength ) {
884 // Only keep the most recent entries
885 delete cache[ keys.shift() ];
887 return (cache[ key + " " ] = value);
893 * Mark a function for special use by Sizzle
894 * @param {Function} fn The function to mark
896 function markFunction( fn ) {
897 fn[ expando ] = true;
902 * Support testing using an element
903 * @param {Function} fn Passed the created div and expects a boolean result
905 function assert( fn ) {
906 var div = document.createElement("div");
913 // Remove from its parent by default
914 if ( div.parentNode ) {
915 div.parentNode.removeChild( div );
917 // release memory in IE
923 * Adds the same handler for all of the specified attrs
924 * @param {String} attrs Pipe-separated list of attributes
925 * @param {Function} handler The method that will be applied
927 function addHandle( attrs, handler ) {
928 var arr = attrs.split("|"),
932 Expr.attrHandle[ arr[i] ] = handler;
937 * Checks document order of two siblings
940 * @returns {Number} Returns less than 0 if a precedes b, greater than 0 if a follows b
942 function siblingCheck( a, b ) {
944 diff = cur && a.nodeType === 1 && b.nodeType === 1 &&
945 ( ~b.sourceIndex || MAX_NEGATIVE ) -
946 ( ~a.sourceIndex || MAX_NEGATIVE );
948 // Use IE sourceIndex if available on both nodes
953 // Check if b follows a
955 while ( (cur = cur.nextSibling) ) {
966 * Returns a function to use in pseudos for input types
967 * @param {String} type
969 function createInputPseudo( type ) {
970 return function( elem ) {
971 var name = elem.nodeName.toLowerCase();
972 return name === "input" && elem.type === type;
977 * Returns a function to use in pseudos for buttons
978 * @param {String} type
980 function createButtonPseudo( type ) {
981 return function( elem ) {
982 var name = elem.nodeName.toLowerCase();
983 return (name === "input" || name === "button") && elem.type === type;
988 * Returns a function to use in pseudos for positionals
989 * @param {Function} fn
991 function createPositionalPseudo( fn ) {
992 return markFunction(function( argument ) {
993 argument = +argument;
994 return markFunction(function( seed, matches ) {
996 matchIndexes = fn( [], seed.length, argument ),
997 i = matchIndexes.length;
999 // Match elements found at the specified indexes
1001 if ( seed[ (j = matchIndexes[i]) ] ) {
1002 seed[j] = !(matches[j] = seed[j]);
1010 * Checks a node for validity as a Sizzle context
1011 * @param {Element|Object=} context
1012 * @returns {Element|Object|Boolean} The input node if acceptable, otherwise a falsy value
1014 function testContext( context ) {
1015 return context && typeof context.getElementsByTagName !== "undefined" && context;
1018 // Expose support vars for convenience
1019 support = Sizzle.support = {};
1023 * @param {Element|Object} elem An element or a document
1024 * @returns {Boolean} True iff elem is a non-HTML XML node
1026 isXML = Sizzle.isXML = function( elem ) {
1027 // documentElement is verified for cases where it doesn't yet exist
1028 // (such as loading iframes in IE - #4833)
1029 var documentElement = elem && (elem.ownerDocument || elem).documentElement;
1030 return documentElement ? documentElement.nodeName !== "HTML" : false;
1034 * Sets document-related variables once based on the current document
1035 * @param {Element|Object} [doc] An element or document object to use to set the document
1036 * @returns {Object} Returns the current document
1038 setDocument = Sizzle.setDocument = function( node ) {
1039 var hasCompare, parent,
1040 doc = node ? node.ownerDocument || node : preferredDoc;
1042 // Return early if doc is invalid or already selected
1043 if ( doc === document || doc.nodeType !== 9 || !doc.documentElement ) {
1047 // Update global variables
1049 docElem = document.documentElement;
1050 documentIsHTML = !isXML( document );
1052 // Support: IE 9-11, Edge
1053 // Accessing iframe documents after unload throws "permission denied" errors (jQuery #13936)
1054 if ( (parent = document.defaultView) && parent.top !== parent ) {
1056 if ( parent.addEventListener ) {
1057 parent.addEventListener( "unload", unloadHandler, false );
1059 // Support: IE 9 - 10 only
1060 } else if ( parent.attachEvent ) {
1061 parent.attachEvent( "onunload", unloadHandler );
1066 ---------------------------------------------------------------------- */
1069 // Verify that getAttribute really returns attributes and not properties
1070 // (excepting IE8 booleans)
1071 support.attributes = assert(function( div ) {
1072 div.className = "i";
1073 return !div.getAttribute("className");
1077 ---------------------------------------------------------------------- */
1079 // Check if getElementsByTagName("*") returns only elements
1080 support.getElementsByTagName = assert(function( div ) {
1081 div.appendChild( document.createComment("") );
1082 return !div.getElementsByTagName("*").length;
1086 support.getElementsByClassName = rnative.test( document.getElementsByClassName );
1089 // Check if getElementById returns elements by name
1090 // The broken getElementById methods don't pick up programatically-set names,
1091 // so use a roundabout getElementsByName test
1092 support.getById = assert(function( div ) {
1093 docElem.appendChild( div ).id = expando;
1094 return !document.getElementsByName || !document.getElementsByName( expando ).length;
1097 // ID find and filter
1098 if ( support.getById ) {
1099 Expr.find["ID"] = function( id, context ) {
1100 if ( typeof context.getElementById !== "undefined" && documentIsHTML ) {
1101 var m = context.getElementById( id );
1102 return m ? [ m ] : [];
1105 Expr.filter["ID"] = function( id ) {
1106 var attrId = id.replace( runescape, funescape );
1107 return function( elem ) {
1108 return elem.getAttribute("id") === attrId;
1113 // getElementById is not reliable as a find shortcut
1114 delete Expr.find["ID"];
1116 Expr.filter["ID"] = function( id ) {
1117 var attrId = id.replace( runescape, funescape );
1118 return function( elem ) {
1119 var node = typeof elem.getAttributeNode !== "undefined" &&
1120 elem.getAttributeNode("id");
1121 return node && node.value === attrId;
1127 Expr.find["TAG"] = support.getElementsByTagName ?
1128 function( tag, context ) {
1129 if ( typeof context.getElementsByTagName !== "undefined" ) {
1130 return context.getElementsByTagName( tag );
1132 // DocumentFragment nodes don't have gEBTN
1133 } else if ( support.qsa ) {
1134 return context.querySelectorAll( tag );
1138 function( tag, context ) {
1142 // By happy coincidence, a (broken) gEBTN appears on DocumentFragment nodes too
1143 results = context.getElementsByTagName( tag );
1145 // Filter out possible comments
1146 if ( tag === "*" ) {
1147 while ( (elem = results[i++]) ) {
1148 if ( elem.nodeType === 1 ) {
1159 Expr.find["CLASS"] = support.getElementsByClassName && function( className, context ) {
1160 if ( typeof context.getElementsByClassName !== "undefined" && documentIsHTML ) {
1161 return context.getElementsByClassName( className );
1165 /* QSA/matchesSelector
1166 ---------------------------------------------------------------------- */
1168 // QSA and matchesSelector support
1170 // matchesSelector(:active) reports false when true (IE9/Opera 11.5)
1173 // qSa(:focus) reports false when true (Chrome 21)
1174 // We allow this because of a bug in IE8/9 that throws an error
1175 // whenever `document.activeElement` is accessed on an iframe
1176 // So, we allow :focus to pass through QSA all the time to avoid the IE error
1177 // See http://bugs.jquery.com/ticket/13378
1180 if ( (support.qsa = rnative.test( document.querySelectorAll )) ) {
1182 // Regex strategy adopted from Diego Perini
1183 assert(function( div ) {
1184 // Select is set to empty string on purpose
1185 // This is to test IE's treatment of not explicitly
1186 // setting a boolean content attribute,
1187 // since its presence should be enough
1188 // http://bugs.jquery.com/ticket/12359
1189 docElem.appendChild( div ).innerHTML = "<a id='" + expando + "'></a>" +
1190 "<select id='" + expando + "-\r\\' msallowcapture=''>" +
1191 "<option selected=''></option></select>";
1193 // Support: IE8, Opera 11-12.16
1194 // Nothing should be selected when empty strings follow ^= or $= or *=
1195 // The test attribute must be unknown in Opera but "safe" for WinRT
1196 // http://msdn.microsoft.com/en-us/library/ie/hh465388.aspx#attribute_section
1197 if ( div.querySelectorAll("[msallowcapture^='']").length ) {
1198 rbuggyQSA.push( "[*^$]=" + whitespace + "*(?:''|\"\")" );
1202 // Boolean attributes and "value" are not treated correctly
1203 if ( !div.querySelectorAll("[selected]").length ) {
1204 rbuggyQSA.push( "\\[" + whitespace + "*(?:value|" + booleans + ")" );
1207 // Support: Chrome<29, Android<4.4, Safari<7.0+, iOS<7.0+, PhantomJS<1.9.8+
1208 if ( !div.querySelectorAll( "[id~=" + expando + "-]" ).length ) {
1209 rbuggyQSA.push("~=");
1212 // Webkit/Opera - :checked should return selected option elements
1213 // http://www.w3.org/TR/2011/REC-css3-selectors-20110929/#checked
1214 // IE8 throws error here and will not see later tests
1215 if ( !div.querySelectorAll(":checked").length ) {
1216 rbuggyQSA.push(":checked");
1219 // Support: Safari 8+, iOS 8+
1220 // https://bugs.webkit.org/show_bug.cgi?id=136851
1221 // In-page `selector#id sibing-combinator selector` fails
1222 if ( !div.querySelectorAll( "a#" + expando + "+*" ).length ) {
1223 rbuggyQSA.push(".#.+[+~]");
1227 assert(function( div ) {
1228 // Support: Windows 8 Native Apps
1229 // The type and name attributes are restricted during .innerHTML assignment
1230 var input = document.createElement("input");
1231 input.setAttribute( "type", "hidden" );
1232 div.appendChild( input ).setAttribute( "name", "D" );
1235 // Enforce case-sensitivity of name attribute
1236 if ( div.querySelectorAll("[name=d]").length ) {
1237 rbuggyQSA.push( "name" + whitespace + "*[*^$|!~]?=" );
1240 // FF 3.5 - :enabled/:disabled and hidden elements (hidden elements are still enabled)
1241 // IE8 throws error here and will not see later tests
1242 if ( !div.querySelectorAll(":enabled").length ) {
1243 rbuggyQSA.push( ":enabled", ":disabled" );
1246 // Opera 10-11 does not throw on post-comma invalid pseudos
1247 div.querySelectorAll("*,:x");
1248 rbuggyQSA.push(",.*:");
1252 if ( (support.matchesSelector = rnative.test( (matches = docElem.matches ||
1253 docElem.webkitMatchesSelector ||
1254 docElem.mozMatchesSelector ||
1255 docElem.oMatchesSelector ||
1256 docElem.msMatchesSelector) )) ) {
1258 assert(function( div ) {
1259 // Check to see if it's possible to do matchesSelector
1260 // on a disconnected node (IE 9)
1261 support.disconnectedMatch = matches.call( div, "div" );
1263 // This should fail with an exception
1264 // Gecko does not error, returns false instead
1265 matches.call( div, "[s!='']:x" );
1266 rbuggyMatches.push( "!=", pseudos );
1270 rbuggyQSA = rbuggyQSA.length && new RegExp( rbuggyQSA.join("|") );
1271 rbuggyMatches = rbuggyMatches.length && new RegExp( rbuggyMatches.join("|") );
1274 ---------------------------------------------------------------------- */
1275 hasCompare = rnative.test( docElem.compareDocumentPosition );
1277 // Element contains another
1278 // Purposefully self-exclusive
1279 // As in, an element does not contain itself
1280 contains = hasCompare || rnative.test( docElem.contains ) ?
1282 var adown = a.nodeType === 9 ? a.documentElement : a,
1283 bup = b && b.parentNode;
1284 return a === bup || !!( bup && bup.nodeType === 1 && (
1286 adown.contains( bup ) :
1287 a.compareDocumentPosition && a.compareDocumentPosition( bup ) & 16
1292 while ( (b = b.parentNode) ) {
1302 ---------------------------------------------------------------------- */
1304 // Document order sorting
1305 sortOrder = hasCompare ?
1308 // Flag for duplicate removal
1310 hasDuplicate = true;
1314 // Sort on method existence if only one input has compareDocumentPosition
1315 var compare = !a.compareDocumentPosition - !b.compareDocumentPosition;
1320 // Calculate position if both inputs belong to the same document
1321 compare = ( a.ownerDocument || a ) === ( b.ownerDocument || b ) ?
1322 a.compareDocumentPosition( b ) :
1324 // Otherwise we know they are disconnected
1327 // Disconnected nodes
1329 (!support.sortDetached && b.compareDocumentPosition( a ) === compare) ) {
1331 // Choose the first element that is related to our preferred document
1332 if ( a === document || a.ownerDocument === preferredDoc && contains(preferredDoc, a) ) {
1335 if ( b === document || b.ownerDocument === preferredDoc && contains(preferredDoc, b) ) {
1339 // Maintain original order
1341 ( indexOf( sortInput, a ) - indexOf( sortInput, b ) ) :
1345 return compare & 4 ? -1 : 1;
1348 // Exit early if the nodes are identical
1350 hasDuplicate = true;
1361 // Parentless nodes are either documents or disconnected
1362 if ( !aup || !bup ) {
1363 return a === document ? -1 :
1364 b === document ? 1 :
1368 ( indexOf( sortInput, a ) - indexOf( sortInput, b ) ) :
1371 // If the nodes are siblings, we can do a quick check
1372 } else if ( aup === bup ) {
1373 return siblingCheck( a, b );
1376 // Otherwise we need full lists of their ancestors for comparison
1378 while ( (cur = cur.parentNode) ) {
1382 while ( (cur = cur.parentNode) ) {
1386 // Walk down the tree looking for a discrepancy
1387 while ( ap[i] === bp[i] ) {
1392 // Do a sibling check if the nodes have a common ancestor
1393 siblingCheck( ap[i], bp[i] ) :
1395 // Otherwise nodes in our document sort first
1396 ap[i] === preferredDoc ? -1 :
1397 bp[i] === preferredDoc ? 1 :
1404 Sizzle.matches = function( expr, elements ) {
1405 return Sizzle( expr, null, null, elements );
1408 Sizzle.matchesSelector = function( elem, expr ) {
1409 // Set document vars if needed
1410 if ( ( elem.ownerDocument || elem ) !== document ) {
1411 setDocument( elem );
1414 // Make sure that attribute selectors are quoted
1415 expr = expr.replace( rattributeQuotes, "='$1']" );
1417 if ( support.matchesSelector && documentIsHTML &&
1418 !compilerCache[ expr + " " ] &&
1419 ( !rbuggyMatches || !rbuggyMatches.test( expr ) ) &&
1420 ( !rbuggyQSA || !rbuggyQSA.test( expr ) ) ) {
1423 var ret = matches.call( elem, expr );
1425 // IE 9's matchesSelector returns false on disconnected nodes
1426 if ( ret || support.disconnectedMatch ||
1427 // As well, disconnected nodes are said to be in a document
1429 elem.document && elem.document.nodeType !== 11 ) {
1435 return Sizzle( expr, document, null, [ elem ] ).length > 0;
1438 Sizzle.contains = function( context, elem ) {
1439 // Set document vars if needed
1440 if ( ( context.ownerDocument || context ) !== document ) {
1441 setDocument( context );
1443 return contains( context, elem );
1446 Sizzle.attr = function( elem, name ) {
1447 // Set document vars if needed
1448 if ( ( elem.ownerDocument || elem ) !== document ) {
1449 setDocument( elem );
1452 var fn = Expr.attrHandle[ name.toLowerCase() ],
1453 // Don't get fooled by Object.prototype properties (jQuery #13807)
1454 val = fn && hasOwn.call( Expr.attrHandle, name.toLowerCase() ) ?
1455 fn( elem, name, !documentIsHTML ) :
1458 return val !== undefined ?
1460 support.attributes || !documentIsHTML ?
1461 elem.getAttribute( name ) :
1462 (val = elem.getAttributeNode(name)) && val.specified ?
1467 Sizzle.error = function( msg ) {
1468 throw new Error( "Syntax error, unrecognized expression: " + msg );
1472 * Document sorting and removing duplicates
1473 * @param {ArrayLike} results
1475 Sizzle.uniqueSort = function( results ) {
1481 // Unless we *know* we can detect duplicates, assume their presence
1482 hasDuplicate = !support.detectDuplicates;
1483 sortInput = !support.sortStable && results.slice( 0 );
1484 results.sort( sortOrder );
1486 if ( hasDuplicate ) {
1487 while ( (elem = results[i++]) ) {
1488 if ( elem === results[ i ] ) {
1489 j = duplicates.push( i );
1493 results.splice( duplicates[ j ], 1 );
1497 // Clear input after sorting to release objects
1498 // See https://github.com/jquery/sizzle/pull/225
1505 * Utility function for retrieving the text value of an array of DOM nodes
1506 * @param {Array|Element} elem
1508 getText = Sizzle.getText = function( elem ) {
1512 nodeType = elem.nodeType;
1515 // If no nodeType, this is expected to be an array
1516 while ( (node = elem[i++]) ) {
1517 // Do not traverse comment nodes
1518 ret += getText( node );
1520 } else if ( nodeType === 1 || nodeType === 9 || nodeType === 11 ) {
1521 // Use textContent for elements
1522 // innerText usage removed for consistency of new lines (jQuery #11153)
1523 if ( typeof elem.textContent === "string" ) {
1524 return elem.textContent;
1526 // Traverse its children
1527 for ( elem = elem.firstChild; elem; elem = elem.nextSibling ) {
1528 ret += getText( elem );
1531 } else if ( nodeType === 3 || nodeType === 4 ) {
1532 return elem.nodeValue;
1534 // Do not include comment or processing instruction nodes
1539 Expr = Sizzle.selectors = {
1541 // Can be adjusted by the user
1544 createPseudo: markFunction,
1553 ">": { dir: "parentNode", first: true },
1554 " ": { dir: "parentNode" },
1555 "+": { dir: "previousSibling", first: true },
1556 "~": { dir: "previousSibling" }
1560 "ATTR": function( match ) {
1561 match[1] = match[1].replace( runescape, funescape );
1563 // Move the given value to match[3] whether quoted or unquoted
1564 match[3] = ( match[3] || match[4] || match[5] || "" ).replace( runescape, funescape );
1566 if ( match[2] === "~=" ) {
1567 match[3] = " " + match[3] + " ";
1570 return match.slice( 0, 4 );
1573 "CHILD": function( match ) {
1574 /* matches from matchExpr["CHILD"]
1575 1 type (only|nth|...)
1576 2 what (child|of-type)
1577 3 argument (even|odd|\d*|\d*n([+-]\d+)?|...)
1578 4 xn-component of xn+y argument ([+-]?\d*n|)
1579 5 sign of xn-component
1581 7 sign of y-component
1584 match[1] = match[1].toLowerCase();
1586 if ( match[1].slice( 0, 3 ) === "nth" ) {
1587 // nth-* requires argument
1589 Sizzle.error( match[0] );
1592 // numeric x and y parameters for Expr.filter.CHILD
1593 // remember that false/true cast respectively to 0/1
1594 match[4] = +( match[4] ? match[5] + (match[6] || 1) : 2 * ( match[3] === "even" || match[3] === "odd" ) );
1595 match[5] = +( ( match[7] + match[8] ) || match[3] === "odd" );
1597 // other types prohibit arguments
1598 } else if ( match[3] ) {
1599 Sizzle.error( match[0] );
1605 "PSEUDO": function( match ) {
1607 unquoted = !match[6] && match[2];
1609 if ( matchExpr["CHILD"].test( match[0] ) ) {
1613 // Accept quoted arguments as-is
1615 match[2] = match[4] || match[5] || "";
1617 // Strip excess characters from unquoted arguments
1618 } else if ( unquoted && rpseudo.test( unquoted ) &&
1619 // Get excess from tokenize (recursively)
1620 (excess = tokenize( unquoted, true )) &&
1621 // advance to the next closing parenthesis
1622 (excess = unquoted.indexOf( ")", unquoted.length - excess ) - unquoted.length) ) {
1624 // excess is a negative index
1625 match[0] = match[0].slice( 0, excess );
1626 match[2] = unquoted.slice( 0, excess );
1629 // Return only captures needed by the pseudo filter method (type and argument)
1630 return match.slice( 0, 3 );
1636 "TAG": function( nodeNameSelector ) {
1637 var nodeName = nodeNameSelector.replace( runescape, funescape ).toLowerCase();
1638 return nodeNameSelector === "*" ?
1639 function() { return true; } :
1641 return elem.nodeName && elem.nodeName.toLowerCase() === nodeName;
1645 "CLASS": function( className ) {
1646 var pattern = classCache[ className + " " ];
1649 (pattern = new RegExp( "(^|" + whitespace + ")" + className + "(" + whitespace + "|$)" )) &&
1650 classCache( className, function( elem ) {
1651 return pattern.test( typeof elem.className === "string" && elem.className || typeof elem.getAttribute !== "undefined" && elem.getAttribute("class") || "" );
1655 "ATTR": function( name, operator, check ) {
1656 return function( elem ) {
1657 var result = Sizzle.attr( elem, name );
1659 if ( result == null ) {
1660 return operator === "!=";
1668 return operator === "=" ? result === check :
1669 operator === "!=" ? result !== check :
1670 operator === "^=" ? check && result.indexOf( check ) === 0 :
1671 operator === "*=" ? check && result.indexOf( check ) > -1 :
1672 operator === "$=" ? check && result.slice( -check.length ) === check :
1673 operator === "~=" ? ( " " + result.replace( rwhitespace, " " ) + " " ).indexOf( check ) > -1 :
1674 operator === "|=" ? result === check || result.slice( 0, check.length + 1 ) === check + "-" :
1679 "CHILD": function( type, what, argument, first, last ) {
1680 var simple = type.slice( 0, 3 ) !== "nth",
1681 forward = type.slice( -4 ) !== "last",
1682 ofType = what === "of-type";
1684 return first === 1 && last === 0 ?
1686 // Shortcut for :nth-*(n)
1688 return !!elem.parentNode;
1691 function( elem, context, xml ) {
1692 var cache, uniqueCache, outerCache, node, nodeIndex, start,
1693 dir = simple !== forward ? "nextSibling" : "previousSibling",
1694 parent = elem.parentNode,
1695 name = ofType && elem.nodeName.toLowerCase(),
1696 useCache = !xml && !ofType,
1701 // :(first|last|only)-(child|of-type)
1705 while ( (node = node[ dir ]) ) {
1707 node.nodeName.toLowerCase() === name :
1708 node.nodeType === 1 ) {
1713 // Reverse direction for :only-* (if we haven't yet done so)
1714 start = dir = type === "only" && !start && "nextSibling";
1719 start = [ forward ? parent.firstChild : parent.lastChild ];
1721 // non-xml :nth-child(...) stores cache data on `parent`
1722 if ( forward && useCache ) {
1724 // Seek `elem` from a previously-cached index
1726 // ...in a gzip-friendly way
1728 outerCache = node[ expando ] || (node[ expando ] = {});
1730 // Support: IE <9 only
1731 // Defend against cloned attroperties (jQuery gh-1709)
1732 uniqueCache = outerCache[ node.uniqueID ] ||
1733 (outerCache[ node.uniqueID ] = {});
1735 cache = uniqueCache[ type ] || [];
1736 nodeIndex = cache[ 0 ] === dirruns && cache[ 1 ];
1737 diff = nodeIndex && cache[ 2 ];
1738 node = nodeIndex && parent.childNodes[ nodeIndex ];
1740 while ( (node = ++nodeIndex && node && node[ dir ] ||
1742 // Fallback to seeking `elem` from the start
1743 (diff = nodeIndex = 0) || start.pop()) ) {
1745 // When found, cache indexes on `parent` and break
1746 if ( node.nodeType === 1 && ++diff && node === elem ) {
1747 uniqueCache[ type ] = [ dirruns, nodeIndex, diff ];
1753 // Use previously-cached element index if available
1755 // ...in a gzip-friendly way
1757 outerCache = node[ expando ] || (node[ expando ] = {});
1759 // Support: IE <9 only
1760 // Defend against cloned attroperties (jQuery gh-1709)
1761 uniqueCache = outerCache[ node.uniqueID ] ||
1762 (outerCache[ node.uniqueID ] = {});
1764 cache = uniqueCache[ type ] || [];
1765 nodeIndex = cache[ 0 ] === dirruns && cache[ 1 ];
1769 // xml :nth-child(...)
1770 // or :nth-last-child(...) or :nth(-last)?-of-type(...)
1771 if ( diff === false ) {
1772 // Use the same loop as above to seek `elem` from the start
1773 while ( (node = ++nodeIndex && node && node[ dir ] ||
1774 (diff = nodeIndex = 0) || start.pop()) ) {
1777 node.nodeName.toLowerCase() === name :
1778 node.nodeType === 1 ) &&
1781 // Cache the index of each encountered element
1783 outerCache = node[ expando ] || (node[ expando ] = {});
1785 // Support: IE <9 only
1786 // Defend against cloned attroperties (jQuery gh-1709)
1787 uniqueCache = outerCache[ node.uniqueID ] ||
1788 (outerCache[ node.uniqueID ] = {});
1790 uniqueCache[ type ] = [ dirruns, diff ];
1793 if ( node === elem ) {
1801 // Incorporate the offset, then check against cycle size
1803 return diff === first || ( diff % first === 0 && diff / first >= 0 );
1808 "PSEUDO": function( pseudo, argument ) {
1809 // pseudo-class names are case-insensitive
1810 // http://www.w3.org/TR/selectors/#pseudo-classes
1811 // Prioritize by case sensitivity in case custom pseudos are added with uppercase letters
1812 // Remember that setFilters inherits from pseudos
1814 fn = Expr.pseudos[ pseudo ] || Expr.setFilters[ pseudo.toLowerCase() ] ||
1815 Sizzle.error( "unsupported pseudo: " + pseudo );
1817 // The user may use createPseudo to indicate that
1818 // arguments are needed to create the filter function
1819 // just as Sizzle does
1820 if ( fn[ expando ] ) {
1821 return fn( argument );
1824 // But maintain support for old signatures
1825 if ( fn.length > 1 ) {
1826 args = [ pseudo, pseudo, "", argument ];
1827 return Expr.setFilters.hasOwnProperty( pseudo.toLowerCase() ) ?
1828 markFunction(function( seed, matches ) {
1830 matched = fn( seed, argument ),
1833 idx = indexOf( seed, matched[i] );
1834 seed[ idx ] = !( matches[ idx ] = matched[i] );
1838 return fn( elem, 0, args );
1847 // Potentially complex pseudos
1848 "not": markFunction(function( selector ) {
1849 // Trim the selector passed to compile
1850 // to avoid treating leading and trailing
1851 // spaces as combinators
1854 matcher = compile( selector.replace( rtrim, "$1" ) );
1856 return matcher[ expando ] ?
1857 markFunction(function( seed, matches, context, xml ) {
1859 unmatched = matcher( seed, null, xml, [] ),
1862 // Match elements unmatched by `matcher`
1864 if ( (elem = unmatched[i]) ) {
1865 seed[i] = !(matches[i] = elem);
1869 function( elem, context, xml ) {
1871 matcher( input, null, xml, results );
1872 // Don't keep the element (issue #299)
1874 return !results.pop();
1878 "has": markFunction(function( selector ) {
1879 return function( elem ) {
1880 return Sizzle( selector, elem ).length > 0;
1884 "contains": markFunction(function( text ) {
1885 text = text.replace( runescape, funescape );
1886 return function( elem ) {
1887 return ( elem.textContent || elem.innerText || getText( elem ) ).indexOf( text ) > -1;
1891 // "Whether an element is represented by a :lang() selector
1892 // is based solely on the element's language value
1893 // being equal to the identifier C,
1894 // or beginning with the identifier C immediately followed by "-".
1895 // The matching of C against the element's language value is performed case-insensitively.
1896 // The identifier C does not have to be a valid language name."
1897 // http://www.w3.org/TR/selectors/#lang-pseudo
1898 "lang": markFunction( function( lang ) {
1899 // lang value must be a valid identifier
1900 if ( !ridentifier.test(lang || "") ) {
1901 Sizzle.error( "unsupported lang: " + lang );
1903 lang = lang.replace( runescape, funescape ).toLowerCase();
1904 return function( elem ) {
1907 if ( (elemLang = documentIsHTML ?
1909 elem.getAttribute("xml:lang") || elem.getAttribute("lang")) ) {
1911 elemLang = elemLang.toLowerCase();
1912 return elemLang === lang || elemLang.indexOf( lang + "-" ) === 0;
1914 } while ( (elem = elem.parentNode) && elem.nodeType === 1 );
1920 "target": function( elem ) {
1921 var hash = window.location && window.location.hash;
1922 return hash && hash.slice( 1 ) === elem.id;
1925 "root": function( elem ) {
1926 return elem === docElem;
1929 "focus": function( elem ) {
1930 return elem === document.activeElement && (!document.hasFocus || document.hasFocus()) && !!(elem.type || elem.href || ~elem.tabIndex);
1933 // Boolean properties
1934 "enabled": function( elem ) {
1935 return elem.disabled === false;
1938 "disabled": function( elem ) {
1939 return elem.disabled === true;
1942 "checked": function( elem ) {
1943 // In CSS3, :checked should return both checked and selected elements
1944 // http://www.w3.org/TR/2011/REC-css3-selectors-20110929/#checked
1945 var nodeName = elem.nodeName.toLowerCase();
1946 return (nodeName === "input" && !!elem.checked) || (nodeName === "option" && !!elem.selected);
1949 "selected": function( elem ) {
1950 // Accessing this property makes selected-by-default
1951 // options in Safari work properly
1952 if ( elem.parentNode ) {
1953 elem.parentNode.selectedIndex;
1956 return elem.selected === true;
1960 "empty": function( elem ) {
1961 // http://www.w3.org/TR/selectors/#empty-pseudo
1962 // :empty is negated by element (1) or content nodes (text: 3; cdata: 4; entity ref: 5),
1963 // but not by others (comment: 8; processing instruction: 7; etc.)
1964 // nodeType < 6 works because attributes (2) do not appear as children
1965 for ( elem = elem.firstChild; elem; elem = elem.nextSibling ) {
1966 if ( elem.nodeType < 6 ) {
1973 "parent": function( elem ) {
1974 return !Expr.pseudos["empty"]( elem );
1977 // Element/input types
1978 "header": function( elem ) {
1979 return rheader.test( elem.nodeName );
1982 "input": function( elem ) {
1983 return rinputs.test( elem.nodeName );
1986 "button": function( elem ) {
1987 var name = elem.nodeName.toLowerCase();
1988 return name === "input" && elem.type === "button" || name === "button";
1991 "text": function( elem ) {
1993 return elem.nodeName.toLowerCase() === "input" &&
1994 elem.type === "text" &&
1997 // New HTML5 attribute values (e.g., "search") appear with elem.type === "text"
1998 ( (attr = elem.getAttribute("type")) == null || attr.toLowerCase() === "text" );
2001 // Position-in-collection
2002 "first": createPositionalPseudo(function() {
2006 "last": createPositionalPseudo(function( matchIndexes, length ) {
2007 return [ length - 1 ];
2010 "eq": createPositionalPseudo(function( matchIndexes, length, argument ) {
2011 return [ argument < 0 ? argument + length : argument ];
2014 "even": createPositionalPseudo(function( matchIndexes, length ) {
2016 for ( ; i < length; i += 2 ) {
2017 matchIndexes.push( i );
2019 return matchIndexes;
2022 "odd": createPositionalPseudo(function( matchIndexes, length ) {
2024 for ( ; i < length; i += 2 ) {
2025 matchIndexes.push( i );
2027 return matchIndexes;
2030 "lt": createPositionalPseudo(function( matchIndexes, length, argument ) {
2031 var i = argument < 0 ? argument + length : argument;
2032 for ( ; --i >= 0; ) {
2033 matchIndexes.push( i );
2035 return matchIndexes;
2038 "gt": createPositionalPseudo(function( matchIndexes, length, argument ) {
2039 var i = argument < 0 ? argument + length : argument;
2040 for ( ; ++i < length; ) {
2041 matchIndexes.push( i );
2043 return matchIndexes;
2048 Expr.pseudos["nth"] = Expr.pseudos["eq"];
2050 // Add button/input type pseudos
2051 for ( i in { radio: true, checkbox: true, file: true, password: true, image: true } ) {
2052 Expr.pseudos[ i ] = createInputPseudo( i );
2054 for ( i in { submit: true, reset: true } ) {
2055 Expr.pseudos[ i ] = createButtonPseudo( i );
2058 // Easy API for creating new setFilters
2059 function setFilters() {}
2060 setFilters.prototype = Expr.filters = Expr.pseudos;
2061 Expr.setFilters = new setFilters();
2063 tokenize = Sizzle.tokenize = function( selector, parseOnly ) {
2064 var matched, match, tokens, type,
2065 soFar, groups, preFilters,
2066 cached = tokenCache[ selector + " " ];
2069 return parseOnly ? 0 : cached.slice( 0 );
2074 preFilters = Expr.preFilter;
2078 // Comma and first run
2079 if ( !matched || (match = rcomma.exec( soFar )) ) {
2081 // Don't consume trailing commas as valid
2082 soFar = soFar.slice( match[0].length ) || soFar;
2084 groups.push( (tokens = []) );
2090 if ( (match = rcombinators.exec( soFar )) ) {
2091 matched = match.shift();
2094 // Cast descendant combinators to space
2095 type: match[0].replace( rtrim, " " )
2097 soFar = soFar.slice( matched.length );
2101 for ( type in Expr.filter ) {
2102 if ( (match = matchExpr[ type ].exec( soFar )) && (!preFilters[ type ] ||
2103 (match = preFilters[ type ]( match ))) ) {
2104 matched = match.shift();
2110 soFar = soFar.slice( matched.length );
2119 // Return the length of the invalid excess
2120 // if we're just parsing
2121 // Otherwise, throw an error or return tokens
2125 Sizzle.error( selector ) :
2127 tokenCache( selector, groups ).slice( 0 );
2130 function toSelector( tokens ) {
2132 len = tokens.length,
2134 for ( ; i < len; i++ ) {
2135 selector += tokens[i].value;
2140 function addCombinator( matcher, combinator, base ) {
2141 var dir = combinator.dir,
2142 checkNonElements = base && dir === "parentNode",
2145 return combinator.first ?
2146 // Check against closest ancestor/preceding element
2147 function( elem, context, xml ) {
2148 while ( (elem = elem[ dir ]) ) {
2149 if ( elem.nodeType === 1 || checkNonElements ) {
2150 return matcher( elem, context, xml );
2155 // Check against all ancestor/preceding elements
2156 function( elem, context, xml ) {
2157 var oldCache, uniqueCache, outerCache,
2158 newCache = [ dirruns, doneName ];
2160 // We can't set arbitrary data on XML nodes, so they don't benefit from combinator caching
2162 while ( (elem = elem[ dir ]) ) {
2163 if ( elem.nodeType === 1 || checkNonElements ) {
2164 if ( matcher( elem, context, xml ) ) {
2170 while ( (elem = elem[ dir ]) ) {
2171 if ( elem.nodeType === 1 || checkNonElements ) {
2172 outerCache = elem[ expando ] || (elem[ expando ] = {});
2174 // Support: IE <9 only
2175 // Defend against cloned attroperties (jQuery gh-1709)
2176 uniqueCache = outerCache[ elem.uniqueID ] || (outerCache[ elem.uniqueID ] = {});
2178 if ( (oldCache = uniqueCache[ dir ]) &&
2179 oldCache[ 0 ] === dirruns && oldCache[ 1 ] === doneName ) {
2181 // Assign to newCache so results back-propagate to previous elements
2182 return (newCache[ 2 ] = oldCache[ 2 ]);
2184 // Reuse newcache so results back-propagate to previous elements
2185 uniqueCache[ dir ] = newCache;
2187 // A match means we're done; a fail means we have to keep checking
2188 if ( (newCache[ 2 ] = matcher( elem, context, xml )) ) {
2198 function elementMatcher( matchers ) {
2199 return matchers.length > 1 ?
2200 function( elem, context, xml ) {
2201 var i = matchers.length;
2203 if ( !matchers[i]( elem, context, xml ) ) {
2212 function multipleContexts( selector, contexts, results ) {
2214 len = contexts.length;
2215 for ( ; i < len; i++ ) {
2216 Sizzle( selector, contexts[i], results );
2221 function condense( unmatched, map, filter, context, xml ) {
2225 len = unmatched.length,
2226 mapped = map != null;
2228 for ( ; i < len; i++ ) {
2229 if ( (elem = unmatched[i]) ) {
2230 if ( !filter || filter( elem, context, xml ) ) {
2231 newUnmatched.push( elem );
2239 return newUnmatched;
2242 function setMatcher( preFilter, selector, matcher, postFilter, postFinder, postSelector ) {
2243 if ( postFilter && !postFilter[ expando ] ) {
2244 postFilter = setMatcher( postFilter );
2246 if ( postFinder && !postFinder[ expando ] ) {
2247 postFinder = setMatcher( postFinder, postSelector );
2249 return markFunction(function( seed, results, context, xml ) {
2253 preexisting = results.length,
2255 // Get initial elements from seed or context
2256 elems = seed || multipleContexts( selector || "*", context.nodeType ? [ context ] : context, [] ),
2258 // Prefilter to get matcher input, preserving a map for seed-results synchronization
2259 matcherIn = preFilter && ( seed || !selector ) ?
2260 condense( elems, preMap, preFilter, context, xml ) :
2263 matcherOut = matcher ?
2264 // If we have a postFinder, or filtered seed, or non-seed postFilter or preexisting results,
2265 postFinder || ( seed ? preFilter : preexisting || postFilter ) ?
2267 // ...intermediate processing is necessary
2270 // ...otherwise use results directly
2274 // Find primary matches
2276 matcher( matcherIn, matcherOut, context, xml );
2281 temp = condense( matcherOut, postMap );
2282 postFilter( temp, [], context, xml );
2284 // Un-match failing elements by moving them back to matcherIn
2287 if ( (elem = temp[i]) ) {
2288 matcherOut[ postMap[i] ] = !(matcherIn[ postMap[i] ] = elem);
2294 if ( postFinder || preFilter ) {
2296 // Get the final matcherOut by condensing this intermediate into postFinder contexts
2298 i = matcherOut.length;
2300 if ( (elem = matcherOut[i]) ) {
2301 // Restore matcherIn since elem is not yet a final match
2302 temp.push( (matcherIn[i] = elem) );
2305 postFinder( null, (matcherOut = []), temp, xml );
2308 // Move matched elements from seed to results to keep them synchronized
2309 i = matcherOut.length;
2311 if ( (elem = matcherOut[i]) &&
2312 (temp = postFinder ? indexOf( seed, elem ) : preMap[i]) > -1 ) {
2314 seed[temp] = !(results[temp] = elem);
2319 // Add elements to results, through postFinder if defined
2321 matcherOut = condense(
2322 matcherOut === results ?
2323 matcherOut.splice( preexisting, matcherOut.length ) :
2327 postFinder( null, results, matcherOut, xml );
2329 push.apply( results, matcherOut );
2335 function matcherFromTokens( tokens ) {
2336 var checkContext, matcher, j,
2337 len = tokens.length,
2338 leadingRelative = Expr.relative[ tokens[0].type ],
2339 implicitRelative = leadingRelative || Expr.relative[" "],
2340 i = leadingRelative ? 1 : 0,
2342 // The foundational matcher ensures that elements are reachable from top-level context(s)
2343 matchContext = addCombinator( function( elem ) {
2344 return elem === checkContext;
2345 }, implicitRelative, true ),
2346 matchAnyContext = addCombinator( function( elem ) {
2347 return indexOf( checkContext, elem ) > -1;
2348 }, implicitRelative, true ),
2349 matchers = [ function( elem, context, xml ) {
2350 var ret = ( !leadingRelative && ( xml || context !== outermostContext ) ) || (
2351 (checkContext = context).nodeType ?
2352 matchContext( elem, context, xml ) :
2353 matchAnyContext( elem, context, xml ) );
2354 // Avoid hanging onto element (issue #299)
2355 checkContext = null;
2359 for ( ; i < len; i++ ) {
2360 if ( (matcher = Expr.relative[ tokens[i].type ]) ) {
2361 matchers = [ addCombinator(elementMatcher( matchers ), matcher) ];
2363 matcher = Expr.filter[ tokens[i].type ].apply( null, tokens[i].matches );
2365 // Return special upon seeing a positional matcher
2366 if ( matcher[ expando ] ) {
2367 // Find the next relative operator (if any) for proper handling
2369 for ( ; j < len; j++ ) {
2370 if ( Expr.relative[ tokens[j].type ] ) {
2375 i > 1 && elementMatcher( matchers ),
2376 i > 1 && toSelector(
2377 // If the preceding token was a descendant combinator, insert an implicit any-element `*`
2378 tokens.slice( 0, i - 1 ).concat({ value: tokens[ i - 2 ].type === " " ? "*" : "" })
2379 ).replace( rtrim, "$1" ),
2381 i < j && matcherFromTokens( tokens.slice( i, j ) ),
2382 j < len && matcherFromTokens( (tokens = tokens.slice( j )) ),
2383 j < len && toSelector( tokens )
2386 matchers.push( matcher );
2390 return elementMatcher( matchers );
2393 function matcherFromGroupMatchers( elementMatchers, setMatchers ) {
2394 var bySet = setMatchers.length > 0,
2395 byElement = elementMatchers.length > 0,
2396 superMatcher = function( seed, context, xml, results, outermost ) {
2397 var elem, j, matcher,
2400 unmatched = seed && [],
2402 contextBackup = outermostContext,
2403 // We must always have either seed elements or outermost context
2404 elems = seed || byElement && Expr.find["TAG"]( "*", outermost ),
2405 // Use integer dirruns iff this is the outermost matcher
2406 dirrunsUnique = (dirruns += contextBackup == null ? 1 : Math.random() || 0.1),
2410 outermostContext = context === document || context || outermost;
2413 // Add elements passing elementMatchers directly to results
2414 // Support: IE<9, Safari
2415 // Tolerate NodeList properties (IE: "length"; Safari: <number>) matching elements by id
2416 for ( ; i !== len && (elem = elems[i]) != null; i++ ) {
2417 if ( byElement && elem ) {
2419 if ( !context && elem.ownerDocument !== document ) {
2420 setDocument( elem );
2421 xml = !documentIsHTML;
2423 while ( (matcher = elementMatchers[j++]) ) {
2424 if ( matcher( elem, context || document, xml) ) {
2425 results.push( elem );
2430 dirruns = dirrunsUnique;
2434 // Track unmatched elements for set filters
2436 // They will have gone through all possible matchers
2437 if ( (elem = !matcher && elem) ) {
2441 // Lengthen the array for every element, matched or not
2443 unmatched.push( elem );
2448 // `i` is now the count of elements visited above, and adding it to `matchedCount`
2449 // makes the latter nonnegative.
2452 // Apply set filters to unmatched elements
2453 // NOTE: This can be skipped if there are no unmatched elements (i.e., `matchedCount`
2454 // equals `i`), unless we didn't visit _any_ elements in the above loop because we have
2455 // no element matchers and no seed.
2456 // Incrementing an initially-string "0" `i` allows `i` to remain a string only in that
2457 // case, which will result in a "00" `matchedCount` that differs from `i` but is also
2458 // numerically zero.
2459 if ( bySet && i !== matchedCount ) {
2461 while ( (matcher = setMatchers[j++]) ) {
2462 matcher( unmatched, setMatched, context, xml );
2466 // Reintegrate element matches to eliminate the need for sorting
2467 if ( matchedCount > 0 ) {
2469 if ( !(unmatched[i] || setMatched[i]) ) {
2470 setMatched[i] = pop.call( results );
2475 // Discard index placeholder values to get only actual matches
2476 setMatched = condense( setMatched );
2479 // Add matches to results
2480 push.apply( results, setMatched );
2482 // Seedless set matches succeeding multiple successful matchers stipulate sorting
2483 if ( outermost && !seed && setMatched.length > 0 &&
2484 ( matchedCount + setMatchers.length ) > 1 ) {
2486 Sizzle.uniqueSort( results );
2490 // Override manipulation of globals by nested matchers
2492 dirruns = dirrunsUnique;
2493 outermostContext = contextBackup;
2500 markFunction( superMatcher ) :
2504 compile = Sizzle.compile = function( selector, match /* Internal Use Only */ ) {
2507 elementMatchers = [],
2508 cached = compilerCache[ selector + " " ];
2511 // Generate a function of recursive functions that can be used to check each element
2513 match = tokenize( selector );
2517 cached = matcherFromTokens( match[i] );
2518 if ( cached[ expando ] ) {
2519 setMatchers.push( cached );
2521 elementMatchers.push( cached );
2525 // Cache the compiled function
2526 cached = compilerCache( selector, matcherFromGroupMatchers( elementMatchers, setMatchers ) );
2528 // Save selector and tokenization
2529 cached.selector = selector;
2535 * A low-level selection function that works with Sizzle's compiled
2536 * selector functions
2537 * @param {String|Function} selector A selector or a pre-compiled
2538 * selector function built with Sizzle.compile
2539 * @param {Element} context
2540 * @param {Array} [results]
2541 * @param {Array} [seed] A set of elements to match against
2543 select = Sizzle.select = function( selector, context, results, seed ) {
2544 var i, tokens, token, type, find,
2545 compiled = typeof selector === "function" && selector,
2546 match = !seed && tokenize( (selector = compiled.selector || selector) );
2548 results = results || [];
2550 // Try to minimize operations if there is only one selector in the list and no seed
2551 // (the latter of which guarantees us context)
2552 if ( match.length === 1 ) {
2554 // Reduce context if the leading compound selector is an ID
2555 tokens = match[0] = match[0].slice( 0 );
2556 if ( tokens.length > 2 && (token = tokens[0]).type === "ID" &&
2557 support.getById && context.nodeType === 9 && documentIsHTML &&
2558 Expr.relative[ tokens[1].type ] ) {
2560 context = ( Expr.find["ID"]( token.matches[0].replace(runescape, funescape), context ) || [] )[0];
2564 // Precompiled matchers will still verify ancestry, so step up a level
2565 } else if ( compiled ) {
2566 context = context.parentNode;
2569 selector = selector.slice( tokens.shift().value.length );
2572 // Fetch a seed set for right-to-left matching
2573 i = matchExpr["needsContext"].test( selector ) ? 0 : tokens.length;
2577 // Abort if we hit a combinator
2578 if ( Expr.relative[ (type = token.type) ] ) {
2581 if ( (find = Expr.find[ type ]) ) {
2582 // Search, expanding context for leading sibling combinators
2584 token.matches[0].replace( runescape, funescape ),
2585 rsibling.test( tokens[0].type ) && testContext( context.parentNode ) || context
2588 // If seed is empty or no tokens remain, we can return early
2589 tokens.splice( i, 1 );
2590 selector = seed.length && toSelector( tokens );
2592 push.apply( results, seed );
2602 // Compile and execute a filtering function if one is not provided
2603 // Provide `match` to avoid retokenization if we modified the selector above
2604 ( compiled || compile( selector, match ) )(
2609 !context || rsibling.test( selector ) && testContext( context.parentNode ) || context
2614 // One-time assignments
2617 support.sortStable = expando.split("").sort( sortOrder ).join("") === expando;
2619 // Support: Chrome 14-35+
2620 // Always assume duplicates if they aren't passed to the comparison function
2621 support.detectDuplicates = !!hasDuplicate;
2623 // Initialize against the default document
2626 // Support: Webkit<537.32 - Safari 6.0.3/Chrome 25 (fixed in Chrome 27)
2627 // Detached nodes confoundingly follow *each other*
2628 support.sortDetached = assert(function( div1 ) {
2629 // Should return 1, but returns 4 (following)
2630 return div1.compareDocumentPosition( document.createElement("div") ) & 1;
2634 // Prevent attribute/property "interpolation"
2635 // http://msdn.microsoft.com/en-us/library/ms536429%28VS.85%29.aspx
2636 if ( !assert(function( div ) {
2637 div.innerHTML = "<a href='#'></a>";
2638 return div.firstChild.getAttribute("href") === "#" ;
2640 addHandle( "type|href|height|width", function( elem, name, isXML ) {
2642 return elem.getAttribute( name, name.toLowerCase() === "type" ? 1 : 2 );
2648 // Use defaultValue in place of getAttribute("value")
2649 if ( !support.attributes || !assert(function( div ) {
2650 div.innerHTML = "<input/>";
2651 div.firstChild.setAttribute( "value", "" );
2652 return div.firstChild.getAttribute( "value" ) === "";
2654 addHandle( "value", function( elem, name, isXML ) {
2655 if ( !isXML && elem.nodeName.toLowerCase() === "input" ) {
2656 return elem.defaultValue;
2662 // Use getAttributeNode to fetch booleans when getAttribute lies
2663 if ( !assert(function( div ) {
2664 return div.getAttribute("disabled") == null;
2666 addHandle( booleans, function( elem, name, isXML ) {
2669 return elem[ name ] === true ? name.toLowerCase() :
2670 (val = elem.getAttributeNode( name )) && val.specified ?
2683 jQuery.find = Sizzle;
2684 jQuery.expr = Sizzle.selectors;
2685 jQuery.expr[ ":" ] = jQuery.expr.pseudos;
2686 jQuery.uniqueSort = jQuery.unique = Sizzle.uniqueSort;
2687 jQuery.text = Sizzle.getText;
2688 jQuery.isXMLDoc = Sizzle.isXML;
2689 jQuery.contains = Sizzle.contains;
2693 var dir = function( elem, dir, until ) {
2695 truncate = until !== undefined;
2697 while ( ( elem = elem[ dir ] ) && elem.nodeType !== 9 ) {
2698 if ( elem.nodeType === 1 ) {
2699 if ( truncate && jQuery( elem ).is( until ) ) {
2702 matched.push( elem );
2709 var siblings = function( n, elem ) {
2712 for ( ; n; n = n.nextSibling ) {
2713 if ( n.nodeType === 1 && n !== elem ) {
2722 var rneedsContext = jQuery.expr.match.needsContext;
2724 var rsingleTag = ( /^<([\w-]+)\s*\/?>(?:<\/\1>|)$/ );
2728 var risSimple = /^.[^:#\[\.,]*$/;
2730 // Implement the identical functionality for filter and not
2731 function winnow( elements, qualifier, not ) {
2732 if ( jQuery.isFunction( qualifier ) ) {
2733 return jQuery.grep( elements, function( elem, i ) {
2735 return !!qualifier.call( elem, i, elem ) !== not;
2740 if ( qualifier.nodeType ) {
2741 return jQuery.grep( elements, function( elem ) {
2742 return ( elem === qualifier ) !== not;
2747 if ( typeof qualifier === "string" ) {
2748 if ( risSimple.test( qualifier ) ) {
2749 return jQuery.filter( qualifier, elements, not );
2752 qualifier = jQuery.filter( qualifier, elements );
2755 return jQuery.grep( elements, function( elem ) {
2756 return ( indexOf.call( qualifier, elem ) > -1 ) !== not;
2760 jQuery.filter = function( expr, elems, not ) {
2761 var elem = elems[ 0 ];
2764 expr = ":not(" + expr + ")";
2767 return elems.length === 1 && elem.nodeType === 1 ?
2768 jQuery.find.matchesSelector( elem, expr ) ? [ elem ] : [] :
2769 jQuery.find.matches( expr, jQuery.grep( elems, function( elem ) {
2770 return elem.nodeType === 1;
2775 find: function( selector ) {
2781 if ( typeof selector !== "string" ) {
2782 return this.pushStack( jQuery( selector ).filter( function() {
2783 for ( i = 0; i < len; i++ ) {
2784 if ( jQuery.contains( self[ i ], this ) ) {
2791 for ( i = 0; i < len; i++ ) {
2792 jQuery.find( selector, self[ i ], ret );
2795 // Needed because $( selector, context ) becomes $( context ).find( selector )
2796 ret = this.pushStack( len > 1 ? jQuery.unique( ret ) : ret );
2797 ret.selector = this.selector ? this.selector + " " + selector : selector;
2800 filter: function( selector ) {
2801 return this.pushStack( winnow( this, selector || [], false ) );
2803 not: function( selector ) {
2804 return this.pushStack( winnow( this, selector || [], true ) );
2806 is: function( selector ) {
2810 // If this is a positional/relative selector, check membership in the returned set
2811 // so $("p:first").is("p:last") won't return true for a doc with two "p".
2812 typeof selector === "string" && rneedsContext.test( selector ) ?
2813 jQuery( selector ) :
2821 // Initialize a jQuery object
2824 // A central reference to the root jQuery(document)
2827 // A simple way to check for HTML strings
2828 // Prioritize #id over <tag> to avoid XSS via location.hash (#9521)
2829 // Strict HTML recognition (#11290: must start with <)
2830 rquickExpr = /^(?:\s*(<[\w\W]+>)[^>]*|#([\w-]*))$/,
2832 init = jQuery.fn.init = function( selector, context, root ) {
2835 // HANDLE: $(""), $(null), $(undefined), $(false)
2840 // Method init() accepts an alternate rootjQuery
2841 // so migrate can support jQuery.sub (gh-2101)
2842 root = root || rootjQuery;
2844 // Handle HTML strings
2845 if ( typeof selector === "string" ) {
2846 if ( selector[ 0 ] === "<" &&
2847 selector[ selector.length - 1 ] === ">" &&
2848 selector.length >= 3 ) {
2850 // Assume that strings that start and end with <> are HTML and skip the regex check
2851 match = [ null, selector, null ];
2854 match = rquickExpr.exec( selector );
2857 // Match html or make sure no context is specified for #id
2858 if ( match && ( match[ 1 ] || !context ) ) {
2860 // HANDLE: $(html) -> $(array)
2862 context = context instanceof jQuery ? context[ 0 ] : context;
2864 // Option to run scripts is true for back-compat
2865 // Intentionally let the error be thrown if parseHTML is not present
2866 jQuery.merge( this, jQuery.parseHTML(
2868 context && context.nodeType ? context.ownerDocument || context : document,
2872 // HANDLE: $(html, props)
2873 if ( rsingleTag.test( match[ 1 ] ) && jQuery.isPlainObject( context ) ) {
2874 for ( match in context ) {
2876 // Properties of context are called as methods if possible
2877 if ( jQuery.isFunction( this[ match ] ) ) {
2878 this[ match ]( context[ match ] );
2880 // ...and otherwise set as attributes
2882 this.attr( match, context[ match ] );
2891 elem = document.getElementById( match[ 2 ] );
2893 // Support: Blackberry 4.6
2894 // gEBID returns nodes no longer in the document (#6963)
2895 if ( elem && elem.parentNode ) {
2897 // Inject the element directly into the jQuery object
2902 this.context = document;
2903 this.selector = selector;
2907 // HANDLE: $(expr, $(...))
2908 } else if ( !context || context.jquery ) {
2909 return ( context || root ).find( selector );
2911 // HANDLE: $(expr, context)
2912 // (which is just equivalent to: $(context).find(expr)
2914 return this.constructor( context ).find( selector );
2917 // HANDLE: $(DOMElement)
2918 } else if ( selector.nodeType ) {
2919 this.context = this[ 0 ] = selector;
2923 // HANDLE: $(function)
2924 // Shortcut for document ready
2925 } else if ( jQuery.isFunction( selector ) ) {
2926 return root.ready !== undefined ?
2927 root.ready( selector ) :
2929 // Execute immediately if ready is not present
2933 if ( selector.selector !== undefined ) {
2934 this.selector = selector.selector;
2935 this.context = selector.context;
2938 return jQuery.makeArray( selector, this );
2941 // Give the init function the jQuery prototype for later instantiation
2942 init.prototype = jQuery.fn;
2944 // Initialize central reference
2945 rootjQuery = jQuery( document );
2948 var rparentsprev = /^(?:parents|prev(?:Until|All))/,
2950 // Methods guaranteed to produce a unique set when starting from a unique set
2951 guaranteedUnique = {
2959 has: function( target ) {
2960 var targets = jQuery( target, this ),
2963 return this.filter( function() {
2965 for ( ; i < l; i++ ) {
2966 if ( jQuery.contains( this, targets[ i ] ) ) {
2973 closest: function( selectors, context ) {
2978 pos = rneedsContext.test( selectors ) || typeof selectors !== "string" ?
2979 jQuery( selectors, context || this.context ) :
2982 for ( ; i < l; i++ ) {
2983 for ( cur = this[ i ]; cur && cur !== context; cur = cur.parentNode ) {
2985 // Always skip document fragments
2986 if ( cur.nodeType < 11 && ( pos ?
2987 pos.index( cur ) > -1 :
2989 // Don't pass non-elements to Sizzle
2990 cur.nodeType === 1 &&
2991 jQuery.find.matchesSelector( cur, selectors ) ) ) {
2993 matched.push( cur );
2999 return this.pushStack( matched.length > 1 ? jQuery.uniqueSort( matched ) : matched );
3002 // Determine the position of an element within the set
3003 index: function( elem ) {
3005 // No argument, return index in parent
3007 return ( this[ 0 ] && this[ 0 ].parentNode ) ? this.first().prevAll().length : -1;
3010 // Index in selector
3011 if ( typeof elem === "string" ) {
3012 return indexOf.call( jQuery( elem ), this[ 0 ] );
3015 // Locate the position of the desired element
3016 return indexOf.call( this,
3018 // If it receives a jQuery object, the first element is used
3019 elem.jquery ? elem[ 0 ] : elem
3023 add: function( selector, context ) {
3024 return this.pushStack(
3026 jQuery.merge( this.get(), jQuery( selector, context ) )
3031 addBack: function( selector ) {
3032 return this.add( selector == null ?
3033 this.prevObject : this.prevObject.filter( selector )
3038 function sibling( cur, dir ) {
3039 while ( ( cur = cur[ dir ] ) && cur.nodeType !== 1 ) {}
3044 parent: function( elem ) {
3045 var parent = elem.parentNode;
3046 return parent && parent.nodeType !== 11 ? parent : null;
3048 parents: function( elem ) {
3049 return dir( elem, "parentNode" );
3051 parentsUntil: function( elem, i, until ) {
3052 return dir( elem, "parentNode", until );
3054 next: function( elem ) {
3055 return sibling( elem, "nextSibling" );
3057 prev: function( elem ) {
3058 return sibling( elem, "previousSibling" );
3060 nextAll: function( elem ) {
3061 return dir( elem, "nextSibling" );
3063 prevAll: function( elem ) {
3064 return dir( elem, "previousSibling" );
3066 nextUntil: function( elem, i, until ) {
3067 return dir( elem, "nextSibling", until );
3069 prevUntil: function( elem, i, until ) {
3070 return dir( elem, "previousSibling", until );
3072 siblings: function( elem ) {
3073 return siblings( ( elem.parentNode || {} ).firstChild, elem );
3075 children: function( elem ) {
3076 return siblings( elem.firstChild );
3078 contents: function( elem ) {
3079 return elem.contentDocument || jQuery.merge( [], elem.childNodes );
3081 }, function( name, fn ) {
3082 jQuery.fn[ name ] = function( until, selector ) {
3083 var matched = jQuery.map( this, fn, until );
3085 if ( name.slice( -5 ) !== "Until" ) {
3089 if ( selector && typeof selector === "string" ) {
3090 matched = jQuery.filter( selector, matched );
3093 if ( this.length > 1 ) {
3095 // Remove duplicates
3096 if ( !guaranteedUnique[ name ] ) {
3097 jQuery.uniqueSort( matched );
3100 // Reverse order for parents* and prev-derivatives
3101 if ( rparentsprev.test( name ) ) {
3106 return this.pushStack( matched );
3109 var rnotwhite = ( /\S+/g );
3113 // Convert String-formatted options into Object-formatted ones
3114 function createOptions( options ) {
3116 jQuery.each( options.match( rnotwhite ) || [], function( _, flag ) {
3117 object[ flag ] = true;
3123 * Create a callback list using the following parameters:
3125 * options: an optional list of space-separated options that will change how
3126 * the callback list behaves or a more traditional option object
3128 * By default a callback list will act like an event callback list and can be
3129 * "fired" multiple times.
3133 * once: will ensure the callback list can only be fired once (like a Deferred)
3135 * memory: will keep track of previous values and will call any callback added
3136 * after the list has been fired right away with the latest "memorized"
3137 * values (like a Deferred)
3139 * unique: will ensure a callback can only be added once (no duplicate in the list)
3141 * stopOnFalse: interrupt callings when a callback returns false
3144 jQuery.Callbacks = function( options ) {
3146 // Convert options from String-formatted to Object-formatted if needed
3147 // (we check in cache first)
3148 options = typeof options === "string" ?
3149 createOptions( options ) :
3150 jQuery.extend( {}, options );
3152 var // Flag to know if list is currently firing
3155 // Last fire value for non-forgettable lists
3158 // Flag to know if list was already fired
3161 // Flag to prevent firing
3164 // Actual callback list
3167 // Queue of execution data for repeatable lists
3170 // Index of currently firing callback (modified by add/remove as needed)
3176 // Enforce single-firing
3177 locked = options.once;
3179 // Execute callbacks for all pending executions,
3180 // respecting firingIndex overrides and runtime changes
3181 fired = firing = true;
3182 for ( ; queue.length; firingIndex = -1 ) {
3183 memory = queue.shift();
3184 while ( ++firingIndex < list.length ) {
3186 // Run callback and check for early termination
3187 if ( list[ firingIndex ].apply( memory[ 0 ], memory[ 1 ] ) === false &&
3188 options.stopOnFalse ) {
3190 // Jump to end and forget the data so .add doesn't re-fire
3191 firingIndex = list.length;
3197 // Forget the data if we're done with it
3198 if ( !options.memory ) {
3204 // Clean up if we're done firing for good
3207 // Keep an empty list if we have data for future add calls
3211 // Otherwise, this object is spent
3218 // Actual Callbacks object
3221 // Add a callback or a collection of callbacks to the list
3225 // If we have memory from a past run, we should fire after adding
3226 if ( memory && !firing ) {
3227 firingIndex = list.length - 1;
3228 queue.push( memory );
3231 ( function add( args ) {
3232 jQuery.each( args, function( _, arg ) {
3233 if ( jQuery.isFunction( arg ) ) {
3234 if ( !options.unique || !self.has( arg ) ) {
3237 } else if ( arg && arg.length && jQuery.type( arg ) !== "string" ) {
3239 // Inspect recursively
3245 if ( memory && !firing ) {
3252 // Remove a callback from the list
3253 remove: function() {
3254 jQuery.each( arguments, function( _, arg ) {
3256 while ( ( index = jQuery.inArray( arg, list, index ) ) > -1 ) {
3257 list.splice( index, 1 );
3259 // Handle firing indexes
3260 if ( index <= firingIndex ) {
3268 // Check if a given callback is in the list.
3269 // If no argument is given, return whether or not list has callbacks attached.
3270 has: function( fn ) {
3272 jQuery.inArray( fn, list ) > -1 :
3276 // Remove all callbacks from the list
3284 // Disable .fire and .add
3285 // Abort any current/pending executions
3286 // Clear all callbacks and values
3287 disable: function() {
3288 locked = queue = [];
3292 disabled: function() {
3297 // Also disable .add unless we have memory (since it would have no effect)
3298 // Abort any pending executions
3300 locked = queue = [];
3306 locked: function() {
3310 // Call all callbacks with the given context and arguments
3311 fireWith: function( context, args ) {
3314 args = [ context, args.slice ? args.slice() : args ];
3323 // Call all the callbacks with the given arguments
3325 self.fireWith( this, arguments );
3329 // To know if the callbacks have already been called at least once
3341 Deferred: function( func ) {
3344 // action, add listener, listener list, final state
3345 [ "resolve", "done", jQuery.Callbacks( "once memory" ), "resolved" ],
3346 [ "reject", "fail", jQuery.Callbacks( "once memory" ), "rejected" ],
3347 [ "notify", "progress", jQuery.Callbacks( "memory" ) ]
3354 always: function() {
3355 deferred.done( arguments ).fail( arguments );
3358 then: function( /* fnDone, fnFail, fnProgress */ ) {
3359 var fns = arguments;
3360 return jQuery.Deferred( function( newDefer ) {
3361 jQuery.each( tuples, function( i, tuple ) {
3362 var fn = jQuery.isFunction( fns[ i ] ) && fns[ i ];
3364 // deferred[ done | fail | progress ] for forwarding actions to newDefer
3365 deferred[ tuple[ 1 ] ]( function() {
3366 var returned = fn && fn.apply( this, arguments );
3367 if ( returned && jQuery.isFunction( returned.promise ) ) {
3369 .progress( newDefer.notify )
3370 .done( newDefer.resolve )
3371 .fail( newDefer.reject );
3373 newDefer[ tuple[ 0 ] + "With" ](
3374 this === promise ? newDefer.promise() : this,
3375 fn ? [ returned ] : arguments
3384 // Get a promise for this deferred
3385 // If obj is provided, the promise aspect is added to the object
3386 promise: function( obj ) {
3387 return obj != null ? jQuery.extend( obj, promise ) : promise;
3392 // Keep pipe for back-compat
3393 promise.pipe = promise.then;
3395 // Add list-specific methods
3396 jQuery.each( tuples, function( i, tuple ) {
3397 var list = tuple[ 2 ],
3398 stateString = tuple[ 3 ];
3400 // promise[ done | fail | progress ] = list.add
3401 promise[ tuple[ 1 ] ] = list.add;
3404 if ( stateString ) {
3405 list.add( function() {
3407 // state = [ resolved | rejected ]
3408 state = stateString;
3410 // [ reject_list | resolve_list ].disable; progress_list.lock
3411 }, tuples[ i ^ 1 ][ 2 ].disable, tuples[ 2 ][ 2 ].lock );
3414 // deferred[ resolve | reject | notify ]
3415 deferred[ tuple[ 0 ] ] = function() {
3416 deferred[ tuple[ 0 ] + "With" ]( this === deferred ? promise : this, arguments );
3419 deferred[ tuple[ 0 ] + "With" ] = list.fireWith;
3422 // Make the deferred a promise
3423 promise.promise( deferred );
3425 // Call given func if any
3427 func.call( deferred, deferred );
3435 when: function( subordinate /* , ..., subordinateN */ ) {
3437 resolveValues = slice.call( arguments ),
3438 length = resolveValues.length,
3440 // the count of uncompleted subordinates
3441 remaining = length !== 1 ||
3442 ( subordinate && jQuery.isFunction( subordinate.promise ) ) ? length : 0,
3444 // the master Deferred.
3445 // If resolveValues consist of only a single Deferred, just use that.
3446 deferred = remaining === 1 ? subordinate : jQuery.Deferred(),
3448 // Update function for both resolve and progress values
3449 updateFunc = function( i, contexts, values ) {
3450 return function( value ) {
3451 contexts[ i ] = this;
3452 values[ i ] = arguments.length > 1 ? slice.call( arguments ) : value;
3453 if ( values === progressValues ) {
3454 deferred.notifyWith( contexts, values );
3455 } else if ( !( --remaining ) ) {
3456 deferred.resolveWith( contexts, values );
3461 progressValues, progressContexts, resolveContexts;
3463 // Add listeners to Deferred subordinates; treat others as resolved
3465 progressValues = new Array( length );
3466 progressContexts = new Array( length );
3467 resolveContexts = new Array( length );
3468 for ( ; i < length; i++ ) {
3469 if ( resolveValues[ i ] && jQuery.isFunction( resolveValues[ i ].promise ) ) {
3470 resolveValues[ i ].promise()
3471 .progress( updateFunc( i, progressContexts, progressValues ) )
3472 .done( updateFunc( i, resolveContexts, resolveValues ) )
3473 .fail( deferred.reject );
3480 // If we're not waiting on anything, resolve the master
3482 deferred.resolveWith( resolveContexts, resolveValues );
3485 return deferred.promise();
3490 // The deferred used on DOM ready
3493 jQuery.fn.ready = function( fn ) {
3496 jQuery.ready.promise().done( fn );
3503 // Is the DOM ready to be used? Set to true once it occurs.
3506 // A counter to track how many items to wait for before
3507 // the ready event fires. See #6781
3510 // Hold (or release) the ready event
3511 holdReady: function( hold ) {
3515 jQuery.ready( true );
3519 // Handle when the DOM is ready
3520 ready: function( wait ) {
3522 // Abort if there are pending holds or we're already ready
3523 if ( wait === true ? --jQuery.readyWait : jQuery.isReady ) {
3527 // Remember that the DOM is ready
3528 jQuery.isReady = true;
3530 // If a normal DOM Ready event fired, decrement, and wait if need be
3531 if ( wait !== true && --jQuery.readyWait > 0 ) {
3535 // If there are functions bound, to execute
3536 readyList.resolveWith( document, [ jQuery ] );
3538 // Trigger any bound ready events
3539 if ( jQuery.fn.triggerHandler ) {
3540 jQuery( document ).triggerHandler( "ready" );
3541 jQuery( document ).off( "ready" );
3547 * The ready event handler and self cleanup method
3549 function completed() {
3550 document.removeEventListener( "DOMContentLoaded", completed );
3551 window.removeEventListener( "load", completed );
3555 jQuery.ready.promise = function( obj ) {
3558 readyList = jQuery.Deferred();
3560 // Catch cases where $(document).ready() is called
3561 // after the browser event has already occurred.
3562 // Support: IE9-10 only
3563 // Older IE sometimes signals "interactive" too soon
3564 if ( document.readyState === "complete" ||
3565 ( document.readyState !== "loading" && !document.documentElement.doScroll ) ) {
3567 // Handle it asynchronously to allow scripts the opportunity to delay ready
3568 window.setTimeout( jQuery.ready );
3572 // Use the handy event callback
3573 document.addEventListener( "DOMContentLoaded", completed );
3575 // A fallback to window.onload, that will always work
3576 window.addEventListener( "load", completed );
3579 return readyList.promise( obj );
3582 // Kick off the DOM ready check even if the user does not
3583 jQuery.ready.promise();
3588 // Multifunctional method to get and set values of a collection
3589 // The value/s can optionally be executed if it's a function
3590 var access = function( elems, fn, key, value, chainable, emptyGet, raw ) {
3596 if ( jQuery.type( key ) === "object" ) {
3599 access( elems, fn, i, key[ i ], true, emptyGet, raw );
3603 } else if ( value !== undefined ) {
3606 if ( !jQuery.isFunction( value ) ) {
3612 // Bulk operations run against the entire set
3614 fn.call( elems, value );
3617 // ...except when executing function values
3620 fn = function( elem, key, value ) {
3621 return bulk.call( jQuery( elem ), value );
3627 for ( ; i < len; i++ ) {
3629 elems[ i ], key, raw ?
3631 value.call( elems[ i ], i, fn( elems[ i ], key ) )
3643 len ? fn( elems[ 0 ], key ) : emptyGet;
3645 var acceptData = function( owner ) {
3649 // - Node.ELEMENT_NODE
3650 // - Node.DOCUMENT_NODE
3654 return owner.nodeType === 1 || owner.nodeType === 9 || !( +owner.nodeType );
3661 this.expando = jQuery.expando + Data.uid++;
3668 register: function( owner, initial ) {
3669 var value = initial || {};
3671 // If it is a node unlikely to be stringify-ed or looped over
3672 // use plain assignment
3673 if ( owner.nodeType ) {
3674 owner[ this.expando ] = value;
3676 // Otherwise secure it in a non-enumerable, non-writable property
3677 // configurability must be true to allow the property to be
3678 // deleted with the delete operator
3680 Object.defineProperty( owner, this.expando, {
3686 return owner[ this.expando ];
3688 cache: function( owner ) {
3690 // We can accept data for non-element nodes in modern browsers,
3691 // but we should not, see #8335.
3692 // Always return an empty object.
3693 if ( !acceptData( owner ) ) {
3697 // Check if the owner object already has a cache
3698 var value = owner[ this.expando ];
3700 // If not, create one
3704 // We can accept data for non-element nodes in modern browsers,
3705 // but we should not, see #8335.
3706 // Always return an empty object.
3707 if ( acceptData( owner ) ) {
3709 // If it is a node unlikely to be stringify-ed or looped over
3710 // use plain assignment
3711 if ( owner.nodeType ) {
3712 owner[ this.expando ] = value;
3714 // Otherwise secure it in a non-enumerable property
3715 // configurable must be true to allow the property to be
3716 // deleted when data is removed
3718 Object.defineProperty( owner, this.expando, {
3728 set: function( owner, data, value ) {
3730 cache = this.cache( owner );
3732 // Handle: [ owner, key, value ] args
3733 if ( typeof data === "string" ) {
3734 cache[ data ] = value;
3736 // Handle: [ owner, { properties } ] args
3739 // Copy the properties one-by-one to the cache object
3740 for ( prop in data ) {
3741 cache[ prop ] = data[ prop ];
3746 get: function( owner, key ) {
3747 return key === undefined ?
3748 this.cache( owner ) :
3749 owner[ this.expando ] && owner[ this.expando ][ key ];
3751 access: function( owner, key, value ) {
3754 // In cases where either:
3756 // 1. No key was specified
3757 // 2. A string key was specified, but no value provided
3759 // Take the "read" path and allow the get method to determine
3760 // which value to return, respectively either:
3762 // 1. The entire cache object
3763 // 2. The data stored at the key
3765 if ( key === undefined ||
3766 ( ( key && typeof key === "string" ) && value === undefined ) ) {
3768 stored = this.get( owner, key );
3770 return stored !== undefined ?
3771 stored : this.get( owner, jQuery.camelCase( key ) );
3774 // When the key is not a string, or both a key and value
3775 // are specified, set or extend (existing objects) with either:
3777 // 1. An object of properties
3778 // 2. A key and value
3780 this.set( owner, key, value );
3782 // Since the "set" path can have two possible entry points
3783 // return the expected data based on which path was taken[*]
3784 return value !== undefined ? value : key;
3786 remove: function( owner, key ) {
3788 cache = owner[ this.expando ];
3790 if ( cache === undefined ) {
3794 if ( key === undefined ) {
3795 this.register( owner );
3799 // Support array or space separated string of keys
3800 if ( jQuery.isArray( key ) ) {
3802 // If "name" is an array of keys...
3803 // When data is initially created, via ("key", "val") signature,
3804 // keys will be converted to camelCase.
3805 // Since there is no way to tell _how_ a key was added, remove
3806 // both plain key and camelCase key. #12786
3807 // This will only penalize the array argument path.
3808 name = key.concat( key.map( jQuery.camelCase ) );
3810 camel = jQuery.camelCase( key );
3812 // Try the string as a key before any manipulation
3813 if ( key in cache ) {
3814 name = [ key, camel ];
3817 // If a key with the spaces exists, use it.
3818 // Otherwise, create an array by matching non-whitespace
3820 name = name in cache ?
3821 [ name ] : ( name.match( rnotwhite ) || [] );
3828 delete cache[ name[ i ] ];
3832 // Remove the expando if there's no more data
3833 if ( key === undefined || jQuery.isEmptyObject( cache ) ) {
3835 // Support: Chrome <= 35-45+
3836 // Webkit & Blink performance suffers when deleting properties
3837 // from DOM nodes, so set to undefined instead
3838 // https://code.google.com/p/chromium/issues/detail?id=378607
3839 if ( owner.nodeType ) {
3840 owner[ this.expando ] = undefined;
3842 delete owner[ this.expando ];
3846 hasData: function( owner ) {
3847 var cache = owner[ this.expando ];
3848 return cache !== undefined && !jQuery.isEmptyObject( cache );
3851 var dataPriv = new Data();
3853 var dataUser = new Data();
3857 // Implementation Summary
3859 // 1. Enforce API surface and semantic compatibility with 1.9.x branch
3860 // 2. Improve the module's maintainability by reducing the storage
3861 // paths to a single mechanism.
3862 // 3. Use the same single mechanism to support "private" and "user" data.
3863 // 4. _Never_ expose "private" data to user code (TODO: Drop _data, _removeData)
3864 // 5. Avoid exposing implementation details on user objects (eg. expando properties)
3865 // 6. Provide a clear path for implementation upgrade to WeakMap in 2014
3867 var rbrace = /^(?:\{[\w\W]*\}|\[[\w\W]*\])$/,
3868 rmultiDash = /[A-Z]/g;
3870 function dataAttr( elem, key, data ) {
3873 // If nothing was found internally, try to fetch any
3874 // data from the HTML5 data-* attribute
3875 if ( data === undefined && elem.nodeType === 1 ) {
3876 name = "data-" + key.replace( rmultiDash, "-$&" ).toLowerCase();
3877 data = elem.getAttribute( name );
3879 if ( typeof data === "string" ) {
3881 data = data === "true" ? true :
3882 data === "false" ? false :
3883 data === "null" ? null :
3885 // Only convert to a number if it doesn't change the string
3886 +data + "" === data ? +data :
3887 rbrace.test( data ) ? jQuery.parseJSON( data ) :
3891 // Make sure we set the data so it isn't changed later
3892 dataUser.set( elem, key, data );
3901 hasData: function( elem ) {
3902 return dataUser.hasData( elem ) || dataPriv.hasData( elem );
3905 data: function( elem, name, data ) {
3906 return dataUser.access( elem, name, data );
3909 removeData: function( elem, name ) {
3910 dataUser.remove( elem, name );
3913 // TODO: Now that all calls to _data and _removeData have been replaced
3914 // with direct calls to dataPriv methods, these can be deprecated.
3915 _data: function( elem, name, data ) {
3916 return dataPriv.access( elem, name, data );
3919 _removeData: function( elem, name ) {
3920 dataPriv.remove( elem, name );
3925 data: function( key, value ) {
3928 attrs = elem && elem.attributes;
3931 if ( key === undefined ) {
3932 if ( this.length ) {
3933 data = dataUser.get( elem );
3935 if ( elem.nodeType === 1 && !dataPriv.get( elem, "hasDataAttrs" ) ) {
3940 // The attrs elements can be null (#14894)
3942 name = attrs[ i ].name;
3943 if ( name.indexOf( "data-" ) === 0 ) {
3944 name = jQuery.camelCase( name.slice( 5 ) );
3945 dataAttr( elem, name, data[ name ] );
3949 dataPriv.set( elem, "hasDataAttrs", true );
3956 // Sets multiple values
3957 if ( typeof key === "object" ) {
3958 return this.each( function() {
3959 dataUser.set( this, key );
3963 return access( this, function( value ) {
3966 // The calling jQuery object (element matches) is not empty
3967 // (and therefore has an element appears at this[ 0 ]) and the
3968 // `value` parameter was not undefined. An empty jQuery object
3969 // will result in `undefined` for elem = this[ 0 ] which will
3970 // throw an exception if an attempt to read a data cache is made.
3971 if ( elem && value === undefined ) {
3973 // Attempt to get data from the cache
3974 // with the key as-is
3975 data = dataUser.get( elem, key ) ||
3977 // Try to find dashed key if it exists (gh-2779)
3978 // This is for 2.2.x only
3979 dataUser.get( elem, key.replace( rmultiDash, "-$&" ).toLowerCase() );
3981 if ( data !== undefined ) {
3985 camelKey = jQuery.camelCase( key );
3987 // Attempt to get data from the cache
3988 // with the key camelized
3989 data = dataUser.get( elem, camelKey );
3990 if ( data !== undefined ) {
3994 // Attempt to "discover" the data in
3995 // HTML5 custom data-* attrs
3996 data = dataAttr( elem, camelKey, undefined );
3997 if ( data !== undefined ) {
4001 // We tried really hard, but the data doesn't exist.
4006 camelKey = jQuery.camelCase( key );
4007 this.each( function() {
4009 // First, attempt to store a copy or reference of any
4010 // data that might've been store with a camelCased key.
4011 var data = dataUser.get( this, camelKey );
4013 // For HTML5 data-* attribute interop, we have to
4014 // store property names with dashes in a camelCase form.
4015 // This might not apply to all properties...*
4016 dataUser.set( this, camelKey, value );
4018 // *... In the case of properties that might _actually_
4019 // have dashes, we need to also store a copy of that
4020 // unchanged property.
4021 if ( key.indexOf( "-" ) > -1 && data !== undefined ) {
4022 dataUser.set( this, key, value );
4025 }, null, value, arguments.length > 1, null, true );
4028 removeData: function( key ) {
4029 return this.each( function() {
4030 dataUser.remove( this, key );
4037 queue: function( elem, type, data ) {
4041 type = ( type || "fx" ) + "queue";
4042 queue = dataPriv.get( elem, type );
4044 // Speed up dequeue by getting out quickly if this is just a lookup
4046 if ( !queue || jQuery.isArray( data ) ) {
4047 queue = dataPriv.access( elem, type, jQuery.makeArray( data ) );
4056 dequeue: function( elem, type ) {
4057 type = type || "fx";
4059 var queue = jQuery.queue( elem, type ),
4060 startLength = queue.length,
4062 hooks = jQuery._queueHooks( elem, type ),
4064 jQuery.dequeue( elem, type );
4067 // If the fx queue is dequeued, always remove the progress sentinel
4068 if ( fn === "inprogress" ) {
4075 // Add a progress sentinel to prevent the fx queue from being
4076 // automatically dequeued
4077 if ( type === "fx" ) {
4078 queue.unshift( "inprogress" );
4081 // Clear up the last queue stop function
4083 fn.call( elem, next, hooks );
4086 if ( !startLength && hooks ) {
4091 // Not public - generate a queueHooks object, or return the current one
4092 _queueHooks: function( elem, type ) {
4093 var key = type + "queueHooks";
4094 return dataPriv.get( elem, key ) || dataPriv.access( elem, key, {
4095 empty: jQuery.Callbacks( "once memory" ).add( function() {
4096 dataPriv.remove( elem, [ type + "queue", key ] );
4103 queue: function( type, data ) {
4106 if ( typeof type !== "string" ) {
4112 if ( arguments.length < setter ) {
4113 return jQuery.queue( this[ 0 ], type );
4116 return data === undefined ?
4118 this.each( function() {
4119 var queue = jQuery.queue( this, type, data );
4121 // Ensure a hooks for this queue
4122 jQuery._queueHooks( this, type );
4124 if ( type === "fx" && queue[ 0 ] !== "inprogress" ) {
4125 jQuery.dequeue( this, type );
4129 dequeue: function( type ) {
4130 return this.each( function() {
4131 jQuery.dequeue( this, type );
4134 clearQueue: function( type ) {
4135 return this.queue( type || "fx", [] );
4138 // Get a promise resolved when queues of a certain type
4139 // are emptied (fx is the type by default)
4140 promise: function( type, obj ) {
4143 defer = jQuery.Deferred(),
4146 resolve = function() {
4147 if ( !( --count ) ) {
4148 defer.resolveWith( elements, [ elements ] );
4152 if ( typeof type !== "string" ) {
4156 type = type || "fx";
4159 tmp = dataPriv.get( elements[ i ], type + "queueHooks" );
4160 if ( tmp && tmp.empty ) {
4162 tmp.empty.add( resolve );
4166 return defer.promise( obj );
4169 var pnum = ( /[+-]?(?:\d*\.|)\d+(?:[eE][+-]?\d+|)/ ).source;
4171 var rcssNum = new RegExp( "^(?:([+-])=|)(" + pnum + ")([a-z%]*)$", "i" );
4174 var cssExpand = [ "Top", "Right", "Bottom", "Left" ];
4176 var isHidden = function( elem, el ) {
4178 // isHidden might be called from jQuery#filter function;
4179 // in that case, element will be second argument
4181 return jQuery.css( elem, "display" ) === "none" ||
4182 !jQuery.contains( elem.ownerDocument, elem );
4187 function adjustCSS( elem, prop, valueParts, tween ) {
4191 currentValue = tween ?
4192 function() { return tween.cur(); } :
4193 function() { return jQuery.css( elem, prop, "" ); },
4194 initial = currentValue(),
4195 unit = valueParts && valueParts[ 3 ] || ( jQuery.cssNumber[ prop ] ? "" : "px" ),
4197 // Starting value computation is required for potential unit mismatches
4198 initialInUnit = ( jQuery.cssNumber[ prop ] || unit !== "px" && +initial ) &&
4199 rcssNum.exec( jQuery.css( elem, prop ) );
4201 if ( initialInUnit && initialInUnit[ 3 ] !== unit ) {
4203 // Trust units reported by jQuery.css
4204 unit = unit || initialInUnit[ 3 ];
4206 // Make sure we update the tween properties later on
4207 valueParts = valueParts || [];
4209 // Iteratively approximate from a nonzero starting point
4210 initialInUnit = +initial || 1;
4214 // If previous iteration zeroed out, double until we get *something*.
4215 // Use string for doubling so we don't accidentally see scale as unchanged below
4216 scale = scale || ".5";
4219 initialInUnit = initialInUnit / scale;
4220 jQuery.style( elem, prop, initialInUnit + unit );
4222 // Update scale, tolerating zero or NaN from tween.cur()
4223 // Break the loop if scale is unchanged or perfect, or if we've just had enough.
4225 scale !== ( scale = currentValue() / initial ) && scale !== 1 && --maxIterations
4230 initialInUnit = +initialInUnit || +initial || 0;
4232 // Apply relative offset (+=/-=) if specified
4233 adjusted = valueParts[ 1 ] ?
4234 initialInUnit + ( valueParts[ 1 ] + 1 ) * valueParts[ 2 ] :
4238 tween.start = initialInUnit;
4239 tween.end = adjusted;
4244 var rcheckableType = ( /^(?:checkbox|radio)$/i );
4246 var rtagName = ( /<([\w:-]+)/ );
4248 var rscriptType = ( /^$|\/(?:java|ecma)script/i );
4252 // We have to close these tags to support XHTML (#13200)
4256 option: [ 1, "<select multiple='multiple'>", "</select>" ],
4258 // XHTML parsers do not magically insert elements in the
4259 // same way that tag soup parsers do. So we cannot shorten
4260 // this by omitting <tbody> or other required elements.
4261 thead: [ 1, "<table>", "</table>" ],
4262 col: [ 2, "<table><colgroup>", "</colgroup></table>" ],
4263 tr: [ 2, "<table><tbody>", "</tbody></table>" ],
4264 td: [ 3, "<table><tbody><tr>", "</tr></tbody></table>" ],
4266 _default: [ 0, "", "" ]
4270 wrapMap.optgroup = wrapMap.option;
4272 wrapMap.tbody = wrapMap.tfoot = wrapMap.colgroup = wrapMap.caption = wrapMap.thead;
4273 wrapMap.th = wrapMap.td;
4276 function getAll( context, tag ) {
4279 // Use typeof to avoid zero-argument method invocation on host objects (#15151)
4280 var ret = typeof context.getElementsByTagName !== "undefined" ?
4281 context.getElementsByTagName( tag || "*" ) :
4282 typeof context.querySelectorAll !== "undefined" ?
4283 context.querySelectorAll( tag || "*" ) :
4286 return tag === undefined || tag && jQuery.nodeName( context, tag ) ?
4287 jQuery.merge( [ context ], ret ) :
4292 // Mark scripts as having already been evaluated
4293 function setGlobalEval( elems, refElements ) {
4297 for ( ; i < l; i++ ) {
4301 !refElements || dataPriv.get( refElements[ i ], "globalEval" )
4307 var rhtml = /<|&#?\w+;/;
4309 function buildFragment( elems, context, scripts, selection, ignored ) {
4310 var elem, tmp, tag, wrap, contains, j,
4311 fragment = context.createDocumentFragment(),
4316 for ( ; i < l; i++ ) {
4319 if ( elem || elem === 0 ) {
4321 // Add nodes directly
4322 if ( jQuery.type( elem ) === "object" ) {
4324 // Support: Android<4.1, PhantomJS<2
4325 // push.apply(_, arraylike) throws on ancient WebKit
4326 jQuery.merge( nodes, elem.nodeType ? [ elem ] : elem );
4328 // Convert non-html into a text node
4329 } else if ( !rhtml.test( elem ) ) {
4330 nodes.push( context.createTextNode( elem ) );
4332 // Convert html into DOM nodes
4334 tmp = tmp || fragment.appendChild( context.createElement( "div" ) );
4336 // Deserialize a standard representation
4337 tag = ( rtagName.exec( elem ) || [ "", "" ] )[ 1 ].toLowerCase();
4338 wrap = wrapMap[ tag ] || wrapMap._default;
4339 tmp.innerHTML = wrap[ 1 ] + jQuery.htmlPrefilter( elem ) + wrap[ 2 ];
4341 // Descend through wrappers to the right content
4344 tmp = tmp.lastChild;
4347 // Support: Android<4.1, PhantomJS<2
4348 // push.apply(_, arraylike) throws on ancient WebKit
4349 jQuery.merge( nodes, tmp.childNodes );
4351 // Remember the top-level container
4352 tmp = fragment.firstChild;
4354 // Ensure the created nodes are orphaned (#12392)
4355 tmp.textContent = "";
4360 // Remove wrapper from fragment
4361 fragment.textContent = "";
4364 while ( ( elem = nodes[ i++ ] ) ) {
4366 // Skip elements already in the context collection (trac-4087)
4367 if ( selection && jQuery.inArray( elem, selection ) > -1 ) {
4369 ignored.push( elem );
4374 contains = jQuery.contains( elem.ownerDocument, elem );
4376 // Append to fragment
4377 tmp = getAll( fragment.appendChild( elem ), "script" );
4379 // Preserve script evaluation history
4381 setGlobalEval( tmp );
4384 // Capture executables
4387 while ( ( elem = tmp[ j++ ] ) ) {
4388 if ( rscriptType.test( elem.type || "" ) ) {
4389 scripts.push( elem );
4400 var fragment = document.createDocumentFragment(),
4401 div = fragment.appendChild( document.createElement( "div" ) ),
4402 input = document.createElement( "input" );
4404 // Support: Android 4.0-4.3, Safari<=5.1
4405 // Check state lost if the name is set (#11217)
4406 // Support: Windows Web Apps (WWA)
4407 // `name` and `type` must use .setAttribute for WWA (#14901)
4408 input.setAttribute( "type", "radio" );
4409 input.setAttribute( "checked", "checked" );
4410 input.setAttribute( "name", "t" );
4412 div.appendChild( input );
4414 // Support: Safari<=5.1, Android<4.2
4415 // Older WebKit doesn't clone checked state correctly in fragments
4416 support.checkClone = div.cloneNode( true ).cloneNode( true ).lastChild.checked;
4419 // Make sure textarea (and checkbox) defaultValue is properly cloned
4420 div.innerHTML = "<textarea>x</textarea>";
4421 support.noCloneChecked = !!div.cloneNode( true ).lastChild.defaultValue;
4427 rmouseEvent = /^(?:mouse|pointer|contextmenu|drag|drop)|click/,
4428 rtypenamespace = /^([^.]*)(?:\.(.+)|)/;
4430 function returnTrue() {
4434 function returnFalse() {
4439 // See #13393 for more info
4440 function safeActiveElement() {
4442 return document.activeElement;
4446 function on( elem, types, selector, data, fn, one ) {
4449 // Types can be a map of types/handlers
4450 if ( typeof types === "object" ) {
4452 // ( types-Object, selector, data )
4453 if ( typeof selector !== "string" ) {
4455 // ( types-Object, data )
4456 data = data || selector;
4457 selector = undefined;
4459 for ( type in types ) {
4460 on( elem, type, selector, data, types[ type ], one );
4465 if ( data == null && fn == null ) {
4469 data = selector = undefined;
4470 } else if ( fn == null ) {
4471 if ( typeof selector === "string" ) {
4473 // ( types, selector, fn )
4478 // ( types, data, fn )
4481 selector = undefined;
4484 if ( fn === false ) {
4492 fn = function( event ) {
4494 // Can use an empty set, since event contains the info
4495 jQuery().off( event );
4496 return origFn.apply( this, arguments );
4499 // Use same guid so caller can remove using origFn
4500 fn.guid = origFn.guid || ( origFn.guid = jQuery.guid++ );
4502 return elem.each( function() {
4503 jQuery.event.add( this, types, fn, data, selector );
4508 * Helper functions for managing events -- not part of the public interface.
4509 * Props to Dean Edwards' addEvent library for many of the ideas.
4515 add: function( elem, types, handler, data, selector ) {
4517 var handleObjIn, eventHandle, tmp,
4518 events, t, handleObj,
4519 special, handlers, type, namespaces, origType,
4520 elemData = dataPriv.get( elem );
4522 // Don't attach events to noData or text/comment nodes (but allow plain objects)
4527 // Caller can pass in an object of custom data in lieu of the handler
4528 if ( handler.handler ) {
4529 handleObjIn = handler;
4530 handler = handleObjIn.handler;
4531 selector = handleObjIn.selector;
4534 // Make sure that the handler has a unique ID, used to find/remove it later
4535 if ( !handler.guid ) {
4536 handler.guid = jQuery.guid++;
4539 // Init the element's event structure and main handler, if this is the first
4540 if ( !( events = elemData.events ) ) {
4541 events = elemData.events = {};
4543 if ( !( eventHandle = elemData.handle ) ) {
4544 eventHandle = elemData.handle = function( e ) {
4546 // Discard the second event of a jQuery.event.trigger() and
4547 // when an event is called after a page has unloaded
4548 return typeof jQuery !== "undefined" && jQuery.event.triggered !== e.type ?
4549 jQuery.event.dispatch.apply( elem, arguments ) : undefined;
4553 // Handle multiple events separated by a space
4554 types = ( types || "" ).match( rnotwhite ) || [ "" ];
4557 tmp = rtypenamespace.exec( types[ t ] ) || [];
4558 type = origType = tmp[ 1 ];
4559 namespaces = ( tmp[ 2 ] || "" ).split( "." ).sort();
4561 // There *must* be a type, no attaching namespace-only handlers
4566 // If event changes its type, use the special event handlers for the changed type
4567 special = jQuery.event.special[ type ] || {};
4569 // If selector defined, determine special event api type, otherwise given type
4570 type = ( selector ? special.delegateType : special.bindType ) || type;
4572 // Update special based on newly reset type
4573 special = jQuery.event.special[ type ] || {};
4575 // handleObj is passed to all event handlers
4576 handleObj = jQuery.extend( {
4583 needsContext: selector && jQuery.expr.match.needsContext.test( selector ),
4584 namespace: namespaces.join( "." )
4587 // Init the event handler queue if we're the first
4588 if ( !( handlers = events[ type ] ) ) {
4589 handlers = events[ type ] = [];
4590 handlers.delegateCount = 0;
4592 // Only use addEventListener if the special events handler returns false
4593 if ( !special.setup ||
4594 special.setup.call( elem, data, namespaces, eventHandle ) === false ) {
4596 if ( elem.addEventListener ) {
4597 elem.addEventListener( type, eventHandle );
4602 if ( special.add ) {
4603 special.add.call( elem, handleObj );
4605 if ( !handleObj.handler.guid ) {
4606 handleObj.handler.guid = handler.guid;
4610 // Add to the element's handler list, delegates in front
4612 handlers.splice( handlers.delegateCount++, 0, handleObj );
4614 handlers.push( handleObj );
4617 // Keep track of which events have ever been used, for event optimization
4618 jQuery.event.global[ type ] = true;
4623 // Detach an event or set of events from an element
4624 remove: function( elem, types, handler, selector, mappedTypes ) {
4626 var j, origCount, tmp,
4627 events, t, handleObj,
4628 special, handlers, type, namespaces, origType,
4629 elemData = dataPriv.hasData( elem ) && dataPriv.get( elem );
4631 if ( !elemData || !( events = elemData.events ) ) {
4635 // Once for each type.namespace in types; type may be omitted
4636 types = ( types || "" ).match( rnotwhite ) || [ "" ];
4639 tmp = rtypenamespace.exec( types[ t ] ) || [];
4640 type = origType = tmp[ 1 ];
4641 namespaces = ( tmp[ 2 ] || "" ).split( "." ).sort();
4643 // Unbind all events (on this namespace, if provided) for the element
4645 for ( type in events ) {
4646 jQuery.event.remove( elem, type + types[ t ], handler, selector, true );
4651 special = jQuery.event.special[ type ] || {};
4652 type = ( selector ? special.delegateType : special.bindType ) || type;
4653 handlers = events[ type ] || [];
4655 new RegExp( "(^|\\.)" + namespaces.join( "\\.(?:.*\\.|)" ) + "(\\.|$)" );
4657 // Remove matching events
4658 origCount = j = handlers.length;
4660 handleObj = handlers[ j ];
4662 if ( ( mappedTypes || origType === handleObj.origType ) &&
4663 ( !handler || handler.guid === handleObj.guid ) &&
4664 ( !tmp || tmp.test( handleObj.namespace ) ) &&
4665 ( !selector || selector === handleObj.selector ||
4666 selector === "**" && handleObj.selector ) ) {
4667 handlers.splice( j, 1 );
4669 if ( handleObj.selector ) {
4670 handlers.delegateCount--;
4672 if ( special.remove ) {
4673 special.remove.call( elem, handleObj );
4678 // Remove generic event handler if we removed something and no more handlers exist
4679 // (avoids potential for endless recursion during removal of special event handlers)
4680 if ( origCount && !handlers.length ) {
4681 if ( !special.teardown ||
4682 special.teardown.call( elem, namespaces, elemData.handle ) === false ) {
4684 jQuery.removeEvent( elem, type, elemData.handle );
4687 delete events[ type ];
4691 // Remove data and the expando if it's no longer used
4692 if ( jQuery.isEmptyObject( events ) ) {
4693 dataPriv.remove( elem, "handle events" );
4697 dispatch: function( event ) {
4699 // Make a writable jQuery.Event from the native event object
4700 event = jQuery.event.fix( event );
4702 var i, j, ret, matched, handleObj,
4704 args = slice.call( arguments ),
4705 handlers = ( dataPriv.get( this, "events" ) || {} )[ event.type ] || [],
4706 special = jQuery.event.special[ event.type ] || {};
4708 // Use the fix-ed jQuery.Event rather than the (read-only) native event
4710 event.delegateTarget = this;
4712 // Call the preDispatch hook for the mapped type, and let it bail if desired
4713 if ( special.preDispatch && special.preDispatch.call( this, event ) === false ) {
4717 // Determine handlers
4718 handlerQueue = jQuery.event.handlers.call( this, event, handlers );
4720 // Run delegates first; they may want to stop propagation beneath us
4722 while ( ( matched = handlerQueue[ i++ ] ) && !event.isPropagationStopped() ) {
4723 event.currentTarget = matched.elem;
4726 while ( ( handleObj = matched.handlers[ j++ ] ) &&
4727 !event.isImmediatePropagationStopped() ) {
4729 // Triggered event must either 1) have no namespace, or 2) have namespace(s)
4730 // a subset or equal to those in the bound event (both can have no namespace).
4731 if ( !event.rnamespace || event.rnamespace.test( handleObj.namespace ) ) {
4733 event.handleObj = handleObj;
4734 event.data = handleObj.data;
4736 ret = ( ( jQuery.event.special[ handleObj.origType ] || {} ).handle ||
4737 handleObj.handler ).apply( matched.elem, args );
4739 if ( ret !== undefined ) {
4740 if ( ( event.result = ret ) === false ) {
4741 event.preventDefault();
4742 event.stopPropagation();
4749 // Call the postDispatch hook for the mapped type
4750 if ( special.postDispatch ) {
4751 special.postDispatch.call( this, event );
4754 return event.result;
4757 handlers: function( event, handlers ) {
4758 var i, matches, sel, handleObj,
4760 delegateCount = handlers.delegateCount,
4763 // Support (at least): Chrome, IE9
4764 // Find delegate handlers
4765 // Black-hole SVG <use> instance trees (#13180)
4767 // Support: Firefox<=42+
4768 // Avoid non-left-click in FF but don't block IE radio events (#3861, gh-2343)
4769 if ( delegateCount && cur.nodeType &&
4770 ( event.type !== "click" || isNaN( event.button ) || event.button < 1 ) ) {
4772 for ( ; cur !== this; cur = cur.parentNode || this ) {
4774 // Don't check non-elements (#13208)
4775 // Don't process clicks on disabled elements (#6911, #8165, #11382, #11764)
4776 if ( cur.nodeType === 1 && ( cur.disabled !== true || event.type !== "click" ) ) {
4778 for ( i = 0; i < delegateCount; i++ ) {
4779 handleObj = handlers[ i ];
4781 // Don't conflict with Object.prototype properties (#13203)
4782 sel = handleObj.selector + " ";
4784 if ( matches[ sel ] === undefined ) {
4785 matches[ sel ] = handleObj.needsContext ?
4786 jQuery( sel, this ).index( cur ) > -1 :
4787 jQuery.find( sel, this, null, [ cur ] ).length;
4789 if ( matches[ sel ] ) {
4790 matches.push( handleObj );
4793 if ( matches.length ) {
4794 handlerQueue.push( { elem: cur, handlers: matches } );
4800 // Add the remaining (directly-bound) handlers
4801 if ( delegateCount < handlers.length ) {
4802 handlerQueue.push( { elem: this, handlers: handlers.slice( delegateCount ) } );
4805 return handlerQueue;
4808 // Includes some event props shared by KeyEvent and MouseEvent
4809 props: ( "altKey bubbles cancelable ctrlKey currentTarget detail eventPhase " +
4810 "metaKey relatedTarget shiftKey target timeStamp view which" ).split( " " ),
4815 props: "char charCode key keyCode".split( " " ),
4816 filter: function( event, original ) {
4818 // Add which for key events
4819 if ( event.which == null ) {
4820 event.which = original.charCode != null ? original.charCode : original.keyCode;
4828 props: ( "button buttons clientX clientY offsetX offsetY pageX pageY " +
4829 "screenX screenY toElement" ).split( " " ),
4830 filter: function( event, original ) {
4831 var eventDoc, doc, body,
4832 button = original.button;
4834 // Calculate pageX/Y if missing and clientX/Y available
4835 if ( event.pageX == null && original.clientX != null ) {
4836 eventDoc = event.target.ownerDocument || document;
4837 doc = eventDoc.documentElement;
4838 body = eventDoc.body;
4840 event.pageX = original.clientX +
4841 ( doc && doc.scrollLeft || body && body.scrollLeft || 0 ) -
4842 ( doc && doc.clientLeft || body && body.clientLeft || 0 );
4843 event.pageY = original.clientY +
4844 ( doc && doc.scrollTop || body && body.scrollTop || 0 ) -
4845 ( doc && doc.clientTop || body && body.clientTop || 0 );
4848 // Add which for click: 1 === left; 2 === middle; 3 === right
4849 // Note: button is not normalized, so don't use it
4850 if ( !event.which && button !== undefined ) {
4851 event.which = ( button & 1 ? 1 : ( button & 2 ? 3 : ( button & 4 ? 2 : 0 ) ) );
4858 fix: function( event ) {
4859 if ( event[ jQuery.expando ] ) {
4863 // Create a writable copy of the event object and normalize some properties
4866 originalEvent = event,
4867 fixHook = this.fixHooks[ type ];
4870 this.fixHooks[ type ] = fixHook =
4871 rmouseEvent.test( type ) ? this.mouseHooks :
4872 rkeyEvent.test( type ) ? this.keyHooks :
4875 copy = fixHook.props ? this.props.concat( fixHook.props ) : this.props;
4877 event = new jQuery.Event( originalEvent );
4882 event[ prop ] = originalEvent[ prop ];
4885 // Support: Cordova 2.5 (WebKit) (#13255)
4886 // All events should have a target; Cordova deviceready doesn't
4887 if ( !event.target ) {
4888 event.target = document;
4891 // Support: Safari 6.0+, Chrome<28
4892 // Target should not be a text node (#504, #13143)
4893 if ( event.target.nodeType === 3 ) {
4894 event.target = event.target.parentNode;
4897 return fixHook.filter ? fixHook.filter( event, originalEvent ) : event;
4903 // Prevent triggered image.load events from bubbling to window.load
4908 // Fire native event if possible so blur/focus sequence is correct
4909 trigger: function() {
4910 if ( this !== safeActiveElement() && this.focus ) {
4915 delegateType: "focusin"
4918 trigger: function() {
4919 if ( this === safeActiveElement() && this.blur ) {
4924 delegateType: "focusout"
4928 // For checkbox, fire native event so checked state will be right
4929 trigger: function() {
4930 if ( this.type === "checkbox" && this.click && jQuery.nodeName( this, "input" ) ) {
4936 // For cross-browser consistency, don't fire native .click() on links
4937 _default: function( event ) {
4938 return jQuery.nodeName( event.target, "a" );
4943 postDispatch: function( event ) {
4945 // Support: Firefox 20+
4946 // Firefox doesn't alert if the returnValue field is not set.
4947 if ( event.result !== undefined && event.originalEvent ) {
4948 event.originalEvent.returnValue = event.result;
4955 jQuery.removeEvent = function( elem, type, handle ) {
4957 // This "if" is needed for plain objects
4958 if ( elem.removeEventListener ) {
4959 elem.removeEventListener( type, handle );
4963 jQuery.Event = function( src, props ) {
4965 // Allow instantiation without the 'new' keyword
4966 if ( !( this instanceof jQuery.Event ) ) {
4967 return new jQuery.Event( src, props );
4971 if ( src && src.type ) {
4972 this.originalEvent = src;
4973 this.type = src.type;
4975 // Events bubbling up the document may have been marked as prevented
4976 // by a handler lower down the tree; reflect the correct value.
4977 this.isDefaultPrevented = src.defaultPrevented ||
4978 src.defaultPrevented === undefined &&
4980 // Support: Android<4.0
4981 src.returnValue === false ?
4990 // Put explicitly provided properties onto the event object
4992 jQuery.extend( this, props );
4995 // Create a timestamp if incoming event doesn't have one
4996 this.timeStamp = src && src.timeStamp || jQuery.now();
4999 this[ jQuery.expando ] = true;
5002 // jQuery.Event is based on DOM3 Events as specified by the ECMAScript Language Binding
5003 // http://www.w3.org/TR/2003/WD-DOM-Level-3-Events-20030331/ecma-script-binding.html
5004 jQuery.Event.prototype = {
5005 constructor: jQuery.Event,
5006 isDefaultPrevented: returnFalse,
5007 isPropagationStopped: returnFalse,
5008 isImmediatePropagationStopped: returnFalse,
5010 preventDefault: function() {
5011 var e = this.originalEvent;
5013 this.isDefaultPrevented = returnTrue;
5019 stopPropagation: function() {
5020 var e = this.originalEvent;
5022 this.isPropagationStopped = returnTrue;
5025 e.stopPropagation();
5028 stopImmediatePropagation: function() {
5029 var e = this.originalEvent;
5031 this.isImmediatePropagationStopped = returnTrue;
5034 e.stopImmediatePropagation();
5037 this.stopPropagation();
5041 // Create mouseenter/leave events using mouseover/out and event-time checks
5042 // so that event delegation works in jQuery.
5043 // Do the same for pointerenter/pointerleave and pointerover/pointerout
5045 // Support: Safari 7 only
5046 // Safari sends mouseenter too often; see:
5047 // https://code.google.com/p/chromium/issues/detail?id=470258
5048 // for the description of the bug (it existed in older Chrome versions as well).
5050 mouseenter: "mouseover",
5051 mouseleave: "mouseout",
5052 pointerenter: "pointerover",
5053 pointerleave: "pointerout"
5054 }, function( orig, fix ) {
5055 jQuery.event.special[ orig ] = {
5059 handle: function( event ) {
5062 related = event.relatedTarget,
5063 handleObj = event.handleObj;
5065 // For mouseenter/leave call the handler if related is outside the target.
5066 // NB: No relatedTarget if the mouse left/entered the browser window
5067 if ( !related || ( related !== target && !jQuery.contains( target, related ) ) ) {
5068 event.type = handleObj.origType;
5069 ret = handleObj.handler.apply( this, arguments );
5078 on: function( types, selector, data, fn ) {
5079 return on( this, types, selector, data, fn );
5081 one: function( types, selector, data, fn ) {
5082 return on( this, types, selector, data, fn, 1 );
5084 off: function( types, selector, fn ) {
5085 var handleObj, type;
5086 if ( types && types.preventDefault && types.handleObj ) {
5088 // ( event ) dispatched jQuery.Event
5089 handleObj = types.handleObj;
5090 jQuery( types.delegateTarget ).off(
5091 handleObj.namespace ?
5092 handleObj.origType + "." + handleObj.namespace :
5099 if ( typeof types === "object" ) {
5101 // ( types-object [, selector] )
5102 for ( type in types ) {
5103 this.off( type, selector, types[ type ] );
5107 if ( selector === false || typeof selector === "function" ) {
5111 selector = undefined;
5113 if ( fn === false ) {
5116 return this.each( function() {
5117 jQuery.event.remove( this, types, fn, selector );
5124 rxhtmlTag = /<(?!area|br|col|embed|hr|img|input|link|meta|param)(([\w:-]+)[^>]*)\/>/gi,
5126 // Support: IE 10-11, Edge 10240+
5127 // In IE/Edge using regex groups here causes severe slowdowns.
5128 // See https://connect.microsoft.com/IE/feedback/details/1736512/
5129 rnoInnerhtml = /<script|<style|<link/i,
5131 // checked="checked" or checked
5132 rchecked = /checked\s*(?:[^=]|=\s*.checked.)/i,
5133 rscriptTypeMasked = /^true\/(.*)/,
5134 rcleanScript = /^\s*<!(?:\[CDATA\[|--)|(?:\]\]|--)>\s*$/g;
5136 // Manipulating tables requires a tbody
5137 function manipulationTarget( elem, content ) {
5138 return jQuery.nodeName( elem, "table" ) &&
5139 jQuery.nodeName( content.nodeType !== 11 ? content : content.firstChild, "tr" ) ?
5141 elem.getElementsByTagName( "tbody" )[ 0 ] ||
5142 elem.appendChild( elem.ownerDocument.createElement( "tbody" ) ) :
5146 // Replace/restore the type attribute of script elements for safe DOM manipulation
5147 function disableScript( elem ) {
5148 elem.type = ( elem.getAttribute( "type" ) !== null ) + "/" + elem.type;
5151 function restoreScript( elem ) {
5152 var match = rscriptTypeMasked.exec( elem.type );
5155 elem.type = match[ 1 ];
5157 elem.removeAttribute( "type" );
5163 function cloneCopyEvent( src, dest ) {
5164 var i, l, type, pdataOld, pdataCur, udataOld, udataCur, events;
5166 if ( dest.nodeType !== 1 ) {
5170 // 1. Copy private data: events, handlers, etc.
5171 if ( dataPriv.hasData( src ) ) {
5172 pdataOld = dataPriv.access( src );
5173 pdataCur = dataPriv.set( dest, pdataOld );
5174 events = pdataOld.events;
5177 delete pdataCur.handle;
5178 pdataCur.events = {};
5180 for ( type in events ) {
5181 for ( i = 0, l = events[ type ].length; i < l; i++ ) {
5182 jQuery.event.add( dest, type, events[ type ][ i ] );
5188 // 2. Copy user data
5189 if ( dataUser.hasData( src ) ) {
5190 udataOld = dataUser.access( src );
5191 udataCur = jQuery.extend( {}, udataOld );
5193 dataUser.set( dest, udataCur );
5197 // Fix IE bugs, see support tests
5198 function fixInput( src, dest ) {
5199 var nodeName = dest.nodeName.toLowerCase();
5201 // Fails to persist the checked state of a cloned checkbox or radio button.
5202 if ( nodeName === "input" && rcheckableType.test( src.type ) ) {
5203 dest.checked = src.checked;
5205 // Fails to return the selected option to the default selected state when cloning options
5206 } else if ( nodeName === "input" || nodeName === "textarea" ) {
5207 dest.defaultValue = src.defaultValue;
5211 function domManip( collection, args, callback, ignored ) {
5213 // Flatten any nested arrays
5214 args = concat.apply( [], args );
5216 var fragment, first, scripts, hasScripts, node, doc,
5218 l = collection.length,
5221 isFunction = jQuery.isFunction( value );
5223 // We can't cloneNode fragments that contain checked, in WebKit
5225 ( l > 1 && typeof value === "string" &&
5226 !support.checkClone && rchecked.test( value ) ) ) {
5227 return collection.each( function( index ) {
5228 var self = collection.eq( index );
5230 args[ 0 ] = value.call( this, index, self.html() );
5232 domManip( self, args, callback, ignored );
5237 fragment = buildFragment( args, collection[ 0 ].ownerDocument, false, collection, ignored );
5238 first = fragment.firstChild;
5240 if ( fragment.childNodes.length === 1 ) {
5244 // Require either new content or an interest in ignored elements to invoke the callback
5245 if ( first || ignored ) {
5246 scripts = jQuery.map( getAll( fragment, "script" ), disableScript );
5247 hasScripts = scripts.length;
5249 // Use the original fragment for the last item
5250 // instead of the first because it can end up
5251 // being emptied incorrectly in certain situations (#8070).
5252 for ( ; i < l; i++ ) {
5255 if ( i !== iNoClone ) {
5256 node = jQuery.clone( node, true, true );
5258 // Keep references to cloned scripts for later restoration
5261 // Support: Android<4.1, PhantomJS<2
5262 // push.apply(_, arraylike) throws on ancient WebKit
5263 jQuery.merge( scripts, getAll( node, "script" ) );
5267 callback.call( collection[ i ], node, i );
5271 doc = scripts[ scripts.length - 1 ].ownerDocument;
5274 jQuery.map( scripts, restoreScript );
5276 // Evaluate executable scripts on first document insertion
5277 for ( i = 0; i < hasScripts; i++ ) {
5278 node = scripts[ i ];
5279 if ( rscriptType.test( node.type || "" ) &&
5280 !dataPriv.access( node, "globalEval" ) &&
5281 jQuery.contains( doc, node ) ) {
5285 // Optional AJAX dependency, but won't run scripts if not present
5286 if ( jQuery._evalUrl ) {
5287 jQuery._evalUrl( node.src );
5290 jQuery.globalEval( node.textContent.replace( rcleanScript, "" ) );
5301 function remove( elem, selector, keepData ) {
5303 nodes = selector ? jQuery.filter( selector, elem ) : elem,
5306 for ( ; ( node = nodes[ i ] ) != null; i++ ) {
5307 if ( !keepData && node.nodeType === 1 ) {
5308 jQuery.cleanData( getAll( node ) );
5311 if ( node.parentNode ) {
5312 if ( keepData && jQuery.contains( node.ownerDocument, node ) ) {
5313 setGlobalEval( getAll( node, "script" ) );
5315 node.parentNode.removeChild( node );
5323 htmlPrefilter: function( html ) {
5324 return html.replace( rxhtmlTag, "<$1></$2>" );
5327 clone: function( elem, dataAndEvents, deepDataAndEvents ) {
5328 var i, l, srcElements, destElements,
5329 clone = elem.cloneNode( true ),
5330 inPage = jQuery.contains( elem.ownerDocument, elem );
5332 // Fix IE cloning issues
5333 if ( !support.noCloneChecked && ( elem.nodeType === 1 || elem.nodeType === 11 ) &&
5334 !jQuery.isXMLDoc( elem ) ) {
5336 // We eschew Sizzle here for performance reasons: http://jsperf.com/getall-vs-sizzle/2
5337 destElements = getAll( clone );
5338 srcElements = getAll( elem );
5340 for ( i = 0, l = srcElements.length; i < l; i++ ) {
5341 fixInput( srcElements[ i ], destElements[ i ] );
5345 // Copy the events from the original to the clone
5346 if ( dataAndEvents ) {
5347 if ( deepDataAndEvents ) {
5348 srcElements = srcElements || getAll( elem );
5349 destElements = destElements || getAll( clone );
5351 for ( i = 0, l = srcElements.length; i < l; i++ ) {
5352 cloneCopyEvent( srcElements[ i ], destElements[ i ] );
5355 cloneCopyEvent( elem, clone );
5359 // Preserve script evaluation history
5360 destElements = getAll( clone, "script" );
5361 if ( destElements.length > 0 ) {
5362 setGlobalEval( destElements, !inPage && getAll( elem, "script" ) );
5365 // Return the cloned set
5369 cleanData: function( elems ) {
5370 var data, elem, type,
5371 special = jQuery.event.special,
5374 for ( ; ( elem = elems[ i ] ) !== undefined; i++ ) {
5375 if ( acceptData( elem ) ) {
5376 if ( ( data = elem[ dataPriv.expando ] ) ) {
5377 if ( data.events ) {
5378 for ( type in data.events ) {
5379 if ( special[ type ] ) {
5380 jQuery.event.remove( elem, type );
5382 // This is a shortcut to avoid jQuery.event.remove's overhead
5384 jQuery.removeEvent( elem, type, data.handle );
5389 // Support: Chrome <= 35-45+
5390 // Assign undefined instead of using delete, see Data#remove
5391 elem[ dataPriv.expando ] = undefined;
5393 if ( elem[ dataUser.expando ] ) {
5395 // Support: Chrome <= 35-45+
5396 // Assign undefined instead of using delete, see Data#remove
5397 elem[ dataUser.expando ] = undefined;
5406 // Keep domManip exposed until 3.0 (gh-2225)
5409 detach: function( selector ) {
5410 return remove( this, selector, true );
5413 remove: function( selector ) {
5414 return remove( this, selector );
5417 text: function( value ) {
5418 return access( this, function( value ) {
5419 return value === undefined ?
5420 jQuery.text( this ) :
5421 this.empty().each( function() {
5422 if ( this.nodeType === 1 || this.nodeType === 11 || this.nodeType === 9 ) {
5423 this.textContent = value;
5426 }, null, value, arguments.length );
5429 append: function() {
5430 return domManip( this, arguments, function( elem ) {
5431 if ( this.nodeType === 1 || this.nodeType === 11 || this.nodeType === 9 ) {
5432 var target = manipulationTarget( this, elem );
5433 target.appendChild( elem );
5438 prepend: function() {
5439 return domManip( this, arguments, function( elem ) {
5440 if ( this.nodeType === 1 || this.nodeType === 11 || this.nodeType === 9 ) {
5441 var target = manipulationTarget( this, elem );
5442 target.insertBefore( elem, target.firstChild );
5447 before: function() {
5448 return domManip( this, arguments, function( elem ) {
5449 if ( this.parentNode ) {
5450 this.parentNode.insertBefore( elem, this );
5456 return domManip( this, arguments, function( elem ) {
5457 if ( this.parentNode ) {
5458 this.parentNode.insertBefore( elem, this.nextSibling );
5467 for ( ; ( elem = this[ i ] ) != null; i++ ) {
5468 if ( elem.nodeType === 1 ) {
5470 // Prevent memory leaks
5471 jQuery.cleanData( getAll( elem, false ) );
5473 // Remove any remaining nodes
5474 elem.textContent = "";
5481 clone: function( dataAndEvents, deepDataAndEvents ) {
5482 dataAndEvents = dataAndEvents == null ? false : dataAndEvents;
5483 deepDataAndEvents = deepDataAndEvents == null ? dataAndEvents : deepDataAndEvents;
5485 return this.map( function() {
5486 return jQuery.clone( this, dataAndEvents, deepDataAndEvents );
5490 html: function( value ) {
5491 return access( this, function( value ) {
5492 var elem = this[ 0 ] || {},
5496 if ( value === undefined && elem.nodeType === 1 ) {
5497 return elem.innerHTML;
5500 // See if we can take a shortcut and just use innerHTML
5501 if ( typeof value === "string" && !rnoInnerhtml.test( value ) &&
5502 !wrapMap[ ( rtagName.exec( value ) || [ "", "" ] )[ 1 ].toLowerCase() ] ) {
5504 value = jQuery.htmlPrefilter( value );
5507 for ( ; i < l; i++ ) {
5508 elem = this[ i ] || {};
5510 // Remove element nodes and prevent memory leaks
5511 if ( elem.nodeType === 1 ) {
5512 jQuery.cleanData( getAll( elem, false ) );
5513 elem.innerHTML = value;
5519 // If using innerHTML throws an exception, use the fallback method
5524 this.empty().append( value );
5526 }, null, value, arguments.length );
5529 replaceWith: function() {
5532 // Make the changes, replacing each non-ignored context element with the new content
5533 return domManip( this, arguments, function( elem ) {
5534 var parent = this.parentNode;
5536 if ( jQuery.inArray( this, ignored ) < 0 ) {
5537 jQuery.cleanData( getAll( this ) );
5539 parent.replaceChild( elem, this );
5543 // Force callback invocation
5550 prependTo: "prepend",
5551 insertBefore: "before",
5552 insertAfter: "after",
5553 replaceAll: "replaceWith"
5554 }, function( name, original ) {
5555 jQuery.fn[ name ] = function( selector ) {
5558 insert = jQuery( selector ),
5559 last = insert.length - 1,
5562 for ( ; i <= last; i++ ) {
5563 elems = i === last ? this : this.clone( true );
5564 jQuery( insert[ i ] )[ original ]( elems );
5566 // Support: QtWebKit
5567 // .get() because push.apply(_, arraylike) throws
5568 push.apply( ret, elems.get() );
5571 return this.pushStack( ret );
5580 // We have to pre-define these values for FF (#10227)
5586 * Retrieve the actual display of a element
5587 * @param {String} name nodeName of the element
5588 * @param {Object} doc Document object
5591 // Called only from within defaultDisplay
5592 function actualDisplay( name, doc ) {
5593 var elem = jQuery( doc.createElement( name ) ).appendTo( doc.body ),
5595 display = jQuery.css( elem[ 0 ], "display" );
5597 // We don't have any data stored on the element,
5598 // so use "detach" method as fast way to get rid of the element
5605 * Try to determine the default display value of an element
5606 * @param {String} nodeName
5608 function defaultDisplay( nodeName ) {
5610 display = elemdisplay[ nodeName ];
5613 display = actualDisplay( nodeName, doc );
5615 // If the simple way fails, read from inside an iframe
5616 if ( display === "none" || !display ) {
5618 // Use the already-created iframe if possible
5619 iframe = ( iframe || jQuery( "<iframe frameborder='0' width='0' height='0'/>" ) )
5620 .appendTo( doc.documentElement );
5622 // Always write a new HTML skeleton so Webkit and Firefox don't choke on reuse
5623 doc = iframe[ 0 ].contentDocument;
5629 display = actualDisplay( nodeName, doc );
5633 // Store the correct default display
5634 elemdisplay[ nodeName ] = display;
5639 var rmargin = ( /^margin/ );
5641 var rnumnonpx = new RegExp( "^(" + pnum + ")(?!px)[a-z%]+$", "i" );
5643 var getStyles = function( elem ) {
5645 // Support: IE<=11+, Firefox<=30+ (#15098, #14150)
5646 // IE throws on elements created in popups
5647 // FF meanwhile throws on frame elements through "defaultView.getComputedStyle"
5648 var view = elem.ownerDocument.defaultView;
5650 if ( !view || !view.opener ) {
5654 return view.getComputedStyle( elem );
5657 var swap = function( elem, options, callback, args ) {
5661 // Remember the old values, and insert the new ones
5662 for ( name in options ) {
5663 old[ name ] = elem.style[ name ];
5664 elem.style[ name ] = options[ name ];
5667 ret = callback.apply( elem, args || [] );
5669 // Revert the old values
5670 for ( name in options ) {
5671 elem.style[ name ] = old[ name ];
5678 var documentElement = document.documentElement;
5683 var pixelPositionVal, boxSizingReliableVal, pixelMarginRightVal, reliableMarginLeftVal,
5684 container = document.createElement( "div" ),
5685 div = document.createElement( "div" );
5687 // Finish early in limited (non-browser) environments
5693 // Style of cloned element affects source element cloned (#8908)
5694 div.style.backgroundClip = "content-box";
5695 div.cloneNode( true ).style.backgroundClip = "";
5696 support.clearCloneStyle = div.style.backgroundClip === "content-box";
5698 container.style.cssText = "border:0;width:8px;height:0;top:0;left:-9999px;" +
5699 "padding:0;margin-top:1px;position:absolute";
5700 container.appendChild( div );
5702 // Executing both pixelPosition & boxSizingReliable tests require only one layout
5703 // so they're executed at the same time to save the second computation.
5704 function computeStyleTests() {
5707 // Support: Firefox<29, Android 2.3
5708 // Vendor-prefix box-sizing
5709 "-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box;" +
5710 "position:relative;display:block;" +
5711 "margin:auto;border:1px;padding:1px;" +
5714 documentElement.appendChild( container );
5716 var divStyle = window.getComputedStyle( div );
5717 pixelPositionVal = divStyle.top !== "1%";
5718 reliableMarginLeftVal = divStyle.marginLeft === "2px";
5719 boxSizingReliableVal = divStyle.width === "4px";
5721 // Support: Android 4.0 - 4.3 only
5722 // Some styles come back with percentage values, even though they shouldn't
5723 div.style.marginRight = "50%";
5724 pixelMarginRightVal = divStyle.marginRight === "4px";
5726 documentElement.removeChild( container );
5729 jQuery.extend( support, {
5730 pixelPosition: function() {
5732 // This test is executed only once but we still do memoizing
5733 // since we can use the boxSizingReliable pre-computing.
5734 // No need to check if the test was already performed, though.
5735 computeStyleTests();
5736 return pixelPositionVal;
5738 boxSizingReliable: function() {
5739 if ( boxSizingReliableVal == null ) {
5740 computeStyleTests();
5742 return boxSizingReliableVal;
5744 pixelMarginRight: function() {
5746 // Support: Android 4.0-4.3
5747 // We're checking for boxSizingReliableVal here instead of pixelMarginRightVal
5748 // since that compresses better and they're computed together anyway.
5749 if ( boxSizingReliableVal == null ) {
5750 computeStyleTests();
5752 return pixelMarginRightVal;
5754 reliableMarginLeft: function() {
5756 // Support: IE <=8 only, Android 4.0 - 4.3 only, Firefox <=3 - 37
5757 if ( boxSizingReliableVal == null ) {
5758 computeStyleTests();
5760 return reliableMarginLeftVal;
5762 reliableMarginRight: function() {
5764 // Support: Android 2.3
5765 // Check if div with explicit width and no margin-right incorrectly
5766 // gets computed margin-right based on width of container. (#3333)
5767 // WebKit Bug 13343 - getComputedStyle returns wrong value for margin-right
5768 // This support function is only executed once so no memoizing is needed.
5770 marginDiv = div.appendChild( document.createElement( "div" ) );
5772 // Reset CSS: box-sizing; display; margin; border; padding
5773 marginDiv.style.cssText = div.style.cssText =
5775 // Support: Android 2.3
5776 // Vendor-prefix box-sizing
5777 "-webkit-box-sizing:content-box;box-sizing:content-box;" +
5778 "display:block;margin:0;border:0;padding:0";
5779 marginDiv.style.marginRight = marginDiv.style.width = "0";
5780 div.style.width = "1px";
5781 documentElement.appendChild( container );
5783 ret = !parseFloat( window.getComputedStyle( marginDiv ).marginRight );
5785 documentElement.removeChild( container );
5786 div.removeChild( marginDiv );
5794 function curCSS( elem, name, computed ) {
5795 var width, minWidth, maxWidth, ret,
5798 computed = computed || getStyles( elem );
5799 ret = computed ? computed.getPropertyValue( name ) || computed[ name ] : undefined;
5801 // Support: Opera 12.1x only
5802 // Fall back to style even without computed
5803 // computed is undefined for elems on document fragments
5804 if ( ( ret === "" || ret === undefined ) && !jQuery.contains( elem.ownerDocument, elem ) ) {
5805 ret = jQuery.style( elem, name );
5809 // getPropertyValue is only needed for .css('filter') (#12537)
5812 // A tribute to the "awesome hack by Dean Edwards"
5813 // Android Browser returns percentage for some values,
5814 // but width seems to be reliably pixels.
5815 // This is against the CSSOM draft spec:
5816 // http://dev.w3.org/csswg/cssom/#resolved-values
5817 if ( !support.pixelMarginRight() && rnumnonpx.test( ret ) && rmargin.test( name ) ) {
5819 // Remember the original values
5820 width = style.width;
5821 minWidth = style.minWidth;
5822 maxWidth = style.maxWidth;
5824 // Put in the new values to get a computed value out
5825 style.minWidth = style.maxWidth = style.width = ret;
5826 ret = computed.width;
5828 // Revert the changed values
5829 style.width = width;
5830 style.minWidth = minWidth;
5831 style.maxWidth = maxWidth;
5835 return ret !== undefined ?
5838 // IE returns zIndex value as an integer.
5844 function addGetHookIf( conditionFn, hookFn ) {
5846 // Define the hook, we'll check on the first run if it's really needed.
5849 if ( conditionFn() ) {
5851 // Hook not needed (or it's not possible to use it due
5852 // to missing dependency), remove it.
5857 // Hook needed; redefine it so that the support test is not executed again.
5858 return ( this.get = hookFn ).apply( this, arguments );
5866 // Swappable if display is none or starts with table
5867 // except "table", "table-cell", or "table-caption"
5868 // See here for display values: https://developer.mozilla.org/en-US/docs/CSS/display
5869 rdisplayswap = /^(none|table(?!-c[ea]).+)/,
5871 cssShow = { position: "absolute", visibility: "hidden", display: "block" },
5872 cssNormalTransform = {
5877 cssPrefixes = [ "Webkit", "O", "Moz", "ms" ],
5878 emptyStyle = document.createElement( "div" ).style;
5880 // Return a css property mapped to a potentially vendor prefixed property
5881 function vendorPropName( name ) {
5883 // Shortcut for names that are not vendor prefixed
5884 if ( name in emptyStyle ) {
5888 // Check for vendor prefixed names
5889 var capName = name[ 0 ].toUpperCase() + name.slice( 1 ),
5890 i = cssPrefixes.length;
5893 name = cssPrefixes[ i ] + capName;
5894 if ( name in emptyStyle ) {
5900 function setPositiveNumber( elem, value, subtract ) {
5902 // Any relative (+/-) values have already been
5903 // normalized at this point
5904 var matches = rcssNum.exec( value );
5907 // Guard against undefined "subtract", e.g., when used as in cssHooks
5908 Math.max( 0, matches[ 2 ] - ( subtract || 0 ) ) + ( matches[ 3 ] || "px" ) :
5912 function augmentWidthOrHeight( elem, name, extra, isBorderBox, styles ) {
5913 var i = extra === ( isBorderBox ? "border" : "content" ) ?
5915 // If we already have the right measurement, avoid augmentation
5918 // Otherwise initialize for horizontal or vertical properties
5919 name === "width" ? 1 : 0,
5923 for ( ; i < 4; i += 2 ) {
5925 // Both box models exclude margin, so add it if we want it
5926 if ( extra === "margin" ) {
5927 val += jQuery.css( elem, extra + cssExpand[ i ], true, styles );
5930 if ( isBorderBox ) {
5932 // border-box includes padding, so remove it if we want content
5933 if ( extra === "content" ) {
5934 val -= jQuery.css( elem, "padding" + cssExpand[ i ], true, styles );
5937 // At this point, extra isn't border nor margin, so remove border
5938 if ( extra !== "margin" ) {
5939 val -= jQuery.css( elem, "border" + cssExpand[ i ] + "Width", true, styles );
5943 // At this point, extra isn't content, so add padding
5944 val += jQuery.css( elem, "padding" + cssExpand[ i ], true, styles );
5946 // At this point, extra isn't content nor padding, so add border
5947 if ( extra !== "padding" ) {
5948 val += jQuery.css( elem, "border" + cssExpand[ i ] + "Width", true, styles );
5956 function getWidthOrHeight( elem, name, extra ) {
5958 // Start with offset property, which is equivalent to the border-box value
5959 var valueIsBorderBox = true,
5960 val = name === "width" ? elem.offsetWidth : elem.offsetHeight,
5961 styles = getStyles( elem ),
5962 isBorderBox = jQuery.css( elem, "boxSizing", false, styles ) === "border-box";
5964 // Support: IE11 only
5965 // In IE 11 fullscreen elements inside of an iframe have
5966 // 100x too small dimensions (gh-1764).
5967 if ( document.msFullscreenElement && window.top !== window ) {
5969 // Support: IE11 only
5970 // Running getBoundingClientRect on a disconnected node
5971 // in IE throws an error.
5972 if ( elem.getClientRects().length ) {
5973 val = Math.round( elem.getBoundingClientRect()[ name ] * 100 );
5977 // Some non-html elements return undefined for offsetWidth, so check for null/undefined
5978 // svg - https://bugzilla.mozilla.org/show_bug.cgi?id=649285
5979 // MathML - https://bugzilla.mozilla.org/show_bug.cgi?id=491668
5980 if ( val <= 0 || val == null ) {
5982 // Fall back to computed then uncomputed css if necessary
5983 val = curCSS( elem, name, styles );
5984 if ( val < 0 || val == null ) {
5985 val = elem.style[ name ];
5988 // Computed unit is not pixels. Stop here and return.
5989 if ( rnumnonpx.test( val ) ) {
5993 // Check for style in case a browser which returns unreliable values
5994 // for getComputedStyle silently falls back to the reliable elem.style
5995 valueIsBorderBox = isBorderBox &&
5996 ( support.boxSizingReliable() || val === elem.style[ name ] );
5998 // Normalize "", auto, and prepare for extra
5999 val = parseFloat( val ) || 0;
6002 // Use the active box-sizing model to add/subtract irrelevant styles
6004 augmentWidthOrHeight(
6007 extra || ( isBorderBox ? "border" : "content" ),
6014 function showHide( elements, show ) {
6015 var display, elem, hidden,
6018 length = elements.length;
6020 for ( ; index < length; index++ ) {
6021 elem = elements[ index ];
6022 if ( !elem.style ) {
6026 values[ index ] = dataPriv.get( elem, "olddisplay" );
6027 display = elem.style.display;
6030 // Reset the inline display of this element to learn if it is
6031 // being hidden by cascaded rules or not
6032 if ( !values[ index ] && display === "none" ) {
6033 elem.style.display = "";
6036 // Set elements which have been overridden with display: none
6037 // in a stylesheet to whatever the default browser style is
6038 // for such an element
6039 if ( elem.style.display === "" && isHidden( elem ) ) {
6040 values[ index ] = dataPriv.access(
6043 defaultDisplay( elem.nodeName )
6047 hidden = isHidden( elem );
6049 if ( display !== "none" || !hidden ) {
6053 hidden ? display : jQuery.css( elem, "display" )
6059 // Set the display of most of the elements in a second loop
6060 // to avoid the constant reflow
6061 for ( index = 0; index < length; index++ ) {
6062 elem = elements[ index ];
6063 if ( !elem.style ) {
6066 if ( !show || elem.style.display === "none" || elem.style.display === "" ) {
6067 elem.style.display = show ? values[ index ] || "" : "none";
6076 // Add in style property hooks for overriding the default
6077 // behavior of getting and setting a style property
6080 get: function( elem, computed ) {
6083 // We should always get a number back from opacity
6084 var ret = curCSS( elem, "opacity" );
6085 return ret === "" ? "1" : ret;
6091 // Don't automatically add "px" to these possibly-unitless properties
6093 "animationIterationCount": true,
6094 "columnCount": true,
6095 "fillOpacity": true,
6108 // Add in properties whose names you wish to fix before
6109 // setting or getting the value
6114 // Get and set the style property on a DOM Node
6115 style: function( elem, name, value, extra ) {
6117 // Don't set styles on text and comment nodes
6118 if ( !elem || elem.nodeType === 3 || elem.nodeType === 8 || !elem.style ) {
6122 // Make sure that we're working with the right name
6123 var ret, type, hooks,
6124 origName = jQuery.camelCase( name ),
6127 name = jQuery.cssProps[ origName ] ||
6128 ( jQuery.cssProps[ origName ] = vendorPropName( origName ) || origName );
6130 // Gets hook for the prefixed version, then unprefixed version
6131 hooks = jQuery.cssHooks[ name ] || jQuery.cssHooks[ origName ];
6133 // Check if we're setting a value
6134 if ( value !== undefined ) {
6135 type = typeof value;
6137 // Convert "+=" or "-=" to relative numbers (#7345)
6138 if ( type === "string" && ( ret = rcssNum.exec( value ) ) && ret[ 1 ] ) {
6139 value = adjustCSS( elem, name, ret );
6145 // Make sure that null and NaN values aren't set (#7116)
6146 if ( value == null || value !== value ) {
6150 // If a number was passed in, add the unit (except for certain CSS properties)
6151 if ( type === "number" ) {
6152 value += ret && ret[ 3 ] || ( jQuery.cssNumber[ origName ] ? "" : "px" );
6156 // background-* props affect original clone's values
6157 if ( !support.clearCloneStyle && value === "" && name.indexOf( "background" ) === 0 ) {
6158 style[ name ] = "inherit";
6161 // If a hook was provided, use that value, otherwise just set the specified value
6162 if ( !hooks || !( "set" in hooks ) ||
6163 ( value = hooks.set( elem, value, extra ) ) !== undefined ) {
6165 style[ name ] = value;
6170 // If a hook was provided get the non-computed value from there
6171 if ( hooks && "get" in hooks &&
6172 ( ret = hooks.get( elem, false, extra ) ) !== undefined ) {
6177 // Otherwise just get the value from the style object
6178 return style[ name ];
6182 css: function( elem, name, extra, styles ) {
6183 var val, num, hooks,
6184 origName = jQuery.camelCase( name );
6186 // Make sure that we're working with the right name
6187 name = jQuery.cssProps[ origName ] ||
6188 ( jQuery.cssProps[ origName ] = vendorPropName( origName ) || origName );
6190 // Try prefixed name followed by the unprefixed name
6191 hooks = jQuery.cssHooks[ name ] || jQuery.cssHooks[ origName ];
6193 // If a hook was provided get the computed value from there
6194 if ( hooks && "get" in hooks ) {
6195 val = hooks.get( elem, true, extra );
6198 // Otherwise, if a way to get the computed value exists, use that
6199 if ( val === undefined ) {
6200 val = curCSS( elem, name, styles );
6203 // Convert "normal" to computed value
6204 if ( val === "normal" && name in cssNormalTransform ) {
6205 val = cssNormalTransform[ name ];
6208 // Make numeric if forced or a qualifier was provided and val looks numeric
6209 if ( extra === "" || extra ) {
6210 num = parseFloat( val );
6211 return extra === true || isFinite( num ) ? num || 0 : val;
6217 jQuery.each( [ "height", "width" ], function( i, name ) {
6218 jQuery.cssHooks[ name ] = {
6219 get: function( elem, computed, extra ) {
6222 // Certain elements can have dimension info if we invisibly show them
6223 // but it must have a current display style that would benefit
6224 return rdisplayswap.test( jQuery.css( elem, "display" ) ) &&
6225 elem.offsetWidth === 0 ?
6226 swap( elem, cssShow, function() {
6227 return getWidthOrHeight( elem, name, extra );
6229 getWidthOrHeight( elem, name, extra );
6233 set: function( elem, value, extra ) {
6235 styles = extra && getStyles( elem ),
6236 subtract = extra && augmentWidthOrHeight(
6240 jQuery.css( elem, "boxSizing", false, styles ) === "border-box",
6244 // Convert to pixels if value adjustment is needed
6245 if ( subtract && ( matches = rcssNum.exec( value ) ) &&
6246 ( matches[ 3 ] || "px" ) !== "px" ) {
6248 elem.style[ name ] = value;
6249 value = jQuery.css( elem, name );
6252 return setPositiveNumber( elem, value, subtract );
6257 jQuery.cssHooks.marginLeft = addGetHookIf( support.reliableMarginLeft,
6258 function( elem, computed ) {
6260 return ( parseFloat( curCSS( elem, "marginLeft" ) ) ||
6261 elem.getBoundingClientRect().left -
6262 swap( elem, { marginLeft: 0 }, function() {
6263 return elem.getBoundingClientRect().left;
6270 // Support: Android 2.3
6271 jQuery.cssHooks.marginRight = addGetHookIf( support.reliableMarginRight,
6272 function( elem, computed ) {
6274 return swap( elem, { "display": "inline-block" },
6275 curCSS, [ elem, "marginRight" ] );
6280 // These hooks are used by animate to expand properties
6285 }, function( prefix, suffix ) {
6286 jQuery.cssHooks[ prefix + suffix ] = {
6287 expand: function( value ) {
6291 // Assumes a single number if not a string
6292 parts = typeof value === "string" ? value.split( " " ) : [ value ];
6294 for ( ; i < 4; i++ ) {
6295 expanded[ prefix + cssExpand[ i ] + suffix ] =
6296 parts[ i ] || parts[ i - 2 ] || parts[ 0 ];
6303 if ( !rmargin.test( prefix ) ) {
6304 jQuery.cssHooks[ prefix + suffix ].set = setPositiveNumber;
6309 css: function( name, value ) {
6310 return access( this, function( elem, name, value ) {
6315 if ( jQuery.isArray( name ) ) {
6316 styles = getStyles( elem );
6319 for ( ; i < len; i++ ) {
6320 map[ name[ i ] ] = jQuery.css( elem, name[ i ], false, styles );
6326 return value !== undefined ?
6327 jQuery.style( elem, name, value ) :
6328 jQuery.css( elem, name );
6329 }, name, value, arguments.length > 1 );
6332 return showHide( this, true );
6335 return showHide( this );
6337 toggle: function( state ) {
6338 if ( typeof state === "boolean" ) {
6339 return state ? this.show() : this.hide();
6342 return this.each( function() {
6343 if ( isHidden( this ) ) {
6344 jQuery( this ).show();
6346 jQuery( this ).hide();
6353 function Tween( elem, options, prop, end, easing ) {
6354 return new Tween.prototype.init( elem, options, prop, end, easing );
6356 jQuery.Tween = Tween;
6360 init: function( elem, options, prop, end, easing, unit ) {
6363 this.easing = easing || jQuery.easing._default;
6364 this.options = options;
6365 this.start = this.now = this.cur();
6367 this.unit = unit || ( jQuery.cssNumber[ prop ] ? "" : "px" );
6370 var hooks = Tween.propHooks[ this.prop ];
6372 return hooks && hooks.get ?
6374 Tween.propHooks._default.get( this );
6376 run: function( percent ) {
6378 hooks = Tween.propHooks[ this.prop ];
6380 if ( this.options.duration ) {
6381 this.pos = eased = jQuery.easing[ this.easing ](
6382 percent, this.options.duration * percent, 0, 1, this.options.duration
6385 this.pos = eased = percent;
6387 this.now = ( this.end - this.start ) * eased + this.start;
6389 if ( this.options.step ) {
6390 this.options.step.call( this.elem, this.now, this );
6393 if ( hooks && hooks.set ) {
6396 Tween.propHooks._default.set( this );
6402 Tween.prototype.init.prototype = Tween.prototype;
6406 get: function( tween ) {
6409 // Use a property on the element directly when it is not a DOM element,
6410 // or when there is no matching style property that exists.
6411 if ( tween.elem.nodeType !== 1 ||
6412 tween.elem[ tween.prop ] != null && tween.elem.style[ tween.prop ] == null ) {
6413 return tween.elem[ tween.prop ];
6416 // Passing an empty string as a 3rd parameter to .css will automatically
6417 // attempt a parseFloat and fallback to a string if the parse fails.
6418 // Simple values such as "10px" are parsed to Float;
6419 // complex values such as "rotate(1rad)" are returned as-is.
6420 result = jQuery.css( tween.elem, tween.prop, "" );
6422 // Empty strings, null, undefined and "auto" are converted to 0.
6423 return !result || result === "auto" ? 0 : result;
6425 set: function( tween ) {
6427 // Use step hook for back compat.
6428 // Use cssHook if its there.
6429 // Use .style if available and use plain properties where available.
6430 if ( jQuery.fx.step[ tween.prop ] ) {
6431 jQuery.fx.step[ tween.prop ]( tween );
6432 } else if ( tween.elem.nodeType === 1 &&
6433 ( tween.elem.style[ jQuery.cssProps[ tween.prop ] ] != null ||
6434 jQuery.cssHooks[ tween.prop ] ) ) {
6435 jQuery.style( tween.elem, tween.prop, tween.now + tween.unit );
6437 tween.elem[ tween.prop ] = tween.now;
6444 // Panic based approach to setting things on disconnected nodes
6445 Tween.propHooks.scrollTop = Tween.propHooks.scrollLeft = {
6446 set: function( tween ) {
6447 if ( tween.elem.nodeType && tween.elem.parentNode ) {
6448 tween.elem[ tween.prop ] = tween.now;
6454 linear: function( p ) {
6457 swing: function( p ) {
6458 return 0.5 - Math.cos( p * Math.PI ) / 2;
6463 jQuery.fx = Tween.prototype.init;
6465 // Back Compat <1.8 extension point
6466 jQuery.fx.step = {};
6473 rfxtypes = /^(?:toggle|show|hide)$/,
6474 rrun = /queueHooks$/;
6476 // Animations created synchronously will run synchronously
6477 function createFxNow() {
6478 window.setTimeout( function() {
6481 return ( fxNow = jQuery.now() );
6484 // Generate parameters to create a standard animation
6485 function genFx( type, includeWidth ) {
6488 attrs = { height: type };
6490 // If we include width, step value is 1 to do all cssExpand values,
6491 // otherwise step value is 2 to skip over Left and Right
6492 includeWidth = includeWidth ? 1 : 0;
6493 for ( ; i < 4 ; i += 2 - includeWidth ) {
6494 which = cssExpand[ i ];
6495 attrs[ "margin" + which ] = attrs[ "padding" + which ] = type;
6498 if ( includeWidth ) {
6499 attrs.opacity = attrs.width = type;
6505 function createTween( value, prop, animation ) {
6507 collection = ( Animation.tweeners[ prop ] || [] ).concat( Animation.tweeners[ "*" ] ),
6509 length = collection.length;
6510 for ( ; index < length; index++ ) {
6511 if ( ( tween = collection[ index ].call( animation, prop, value ) ) ) {
6513 // We're done with this property
6519 function defaultPrefilter( elem, props, opts ) {
6520 /* jshint validthis: true */
6521 var prop, value, toggle, tween, hooks, oldfire, display, checkDisplay,
6525 hidden = elem.nodeType && isHidden( elem ),
6526 dataShow = dataPriv.get( elem, "fxshow" );
6528 // Handle queue: false promises
6529 if ( !opts.queue ) {
6530 hooks = jQuery._queueHooks( elem, "fx" );
6531 if ( hooks.unqueued == null ) {
6533 oldfire = hooks.empty.fire;
6534 hooks.empty.fire = function() {
6535 if ( !hooks.unqueued ) {
6542 anim.always( function() {
6544 // Ensure the complete handler is called before this completes
6545 anim.always( function() {
6547 if ( !jQuery.queue( elem, "fx" ).length ) {
6554 // Height/width overflow pass
6555 if ( elem.nodeType === 1 && ( "height" in props || "width" in props ) ) {
6557 // Make sure that nothing sneaks out
6558 // Record all 3 overflow attributes because IE9-10 do not
6559 // change the overflow attribute when overflowX and
6560 // overflowY are set to the same value
6561 opts.overflow = [ style.overflow, style.overflowX, style.overflowY ];
6563 // Set display property to inline-block for height/width
6564 // animations on inline elements that are having width/height animated
6565 display = jQuery.css( elem, "display" );
6567 // Test default display if display is currently "none"
6568 checkDisplay = display === "none" ?
6569 dataPriv.get( elem, "olddisplay" ) || defaultDisplay( elem.nodeName ) : display;
6571 if ( checkDisplay === "inline" && jQuery.css( elem, "float" ) === "none" ) {
6572 style.display = "inline-block";
6576 if ( opts.overflow ) {
6577 style.overflow = "hidden";
6578 anim.always( function() {
6579 style.overflow = opts.overflow[ 0 ];
6580 style.overflowX = opts.overflow[ 1 ];
6581 style.overflowY = opts.overflow[ 2 ];
6586 for ( prop in props ) {
6587 value = props[ prop ];
6588 if ( rfxtypes.exec( value ) ) {
6589 delete props[ prop ];
6590 toggle = toggle || value === "toggle";
6591 if ( value === ( hidden ? "hide" : "show" ) ) {
6593 // If there is dataShow left over from a stopped hide or show
6594 // and we are going to proceed with show, we should pretend to be hidden
6595 if ( value === "show" && dataShow && dataShow[ prop ] !== undefined ) {
6601 orig[ prop ] = dataShow && dataShow[ prop ] || jQuery.style( elem, prop );
6603 // Any non-fx value stops us from restoring the original display value
6605 display = undefined;
6609 if ( !jQuery.isEmptyObject( orig ) ) {
6611 if ( "hidden" in dataShow ) {
6612 hidden = dataShow.hidden;
6615 dataShow = dataPriv.access( elem, "fxshow", {} );
6618 // Store state if its toggle - enables .stop().toggle() to "reverse"
6620 dataShow.hidden = !hidden;
6623 jQuery( elem ).show();
6625 anim.done( function() {
6626 jQuery( elem ).hide();
6629 anim.done( function() {
6632 dataPriv.remove( elem, "fxshow" );
6633 for ( prop in orig ) {
6634 jQuery.style( elem, prop, orig[ prop ] );
6637 for ( prop in orig ) {
6638 tween = createTween( hidden ? dataShow[ prop ] : 0, prop, anim );
6640 if ( !( prop in dataShow ) ) {
6641 dataShow[ prop ] = tween.start;
6643 tween.end = tween.start;
6644 tween.start = prop === "width" || prop === "height" ? 1 : 0;
6649 // If this is a noop like .hide().hide(), restore an overwritten display value
6650 } else if ( ( display === "none" ? defaultDisplay( elem.nodeName ) : display ) === "inline" ) {
6651 style.display = display;
6655 function propFilter( props, specialEasing ) {
6656 var index, name, easing, value, hooks;
6658 // camelCase, specialEasing and expand cssHook pass
6659 for ( index in props ) {
6660 name = jQuery.camelCase( index );
6661 easing = specialEasing[ name ];
6662 value = props[ index ];
6663 if ( jQuery.isArray( value ) ) {
6664 easing = value[ 1 ];
6665 value = props[ index ] = value[ 0 ];
6668 if ( index !== name ) {
6669 props[ name ] = value;
6670 delete props[ index ];
6673 hooks = jQuery.cssHooks[ name ];
6674 if ( hooks && "expand" in hooks ) {
6675 value = hooks.expand( value );
6676 delete props[ name ];
6678 // Not quite $.extend, this won't overwrite existing keys.
6679 // Reusing 'index' because we have the correct "name"
6680 for ( index in value ) {
6681 if ( !( index in props ) ) {
6682 props[ index ] = value[ index ];
6683 specialEasing[ index ] = easing;
6687 specialEasing[ name ] = easing;
6692 function Animation( elem, properties, options ) {
6696 length = Animation.prefilters.length,
6697 deferred = jQuery.Deferred().always( function() {
6699 // Don't match elem in the :animated selector
6706 var currentTime = fxNow || createFxNow(),
6707 remaining = Math.max( 0, animation.startTime + animation.duration - currentTime ),
6709 // Support: Android 2.3
6710 // Archaic crash bug won't allow us to use `1 - ( 0.5 || 0 )` (#12497)
6711 temp = remaining / animation.duration || 0,
6714 length = animation.tweens.length;
6716 for ( ; index < length ; index++ ) {
6717 animation.tweens[ index ].run( percent );
6720 deferred.notifyWith( elem, [ animation, percent, remaining ] );
6722 if ( percent < 1 && length ) {
6725 deferred.resolveWith( elem, [ animation ] );
6729 animation = deferred.promise( {
6731 props: jQuery.extend( {}, properties ),
6732 opts: jQuery.extend( true, {
6734 easing: jQuery.easing._default
6736 originalProperties: properties,
6737 originalOptions: options,
6738 startTime: fxNow || createFxNow(),
6739 duration: options.duration,
6741 createTween: function( prop, end ) {
6742 var tween = jQuery.Tween( elem, animation.opts, prop, end,
6743 animation.opts.specialEasing[ prop ] || animation.opts.easing );
6744 animation.tweens.push( tween );
6747 stop: function( gotoEnd ) {
6750 // If we are going to the end, we want to run all the tweens
6751 // otherwise we skip this part
6752 length = gotoEnd ? animation.tweens.length : 0;
6757 for ( ; index < length ; index++ ) {
6758 animation.tweens[ index ].run( 1 );
6761 // Resolve when we played the last frame; otherwise, reject
6763 deferred.notifyWith( elem, [ animation, 1, 0 ] );
6764 deferred.resolveWith( elem, [ animation, gotoEnd ] );
6766 deferred.rejectWith( elem, [ animation, gotoEnd ] );
6771 props = animation.props;
6773 propFilter( props, animation.opts.specialEasing );
6775 for ( ; index < length ; index++ ) {
6776 result = Animation.prefilters[ index ].call( animation, elem, props, animation.opts );
6778 if ( jQuery.isFunction( result.stop ) ) {
6779 jQuery._queueHooks( animation.elem, animation.opts.queue ).stop =
6780 jQuery.proxy( result.stop, result );
6786 jQuery.map( props, createTween, animation );
6788 if ( jQuery.isFunction( animation.opts.start ) ) {
6789 animation.opts.start.call( elem, animation );
6793 jQuery.extend( tick, {
6796 queue: animation.opts.queue
6800 // attach callbacks from options
6801 return animation.progress( animation.opts.progress )
6802 .done( animation.opts.done, animation.opts.complete )
6803 .fail( animation.opts.fail )
6804 .always( animation.opts.always );
6807 jQuery.Animation = jQuery.extend( Animation, {
6809 "*": [ function( prop, value ) {
6810 var tween = this.createTween( prop, value );
6811 adjustCSS( tween.elem, prop, rcssNum.exec( value ), tween );
6816 tweener: function( props, callback ) {
6817 if ( jQuery.isFunction( props ) ) {
6821 props = props.match( rnotwhite );
6826 length = props.length;
6828 for ( ; index < length ; index++ ) {
6829 prop = props[ index ];
6830 Animation.tweeners[ prop ] = Animation.tweeners[ prop ] || [];
6831 Animation.tweeners[ prop ].unshift( callback );
6835 prefilters: [ defaultPrefilter ],
6837 prefilter: function( callback, prepend ) {
6839 Animation.prefilters.unshift( callback );
6841 Animation.prefilters.push( callback );
6846 jQuery.speed = function( speed, easing, fn ) {
6847 var opt = speed && typeof speed === "object" ? jQuery.extend( {}, speed ) : {
6848 complete: fn || !fn && easing ||
6849 jQuery.isFunction( speed ) && speed,
6851 easing: fn && easing || easing && !jQuery.isFunction( easing ) && easing
6854 opt.duration = jQuery.fx.off ? 0 : typeof opt.duration === "number" ?
6855 opt.duration : opt.duration in jQuery.fx.speeds ?
6856 jQuery.fx.speeds[ opt.duration ] : jQuery.fx.speeds._default;
6858 // Normalize opt.queue - true/undefined/null -> "fx"
6859 if ( opt.queue == null || opt.queue === true ) {
6864 opt.old = opt.complete;
6866 opt.complete = function() {
6867 if ( jQuery.isFunction( opt.old ) ) {
6868 opt.old.call( this );
6872 jQuery.dequeue( this, opt.queue );
6880 fadeTo: function( speed, to, easing, callback ) {
6882 // Show any hidden elements after setting opacity to 0
6883 return this.filter( isHidden ).css( "opacity", 0 ).show()
6885 // Animate to the value specified
6886 .end().animate( { opacity: to }, speed, easing, callback );
6888 animate: function( prop, speed, easing, callback ) {
6889 var empty = jQuery.isEmptyObject( prop ),
6890 optall = jQuery.speed( speed, easing, callback ),
6891 doAnimation = function() {
6893 // Operate on a copy of prop so per-property easing won't be lost
6894 var anim = Animation( this, jQuery.extend( {}, prop ), optall );
6896 // Empty animations, or finishing resolves immediately
6897 if ( empty || dataPriv.get( this, "finish" ) ) {
6901 doAnimation.finish = doAnimation;
6903 return empty || optall.queue === false ?
6904 this.each( doAnimation ) :
6905 this.queue( optall.queue, doAnimation );
6907 stop: function( type, clearQueue, gotoEnd ) {
6908 var stopQueue = function( hooks ) {
6909 var stop = hooks.stop;
6914 if ( typeof type !== "string" ) {
6915 gotoEnd = clearQueue;
6919 if ( clearQueue && type !== false ) {
6920 this.queue( type || "fx", [] );
6923 return this.each( function() {
6925 index = type != null && type + "queueHooks",
6926 timers = jQuery.timers,
6927 data = dataPriv.get( this );
6930 if ( data[ index ] && data[ index ].stop ) {
6931 stopQueue( data[ index ] );
6934 for ( index in data ) {
6935 if ( data[ index ] && data[ index ].stop && rrun.test( index ) ) {
6936 stopQueue( data[ index ] );
6941 for ( index = timers.length; index--; ) {
6942 if ( timers[ index ].elem === this &&
6943 ( type == null || timers[ index ].queue === type ) ) {
6945 timers[ index ].anim.stop( gotoEnd );
6947 timers.splice( index, 1 );
6951 // Start the next in the queue if the last step wasn't forced.
6952 // Timers currently will call their complete callbacks, which
6953 // will dequeue but only if they were gotoEnd.
6954 if ( dequeue || !gotoEnd ) {
6955 jQuery.dequeue( this, type );
6959 finish: function( type ) {
6960 if ( type !== false ) {
6961 type = type || "fx";
6963 return this.each( function() {
6965 data = dataPriv.get( this ),
6966 queue = data[ type + "queue" ],
6967 hooks = data[ type + "queueHooks" ],
6968 timers = jQuery.timers,
6969 length = queue ? queue.length : 0;
6971 // Enable finishing flag on private data
6974 // Empty the queue first
6975 jQuery.queue( this, type, [] );
6977 if ( hooks && hooks.stop ) {
6978 hooks.stop.call( this, true );
6981 // Look for any active animations, and finish them
6982 for ( index = timers.length; index--; ) {
6983 if ( timers[ index ].elem === this && timers[ index ].queue === type ) {
6984 timers[ index ].anim.stop( true );
6985 timers.splice( index, 1 );
6989 // Look for any animations in the old queue and finish them
6990 for ( index = 0; index < length; index++ ) {
6991 if ( queue[ index ] && queue[ index ].finish ) {
6992 queue[ index ].finish.call( this );
6996 // Turn off finishing flag
7002 jQuery.each( [ "toggle", "show", "hide" ], function( i, name ) {
7003 var cssFn = jQuery.fn[ name ];
7004 jQuery.fn[ name ] = function( speed, easing, callback ) {
7005 return speed == null || typeof speed === "boolean" ?
7006 cssFn.apply( this, arguments ) :
7007 this.animate( genFx( name, true ), speed, easing, callback );
7011 // Generate shortcuts for custom animations
7013 slideDown: genFx( "show" ),
7014 slideUp: genFx( "hide" ),
7015 slideToggle: genFx( "toggle" ),
7016 fadeIn: { opacity: "show" },
7017 fadeOut: { opacity: "hide" },
7018 fadeToggle: { opacity: "toggle" }
7019 }, function( name, props ) {
7020 jQuery.fn[ name ] = function( speed, easing, callback ) {
7021 return this.animate( props, speed, easing, callback );
7026 jQuery.fx.tick = function() {
7029 timers = jQuery.timers;
7031 fxNow = jQuery.now();
7033 for ( ; i < timers.length; i++ ) {
7034 timer = timers[ i ];
7036 // Checks the timer has not already been removed
7037 if ( !timer() && timers[ i ] === timer ) {
7038 timers.splice( i--, 1 );
7042 if ( !timers.length ) {
7048 jQuery.fx.timer = function( timer ) {
7049 jQuery.timers.push( timer );
7053 jQuery.timers.pop();
7057 jQuery.fx.interval = 13;
7058 jQuery.fx.start = function() {
7060 timerId = window.setInterval( jQuery.fx.tick, jQuery.fx.interval );
7064 jQuery.fx.stop = function() {
7065 window.clearInterval( timerId );
7070 jQuery.fx.speeds = {
7079 // Based off of the plugin by Clint Helfers, with permission.
7080 // http://web.archive.org/web/20100324014747/http://blindsignals.com/index.php/2009/07/jquery-delay/
7081 jQuery.fn.delay = function( time, type ) {
7082 time = jQuery.fx ? jQuery.fx.speeds[ time ] || time : time;
7083 type = type || "fx";
7085 return this.queue( type, function( next, hooks ) {
7086 var timeout = window.setTimeout( next, time );
7087 hooks.stop = function() {
7088 window.clearTimeout( timeout );
7095 var input = document.createElement( "input" ),
7096 select = document.createElement( "select" ),
7097 opt = select.appendChild( document.createElement( "option" ) );
7099 input.type = "checkbox";
7101 // Support: iOS<=5.1, Android<=4.2+
7102 // Default value for a checkbox should be "on"
7103 support.checkOn = input.value !== "";
7106 // Must access selectedIndex to make default options select
7107 support.optSelected = opt.selected;
7109 // Support: Android<=2.3
7110 // Options inside disabled selects are incorrectly marked as disabled
7111 select.disabled = true;
7112 support.optDisabled = !opt.disabled;
7115 // An input loses its value after becoming a radio
7116 input = document.createElement( "input" );
7118 input.type = "radio";
7119 support.radioValue = input.value === "t";
7124 attrHandle = jQuery.expr.attrHandle;
7127 attr: function( name, value ) {
7128 return access( this, jQuery.attr, name, value, arguments.length > 1 );
7131 removeAttr: function( name ) {
7132 return this.each( function() {
7133 jQuery.removeAttr( this, name );
7139 attr: function( elem, name, value ) {
7141 nType = elem.nodeType;
7143 // Don't get/set attributes on text, comment and attribute nodes
7144 if ( nType === 3 || nType === 8 || nType === 2 ) {
7148 // Fallback to prop when attributes are not supported
7149 if ( typeof elem.getAttribute === "undefined" ) {
7150 return jQuery.prop( elem, name, value );
7153 // All attributes are lowercase
7154 // Grab necessary hook if one is defined
7155 if ( nType !== 1 || !jQuery.isXMLDoc( elem ) ) {
7156 name = name.toLowerCase();
7157 hooks = jQuery.attrHooks[ name ] ||
7158 ( jQuery.expr.match.bool.test( name ) ? boolHook : undefined );
7161 if ( value !== undefined ) {
7162 if ( value === null ) {
7163 jQuery.removeAttr( elem, name );
7167 if ( hooks && "set" in hooks &&
7168 ( ret = hooks.set( elem, value, name ) ) !== undefined ) {
7172 elem.setAttribute( name, value + "" );
7176 if ( hooks && "get" in hooks && ( ret = hooks.get( elem, name ) ) !== null ) {
7180 ret = jQuery.find.attr( elem, name );
7182 // Non-existent attributes return null, we normalize to undefined
7183 return ret == null ? undefined : ret;
7188 set: function( elem, value ) {
7189 if ( !support.radioValue && value === "radio" &&
7190 jQuery.nodeName( elem, "input" ) ) {
7191 var val = elem.value;
7192 elem.setAttribute( "type", value );
7202 removeAttr: function( elem, value ) {
7205 attrNames = value && value.match( rnotwhite );
7207 if ( attrNames && elem.nodeType === 1 ) {
7208 while ( ( name = attrNames[ i++ ] ) ) {
7209 propName = jQuery.propFix[ name ] || name;
7211 // Boolean attributes get special treatment (#10870)
7212 if ( jQuery.expr.match.bool.test( name ) ) {
7214 // Set corresponding property to false
7215 elem[ propName ] = false;
7218 elem.removeAttribute( name );
7224 // Hooks for boolean attributes
7226 set: function( elem, value, name ) {
7227 if ( value === false ) {
7229 // Remove boolean attributes when set to false
7230 jQuery.removeAttr( elem, name );
7232 elem.setAttribute( name, name );
7237 jQuery.each( jQuery.expr.match.bool.source.match( /\w+/g ), function( i, name ) {
7238 var getter = attrHandle[ name ] || jQuery.find.attr;
7240 attrHandle[ name ] = function( elem, name, isXML ) {
7244 // Avoid an infinite loop by temporarily removing this function from the getter
7245 handle = attrHandle[ name ];
7246 attrHandle[ name ] = ret;
7247 ret = getter( elem, name, isXML ) != null ?
7248 name.toLowerCase() :
7250 attrHandle[ name ] = handle;
7259 var rfocusable = /^(?:input|select|textarea|button)$/i,
7260 rclickable = /^(?:a|area)$/i;
7263 prop: function( name, value ) {
7264 return access( this, jQuery.prop, name, value, arguments.length > 1 );
7267 removeProp: function( name ) {
7268 return this.each( function() {
7269 delete this[ jQuery.propFix[ name ] || name ];
7275 prop: function( elem, name, value ) {
7277 nType = elem.nodeType;
7279 // Don't get/set properties on text, comment and attribute nodes
7280 if ( nType === 3 || nType === 8 || nType === 2 ) {
7284 if ( nType !== 1 || !jQuery.isXMLDoc( elem ) ) {
7286 // Fix name and attach hooks
7287 name = jQuery.propFix[ name ] || name;
7288 hooks = jQuery.propHooks[ name ];
7291 if ( value !== undefined ) {
7292 if ( hooks && "set" in hooks &&
7293 ( ret = hooks.set( elem, value, name ) ) !== undefined ) {
7297 return ( elem[ name ] = value );
7300 if ( hooks && "get" in hooks && ( ret = hooks.get( elem, name ) ) !== null ) {
7304 return elem[ name ];
7309 get: function( elem ) {
7311 // elem.tabIndex doesn't always return the
7312 // correct value when it hasn't been explicitly set
7313 // http://fluidproject.org/blog/2008/01/09/getting-setting-and-removing-tabindex-values-with-javascript/
7314 // Use proper attribute retrieval(#12072)
7315 var tabindex = jQuery.find.attr( elem, "tabindex" );
7318 parseInt( tabindex, 10 ) :
7319 rfocusable.test( elem.nodeName ) ||
7320 rclickable.test( elem.nodeName ) && elem.href ?
7329 "class": "className"
7333 // Support: IE <=11 only
7334 // Accessing the selectedIndex property
7335 // forces the browser to respect setting selected
7337 // The getter ensures a default option is selected
7338 // when in an optgroup
7339 if ( !support.optSelected ) {
7340 jQuery.propHooks.selected = {
7341 get: function( elem ) {
7342 var parent = elem.parentNode;
7343 if ( parent && parent.parentNode ) {
7344 parent.parentNode.selectedIndex;
7348 set: function( elem ) {
7349 var parent = elem.parentNode;
7351 parent.selectedIndex;
7353 if ( parent.parentNode ) {
7354 parent.parentNode.selectedIndex;
7373 jQuery.propFix[ this.toLowerCase() ] = this;
7379 var rclass = /[\t\r\n\f]/g;
7381 function getClass( elem ) {
7382 return elem.getAttribute && elem.getAttribute( "class" ) || "";
7386 addClass: function( value ) {
7387 var classes, elem, cur, curValue, clazz, j, finalValue,
7390 if ( jQuery.isFunction( value ) ) {
7391 return this.each( function( j ) {
7392 jQuery( this ).addClass( value.call( this, j, getClass( this ) ) );
7396 if ( typeof value === "string" && value ) {
7397 classes = value.match( rnotwhite ) || [];
7399 while ( ( elem = this[ i++ ] ) ) {
7400 curValue = getClass( elem );
7401 cur = elem.nodeType === 1 &&
7402 ( " " + curValue + " " ).replace( rclass, " " );
7406 while ( ( clazz = classes[ j++ ] ) ) {
7407 if ( cur.indexOf( " " + clazz + " " ) < 0 ) {
7412 // Only assign if different to avoid unneeded rendering.
7413 finalValue = jQuery.trim( cur );
7414 if ( curValue !== finalValue ) {
7415 elem.setAttribute( "class", finalValue );
7424 removeClass: function( value ) {
7425 var classes, elem, cur, curValue, clazz, j, finalValue,
7428 if ( jQuery.isFunction( value ) ) {
7429 return this.each( function( j ) {
7430 jQuery( this ).removeClass( value.call( this, j, getClass( this ) ) );
7434 if ( !arguments.length ) {
7435 return this.attr( "class", "" );
7438 if ( typeof value === "string" && value ) {
7439 classes = value.match( rnotwhite ) || [];
7441 while ( ( elem = this[ i++ ] ) ) {
7442 curValue = getClass( elem );
7444 // This expression is here for better compressibility (see addClass)
7445 cur = elem.nodeType === 1 &&
7446 ( " " + curValue + " " ).replace( rclass, " " );
7450 while ( ( clazz = classes[ j++ ] ) ) {
7452 // Remove *all* instances
7453 while ( cur.indexOf( " " + clazz + " " ) > -1 ) {
7454 cur = cur.replace( " " + clazz + " ", " " );
7458 // Only assign if different to avoid unneeded rendering.
7459 finalValue = jQuery.trim( cur );
7460 if ( curValue !== finalValue ) {
7461 elem.setAttribute( "class", finalValue );
7470 toggleClass: function( value, stateVal ) {
7471 var type = typeof value;
7473 if ( typeof stateVal === "boolean" && type === "string" ) {
7474 return stateVal ? this.addClass( value ) : this.removeClass( value );
7477 if ( jQuery.isFunction( value ) ) {
7478 return this.each( function( i ) {
7479 jQuery( this ).toggleClass(
7480 value.call( this, i, getClass( this ), stateVal ),
7486 return this.each( function() {
7487 var className, i, self, classNames;
7489 if ( type === "string" ) {
7491 // Toggle individual class names
7493 self = jQuery( this );
7494 classNames = value.match( rnotwhite ) || [];
7496 while ( ( className = classNames[ i++ ] ) ) {
7498 // Check each className given, space separated list
7499 if ( self.hasClass( className ) ) {
7500 self.removeClass( className );
7502 self.addClass( className );
7506 // Toggle whole class name
7507 } else if ( value === undefined || type === "boolean" ) {
7508 className = getClass( this );
7511 // Store className if set
7512 dataPriv.set( this, "__className__", className );
7515 // If the element has a class name or if we're passed `false`,
7516 // then remove the whole classname (if there was one, the above saved it).
7517 // Otherwise bring back whatever was previously saved (if anything),
7518 // falling back to the empty string if nothing was stored.
7519 if ( this.setAttribute ) {
7520 this.setAttribute( "class",
7521 className || value === false ?
7523 dataPriv.get( this, "__className__" ) || ""
7530 hasClass: function( selector ) {
7531 var className, elem,
7534 className = " " + selector + " ";
7535 while ( ( elem = this[ i++ ] ) ) {
7536 if ( elem.nodeType === 1 &&
7537 ( " " + getClass( elem ) + " " ).replace( rclass, " " )
7538 .indexOf( className ) > -1
7551 var rreturn = /\r/g,
7552 rspaces = /[\x20\t\r\n\f]+/g;
7555 val: function( value ) {
7556 var hooks, ret, isFunction,
7559 if ( !arguments.length ) {
7561 hooks = jQuery.valHooks[ elem.type ] ||
7562 jQuery.valHooks[ elem.nodeName.toLowerCase() ];
7566 ( ret = hooks.get( elem, "value" ) ) !== undefined
7573 return typeof ret === "string" ?
7575 // Handle most common string cases
7576 ret.replace( rreturn, "" ) :
7578 // Handle cases where value is null/undef or number
7579 ret == null ? "" : ret;
7585 isFunction = jQuery.isFunction( value );
7587 return this.each( function( i ) {
7590 if ( this.nodeType !== 1 ) {
7595 val = value.call( this, i, jQuery( this ).val() );
7600 // Treat null/undefined as ""; convert numbers to string
7601 if ( val == null ) {
7604 } else if ( typeof val === "number" ) {
7607 } else if ( jQuery.isArray( val ) ) {
7608 val = jQuery.map( val, function( value ) {
7609 return value == null ? "" : value + "";
7613 hooks = jQuery.valHooks[ this.type ] || jQuery.valHooks[ this.nodeName.toLowerCase() ];
7615 // If set returns undefined, fall back to normal setting
7616 if ( !hooks || !( "set" in hooks ) || hooks.set( this, val, "value" ) === undefined ) {
7626 get: function( elem ) {
7628 var val = jQuery.find.attr( elem, "value" );
7629 return val != null ?
7632 // Support: IE10-11+
7633 // option.text throws exceptions (#14686, #14858)
7634 // Strip and collapse whitespace
7635 // https://html.spec.whatwg.org/#strip-and-collapse-whitespace
7636 jQuery.trim( jQuery.text( elem ) ).replace( rspaces, " " );
7640 get: function( elem ) {
7642 options = elem.options,
7643 index = elem.selectedIndex,
7644 one = elem.type === "select-one" || index < 0,
7645 values = one ? null : [],
7646 max = one ? index + 1 : options.length,
7651 // Loop through all the selected options
7652 for ( ; i < max; i++ ) {
7653 option = options[ i ];
7655 // IE8-9 doesn't update selected after form reset (#2551)
7656 if ( ( option.selected || i === index ) &&
7658 // Don't return options that are disabled or in a disabled optgroup
7659 ( support.optDisabled ?
7660 !option.disabled : option.getAttribute( "disabled" ) === null ) &&
7661 ( !option.parentNode.disabled ||
7662 !jQuery.nodeName( option.parentNode, "optgroup" ) ) ) {
7664 // Get the specific value for the option
7665 value = jQuery( option ).val();
7667 // We don't need an array for one selects
7672 // Multi-Selects return an array
7673 values.push( value );
7680 set: function( elem, value ) {
7681 var optionSet, option,
7682 options = elem.options,
7683 values = jQuery.makeArray( value ),
7687 option = options[ i ];
7688 if ( option.selected =
7689 jQuery.inArray( jQuery.valHooks.option.get( option ), values ) > -1
7695 // Force browsers to behave consistently when non-matching value is set
7697 elem.selectedIndex = -1;
7705 // Radios and checkboxes getter/setter
7706 jQuery.each( [ "radio", "checkbox" ], function() {
7707 jQuery.valHooks[ this ] = {
7708 set: function( elem, value ) {
7709 if ( jQuery.isArray( value ) ) {
7710 return ( elem.checked = jQuery.inArray( jQuery( elem ).val(), value ) > -1 );
7714 if ( !support.checkOn ) {
7715 jQuery.valHooks[ this ].get = function( elem ) {
7716 return elem.getAttribute( "value" ) === null ? "on" : elem.value;
7724 // Return jQuery for attributes-only inclusion
7727 var rfocusMorph = /^(?:focusinfocus|focusoutblur)$/;
7729 jQuery.extend( jQuery.event, {
7731 trigger: function( event, data, elem, onlyHandlers ) {
7733 var i, cur, tmp, bubbleType, ontype, handle, special,
7734 eventPath = [ elem || document ],
7735 type = hasOwn.call( event, "type" ) ? event.type : event,
7736 namespaces = hasOwn.call( event, "namespace" ) ? event.namespace.split( "." ) : [];
7738 cur = tmp = elem = elem || document;
7740 // Don't do events on text and comment nodes
7741 if ( elem.nodeType === 3 || elem.nodeType === 8 ) {
7745 // focus/blur morphs to focusin/out; ensure we're not firing them right now
7746 if ( rfocusMorph.test( type + jQuery.event.triggered ) ) {
7750 if ( type.indexOf( "." ) > -1 ) {
7752 // Namespaced trigger; create a regexp to match event type in handle()
7753 namespaces = type.split( "." );
7754 type = namespaces.shift();
7757 ontype = type.indexOf( ":" ) < 0 && "on" + type;
7759 // Caller can pass in a jQuery.Event object, Object, or just an event type string
7760 event = event[ jQuery.expando ] ?
7762 new jQuery.Event( type, typeof event === "object" && event );
7764 // Trigger bitmask: & 1 for native handlers; & 2 for jQuery (always true)
7765 event.isTrigger = onlyHandlers ? 2 : 3;
7766 event.namespace = namespaces.join( "." );
7767 event.rnamespace = event.namespace ?
7768 new RegExp( "(^|\\.)" + namespaces.join( "\\.(?:.*\\.|)" ) + "(\\.|$)" ) :
7771 // Clean up the event in case it is being reused
7772 event.result = undefined;
7773 if ( !event.target ) {
7774 event.target = elem;
7777 // Clone any incoming data and prepend the event, creating the handler arg list
7778 data = data == null ?
7780 jQuery.makeArray( data, [ event ] );
7782 // Allow special events to draw outside the lines
7783 special = jQuery.event.special[ type ] || {};
7784 if ( !onlyHandlers && special.trigger && special.trigger.apply( elem, data ) === false ) {
7788 // Determine event propagation path in advance, per W3C events spec (#9951)
7789 // Bubble up to document, then to window; watch for a global ownerDocument var (#9724)
7790 if ( !onlyHandlers && !special.noBubble && !jQuery.isWindow( elem ) ) {
7792 bubbleType = special.delegateType || type;
7793 if ( !rfocusMorph.test( bubbleType + type ) ) {
7794 cur = cur.parentNode;
7796 for ( ; cur; cur = cur.parentNode ) {
7797 eventPath.push( cur );
7801 // Only add window if we got to document (e.g., not plain obj or detached DOM)
7802 if ( tmp === ( elem.ownerDocument || document ) ) {
7803 eventPath.push( tmp.defaultView || tmp.parentWindow || window );
7807 // Fire handlers on the event path
7809 while ( ( cur = eventPath[ i++ ] ) && !event.isPropagationStopped() ) {
7811 event.type = i > 1 ?
7813 special.bindType || type;
7816 handle = ( dataPriv.get( cur, "events" ) || {} )[ event.type ] &&
7817 dataPriv.get( cur, "handle" );
7819 handle.apply( cur, data );
7823 handle = ontype && cur[ ontype ];
7824 if ( handle && handle.apply && acceptData( cur ) ) {
7825 event.result = handle.apply( cur, data );
7826 if ( event.result === false ) {
7827 event.preventDefault();
7833 // If nobody prevented the default action, do it now
7834 if ( !onlyHandlers && !event.isDefaultPrevented() ) {
7836 if ( ( !special._default ||
7837 special._default.apply( eventPath.pop(), data ) === false ) &&
7838 acceptData( elem ) ) {
7840 // Call a native DOM method on the target with the same name name as the event.
7841 // Don't do default actions on window, that's where global variables be (#6170)
7842 if ( ontype && jQuery.isFunction( elem[ type ] ) && !jQuery.isWindow( elem ) ) {
7844 // Don't re-trigger an onFOO event when we call its FOO() method
7845 tmp = elem[ ontype ];
7848 elem[ ontype ] = null;
7851 // Prevent re-triggering of the same event, since we already bubbled it above
7852 jQuery.event.triggered = type;
7854 jQuery.event.triggered = undefined;
7857 elem[ ontype ] = tmp;
7863 return event.result;
7866 // Piggyback on a donor event to simulate a different one
7867 simulate: function( type, elem, event ) {
7868 var e = jQuery.extend(
7875 // Previously, `originalEvent: {}` was set here, so stopPropagation call
7876 // would not be triggered on donor event, since in our own
7877 // jQuery.event.stopPropagation function we had a check for existence of
7878 // originalEvent.stopPropagation method, so, consequently it would be a noop.
7880 // But now, this "simulate" function is used only for events
7881 // for which stopPropagation() is noop, so there is no need for that anymore.
7883 // For the 1.x branch though, guard for "click" and "submit"
7884 // events is still used, but was moved to jQuery.event.stopPropagation function
7885 // because `originalEvent` should point to the original event for the constancy
7886 // with other events and for more focused logic
7890 jQuery.event.trigger( e, null, elem );
7892 if ( e.isDefaultPrevented() ) {
7893 event.preventDefault();
7901 trigger: function( type, data ) {
7902 return this.each( function() {
7903 jQuery.event.trigger( type, data, this );
7906 triggerHandler: function( type, data ) {
7907 var elem = this[ 0 ];
7909 return jQuery.event.trigger( type, data, elem, true );
7915 jQuery.each( ( "blur focus focusin focusout load resize scroll unload click dblclick " +
7916 "mousedown mouseup mousemove mouseover mouseout mouseenter mouseleave " +
7917 "change select submit keydown keypress keyup error contextmenu" ).split( " " ),
7918 function( i, name ) {
7920 // Handle event binding
7921 jQuery.fn[ name ] = function( data, fn ) {
7922 return arguments.length > 0 ?
7923 this.on( name, null, data, fn ) :
7924 this.trigger( name );
7929 hover: function( fnOver, fnOut ) {
7930 return this.mouseenter( fnOver ).mouseleave( fnOut || fnOver );
7937 support.focusin = "onfocusin" in window;
7941 // Firefox doesn't have focus(in | out) events
7942 // Related ticket - https://bugzilla.mozilla.org/show_bug.cgi?id=687787
7944 // Support: Chrome, Safari
7945 // focus(in | out) events fire after focus & blur events,
7946 // which is spec violation - http://www.w3.org/TR/DOM-Level-3-Events/#events-focusevent-event-order
7947 // Related ticket - https://code.google.com/p/chromium/issues/detail?id=449857
7948 if ( !support.focusin ) {
7949 jQuery.each( { focus: "focusin", blur: "focusout" }, function( orig, fix ) {
7951 // Attach a single capturing handler on the document while someone wants focusin/focusout
7952 var handler = function( event ) {
7953 jQuery.event.simulate( fix, event.target, jQuery.event.fix( event ) );
7956 jQuery.event.special[ fix ] = {
7958 var doc = this.ownerDocument || this,
7959 attaches = dataPriv.access( doc, fix );
7962 doc.addEventListener( orig, handler, true );
7964 dataPriv.access( doc, fix, ( attaches || 0 ) + 1 );
7966 teardown: function() {
7967 var doc = this.ownerDocument || this,
7968 attaches = dataPriv.access( doc, fix ) - 1;
7971 doc.removeEventListener( orig, handler, true );
7972 dataPriv.remove( doc, fix );
7975 dataPriv.access( doc, fix, attaches );
7981 var location = window.location;
7983 var nonce = jQuery.now();
7985 var rquery = ( /\?/ );
7989 // Support: Android 2.3
7990 // Workaround failure to string-cast null input
7991 jQuery.parseJSON = function( data ) {
7992 return JSON.parse( data + "" );
7996 // Cross-browser xml parsing
7997 jQuery.parseXML = function( data ) {
7999 if ( !data || typeof data !== "string" ) {
8005 xml = ( new window.DOMParser() ).parseFromString( data, "text/xml" );
8010 if ( !xml || xml.getElementsByTagName( "parsererror" ).length ) {
8011 jQuery.error( "Invalid XML: " + data );
8019 rts = /([?&])_=[^&]*/,
8020 rheaders = /^(.*?):[ \t]*([^\r\n]*)$/mg,
8022 // #7653, #8125, #8152: local protocol detection
8023 rlocalProtocol = /^(?:about|app|app-storage|.+-extension|file|res|widget):$/,
8024 rnoContent = /^(?:GET|HEAD)$/,
8025 rprotocol = /^\/\//,
8028 * 1) They are useful to introduce custom dataTypes (see ajax/jsonp.js for an example)
8029 * 2) These are called:
8030 * - BEFORE asking for a transport
8031 * - AFTER param serialization (s.data is a string if s.processData is true)
8032 * 3) key is the dataType
8033 * 4) the catchall symbol "*" can be used
8034 * 5) execution will start with transport dataType and THEN continue down to "*" if needed
8038 /* Transports bindings
8039 * 1) key is the dataType
8040 * 2) the catchall symbol "*" can be used
8041 * 3) selection will start with transport dataType and THEN go to "*" if needed
8045 // Avoid comment-prolog char sequence (#10098); must appease lint and evade compression
8046 allTypes = "*/".concat( "*" ),
8048 // Anchor tag for parsing the document origin
8049 originAnchor = document.createElement( "a" );
8050 originAnchor.href = location.href;
8052 // Base "constructor" for jQuery.ajaxPrefilter and jQuery.ajaxTransport
8053 function addToPrefiltersOrTransports( structure ) {
8055 // dataTypeExpression is optional and defaults to "*"
8056 return function( dataTypeExpression, func ) {
8058 if ( typeof dataTypeExpression !== "string" ) {
8059 func = dataTypeExpression;
8060 dataTypeExpression = "*";
8065 dataTypes = dataTypeExpression.toLowerCase().match( rnotwhite ) || [];
8067 if ( jQuery.isFunction( func ) ) {
8069 // For each dataType in the dataTypeExpression
8070 while ( ( dataType = dataTypes[ i++ ] ) ) {
8072 // Prepend if requested
8073 if ( dataType[ 0 ] === "+" ) {
8074 dataType = dataType.slice( 1 ) || "*";
8075 ( structure[ dataType ] = structure[ dataType ] || [] ).unshift( func );
8079 ( structure[ dataType ] = structure[ dataType ] || [] ).push( func );
8086 // Base inspection function for prefilters and transports
8087 function inspectPrefiltersOrTransports( structure, options, originalOptions, jqXHR ) {
8090 seekingTransport = ( structure === transports );
8092 function inspect( dataType ) {
8094 inspected[ dataType ] = true;
8095 jQuery.each( structure[ dataType ] || [], function( _, prefilterOrFactory ) {
8096 var dataTypeOrTransport = prefilterOrFactory( options, originalOptions, jqXHR );
8097 if ( typeof dataTypeOrTransport === "string" &&
8098 !seekingTransport && !inspected[ dataTypeOrTransport ] ) {
8100 options.dataTypes.unshift( dataTypeOrTransport );
8101 inspect( dataTypeOrTransport );
8103 } else if ( seekingTransport ) {
8104 return !( selected = dataTypeOrTransport );
8110 return inspect( options.dataTypes[ 0 ] ) || !inspected[ "*" ] && inspect( "*" );
8113 // A special extend for ajax options
8114 // that takes "flat" options (not to be deep extended)
8116 function ajaxExtend( target, src ) {
8118 flatOptions = jQuery.ajaxSettings.flatOptions || {};
8120 for ( key in src ) {
8121 if ( src[ key ] !== undefined ) {
8122 ( flatOptions[ key ] ? target : ( deep || ( deep = {} ) ) )[ key ] = src[ key ];
8126 jQuery.extend( true, target, deep );
8132 /* Handles responses to an ajax request:
8133 * - finds the right dataType (mediates between content-type and expected dataType)
8134 * - returns the corresponding response
8136 function ajaxHandleResponses( s, jqXHR, responses ) {
8138 var ct, type, finalDataType, firstDataType,
8139 contents = s.contents,
8140 dataTypes = s.dataTypes;
8142 // Remove auto dataType and get content-type in the process
8143 while ( dataTypes[ 0 ] === "*" ) {
8145 if ( ct === undefined ) {
8146 ct = s.mimeType || jqXHR.getResponseHeader( "Content-Type" );
8150 // Check if we're dealing with a known content-type
8152 for ( type in contents ) {
8153 if ( contents[ type ] && contents[ type ].test( ct ) ) {
8154 dataTypes.unshift( type );
8160 // Check to see if we have a response for the expected dataType
8161 if ( dataTypes[ 0 ] in responses ) {
8162 finalDataType = dataTypes[ 0 ];
8165 // Try convertible dataTypes
8166 for ( type in responses ) {
8167 if ( !dataTypes[ 0 ] || s.converters[ type + " " + dataTypes[ 0 ] ] ) {
8168 finalDataType = type;
8171 if ( !firstDataType ) {
8172 firstDataType = type;
8176 // Or just use first one
8177 finalDataType = finalDataType || firstDataType;
8180 // If we found a dataType
8181 // We add the dataType to the list if needed
8182 // and return the corresponding response
8183 if ( finalDataType ) {
8184 if ( finalDataType !== dataTypes[ 0 ] ) {
8185 dataTypes.unshift( finalDataType );
8187 return responses[ finalDataType ];
8191 /* Chain conversions given the request and the original response
8192 * Also sets the responseXXX fields on the jqXHR instance
8194 function ajaxConvert( s, response, jqXHR, isSuccess ) {
8195 var conv2, current, conv, tmp, prev,
8198 // Work with a copy of dataTypes in case we need to modify it for conversion
8199 dataTypes = s.dataTypes.slice();
8201 // Create converters map with lowercased keys
8202 if ( dataTypes[ 1 ] ) {
8203 for ( conv in s.converters ) {
8204 converters[ conv.toLowerCase() ] = s.converters[ conv ];
8208 current = dataTypes.shift();
8210 // Convert to each sequential dataType
8213 if ( s.responseFields[ current ] ) {
8214 jqXHR[ s.responseFields[ current ] ] = response;
8217 // Apply the dataFilter if provided
8218 if ( !prev && isSuccess && s.dataFilter ) {
8219 response = s.dataFilter( response, s.dataType );
8223 current = dataTypes.shift();
8227 // There's only work to do if current dataType is non-auto
8228 if ( current === "*" ) {
8232 // Convert response if prev dataType is non-auto and differs from current
8233 } else if ( prev !== "*" && prev !== current ) {
8235 // Seek a direct converter
8236 conv = converters[ prev + " " + current ] || converters[ "* " + current ];
8238 // If none found, seek a pair
8240 for ( conv2 in converters ) {
8242 // If conv2 outputs current
8243 tmp = conv2.split( " " );
8244 if ( tmp[ 1 ] === current ) {
8246 // If prev can be converted to accepted input
8247 conv = converters[ prev + " " + tmp[ 0 ] ] ||
8248 converters[ "* " + tmp[ 0 ] ];
8251 // Condense equivalence converters
8252 if ( conv === true ) {
8253 conv = converters[ conv2 ];
8255 // Otherwise, insert the intermediate dataType
8256 } else if ( converters[ conv2 ] !== true ) {
8258 dataTypes.unshift( tmp[ 1 ] );
8266 // Apply converter (if not an equivalence)
8267 if ( conv !== true ) {
8269 // Unless errors are allowed to bubble, catch and return them
8270 if ( conv && s.throws ) {
8271 response = conv( response );
8274 response = conv( response );
8277 state: "parsererror",
8278 error: conv ? e : "No conversion from " + prev + " to " + current
8287 return { state: "success", data: response };
8292 // Counter for holding the number of active queries
8295 // Last-Modified header cache for next request
8302 isLocal: rlocalProtocol.test( location.protocol ),
8306 contentType: "application/x-www-form-urlencoded; charset=UTF-8",
8323 xml: "application/xml, text/xml",
8324 json: "application/json, text/javascript"
8335 text: "responseText",
8336 json: "responseJSON"
8340 // Keys separate source (or catchall "*") and destination types with a single space
8343 // Convert anything to text
8346 // Text to html (true = no transformation)
8349 // Evaluate text as a json expression
8350 "text json": jQuery.parseJSON,
8352 // Parse text as xml
8353 "text xml": jQuery.parseXML
8356 // For options that shouldn't be deep extended:
8357 // you can add your own custom options here if
8358 // and when you create one that shouldn't be
8359 // deep extended (see ajaxExtend)
8366 // Creates a full fledged settings object into target
8367 // with both ajaxSettings and settings fields.
8368 // If target is omitted, writes into ajaxSettings.
8369 ajaxSetup: function( target, settings ) {
8372 // Building a settings object
8373 ajaxExtend( ajaxExtend( target, jQuery.ajaxSettings ), settings ) :
8375 // Extending ajaxSettings
8376 ajaxExtend( jQuery.ajaxSettings, target );
8379 ajaxPrefilter: addToPrefiltersOrTransports( prefilters ),
8380 ajaxTransport: addToPrefiltersOrTransports( transports ),
8383 ajax: function( url, options ) {
8385 // If url is an object, simulate pre-1.5 signature
8386 if ( typeof url === "object" ) {
8391 // Force options to be an object
8392 options = options || {};
8396 // URL without anti-cache param
8400 responseHeadersString,
8409 // To know if global events are to be dispatched
8415 // Create the final options object
8416 s = jQuery.ajaxSetup( {}, options ),
8418 // Callbacks context
8419 callbackContext = s.context || s,
8421 // Context for global events is callbackContext if it is a DOM node or jQuery collection
8422 globalEventContext = s.context &&
8423 ( callbackContext.nodeType || callbackContext.jquery ) ?
8424 jQuery( callbackContext ) :
8428 deferred = jQuery.Deferred(),
8429 completeDeferred = jQuery.Callbacks( "once memory" ),
8431 // Status-dependent callbacks
8432 statusCode = s.statusCode || {},
8434 // Headers (they are sent all at once)
8435 requestHeaders = {},
8436 requestHeadersNames = {},
8441 // Default abort message
8442 strAbort = "canceled",
8448 // Builds headers hashtable if needed
8449 getResponseHeader: function( key ) {
8451 if ( state === 2 ) {
8452 if ( !responseHeaders ) {
8453 responseHeaders = {};
8454 while ( ( match = rheaders.exec( responseHeadersString ) ) ) {
8455 responseHeaders[ match[ 1 ].toLowerCase() ] = match[ 2 ];
8458 match = responseHeaders[ key.toLowerCase() ];
8460 return match == null ? null : match;
8464 getAllResponseHeaders: function() {
8465 return state === 2 ? responseHeadersString : null;
8468 // Caches the header
8469 setRequestHeader: function( name, value ) {
8470 var lname = name.toLowerCase();
8472 name = requestHeadersNames[ lname ] = requestHeadersNames[ lname ] || name;
8473 requestHeaders[ name ] = value;
8478 // Overrides response content-type header
8479 overrideMimeType: function( type ) {
8486 // Status-dependent callbacks
8487 statusCode: function( map ) {
8491 for ( code in map ) {
8493 // Lazy-add the new callback in a way that preserves old ones
8494 statusCode[ code ] = [ statusCode[ code ], map[ code ] ];
8498 // Execute the appropriate callbacks
8499 jqXHR.always( map[ jqXHR.status ] );
8505 // Cancel the request
8506 abort: function( statusText ) {
8507 var finalText = statusText || strAbort;
8509 transport.abort( finalText );
8511 done( 0, finalText );
8517 deferred.promise( jqXHR ).complete = completeDeferred.add;
8518 jqXHR.success = jqXHR.done;
8519 jqXHR.error = jqXHR.fail;
8521 // Remove hash character (#7531: and string promotion)
8522 // Add protocol if not provided (prefilters might expect it)
8523 // Handle falsy url in the settings object (#10093: consistency with old signature)
8524 // We also use the url parameter if available
8525 s.url = ( ( url || s.url || location.href ) + "" ).replace( rhash, "" )
8526 .replace( rprotocol, location.protocol + "//" );
8528 // Alias method option to type as per ticket #12004
8529 s.type = options.method || options.type || s.method || s.type;
8531 // Extract dataTypes list
8532 s.dataTypes = jQuery.trim( s.dataType || "*" ).toLowerCase().match( rnotwhite ) || [ "" ];
8534 // A cross-domain request is in order when the origin doesn't match the current origin.
8535 if ( s.crossDomain == null ) {
8536 urlAnchor = document.createElement( "a" );
8539 // IE throws exception if url is malformed, e.g. http://example.com:80x/
8541 urlAnchor.href = s.url;
8544 // Anchor's host property isn't correctly set when s.url is relative
8545 urlAnchor.href = urlAnchor.href;
8546 s.crossDomain = originAnchor.protocol + "//" + originAnchor.host !==
8547 urlAnchor.protocol + "//" + urlAnchor.host;
8550 // If there is an error parsing the URL, assume it is crossDomain,
8551 // it can be rejected by the transport if it is invalid
8552 s.crossDomain = true;
8556 // Convert data if not already a string
8557 if ( s.data && s.processData && typeof s.data !== "string" ) {
8558 s.data = jQuery.param( s.data, s.traditional );
8562 inspectPrefiltersOrTransports( prefilters, s, options, jqXHR );
8564 // If request was aborted inside a prefilter, stop there
8565 if ( state === 2 ) {
8569 // We can fire global events as of now if asked to
8570 // Don't fire events if jQuery.event is undefined in an AMD-usage scenario (#15118)
8571 fireGlobals = jQuery.event && s.global;
8573 // Watch for a new set of requests
8574 if ( fireGlobals && jQuery.active++ === 0 ) {
8575 jQuery.event.trigger( "ajaxStart" );
8578 // Uppercase the type
8579 s.type = s.type.toUpperCase();
8581 // Determine if request has content
8582 s.hasContent = !rnoContent.test( s.type );
8584 // Save the URL in case we're toying with the If-Modified-Since
8585 // and/or If-None-Match header later on
8588 // More options handling for requests with no content
8589 if ( !s.hasContent ) {
8591 // If data is available, append data to url
8593 cacheURL = ( s.url += ( rquery.test( cacheURL ) ? "&" : "?" ) + s.data );
8595 // #9682: remove data so that it's not used in an eventual retry
8599 // Add anti-cache in url if needed
8600 if ( s.cache === false ) {
8601 s.url = rts.test( cacheURL ) ?
8603 // If there is already a '_' parameter, set its value
8604 cacheURL.replace( rts, "$1_=" + nonce++ ) :
8606 // Otherwise add one to the end
8607 cacheURL + ( rquery.test( cacheURL ) ? "&" : "?" ) + "_=" + nonce++;
8611 // Set the If-Modified-Since and/or If-None-Match header, if in ifModified mode.
8612 if ( s.ifModified ) {
8613 if ( jQuery.lastModified[ cacheURL ] ) {
8614 jqXHR.setRequestHeader( "If-Modified-Since", jQuery.lastModified[ cacheURL ] );
8616 if ( jQuery.etag[ cacheURL ] ) {
8617 jqXHR.setRequestHeader( "If-None-Match", jQuery.etag[ cacheURL ] );
8621 // Set the correct header, if data is being sent
8622 if ( s.data && s.hasContent && s.contentType !== false || options.contentType ) {
8623 jqXHR.setRequestHeader( "Content-Type", s.contentType );
8626 // Set the Accepts header for the server, depending on the dataType
8627 jqXHR.setRequestHeader(
8629 s.dataTypes[ 0 ] && s.accepts[ s.dataTypes[ 0 ] ] ?
8630 s.accepts[ s.dataTypes[ 0 ] ] +
8631 ( s.dataTypes[ 0 ] !== "*" ? ", " + allTypes + "; q=0.01" : "" ) :
8635 // Check for headers option
8636 for ( i in s.headers ) {
8637 jqXHR.setRequestHeader( i, s.headers[ i ] );
8640 // Allow custom headers/mimetypes and early abort
8641 if ( s.beforeSend &&
8642 ( s.beforeSend.call( callbackContext, jqXHR, s ) === false || state === 2 ) ) {
8644 // Abort if not done already and return
8645 return jqXHR.abort();
8648 // Aborting is no longer a cancellation
8651 // Install callbacks on deferreds
8652 for ( i in { success: 1, error: 1, complete: 1 } ) {
8653 jqXHR[ i ]( s[ i ] );
8657 transport = inspectPrefiltersOrTransports( transports, s, options, jqXHR );
8659 // If no transport, we auto-abort
8661 done( -1, "No Transport" );
8663 jqXHR.readyState = 1;
8665 // Send global event
8666 if ( fireGlobals ) {
8667 globalEventContext.trigger( "ajaxSend", [ jqXHR, s ] );
8670 // If request was aborted inside ajaxSend, stop there
8671 if ( state === 2 ) {
8676 if ( s.async && s.timeout > 0 ) {
8677 timeoutTimer = window.setTimeout( function() {
8678 jqXHR.abort( "timeout" );
8684 transport.send( requestHeaders, done );
8687 // Propagate exception as error if not done
8691 // Simply rethrow otherwise
8698 // Callback for when everything is done
8699 function done( status, nativeStatusText, responses, headers ) {
8700 var isSuccess, success, error, response, modified,
8701 statusText = nativeStatusText;
8704 if ( state === 2 ) {
8708 // State is "done" now
8711 // Clear timeout if it exists
8712 if ( timeoutTimer ) {
8713 window.clearTimeout( timeoutTimer );
8716 // Dereference transport for early garbage collection
8717 // (no matter how long the jqXHR object will be used)
8718 transport = undefined;
8720 // Cache response headers
8721 responseHeadersString = headers || "";
8724 jqXHR.readyState = status > 0 ? 4 : 0;
8726 // Determine if successful
8727 isSuccess = status >= 200 && status < 300 || status === 304;
8729 // Get response data
8731 response = ajaxHandleResponses( s, jqXHR, responses );
8734 // Convert no matter what (that way responseXXX fields are always set)
8735 response = ajaxConvert( s, response, jqXHR, isSuccess );
8737 // If successful, handle type chaining
8740 // Set the If-Modified-Since and/or If-None-Match header, if in ifModified mode.
8741 if ( s.ifModified ) {
8742 modified = jqXHR.getResponseHeader( "Last-Modified" );
8744 jQuery.lastModified[ cacheURL ] = modified;
8746 modified = jqXHR.getResponseHeader( "etag" );
8748 jQuery.etag[ cacheURL ] = modified;
8753 if ( status === 204 || s.type === "HEAD" ) {
8754 statusText = "nocontent";
8757 } else if ( status === 304 ) {
8758 statusText = "notmodified";
8760 // If we have data, let's convert it
8762 statusText = response.state;
8763 success = response.data;
8764 error = response.error;
8769 // Extract error from statusText and normalize for non-aborts
8771 if ( status || !statusText ) {
8772 statusText = "error";
8779 // Set data for the fake xhr object
8780 jqXHR.status = status;
8781 jqXHR.statusText = ( nativeStatusText || statusText ) + "";
8785 deferred.resolveWith( callbackContext, [ success, statusText, jqXHR ] );
8787 deferred.rejectWith( callbackContext, [ jqXHR, statusText, error ] );
8790 // Status-dependent callbacks
8791 jqXHR.statusCode( statusCode );
8792 statusCode = undefined;
8794 if ( fireGlobals ) {
8795 globalEventContext.trigger( isSuccess ? "ajaxSuccess" : "ajaxError",
8796 [ jqXHR, s, isSuccess ? success : error ] );
8800 completeDeferred.fireWith( callbackContext, [ jqXHR, statusText ] );
8802 if ( fireGlobals ) {
8803 globalEventContext.trigger( "ajaxComplete", [ jqXHR, s ] );
8805 // Handle the global AJAX counter
8806 if ( !( --jQuery.active ) ) {
8807 jQuery.event.trigger( "ajaxStop" );
8815 getJSON: function( url, data, callback ) {
8816 return jQuery.get( url, data, callback, "json" );
8819 getScript: function( url, callback ) {
8820 return jQuery.get( url, undefined, callback, "script" );
8824 jQuery.each( [ "get", "post" ], function( i, method ) {
8825 jQuery[ method ] = function( url, data, callback, type ) {
8827 // Shift arguments if data argument was omitted
8828 if ( jQuery.isFunction( data ) ) {
8829 type = type || callback;
8834 // The url can be an options object (which then must have .url)
8835 return jQuery.ajax( jQuery.extend( {
8841 }, jQuery.isPlainObject( url ) && url ) );
8846 jQuery._evalUrl = function( url ) {
8847 return jQuery.ajax( {
8850 // Make this explicit, since user can override this through ajaxSetup (#11264)
8861 wrapAll: function( html ) {
8864 if ( jQuery.isFunction( html ) ) {
8865 return this.each( function( i ) {
8866 jQuery( this ).wrapAll( html.call( this, i ) );
8872 // The elements to wrap the target around
8873 wrap = jQuery( html, this[ 0 ].ownerDocument ).eq( 0 ).clone( true );
8875 if ( this[ 0 ].parentNode ) {
8876 wrap.insertBefore( this[ 0 ] );
8879 wrap.map( function() {
8882 while ( elem.firstElementChild ) {
8883 elem = elem.firstElementChild;
8893 wrapInner: function( html ) {
8894 if ( jQuery.isFunction( html ) ) {
8895 return this.each( function( i ) {
8896 jQuery( this ).wrapInner( html.call( this, i ) );
8900 return this.each( function() {
8901 var self = jQuery( this ),
8902 contents = self.contents();
8904 if ( contents.length ) {
8905 contents.wrapAll( html );
8908 self.append( html );
8913 wrap: function( html ) {
8914 var isFunction = jQuery.isFunction( html );
8916 return this.each( function( i ) {
8917 jQuery( this ).wrapAll( isFunction ? html.call( this, i ) : html );
8921 unwrap: function() {
8922 return this.parent().each( function() {
8923 if ( !jQuery.nodeName( this, "body" ) ) {
8924 jQuery( this ).replaceWith( this.childNodes );
8931 jQuery.expr.filters.hidden = function( elem ) {
8932 return !jQuery.expr.filters.visible( elem );
8934 jQuery.expr.filters.visible = function( elem ) {
8936 // Support: Opera <= 12.12
8937 // Opera reports offsetWidths and offsetHeights less than zero on some elements
8938 // Use OR instead of AND as the element is not visible if either is true
8939 // See tickets #10406 and #13132
8940 return elem.offsetWidth > 0 || elem.offsetHeight > 0 || elem.getClientRects().length > 0;
8949 rsubmitterTypes = /^(?:submit|button|image|reset|file)$/i,
8950 rsubmittable = /^(?:input|select|textarea|keygen)/i;
8952 function buildParams( prefix, obj, traditional, add ) {
8955 if ( jQuery.isArray( obj ) ) {
8957 // Serialize array item.
8958 jQuery.each( obj, function( i, v ) {
8959 if ( traditional || rbracket.test( prefix ) ) {
8961 // Treat each array item as a scalar.
8966 // Item is non-scalar (array or object), encode its numeric index.
8968 prefix + "[" + ( typeof v === "object" && v != null ? i : "" ) + "]",
8976 } else if ( !traditional && jQuery.type( obj ) === "object" ) {
8978 // Serialize object item.
8979 for ( name in obj ) {
8980 buildParams( prefix + "[" + name + "]", obj[ name ], traditional, add );
8985 // Serialize scalar item.
8990 // Serialize an array of form elements or a set of
8991 // key/values into a query string
8992 jQuery.param = function( a, traditional ) {
8995 add = function( key, value ) {
8997 // If value is a function, invoke it and return its value
8998 value = jQuery.isFunction( value ) ? value() : ( value == null ? "" : value );
8999 s[ s.length ] = encodeURIComponent( key ) + "=" + encodeURIComponent( value );
9002 // Set traditional to true for jQuery <= 1.3.2 behavior.
9003 if ( traditional === undefined ) {
9004 traditional = jQuery.ajaxSettings && jQuery.ajaxSettings.traditional;
9007 // If an array was passed in, assume that it is an array of form elements.
9008 if ( jQuery.isArray( a ) || ( a.jquery && !jQuery.isPlainObject( a ) ) ) {
9010 // Serialize the form elements
9011 jQuery.each( a, function() {
9012 add( this.name, this.value );
9017 // If traditional, encode the "old" way (the way 1.3.2 or older
9018 // did it), otherwise encode params recursively.
9019 for ( prefix in a ) {
9020 buildParams( prefix, a[ prefix ], traditional, add );
9024 // Return the resulting serialization
9025 return s.join( "&" ).replace( r20, "+" );
9029 serialize: function() {
9030 return jQuery.param( this.serializeArray() );
9032 serializeArray: function() {
9033 return this.map( function() {
9035 // Can add propHook for "elements" to filter or add form elements
9036 var elements = jQuery.prop( this, "elements" );
9037 return elements ? jQuery.makeArray( elements ) : this;
9039 .filter( function() {
9040 var type = this.type;
9042 // Use .is( ":disabled" ) so that fieldset[disabled] works
9043 return this.name && !jQuery( this ).is( ":disabled" ) &&
9044 rsubmittable.test( this.nodeName ) && !rsubmitterTypes.test( type ) &&
9045 ( this.checked || !rcheckableType.test( type ) );
9047 .map( function( i, elem ) {
9048 var val = jQuery( this ).val();
9050 return val == null ?
9052 jQuery.isArray( val ) ?
9053 jQuery.map( val, function( val ) {
9054 return { name: elem.name, value: val.replace( rCRLF, "\r\n" ) };
9056 { name: elem.name, value: val.replace( rCRLF, "\r\n" ) };
9062 jQuery.ajaxSettings.xhr = function() {
9064 return new window.XMLHttpRequest();
9068 var xhrSuccessStatus = {
9070 // File protocol always yields status code 0, assume 200
9074 // #1450: sometimes IE returns 1223 when it should be 204
9077 xhrSupported = jQuery.ajaxSettings.xhr();
9079 support.cors = !!xhrSupported && ( "withCredentials" in xhrSupported );
9080 support.ajax = xhrSupported = !!xhrSupported;
9082 jQuery.ajaxTransport( function( options ) {
9083 var callback, errorCallback;
9085 // Cross domain only allowed if supported through XMLHttpRequest
9086 if ( support.cors || xhrSupported && !options.crossDomain ) {
9088 send: function( headers, complete ) {
9090 xhr = options.xhr();
9100 // Apply custom fields if provided
9101 if ( options.xhrFields ) {
9102 for ( i in options.xhrFields ) {
9103 xhr[ i ] = options.xhrFields[ i ];
9107 // Override mime type if needed
9108 if ( options.mimeType && xhr.overrideMimeType ) {
9109 xhr.overrideMimeType( options.mimeType );
9112 // X-Requested-With header
9113 // For cross-domain requests, seeing as conditions for a preflight are
9114 // akin to a jigsaw puzzle, we simply never set it to be sure.
9115 // (it can always be set on a per-request basis or even using ajaxSetup)
9116 // For same-domain requests, won't change header if already provided.
9117 if ( !options.crossDomain && !headers[ "X-Requested-With" ] ) {
9118 headers[ "X-Requested-With" ] = "XMLHttpRequest";
9122 for ( i in headers ) {
9123 xhr.setRequestHeader( i, headers[ i ] );
9127 callback = function( type ) {
9130 callback = errorCallback = xhr.onload =
9131 xhr.onerror = xhr.onabort = xhr.onreadystatechange = null;
9133 if ( type === "abort" ) {
9135 } else if ( type === "error" ) {
9138 // On a manual native abort, IE9 throws
9139 // errors on any property access that is not readyState
9140 if ( typeof xhr.status !== "number" ) {
9141 complete( 0, "error" );
9145 // File: protocol always yields status 0; see #8605, #14207
9152 xhrSuccessStatus[ xhr.status ] || xhr.status,
9155 // Support: IE9 only
9156 // IE9 has no XHR2 but throws on binary (trac-11426)
9157 // For XHR2 non-text, let the caller handle it (gh-2498)
9158 ( xhr.responseType || "text" ) !== "text" ||
9159 typeof xhr.responseText !== "string" ?
9160 { binary: xhr.response } :
9161 { text: xhr.responseText },
9162 xhr.getAllResponseHeaders()
9170 xhr.onload = callback();
9171 errorCallback = xhr.onerror = callback( "error" );
9174 // Use onreadystatechange to replace onabort
9175 // to handle uncaught aborts
9176 if ( xhr.onabort !== undefined ) {
9177 xhr.onabort = errorCallback;
9179 xhr.onreadystatechange = function() {
9181 // Check readyState before timeout as it changes
9182 if ( xhr.readyState === 4 ) {
9184 // Allow onerror to be called first,
9185 // but that will not handle a native abort
9186 // Also, save errorCallback to a variable
9187 // as xhr.onerror cannot be accessed
9188 window.setTimeout( function() {
9197 // Create the abort callback
9198 callback = callback( "abort" );
9202 // Do send the request (this may raise an exception)
9203 xhr.send( options.hasContent && options.data || null );
9206 // #14683: Only rethrow if this hasn't been notified as an error yet
9225 // Install script dataType
9228 script: "text/javascript, application/javascript, " +
9229 "application/ecmascript, application/x-ecmascript"
9232 script: /\b(?:java|ecma)script\b/
9235 "text script": function( text ) {
9236 jQuery.globalEval( text );
9242 // Handle cache's special case and crossDomain
9243 jQuery.ajaxPrefilter( "script", function( s ) {
9244 if ( s.cache === undefined ) {
9247 if ( s.crossDomain ) {
9252 // Bind script tag hack transport
9253 jQuery.ajaxTransport( "script", function( s ) {
9255 // This transport only deals with cross domain requests
9256 if ( s.crossDomain ) {
9257 var script, callback;
9259 send: function( _, complete ) {
9260 script = jQuery( "<script>" ).prop( {
9261 charset: s.scriptCharset,
9265 callback = function( evt ) {
9269 complete( evt.type === "error" ? 404 : 200, evt.type );
9274 // Use native DOM manipulation to avoid our domManip AJAX trickery
9275 document.head.appendChild( script[ 0 ] );
9289 var oldCallbacks = [],
9290 rjsonp = /(=)\?(?=&|$)|\?\?/;
9292 // Default jsonp settings
9295 jsonpCallback: function() {
9296 var callback = oldCallbacks.pop() || ( jQuery.expando + "_" + ( nonce++ ) );
9297 this[ callback ] = true;
9302 // Detect, normalize options and install callbacks for jsonp requests
9303 jQuery.ajaxPrefilter( "json jsonp", function( s, originalSettings, jqXHR ) {
9305 var callbackName, overwritten, responseContainer,
9306 jsonProp = s.jsonp !== false && ( rjsonp.test( s.url ) ?
9308 typeof s.data === "string" &&
9309 ( s.contentType || "" )
9310 .indexOf( "application/x-www-form-urlencoded" ) === 0 &&
9311 rjsonp.test( s.data ) && "data"
9314 // Handle iff the expected data type is "jsonp" or we have a parameter to set
9315 if ( jsonProp || s.dataTypes[ 0 ] === "jsonp" ) {
9317 // Get callback name, remembering preexisting value associated with it
9318 callbackName = s.jsonpCallback = jQuery.isFunction( s.jsonpCallback ) ?
9322 // Insert callback into url or form data
9324 s[ jsonProp ] = s[ jsonProp ].replace( rjsonp, "$1" + callbackName );
9325 } else if ( s.jsonp !== false ) {
9326 s.url += ( rquery.test( s.url ) ? "&" : "?" ) + s.jsonp + "=" + callbackName;
9329 // Use data converter to retrieve json after script execution
9330 s.converters[ "script json" ] = function() {
9331 if ( !responseContainer ) {
9332 jQuery.error( callbackName + " was not called" );
9334 return responseContainer[ 0 ];
9337 // Force json dataType
9338 s.dataTypes[ 0 ] = "json";
9341 overwritten = window[ callbackName ];
9342 window[ callbackName ] = function() {
9343 responseContainer = arguments;
9346 // Clean-up function (fires after converters)
9347 jqXHR.always( function() {
9349 // If previous value didn't exist - remove it
9350 if ( overwritten === undefined ) {
9351 jQuery( window ).removeProp( callbackName );
9353 // Otherwise restore preexisting value
9355 window[ callbackName ] = overwritten;
9358 // Save back as free
9359 if ( s[ callbackName ] ) {
9361 // Make sure that re-using the options doesn't screw things around
9362 s.jsonpCallback = originalSettings.jsonpCallback;
9364 // Save the callback name for future use
9365 oldCallbacks.push( callbackName );
9368 // Call if it was a function and we have a response
9369 if ( responseContainer && jQuery.isFunction( overwritten ) ) {
9370 overwritten( responseContainer[ 0 ] );
9373 responseContainer = overwritten = undefined;
9376 // Delegate to script
9384 // Argument "data" should be string of html
9385 // context (optional): If specified, the fragment will be created in this context,
9386 // defaults to document
9387 // keepScripts (optional): If true, will include scripts passed in the html string
9388 jQuery.parseHTML = function( data, context, keepScripts ) {
9389 if ( !data || typeof data !== "string" ) {
9392 if ( typeof context === "boolean" ) {
9393 keepScripts = context;
9396 context = context || document;
9398 var parsed = rsingleTag.exec( data ),
9399 scripts = !keepScripts && [];
9403 return [ context.createElement( parsed[ 1 ] ) ];
9406 parsed = buildFragment( [ data ], context, scripts );
9408 if ( scripts && scripts.length ) {
9409 jQuery( scripts ).remove();
9412 return jQuery.merge( [], parsed.childNodes );
9416 // Keep a copy of the old load method
9417 var _load = jQuery.fn.load;
9420 * Load a url into a page
9422 jQuery.fn.load = function( url, params, callback ) {
9423 if ( typeof url !== "string" && _load ) {
9424 return _load.apply( this, arguments );
9427 var selector, type, response,
9429 off = url.indexOf( " " );
9432 selector = jQuery.trim( url.slice( off ) );
9433 url = url.slice( 0, off );
9436 // If it's a function
9437 if ( jQuery.isFunction( params ) ) {
9439 // We assume that it's the callback
9443 // Otherwise, build a param string
9444 } else if ( params && typeof params === "object" ) {
9448 // If we have elements to modify, make the request
9449 if ( self.length > 0 ) {
9453 // If "type" variable is undefined, then "GET" method will be used.
9454 // Make value of this field explicit since
9455 // user can override it through ajaxSetup method
9456 type: type || "GET",
9459 } ).done( function( responseText ) {
9461 // Save response for use in complete callback
9462 response = arguments;
9464 self.html( selector ?
9466 // If a selector was specified, locate the right elements in a dummy div
9467 // Exclude scripts to avoid IE 'Permission Denied' errors
9468 jQuery( "<div>" ).append( jQuery.parseHTML( responseText ) ).find( selector ) :
9470 // Otherwise use the full result
9473 // If the request succeeds, this function gets "data", "status", "jqXHR"
9474 // but they are ignored because response was set above.
9475 // If it fails, this function gets "jqXHR", "status", "error"
9476 } ).always( callback && function( jqXHR, status ) {
9477 self.each( function() {
9478 callback.apply( this, response || [ jqXHR.responseText, status, jqXHR ] );
9489 // Attach a bunch of functions for handling common AJAX events
9497 ], function( i, type ) {
9498 jQuery.fn[ type ] = function( fn ) {
9499 return this.on( type, fn );
9506 jQuery.expr.filters.animated = function( elem ) {
9507 return jQuery.grep( jQuery.timers, function( fn ) {
9508 return elem === fn.elem;
9516 * Gets a window from an element
9518 function getWindow( elem ) {
9519 return jQuery.isWindow( elem ) ? elem : elem.nodeType === 9 && elem.defaultView;
9523 setOffset: function( elem, options, i ) {
9524 var curPosition, curLeft, curCSSTop, curTop, curOffset, curCSSLeft, calculatePosition,
9525 position = jQuery.css( elem, "position" ),
9526 curElem = jQuery( elem ),
9529 // Set position first, in-case top/left are set even on static elem
9530 if ( position === "static" ) {
9531 elem.style.position = "relative";
9534 curOffset = curElem.offset();
9535 curCSSTop = jQuery.css( elem, "top" );
9536 curCSSLeft = jQuery.css( elem, "left" );
9537 calculatePosition = ( position === "absolute" || position === "fixed" ) &&
9538 ( curCSSTop + curCSSLeft ).indexOf( "auto" ) > -1;
9540 // Need to be able to calculate position if either
9541 // top or left is auto and position is either absolute or fixed
9542 if ( calculatePosition ) {
9543 curPosition = curElem.position();
9544 curTop = curPosition.top;
9545 curLeft = curPosition.left;
9548 curTop = parseFloat( curCSSTop ) || 0;
9549 curLeft = parseFloat( curCSSLeft ) || 0;
9552 if ( jQuery.isFunction( options ) ) {
9554 // Use jQuery.extend here to allow modification of coordinates argument (gh-1848)
9555 options = options.call( elem, i, jQuery.extend( {}, curOffset ) );
9558 if ( options.top != null ) {
9559 props.top = ( options.top - curOffset.top ) + curTop;
9561 if ( options.left != null ) {
9562 props.left = ( options.left - curOffset.left ) + curLeft;
9565 if ( "using" in options ) {
9566 options.using.call( elem, props );
9569 curElem.css( props );
9575 offset: function( options ) {
9576 if ( arguments.length ) {
9577 return options === undefined ?
9579 this.each( function( i ) {
9580 jQuery.offset.setOffset( this, options, i );
9586 box = { top: 0, left: 0 },
9587 doc = elem && elem.ownerDocument;
9593 docElem = doc.documentElement;
9595 // Make sure it's not a disconnected DOM node
9596 if ( !jQuery.contains( docElem, elem ) ) {
9600 box = elem.getBoundingClientRect();
9601 win = getWindow( doc );
9603 top: box.top + win.pageYOffset - docElem.clientTop,
9604 left: box.left + win.pageXOffset - docElem.clientLeft
9608 position: function() {
9613 var offsetParent, offset,
9615 parentOffset = { top: 0, left: 0 };
9617 // Fixed elements are offset from window (parentOffset = {top:0, left: 0},
9618 // because it is its only offset parent
9619 if ( jQuery.css( elem, "position" ) === "fixed" ) {
9621 // Assume getBoundingClientRect is there when computed position is fixed
9622 offset = elem.getBoundingClientRect();
9626 // Get *real* offsetParent
9627 offsetParent = this.offsetParent();
9629 // Get correct offsets
9630 offset = this.offset();
9631 if ( !jQuery.nodeName( offsetParent[ 0 ], "html" ) ) {
9632 parentOffset = offsetParent.offset();
9635 // Add offsetParent borders
9636 parentOffset.top += jQuery.css( offsetParent[ 0 ], "borderTopWidth", true );
9637 parentOffset.left += jQuery.css( offsetParent[ 0 ], "borderLeftWidth", true );
9640 // Subtract parent offsets and element margins
9642 top: offset.top - parentOffset.top - jQuery.css( elem, "marginTop", true ),
9643 left: offset.left - parentOffset.left - jQuery.css( elem, "marginLeft", true )
9647 // This method will return documentElement in the following cases:
9648 // 1) For the element inside the iframe without offsetParent, this method will return
9649 // documentElement of the parent window
9650 // 2) For the hidden or detached element
9651 // 3) For body or html element, i.e. in case of the html node - it will return itself
9653 // but those exceptions were never presented as a real life use-cases
9654 // and might be considered as more preferable results.
9656 // This logic, however, is not guaranteed and can change at any point in the future
9657 offsetParent: function() {
9658 return this.map( function() {
9659 var offsetParent = this.offsetParent;
9661 while ( offsetParent && jQuery.css( offsetParent, "position" ) === "static" ) {
9662 offsetParent = offsetParent.offsetParent;
9665 return offsetParent || documentElement;
9670 // Create scrollLeft and scrollTop methods
9671 jQuery.each( { scrollLeft: "pageXOffset", scrollTop: "pageYOffset" }, function( method, prop ) {
9672 var top = "pageYOffset" === prop;
9674 jQuery.fn[ method ] = function( val ) {
9675 return access( this, function( elem, method, val ) {
9676 var win = getWindow( elem );
9678 if ( val === undefined ) {
9679 return win ? win[ prop ] : elem[ method ];
9684 !top ? val : win.pageXOffset,
9685 top ? val : win.pageYOffset
9689 elem[ method ] = val;
9691 }, method, val, arguments.length );
9695 // Support: Safari<7-8+, Chrome<37-44+
9696 // Add the top/left cssHooks using jQuery.fn.position
9697 // Webkit bug: https://bugs.webkit.org/show_bug.cgi?id=29084
9698 // Blink bug: https://code.google.com/p/chromium/issues/detail?id=229280
9699 // getComputedStyle returns percent when specified for top/left/bottom/right;
9700 // rather than make the css module depend on the offset module, just check for it here
9701 jQuery.each( [ "top", "left" ], function( i, prop ) {
9702 jQuery.cssHooks[ prop ] = addGetHookIf( support.pixelPosition,
9703 function( elem, computed ) {
9705 computed = curCSS( elem, prop );
9707 // If curCSS returns percentage, fallback to offset
9708 return rnumnonpx.test( computed ) ?
9709 jQuery( elem ).position()[ prop ] + "px" :
9717 // Create innerHeight, innerWidth, height, width, outerHeight and outerWidth methods
9718 jQuery.each( { Height: "height", Width: "width" }, function( name, type ) {
9719 jQuery.each( { padding: "inner" + name, content: type, "": "outer" + name },
9720 function( defaultExtra, funcName ) {
9722 // Margin is only for outerHeight, outerWidth
9723 jQuery.fn[ funcName ] = function( margin, value ) {
9724 var chainable = arguments.length && ( defaultExtra || typeof margin !== "boolean" ),
9725 extra = defaultExtra || ( margin === true || value === true ? "margin" : "border" );
9727 return access( this, function( elem, type, value ) {
9730 if ( jQuery.isWindow( elem ) ) {
9732 // As of 5/8/2012 this will yield incorrect results for Mobile Safari, but there
9733 // isn't a whole lot we can do. See pull request at this URL for discussion:
9734 // https://github.com/jquery/jquery/pull/764
9735 return elem.document.documentElement[ "client" + name ];
9738 // Get document width or height
9739 if ( elem.nodeType === 9 ) {
9740 doc = elem.documentElement;
9742 // Either scroll[Width/Height] or offset[Width/Height] or client[Width/Height],
9743 // whichever is greatest
9745 elem.body[ "scroll" + name ], doc[ "scroll" + name ],
9746 elem.body[ "offset" + name ], doc[ "offset" + name ],
9747 doc[ "client" + name ]
9751 return value === undefined ?
9753 // Get width or height on the element, requesting but not forcing parseFloat
9754 jQuery.css( elem, type, extra ) :
9756 // Set width or height on the element
9757 jQuery.style( elem, type, value, extra );
9758 }, type, chainable ? margin : undefined, chainable, null );
9766 bind: function( types, data, fn ) {
9767 return this.on( types, null, data, fn );
9769 unbind: function( types, fn ) {
9770 return this.off( types, null, fn );
9773 delegate: function( selector, types, data, fn ) {
9774 return this.on( types, selector, data, fn );
9776 undelegate: function( selector, types, fn ) {
9778 // ( namespace ) or ( selector, types [, fn] )
9779 return arguments.length === 1 ?
9780 this.off( selector, "**" ) :
9781 this.off( types, selector || "**", fn );
9788 jQuery.fn.andSelf = jQuery.fn.addBack;
9793 // Register as a named AMD module, since jQuery can be concatenated with other
9794 // files that may use define, but not via a proper concatenation script that
9795 // understands anonymous AMD modules. A named AMD is safest and most robust
9796 // way to register. Lowercase jquery is used because AMD module names are
9797 // derived from file names, and jQuery is normally delivered in a lowercase
9798 // file name. Do this after creating the global so that if an AMD module wants
9799 // to call noConflict to hide this version of jQuery, it will work.
9801 // Note that for maximum portability, libraries that are not jQuery should
9802 // declare themselves as anonymous modules, and avoid setting a global if an
9803 // AMD loader is present. jQuery is a special case. For more information, see
9804 // https://github.com/jrburke/requirejs/wiki/Updating-existing-libraries#wiki-anon
9806 if ( typeof define === "function" && define.amd ) {
9807 define( "jquery", [], function() {
9816 // Map over jQuery in case of overwrite
9817 _jQuery = window.jQuery,
9819 // Map over the $ in case of overwrite
9822 jQuery.noConflict = function( deep ) {
9823 if ( window.$ === jQuery ) {
9827 if ( deep && window.jQuery === jQuery ) {
9828 window.jQuery = _jQuery;
9834 // Expose jQuery and $ identifiers, even in AMD
9835 // (#7102#comment:10, https://github.com/jquery/jquery/pull/557)
9836 // and CommonJS for browser emulators (#13566)
9838 window.jQuery = window.$ = jQuery;