From 8a72f45c600408ce09bef05a91eb08f83b698ef9 Mon Sep 17 00:00:00 2001 From: Stephen Cheung Date: Tue, 30 Dec 2014 11:45:37 -0800 Subject: [PATCH 1/6] added custom shim functions so that jquery/velocity will not be compiled --- config.js | 10 +- dist/pinny.standalone.js | 5647 +----------------------------------- examples/standalone.html | 5 +- src/js/jquery_wrapper.js | 6 + src/js/velocity_wrapper.js | 12 + 5 files changed, 38 insertions(+), 5642 deletions(-) create mode 100644 src/js/jquery_wrapper.js create mode 100644 src/js/velocity_wrapper.js diff --git a/config.js b/config.js index 59df8c1..ab7b2f1 100644 --- a/config.js +++ b/config.js @@ -3,7 +3,8 @@ require.config({ 'keepBuildDir': true, 'forceSync': true, 'paths': { - '$': 'lib/zeptojs/dist/zepto', + '$': 'src/js/jquery_wrapper', + 'velocity': 'src/js/velocity_wrapper', 'pinny': 'src/js/pinny', 'effects': 'src/js/effects', 'modal-center': 'dist/effect/modal-center', @@ -16,11 +17,6 @@ require.config({ 'lockup': 'bower_components/lockup/dist/lockup', 'shade': 'bower_components/shade/dist/shade', 'deckard': 'bower_components/deckard/dist/deckard', - 'velocity': 'bower_components/mobify-velocity/velocity' - }, - 'shim': { - '$': { - exports: '$' - } + // 'velocity': 'bower_components/mobify-velocity/velocity' } }); diff --git a/dist/pinny.standalone.js b/dist/pinny.standalone.js index b83a7df..e8bf3de 100644 --- a/dist/pinny.standalone.js +++ b/dist/pinny.standalone.js @@ -430,5645 +430,26 @@ var requirejs, require, define; define("node_modules/almond/almond.js", function(){}); -/* Zepto 1.1.3 - zepto event ajax form fx selector stack data - zeptojs.com/license */ - - -var Zepto = (function() { - var undefined, key, $, classList, emptyArray = [], slice = emptyArray.slice, filter = emptyArray.filter, - document = window.document, - elementDisplay = {}, classCache = {}, - cssNumber = { 'column-count': 1, 'columns': 1, 'font-weight': 1, 'line-height': 1,'opacity': 1, 'z-index': 1, 'zoom': 1 }, - fragmentRE = /^\s*<(\w+|!)[^>]*>/, - singleTagRE = /^<(\w+)\s*\/?>(?:<\/\1>|)$/, - tagExpanderRE = /<(?!area|br|col|embed|hr|img|input|link|meta|param)(([\w:]+)[^>]*)\/>/ig, - rootNodeRE = /^(?:body|html)$/i, - capitalRE = /([A-Z])/g, - - // special attributes that should be get/set via method calls - methodAttributes = ['val', 'css', 'html', 'text', 'data', 'width', 'height', 'offset'], - - adjacencyOperators = [ 'after', 'prepend', 'before', 'append' ], - table = document.createElement('table'), - tableRow = document.createElement('tr'), - containers = { - 'tr': document.createElement('tbody'), - 'tbody': table, 'thead': table, 'tfoot': table, - 'td': tableRow, 'th': tableRow, - '*': document.createElement('div') - }, - readyRE = /complete|loaded|interactive/, - simpleSelectorRE = /^[\w-]*$/, - class2type = {}, - toString = class2type.toString, - zepto = {}, - camelize, uniq, - tempParent = document.createElement('div'), - propMap = { - 'tabindex': 'tabIndex', - 'readonly': 'readOnly', - 'for': 'htmlFor', - 'class': 'className', - 'maxlength': 'maxLength', - 'cellspacing': 'cellSpacing', - 'cellpadding': 'cellPadding', - 'rowspan': 'rowSpan', - 'colspan': 'colSpan', - 'usemap': 'useMap', - 'frameborder': 'frameBorder', - 'contenteditable': 'contentEditable' - }, - isArray = Array.isArray || - function(object){ return object instanceof Array } - - zepto.matches = function(element, selector) { - if (!selector || !element || element.nodeType !== 1) return false - var matchesSelector = element.webkitMatchesSelector || element.mozMatchesSelector || - element.oMatchesSelector || element.matchesSelector - if (matchesSelector) return matchesSelector.call(element, selector) - // fall back to performing a selector: - var match, parent = element.parentNode, temp = !parent - if (temp) (parent = tempParent).appendChild(element) - match = ~zepto.qsa(parent, selector).indexOf(element) - temp && tempParent.removeChild(element) - return match - } - - function type(obj) { - return obj == null ? String(obj) : - class2type[toString.call(obj)] || "object" - } - - function isFunction(value) { return type(value) == "function" } - function isWindow(obj) { return obj != null && obj == obj.window } - function isDocument(obj) { return obj != null && obj.nodeType == obj.DOCUMENT_NODE } - function isObject(obj) { return type(obj) == "object" } - function isPlainObject(obj) { - return isObject(obj) && !isWindow(obj) && Object.getPrototypeOf(obj) == Object.prototype - } - function likeArray(obj) { return typeof obj.length == 'number' } - - function compact(array) { return filter.call(array, function(item){ return item != null }) } - function flatten(array) { return array.length > 0 ? $.fn.concat.apply([], array) : array } - camelize = function(str){ return str.replace(/-+(.)?/g, function(match, chr){ return chr ? chr.toUpperCase() : '' }) } - function dasherize(str) { - return str.replace(/::/g, '/') - .replace(/([A-Z]+)([A-Z][a-z])/g, '$1_$2') - .replace(/([a-z\d])([A-Z])/g, '$1_$2') - .replace(/_/g, '-') - .toLowerCase() - } - uniq = function(array){ return filter.call(array, function(item, idx){ return array.indexOf(item) == idx }) } - - function classRE(name) { - return name in classCache ? - classCache[name] : (classCache[name] = new RegExp('(^|\\s)' + name + '(\\s|$)')) - } - - function maybeAddPx(name, value) { - return (typeof value == "number" && !cssNumber[dasherize(name)]) ? value + "px" : value - } - - function defaultDisplay(nodeName) { - var element, display - if (!elementDisplay[nodeName]) { - element = document.createElement(nodeName) - document.body.appendChild(element) - display = getComputedStyle(element, '').getPropertyValue("display") - element.parentNode.removeChild(element) - display == "none" && (display = "block") - elementDisplay[nodeName] = display - } - return elementDisplay[nodeName] - } - - function children(element) { - return 'children' in element ? - slice.call(element.children) : - $.map(element.childNodes, function(node){ if (node.nodeType == 1) return node }) - } - - // `$.zepto.fragment` takes a html string and an optional tag name - // to generate DOM nodes nodes from the given html string. - // The generated DOM nodes are returned as an array. - // This function can be overriden in plugins for example to make - // it compatible with browsers that don't support the DOM fully. - zepto.fragment = function(html, name, properties) { - var dom, nodes, container - - // A special case optimization for a single tag - if (singleTagRE.test(html)) dom = $(document.createElement(RegExp.$1)) - - if (!dom) { - if (html.replace) html = html.replace(tagExpanderRE, "<$1>") - if (name === undefined) name = fragmentRE.test(html) && RegExp.$1 - if (!(name in containers)) name = '*' - - container = containers[name] - container.innerHTML = '' + html - dom = $.each(slice.call(container.childNodes), function(){ - container.removeChild(this) - }) - } - - if (isPlainObject(properties)) { - nodes = $(dom) - $.each(properties, function(key, value) { - if (methodAttributes.indexOf(key) > -1) nodes[key](value) - else nodes.attr(key, value) - }) - } - - return dom - } - - // `$.zepto.Z` swaps out the prototype of the given `dom` array - // of nodes with `$.fn` and thus supplying all the Zepto functions - // to the array. Note that `__proto__` is not supported on Internet - // Explorer. This method can be overriden in plugins. - zepto.Z = function(dom, selector) { - dom = dom || [] - dom.__proto__ = $.fn - dom.selector = selector || '' - return dom - } - - // `$.zepto.isZ` should return `true` if the given object is a Zepto - // collection. This method can be overriden in plugins. - zepto.isZ = function(object) { - return object instanceof zepto.Z - } - - // `$.zepto.init` is Zepto's counterpart to jQuery's `$.fn.init` and - // takes a CSS selector and an optional context (and handles various - // special cases). - // This method can be overriden in plugins. - zepto.init = function(selector, context) { - var dom - // If nothing given, return an empty Zepto collection - if (!selector) return zepto.Z() - // Optimize for string selectors - else if (typeof selector == 'string') { - selector = selector.trim() - // If it's a html fragment, create nodes from it - // Note: In both Chrome 21 and Firefox 15, DOM error 12 - // is thrown if the fragment doesn't begin with < - if (selector[0] == '<' && fragmentRE.test(selector)) - dom = zepto.fragment(selector, RegExp.$1, context), selector = null - // If there's a context, create a collection on that context first, and select - // nodes from there - else if (context !== undefined) return $(context).find(selector) - // If it's a CSS selector, use it to select nodes. - else dom = zepto.qsa(document, selector) - } - // If a function is given, call it when the DOM is ready - else if (isFunction(selector)) return $(document).ready(selector) - // If a Zepto collection is given, just return it - else if (zepto.isZ(selector)) return selector - else { - // normalize array if an array of nodes is given - if (isArray(selector)) dom = compact(selector) - // Wrap DOM nodes. - else if (isObject(selector)) - dom = [selector], selector = null - // If it's a html fragment, create nodes from it - else if (fragmentRE.test(selector)) - dom = zepto.fragment(selector.trim(), RegExp.$1, context), selector = null - // If there's a context, create a collection on that context first, and select - // nodes from there - else if (context !== undefined) return $(context).find(selector) - // And last but no least, if it's a CSS selector, use it to select nodes. - else dom = zepto.qsa(document, selector) - } - // create a new Zepto collection from the nodes found - return zepto.Z(dom, selector) - } - - // `$` will be the base `Zepto` object. When calling this - // function just call `$.zepto.init, which makes the implementation - // details of selecting nodes and creating Zepto collections - // patchable in plugins. - $ = function(selector, context){ - return zepto.init(selector, context) - } - - function extend(target, source, deep) { - for (key in source) - if (deep && (isPlainObject(source[key]) || isArray(source[key]))) { - if (isPlainObject(source[key]) && !isPlainObject(target[key])) - target[key] = {} - if (isArray(source[key]) && !isArray(target[key])) - target[key] = [] - extend(target[key], source[key], deep) - } - else if (source[key] !== undefined) target[key] = source[key] - } - - // Copy all but undefined properties from one or more - // objects to the `target` object. - $.extend = function(target){ - var deep, args = slice.call(arguments, 1) - if (typeof target == 'boolean') { - deep = target - target = args.shift() - } - args.forEach(function(arg){ extend(target, arg, deep) }) - return target - } - - // `$.zepto.qsa` is Zepto's CSS selector implementation which - // uses `document.querySelectorAll` and optimizes for some special cases, like `#id`. - // This method can be overriden in plugins. - zepto.qsa = function(element, selector){ - var found, - maybeID = selector[0] == '#', - maybeClass = !maybeID && selector[0] == '.', - nameOnly = maybeID || maybeClass ? selector.slice(1) : selector, // Ensure that a 1 char tag name still gets checked - isSimple = simpleSelectorRE.test(nameOnly) - return (isDocument(element) && isSimple && maybeID) ? - ( (found = element.getElementById(nameOnly)) ? [found] : [] ) : - (element.nodeType !== 1 && element.nodeType !== 9) ? [] : - slice.call( - isSimple && !maybeID ? - maybeClass ? element.getElementsByClassName(nameOnly) : // If it's simple, it could be a class - element.getElementsByTagName(selector) : // Or a tag - element.querySelectorAll(selector) // Or it's not simple, and we need to query all - ) - } - - function filtered(nodes, selector) { - return selector == null ? $(nodes) : $(nodes).filter(selector) - } - - $.contains = function(parent, node) { - return parent !== node && parent.contains(node) - } - - function funcArg(context, arg, idx, payload) { - return isFunction(arg) ? arg.call(context, idx, payload) : arg - } - - function setAttribute(node, name, value) { - value == null ? node.removeAttribute(name) : node.setAttribute(name, value) - } - - // access className property while respecting SVGAnimatedString - function className(node, value){ - var klass = node.className, - svg = klass && klass.baseVal !== undefined - - if (value === undefined) return svg ? klass.baseVal : klass - svg ? (klass.baseVal = value) : (node.className = value) - } - - // "true" => true - // "false" => false - // "null" => null - // "42" => 42 - // "42.5" => 42.5 - // "08" => "08" - // JSON => parse if valid - // String => self - function deserializeValue(value) { - var num - try { - return value ? - value == "true" || - ( value == "false" ? false : - value == "null" ? null : - !/^0/.test(value) && !isNaN(num = Number(value)) ? num : - /^[\[\{]/.test(value) ? $.parseJSON(value) : - value ) - : value - } catch(e) { - return value - } - } - - $.type = type - $.isFunction = isFunction - $.isWindow = isWindow - $.isArray = isArray - $.isPlainObject = isPlainObject - - $.isEmptyObject = function(obj) { - var name - for (name in obj) return false - return true - } - - $.inArray = function(elem, array, i){ - return emptyArray.indexOf.call(array, elem, i) - } - - $.camelCase = camelize - $.trim = function(str) { - return str == null ? "" : String.prototype.trim.call(str) - } - - // plugin compatibility - $.uuid = 0 - $.support = { } - $.expr = { } - - $.map = function(elements, callback){ - var value, values = [], i, key - if (likeArray(elements)) - for (i = 0; i < elements.length; i++) { - value = callback(elements[i], i) - if (value != null) values.push(value) - } - else - for (key in elements) { - value = callback(elements[key], key) - if (value != null) values.push(value) - } - return flatten(values) - } - - $.each = function(elements, callback){ - var i, key - if (likeArray(elements)) { - for (i = 0; i < elements.length; i++) - if (callback.call(elements[i], i, elements[i]) === false) return elements - } else { - for (key in elements) - if (callback.call(elements[key], key, elements[key]) === false) return elements - } - - return elements - } - - $.grep = function(elements, callback){ - return filter.call(elements, callback) - } - - if (window.JSON) $.parseJSON = JSON.parse - - // Populate the class2type map - $.each("Boolean Number String Function Array Date RegExp Object Error".split(" "), function(i, name) { - class2type[ "[object " + name + "]" ] = name.toLowerCase() - }) - - // Define methods that will be available on all - // Zepto collections - $.fn = { - // Because a collection acts like an array - // copy over these useful array functions. - forEach: emptyArray.forEach, - reduce: emptyArray.reduce, - push: emptyArray.push, - sort: emptyArray.sort, - indexOf: emptyArray.indexOf, - concat: emptyArray.concat, - - // `map` and `slice` in the jQuery API work differently - // from their array counterparts - map: function(fn){ - return $($.map(this, function(el, i){ return fn.call(el, i, el) })) - }, - slice: function(){ - return $(slice.apply(this, arguments)) - }, - - ready: function(callback){ - // need to check if document.body exists for IE as that browser reports - // document ready when it hasn't yet created the body element - if (readyRE.test(document.readyState) && document.body) callback($) - else document.addEventListener('DOMContentLoaded', function(){ callback($) }, false) - return this - }, - get: function(idx){ - return idx === undefined ? slice.call(this) : this[idx >= 0 ? idx : idx + this.length] - }, - toArray: function(){ return this.get() }, - size: function(){ - return this.length - }, - remove: function(){ - return this.each(function(){ - if (this.parentNode != null) - this.parentNode.removeChild(this) - }) - }, - each: function(callback){ - emptyArray.every.call(this, function(el, idx){ - return callback.call(el, idx, el) !== false - }) - return this - }, - filter: function(selector){ - if (isFunction(selector)) return this.not(this.not(selector)) - return $(filter.call(this, function(element){ - return zepto.matches(element, selector) - })) - }, - add: function(selector,context){ - return $(uniq(this.concat($(selector,context)))) - }, - is: function(selector){ - return this.length > 0 && zepto.matches(this[0], selector) - }, - not: function(selector){ - var nodes=[] - if (isFunction(selector) && selector.call !== undefined) - this.each(function(idx){ - if (!selector.call(this,idx)) nodes.push(this) - }) - else { - var excludes = typeof selector == 'string' ? this.filter(selector) : - (likeArray(selector) && isFunction(selector.item)) ? slice.call(selector) : $(selector) - this.forEach(function(el){ - if (excludes.indexOf(el) < 0) nodes.push(el) - }) - } - return $(nodes) - }, - has: function(selector){ - return this.filter(function(){ - return isObject(selector) ? - $.contains(this, selector) : - $(this).find(selector).size() - }) - }, - eq: function(idx){ - return idx === -1 ? this.slice(idx) : this.slice(idx, + idx + 1) - }, - first: function(){ - var el = this[0] - return el && !isObject(el) ? el : $(el) - }, - last: function(){ - var el = this[this.length - 1] - return el && !isObject(el) ? el : $(el) - }, - find: function(selector){ - var result, $this = this - if (typeof selector == 'object') - result = $(selector).filter(function(){ - var node = this - return emptyArray.some.call($this, function(parent){ - return $.contains(parent, node) - }) - }) - else if (this.length == 1) result = $(zepto.qsa(this[0], selector)) - else result = this.map(function(){ return zepto.qsa(this, selector) }) - return result - }, - closest: function(selector, context){ - var node = this[0], collection = false - if (typeof selector == 'object') collection = $(selector) - while (node && !(collection ? collection.indexOf(node) >= 0 : zepto.matches(node, selector))) - node = node !== context && !isDocument(node) && node.parentNode - return $(node) - }, - parents: function(selector){ - var ancestors = [], nodes = this - while (nodes.length > 0) - nodes = $.map(nodes, function(node){ - if ((node = node.parentNode) && !isDocument(node) && ancestors.indexOf(node) < 0) { - ancestors.push(node) - return node - } - }) - return filtered(ancestors, selector) - }, - parent: function(selector){ - return filtered(uniq(this.pluck('parentNode')), selector) - }, - children: function(selector){ - return filtered(this.map(function(){ return children(this) }), selector) - }, - contents: function() { - return this.map(function() { return slice.call(this.childNodes) }) - }, - siblings: function(selector){ - return filtered(this.map(function(i, el){ - return filter.call(children(el.parentNode), function(child){ return child!==el }) - }), selector) - }, - empty: function(){ - return this.each(function(){ this.innerHTML = '' }) - }, - // `pluck` is borrowed from Prototype.js - pluck: function(property){ - return $.map(this, function(el){ return el[property] }) - }, - show: function(){ - return this.each(function(){ - this.style.display == "none" && (this.style.display = '') - if (getComputedStyle(this, '').getPropertyValue("display") == "none") - this.style.display = defaultDisplay(this.nodeName) - }) - }, - replaceWith: function(newContent){ - return this.before(newContent).remove() - }, - wrap: function(structure){ - var func = isFunction(structure) - if (this[0] && !func) - var dom = $(structure).get(0), - clone = dom.parentNode || this.length > 1 - - return this.each(function(index){ - $(this).wrapAll( - func ? structure.call(this, index) : - clone ? dom.cloneNode(true) : dom - ) - }) - }, - wrapAll: function(structure){ - if (this[0]) { - $(this[0]).before(structure = $(structure)) - var children - // drill down to the inmost element - while ((children = structure.children()).length) structure = children.first() - $(structure).append(this) - } - return this - }, - wrapInner: function(structure){ - var func = isFunction(structure) - return this.each(function(index){ - var self = $(this), contents = self.contents(), - dom = func ? structure.call(this, index) : structure - contents.length ? contents.wrapAll(dom) : self.append(dom) - }) - }, - unwrap: function(){ - this.parent().each(function(){ - $(this).replaceWith($(this).children()) - }) - return this - }, - clone: function(){ - return this.map(function(){ return this.cloneNode(true) }) - }, - hide: function(){ - return this.css("display", "none") - }, - toggle: function(setting){ - return this.each(function(){ - var el = $(this) - ;(setting === undefined ? el.css("display") == "none" : setting) ? el.show() : el.hide() - }) - }, - prev: function(selector){ return $(this.pluck('previousElementSibling')).filter(selector || '*') }, - next: function(selector){ return $(this.pluck('nextElementSibling')).filter(selector || '*') }, - html: function(html){ - return arguments.length === 0 ? - (this.length > 0 ? this[0].innerHTML : null) : - this.each(function(idx){ - var originHtml = this.innerHTML - $(this).empty().append( funcArg(this, html, idx, originHtml) ) - }) - }, - text: function(text){ - return arguments.length === 0 ? - (this.length > 0 ? this[0].textContent : null) : - this.each(function(){ this.textContent = (text === undefined) ? '' : ''+text }) - }, - attr: function(name, value){ - var result - return (typeof name == 'string' && value === undefined) ? - (this.length == 0 || this[0].nodeType !== 1 ? undefined : - (name == 'value' && this[0].nodeName == 'INPUT') ? this.val() : - (!(result = this[0].getAttribute(name)) && name in this[0]) ? this[0][name] : result - ) : - this.each(function(idx){ - if (this.nodeType !== 1) return - if (isObject(name)) for (key in name) setAttribute(this, key, name[key]) - else setAttribute(this, name, funcArg(this, value, idx, this.getAttribute(name))) - }) - }, - removeAttr: function(name){ - return this.each(function(){ this.nodeType === 1 && setAttribute(this, name) }) - }, - prop: function(name, value){ - name = propMap[name] || name - return (value === undefined) ? - (this[0] && this[0][name]) : - this.each(function(idx){ - this[name] = funcArg(this, value, idx, this[name]) - }) - }, - data: function(name, value){ - var data = this.attr('data-' + name.replace(capitalRE, '-$1').toLowerCase(), value) - return data !== null ? deserializeValue(data) : undefined - }, - val: function(value){ - return arguments.length === 0 ? - (this[0] && (this[0].multiple ? - $(this[0]).find('option').filter(function(){ return this.selected }).pluck('value') : - this[0].value) - ) : - this.each(function(idx){ - this.value = funcArg(this, value, idx, this.value) - }) - }, - offset: function(coordinates){ - if (coordinates) return this.each(function(index){ - var $this = $(this), - coords = funcArg(this, coordinates, index, $this.offset()), - parentOffset = $this.offsetParent().offset(), - props = { - top: coords.top - parentOffset.top, - left: coords.left - parentOffset.left - } - - if ($this.css('position') == 'static') props['position'] = 'relative' - $this.css(props) - }) - if (this.length==0) return null - var obj = this[0].getBoundingClientRect() - return { - left: obj.left + window.pageXOffset, - top: obj.top + window.pageYOffset, - width: Math.round(obj.width), - height: Math.round(obj.height) - } - }, - css: function(property, value){ - if (arguments.length < 2) { - var element = this[0], computedStyle = getComputedStyle(element, '') - if(!element) return - if (typeof property == 'string') - return element.style[camelize(property)] || computedStyle.getPropertyValue(property) - else if (isArray(property)) { - var props = {} - $.each(isArray(property) ? property: [property], function(_, prop){ - props[prop] = (element.style[camelize(prop)] || computedStyle.getPropertyValue(prop)) - }) - return props - } - } - - var css = '' - if (type(property) == 'string') { - if (!value && value !== 0) - this.each(function(){ this.style.removeProperty(dasherize(property)) }) - else - css = dasherize(property) + ":" + maybeAddPx(property, value) - } else { - for (key in property) - if (!property[key] && property[key] !== 0) - this.each(function(){ this.style.removeProperty(dasherize(key)) }) - else - css += dasherize(key) + ':' + maybeAddPx(key, property[key]) + ';' - } - - return this.each(function(){ this.style.cssText += ';' + css }) - }, - index: function(element){ - return element ? this.indexOf($(element)[0]) : this.parent().children().indexOf(this[0]) - }, - hasClass: function(name){ - if (!name) return false - return emptyArray.some.call(this, function(el){ - return this.test(className(el)) - }, classRE(name)) - }, - addClass: function(name){ - if (!name) return this - return this.each(function(idx){ - classList = [] - var cls = className(this), newName = funcArg(this, name, idx, cls) - newName.split(/\s+/g).forEach(function(klass){ - if (!$(this).hasClass(klass)) classList.push(klass) - }, this) - classList.length && className(this, cls + (cls ? " " : "") + classList.join(" ")) - }) - }, - removeClass: function(name){ - return this.each(function(idx){ - if (name === undefined) return className(this, '') - classList = className(this) - funcArg(this, name, idx, classList).split(/\s+/g).forEach(function(klass){ - classList = classList.replace(classRE(klass), " ") - }) - className(this, classList.trim()) - }) - }, - toggleClass: function(name, when){ - if (!name) return this - return this.each(function(idx){ - var $this = $(this), names = funcArg(this, name, idx, className(this)) - names.split(/\s+/g).forEach(function(klass){ - (when === undefined ? !$this.hasClass(klass) : when) ? - $this.addClass(klass) : $this.removeClass(klass) - }) - }) - }, - scrollTop: function(value){ - if (!this.length) return - var hasScrollTop = 'scrollTop' in this[0] - if (value === undefined) return hasScrollTop ? this[0].scrollTop : this[0].pageYOffset - return this.each(hasScrollTop ? - function(){ this.scrollTop = value } : - function(){ this.scrollTo(this.scrollX, value) }) - }, - scrollLeft: function(value){ - if (!this.length) return - var hasScrollLeft = 'scrollLeft' in this[0] - if (value === undefined) return hasScrollLeft ? this[0].scrollLeft : this[0].pageXOffset - return this.each(hasScrollLeft ? - function(){ this.scrollLeft = value } : - function(){ this.scrollTo(value, this.scrollY) }) - }, - position: function() { - if (!this.length) return - - var elem = this[0], - // Get *real* offsetParent - offsetParent = this.offsetParent(), - // Get correct offsets - offset = this.offset(), - parentOffset = rootNodeRE.test(offsetParent[0].nodeName) ? { top: 0, left: 0 } : offsetParent.offset() - - // Subtract element margins - // note: when an element has margin: auto the offsetLeft and marginLeft - // are the same in Safari causing offset.left to incorrectly be 0 - offset.top -= parseFloat( $(elem).css('margin-top') ) || 0 - offset.left -= parseFloat( $(elem).css('margin-left') ) || 0 - - // Add offsetParent borders - parentOffset.top += parseFloat( $(offsetParent[0]).css('border-top-width') ) || 0 - parentOffset.left += parseFloat( $(offsetParent[0]).css('border-left-width') ) || 0 - - // Subtract the two offsets - return { - top: offset.top - parentOffset.top, - left: offset.left - parentOffset.left - } - }, - offsetParent: function() { - return this.map(function(){ - var parent = this.offsetParent || document.body - while (parent && !rootNodeRE.test(parent.nodeName) && $(parent).css("position") == "static") - parent = parent.offsetParent - return parent - }) - } - } - - // for now - $.fn.detach = $.fn.remove - - // Generate the `width` and `height` functions - ;['width', 'height'].forEach(function(dimension){ - var dimensionProperty = - dimension.replace(/./, function(m){ return m[0].toUpperCase() }) - - $.fn[dimension] = function(value){ - var offset, el = this[0] - if (value === undefined) return isWindow(el) ? el['inner' + dimensionProperty] : - isDocument(el) ? el.documentElement['scroll' + dimensionProperty] : - (offset = this.offset()) && offset[dimension] - else return this.each(function(idx){ - el = $(this) - el.css(dimension, funcArg(this, value, idx, el[dimension]())) - }) - } - }) - - function traverseNode(node, fun) { - fun(node) - for (var key in node.childNodes) traverseNode(node.childNodes[key], fun) - } - - // Generate the `after`, `prepend`, `before`, `append`, - // `insertAfter`, `insertBefore`, `appendTo`, and `prependTo` methods. - adjacencyOperators.forEach(function(operator, operatorIndex) { - var inside = operatorIndex % 2 //=> prepend, append - - $.fn[operator] = function(){ - // arguments can be nodes, arrays of nodes, Zepto objects and HTML strings - var argType, nodes = $.map(arguments, function(arg) { - argType = type(arg) - return argType == "object" || argType == "array" || arg == null ? - arg : zepto.fragment(arg) - }), - parent, copyByClone = this.length > 1 - if (nodes.length < 1) return this - - return this.each(function(_, target){ - parent = inside ? target : target.parentNode - - // convert all methods to a "before" operation - target = operatorIndex == 0 ? target.nextSibling : - operatorIndex == 1 ? target.firstChild : - operatorIndex == 2 ? target : - null - - nodes.forEach(function(node){ - if (copyByClone) node = node.cloneNode(true) - else if (!parent) return $(node).remove() - - traverseNode(parent.insertBefore(node, target), function(el){ - if (el.nodeName != null && el.nodeName.toUpperCase() === 'SCRIPT' && - (!el.type || el.type === 'text/javascript') && !el.src) - window['eval'].call(window, el.innerHTML) - }) - }) - }) - } - - // after => insertAfter - // prepend => prependTo - // before => insertBefore - // append => appendTo - $.fn[inside ? operator+'To' : 'insert'+(operatorIndex ? 'Before' : 'After')] = function(html){ - $(html)[operator](this) - return this - } - }) - - zepto.Z.prototype = $.fn - - // Export internal API functions in the `$.zepto` namespace - zepto.uniq = uniq - zepto.deserializeValue = deserializeValue - $.zepto = zepto - - return $ -})() - -window.Zepto = Zepto -window.$ === undefined && (window.$ = Zepto) - -;(function($){ - var _zid = 1, undefined, - slice = Array.prototype.slice, - isFunction = $.isFunction, - isString = function(obj){ return typeof obj == 'string' }, - handlers = {}, - specialEvents={}, - focusinSupported = 'onfocusin' in window, - focus = { focus: 'focusin', blur: 'focusout' }, - hover = { mouseenter: 'mouseover', mouseleave: 'mouseout' } - - specialEvents.click = specialEvents.mousedown = specialEvents.mouseup = specialEvents.mousemove = 'MouseEvents' - - function zid(element) { - return element._zid || (element._zid = _zid++) - } - function findHandlers(element, event, fn, selector) { - event = parse(event) - if (event.ns) var matcher = matcherFor(event.ns) - return (handlers[zid(element)] || []).filter(function(handler) { - return handler - && (!event.e || handler.e == event.e) - && (!event.ns || matcher.test(handler.ns)) - && (!fn || zid(handler.fn) === zid(fn)) - && (!selector || handler.sel == selector) - }) - } - function parse(event) { - var parts = ('' + event).split('.') - return {e: parts[0], ns: parts.slice(1).sort().join(' ')} - } - function matcherFor(ns) { - return new RegExp('(?:^| )' + ns.replace(' ', ' .* ?') + '(?: |$)') - } - - function eventCapture(handler, captureSetting) { - return handler.del && - (!focusinSupported && (handler.e in focus)) || - !!captureSetting - } - - function realEvent(type) { - return hover[type] || (focusinSupported && focus[type]) || type - } - - function add(element, events, fn, data, selector, delegator, capture){ - var id = zid(element), set = (handlers[id] || (handlers[id] = [])) - events.split(/\s/).forEach(function(event){ - if (event == 'ready') return $(document).ready(fn) - var handler = parse(event) - handler.fn = fn - handler.sel = selector - // emulate mouseenter, mouseleave - if (handler.e in hover) fn = function(e){ - var related = e.relatedTarget - if (!related || (related !== this && !$.contains(this, related))) - return handler.fn.apply(this, arguments) - } - handler.del = delegator - var callback = delegator || fn - handler.proxy = function(e){ - e = compatible(e) - if (e.isImmediatePropagationStopped()) return - e.data = data - var result = callback.apply(element, e._args == undefined ? [e] : [e].concat(e._args)) - if (result === false) e.preventDefault(), e.stopPropagation() - return result - } - handler.i = set.length - set.push(handler) - if ('addEventListener' in element) - element.addEventListener(realEvent(handler.e), handler.proxy, eventCapture(handler, capture)) - }) - } - function remove(element, events, fn, selector, capture){ - var id = zid(element) - ;(events || '').split(/\s/).forEach(function(event){ - findHandlers(element, event, fn, selector).forEach(function(handler){ - delete handlers[id][handler.i] - if ('removeEventListener' in element) - element.removeEventListener(realEvent(handler.e), handler.proxy, eventCapture(handler, capture)) - }) - }) - } - - $.event = { add: add, remove: remove } - - $.proxy = function(fn, context) { - if (isFunction(fn)) { - var proxyFn = function(){ return fn.apply(context, arguments) } - proxyFn._zid = zid(fn) - return proxyFn - } else if (isString(context)) { - return $.proxy(fn[context], fn) - } else { - throw new TypeError("expected function") - } - } - - $.fn.bind = function(event, data, callback){ - return this.on(event, data, callback) - } - $.fn.unbind = function(event, callback){ - return this.off(event, callback) - } - $.fn.one = function(event, selector, data, callback){ - return this.on(event, selector, data, callback, 1) - } - - var returnTrue = function(){return true}, - returnFalse = function(){return false}, - ignoreProperties = /^([A-Z]|returnValue$|layer[XY]$)/, - eventMethods = { - preventDefault: 'isDefaultPrevented', - stopImmediatePropagation: 'isImmediatePropagationStopped', - stopPropagation: 'isPropagationStopped' - } - - function compatible(event, source) { - if (source || !event.isDefaultPrevented) { - source || (source = event) - - $.each(eventMethods, function(name, predicate) { - var sourceMethod = source[name] - event[name] = function(){ - this[predicate] = returnTrue - return sourceMethod && sourceMethod.apply(source, arguments) - } - event[predicate] = returnFalse - }) - - if (source.defaultPrevented !== undefined ? source.defaultPrevented : - 'returnValue' in source ? source.returnValue === false : - source.getPreventDefault && source.getPreventDefault()) - event.isDefaultPrevented = returnTrue - } - return event - } - - function createProxy(event) { - var key, proxy = { originalEvent: event } - for (key in event) - if (!ignoreProperties.test(key) && event[key] !== undefined) proxy[key] = event[key] - - return compatible(proxy, event) - } - - $.fn.delegate = function(selector, event, callback){ - return this.on(event, selector, callback) - } - $.fn.undelegate = function(selector, event, callback){ - return this.off(event, selector, callback) - } - - $.fn.live = function(event, callback){ - $(document.body).delegate(this.selector, event, callback) - return this - } - $.fn.die = function(event, callback){ - $(document.body).undelegate(this.selector, event, callback) - return this - } - - $.fn.on = function(event, selector, data, callback, one){ - var autoRemove, delegator, $this = this - if (event && !isString(event)) { - $.each(event, function(type, fn){ - $this.on(type, selector, data, fn, one) - }) - return $this - } - - if (!isString(selector) && !isFunction(callback) && callback !== false) - callback = data, data = selector, selector = undefined - if (isFunction(data) || data === false) - callback = data, data = undefined - - if (callback === false) callback = returnFalse - - return $this.each(function(_, element){ - if (one) autoRemove = function(e){ - remove(element, e.type, callback) - return callback.apply(this, arguments) - } - - if (selector) delegator = function(e){ - var evt, match = $(e.target).closest(selector, element).get(0) - if (match && match !== element) { - evt = $.extend(createProxy(e), {currentTarget: match, liveFired: element}) - return (autoRemove || callback).apply(match, [evt].concat(slice.call(arguments, 1))) - } - } - - add(element, event, callback, data, selector, delegator || autoRemove) - }) - } - $.fn.off = function(event, selector, callback){ - var $this = this - if (event && !isString(event)) { - $.each(event, function(type, fn){ - $this.off(type, selector, fn) - }) - return $this - } - - if (!isString(selector) && !isFunction(callback) && callback !== false) - callback = selector, selector = undefined - - if (callback === false) callback = returnFalse - - return $this.each(function(){ - remove(this, event, callback, selector) - }) - } - - $.fn.trigger = function(event, args){ - event = (isString(event) || $.isPlainObject(event)) ? $.Event(event) : compatible(event) - event._args = args - return this.each(function(){ - // items in the collection might not be DOM elements - if('dispatchEvent' in this) this.dispatchEvent(event) - else $(this).triggerHandler(event, args) - }) - } - - // triggers event handlers on current element just as if an event occurred, - // doesn't trigger an actual event, doesn't bubble - $.fn.triggerHandler = function(event, args){ - var e, result - this.each(function(i, element){ - e = createProxy(isString(event) ? $.Event(event) : event) - e._args = args - e.target = element - $.each(findHandlers(element, event.type || event), function(i, handler){ - result = handler.proxy(e) - if (e.isImmediatePropagationStopped()) return false - }) - }) - return result - } - - // shortcut methods for `.bind(event, fn)` for each event type - ;('focusin focusout load resize scroll unload click dblclick '+ - 'mousedown mouseup mousemove mouseover mouseout mouseenter mouseleave '+ - 'change select keydown keypress keyup error').split(' ').forEach(function(event) { - $.fn[event] = function(callback) { - return callback ? - this.bind(event, callback) : - this.trigger(event) - } - }) - - ;['focus', 'blur'].forEach(function(name) { - $.fn[name] = function(callback) { - if (callback) this.bind(name, callback) - else this.each(function(){ - try { this[name]() } - catch(e) {} - }) - return this - } - }) - - $.Event = function(type, props) { - if (!isString(type)) props = type, type = props.type - var event = document.createEvent(specialEvents[type] || 'Events'), bubbles = true - if (props) for (var name in props) (name == 'bubbles') ? (bubbles = !!props[name]) : (event[name] = props[name]) - event.initEvent(type, bubbles, true) - return compatible(event) - } - -})(Zepto) - -;(function($){ - var jsonpID = 0, - document = window.document, - key, - name, - rscript = /)<[^<]*)*<\/script>/gi, - scriptTypeRE = /^(?:text|application)\/javascript/i, - xmlTypeRE = /^(?:text|application)\/xml/i, - jsonType = 'application/json', - htmlType = 'text/html', - blankRE = /^\s*$/ - - // trigger a custom event and return false if it was cancelled - function triggerAndReturn(context, eventName, data) { - var event = $.Event(eventName) - $(context).trigger(event, data) - return !event.isDefaultPrevented() - } - - // trigger an Ajax "global" event - function triggerGlobal(settings, context, eventName, data) { - if (settings.global) return triggerAndReturn(context || document, eventName, data) - } - - // Number of active Ajax requests - $.active = 0 - - function ajaxStart(settings) { - if (settings.global && $.active++ === 0) triggerGlobal(settings, null, 'ajaxStart') - } - function ajaxStop(settings) { - if (settings.global && !(--$.active)) triggerGlobal(settings, null, 'ajaxStop') - } - - // triggers an extra global event "ajaxBeforeSend" that's like "ajaxSend" but cancelable - function ajaxBeforeSend(xhr, settings) { - var context = settings.context - if (settings.beforeSend.call(context, xhr, settings) === false || - triggerGlobal(settings, context, 'ajaxBeforeSend', [xhr, settings]) === false) - return false - - triggerGlobal(settings, context, 'ajaxSend', [xhr, settings]) - } - function ajaxSuccess(data, xhr, settings, deferred) { - var context = settings.context, status = 'success' - settings.success.call(context, data, status, xhr) - if (deferred) deferred.resolveWith(context, [data, status, xhr]) - triggerGlobal(settings, context, 'ajaxSuccess', [xhr, settings, data]) - ajaxComplete(status, xhr, settings) - } - // type: "timeout", "error", "abort", "parsererror" - function ajaxError(error, type, xhr, settings, deferred) { - var context = settings.context - settings.error.call(context, xhr, type, error) - if (deferred) deferred.rejectWith(context, [xhr, type, error]) - triggerGlobal(settings, context, 'ajaxError', [xhr, settings, error || type]) - ajaxComplete(type, xhr, settings) - } - // status: "success", "notmodified", "error", "timeout", "abort", "parsererror" - function ajaxComplete(status, xhr, settings) { - var context = settings.context - settings.complete.call(context, xhr, status) - triggerGlobal(settings, context, 'ajaxComplete', [xhr, settings]) - ajaxStop(settings) - } - - // Empty function, used as default callback - function empty() {} - - $.ajaxJSONP = function(options, deferred){ - if (!('type' in options)) return $.ajax(options) - - var _callbackName = options.jsonpCallback, - callbackName = ($.isFunction(_callbackName) ? - _callbackName() : _callbackName) || ('jsonp' + (++jsonpID)), - script = document.createElement('script'), - originalCallback = window[callbackName], - responseData, - abort = function(errorType) { - $(script).triggerHandler('error', errorType || 'abort') - }, - xhr = { abort: abort }, abortTimeout - - if (deferred) deferred.promise(xhr) - - $(script).on('load error', function(e, errorType){ - clearTimeout(abortTimeout) - $(script).off().remove() - - if (e.type == 'error' || !responseData) { - ajaxError(null, errorType || 'error', xhr, options, deferred) - } else { - ajaxSuccess(responseData[0], xhr, options, deferred) - } - - window[callbackName] = originalCallback - if (responseData && $.isFunction(originalCallback)) - originalCallback(responseData[0]) - - originalCallback = responseData = undefined - }) - - if (ajaxBeforeSend(xhr, options) === false) { - abort('abort') - return xhr - } - - window[callbackName] = function(){ - responseData = arguments - } - - script.src = options.url.replace(/\?(.+)=\?/, '?$1=' + callbackName) - document.head.appendChild(script) - - if (options.timeout > 0) abortTimeout = setTimeout(function(){ - abort('timeout') - }, options.timeout) - - return xhr - } - - $.ajaxSettings = { - // Default type of request - type: 'GET', - // Callback that is executed before request - beforeSend: empty, - // Callback that is executed if the request succeeds - success: empty, - // Callback that is executed the the server drops error - error: empty, - // Callback that is executed on request complete (both: error and success) - complete: empty, - // The context for the callbacks - context: null, - // Whether to trigger "global" Ajax events - global: true, - // Transport - xhr: function () { - return new window.XMLHttpRequest() - }, - // MIME types mapping - // IIS returns Javascript as "application/x-javascript" - accepts: { - script: 'text/javascript, application/javascript, application/x-javascript', - json: jsonType, - xml: 'application/xml, text/xml', - html: htmlType, - text: 'text/plain' - }, - // Whether the request is to another domain - crossDomain: false, - // Default timeout - timeout: 0, - // Whether data should be serialized to string - processData: true, - // Whether the browser should be allowed to cache GET responses - cache: true - } - - function mimeToDataType(mime) { - if (mime) mime = mime.split(';', 2)[0] - return mime && ( mime == htmlType ? 'html' : - mime == jsonType ? 'json' : - scriptTypeRE.test(mime) ? 'script' : - xmlTypeRE.test(mime) && 'xml' ) || 'text' - } - - function appendQuery(url, query) { - if (query == '') return url - return (url + '&' + query).replace(/[&?]{1,2}/, '?') - } - - // serialize payload and append it to the URL for GET requests - function serializeData(options) { - if (options.processData && options.data && $.type(options.data) != "string") - options.data = $.param(options.data, options.traditional) - if (options.data && (!options.type || options.type.toUpperCase() == 'GET')) - options.url = appendQuery(options.url, options.data), options.data = undefined - } - - $.ajax = function(options){ - var settings = $.extend({}, options || {}), - deferred = $.Deferred && $.Deferred() - for (key in $.ajaxSettings) if (settings[key] === undefined) settings[key] = $.ajaxSettings[key] - - ajaxStart(settings) - - if (!settings.crossDomain) settings.crossDomain = /^([\w-]+:)?\/\/([^\/]+)/.test(settings.url) && - RegExp.$2 != window.location.host - - if (!settings.url) settings.url = window.location.toString() - serializeData(settings) - if (settings.cache === false) settings.url = appendQuery(settings.url, '_=' + Date.now()) - - var dataType = settings.dataType, hasPlaceholder = /\?.+=\?/.test(settings.url) - if (dataType == 'jsonp' || hasPlaceholder) { - if (!hasPlaceholder) - settings.url = appendQuery(settings.url, - settings.jsonp ? (settings.jsonp + '=?') : settings.jsonp === false ? '' : 'callback=?') - return $.ajaxJSONP(settings, deferred) - } - - var mime = settings.accepts[dataType], - headers = { }, - setHeader = function(name, value) { headers[name.toLowerCase()] = [name, value] }, - protocol = /^([\w-]+:)\/\//.test(settings.url) ? RegExp.$1 : window.location.protocol, - xhr = settings.xhr(), - nativeSetHeader = xhr.setRequestHeader, - abortTimeout - - if (deferred) deferred.promise(xhr) - - if (!settings.crossDomain) setHeader('X-Requested-With', 'XMLHttpRequest') - setHeader('Accept', mime || '*/*') - if (mime = settings.mimeType || mime) { - if (mime.indexOf(',') > -1) mime = mime.split(',', 2)[0] - xhr.overrideMimeType && xhr.overrideMimeType(mime) - } - if (settings.contentType || (settings.contentType !== false && settings.data && settings.type.toUpperCase() != 'GET')) - setHeader('Content-Type', settings.contentType || 'application/x-www-form-urlencoded') - - if (settings.headers) for (name in settings.headers) setHeader(name, settings.headers[name]) - xhr.setRequestHeader = setHeader - - xhr.onreadystatechange = function(){ - if (xhr.readyState == 4) { - xhr.onreadystatechange = empty - clearTimeout(abortTimeout) - var result, error = false - if ((xhr.status >= 200 && xhr.status < 300) || xhr.status == 304 || (xhr.status == 0 && protocol == 'file:')) { - dataType = dataType || mimeToDataType(settings.mimeType || xhr.getResponseHeader('content-type')) - result = xhr.responseText - - try { - // http://perfectionkills.com/global-eval-what-are-the-options/ - if (dataType == 'script') (1,eval)(result) - else if (dataType == 'xml') result = xhr.responseXML - else if (dataType == 'json') result = blankRE.test(result) ? null : $.parseJSON(result) - } catch (e) { error = e } - - if (error) ajaxError(error, 'parsererror', xhr, settings, deferred) - else ajaxSuccess(result, xhr, settings, deferred) - } else { - ajaxError(xhr.statusText || null, xhr.status ? 'error' : 'abort', xhr, settings, deferred) - } - } - } - - if (ajaxBeforeSend(xhr, settings) === false) { - xhr.abort() - ajaxError(null, 'abort', xhr, settings, deferred) - return xhr - } - - if (settings.xhrFields) for (name in settings.xhrFields) xhr[name] = settings.xhrFields[name] - - var async = 'async' in settings ? settings.async : true - xhr.open(settings.type, settings.url, async, settings.username, settings.password) - - for (name in headers) nativeSetHeader.apply(xhr, headers[name]) - - if (settings.timeout > 0) abortTimeout = setTimeout(function(){ - xhr.onreadystatechange = empty - xhr.abort() - ajaxError(null, 'timeout', xhr, settings, deferred) - }, settings.timeout) - - // avoid sending empty string (#319) - xhr.send(settings.data ? settings.data : null) - return xhr - } - - // handle optional data/success arguments - function parseArguments(url, data, success, dataType) { - if ($.isFunction(data)) dataType = success, success = data, data = undefined - if (!$.isFunction(success)) dataType = success, success = undefined - return { - url: url - , data: data - , success: success - , dataType: dataType - } - } - - $.get = function(/* url, data, success, dataType */){ - return $.ajax(parseArguments.apply(null, arguments)) - } - - $.post = function(/* url, data, success, dataType */){ - var options = parseArguments.apply(null, arguments) - options.type = 'POST' - return $.ajax(options) - } - - $.getJSON = function(/* url, data, success */){ - var options = parseArguments.apply(null, arguments) - options.dataType = 'json' - return $.ajax(options) - } - - $.fn.load = function(url, data, success){ - if (!this.length) return this - var self = this, parts = url.split(/\s/), selector, - options = parseArguments(url, data, success), - callback = options.success - if (parts.length > 1) options.url = parts[0], selector = parts[1] - options.success = function(response){ - self.html(selector ? - $('
').html(response.replace(rscript, "")).find(selector) - : response) - callback && callback.apply(self, arguments) - } - $.ajax(options) - return this - } - - var escape = encodeURIComponent - - function serialize(params, obj, traditional, scope){ - var type, array = $.isArray(obj), hash = $.isPlainObject(obj) - $.each(obj, function(key, value) { - type = $.type(value) - if (scope) key = traditional ? scope : - scope + '[' + (hash || type == 'object' || type == 'array' ? key : '') + ']' - // handle data in serializeArray() format - if (!scope && array) params.add(value.name, value.value) - // recurse into nested objects - else if (type == "array" || (!traditional && type == "object")) - serialize(params, value, traditional, key) - else params.add(key, value) - }) - } - - $.param = function(obj, traditional){ - var params = [] - params.add = function(k, v){ this.push(escape(k) + '=' + escape(v)) } - serialize(params, obj, traditional) - return params.join('&').replace(/%20/g, '+') - } -})(Zepto) - -;(function($){ - $.fn.serializeArray = function() { - var result = [], el - $([].slice.call(this.get(0).elements)).each(function(){ - el = $(this) - var type = el.attr('type') - if (this.nodeName.toLowerCase() != 'fieldset' && - !this.disabled && type != 'submit' && type != 'reset' && type != 'button' && - ((type != 'radio' && type != 'checkbox') || this.checked)) - result.push({ - name: el.attr('name'), - value: el.val() - }) - }) - return result - } - - $.fn.serialize = function(){ - var result = [] - this.serializeArray().forEach(function(elm){ - result.push(encodeURIComponent(elm.name) + '=' + encodeURIComponent(elm.value)) - }) - return result.join('&') - } - - $.fn.submit = function(callback) { - if (callback) this.bind('submit', callback) - else if (this.length) { - var event = $.Event('submit') - this.eq(0).trigger(event) - if (!event.isDefaultPrevented()) this.get(0).submit() - } - return this - } - -})(Zepto) - -;(function($, undefined){ - var prefix = '', eventPrefix, endEventName, endAnimationName, - vendors = { Webkit: 'webkit', Moz: '', O: 'o' }, - document = window.document, testEl = document.createElement('div'), - supportedTransforms = /^((translate|rotate|scale)(X|Y|Z|3d)?|matrix(3d)?|perspective|skew(X|Y)?)$/i, - transform, - transitionProperty, transitionDuration, transitionTiming, transitionDelay, - animationName, animationDuration, animationTiming, animationDelay, - cssReset = {} - - function dasherize(str) { return str.replace(/([a-z])([A-Z])/, '$1-$2').toLowerCase() } - function normalizeEvent(name) { return eventPrefix ? eventPrefix + name : name.toLowerCase() } - - $.each(vendors, function(vendor, event){ - if (testEl.style[vendor + 'TransitionProperty'] !== undefined) { - prefix = '-' + vendor.toLowerCase() + '-' - eventPrefix = event - return false - } - }) - - transform = prefix + 'transform' - cssReset[transitionProperty = prefix + 'transition-property'] = - cssReset[transitionDuration = prefix + 'transition-duration'] = - cssReset[transitionDelay = prefix + 'transition-delay'] = - cssReset[transitionTiming = prefix + 'transition-timing-function'] = - cssReset[animationName = prefix + 'animation-name'] = - cssReset[animationDuration = prefix + 'animation-duration'] = - cssReset[animationDelay = prefix + 'animation-delay'] = - cssReset[animationTiming = prefix + 'animation-timing-function'] = '' - - $.fx = { - off: (eventPrefix === undefined && testEl.style.transitionProperty === undefined), - speeds: { _default: 400, fast: 200, slow: 600 }, - cssPrefix: prefix, - transitionEnd: normalizeEvent('TransitionEnd'), - animationEnd: normalizeEvent('AnimationEnd') - } - - $.fn.animate = function(properties, duration, ease, callback, delay){ - if ($.isFunction(duration)) - callback = duration, ease = undefined, duration = undefined - if ($.isFunction(ease)) - callback = ease, ease = undefined - if ($.isPlainObject(duration)) - ease = duration.easing, callback = duration.complete, delay = duration.delay, duration = duration.duration - if (duration) duration = (typeof duration == 'number' ? duration : - ($.fx.speeds[duration] || $.fx.speeds._default)) / 1000 - if (delay) delay = parseFloat(delay) / 1000 - return this.anim(properties, duration, ease, callback, delay) - } - - $.fn.anim = function(properties, duration, ease, callback, delay){ - var key, cssValues = {}, cssProperties, transforms = '', - that = this, wrappedCallback, endEvent = $.fx.transitionEnd, - fired = false - - if (duration === undefined) duration = $.fx.speeds._default / 1000 - if (delay === undefined) delay = 0 - if ($.fx.off) duration = 0 - - if (typeof properties == 'string') { - // keyframe animation - cssValues[animationName] = properties - cssValues[animationDuration] = duration + 's' - cssValues[animationDelay] = delay + 's' - cssValues[animationTiming] = (ease || 'linear') - endEvent = $.fx.animationEnd - } else { - cssProperties = [] - // CSS transitions - for (key in properties) - if (supportedTransforms.test(key)) transforms += key + '(' + properties[key] + ') ' - else cssValues[key] = properties[key], cssProperties.push(dasherize(key)) - - if (transforms) cssValues[transform] = transforms, cssProperties.push(transform) - if (duration > 0 && typeof properties === 'object') { - cssValues[transitionProperty] = cssProperties.join(', ') - cssValues[transitionDuration] = duration + 's' - cssValues[transitionDelay] = delay + 's' - cssValues[transitionTiming] = (ease || 'linear') - } - } - - wrappedCallback = function(event){ - if (typeof event !== 'undefined') { - if (event.target !== event.currentTarget) return // makes sure the event didn't bubble from "below" - $(event.target).unbind(endEvent, wrappedCallback) - } else - $(this).unbind(endEvent, wrappedCallback) // triggered by setTimeout - - fired = true - $(this).css(cssReset) - callback && callback.call(this) - } - if (duration > 0){ - this.bind(endEvent, wrappedCallback) - // transitionEnd is not always firing on older Android phones - // so make sure it gets fired - setTimeout(function(){ - if (fired) return - wrappedCallback.call(that) - }, (duration * 1000) + 25) - } - - // trigger page reflow so new elements can animate - this.size() && this.get(0).clientLeft - - this.css(cssValues) - - if (duration <= 0) setTimeout(function() { - that.each(function(){ wrappedCallback.call(this) }) - }, 0) - - return this - } - - testEl = null -})(Zepto) - -;(function($){ - var zepto = $.zepto, oldQsa = zepto.qsa, oldMatches = zepto.matches - - function visible(elem){ - elem = $(elem) - return !!(elem.width() || elem.height()) && elem.css("display") !== "none" - } - - // Implements a subset from: - // http://api.jquery.com/category/selectors/jquery-selector-extensions/ - // - // Each filter function receives the current index, all nodes in the - // considered set, and a value if there were parentheses. The value - // of `this` is the node currently being considered. The function returns the - // resulting node(s), null, or undefined. - // - // Complex selectors are not supported: - // li:has(label:contains("foo")) + li:has(label:contains("bar")) - // ul.inner:first > li - var filters = $.expr[':'] = { - visible: function(){ if (visible(this)) return this }, - hidden: function(){ if (!visible(this)) return this }, - selected: function(){ if (this.selected) return this }, - checked: function(){ if (this.checked) return this }, - parent: function(){ return this.parentNode }, - first: function(idx){ if (idx === 0) return this }, - last: function(idx, nodes){ if (idx === nodes.length - 1) return this }, - eq: function(idx, _, value){ if (idx === value) return this }, - contains: function(idx, _, text){ if ($(this).text().indexOf(text) > -1) return this }, - has: function(idx, _, sel){ if (zepto.qsa(this, sel).length) return this } - } - - var filterRe = new RegExp('(.*):(\\w+)(?:\\(([^)]+)\\))?$\\s*'), - childRe = /^\s*>/, - classTag = 'Zepto' + (+new Date()) - - function process(sel, fn) { - // quote the hash in `a[href^=#]` expression - sel = sel.replace(/=#\]/g, '="#"]') - var filter, arg, match = filterRe.exec(sel) - if (match && match[2] in filters) { - filter = filters[match[2]], arg = match[3] - sel = match[1] - if (arg) { - var num = Number(arg) - if (isNaN(num)) arg = arg.replace(/^["']|["']$/g, '') - else arg = num - } - } - return fn(sel, filter, arg) - } - - zepto.qsa = function(node, selector) { - return process(selector, function(sel, filter, arg){ - try { - var taggedParent - if (!sel && filter) sel = '*' - else if (childRe.test(sel)) - // support "> *" child queries by tagging the parent node with a - // unique class and prepending that classname onto the selector - taggedParent = $(node).addClass(classTag), sel = '.'+classTag+' '+sel - - var nodes = oldQsa(node, sel) - } catch(e) { - console.error('error performing selector: %o', selector) - throw e - } finally { - if (taggedParent) taggedParent.removeClass(classTag) - } - return !filter ? nodes : - zepto.uniq($.map(nodes, function(n, i){ return filter.call(n, i, nodes, arg) })) - }) - } - - zepto.matches = function(node, selector){ - return process(selector, function(sel, filter, arg){ - return (!sel || oldMatches(node, sel)) && - (!filter || filter.call(node, null, arg) === node) - }) - } -})(Zepto) - -;(function($){ - $.fn.end = function(){ - return this.prevObject || $() - } - - $.fn.andSelf = function(){ - return this.add(this.prevObject || $()) - } - - 'filter,add,not,eq,first,last,find,closest,parents,parent,children,siblings'.split(',').forEach(function(property){ - var fn = $.fn[property] - $.fn[property] = function(){ - var ret = fn.apply(this, arguments) - ret.prevObject = this - return ret - } - }) -})(Zepto) - -;(function($){ - var data = {}, dataAttr = $.fn.data, camelize = $.camelCase, - exp = $.expando = 'Zepto' + (+new Date()), emptyArray = [] - - // Get value from node: - // 1. first try key as given, - // 2. then try camelized key, - // 3. fall back to reading "data-*" attribute. - function getData(node, name) { - var id = node[exp], store = id && data[id] - if (name === undefined) return store || setData(node) - else { - if (store) { - if (name in store) return store[name] - var camelName = camelize(name) - if (camelName in store) return store[camelName] - } - return dataAttr.call($(node), name) - } - } - - // Store value under camelized key on node - function setData(node, name, value) { - var id = node[exp] || (node[exp] = ++$.uuid), - store = data[id] || (data[id] = attributeData(node)) - if (name !== undefined) store[camelize(name)] = value - return store - } - - // Read all "data-*" attributes from a node - function attributeData(node) { - var store = {} - $.each(node.attributes || emptyArray, function(i, attr){ - if (attr.name.indexOf('data-') == 0) - store[camelize(attr.name.replace('data-', ''))] = - $.zepto.deserializeValue(attr.value) - }) - return store - } - - $.fn.data = function(name, value) { - return value === undefined ? - // set multiple values via object - $.isPlainObject(name) ? - this.each(function(i, node){ - $.each(name, function(key, value){ setData(node, key, value) }) - }) : - // get value from first element - this.length == 0 ? undefined : getData(this[0], name) : - // set value on all elements - this.each(function(){ setData(this, name, value) }) - } - - $.fn.removeData = function(names) { - if (typeof names == 'string') names = names.split(/\s+/) - return this.each(function(){ - var id = this[exp], store = id && data[id] - if (store) $.each(names || store, function(key){ - delete store[names ? camelize(this) : key] - }) - }) - } - - // Generate extended `remove` and `empty` functions - ;['remove', 'empty'].forEach(function(methodName){ - var origFn = $.fn[methodName] - $.fn[methodName] = function() { - var elements = this.find('*') - if (methodName === 'remove') elements = elements.add(this) - elements.removeData() - return origFn.call(this) - } - }) -})(Zepto) -; define("$", (function (global) { return function () { var ret, fn; - return ret || global.$; + return ret || global.$; // what does this mean }; }(this))); +define("$", function(){}); -/*! VelocityJS.org (1.1.0). (C) 2014 Julian Shapiro. MIT @license: en.wikipedia.org/wiki/MIT_License */ - - - -;(function(factory) { - /* AMD module. */ - if (typeof define === "function" && define.amd) { - define('velocity',['$'], factory); - } else { - factory(window.jQuery || window.Zepto); - } -}(function(global) { - /************************* - Velocity jQuery Shim - *************************/ - - /*! VelocityJS.org jQuery Shim (1.0.1). (C) 2014 The jQuery Foundation. MIT @license: en.wikipedia.org/wiki/MIT_License. */ - - /* This file contains the jQuery functions that Velocity relies on, thereby removing Velocity's dependency on a full copy of jQuery, and allowing it to work in any environment. */ - /* These shimmed functions are only used if jQuery isn't present. If both this shim and jQuery are loaded, Velocity defaults to jQuery proper. */ - /* Browser support: Using this shim instead of jQuery proper removes support for IE8. */ - if (!(global.fn && global.fn.jquery)) { - /*************** - Setup - ***************/ - - /* jQuery base. */ - var $ = function (selector, context) { - return new $.fn.init(selector, context); - }; - - /******************** - Private Methods - ********************/ - - /* jQuery */ - $.isWindow = function (obj) { - /* jshint eqeqeq: false */ - return obj != null && obj == obj.window; - }; - - /* jQuery */ - $.type = function (obj) { - if (obj == null) { - return obj + ""; - } - - return typeof obj === "object" || typeof obj === "function" ? - class2type[toString.call(obj)] || "object" : - typeof obj; - }; - - /* jQuery */ - $.isArray = Array.isArray || function (obj) { - return $.type(obj) === "array"; - }; - - /* jQuery */ - function isArraylike (obj) { - var length = obj.length, - type = $.type(obj); - - if (type === "function" || $.isWindow(obj)) { - return false; - } - - if (obj.nodeType === 1 && length) { - return true; - } - - return type === "array" || length === 0 || typeof length === "number" && length > 0 && (length - 1) in obj; - } - - /*************** - $ Methods - ***************/ - - /* jQuery: Support removed for IE<9. */ - $.isPlainObject = function (obj) { - var key; - - if (!obj || $.type(obj) !== "object" || obj.nodeType || $.isWindow(obj)) { - return false; - } - - try { - if (obj.constructor && - !hasOwn.call(obj, "constructor") && - !hasOwn.call(obj.constructor.prototype, "isPrototypeOf")) { - return false; - } - } catch (e) { - return false; - } - - for (key in obj) {} - - return key === undefined || hasOwn.call(obj, key); - }; - - /* jQuery */ - $.each = function(obj, callback, args) { - var value, - i = 0, - length = obj.length, - isArray = isArraylike(obj); - - if (args) { - if (isArray) { - for (; i < length; i++) { - value = callback.apply(obj[i], args); - - if (value === false) { - break; - } - } - } else { - for (i in obj) { - value = callback.apply(obj[i], args); - - if (value === false) { - break; - } - } - } - - } else { - if (isArray) { - for (; i < length; i++) { - value = callback.call(obj[i], i, obj[i]); - - if (value === false) { - break; - } - } - } else { - for (i in obj) { - value = callback.call(obj[i], i, obj[i]); - - if (value === false) { - break; - } - } - } - } - - return obj; - }; - - /* Custom */ - $.data = function (node, key, value) { - /* $.getData() */ - if (value === undefined) { - var id = node[$.expando], - store = id && cache[id]; - - if (key === undefined) { - return store; - } else if (store) { - if (key in store) { - return store[key]; - } - } - /* $.setData() */ - } else if (key !== undefined) { - var id = node[$.expando] || (node[$.expando] = ++$.uuid); - - cache[id] = cache[id] || {}; - cache[id][key] = value; - - return value; - } - }; - - /* Custom */ - $.removeData = function (node, keys) { - var id = node[$.expando], - store = id && cache[id]; - - if (store) { - $.each(keys, function(_, key) { - delete store[key]; - }); - } - }; - - /* jQuery */ - $.extend = function () { - var src, copyIsArray, copy, name, options, clone, - target = arguments[0] || {}, - i = 1, - length = arguments.length, - deep = false; - - if (typeof target === "boolean") { - deep = target; - - target = arguments[i] || {}; - i++; - } - - if (typeof target !== "object" && $.type(target) !== "function") { - target = {}; - } - - if (i === length) { - target = this; - i--; - } - - for (; i < length; i++) { - if ((options = arguments[i]) != null) { - for (name in options) { - src = target[name]; - copy = options[name]; - - if (target === copy) { - continue; - } - - if (deep && copy && ($.isPlainObject(copy) || (copyIsArray = $.isArray(copy)))) { - if (copyIsArray) { - copyIsArray = false; - clone = src && $.isArray(src) ? src : []; - - } else { - clone = src && $.isPlainObject(src) ? src : {}; - } - - target[name] = $.extend(deep, clone, copy); - - } else if (copy !== undefined) { - target[name] = copy; - } - } - } - } - - return target; - }; - - /* jQuery 1.4.3 */ - $.queue = function (elem, type, data) { - function $makeArray (arr, results) { - var ret = results || []; - - if (arr != null) { - if (isArraylike(Object(arr))) { - /* $.merge */ - (function(first, second) { - var len = +second.length, - j = 0, - i = first.length; - - while (j < len) { - first[i++] = second[j++]; - } - - if (len !== len) { - while (second[j] !== undefined) { - first[i++] = second[j++]; - } - } - - first.length = i; - - return first; - })(ret, typeof arr === "string" ? [arr] : arr); - } else { - [].push.call(ret, arr); - } - } - - return ret; - } - - if (!elem) { - return; - } - - type = (type || "fx") + "queue"; - - var q = $.data(elem, type); - - if (!data) { - return q || []; - } - - if (!q || $.isArray(data)) { - q = $.data(elem, type, $makeArray(data)); - } else { - q.push(data); - } - - return q; - }; - - /* jQuery 1.4.3 */ - $.dequeue = function (elems, type) { - /* Custom: Embed element iteration. */ - $.each(elems.nodeType ? [ elems ] : elems, function(i, elem) { - type = type || "fx"; - - var queue = $.queue(elem, type), - fn = queue.shift(); - - if (fn === "inprogress") { - fn = queue.shift(); - } - - if (fn) { - if (type === "fx") { - queue.unshift("inprogress"); - } - - fn.call(elem, function() { - $.dequeue(elem, type); - }); - } - }); - }; - - /****************** - $.fn Methods - ******************/ - - /* jQuery */ - $.fn = $.prototype = { - init: function (selector) { - /* Just return the element wrapped inside an array; don't proceed with the actual jQuery node wrapping process. */ - if (selector.nodeType) { - this[0] = selector; - - return this; - } else { - throw new Error("Not a DOM node."); - } - }, - - offset: function () { - /* jQuery altered code: Dropped disconnected DOM node checking. */ - var box = this[0].getBoundingClientRect ? this[0].getBoundingClientRect() : { top: 0, left: 0 }; - - return { - top: box.top + (window.pageYOffset || document.scrollTop || 0) - (document.clientTop || 0), - left: box.left + (window.pageXOffset || document.scrollLeft || 0) - (document.clientLeft || 0) - }; - }, - - position: function () { - /* jQuery */ - function offsetParent() { - var offsetParent = this.offsetParent || document; - - while (offsetParent && (!offsetParent.nodeType.toLowerCase === "html" && offsetParent.style.position === "static")) { - offsetParent = offsetParent.offsetParent; - } - - return offsetParent || document; - } - - /* Zepto */ - var elem = this[0], - offsetParent = offsetParent.apply(elem), - offset = this.offset(), - parentOffset = /^(?:body|html)$/i.test(offsetParent.nodeName) ? { top: 0, left: 0 } : $(offsetParent).offset() - - offset.top -= parseFloat(elem.style.marginTop) || 0; - offset.left -= parseFloat(elem.style.marginLeft) || 0; - - if (offsetParent.style) { - parentOffset.top += parseFloat(offsetParent.style.borderTopWidth) || 0 - parentOffset.left += parseFloat(offsetParent.style.borderLeftWidth) || 0 - } - - return { - top: offset.top - parentOffset.top, - left: offset.left - parentOffset.left - }; - } - }; - - /********************** - Private Variables - **********************/ - - /* For $.data() */ - var cache = {}; - $.expando = "velocity" + (new Date().getTime()); - $.uuid = 0; - - /* For $.queue() */ - var class2type = {}, - hasOwn = class2type.hasOwnProperty, - toString = class2type.toString; - - var types = "Boolean Number String Function Array Date RegExp Object Error".split(" "); - for (var i = 0; i < types.length; i++) { - class2type["[object " + types[i] + "]"] = types[i].toLowerCase(); - } - - /* Makes $(node) possible, without having to call init. */ - $.fn.init.prototype = $.fn; - - /* Globalize Velocity onto the window, and assign its Utilities property. */ - window.Velocity = { Utilities: $ }; - } - - /****************** - Velocity.js - ******************/ - - /*************** - Summary - ***************/ - - /* - - CSS: CSS stack that works independently from the rest of Velocity. - - animate(): Core animation method that iterates over the targeted elements and queues the incoming call onto each element individually. - - Pre-Queueing: Prepare the element for animation by instantiating its data cache and processing the call's options. - - Queueing: The logic that runs once the call has reached its point of execution in the element's $.queue() stack. - Most logic is placed here to avoid risking it becoming stale (if the element's properties have changed). - - Pushing: Consolidation of the tween data followed by its push onto the global in-progress calls container. - - tick(): The single requestAnimationFrame loop responsible for tweening all in-progress calls. - - completeCall(): Handles the cleanup process for each Velocity call. - */ - - /********************* - Helper Functions - *********************/ - - /* IE detection. Gist: https://gist.github.com/julianshapiro/9098609 */ - var IE = (function() { - if (document.documentMode) { - return document.documentMode; - } else { - for (var i = 7; i > 4; i--) { - var div = document.createElement("div"); - - div.innerHTML = ""; - - if (div.getElementsByTagName("span").length) { - div = null; - - return i; - } - } - } - - return undefined; - })(); - - /* rAF shim. Gist: https://gist.github.com/julianshapiro/9497513 */ - var rAFShim = (function() { - var timeLast = 0; - - return window.webkitRequestAnimationFrame || window.mozRequestAnimationFrame || function(callback) { - var timeCurrent = (new Date()).getTime(), - timeDelta; - - /* Dynamically set delay on a per-tick basis to match 60fps. */ - /* Technique by Erik Moller. MIT license: https://gist.github.com/paulirish/1579671 */ - timeDelta = Math.max(0, 16 - (timeCurrent - timeLast)); - timeLast = timeCurrent + timeDelta; - - return setTimeout(function() { callback(timeCurrent + timeDelta); }, timeDelta); - }; - })(); - - /* Array compacting. Copyright Lo-Dash. MIT License: https://github.com/lodash/lodash/blob/master/LICENSE.txt */ - function compactSparseArray (array) { - var index = -1, - length = array ? array.length : 0, - result = []; - - while (++index < length) { - var value = array[index]; - - if (value) { - result.push(value); - } - } - - return result; - } - - function sanitizeElements (elements) { - /* Unwrap jQuery/Zepto objects. */ - if (Type.isWrapped(elements)) { - elements = [].slice.call(elements); - /* Wrap a single element in an array so that $.each() can iterate with the element instead of its node's children. */ - } else if (Type.isNode(elements)) { - elements = [ elements ]; - } - - return elements; - } - - var Type = { - isString: function (variable) { - return (typeof variable === "string"); - }, - isArray: Array.isArray || function (variable) { - return Object.prototype.toString.call(variable) === "[object Array]"; - }, - isFunction: function (variable) { - return Object.prototype.toString.call(variable) === "[object Function]"; - }, - isNode: function (variable) { - return variable && variable.nodeType; - }, - /* Copyright Martin Bohm. MIT License: https://gist.github.com/Tomalak/818a78a226a0738eaade */ - isNodeList: function (variable) { - return typeof variable === "object" && - /^\[object (HTMLCollection|NodeList|Object)\]$/.test(Object.prototype.toString.call(variable)) && - variable.length !== undefined && - (variable.length === 0 || (typeof variable[0] === "object" && variable[0].nodeType > 0)); - }, - /* Determine if variable is a wrapped jQuery or Zepto element. */ - isWrapped: function (variable) { - return variable && (variable.jquery || (window.Zepto && window.Zepto.zepto.isZ(variable))); - }, - isSVG: function (variable) { - return window.SVGElement && (variable instanceof window.SVGElement); - }, - isEmptyObject: function (variable) { - for (var name in variable) { - return false; - } - - return true; - } - }; - - /***************** - Dependencies - *****************/ - - var $, - isJQuery = false; - - if (global.fn && global.fn.jquery) { - $ = global; - isJQuery = true; - } else { - $ = window.Velocity.Utilities; - } - - if (IE <= 8 && !isJQuery) { - throw new Error("Velocity: IE8 and below require jQuery to be loaded before Velocity."); - } else if (IE <= 7) { - /* Revert to jQuery's $.animate(), and lose Velocity's extra features. */ - jQuery.fn.velocity = jQuery.fn.animate; - - /* Now that $.fn.velocity is aliased, abort this Velocity declaration. */ - return; - } - - /***************** - Constants - *****************/ - - var DURATION_DEFAULT = 400, - EASING_DEFAULT = "swing"; - - /************* - State - *************/ - - /* Note: The global object also doubles as a publicly-accessible data store for the purposes of unit testing. */ - /* Note: Alias the lowercase and uppercase variants of "velocity" to minimize user confusion due to the lowercase nature of the $.fn extension. */ - var Velocity = { - /* Container for page-wide Velocity state data. */ - State: { - /* Detect mobile devices to determine if mobileHA should be turned on. */ - isMobile: /Android|webOS|iPhone|iPad|iPod|BlackBerry|IEMobile|Opera Mini/i.test(navigator.userAgent), - /* The mobileHA option's behavior changes on older Android devices (Gingerbread, versions 2.3.3-2.3.7). */ - isAndroid: /Android/i.test(navigator.userAgent), - isGingerbread: /Android 2\.3\.[3-7]/i.test(navigator.userAgent), - isChrome: window.chrome, - isFirefox: /Firefox/i.test(navigator.userAgent), - /* Create a cached element for re-use when checking for CSS property prefixes. */ - prefixElement: document.createElement("div"), - /* Cache every prefix match to avoid repeating lookups. */ - prefixMatches: {}, - /* Cache the anchor used for animating window scrolling. */ - scrollAnchor: null, - /* Cache the property names associated with the scroll anchor. */ - scrollPropertyLeft: null, - scrollPropertyTop: null, - /* Keep track of whether our RAF tick is running. */ - isTicking: false, - /* Container for every in-progress call to Velocity. */ - calls: [] - }, - /* Velocity's custom CSS stack. Made global for unit testing. */ - CSS: { /* Defined below. */ }, - /* Defined by Velocity's optional jQuery shim. */ - Utilities: $, - /* Container for the user's custom animation redirects that are referenced by name in place of a properties map object. */ - Redirects: { /* Manually registered by the user. */ }, - Easings: { /* Defined below. */ }, - /* Attempt to use ES6 Promises by default. Users can override this with a third-party promises library. */ - Promise: window.Promise, - /* Page-wide option defaults, which can be overriden by the user. */ - defaults: { - queue: "", - duration: DURATION_DEFAULT, - easing: EASING_DEFAULT, - begin: undefined, - complete: undefined, - progress: undefined, - display: undefined, - visibility: undefined, - loop: false, - delay: false, - mobileHA: true, - /* Set to false to prevent property values from being cached between consecutive Velocity-initiated chain calls. */ - _cacheValues: true - }, - /* A design goal of Velocity is to cache data wherever possible in order to avoid DOM requerying. - Accordingly, each element has a data cache instantiated on it. */ - init: function (element) { - $.data(element, "velocity", { - /* Store whether this is an SVG element, since its properties are retrieved and updated differently than standard HTML elements. */ - isSVG: Type.isSVG(element), - /* Keep track of whether the element is currently being animated by Velocity. - This is used to ensure that property values are not transferred between non-consecutive (stale) calls. */ - isAnimating: false, - /* A reference to the element's live computedStyle object. Learn more here: https://developer.mozilla.org/en/docs/Web/API/window.getComputedStyle */ - computedStyle: null, - /* Tween data is cached for each animation on the element so that data can be passed across calls -- - in particular, end values are used as subsequent start values in consecutive Velocity calls. */ - tweensContainer: null, - /* The full root property values of each CSS hook being animated on this element are cached so that: - 1) Concurrently-animating hooks sharing the same root can have their root values' merged into one while tweening. - 2) Post-hook-injection root values can be transferred over to consecutively chained Velocity calls as starting root values. */ - rootPropertyValueCache: {}, - /* A cache for transform updates, which must be manually flushed via CSS.flushTransformCache(). */ - transformCache: {} - }); - }, - /* A parallel to jQuery's $.css(), used for getting/setting Velocity's hooked CSS properties. */ - hook: null, /* Defined below. */ - /* Velocity-wide animation time remapping for testing purposes. */ - mock: false, - version: { major: 1, minor: 1, patch: 0 }, - /* Set to 1 or 2 (most verbose) to output debug info to console. */ - debug: false - }; - - /* Retrieve the appropriate scroll anchor and property name for the browser: https://developer.mozilla.org/en-US/docs/Web/API/Window.scrollY */ - if (window.pageYOffset !== undefined) { - Velocity.State.scrollAnchor = window; - Velocity.State.scrollPropertyLeft = "pageXOffset"; - Velocity.State.scrollPropertyTop = "pageYOffset"; - } else { - Velocity.State.scrollAnchor = document.documentElement || document.body.parentNode || document.body; - Velocity.State.scrollPropertyLeft = "scrollLeft"; - Velocity.State.scrollPropertyTop = "scrollTop"; - } - - /* Shorthand alias for jQuery's $.data() utility. */ - function Data (element) { - /* Hardcode a reference to the plugin name. */ - var response = $.data(element, "velocity"); - - /* jQuery <=1.4.2 returns null instead of undefined when no match is found. We normalize this behavior. */ - return response === null ? undefined : response; - }; - - /************** - Easing - **************/ - - /* Step easing generator. */ - function generateStep (steps) { - return function (p) { - return Math.round(p * steps) * (1 / steps); - }; - } - - /* Bezier curve function generator. Copyright Gaetan Renaudeau. MIT License: http://en.wikipedia.org/wiki/MIT_License */ - function generateBezier (mX1, mY1, mX2, mY2) { - var NEWTON_ITERATIONS = 4, - NEWTON_MIN_SLOPE = 0.001, - SUBDIVISION_PRECISION = 0.0000001, - SUBDIVISION_MAX_ITERATIONS = 10, - kSplineTableSize = 11, - kSampleStepSize = 1.0 / (kSplineTableSize - 1.0), - float32ArraySupported = "Float32Array" in window; - - /* Must contain four arguments. */ - if (arguments.length !== 4) { - return false; - } - - /* Arguments must be numbers. */ - for (var i = 0; i < 4; ++i) { - if (typeof arguments[i] !== "number" || isNaN(arguments[i]) || !isFinite(arguments[i])) { - return false; - } - } - - /* X values must be in the [0, 1] range. */ - mX1 = Math.min(mX1, 1); - mX2 = Math.min(mX2, 1); - mX1 = Math.max(mX1, 0); - mX2 = Math.max(mX2, 0); - - var mSampleValues = float32ArraySupported ? new Float32Array(kSplineTableSize) : new Array(kSplineTableSize); - - function A (aA1, aA2) { return 1.0 - 3.0 * aA2 + 3.0 * aA1; } - function B (aA1, aA2) { return 3.0 * aA2 - 6.0 * aA1; } - function C (aA1) { return 3.0 * aA1; } - - function calcBezier (aT, aA1, aA2) { - return ((A(aA1, aA2)*aT + B(aA1, aA2))*aT + C(aA1))*aT; - } - - function getSlope (aT, aA1, aA2) { - return 3.0 * A(aA1, aA2)*aT*aT + 2.0 * B(aA1, aA2) * aT + C(aA1); - } - - function newtonRaphsonIterate (aX, aGuessT) { - for (var i = 0; i < NEWTON_ITERATIONS; ++i) { - var currentSlope = getSlope(aGuessT, mX1, mX2); - - if (currentSlope === 0.0) return aGuessT; - - var currentX = calcBezier(aGuessT, mX1, mX2) - aX; - aGuessT -= currentX / currentSlope; - } - - return aGuessT; - } - - function calcSampleValues () { - for (var i = 0; i < kSplineTableSize; ++i) { - mSampleValues[i] = calcBezier(i * kSampleStepSize, mX1, mX2); - } - } - - function binarySubdivide (aX, aA, aB) { - var currentX, currentT, i = 0; - - do { - currentT = aA + (aB - aA) / 2.0; - currentX = calcBezier(currentT, mX1, mX2) - aX; - if (currentX > 0.0) { - aB = currentT; - } else { - aA = currentT; - } - } while (Math.abs(currentX) > SUBDIVISION_PRECISION && ++i < SUBDIVISION_MAX_ITERATIONS); - - return currentT; - } - - function getTForX (aX) { - var intervalStart = 0.0, - currentSample = 1, - lastSample = kSplineTableSize - 1; - - for (; currentSample != lastSample && mSampleValues[currentSample] <= aX; ++currentSample) { - intervalStart += kSampleStepSize; - } - - --currentSample; - - var dist = (aX - mSampleValues[currentSample]) / (mSampleValues[currentSample+1] - mSampleValues[currentSample]), - guessForT = intervalStart + dist * kSampleStepSize, - initialSlope = getSlope(guessForT, mX1, mX2); - - if (initialSlope >= NEWTON_MIN_SLOPE) { - return newtonRaphsonIterate(aX, guessForT); - } else if (initialSlope == 0.0) { - return guessForT; - } else { - return binarySubdivide(aX, intervalStart, intervalStart + kSampleStepSize); - } - } - - var _precomputed = false; - - function precompute() { - _precomputed = true; - if (mX1 != mY1 || mX2 != mY2) calcSampleValues(); - } - - var f = function (aX) { - if (!_precomputed) precompute(); - if (mX1 === mY1 && mX2 === mY2) return aX; - if (aX === 0) return 0; - if (aX === 1) return 1; - - return calcBezier(getTForX(aX), mY1, mY2); - }; - - f.getControlPoints = function() { return [{ x: mX1, y: mY1 }, { x: mX2, y: mY2 }]; }; - - var str = "generateBezier(" + [mX1, mY1, mX2, mY2] + ")"; - f.toString = function () { return str; }; - - return f; - } - - /* Runge-Kutta spring physics function generator. Adapted from Framer.js, copyright Koen Bok. MIT License: http://en.wikipedia.org/wiki/MIT_License */ - /* Given a tension, friction, and duration, a simulation at 60FPS will first run without a defined duration in order to calculate the full path. A second pass - then adjusts the time delta -- using the relation between actual time and duration -- to calculate the path for the duration-constrained animation. */ - var generateSpringRK4 = (function () { - function springAccelerationForState (state) { - return (-state.tension * state.x) - (state.friction * state.v); - } - - function springEvaluateStateWithDerivative (initialState, dt, derivative) { - var state = { - x: initialState.x + derivative.dx * dt, - v: initialState.v + derivative.dv * dt, - tension: initialState.tension, - friction: initialState.friction - }; - - return { dx: state.v, dv: springAccelerationForState(state) }; - } - - function springIntegrateState (state, dt) { - var a = { - dx: state.v, - dv: springAccelerationForState(state) - }, - b = springEvaluateStateWithDerivative(state, dt * 0.5, a), - c = springEvaluateStateWithDerivative(state, dt * 0.5, b), - d = springEvaluateStateWithDerivative(state, dt, c), - dxdt = 1.0 / 6.0 * (a.dx + 2.0 * (b.dx + c.dx) + d.dx), - dvdt = 1.0 / 6.0 * (a.dv + 2.0 * (b.dv + c.dv) + d.dv); - - state.x = state.x + dxdt * dt; - state.v = state.v + dvdt * dt; - - return state; - } - - return function springRK4Factory (tension, friction, duration) { - - var initState = { - x: -1, - v: 0, - tension: null, - friction: null - }, - path = [0], - time_lapsed = 0, - tolerance = 1 / 10000, - DT = 16 / 1000, - have_duration, dt, last_state; - - tension = parseFloat(tension) || 500; - friction = parseFloat(friction) || 20; - duration = duration || null; - - initState.tension = tension; - initState.friction = friction; - - have_duration = duration !== null; - - /* Calculate the actual time it takes for this animation to complete with the provided conditions. */ - if (have_duration) { - /* Run the simulation without a duration. */ - time_lapsed = springRK4Factory(tension, friction); - /* Compute the adjusted time delta. */ - dt = time_lapsed / duration * DT; - } else { - dt = DT; - } - - while (true) { - /* Next/step function .*/ - last_state = springIntegrateState(last_state || initState, dt); - /* Store the position. */ - path.push(1 + last_state.x); - time_lapsed += 16; - /* If the change threshold is reached, break. */ - if (!(Math.abs(last_state.x) > tolerance && Math.abs(last_state.v) > tolerance)) { - break; - } - } - - /* If duration is not defined, return the actual time required for completing this animation. Otherwise, return a closure that holds the - computed path and returns a snapshot of the position according to a given percentComplete. */ - return !have_duration ? time_lapsed : function(percentComplete) { return path[ (percentComplete * (path.length - 1)) | 0 ]; }; - }; - }()); - - /* jQuery easings. */ - Velocity.Easings = { - linear: function(p) { return p; }, - swing: function(p) { return 0.5 - Math.cos( p * Math.PI ) / 2 }, - /* Bonus "spring" easing, which is a less exaggerated version of easeInOutElastic. */ - spring: function(p) { return 1 - (Math.cos(p * 4.5 * Math.PI) * Math.exp(-p * 6)); } - }; - - /* CSS3 and Robert Penner easings. */ - $.each( - [ - [ "ease", [ 0.25, 0.1, 0.25, 1.0 ] ], - [ "ease-in", [ 0.42, 0.0, 1.00, 1.0 ] ], - [ "ease-out", [ 0.00, 0.0, 0.58, 1.0 ] ], - [ "ease-in-out", [ 0.42, 0.0, 0.58, 1.0 ] ], - [ "easeInSine", [ 0.47, 0, 0.745, 0.715 ] ], - [ "easeOutSine", [ 0.39, 0.575, 0.565, 1 ] ], - [ "easeInOutSine", [ 0.445, 0.05, 0.55, 0.95 ] ], - [ "easeInQuad", [ 0.55, 0.085, 0.68, 0.53 ] ], - [ "easeOutQuad", [ 0.25, 0.46, 0.45, 0.94 ] ], - [ "easeInOutQuad", [ 0.455, 0.03, 0.515, 0.955 ] ], - [ "easeInCubic", [ 0.55, 0.055, 0.675, 0.19 ] ], - [ "easeOutCubic", [ 0.215, 0.61, 0.355, 1 ] ], - [ "easeInOutCubic", [ 0.645, 0.045, 0.355, 1 ] ], - [ "easeInQuart", [ 0.895, 0.03, 0.685, 0.22 ] ], - [ "easeOutQuart", [ 0.165, 0.84, 0.44, 1 ] ], - [ "easeInOutQuart", [ 0.77, 0, 0.175, 1 ] ], - [ "easeInQuint", [ 0.755, 0.05, 0.855, 0.06 ] ], - [ "easeOutQuint", [ 0.23, 1, 0.32, 1 ] ], - [ "easeInOutQuint", [ 0.86, 0, 0.07, 1 ] ], - [ "easeInExpo", [ 0.95, 0.05, 0.795, 0.035 ] ], - [ "easeOutExpo", [ 0.19, 1, 0.22, 1 ] ], - [ "easeInOutExpo", [ 1, 0, 0, 1 ] ], - [ "easeInCirc", [ 0.6, 0.04, 0.98, 0.335 ] ], - [ "easeOutCirc", [ 0.075, 0.82, 0.165, 1 ] ], - [ "easeInOutCirc", [ 0.785, 0.135, 0.15, 0.86 ] ] - ], function(i, easingArray) { - Velocity.Easings[easingArray[0]] = generateBezier.apply(null, easingArray[1]); - }); - - /* Determine the appropriate easing type given an easing input. */ - function getEasing(value, duration) { - var easing = value; - - /* The easing option can either be a string that references a pre-registered easing, - or it can be a two-/four-item array of integers to be converted into a bezier/spring function. */ - if (Type.isString(value)) { - /* Ensure that the easing has been assigned to jQuery's Velocity.Easings object. */ - if (!Velocity.Easings[value]) { - easing = false; - } - } else if (Type.isArray(value) && value.length === 1) { - easing = generateStep.apply(null, value); - } else if (Type.isArray(value) && value.length === 2) { - /* springRK4 must be passed the animation's duration. */ - /* Note: If the springRK4 array contains non-numbers, generateSpringRK4() returns an easing - function generated with default tension and friction values. */ - easing = generateSpringRK4.apply(null, value.concat([ duration ])); - } else if (Type.isArray(value) && value.length === 4) { - /* Note: If the bezier array contains non-numbers, generateBezier() returns false. */ - easing = generateBezier.apply(null, value); - } else { - easing = false; - } - - /* Revert to the Velocity-wide default easing type, or fall back to "swing" (which is also jQuery's default) - if the Velocity-wide default has been incorrectly modified. */ - if (easing === false) { - if (Velocity.Easings[Velocity.defaults.easing]) { - easing = Velocity.defaults.easing; - } else { - easing = EASING_DEFAULT; - } - } - - return easing; - } - - /***************** - CSS Stack - *****************/ - - /* The CSS object is a highly condensed and performant CSS stack that fully replaces jQuery's. - It handles the validation, getting, and setting of both standard CSS properties and CSS property hooks. */ - /* Note: A "CSS" shorthand is aliased so that our code is easier to read. */ - var CSS = Velocity.CSS = { - - /************* - RegEx - *************/ - - RegEx: { - isHex: /^#([A-f\d]{3}){1,2}$/i, - /* Unwrap a property value's surrounding text, e.g. "rgba(4, 3, 2, 1)" ==> "4, 3, 2, 1" and "rect(4px 3px 2px 1px)" ==> "4px 3px 2px 1px". */ - valueUnwrap: /^[A-z]+\((.*)\)$/i, - wrappedValueAlreadyExtracted: /[0-9.]+ [0-9.]+ [0-9.]+( [0-9.]+)?/, - /* Split a multi-value property into an array of subvalues, e.g. "rgba(4, 3, 2, 1) 4px 3px 2px 1px" ==> [ "rgba(4, 3, 2, 1)", "4px", "3px", "2px", "1px" ]. */ - valueSplit: /([A-z]+\(.+\))|(([A-z0-9#-.]+?)(?=\s|$))/ig - }, - - /************ - Lists - ************/ - - Lists: { - colors: [ "fill", "stroke", "stopColor", "color", "backgroundColor", "borderColor", "borderTopColor", "borderRightColor", "borderBottomColor", "borderLeftColor", "outlineColor" ], - transformsBase: [ "translateX", "translateY", "scale", "scaleX", "scaleY", "skewX", "skewY", "rotateZ" ], - transforms3D: [ "transformPerspective", "translateZ", "scaleZ", "rotateX", "rotateY" ] - }, - - /************ - Hooks - ************/ - - /* Hooks allow a subproperty (e.g. "boxShadowBlur") of a compound-value CSS property - (e.g. "boxShadow: X Y Blur Spread Color") to be animated as if it were a discrete property. */ - /* Note: Beyond enabling fine-grained property animation, hooking is necessary since Velocity only - tweens properties with single numeric values; unlike CSS transitions, Velocity does not interpolate compound-values. */ - Hooks: { - /******************** - Registration - ********************/ - - /* Templates are a concise way of indicating which subproperties must be individually registered for each compound-value CSS property. */ - /* Each template consists of the compound-value's base name, its constituent subproperty names, and those subproperties' default values. */ - templates: { - "textShadow": [ "Color X Y Blur", "black 0px 0px 0px" ], - /* Todo: Add support for inset boxShadows. (webkit places it last whereas IE places it first.) */ - "boxShadow": [ "Color X Y Blur Spread", "black 0px 0px 0px 0px" ], - "clip": [ "Top Right Bottom Left", "0px 0px 0px 0px" ], - "backgroundPosition": [ "X Y", "0% 0%" ], - "transformOrigin": [ "X Y Z", "50% 50% 0px" ], - "perspectiveOrigin": [ "X Y", "50% 50%" ] - }, - - /* A "registered" hook is one that has been converted from its template form into a live, - tweenable property. It contains data to associate it with its root property. */ - registered: { - /* Note: A registered hook looks like this ==> textShadowBlur: [ "textShadow", 3 ], - which consists of the subproperty's name, the associated root property's name, - and the subproperty's position in the root's value. */ - }, - /* Convert the templates into individual hooks then append them to the registered object above. */ - register: function () { - /* Color hooks registration: Colors are defaulted to white -- as opposed to black -- since colors that are - currently set to "transparent" default to their respective template below when color-animated, - and white is typically a closer match to transparent than black is. An exception is made for text ("color"), - which is almost always set closer to black than white. */ - for (var i = 0; i < CSS.Lists.colors.length; i++) { - var rgbComponents = (CSS.Lists.colors[i] === "color") ? "0 0 0 1" : "255 255 255 1"; - CSS.Hooks.templates[CSS.Lists.colors[i]] = [ "Red Green Blue Alpha", rgbComponents ]; - } - - var rootProperty, - hookTemplate, - hookNames; - - /* In IE, color values inside compound-value properties are positioned at the end the value instead of at the beginning. - Thus, we re-arrange the templates accordingly. */ - if (IE) { - for (rootProperty in CSS.Hooks.templates) { - hookTemplate = CSS.Hooks.templates[rootProperty]; - hookNames = hookTemplate[0].split(" "); - - var defaultValues = hookTemplate[1].match(CSS.RegEx.valueSplit); - - if (hookNames[0] === "Color") { - /* Reposition both the hook's name and its default value to the end of their respective strings. */ - hookNames.push(hookNames.shift()); - defaultValues.push(defaultValues.shift()); - - /* Replace the existing template for the hook's root property. */ - CSS.Hooks.templates[rootProperty] = [ hookNames.join(" "), defaultValues.join(" ") ]; - } - } - } - - /* Hook registration. */ - for (rootProperty in CSS.Hooks.templates) { - hookTemplate = CSS.Hooks.templates[rootProperty]; - hookNames = hookTemplate[0].split(" "); - - for (var i in hookNames) { - var fullHookName = rootProperty + hookNames[i], - hookPosition = i; - - /* For each hook, register its full name (e.g. textShadowBlur) with its root property (e.g. textShadow) - and the hook's position in its template's default value string. */ - CSS.Hooks.registered[fullHookName] = [ rootProperty, hookPosition ]; - } - } - }, - - /***************************** - Injection and Extraction - *****************************/ - - /* Look up the root property associated with the hook (e.g. return "textShadow" for "textShadowBlur"). */ - /* Since a hook cannot be set directly (the browser won't recognize it), style updating for hooks is routed through the hook's root property. */ - getRoot: function (property) { - var hookData = CSS.Hooks.registered[property]; - - if (hookData) { - return hookData[0]; - } else { - /* If there was no hook match, return the property name untouched. */ - return property; - } - }, - /* Convert any rootPropertyValue, null or otherwise, into a space-delimited list of hook values so that - the targeted hook can be injected or extracted at its standard position. */ - cleanRootPropertyValue: function(rootProperty, rootPropertyValue) { - /* If the rootPropertyValue is wrapped with "rgb()", "clip()", etc., remove the wrapping to normalize the value before manipulation. */ - if (CSS.RegEx.valueUnwrap.test(rootPropertyValue)) { - rootPropertyValue = rootPropertyValue.match(CSS.RegEx.valueUnwrap)[1]; - } - - /* If rootPropertyValue is a CSS null-value (from which there's inherently no hook value to extract), - default to the root's default value as defined in CSS.Hooks.templates. */ - /* Note: CSS null-values include "none", "auto", and "transparent". They must be converted into their - zero-values (e.g. textShadow: "none" ==> textShadow: "0px 0px 0px black") for hook manipulation to proceed. */ - if (CSS.Values.isCSSNullValue(rootPropertyValue)) { - rootPropertyValue = CSS.Hooks.templates[rootProperty][1]; - } - - return rootPropertyValue; - }, - /* Extracted the hook's value from its root property's value. This is used to get the starting value of an animating hook. */ - extractValue: function (fullHookName, rootPropertyValue) { - var hookData = CSS.Hooks.registered[fullHookName]; - - if (hookData) { - var hookRoot = hookData[0], - hookPosition = hookData[1]; - - rootPropertyValue = CSS.Hooks.cleanRootPropertyValue(hookRoot, rootPropertyValue); - - /* Split rootPropertyValue into its constituent hook values then grab the desired hook at its standard position. */ - return rootPropertyValue.toString().match(CSS.RegEx.valueSplit)[hookPosition]; - } else { - /* If the provided fullHookName isn't a registered hook, return the rootPropertyValue that was passed in. */ - return rootPropertyValue; - } - }, - /* Inject the hook's value into its root property's value. This is used to piece back together the root property - once Velocity has updated one of its individually hooked values through tweening. */ - injectValue: function (fullHookName, hookValue, rootPropertyValue) { - var hookData = CSS.Hooks.registered[fullHookName]; - - if (hookData) { - var hookRoot = hookData[0], - hookPosition = hookData[1], - rootPropertyValueParts, - rootPropertyValueUpdated; - - rootPropertyValue = CSS.Hooks.cleanRootPropertyValue(hookRoot, rootPropertyValue); - - /* Split rootPropertyValue into its individual hook values, replace the targeted value with hookValue, - then reconstruct the rootPropertyValue string. */ - rootPropertyValueParts = rootPropertyValue.toString().match(CSS.RegEx.valueSplit); - rootPropertyValueParts[hookPosition] = hookValue; - rootPropertyValueUpdated = rootPropertyValueParts.join(" "); - - return rootPropertyValueUpdated; - } else { - /* If the provided fullHookName isn't a registered hook, return the rootPropertyValue that was passed in. */ - return rootPropertyValue; - } - } - }, - - /******************* - Normalizations - *******************/ - - /* Normalizations standardize CSS property manipulation by pollyfilling browser-specific implementations (e.g. opacity) - and reformatting special properties (e.g. clip, rgba) to look like standard ones. */ - Normalizations: { - /* Normalizations are passed a normalization target (either the property's name, its extracted value, or its injected value), - the targeted element (which may need to be queried), and the targeted property value. */ - registered: { - clip: function (type, element, propertyValue) { - switch (type) { - case "name": - return "clip"; - /* Clip needs to be unwrapped and stripped of its commas during extraction. */ - case "extract": - var extracted; - - /* If Velocity also extracted this value, skip extraction. */ - if (CSS.RegEx.wrappedValueAlreadyExtracted.test(propertyValue)) { - extracted = propertyValue; - } else { - /* Remove the "rect()" wrapper. */ - extracted = propertyValue.toString().match(CSS.RegEx.valueUnwrap); - - /* Strip off commas. */ - extracted = extracted ? extracted[1].replace(/,(\s+)?/g, " ") : propertyValue; - } - - return extracted; - /* Clip needs to be re-wrapped during injection. */ - case "inject": - return "rect(" + propertyValue + ")"; - } - }, - - blur: function(type, element, propertyValue) { - switch (type) { - case "name": - return "-webkit-filter"; - case "extract": - var extracted = parseFloat(propertyValue); - - /* If extracted is NaN, meaning the value isn't already extracted. */ - if (!(extracted || extracted === 0)) { - var blurComponent = propertyValue.toString().match(/blur\(([0-9]+[A-z]+)\)/i); - - /* If the filter string had a blur component, return just the blur value and unit type. */ - if (blurComponent) { - extracted = blurComponent[1]; - /* If the component doesn't exist, default blur to 0. */ - } else { - extracted = 0; - } - } - - return extracted; - /* Blur needs to be re-wrapped during injection. */ - case "inject": - /* For the blur effect to be fully de-applied, it needs to be set to "none" instead of 0. */ - if (!parseFloat(propertyValue)) { - return "none"; - } else { - return "blur(" + propertyValue + ")"; - } - } - }, - - /* <=IE8 do not support the standard opacity property. They use filter:alpha(opacity=INT) instead. */ - opacity: function (type, element, propertyValue) { - if (IE <= 8) { - switch (type) { - case "name": - return "filter"; - case "extract": - /* <=IE8 return a "filter" value of "alpha(opacity=\d{1,3})". - Extract the value and convert it to a decimal value to match the standard CSS opacity property's formatting. */ - var extracted = propertyValue.toString().match(/alpha\(opacity=(.*)\)/i); - - if (extracted) { - /* Convert to decimal value. */ - propertyValue = extracted[1] / 100; - } else { - /* When extracting opacity, default to 1 since a null value means opacity hasn't been set. */ - propertyValue = 1; - } - - return propertyValue; - case "inject": - /* Opacified elements are required to have their zoom property set to a non-zero value. */ - element.style.zoom = 1; - - /* Setting the filter property on elements with certain font property combinations can result in a - highly unappealing ultra-bolding effect. There's no way to remedy this throughout a tween, but dropping the - value altogether (when opacity hits 1) at leasts ensures that the glitch is gone post-tweening. */ - if (parseFloat(propertyValue) >= 1) { - return ""; - } else { - /* As per the filter property's spec, convert the decimal value to a whole number and wrap the value. */ - return "alpha(opacity=" + parseInt(parseFloat(propertyValue) * 100, 10) + ")"; - } - } - /* With all other browsers, normalization is not required; return the same values that were passed in. */ - } else { - switch (type) { - case "name": - return "opacity"; - case "extract": - return propertyValue; - case "inject": - return propertyValue; - } - } - } - }, - - /***************************** - Batched Registrations - *****************************/ - - /* Note: Batched normalizations extend the CSS.Normalizations.registered object. */ - register: function () { - - /***************** - Transforms - *****************/ - - /* Transforms are the subproperties contained by the CSS "transform" property. Transforms must undergo normalization - so that they can be referenced in a properties map by their individual names. */ - /* Note: When transforms are "set", they are actually assigned to a per-element transformCache. When all transform - setting is complete complete, CSS.flushTransformCache() must be manually called to flush the values to the DOM. - Transform setting is batched in this way to improve performance: the transform style only needs to be updated - once when multiple transform subproperties are being animated simultaneously. */ - /* Note: IE9 and Android Gingerbread have support for 2D -- but not 3D -- transforms. Since animating unsupported - transform properties results in the browser ignoring the *entire* transform string, we prevent these 3D values - from being normalized for these browsers so that tweening skips these properties altogether - (since it will ignore them as being unsupported by the browser.) */ - if (!(IE <= 9) && !Velocity.State.isGingerbread) { - /* Note: Since the standalone CSS "perspective" property and the CSS transform "perspective" subproperty - share the same name, the latter is given a unique token within Velocity: "transformPerspective". */ - CSS.Lists.transformsBase = CSS.Lists.transformsBase.concat(CSS.Lists.transforms3D); - } - - for (var i = 0; i < CSS.Lists.transformsBase.length; i++) { - /* Wrap the dynamically generated normalization function in a new scope so that transformName's value is - paired with its respective function. (Otherwise, all functions would take the final for loop's transformName.) */ - (function() { - var transformName = CSS.Lists.transformsBase[i]; - - CSS.Normalizations.registered[transformName] = function (type, element, propertyValue) { - switch (type) { - /* The normalized property name is the parent "transform" property -- the property that is actually set in CSS. */ - case "name": - return "transform"; - /* Transform values are cached onto a per-element transformCache object. */ - case "extract": - /* If this transform has yet to be assigned a value, return its null value. */ - if (Data(element) === undefined || Data(element).transformCache[transformName] === undefined) { - /* Scale CSS.Lists.transformsBase default to 1 whereas all other transform properties default to 0. */ - return /^scale/i.test(transformName) ? 1 : 0; - /* When transform values are set, they are wrapped in parentheses as per the CSS spec. - Thus, when extracting their values (for tween calculations), we strip off the parentheses. */ - } else { - return Data(element).transformCache[transformName].replace(/[()]/g, ""); - } - case "inject": - var invalid = false; - - /* If an individual transform property contains an unsupported unit type, the browser ignores the *entire* transform property. - Thus, protect users from themselves by skipping setting for transform values supplied with invalid unit types. */ - /* Switch on the base transform type; ignore the axis by removing the last letter from the transform's name. */ - switch (transformName.substr(0, transformName.length - 1)) { - /* Whitelist unit types for each transform. */ - case "translate": - invalid = !/(%|px|em|rem|vw|vh|\d)$/i.test(propertyValue); - break; - /* Since an axis-free "scale" property is supported as well, a little hack is used here to detect it by chopping off its last letter. */ - case "scal": - case "scale": - /* Chrome on Android has a bug in which scaled elements blur if their initial scale - value is below 1 (which can happen with forcefeeding). Thus, we detect a yet-unset scale property - and ensure that its first value is always 1. More info: http://stackoverflow.com/questions/10417890/css3-animations-with-transform-causes-blurred-elements-on-webkit/10417962#10417962 */ - if (Velocity.State.isAndroid && Data(element).transformCache[transformName] === undefined && propertyValue < 1) { - propertyValue = 1; - } - - invalid = !/(\d)$/i.test(propertyValue); - break; - case "skew": - invalid = !/(deg|\d)$/i.test(propertyValue); - break; - case "rotate": - invalid = !/(deg|\d)$/i.test(propertyValue); - break; - } - - if (!invalid) { - /* As per the CSS spec, wrap the value in parentheses. */ - Data(element).transformCache[transformName] = "(" + propertyValue + ")"; - } - - /* Although the value is set on the transformCache object, return the newly-updated value for the calling code to process as normal. */ - return Data(element).transformCache[transformName]; - } - }; - })(); - } - - /************* - Colors - *************/ - - /* Since Velocity only animates a single numeric value per property, color animation is achieved by hooking the individual RGBA components of CSS color properties. - Accordingly, color values must be normalized (e.g. "#ff0000", "red", and "rgb(255, 0, 0)" ==> "255 0 0 1") so that their components can be injected/extracted by CSS.Hooks logic. */ - for (var i = 0; i < CSS.Lists.colors.length; i++) { - /* Wrap the dynamically generated normalization function in a new scope so that colorName's value is paired with its respective function. - (Otherwise, all functions would take the final for loop's colorName.) */ - (function () { - var colorName = CSS.Lists.colors[i]; - - /* Note: In IE<=8, which support rgb but not rgba, color properties are reverted to rgb by stripping off the alpha component. */ - CSS.Normalizations.registered[colorName] = function(type, element, propertyValue) { - switch (type) { - case "name": - return colorName; - /* Convert all color values into the rgb format. (Old IE can return hex values and color names instead of rgb/rgba.) */ - case "extract": - var extracted; - - /* If the color is already in its hookable form (e.g. "255 255 255 1") due to having been previously extracted, skip extraction. */ - if (CSS.RegEx.wrappedValueAlreadyExtracted.test(propertyValue)) { - extracted = propertyValue; - } else { - var converted, - colorNames = { - black: "rgb(0, 0, 0)", - blue: "rgb(0, 0, 255)", - gray: "rgb(128, 128, 128)", - green: "rgb(0, 128, 0)", - red: "rgb(255, 0, 0)", - white: "rgb(255, 255, 255)" - }; - - /* Convert color names to rgb. */ - if (/^[A-z]+$/i.test(propertyValue)) { - if (colorNames[propertyValue] !== undefined) { - converted = colorNames[propertyValue] - } else { - /* If an unmatched color name is provided, default to black. */ - converted = colorNames.black; - } - /* Convert hex values to rgb. */ - } else if (CSS.RegEx.isHex.test(propertyValue)) { - converted = "rgb(" + CSS.Values.hexToRgb(propertyValue).join(" ") + ")"; - /* If the provided color doesn't match any of the accepted color formats, default to black. */ - } else if (!(/^rgba?\(/i.test(propertyValue))) { - converted = colorNames.black; - } - - /* Remove the surrounding "rgb/rgba()" string then replace commas with spaces and strip - repeated spaces (in case the value included spaces to begin with). */ - extracted = (converted || propertyValue).toString().match(CSS.RegEx.valueUnwrap)[1].replace(/,(\s+)?/g, " "); - } - - /* So long as this isn't <=IE8, add a fourth (alpha) component if it's missing and default it to 1 (visible). */ - if (!(IE <= 8) && extracted.split(" ").length === 3) { - extracted += " 1"; - } - - return extracted; - case "inject": - /* If this is IE<=8 and an alpha component exists, strip it off. */ - if (IE <= 8) { - if (propertyValue.split(" ").length === 4) { - propertyValue = propertyValue.split(/\s+/).slice(0, 3).join(" "); - } - /* Otherwise, add a fourth (alpha) component if it's missing and default it to 1 (visible). */ - } else if (propertyValue.split(" ").length === 3) { - propertyValue += " 1"; - } - - /* Re-insert the browser-appropriate wrapper("rgb/rgba()"), insert commas, and strip off decimal units - on all values but the fourth (R, G, and B only accept whole numbers). */ - return (IE <= 8 ? "rgb" : "rgba") + "(" + propertyValue.replace(/\s+/g, ",").replace(/\.(\d)+(?=,)/g, "") + ")"; - } - }; - })(); - } - } - }, - - /************************ - CSS Property Names - ************************/ - - Names: { - /* Camelcase a property name into its JavaScript notation (e.g. "background-color" ==> "backgroundColor"). - Camelcasing is used to normalize property names between and across calls. */ - camelCase: function (property) { - return property.replace(/-(\w)/g, function (match, subMatch) { - return subMatch.toUpperCase(); - }); - }, - - /* For SVG elements, some properties (namely, dimensional ones) are GET/SET via the element's HTML attributes (instead of via CSS styles). */ - SVGAttribute: function (property) { - var SVGAttributes = "width|height|x|y|cx|cy|r|rx|ry|x1|x2|y1|y2"; - - /* Certain browsers require an SVG transform to be applied as an attribute. (Otherwise, application via CSS is preferable due to 3D support.) */ - if (IE || (Velocity.State.isAndroid && !Velocity.State.isChrome)) { - SVGAttributes += "|transform"; - } - - return new RegExp("^(" + SVGAttributes + ")$", "i").test(property); - }, - - /* Determine whether a property should be set with a vendor prefix. */ - /* If a prefixed version of the property exists, return it. Otherwise, return the original property name. - If the property is not at all supported by the browser, return a false flag. */ - prefixCheck: function (property) { - /* If this property has already been checked, return the cached value. */ - if (Velocity.State.prefixMatches[property]) { - return [ Velocity.State.prefixMatches[property], true ]; - } else { - var vendors = [ "", "Webkit", "Moz", "ms", "O" ]; - - for (var i = 0, vendorsLength = vendors.length; i < vendorsLength; i++) { - var propertyPrefixed; - - if (i === 0) { - propertyPrefixed = property; - } else { - /* Capitalize the first letter of the property to conform to JavaScript vendor prefix notation (e.g. webkitFilter). */ - propertyPrefixed = vendors[i] + property.replace(/^\w/, function(match) { return match.toUpperCase(); }); - } - - /* Check if the browser supports this property as prefixed. */ - if (Type.isString(Velocity.State.prefixElement.style[propertyPrefixed])) { - /* Cache the match. */ - Velocity.State.prefixMatches[property] = propertyPrefixed; - - return [ propertyPrefixed, true ]; - } - } - - /* If the browser doesn't support this property in any form, include a false flag so that the caller can decide how to proceed. */ - return [ property, false ]; - } - } - }, - - /************************ - CSS Property Values - ************************/ - - Values: { - /* Hex to RGB conversion. Copyright Tim Down: http://stackoverflow.com/questions/5623838/rgb-to-hex-and-hex-to-rgb */ - hexToRgb: function (hex) { - var shortformRegex = /^#?([a-f\d])([a-f\d])([a-f\d])$/i, - longformRegex = /^#?([a-f\d]{2})([a-f\d]{2})([a-f\d]{2})$/i, - rgbParts; - - hex = hex.replace(shortformRegex, function (m, r, g, b) { - return r + r + g + g + b + b; - }); - - rgbParts = longformRegex.exec(hex); - - return rgbParts ? [ parseInt(rgbParts[1], 16), parseInt(rgbParts[2], 16), parseInt(rgbParts[3], 16) ] : [ 0, 0, 0 ]; - }, - - isCSSNullValue: function (value) { - /* The browser defaults CSS values that have not been set to either 0 or one of several possible null-value strings. - Thus, we check for both falsiness and these special strings. */ - /* Null-value checking is performed to default the special strings to 0 (for the sake of tweening) or their hook - templates as defined as CSS.Hooks (for the sake of hook injection/extraction). */ - /* Note: Chrome returns "rgba(0, 0, 0, 0)" for an undefined color whereas IE returns "transparent". */ - return (value == 0 || /^(none|auto|transparent|(rgba\(0, ?0, ?0, ?0\)))$/i.test(value)); - }, - - /* Retrieve a property's default unit type. Used for assigning a unit type when one is not supplied by the user. */ - getUnitType: function (property) { - if (/^(rotate|skew)/i.test(property)) { - return "deg"; - } else if (/(^(scale|scaleX|scaleY|scaleZ|alpha|flexGrow|flexHeight|zIndex|fontWeight)$)|((opacity|red|green|blue|alpha)$)/i.test(property)) { - /* The above properties are unitless. */ - return ""; - } else { - /* Default to px for all other properties. */ - return "px"; - } - }, - - /* HTML elements default to an associated display type when they're not set to display:none. */ - /* Note: This function is used for correctly setting the non-"none" display value in certain Velocity redirects, such as fadeIn/Out. */ - getDisplayType: function (element) { - var tagName = element && element.tagName.toString().toLowerCase(); - - if (/^(b|big|i|small|tt|abbr|acronym|cite|code|dfn|em|kbd|strong|samp|var|a|bdo|br|img|map|object|q|script|span|sub|sup|button|input|label|select|textarea)$/i.test(tagName)) { - return "inline"; - } else if (/^(li)$/i.test(tagName)) { - return "list-item"; - } else if (/^(tr)$/i.test(tagName)) { - return "table-row"; - /* Default to "block" when no match is found. */ - } else { - return "block"; - } - }, - - /* The class add/remove functions are used to temporarily apply a "velocity-animating" class to elements while they're animating. */ - addClass: function (element, className) { - if (element.classList) { - element.classList.add(className); - } else { - element.className += (element.className.length ? " " : "") + className; - } - }, - - removeClass: function (element, className) { - if (element.classList) { - element.classList.remove(className); - } else { - element.className = element.className.toString().replace(new RegExp("(^|\\s)" + className.split(" ").join("|") + "(\\s|$)", "gi"), " "); - } - } - }, - - /**************************** - Style Getting & Setting - ****************************/ - - /* The singular getPropertyValue, which routes the logic for all normalizations, hooks, and standard CSS properties. */ - getPropertyValue: function (element, property, rootPropertyValue, forceStyleLookup) { - /* Get an element's computed property value. */ - /* Note: Retrieving the value of a CSS property cannot simply be performed by checking an element's - style attribute (which only reflects user-defined values). Instead, the browser must be queried for a property's - *computed* value. You can read more about getComputedStyle here: https://developer.mozilla.org/en/docs/Web/API/window.getComputedStyle */ - function computePropertyValue (element, property) { - /* When box-sizing isn't set to border-box, height and width style values are incorrectly computed when an - element's scrollbars are visible (which expands the element's dimensions). Thus, we defer to the more accurate - offsetHeight/Width property, which includes the total dimensions for interior, border, padding, and scrollbar. - We subtract border and padding to get the sum of interior + scrollbar. */ - var computedValue = 0; - - /* IE<=8 doesn't support window.getComputedStyle, thus we defer to jQuery, which has an extensive array - of hacks to accurately retrieve IE8 property values. Re-implementing that logic here is not worth bloating the - codebase for a dying browser. The performance repercussions of using jQuery here are minimal since - Velocity is optimized to rarely (and sometimes never) query the DOM. Further, the $.css() codepath isn't that slow. */ - if (IE <= 8) { - computedValue = $.css(element, property); /* GET */ - /* All other browsers support getComputedStyle. The returned live object reference is cached onto its - associated element so that it does not need to be refetched upon every GET. */ - } else { - /* Browsers do not return height and width values for elements that are set to display:"none". Thus, we temporarily - toggle display to the element type's default value. */ - var toggleDisplay = false; - - if (/^(width|height)$/.test(property) && CSS.getPropertyValue(element, "display") === 0) { - toggleDisplay = true; - CSS.setPropertyValue(element, "display", CSS.Values.getDisplayType(element)); - } - - function revertDisplay () { - if (toggleDisplay) { - CSS.setPropertyValue(element, "display", "none"); - } - } - - if (!forceStyleLookup) { - if (property === "height" && CSS.getPropertyValue(element, "boxSizing").toString().toLowerCase() !== "border-box") { - var contentBoxHeight = element.offsetHeight - (parseFloat(CSS.getPropertyValue(element, "borderTopWidth")) || 0) - (parseFloat(CSS.getPropertyValue(element, "borderBottomWidth")) || 0) - (parseFloat(CSS.getPropertyValue(element, "paddingTop")) || 0) - (parseFloat(CSS.getPropertyValue(element, "paddingBottom")) || 0); - revertDisplay(); - - return contentBoxHeight; - } else if (property === "width" && CSS.getPropertyValue(element, "boxSizing").toString().toLowerCase() !== "border-box") { - var contentBoxWidth = element.offsetWidth - (parseFloat(CSS.getPropertyValue(element, "borderLeftWidth")) || 0) - (parseFloat(CSS.getPropertyValue(element, "borderRightWidth")) || 0) - (parseFloat(CSS.getPropertyValue(element, "paddingLeft")) || 0) - (parseFloat(CSS.getPropertyValue(element, "paddingRight")) || 0); - revertDisplay(); - - return contentBoxWidth; - } - } - - var computedStyle; - - /* For elements that Velocity hasn't been called on directly (e.g. when Velocity queries the DOM on behalf - of a parent of an element its animating), perform a direct getComputedStyle lookup since the object isn't cached. */ - if (Data(element) === undefined) { - computedStyle = window.getComputedStyle(element, null); /* GET */ - /* If the computedStyle object has yet to be cached, do so now. */ - } else if (!Data(element).computedStyle) { - computedStyle = Data(element).computedStyle = window.getComputedStyle(element, null); /* GET */ - /* If computedStyle is cached, use it. */ - } else { - computedStyle = Data(element).computedStyle; - } - - /* IE and Firefox do not return a value for the generic borderColor -- they only return individual values for each border side's color. - As a polyfill for querying individual border side colors, just return the top border's color. */ - if ((IE || Velocity.State.isFirefox) && property === "borderColor") { - property = "borderTopColor"; - } - - /* IE9 has a bug in which the "filter" property must be accessed from computedStyle using the getPropertyValue method - instead of a direct property lookup. The getPropertyValue method is slower than a direct lookup, which is why we avoid it by default. */ - if (IE === 9 && property === "filter") { - computedValue = computedStyle.getPropertyValue(property); /* GET */ - } else { - computedValue = computedStyle[property]; - } - - /* Fall back to the property's style value (if defined) when computedValue returns nothing, - which can happen when the element hasn't been painted. */ - if (computedValue === "" || computedValue === null) { - computedValue = element.style[property]; - } - - revertDisplay(); - } - - /* For top, right, bottom, and left (TRBL) values that are set to "auto" on elements of "fixed" or "absolute" position, - defer to jQuery for converting "auto" to a numeric value. (For elements with a "static" or "relative" position, "auto" has the same - effect as being set to 0, so no conversion is necessary.) */ - /* An example of why numeric conversion is necessary: When an element with "position:absolute" has an untouched "left" - property, which reverts to "auto", left's value is 0 relative to its parent element, but is often non-zero relative - to its *containing* (not parent) element, which is the nearest "position:relative" ancestor or the viewport (and always the viewport in the case of "position:fixed"). */ - if (computedValue === "auto" && /^(top|right|bottom|left)$/i.test(property)) { - var position = computePropertyValue(element, "position"); /* GET */ - - /* For absolute positioning, jQuery's $.position() only returns values for top and left; - right and bottom will have their "auto" value reverted to 0. */ - /* Note: A jQuery object must be created here since jQuery doesn't have a low-level alias for $.position(). - Not a big deal since we're currently in a GET batch anyway. */ - if (position === "fixed" || (position === "absolute" && /top|left/i.test(property))) { - /* Note: jQuery strips the pixel unit from its returned values; we re-add it here to conform with computePropertyValue's behavior. */ - computedValue = $(element).position()[property] + "px"; /* GET */ - } - } - - return computedValue; - } - - var propertyValue; - - /* If this is a hooked property (e.g. "clipLeft" instead of the root property of "clip"), - extract the hook's value from a normalized rootPropertyValue using CSS.Hooks.extractValue(). */ - if (CSS.Hooks.registered[property]) { - var hook = property, - hookRoot = CSS.Hooks.getRoot(hook); - - /* If a cached rootPropertyValue wasn't passed in (which Velocity always attempts to do in order to avoid requerying the DOM), - query the DOM for the root property's value. */ - if (rootPropertyValue === undefined) { - /* Since the browser is now being directly queried, use the official post-prefixing property name for this lookup. */ - rootPropertyValue = CSS.getPropertyValue(element, CSS.Names.prefixCheck(hookRoot)[0]); /* GET */ - } - - /* If this root has a normalization registered, peform the associated normalization extraction. */ - if (CSS.Normalizations.registered[hookRoot]) { - rootPropertyValue = CSS.Normalizations.registered[hookRoot]("extract", element, rootPropertyValue); - } - - /* Extract the hook's value. */ - propertyValue = CSS.Hooks.extractValue(hook, rootPropertyValue); - - /* If this is a normalized property (e.g. "opacity" becomes "filter" in <=IE8) or "translateX" becomes "transform"), - normalize the property's name and value, and handle the special case of transforms. */ - /* Note: Normalizing a property is mutually exclusive from hooking a property since hook-extracted values are strictly - numerical and therefore do not require normalization extraction. */ - } else if (CSS.Normalizations.registered[property]) { - var normalizedPropertyName, - normalizedPropertyValue; - - normalizedPropertyName = CSS.Normalizations.registered[property]("name", element); - - /* Transform values are calculated via normalization extraction (see below), which checks against the element's transformCache. - At no point do transform GETs ever actually query the DOM; initial stylesheet values are never processed. - This is because parsing 3D transform matrices is not always accurate and would bloat our codebase; - thus, normalization extraction defaults initial transform values to their zero-values (e.g. 1 for scaleX and 0 for translateX). */ - if (normalizedPropertyName !== "transform") { - normalizedPropertyValue = computePropertyValue(element, CSS.Names.prefixCheck(normalizedPropertyName)[0]); /* GET */ - - /* If the value is a CSS null-value and this property has a hook template, use that zero-value template so that hooks can be extracted from it. */ - if (CSS.Values.isCSSNullValue(normalizedPropertyValue) && CSS.Hooks.templates[property]) { - normalizedPropertyValue = CSS.Hooks.templates[property][1]; - } - } - - propertyValue = CSS.Normalizations.registered[property]("extract", element, normalizedPropertyValue); - } - - /* If a (numeric) value wasn't produced via hook extraction or normalization, query the DOM. */ - if (!/^[\d-]/.test(propertyValue)) { - /* For SVG elements, dimensional properties (which SVGAttribute() detects) are tweened via - their HTML attribute values instead of their CSS style values. */ - if (Data(element) && Data(element).isSVG && CSS.Names.SVGAttribute(property)) { - /* Since the height/width attribute values must be set manually, they don't reflect computed values. - Thus, we use use getBBox() to ensure we always get values for elements with undefined height/width attributes. */ - if (/^(height|width)$/i.test(property)) { - propertyValue = element.getBBox()[property]; - /* Otherwise, access the attribute value directly. */ - } else { - propertyValue = element.getAttribute(property); - } - } else { - propertyValue = computePropertyValue(element, CSS.Names.prefixCheck(property)[0]); /* GET */ - } - } - - /* Since property lookups are for animation purposes (which entails computing the numeric delta between start and end values), - convert CSS null-values to an integer of value 0. */ - if (CSS.Values.isCSSNullValue(propertyValue)) { - propertyValue = 0; - } - - if (Velocity.debug >= 2) console.log("Get " + property + ": " + propertyValue); - - return propertyValue; - }, - - /* The singular setPropertyValue, which routes the logic for all normalizations, hooks, and standard CSS properties. */ - setPropertyValue: function(element, property, propertyValue, rootPropertyValue, scrollData) { - var propertyName = property; - - /* In order to be subjected to call options and element queueing, scroll animation is routed through Velocity as if it were a standard CSS property. */ - if (property === "scroll") { - /* If a container option is present, scroll the container instead of the browser window. */ - if (scrollData.container) { - scrollData.container["scroll" + scrollData.direction] = propertyValue; - /* Otherwise, Velocity defaults to scrolling the browser window. */ - } else { - if (scrollData.direction === "Left") { - window.scrollTo(propertyValue, scrollData.alternateValue); - } else { - window.scrollTo(scrollData.alternateValue, propertyValue); - } - } - } else { - /* Transforms (translateX, rotateZ, etc.) are applied to a per-element transformCache object, which is manually flushed via flushTransformCache(). - Thus, for now, we merely cache transforms being SET. */ - if (CSS.Normalizations.registered[property] && CSS.Normalizations.registered[property]("name", element) === "transform") { - /* Perform a normalization injection. */ - /* Note: The normalization logic handles the transformCache updating. */ - CSS.Normalizations.registered[property]("inject", element, propertyValue); - - propertyName = "transform"; - propertyValue = Data(element).transformCache[property]; - } else { - /* Inject hooks. */ - if (CSS.Hooks.registered[property]) { - var hookName = property, - hookRoot = CSS.Hooks.getRoot(property); - - /* If a cached rootPropertyValue was not provided, query the DOM for the hookRoot's current value. */ - rootPropertyValue = rootPropertyValue || CSS.getPropertyValue(element, hookRoot); /* GET */ - - propertyValue = CSS.Hooks.injectValue(hookName, propertyValue, rootPropertyValue); - property = hookRoot; - } - - /* Normalize names and values. */ - if (CSS.Normalizations.registered[property]) { - propertyValue = CSS.Normalizations.registered[property]("inject", element, propertyValue); - property = CSS.Normalizations.registered[property]("name", element); - } - - /* Assign the appropriate vendor prefix before performing an official style update. */ - propertyName = CSS.Names.prefixCheck(property)[0]; - - /* A try/catch is used for IE<=8, which throws an error when "invalid" CSS values are set, e.g. a negative width. - Try/catch is avoided for other browsers since it incurs a performance overhead. */ - if (IE <= 8) { - try { - element.style[propertyName] = propertyValue; - } catch (error) { if (Velocity.debug) console.log("Browser does not support [" + propertyValue + "] for [" + propertyName + "]"); } - /* SVG elements have their dimensional properties (width, height, x, y, cx, etc.) applied directly as attributes instead of as styles. */ - /* Note: IE8 does not support SVG elements, so it's okay that we skip it for SVG animation. */ - } else if (Data(element) && Data(element).isSVG && CSS.Names.SVGAttribute(property)) { - /* Note: For SVG attributes, vendor-prefixed property names are never used. */ - /* Note: Not all CSS properties can be animated via attributes, but the browser won't throw an error for unsupported properties. */ - element.setAttribute(property, propertyValue); - } else { - element.style[propertyName] = propertyValue; - } - - if (Velocity.debug >= 2) console.log("Set " + property + " (" + propertyName + "): " + propertyValue); - } - } - - /* Return the normalized property name and value in case the caller wants to know how these values were modified before being applied to the DOM. */ - return [ propertyName, propertyValue ]; - }, - - /* To increase performance by batching transform updates into a single SET, transforms are not directly applied to an element until flushTransformCache() is called. */ - /* Note: Velocity applies transform properties in the same order that they are chronogically introduced to the element's CSS styles. */ - flushTransformCache: function(element) { - var transformString = ""; - - /* Certain browsers require that SVG transforms be applied as an attribute. However, the SVG transform attribute takes a modified version of CSS's transform string - (units are dropped and, except for skewX/Y, subproperties are merged into their master property -- e.g. scaleX and scaleY are merged into scale(X Y). */ - if ((IE || (Velocity.State.isAndroid && !Velocity.State.isChrome)) && Data(element).isSVG) { - /* Since transform values are stored in their parentheses-wrapped form, we use a helper function to strip out their numeric values. - Further, SVG transform properties only take unitless (representing pixels) values, so it's okay that parseFloat() strips the unit suffixed to the float value. */ - function getTransformFloat (transformProperty) { - return parseFloat(CSS.getPropertyValue(element, transformProperty)); - } - - /* Create an object to organize all the transforms that we'll apply to the SVG element. To keep the logic simple, - we process *all* transform properties -- even those that may not be explicitly applied (since they default to their zero-values anyway). */ - var SVGTransforms = { - translate: [ getTransformFloat("translateX"), getTransformFloat("translateY") ], - skewX: [ getTransformFloat("skewX") ], skewY: [ getTransformFloat("skewY") ], - /* If the scale property is set (non-1), use that value for the scaleX and scaleY values - (this behavior mimics the result of animating all these properties at once on HTML elements). */ - scale: getTransformFloat("scale") !== 1 ? [ getTransformFloat("scale"), getTransformFloat("scale") ] : [ getTransformFloat("scaleX"), getTransformFloat("scaleY") ], - /* Note: SVG's rotate transform takes three values: rotation degrees followed by the X and Y values - defining the rotation's origin point. We ignore the origin values (default them to 0). */ - rotate: [ getTransformFloat("rotateZ"), 0, 0 ] - }; - - /* Iterate through the transform properties in the user-defined property map order. - (This mimics the behavior of non-SVG transform animation.) */ - $.each(Data(element).transformCache, function(transformName) { - /* Except for with skewX/Y, revert the axis-specific transform subproperties to their axis-free master - properties so that they match up with SVG's accepted transform properties. */ - if (/^translate/i.test(transformName)) { - transformName = "translate"; - } else if (/^scale/i.test(transformName)) { - transformName = "scale"; - } else if (/^rotate/i.test(transformName)) { - transformName = "rotate"; - } - - /* Check that we haven't yet deleted the property from the SVGTransforms container. */ - if (SVGTransforms[transformName]) { - /* Append the transform property in the SVG-supported transform format. As per the spec, surround the space-delimited values in parentheses. */ - transformString += transformName + "(" + SVGTransforms[transformName].join(" ") + ")" + " "; - - /* After processing an SVG transform property, delete it from the SVGTransforms container so we don't - re-insert the same master property if we encounter another one of its axis-specific properties. */ - delete SVGTransforms[transformName]; - } - }); - } else { - var transformValue, - perspective; - - /* Transform properties are stored as members of the transformCache object. Concatenate all the members into a string. */ - $.each(Data(element).transformCache, function(transformName) { - transformValue = Data(element).transformCache[transformName]; - - /* Transform's perspective subproperty must be set first in order to take effect. Store it temporarily. */ - if (transformName === "transformPerspective") { - perspective = transformValue; - return true; - } - - /* IE9 only supports one rotation type, rotateZ, which it refers to as "rotate". */ - if (IE === 9 && transformName === "rotateZ") { - transformName = "rotate"; - } - - transformString += transformName + transformValue + " "; - }); - - /* If present, set the perspective subproperty first. */ - if (perspective) { - transformString = "perspective" + perspective + " " + transformString; - } - } - - CSS.setPropertyValue(element, "transform", transformString); - } - }; - - /* Register hooks and normalizations. */ - CSS.Hooks.register(); - CSS.Normalizations.register(); - - /* Allow hook setting in the same fashion as jQuery's $.css(). */ - Velocity.hook = function (elements, arg2, arg3) { - var value = undefined; - - elements = sanitizeElements(elements); - - $.each(elements, function(i, element) { - /* Initialize Velocity's per-element data cache if this element hasn't previously been animated. */ - if (Data(element) === undefined) { - Velocity.init(element); - } - - /* Get property value. If an element set was passed in, only return the value for the first element. */ - if (arg3 === undefined) { - if (value === undefined) { - value = Velocity.CSS.getPropertyValue(element, arg2); - } - /* Set property value. */ - } else { - /* sPV returns an array of the normalized propertyName/propertyValue pair used to update the DOM. */ - var adjustedSet = Velocity.CSS.setPropertyValue(element, arg2, arg3); - - /* Transform properties don't automatically set. They have to be flushed to the DOM. */ - if (adjustedSet[0] === "transform") { - Velocity.CSS.flushTransformCache(element); - } - - value = adjustedSet; - } - }); - - return value; - }; - - /***************** - Animation - *****************/ - - var animate = function() { - - /****************** - Call Chain - ******************/ - - /* Logic for determining what to return to the call stack when exiting out of Velocity. */ - function getChain () { - /* If we are using the utility function, attempt to return this call's promise. If no promise library was detected, - default to null instead of returning the targeted elements so that utility function's return value is standardized. */ - if (isUtility) { - return promiseData.promise || null; - /* Otherwise, if we're using $.fn, return the jQuery-/Zepto-wrapped element set. */ - } else { - return elementsWrapped; - } - } - - /************************* - Arguments Assignment - *************************/ - - /* To allow for expressive CoffeeScript code, Velocity supports an alternative syntax in which "properties" and "options" - objects are defined on a container object that's passed in as Velocity's sole argument. */ - /* Note: Some browsers automatically populate arguments with a "properties" object. We detect it by checking for its default "names" property. */ - var syntacticSugar = (arguments[0] && (($.isPlainObject(arguments[0].properties) && !arguments[0].properties.names) || Type.isString(arguments[0].properties))), - /* Whether Velocity was called via the utility function (as opposed to on a jQuery/Zepto object). */ - isUtility, - /* When Velocity is called via the utility function ($.Velocity()/Velocity()), elements are explicitly - passed in as the first parameter. Thus, argument positioning varies. We normalize them here. */ - elementsWrapped, - argumentIndex; - - var elements, - propertiesMap, - options; - - /* Detect jQuery/Zepto elements being animated via the $.fn method. */ - if (Type.isWrapped(this)) { - isUtility = false; - - argumentIndex = 0; - elements = this; - elementsWrapped = this; - /* Otherwise, raw elements are being animated via the utility function. */ - } else { - isUtility = true; - - argumentIndex = 1; - elements = syntacticSugar ? arguments[0].elements : arguments[0]; - } - - elements = sanitizeElements(elements); - - if (!elements) { - return; - } - - if (syntacticSugar) { - propertiesMap = arguments[0].properties; - options = arguments[0].options; - } else { - propertiesMap = arguments[argumentIndex]; - options = arguments[argumentIndex + 1]; - } - - /* The length of the element set (in the form of a nodeList or an array of elements) is defaulted to 1 in case a - single raw DOM element is passed in (which doesn't contain a length property). */ - var elementsLength = elements.length, - elementsIndex = 0; - - /*************************** - Argument Overloading - ***************************/ - - /* Support is included for jQuery's argument overloading: $.animate(propertyMap [, duration] [, easing] [, complete]). - Overloading is detected by checking for the absence of an object being passed into options. */ - /* Note: The stop action does not accept animation options, and is therefore excluded from this check. */ - if (propertiesMap !== "stop" && !$.isPlainObject(options)) { - /* The utility function shifts all arguments one position to the right, so we adjust for that offset. */ - var startingArgumentPosition = argumentIndex + 1; - - options = {}; - - /* Iterate through all options arguments */ - for (var i = startingArgumentPosition; i < arguments.length; i++) { - /* Treat a number as a duration. Parse it out. */ - /* Note: The following RegEx will return true if passed an array with a number as its first item. - Thus, arrays are skipped from this check. */ - if (!Type.isArray(arguments[i]) && (/^(fast|normal|slow)$/i.test(arguments[i]) || /^\d/.test(arguments[i]))) { - options.duration = arguments[i]; - /* Treat strings and arrays as easings. */ - } else if (Type.isString(arguments[i]) || Type.isArray(arguments[i])) { - options.easing = arguments[i]; - /* Treat a function as a complete callback. */ - } else if (Type.isFunction(arguments[i])) { - options.complete = arguments[i]; - } - } - } - - /*************** - Promises - ***************/ - - var promiseData = { - promise: null, - resolver: null, - rejecter: null - }; - - /* If this call was made via the utility function (which is the default method of invocation when jQuery/Zepto are not being used), and if - promise support was detected, create a promise object for this call and store references to its resolver and rejecter methods. The resolve - method is used when a call completes naturally or is prematurely stopped by the user. In both cases, completeCall() handles the associated - call cleanup and promise resolving logic. The reject method is used when an invalid set of arguments is passed into a Velocity call. */ - /* Note: Velocity employs a call-based queueing architecture, which means that stopping an animating element actually stops the full call that - triggered it -- not that one element exclusively. Similarly, there is one promise per call, and all elements targeted by a Velocity call are - grouped together for the purposes of resolving and rejecting a promise. */ - if (isUtility && Velocity.Promise) { - promiseData.promise = new Velocity.Promise(function (resolve, reject) { - promiseData.resolver = resolve; - promiseData.rejecter = reject; - }); - } - - /********************* - Action Detection - *********************/ - - /* Velocity's behavior is categorized into "actions": Elements can either be specially scrolled into view, - or they can be started, stopped, or reversed. If a literal or referenced properties map is passed in as Velocity's - first argument, the associated action is "start". Alternatively, "scroll", "reverse", or "stop" can be passed in instead of a properties map. */ - var action; - - switch (propertiesMap) { - case "scroll": - action = "scroll"; - break; - - case "reverse": - action = "reverse"; - break; - - case "stop": - /******************* - Action: Stop - *******************/ - - /* Clear the currently-active delay on each targeted element. */ - $.each(elements, function(i, element) { - if (Data(element) && Data(element).delayTimer) { - /* Stop the timer from triggering its cached next() function. */ - clearTimeout(Data(element).delayTimer.setTimeout); - - /* Manually call the next() function so that the subsequent queue items can progress. */ - if (Data(element).delayTimer.next) { - Data(element).delayTimer.next(); - } - - delete Data(element).delayTimer; - } - }); - - var callsToStop = []; - - /* When the stop action is triggered, the elements' currently active call is immediately stopped. The active call might have - been applied to multiple elements, in which case all of the call's elements will be subjected to stopping. When an element - is stopped, the next item in its animation queue is immediately triggered. */ - /* An additional argument may be passed in to clear an element's remaining queued calls. Either true (which defaults to the "fx" queue) - or a custom queue string can be passed in. */ - /* Note: The stop command runs prior to Queueing since its behavior is intended to take effect *immediately*, - regardless of the element's current queue state. */ - - /* Iterate through every active call. */ - $.each(Velocity.State.calls, function(i, activeCall) { - /* Inactive calls are set to false by the logic inside completeCall(). Skip them. */ - if (activeCall) { - /* Iterate through the active call's targeted elements. */ - $.each(activeCall[1], function(k, activeElement) { - var queueName = Type.isString(options) ? options : ""; - - if (options !== undefined && activeCall[2].queue !== queueName) { - return true; - } - - /* Iterate through the calls targeted by the stop command. */ - $.each(elements, function(l, element) { - /* Check that this call was applied to the target element. */ - if (element === activeElement) { - /* Optionally clear the remaining queued calls. */ - if (options !== undefined) { - /* Iterate through the items in the element's queue. */ - $.each($.queue(element, queueName), function(_, item) { - /* The queue array can contain an "inprogress" string, which we skip. */ - if (Type.isFunction(item)) { - /* Pass the item's callback a flag indicating that we want to abort from the queue call. - (Specifically, the queue will resolve the call's associated promise then abort.) */ - item(null, true); - } - }); - - /* Clearing the $.queue() array is achieved by resetting it to []. */ - $.queue(element, queueName, []); - } - - if (Data(element) && queueName === "") { - /* Since "reverse" uses cached start values (the previous call's endValues), - these values must be changed to reflect the final value that the elements were actually tweened to. */ - $.each(Data(element).tweensContainer, function(m, activeTween) { - activeTween.endValue = activeTween.currentValue; - }); - } - - callsToStop.push(i); - } - }); - }); - } - }); - - /* Prematurely call completeCall() on each matched active call, passing an additional flag to indicate - that the complete callback and display:none setting should be skipped since we're completing prematurely. */ - $.each(callsToStop, function(i, j) { - completeCall(j, true); - }); - - if (promiseData.promise) { - /* Immediately resolve the promise associated with this stop call since stop runs synchronously. */ - promiseData.resolver(elements); - } - - /* Since we're stopping, and not proceeding with queueing, exit out of Velocity. */ - return getChain(); - - default: - /* Treat a non-empty plain object as a literal properties map. */ - if ($.isPlainObject(propertiesMap) && !Type.isEmptyObject(propertiesMap)) { - action = "start"; - - /**************** - Redirects - ****************/ - - /* Check if a string matches a registered redirect (see Redirects above). */ - } else if (Type.isString(propertiesMap) && Velocity.Redirects[propertiesMap]) { - var opts = $.extend({}, options), - durationOriginal = opts.duration, - delayOriginal = opts.delay || 0; - - /* If the backwards option was passed in, reverse the element set so that elements animate from the last to the first. */ - if (opts.backwards === true) { - elements = $.extend(true, [], elements).reverse(); - } - - /* Individually trigger the redirect for each element in the set to prevent users from having to handle iteration logic in their redirect. */ - $.each(elements, function(elementIndex, element) { - /* If the stagger option was passed in, successively delay each element by the stagger value (in ms). Retain the original delay value. */ - if (parseFloat(opts.stagger)) { - opts.delay = delayOriginal + (parseFloat(opts.stagger) * elementIndex); - } else if (Type.isFunction(opts.stagger)) { - opts.delay = delayOriginal + opts.stagger.call(element, elementIndex, elementsLength); - } - - /* If the drag option was passed in, successively increase/decrease (depending on the presense of opts.backwards) - the duration of each element's animation, using floors to prevent producing very short durations. */ - if (opts.drag) { - /* Default the duration of UI pack effects (callouts and transitions) to 1000ms instead of the usual default duration of 400ms. */ - opts.duration = parseFloat(durationOriginal) || (/^(callout|transition)/.test(propertiesMap) ? 1000 : DURATION_DEFAULT); - - /* For each element, take the greater duration of: A) animation completion percentage relative to the original duration, - B) 75% of the original duration, or C) a 200ms fallback (in case duration is already set to a low value). - The end result is a baseline of 75% of the redirect's duration that increases/decreases as the end of the element set is approached. */ - opts.duration = Math.max(opts.duration * (opts.backwards ? 1 - elementIndex/elementsLength : (elementIndex + 1) / elementsLength), opts.duration * 0.75, 200); - } - - /* Pass in the call's opts object so that the redirect can optionally extend it. It defaults to an empty object instead of null to - reduce the opts checking logic required inside the redirect. */ - Velocity.Redirects[propertiesMap].call(element, element, opts || {}, elementIndex, elementsLength, elements, promiseData.promise ? promiseData : undefined); - }); - - /* Since the animation logic resides within the redirect's own code, abort the remainder of this call. - (The performance overhead up to this point is virtually non-existant.) */ - /* Note: The jQuery call chain is kept intact by returning the complete element set. */ - return getChain(); - } else { - var abortError = "Velocity: First argument (" + propertiesMap + ") was not a property map, a known action, or a registered redirect. Aborting."; - - if (promiseData.promise) { - promiseData.rejecter(new Error(abortError)); - } else { - console.log(abortError); - } - - return getChain(); - } - } - - /************************** - Call-Wide Variables - **************************/ - - /* A container for CSS unit conversion ratios (e.g. %, rem, and em ==> px) that is used to cache ratios across all elements - being animated in a single Velocity call. Calculating unit ratios necessitates DOM querying and updating, and is therefore - avoided (via caching) wherever possible. This container is call-wide instead of page-wide to avoid the risk of using stale - conversion metrics across Velocity animations that are not immediately consecutively chained. */ - var callUnitConversionData = { - lastParent: null, - lastPosition: null, - lastFontSize: null, - lastPercentToPxWidth: null, - lastPercentToPxHeight: null, - lastEmToPx: null, - remToPx: null, - vwToPx: null, - vhToPx: null - }; - - /* A container for all the ensuing tween data and metadata associated with this call. This container gets pushed to the page-wide - Velocity.State.calls array that is processed during animation ticking. */ - var call = []; - - /************************ - Element Processing - ************************/ - - /* Element processing consists of three parts -- data processing that cannot go stale and data processing that *can* go stale (i.e. third-party style modifications): - 1) Pre-Queueing: Element-wide variables, including the element's data storage, are instantiated. Call options are prepared. If triggered, the Stop action is executed. - 2) Queueing: The logic that runs once this call has reached its point of execution in the element's $.queue() stack. Most logic is placed here to avoid risking it becoming stale. - 3) Pushing: Consolidation of the tween data followed by its push onto the global in-progress calls container. - */ - - function processElement () { - - /************************* - Part I: Pre-Queueing - *************************/ - - /*************************** - Element-Wide Variables - ***************************/ - - var element = this, - /* The runtime opts object is the extension of the current call's options and Velocity's page-wide option defaults. */ - opts = $.extend({}, Velocity.defaults, options), - /* A container for the processed data associated with each property in the propertyMap. - (Each property in the map produces its own "tween".) */ - tweensContainer = {}, - elementUnitConversionData; - - /****************** - Element Init - ******************/ - - if (Data(element) === undefined) { - Velocity.init(element); - } - - /****************** - Option: Delay - ******************/ - - /* Since queue:false doesn't respect the item's existing queue, we avoid injecting its delay here (it's set later on). */ - /* Note: Velocity rolls its own delay function since jQuery doesn't have a utility alias for $.fn.delay() - (and thus requires jQuery element creation, which we avoid since its overhead includes DOM querying). */ - if (parseFloat(opts.delay) && opts.queue !== false) { - $.queue(element, opts.queue, function(next) { - /* This is a flag used to indicate to the upcoming completeCall() function that this queue entry was initiated by Velocity. See completeCall() for further details. */ - Velocity.velocityQueueEntryFlag = true; - - /* The ensuing queue item (which is assigned to the "next" argument that $.queue() automatically passes in) will be triggered after a setTimeout delay. - The setTimeout is stored so that it can be subjected to clearTimeout() if this animation is prematurely stopped via Velocity's "stop" command. */ - Data(element).delayTimer = { - setTimeout: setTimeout(next, parseFloat(opts.delay)), - next: next - }; - }); - } - - /********************* - Option: Duration - *********************/ - - /* Support for jQuery's named durations. */ - switch (opts.duration.toString().toLowerCase()) { - case "fast": - opts.duration = 200; - break; - - case "normal": - opts.duration = DURATION_DEFAULT; - break; - - case "slow": - opts.duration = 600; - break; - - default: - /* Remove the potential "ms" suffix and default to 1 if the user is attempting to set a duration of 0 (in order to produce an immediate style change). */ - opts.duration = parseFloat(opts.duration) || 1; - } - - /************************ - Global Option: Mock - ************************/ - - if (Velocity.mock !== false) { - /* In mock mode, all animations are forced to 1ms so that they occur immediately upon the next rAF tick. - Alternatively, a multiplier can be passed in to time remap all delays and durations. */ - if (Velocity.mock === true) { - opts.duration = opts.delay = 1; - } else { - opts.duration *= parseFloat(Velocity.mock) || 1; - opts.delay *= parseFloat(Velocity.mock) || 1; - } - } - - /******************* - Option: Easing - *******************/ - - opts.easing = getEasing(opts.easing, opts.duration); - - /********************** - Option: Callbacks - **********************/ - - /* Callbacks must functions. Otherwise, default to null. */ - if (opts.begin && !Type.isFunction(opts.begin)) { - opts.begin = null; - } - - if (opts.progress && !Type.isFunction(opts.progress)) { - opts.progress = null; - } - - if (opts.complete && !Type.isFunction(opts.complete)) { - opts.complete = null; - } - - /********************************* - Option: Display & Visibility - *********************************/ - - /* Refer to Velocity's documentation (VelocityJS.org/#displayAndVisibility) for a description of the display and visibility options' behavior. */ - /* Note: We strictly check for undefined instead of falsiness because display accepts an empty string value. */ - if (opts.display !== undefined && opts.display !== null) { - opts.display = opts.display.toString().toLowerCase(); - - /* Users can pass in a special "auto" value to instruct Velocity to set the element to its default display value. */ - if (opts.display === "auto") { - opts.display = Velocity.CSS.Values.getDisplayType(element); - } - } - - if (opts.visibility !== undefined && opts.visibility !== null) { - opts.visibility = opts.visibility.toString().toLowerCase(); - } - - /********************** - Option: mobileHA - **********************/ - - /* When set to true, and if this is a mobile device, mobileHA automatically enables hardware acceleration (via a null transform hack) - on animating elements. HA is removed from the element at the completion of its animation. */ - /* Note: Android Gingerbread doesn't support HA. If a null transform hack (mobileHA) is in fact set, it will prevent other tranform subproperties from taking effect. */ - /* Note: You can read more about the use of mobileHA in Velocity's documentation: VelocityJS.org/#mobileHA. */ - opts.mobileHA = (opts.mobileHA && Velocity.State.isMobile && !Velocity.State.isGingerbread); - - /*********************** - Part II: Queueing - ***********************/ - - /* When a set of elements is targeted by a Velocity call, the set is broken up and each element has the current Velocity call individually queued onto it. - In this way, each element's existing queue is respected; some elements may already be animating and accordingly should not have this current Velocity call triggered immediately. */ - /* In each queue, tween data is processed for each animating property then pushed onto the call-wide calls array. When the last element in the set has had its tweens processed, - the call array is pushed to Velocity.State.calls for live processing by the requestAnimationFrame tick. */ - function buildQueue (next) { - - /******************* - Option: Begin - *******************/ - - /* The begin callback is fired once per call -- not once per elemenet -- and is passed the full raw DOM element set as both its context and its first argument. */ - if (opts.begin && elementsIndex === 0) { - /* We throw callbacks in a setTimeout so that thrown errors don't halt the execution of Velocity itself. */ - try { - opts.begin.call(elements, elements); - } catch (error) { - setTimeout(function() { throw error; }, 1); - } - } - - /***************************************** - Tween Data Construction (for Scroll) - *****************************************/ - - /* Note: In order to be subjected to chaining and animation options, scroll's tweening is routed through Velocity as if it were a standard CSS property animation. */ - if (action === "scroll") { - /* The scroll action uniquely takes an optional "offset" option -- specified in pixels -- that offsets the targeted scroll position. */ - var scrollDirection = (/^x$/i.test(opts.axis) ? "Left" : "Top"), - scrollOffset = parseFloat(opts.offset) || 0, - scrollPositionCurrent, - scrollPositionCurrentAlternate, - scrollPositionEnd; - - /* Scroll also uniquely takes an optional "container" option, which indicates the parent element that should be scrolled -- - as opposed to the browser window itself. This is useful for scrolling toward an element that's inside an overflowing parent element. */ - if (opts.container) { - /* Ensure that either a jQuery object or a raw DOM element was passed in. */ - if (Type.isWrapped(opts.container) || Type.isNode(opts.container)) { - /* Extract the raw DOM element from the jQuery wrapper. */ - opts.container = opts.container[0] || opts.container; - /* Note: Unlike other properties in Velocity, the browser's scroll position is never cached since it so frequently changes - (due to the user's natural interaction with the page). */ - scrollPositionCurrent = opts.container["scroll" + scrollDirection]; /* GET */ - - /* $.position() values are relative to the container's currently viewable area (without taking into account the container's true dimensions - -- say, for example, if the container was not overflowing). Thus, the scroll end value is the sum of the child element's position *and* - the scroll container's current scroll position. */ - /* Note: jQuery does not offer a utility alias for $.position(), so we have to incur jQuery object conversion here. - This syncs up with an ensuing batch of GETs, so it fortunately does not trigger layout thrashing. */ - scrollPositionEnd = (scrollPositionCurrent + $(element).position()[scrollDirection.toLowerCase()]) + scrollOffset; /* GET */ - /* If a value other than a jQuery object or a raw DOM element was passed in, default to null so that this option is ignored. */ - } else { - opts.container = null; - } - } else { - /* If the window itself is being scrolled -- not a containing element -- perform a live scroll position lookup using - the appropriate cached property names (which differ based on browser type). */ - scrollPositionCurrent = Velocity.State.scrollAnchor[Velocity.State["scrollProperty" + scrollDirection]]; /* GET */ - /* When scrolling the browser window, cache the alternate axis's current value since window.scrollTo() doesn't let us change only one value at a time. */ - scrollPositionCurrentAlternate = Velocity.State.scrollAnchor[Velocity.State["scrollProperty" + (scrollDirection === "Left" ? "Top" : "Left")]]; /* GET */ - - /* Unlike $.position(), $.offset() values are relative to the browser window's true dimensions -- not merely its currently viewable area -- - and therefore end values do not need to be compounded onto current values. */ - scrollPositionEnd = $(element).offset()[scrollDirection.toLowerCase()] + scrollOffset; /* GET */ - } - - /* Since there's only one format that scroll's associated tweensContainer can take, we create it manually. */ - tweensContainer = { - scroll: { - rootPropertyValue: false, - startValue: scrollPositionCurrent, - currentValue: scrollPositionCurrent, - endValue: scrollPositionEnd, - unitType: "", - easing: opts.easing, - scrollData: { - container: opts.container, - direction: scrollDirection, - alternateValue: scrollPositionCurrentAlternate - } - }, - element: element - }; - - if (Velocity.debug) console.log("tweensContainer (scroll): ", tweensContainer.scroll, element); - - /****************************************** - Tween Data Construction (for Reverse) - ******************************************/ - - /* Reverse acts like a "start" action in that a property map is animated toward. The only difference is - that the property map used for reverse is the inverse of the map used in the previous call. Thus, we manipulate - the previous call to construct our new map: use the previous map's end values as our new map's start values. Copy over all other data. */ - /* Note: Reverse can be directly called via the "reverse" parameter, or it can be indirectly triggered via the loop option. (Loops are composed of multiple reverses.) */ - /* Note: Reverse calls do not need to be consecutively chained onto a currently-animating element in order to operate on cached values; - there is no harm to reverse being called on a potentially stale data cache since reverse's behavior is simply defined - as reverting to the element's values as they were prior to the previous *Velocity* call. */ - } else if (action === "reverse") { - /* Abort if there is no prior animation data to reverse to. */ - if (!Data(element).tweensContainer) { - /* Dequeue the element so that this queue entry releases itself immediately, allowing subsequent queue entries to run. */ - $.dequeue(element, opts.queue); - - return; - } else { - /********************* - Options Parsing - *********************/ - - /* If the element was hidden via the display option in the previous call, - revert display to "auto" prior to reversal so that the element is visible again. */ - if (Data(element).opts.display === "none") { - Data(element).opts.display = "auto"; - } - - if (Data(element).opts.visibility === "hidden") { - Data(element).opts.visibility = "visible"; - } - - /* If the loop option was set in the previous call, disable it so that "reverse" calls aren't recursively generated. - Further, remove the previous call's callback options; typically, users do not want these to be refired. */ - Data(element).opts.loop = false; - Data(element).opts.begin = null; - Data(element).opts.complete = null; - - /* Since we're extending an opts object that has already been extended with the defaults options object, - we remove non-explicitly-defined properties that are auto-assigned values. */ - if (!options.easing) { - delete opts.easing; - } - - if (!options.duration) { - delete opts.duration; - } - - /* The opts object used for reversal is an extension of the options object optionally passed into this - reverse call plus the options used in the previous Velocity call. */ - opts = $.extend({}, Data(element).opts, opts); - - /************************************* - Tweens Container Reconstruction - *************************************/ - - /* Create a deepy copy (indicated via the true flag) of the previous call's tweensContainer. */ - var lastTweensContainer = $.extend(true, {}, Data(element).tweensContainer); - - /* Manipulate the previous tweensContainer by replacing its end values and currentValues with its start values. */ - for (var lastTween in lastTweensContainer) { - /* In addition to tween data, tweensContainers contain an element property that we ignore here. */ - if (lastTween !== "element") { - var lastStartValue = lastTweensContainer[lastTween].startValue; - - lastTweensContainer[lastTween].startValue = lastTweensContainer[lastTween].currentValue = lastTweensContainer[lastTween].endValue; - lastTweensContainer[lastTween].endValue = lastStartValue; - - /* Easing is the only option that embeds into the individual tween data (since it can be defined on a per-property basis). - Accordingly, every property's easing value must be updated when an options object is passed in with a reverse call. - The side effect of this extensibility is that all per-property easing values are forcefully reset to the new value. */ - if (!Type.isEmptyObject(options)) { - lastTweensContainer[lastTween].easing = opts.easing; - } - - if (Velocity.debug) console.log("reverse tweensContainer (" + lastTween + "): " + JSON.stringify(lastTweensContainer[lastTween]), element); - } - } - - tweensContainer = lastTweensContainer; - } - - /***************************************** - Tween Data Construction (for Start) - *****************************************/ - - } else if (action === "start") { - - /************************* - Value Transferring - *************************/ - - /* If this queue entry follows a previous Velocity-initiated queue entry *and* if this entry was created - while the element was in the process of being animated by Velocity, then this current call is safe to use - the end values from the prior call as its start values. Velocity attempts to perform this value transfer - process whenever possible in order to avoid requerying the DOM. */ - /* If values aren't transferred from a prior call and start values were not forcefed by the user (more on this below), - then the DOM is queried for the element's current values as a last resort. */ - /* Note: Conversely, animation reversal (and looping) *always* perform inter-call value transfers; they never requery the DOM. */ - var lastTweensContainer; - - /* The per-element isAnimating flag is used to indicate whether it's safe (i.e. the data isn't stale) - to transfer over end values to use as start values. If it's set to true and there is a previous - Velocity call to pull values from, do so. */ - if (Data(element).tweensContainer && Data(element).isAnimating === true) { - lastTweensContainer = Data(element).tweensContainer; - } - - /*************************** - Tween Data Calculation - ***************************/ - - /* This function parses property data and defaults endValue, easing, and startValue as appropriate. */ - /* Property map values can either take the form of 1) a single value representing the end value, - or 2) an array in the form of [ endValue, [, easing] [, startValue] ]. - The optional third parameter is a forcefed startValue to be used instead of querying the DOM for - the element's current value. Read Velocity's docmentation to learn more about forcefeeding: VelocityJS.org/#forcefeeding */ - function parsePropertyValue (valueData, skipResolvingEasing) { - var endValue = undefined, - easing = undefined, - startValue = undefined; - - /* Handle the array format, which can be structured as one of three potential overloads: - A) [ endValue, easing, startValue ], B) [ endValue, easing ], or C) [ endValue, startValue ] */ - if (Type.isArray(valueData)) { - /* endValue is always the first item in the array. Don't bother validating endValue's value now - since the ensuing property cycling logic does that. */ - endValue = valueData[0]; - - /* Two-item array format: If the second item is a number, function, or hex string, treat it as a - start value since easings can only be non-hex strings or arrays. */ - if ((!Type.isArray(valueData[1]) && /^[\d-]/.test(valueData[1])) || Type.isFunction(valueData[1]) || CSS.RegEx.isHex.test(valueData[1])) { - startValue = valueData[1]; - /* Two or three-item array: If the second item is a non-hex string or an array, treat it as an easing. */ - } else if ((Type.isString(valueData[1]) && !CSS.RegEx.isHex.test(valueData[1])) || Type.isArray(valueData[1])) { - easing = skipResolvingEasing ? valueData[1] : getEasing(valueData[1], opts.duration); - - /* Don't bother validating startValue's value now since the ensuing property cycling logic inherently does that. */ - if (valueData[2] !== undefined) { - startValue = valueData[2]; - } - } - /* Handle the single-value format. */ - } else { - endValue = valueData; - } - - /* Default to the call's easing if a per-property easing type was not defined. */ - if (!skipResolvingEasing) { - easing = easing || opts.easing; - } - - /* If functions were passed in as values, pass the function the current element as its context, - plus the element's index and the element set's size as arguments. Then, assign the returned value. */ - if (Type.isFunction(endValue)) { - endValue = endValue.call(element, elementsIndex, elementsLength); - } - - if (Type.isFunction(startValue)) { - startValue = startValue.call(element, elementsIndex, elementsLength); - } - - /* Allow startValue to be left as undefined to indicate to the ensuing code that its value was not forcefed. */ - return [ endValue || 0, easing, startValue ]; - } - - /* Cycle through each property in the map, looking for shorthand color properties (e.g. "color" as opposed to "colorRed"). Inject the corresponding - colorRed, colorGreen, and colorBlue RGB component tweens into the propertiesMap (which Velocity understands) and remove the shorthand property. */ - $.each(propertiesMap, function(property, value) { - /* Find shorthand color properties that have been passed a hex string. */ - if (RegExp("^" + CSS.Lists.colors.join("$|^") + "$").test(property)) { - /* Parse the value data for each shorthand. */ - var valueData = parsePropertyValue(value, true), - endValue = valueData[0], - easing = valueData[1], - startValue = valueData[2]; - - if (CSS.RegEx.isHex.test(endValue)) { - /* Convert the hex strings into their RGB component arrays. */ - var colorComponents = [ "Red", "Green", "Blue" ], - endValueRGB = CSS.Values.hexToRgb(endValue), - startValueRGB = startValue ? CSS.Values.hexToRgb(startValue) : undefined; - - /* Inject the RGB component tweens into propertiesMap. */ - for (var i = 0; i < colorComponents.length; i++) { - var dataArray = [ endValueRGB[i] ]; - - if (easing) { - dataArray.push(easing); - } - - if (startValueRGB !== undefined) { - dataArray.push(startValueRGB[i]); - } - - propertiesMap[property + colorComponents[i]] = dataArray; - } - - /* Remove the intermediary shorthand property entry now that we've processed it. */ - delete propertiesMap[property]; - } - } - }); - - /* Create a tween out of each property, and append its associated data to tweensContainer. */ - for (var property in propertiesMap) { - - /************************** - Start Value Sourcing - **************************/ - - /* Parse out endValue, easing, and startValue from the property's data. */ - var valueData = parsePropertyValue(propertiesMap[property]), - endValue = valueData[0], - easing = valueData[1], - startValue = valueData[2]; - - /* Now that the original property name's format has been used for the parsePropertyValue() lookup above, - we force the property to its camelCase styling to normalize it for manipulation. */ - property = CSS.Names.camelCase(property); - - /* In case this property is a hook, there are circumstances where we will intend to work on the hook's root property and not the hooked subproperty. */ - var rootProperty = CSS.Hooks.getRoot(property), - rootPropertyValue = false; - - /* Properties that are not supported by the browser (and do not have an associated normalization) will - inherently produce no style changes when set, so they are skipped in order to decrease animation tick overhead. - Property support is determined via prefixCheck(), which returns a false flag when no supported is detected. */ - /* Note: Since SVG elements have some of their properties directly applied as HTML attributes, - there is no way to check for their explicit browser support, and so we skip skip this check for them. */ - if (!Data(element).isSVG && CSS.Names.prefixCheck(rootProperty)[1] === false && CSS.Normalizations.registered[rootProperty] === undefined) { - if (Velocity.debug) console.log("Skipping [" + rootProperty + "] due to a lack of browser support."); - - continue; - } - - /* If the display option is being set to a non-"none" (e.g. "block") and opacity (filter on IE<=8) is being - animated to an endValue of non-zero, the user's intention is to fade in from invisible, thus we forcefeed opacity - a startValue of 0 if its startValue hasn't already been sourced by value transferring or prior forcefeeding. */ - if (((opts.display !== undefined && opts.display !== null && opts.display !== "none") || (opts.visibility !== undefined && opts.visibility !== "hidden")) && /opacity|filter/.test(property) && !startValue && endValue !== 0) { - startValue = 0; - } - - /* If values have been transferred from the previous Velocity call, extract the endValue and rootPropertyValue - for all of the current call's properties that were *also* animated in the previous call. */ - /* Note: Value transferring can optionally be disabled by the user via the _cacheValues option. */ - if (opts._cacheValues && lastTweensContainer && lastTweensContainer[property]) { - if (startValue === undefined) { - startValue = lastTweensContainer[property].endValue + lastTweensContainer[property].unitType; - } - - /* The previous call's rootPropertyValue is extracted from the element's data cache since that's the - instance of rootPropertyValue that gets freshly updated by the tweening process, whereas the rootPropertyValue - attached to the incoming lastTweensContainer is equal to the root property's value prior to any tweening. */ - rootPropertyValue = Data(element).rootPropertyValueCache[rootProperty]; - /* If values were not transferred from a previous Velocity call, query the DOM as needed. */ - } else { - /* Handle hooked properties. */ - if (CSS.Hooks.registered[property]) { - if (startValue === undefined) { - rootPropertyValue = CSS.getPropertyValue(element, rootProperty); /* GET */ - /* Note: The following getPropertyValue() call does not actually trigger a DOM query; - getPropertyValue() will extract the hook from rootPropertyValue. */ - startValue = CSS.getPropertyValue(element, property, rootPropertyValue); - /* If startValue is already defined via forcefeeding, do not query the DOM for the root property's value; - just grab rootProperty's zero-value template from CSS.Hooks. This overwrites the element's actual - root property value (if one is set), but this is acceptable since the primary reason users forcefeed is - to avoid DOM queries, and thus we likewise avoid querying the DOM for the root property's value. */ - } else { - /* Grab this hook's zero-value template, e.g. "0px 0px 0px black". */ - rootPropertyValue = CSS.Hooks.templates[rootProperty][1]; - } - /* Handle non-hooked properties that haven't already been defined via forcefeeding. */ - } else if (startValue === undefined) { - startValue = CSS.getPropertyValue(element, property); /* GET */ - } - } - - /************************** - Value Data Extraction - **************************/ - - var separatedValue, - endValueUnitType, - startValueUnitType, - operator = false; - - /* Separates a property value into its numeric value and its unit type. */ - function separateValue (property, value) { - var unitType, - numericValue; - - numericValue = (value || "0") - .toString() - .toLowerCase() - /* Match the unit type at the end of the value. */ - .replace(/[%A-z]+$/, function(match) { - /* Grab the unit type. */ - unitType = match; - - /* Strip the unit type off of value. */ - return ""; - }); - - /* If no unit type was supplied, assign one that is appropriate for this property (e.g. "deg" for rotateZ or "px" for width). */ - if (!unitType) { - unitType = CSS.Values.getUnitType(property); - } - - return [ numericValue, unitType ]; - } - - /* Separate startValue. */ - separatedValue = separateValue(property, startValue); - startValue = separatedValue[0]; - startValueUnitType = separatedValue[1]; - - /* Separate endValue, and extract a value operator (e.g. "+=", "-=") if one exists. */ - separatedValue = separateValue(property, endValue); - endValue = separatedValue[0].replace(/^([+-\/*])=/, function(match, subMatch) { - operator = subMatch; - - /* Strip the operator off of the value. */ - return ""; - }); - endValueUnitType = separatedValue[1]; - - /* Parse float values from endValue and startValue. Default to 0 if NaN is returned. */ - startValue = parseFloat(startValue) || 0; - endValue = parseFloat(endValue) || 0; - - /*************************************** - Property-Specific Value Conversion - ***************************************/ - - /* Custom support for properties that don't actually accept the % unit type, but where pollyfilling is trivial and relatively foolproof. */ - if (endValueUnitType === "%") { - /* A %-value fontSize/lineHeight is relative to the parent's fontSize (as opposed to the parent's dimensions), - which is identical to the em unit's behavior, so we piggyback off of that. */ - if (/^(fontSize|lineHeight)$/.test(property)) { - /* Convert % into an em decimal value. */ - endValue = endValue / 100; - endValueUnitType = "em"; - /* For scaleX and scaleY, convert the value into its decimal format and strip off the unit type. */ - } else if (/^scale/.test(property)) { - endValue = endValue / 100; - endValueUnitType = ""; - /* For RGB components, take the defined percentage of 255 and strip off the unit type. */ - } else if (/(Red|Green|Blue)$/i.test(property)) { - endValue = (endValue / 100) * 255; - endValueUnitType = ""; - } - } - - /*************************** - Unit Ratio Calculation - ***************************/ - - /* When queried, the browser returns (most) CSS property values in pixels. Therefore, if an endValue with a unit type of - %, em, or rem is animated toward, startValue must be converted from pixels into the same unit type as endValue in order - for value manipulation logic (increment/decrement) to proceed. Further, if the startValue was forcefed or transferred - from a previous call, startValue may also not be in pixels. Unit conversion logic therefore consists of two steps: - 1) Calculating the ratio of %/em/rem/vh/vw relative to pixels - 2) Converting startValue into the same unit of measurement as endValue based on these ratios. */ - /* Unit conversion ratios are calculated by inserting a sibling node next to the target node, copying over its position property, - setting values with the target unit type then comparing the returned pixel value. */ - /* Note: Even if only one of these unit types is being animated, all unit ratios are calculated at once since the overhead - of batching the SETs and GETs together upfront outweights the potential overhead - of layout thrashing caused by re-querying for uncalculated ratios for subsequently-processed properties. */ - /* Todo: Shift this logic into the calls' first tick instance so that it's synced with RAF. */ - function calculateUnitRatios () { - - /************************ - Same Ratio Checks - ************************/ - - /* The properties below are used to determine whether the element differs sufficiently from this call's - previously iterated element to also differ in its unit conversion ratios. If the properties match up with those - of the prior element, the prior element's conversion ratios are used. Like most optimizations in Velocity, - this is done to minimize DOM querying. */ - var sameRatioIndicators = { - myParent: element.parentNode || document.body, /* GET */ - position: CSS.getPropertyValue(element, "position"), /* GET */ - fontSize: CSS.getPropertyValue(element, "fontSize") /* GET */ - }, - /* Determine if the same % ratio can be used. % is based on the element's position value and its parent's width and height dimensions. */ - samePercentRatio = ((sameRatioIndicators.position === callUnitConversionData.lastPosition) && (sameRatioIndicators.myParent === callUnitConversionData.lastParent)), - /* Determine if the same em ratio can be used. em is relative to the element's fontSize. */ - sameEmRatio = (sameRatioIndicators.fontSize === callUnitConversionData.lastFontSize); - - /* Store these ratio indicators call-wide for the next element to compare against. */ - callUnitConversionData.lastParent = sameRatioIndicators.myParent; - callUnitConversionData.lastPosition = sameRatioIndicators.position; - callUnitConversionData.lastFontSize = sameRatioIndicators.fontSize; - - /*************************** - Element-Specific Units - ***************************/ - - /* Note: IE8 rounds to the nearest pixel when returning CSS values, thus we perform conversions using a measurement - of 100 (instead of 1) to give our ratios a precision of at least 2 decimal values. */ - var measurement = 100, - unitRatios = {}; - - if (!sameEmRatio || !samePercentRatio) { - var dummy = Data(element).isSVG ? document.createElementNS("http://www.w3.org/2000/svg", "rect") : document.createElement("div"); - - Velocity.init(dummy); - sameRatioIndicators.myParent.appendChild(dummy); - - /* To accurately and consistently calculate conversion ratios, the element's cascaded overflow and box-sizing are stripped. - Similarly, since width/height can be artificially constrained by their min-/max- equivalents, these are controlled for as well. */ - /* Note: Overflow must be also be controlled for per-axis since the overflow property overwrites its per-axis values. */ - $.each([ "overflow", "overflowX", "overflowY" ], function(i, property) { - Velocity.CSS.setPropertyValue(dummy, property, "hidden"); - }); - Velocity.CSS.setPropertyValue(dummy, "position", sameRatioIndicators.position); - Velocity.CSS.setPropertyValue(dummy, "fontSize", sameRatioIndicators.fontSize); - Velocity.CSS.setPropertyValue(dummy, "boxSizing", "content-box"); - - /* width and height act as our proxy properties for measuring the horizontal and vertical % ratios. */ - $.each([ "minWidth", "maxWidth", "width", "minHeight", "maxHeight", "height" ], function(i, property) { - Velocity.CSS.setPropertyValue(dummy, property, measurement + "%"); - }); - /* paddingLeft arbitrarily acts as our proxy property for the em ratio. */ - Velocity.CSS.setPropertyValue(dummy, "paddingLeft", measurement + "em"); - - /* Divide the returned value by the measurement to get the ratio between 1% and 1px. Default to 1 since working with 0 can produce Infinite. */ - unitRatios.percentToPxWidth = callUnitConversionData.lastPercentToPxWidth = (parseFloat(CSS.getPropertyValue(dummy, "width", null, true)) || 1) / measurement; /* GET */ - unitRatios.percentToPxHeight = callUnitConversionData.lastPercentToPxHeight = (parseFloat(CSS.getPropertyValue(dummy, "height", null, true)) || 1) / measurement; /* GET */ - unitRatios.emToPx = callUnitConversionData.lastEmToPx = (parseFloat(CSS.getPropertyValue(dummy, "paddingLeft")) || 1) / measurement; /* GET */ - - sameRatioIndicators.myParent.removeChild(dummy); - } else { - unitRatios.emToPx = callUnitConversionData.lastEmToPx; - unitRatios.percentToPxWidth = callUnitConversionData.lastPercentToPxWidth; - unitRatios.percentToPxHeight = callUnitConversionData.lastPercentToPxHeight; - } - - /*************************** - Element-Agnostic Units - ***************************/ - - /* Whereas % and em ratios are determined on a per-element basis, the rem unit only needs to be checked - once per call since it's exclusively dependant upon document.body's fontSize. If this is the first time - that calculateUnitRatios() is being run during this call, remToPx will still be set to its default value of null, - so we calculate it now. */ - if (callUnitConversionData.remToPx === null) { - /* Default to browsers' default fontSize of 16px in the case of 0. */ - callUnitConversionData.remToPx = parseFloat(CSS.getPropertyValue(document.body, "fontSize")) || 16; /* GET */ - } - - /* Similarly, viewport units are %-relative to the window's inner dimensions. */ - if (callUnitConversionData.vwToPx === null) { - callUnitConversionData.vwToPx = parseFloat(window.innerWidth) / 100; /* GET */ - callUnitConversionData.vhToPx = parseFloat(window.innerHeight) / 100; /* GET */ - } - - unitRatios.remToPx = callUnitConversionData.remToPx; - unitRatios.vwToPx = callUnitConversionData.vwToPx; - unitRatios.vhToPx = callUnitConversionData.vhToPx; - - if (Velocity.debug >= 1) console.log("Unit ratios: " + JSON.stringify(unitRatios), element); - - return unitRatios; - } - - /******************** - Unit Conversion - ********************/ - - /* The * and / operators, which are not passed in with an associated unit, inherently use startValue's unit. Skip value and unit conversion. */ - if (/[\/*]/.test(operator)) { - endValueUnitType = startValueUnitType; - /* If startValue and endValue differ in unit type, convert startValue into the same unit type as endValue so that if endValueUnitType - is a relative unit (%, em, rem), the values set during tweening will continue to be accurately relative even if the metrics they depend - on are dynamically changing during the course of the animation. Conversely, if we always normalized into px and used px for setting values, the px ratio - would become stale if the original unit being animated toward was relative and the underlying metrics change during the animation. */ - /* Since 0 is 0 in any unit type, no conversion is necessary when startValue is 0 -- we just start at 0 with endValueUnitType. */ - } else if ((startValueUnitType !== endValueUnitType) && startValue !== 0) { - /* Unit conversion is also skipped when endValue is 0, but *startValueUnitType* must be used for tween values to remain accurate. */ - /* Note: Skipping unit conversion here means that if endValueUnitType was originally a relative unit, the animation won't relatively - match the underlying metrics if they change, but this is acceptable since we're animating toward invisibility instead of toward visibility, - which remains past the point of the animation's completion. */ - if (endValue === 0) { - endValueUnitType = startValueUnitType; - } else { - /* By this point, we cannot avoid unit conversion (it's undesirable since it causes layout thrashing). - If we haven't already, we trigger calculateUnitRatios(), which runs once per element per call. */ - elementUnitConversionData = elementUnitConversionData || calculateUnitRatios(); - - /* The following RegEx matches CSS properties that have their % values measured relative to the x-axis. */ - /* Note: W3C spec mandates that all of margin and padding's properties (even top and bottom) are %-relative to the *width* of the parent element. */ - var axis = (/margin|padding|left|right|width|text|word|letter/i.test(property) || /X$/.test(property) || property === "x") ? "x" : "y"; - - /* In order to avoid generating n^2 bespoke conversion functions, unit conversion is a two-step process: - 1) Convert startValue into pixels. 2) Convert this new pixel value into endValue's unit type. */ - switch (startValueUnitType) { - case "%": - /* Note: translateX and translateY are the only properties that are %-relative to an element's own dimensions -- not its parent's dimensions. - Velocity does not include a special conversion process to account for this behavior. Therefore, animating translateX/Y from a % value - to a non-% value will produce an incorrect start value. Fortunately, this sort of cross-unit conversion is rarely done by users in practice. */ - startValue *= (axis === "x" ? elementUnitConversionData.percentToPxWidth : elementUnitConversionData.percentToPxHeight); - break; - - case "px": - /* px acts as our midpoint in the unit conversion process; do nothing. */ - break; - - default: - startValue *= elementUnitConversionData[startValueUnitType + "ToPx"]; - } - - /* Invert the px ratios to convert into to the target unit. */ - switch (endValueUnitType) { - case "%": - startValue *= 1 / (axis === "x" ? elementUnitConversionData.percentToPxWidth : elementUnitConversionData.percentToPxHeight); - break; - - case "px": - /* startValue is already in px, do nothing; we're done. */ - break; - - default: - startValue *= 1 / elementUnitConversionData[endValueUnitType + "ToPx"]; - } - } - } - - /********************* - Relative Values - *********************/ - - /* Operator logic must be performed last since it requires unit-normalized start and end values. */ - /* Note: Relative *percent values* do not behave how most people think; while one would expect "+=50%" - to increase the property 1.5x its current value, it in fact increases the percent units in absolute terms: - 50 points is added on top of the current % value. */ - switch (operator) { - case "+": - endValue = startValue + endValue; - break; - - case "-": - endValue = startValue - endValue; - break; - - case "*": - endValue = startValue * endValue; - break; - - case "/": - endValue = startValue / endValue; - break; - } - - /************************** - tweensContainer Push - **************************/ - - /* Construct the per-property tween object, and push it to the element's tweensContainer. */ - tweensContainer[property] = { - rootPropertyValue: rootPropertyValue, - startValue: startValue, - currentValue: startValue, - endValue: endValue, - unitType: endValueUnitType, - easing: easing - }; - - if (Velocity.debug) console.log("tweensContainer (" + property + "): " + JSON.stringify(tweensContainer[property]), element); - } - - /* Along with its property data, store a reference to the element itself onto tweensContainer. */ - tweensContainer.element = element; - } - - /***************** - Call Push - *****************/ - - /* Note: tweensContainer can be empty if all of the properties in this call's property map were skipped due to not - being supported by the browser. The element property is used for checking that the tweensContainer has been appended to. */ - if (tweensContainer.element) { - /* Apply the "velocity-animating" indicator class. */ - CSS.Values.addClass(element, "velocity-animating"); - - /* The call array houses the tweensContainers for each element being animated in the current call. */ - call.push(tweensContainer); - - /* Store the tweensContainer and options if we're working on the default effects queue, so that they can be used by the reverse command. */ - if (opts.queue === "") { - Data(element).tweensContainer = tweensContainer; - Data(element).opts = opts; - } - - /* Switch on the element's animating flag. */ - Data(element).isAnimating = true; - - /* Once the final element in this call's element set has been processed, push the call array onto - Velocity.State.calls for the animation tick to immediately begin processing. */ - if (elementsIndex === elementsLength - 1) { - /* To speed up iterating over this array, it is compacted (falsey items -- calls that have completed -- are removed) - when its length has ballooned to a point that can impact tick performance. This only becomes necessary when animation - has been continuous with many elements over a long period of time; whenever all active calls are completed, completeCall() clears Velocity.State.calls. */ - if (Velocity.State.calls.length > 10000) { - Velocity.State.calls = compactSparseArray(Velocity.State.calls); - } - - /* Add the current call plus its associated metadata (the element set and the call's options) onto the global call container. - Anything on this call container is subjected to tick() processing. */ - Velocity.State.calls.push([ call, elements, opts, null, promiseData.resolver ]); - - /* If the animation tick isn't running, start it. (Velocity shuts it off when there are no active calls to process.) */ - if (Velocity.State.isTicking === false) { - Velocity.State.isTicking = true; - - /* Start the tick loop. */ - tick(); - } - } else { - elementsIndex++; - } - } - } - - /* When the queue option is set to false, the call skips the element's queue and fires immediately. */ - if (opts.queue === false) { - /* Since this buildQueue call doesn't respect the element's existing queue (which is where a delay option would have been appended), - we manually inject the delay property here with an explicit setTimeout. */ - if (opts.delay) { - setTimeout(buildQueue, opts.delay); - } else { - buildQueue(); - } - /* Otherwise, the call undergoes element queueing as normal. */ - /* Note: To interoperate with jQuery, Velocity uses jQuery's own $.queue() stack for queuing logic. */ - } else { - $.queue(element, opts.queue, function(next, clearQueue) { - /* If the clearQueue flag was passed in by the stop command, resolve this call's promise. (Promises can only be resolved once, - so it's fine if this is repeatedly triggered for each element in the associated call.) */ - if (clearQueue === true) { - if (promiseData.promise) { - promiseData.resolver(elements); - } - - /* Do not continue with animation queueing. */ - return true; - } - - /* This flag indicates to the upcoming completeCall() function that this queue entry was initiated by Velocity. - See completeCall() for further details. */ - Velocity.velocityQueueEntryFlag = true; - - buildQueue(next); - }); - } - - /********************* - Auto-Dequeuing - *********************/ - - /* As per jQuery's $.queue() behavior, to fire the first non-custom-queue entry on an element, the element - must be dequeued if its queue stack consists *solely* of the current call. (This can be determined by checking - for the "inprogress" item that jQuery prepends to active queue stack arrays.) Regardless, whenever the element's - queue is further appended with additional items -- including $.delay()'s or even $.animate() calls, the queue's - first entry is automatically fired. This behavior contrasts that of custom queues, which never auto-fire. */ - /* Note: When an element set is being subjected to a non-parallel Velocity call, the animation will not begin until - each one of the elements in the set has reached the end of its individually pre-existing queue chain. */ - /* Note: Unfortunately, most people don't fully grasp jQuery's powerful, yet quirky, $.queue() function. - Lean more here: http://stackoverflow.com/questions/1058158/can-somebody-explain-jquery-queue-to-me */ - if ((opts.queue === "" || opts.queue === "fx") && $.queue(element)[0] !== "inprogress") { - $.dequeue(element); - } - } - - /************************** - Element Set Iteration - **************************/ - - /* If the "nodeType" property exists on the elements variable, we're animating a single element. - Place it in an array so that $.each() can iterate over it. */ - $.each(elements, function(i, element) { - /* Ensure each element in a set has a nodeType (is a real element) to avoid throwing errors. */ - if (Type.isNode(element)) { - processElement.call(element); - } - }); - - /****************** - Option: Loop - ******************/ - - /* The loop option accepts an integer indicating how many times the element should loop between the values in the - current call's properties map and the element's property values prior to this call. */ - /* Note: The loop option's logic is performed here -- after element processing -- because the current call needs - to undergo its queue insertion prior to the loop option generating its series of constituent "reverse" calls, - which chain after the current call. Two reverse calls (two "alternations") constitute one loop. */ - var opts = $.extend({}, Velocity.defaults, options), - reverseCallsCount; - - opts.loop = parseInt(opts.loop); - reverseCallsCount = (opts.loop * 2) - 1; - - if (opts.loop) { - /* Double the loop count to convert it into its appropriate number of "reverse" calls. - Subtract 1 from the resulting value since the current call is included in the total alternation count. */ - for (var x = 0; x < reverseCallsCount; x++) { - /* Since the logic for the reverse action occurs inside Queueing and therefore this call's options object - isn't parsed until then as well, the current call's delay option must be explicitly passed into the reverse - call so that the delay logic that occurs inside *Pre-Queueing* can process it. */ - var reverseOptions = { - delay: opts.delay, - progress: opts.progress - }; - - /* If a complete callback was passed into this call, transfer it to the loop redirect's final "reverse" call - so that it's triggered when the entire redirect is complete (and not when the very first animation is complete). */ - if (x === reverseCallsCount - 1) { - reverseOptions.display = opts.display; - reverseOptions.visibility = opts.visibility; - reverseOptions.complete = opts.complete; - } - - animate(elements, "reverse", reverseOptions); - } - } - - /*************** - Chaining - ***************/ - - /* Return the elements back to the call chain, with wrapped elements taking precedence in case Velocity was called via the $.fn. extension. */ - return getChain(); - }; - - /* Turn Velocity into the animation function, extended with the pre-existing Velocity object. */ - Velocity = $.extend(animate, Velocity); - /* For legacy support, also expose the literal animate method. */ - Velocity.animate = animate; - - /************** - Timing - **************/ - - /* Ticker function. */ - var ticker = window.requestAnimationFrame || rAFShim; - - /* Inactive browser tabs pause rAF, which results in all active animations immediately sprinting to their completion states when the tab refocuses. - To get around this, we dynamically switch rAF to setTimeout (which the browser *doesn't* pause) when the tab loses focus. We skip this for mobile - devices to avoid wasting battery power on inactive tabs. */ - /* Note: Tab focus detection doesn't work on older versions of IE, but that's okay since they don't support rAF to begin with. */ - if (!Velocity.State.isMobile && document.hidden !== undefined) { - document.addEventListener("visibilitychange", function() { - /* Reassign the rAF function (which the global tick() function uses) based on the tab's focus state. */ - if (document.hidden) { - ticker = function(callback) { - /* The tick function needs a truthy first argument in order to pass its internal timestamp check. */ - return setTimeout(function() { callback(true) }, 16); - }; - - /* The rAF loop has been paused by the browser, so we manually restart the tick. */ - tick(); - } else { - ticker = window.requestAnimationFrame || rAFShim; - } - }); - } - - /************ - Tick - ************/ - - /* Note: All calls to Velocity are pushed to the Velocity.State.calls array, which is fully iterated through upon each tick. */ - function tick (timestamp) { - /* An empty timestamp argument indicates that this is the first tick occurence since ticking was turned on. - We leverage this metadata to fully ignore the first tick pass since RAF's initial pass is fired whenever - the browser's next tick sync time occurs, which results in the first elements subjected to Velocity - calls being animated out of sync with any elements animated immediately thereafter. In short, we ignore - the first RAF tick pass so that elements being immediately consecutively animated -- instead of simultaneously animated - by the same Velocity call -- are properly batched into the same initial RAF tick and consequently remain in sync thereafter. */ - if (timestamp) { - /* We ignore RAF's high resolution timestamp since it can be significantly offset when the browser is - under high stress; we opt for choppiness over allowing the browser to drop huge chunks of frames. */ - var timeCurrent = (new Date).getTime(); - - /******************** - Call Iteration - ********************/ - - /* Iterate through each active call. */ - for (var i = 0, callsLength = Velocity.State.calls.length; i < callsLength; i++) { - /* When a Velocity call is completed, its Velocity.State.calls entry is set to false. Continue on to the next call. */ - if (!Velocity.State.calls[i]) { - continue; - } - - /************************ - Call-Wide Variables - ************************/ - - var callContainer = Velocity.State.calls[i], - call = callContainer[0], - opts = callContainer[2], - timeStart = callContainer[3], - firstTick = !!timeStart; - - /* If timeStart is undefined, then this is the first time that this call has been processed by tick(). - We assign timeStart now so that its value is as close to the real animation start time as possible. - (Conversely, had timeStart been defined when this call was added to Velocity.State.calls, the delay - between that time and now would cause the first few frames of the tween to be skipped since - percentComplete is calculated relative to timeStart.) */ - /* Further, subtract 16ms (the approximate resolution of RAF) from the current time value so that the - first tick iteration isn't wasted by animating at 0% tween completion, which would produce the - same style value as the element's current value. */ - if (!timeStart) { - timeStart = Velocity.State.calls[i][3] = timeCurrent - 16; - } - - /* The tween's completion percentage is relative to the tween's start time, not the tween's start value - (which would result in unpredictable tween durations since JavaScript's timers are not particularly accurate). - Accordingly, we ensure that percentComplete does not exceed 1. */ - var percentComplete = Math.min((timeCurrent - timeStart) / opts.duration, 1); - - /********************** - Element Iteration - **********************/ - - /* For every call, iterate through each of the elements in its set. */ - for (var j = 0, callLength = call.length; j < callLength; j++) { - var tweensContainer = call[j], - element = tweensContainer.element; - - /* Check to see if this element has been deleted midway through the animation by checking for the - continued existence of its data cache. If it's gone, skip animating this element. */ - if (!Data(element)) { - continue; - } - - var transformPropertyExists = false; - - /********************************** - Display & Visibility Toggling - **********************************/ - - /* If the display option is set to non-"none", set it upfront so that the element can become visible before tweening begins. - (Otherwise, display's "none" value is set in completeCall() once the animation has completed.) */ - if (opts.display !== undefined && opts.display !== null && opts.display !== "none") { - if (opts.display === "flex") { - var flexValues = [ "-webkit-box", "-moz-box", "-ms-flexbox", "-webkit-flex" ]; - - $.each(flexValues, function(i, flexValue) { - CSS.setPropertyValue(element, "display", flexValue); - }); - } - - CSS.setPropertyValue(element, "display", opts.display); - } - - /* Same goes with the visibility option, but its "none" equivalent is "hidden". */ - if (opts.visibility !== undefined && opts.visibility !== "hidden") { - CSS.setPropertyValue(element, "visibility", opts.visibility); - } - - /************************ - Property Iteration - ************************/ - - /* For every element, iterate through each property. */ - for (var property in tweensContainer) { - /* Note: In addition to property tween data, tweensContainer contains a reference to its associated element. */ - if (property !== "element") { - var tween = tweensContainer[property], - currentValue, - /* Easing can either be a pre-genereated function or a string that references a pre-registered easing - on the Velocity.Easings object. In either case, return the appropriate easing *function*. */ - easing = Type.isString(tween.easing) ? Velocity.Easings[tween.easing] : tween.easing; - - /****************************** - Current Value Calculation - ******************************/ - - /* If this is the last tick pass (if we've reached 100% completion for this tween), - ensure that currentValue is explicitly set to its target endValue so that it's not subjected to any rounding. */ - if (percentComplete === 1) { - currentValue = tween.endValue; - /* Otherwise, calculate currentValue based on the current delta from startValue. */ - } else { - currentValue = tween.startValue + ((tween.endValue - tween.startValue) * easing(percentComplete)); - - /* If no value change is occurring, don't proceed with DOM updating. */ - if (!firstTick && (currentValue === tween.currentValue)) { - continue; - } - } - - tween.currentValue = currentValue; - - /****************** - Hooks: Part I - ******************/ - - /* For hooked properties, the newly-updated rootPropertyValueCache is cached onto the element so that it can be used - for subsequent hooks in this call that are associated with the same root property. If we didn't cache the updated - rootPropertyValue, each subsequent update to the root property in this tick pass would reset the previous hook's - updates to rootPropertyValue prior to injection. A nice performance byproduct of rootPropertyValue caching is that - subsequently chained animations using the same hookRoot but a different hook can use this cached rootPropertyValue. */ - if (CSS.Hooks.registered[property]) { - var hookRoot = CSS.Hooks.getRoot(property), - rootPropertyValueCache = Data(element).rootPropertyValueCache[hookRoot]; - - if (rootPropertyValueCache) { - tween.rootPropertyValue = rootPropertyValueCache; - } - } - - /***************** - DOM Update - *****************/ - - /* setPropertyValue() returns an array of the property name and property value post any normalization that may have been performed. */ - /* Note: To solve an IE<=8 positioning bug, the unit type is dropped when setting a property value of 0. */ - var adjustedSetData = CSS.setPropertyValue(element, /* SET */ - property, - tween.currentValue + (parseFloat(currentValue) === 0 ? "" : tween.unitType), - tween.rootPropertyValue, - tween.scrollData); - - /******************* - Hooks: Part II - *******************/ - - /* Now that we have the hook's updated rootPropertyValue (the post-processed value provided by adjustedSetData), cache it onto the element. */ - if (CSS.Hooks.registered[property]) { - /* Since adjustedSetData contains normalized data ready for DOM updating, the rootPropertyValue needs to be re-extracted from its normalized form. ?? */ - if (CSS.Normalizations.registered[hookRoot]) { - Data(element).rootPropertyValueCache[hookRoot] = CSS.Normalizations.registered[hookRoot]("extract", null, adjustedSetData[1]); - } else { - Data(element).rootPropertyValueCache[hookRoot] = adjustedSetData[1]; - } - } - - /*************** - Transforms - ***************/ - - /* Flag whether a transform property is being animated so that flushTransformCache() can be triggered once this tick pass is complete. */ - if (adjustedSetData[0] === "transform") { - transformPropertyExists = true; - } - } - } - - /**************** - mobileHA - ****************/ - - /* If mobileHA is enabled, set the translate3d transform to null to force hardware acceleration. - It's safe to override this property since Velocity doesn't actually support its animation (hooks are used in its place). */ - if (opts.mobileHA) { - /* Don't set the null transform hack if we've already done so. */ - if (Data(element).transformCache.translate3d === undefined) { - /* All entries on the transformCache object are later concatenated into a single transform string via flushTransformCache(). */ - Data(element).transformCache.translate3d = "(0px, 0px, 0px)"; - - transformPropertyExists = true; - } - } - - if (transformPropertyExists) { - CSS.flushTransformCache(element); - } - } - - /* The non-"none" display value is only applied to an element once -- when its associated call is first ticked through. - Accordingly, it's set to false so that it isn't re-processed by this call in the next tick. */ - if (opts.display !== undefined && opts.display !== "none") { - Velocity.State.calls[i][2].display = false; - } - if (opts.visibility !== undefined && opts.visibility !== "hidden") { - Velocity.State.calls[i][2].visibility = false; - } - - - /* Pass the elements and the timing data (percentComplete, msRemaining, and timeStart) into the progress callback. */ - if (opts.progress) { - opts.progress.call(callContainer[1], - callContainer[1], - percentComplete, - Math.max(0, (timeStart + opts.duration) - timeCurrent), - timeStart); - } - - /* If this call has finished tweening, pass its index to completeCall() to handle call cleanup. */ - if (percentComplete === 1) { - completeCall(i); - } - } - } - - /* Note: completeCall() sets the isTicking flag to false when the last call on Velocity.State.calls has completed. */ - if (Velocity.State.isTicking) { - ticker(tick); - } - } - - /********************** - Call Completion - **********************/ - - /* Note: Unlike tick(), which processes all active calls at once, call completion is handled on a per-call basis. */ - function completeCall (callIndex, isStopped) { - /* Ensure the call exists. */ - if (!Velocity.State.calls[callIndex]) { - return false; - } - - /* Pull the metadata from the call. */ - var call = Velocity.State.calls[callIndex][0], - elements = Velocity.State.calls[callIndex][1], - opts = Velocity.State.calls[callIndex][2], - resolver = Velocity.State.calls[callIndex][4]; - - var remainingCallsExist = false; - - /************************* - Element Finalization - *************************/ - - for (var i = 0, callLength = call.length; i < callLength; i++) { - var element = call[i].element; - - /* If the user set display to "none" (intending to hide the element), set it now that the animation has completed. */ - /* Note: display:none isn't set when calls are manually stopped (via Velocity("stop"). */ - /* Note: Display gets ignored with "reverse" calls and infinite loops, since this behavior would be undesirable. */ - if (!isStopped && !opts.loop) { - if (opts.display === "none") { - CSS.setPropertyValue(element, "display", opts.display); - } - - if (opts.visibility === "hidden") { - CSS.setPropertyValue(element, "visibility", opts.visibility); - } - } - - /* If the element's queue is empty (if only the "inprogress" item is left at position 0) or if its queue is about to run - a non-Velocity-initiated entry, turn off the isAnimating flag. A non-Velocity-initiatied queue entry's logic might alter - an element's CSS values and thereby cause Velocity's cached value data to go stale. To detect if a queue entry was initiated by Velocity, - we check for the existence of our special Velocity.queueEntryFlag declaration, which minifiers won't rename since the flag - is assigned to jQuery's global $ object and thus exists out of Velocity's own scope. */ - if (opts.loop !== true && ($.queue(element)[1] === undefined || !/\.velocityQueueEntryFlag/i.test($.queue(element)[1]))) { - /* The element may have been deleted. Ensure that its data cache still exists before acting on it. */ - if (Data(element)) { - Data(element).isAnimating = false; - /* Clear the element's rootPropertyValueCache, which will become stale. */ - Data(element).rootPropertyValueCache = {}; - - var transformHAPropertyExists = false; - /* If any 3D transform subproperty is at its default value (regardless of unit type), remove it. */ - $.each(CSS.Lists.transforms3D, function(i, transformName) { - var defaultValue = /^scale/.test(transformName) ? 1 : 0, - currentValue = Data(element).transformCache[transformName]; - - if (Data(element).transformCache[transformName] !== undefined && new RegExp("^\\(" + defaultValue + "[^.]").test(currentValue)) { - transformHAPropertyExists = true; - - delete Data(element).transformCache[transformName]; - } - }); - - /* Mobile devices have hardware acceleration removed at the end of the animation in order to avoid hogging the GPU's memory. */ - if (opts.mobileHA) { - transformHAPropertyExists = true; - delete Data(element).transformCache.translate3d; - } - - /* Flush the subproperty removals to the DOM. */ - if (transformHAPropertyExists) { - CSS.flushTransformCache(element); - } - - /* Remove the "velocity-animating" indicator class. */ - CSS.Values.removeClass(element, "velocity-animating"); - } - } - - /********************* - Option: Complete - *********************/ - - /* Complete is fired once per call (not once per element) and is passed the full raw DOM element set as both its context and its first argument. */ - /* Note: Callbacks aren't fired when calls are manually stopped (via Velocity("stop"). */ - if (!isStopped && opts.complete && !opts.loop && (i === callLength - 1)) { - /* We throw callbacks in a setTimeout so that thrown errors don't halt the execution of Velocity itself. */ - try { - opts.complete.call(elements, elements); - } catch (error) { - setTimeout(function() { throw error; }, 1); - } - } - - /********************** - Promise Resolving - **********************/ - - /* Note: Infinite loops don't return promises. */ - if (resolver && opts.loop !== true) { - resolver(elements); - } - - /**************************** - Option: Loop (Infinite) - ****************************/ - - if (opts.loop === true && !isStopped) { - /* If a rotateX/Y/Z property is being animated to 360 deg with loop:true, swap tween start/end values to enable - continuous iterative rotation looping. (Otherise, the element would just rotate back and forth.) */ - $.each(Data(element).tweensContainer, function(propertyName, tweenContainer) { - if (/^rotate/.test(propertyName) && parseFloat(tweenContainer.endValue) === 360) { - tweenContainer.endValue = 0; - tweenContainer.startValue = 360; - } - }); - - Velocity(element, "reverse", { loop: true, delay: opts.delay }); - } - - /*************** - Dequeueing - ***************/ - - /* Fire the next call in the queue so long as this call's queue wasn't set to false (to trigger a parallel animation), - which would have already caused the next call to fire. Note: Even if the end of the animation queue has been reached, - $.dequeue() must still be called in order to completely clear jQuery's animation queue. */ - if (opts.queue !== false) { - $.dequeue(element, opts.queue); - } - } - - /************************ - Calls Array Cleanup - ************************/ - - /* Since this call is complete, set it to false so that the rAF tick skips it. This array is later compacted via compactSparseArray(). - (For performance reasons, the call is set to false instead of being deleted from the array: http://www.html5rocks.com/en/tutorials/speed/v8/) */ - Velocity.State.calls[callIndex] = false; - - /* Iterate through the calls array to determine if this was the final in-progress animation. - If so, set a flag to end ticking and clear the calls array. */ - for (var j = 0, callsLength = Velocity.State.calls.length; j < callsLength; j++) { - if (Velocity.State.calls[j] !== false) { - remainingCallsExist = true; - - break; - } - } - - if (remainingCallsExist === false) { - /* tick() will detect this flag upon its next iteration and subsequently turn itself off. */ - Velocity.State.isTicking = false; - - /* Clear the calls array so that its length is reset. */ - delete Velocity.State.calls; - Velocity.State.calls = []; - } - } - - /****************** - Frameworks - ******************/ - - /* Both jQuery and Zepto allow their $.fn object to be extended to allow wrapped elements to be subjected to plugin calls. - If either framework is loaded, register a "velocity" extension pointing to Velocity's core animate() method. Velocity - also registers itself onto a global container (window.jQuery || window.Zepto || window) so that certain features are - accessible beyond just a per-element scope. This master object contains an .animate() method, which is later assigned to $.fn - (if jQuery or Zepto are present). Accordingly, Velocity can both act on wrapped DOM elements and stand alone for targeting raw DOM elements. */ - global.Velocity = Velocity; - - if (global !== window) { - /* Assign the element function to Velocity's core animate() method. */ - global.fn.velocity = animate; - /* Assign the object function's defaults to Velocity's global defaults object. */ - global.fn.velocity.defaults = Velocity.defaults; - } - - /*********************** - Packaged Redirects - ***********************/ - - /* slideUp, slideDown */ - $.each([ "Down", "Up" ], function(i, direction) { - Velocity.Redirects["slide" + direction] = function (element, options, elementsIndex, elementsSize, elements, promiseData) { - var opts = $.extend({}, options), - begin = opts.begin, - complete = opts.complete, - computedValues = { height: "", marginTop: "", marginBottom: "", paddingTop: "", paddingBottom: "" }, - inlineValues = {}; - - if (opts.display === undefined) { - /* Show the element before slideDown begins and hide the element after slideUp completes. */ - /* Note: Inline elements cannot have dimensions animated, so they're reverted to inline-block. */ - opts.display = (direction === "Down" ? (Velocity.CSS.Values.getDisplayType(element) === "inline" ? "inline-block" : "block") : "none"); - } - - opts.begin = function() { - /* If the user passed in a begin callback, fire it now. */ - begin && begin.call(elements, elements); - - /* Cache the elements' original vertical dimensional property values so that we can animate back to them. */ - for (var property in computedValues) { - /* Cache all inline values, we reset to upon animation completion. */ - inlineValues[property] = element.style[property]; - - /* For slideDown, use forcefeeding to animate all vertical properties from 0. For slideUp, - use forcefeeding to start from computed values and animate down to 0. */ - var propertyValue = Velocity.CSS.getPropertyValue(element, property); - computedValues[property] = (direction === "Down") ? [ propertyValue, 0 ] : [ 0, propertyValue ]; - } - - /* Force vertical overflow content to clip so that sliding works as expected. */ - inlineValues.overflow = element.style.overflow; - element.style.overflow = "hidden"; - } - - opts.complete = function() { - /* Reset element to its pre-slide inline values once its slide animation is complete. */ - for (var property in inlineValues) { - element.style[property] = inlineValues[property]; - } - - /* If the user passed in a complete callback, fire it now. */ - complete && complete.call(elements, elements); - promiseData && promiseData.resolver(elements); - }; - - Velocity(element, computedValues, opts); - }; - }); - - /* fadeIn, fadeOut */ - $.each([ "In", "Out" ], function(i, direction) { - Velocity.Redirects["fade" + direction] = function (element, options, elementsIndex, elementsSize, elements, promiseData) { - var opts = $.extend({}, options), - propertiesMap = { opacity: (direction === "In") ? 1 : 0 }, - originalComplete = opts.complete; - - /* Since redirects are triggered individually for each element in the animated set, avoid repeatedly triggering - callbacks by firing them only when the final element has been reached. */ - if (elementsIndex !== elementsSize - 1) { - opts.complete = opts.begin = null; - } else { - opts.complete = function() { - if (originalComplete) { - originalComplete.call(elements, elements); - } - - promiseData && promiseData.resolver(elements); - } - } - - /* If a display was passed in, use it. Otherwise, default to "none" for fadeOut or the element-specific default for fadeIn. */ - /* Note: We allow users to pass in "null" to skip display setting altogether. */ - if (opts.display === undefined) { - opts.display = (direction === "In" ? "auto" : "none"); - } - - Velocity(this, propertiesMap, opts); - }; - }); - - return Velocity; -})); - -/****************** - Known Issues - ******************/ - -/* The CSS spec mandates that the translateX/Y/Z transforms are %-relative to the element itself -- not its parent. - Velocity, however, doesn't make this distinction. Thus, converting to or from the % unit with these subproperties - will produce an inaccurate conversion value. The same issue exists with the cx/cy attributes of SVG circles and ellipses. */; +(function(factory) { + /* AMD module. */ + // i think this means velocity depends on jquery/zepto to be loaded first? + if (typeof define === "function" && define.amd) { + define('velocity',['$'], factory); + } else { + factory(window.jQuery || window.Zepto); + } +}(function(global) { + var ret; + return ret || global.Velocity; +})); (function(factory) { if (typeof define === 'function' && define.amd) { define('modal-center',[ diff --git a/examples/standalone.html b/examples/standalone.html index ca30f68..33f05af 100644 --- a/examples/standalone.html +++ b/examples/standalone.html @@ -204,8 +204,9 @@

Popular culture

- - + + + diff --git a/src/js/jquery_wrapper.js b/src/js/jquery_wrapper.js new file mode 100644 index 0000000..dd1c466 --- /dev/null +++ b/src/js/jquery_wrapper.js @@ -0,0 +1,6 @@ +define("$", (function (global) { + return function () { + var ret, fn; + return ret || global.$; // what does this mean + }; +}(this))); \ No newline at end of file diff --git a/src/js/velocity_wrapper.js b/src/js/velocity_wrapper.js new file mode 100644 index 0000000..4fb3759 --- /dev/null +++ b/src/js/velocity_wrapper.js @@ -0,0 +1,12 @@ +(function(factory) { + /* AMD module. */ + // i think this means velocity depends on jquery/zepto to be loaded first? + if (typeof define === "function" && define.amd) { + define('velocity',['$'], factory); + } else { + factory(window.jQuery || window.Zepto); + } +}(function(global) { + var ret; + return ret || global.Velocity; +})); \ No newline at end of file From 2faa2552549d2bbdb51d20439ca9d7bef8f5f8bd Mon Sep 17 00:00:00 2001 From: Stephen Cheung Date: Tue, 30 Dec 2014 14:25:12 -0800 Subject: [PATCH 2/6] created wrappers for jquery and velocity to help create a standalone pinny --- config.js | 2 +- dist/pinny.standalone.js | 19 ++++++++++--------- src/js/jquery_wrapper.js | 14 ++++++++------ src/js/velocity_wrapper.js | 5 ++--- 4 files changed, 21 insertions(+), 19 deletions(-) diff --git a/config.js b/config.js index ab7b2f1..61680e5 100644 --- a/config.js +++ b/config.js @@ -4,7 +4,6 @@ require.config({ 'forceSync': true, 'paths': { '$': 'src/js/jquery_wrapper', - 'velocity': 'src/js/velocity_wrapper', 'pinny': 'src/js/pinny', 'effects': 'src/js/effects', 'modal-center': 'dist/effect/modal-center', @@ -17,6 +16,7 @@ require.config({ 'lockup': 'bower_components/lockup/dist/lockup', 'shade': 'bower_components/shade/dist/shade', 'deckard': 'bower_components/deckard/dist/deckard', + 'velocity': 'src/js/velocity_wrapper', // 'velocity': 'bower_components/mobify-velocity/velocity' } }); diff --git a/dist/pinny.standalone.js b/dist/pinny.standalone.js index e8bf3de..194a599 100644 --- a/dist/pinny.standalone.js +++ b/dist/pinny.standalone.js @@ -430,12 +430,14 @@ var requirejs, require, define; define("node_modules/almond/almond.js", function(){}); -define("$", (function (global) { - return function () { - var ret, fn; - return ret || global.$; // what does this mean - }; -}(this))); +if ( typeof define === "function" && define.amd && define.amd.jQuery ) { + define("$", (function (global) { + return function () { + var ret, fn; + return ret || global.$; // what does this mean + }; + }(this))); +}; define("$", function(){}); (function(factory) { @@ -446,9 +448,8 @@ define("$", function(){}); } else { factory(window.jQuery || window.Zepto); } -}(function(global) { - var ret; - return ret || global.Velocity; +}(function($) { + return $.Velocity; })); (function(factory) { if (typeof define === 'function' && define.amd) { diff --git a/src/js/jquery_wrapper.js b/src/js/jquery_wrapper.js index dd1c466..e1cd76b 100644 --- a/src/js/jquery_wrapper.js +++ b/src/js/jquery_wrapper.js @@ -1,6 +1,8 @@ -define("$", (function (global) { - return function () { - var ret, fn; - return ret || global.$; // what does this mean - }; -}(this))); \ No newline at end of file +if ( typeof define === "function" && define.amd && define.amd.jQuery ) { + define("$", (function (global) { + return function () { + var ret, fn; + return ret || global.$; // what does this mean + }; + }(this))); +} \ No newline at end of file diff --git a/src/js/velocity_wrapper.js b/src/js/velocity_wrapper.js index 4fb3759..4029642 100644 --- a/src/js/velocity_wrapper.js +++ b/src/js/velocity_wrapper.js @@ -6,7 +6,6 @@ } else { factory(window.jQuery || window.Zepto); } -}(function(global) { - var ret; - return ret || global.Velocity; +}(function($) { + return $.Velocity; })); \ No newline at end of file From 48e41919379503514a2e217588bf8acfec302488 Mon Sep 17 00:00:00 2001 From: Stephen Cheung Date: Tue, 30 Dec 2014 14:36:38 -0800 Subject: [PATCH 3/6] removed some comments --- src/js/jquery_wrapper.js | 2 +- src/js/velocity_wrapper.js | 1 - 2 files changed, 1 insertion(+), 2 deletions(-) diff --git a/src/js/jquery_wrapper.js b/src/js/jquery_wrapper.js index e1cd76b..cf17aa7 100644 --- a/src/js/jquery_wrapper.js +++ b/src/js/jquery_wrapper.js @@ -2,7 +2,7 @@ if ( typeof define === "function" && define.amd && define.amd.jQuery ) { define("$", (function (global) { return function () { var ret, fn; - return ret || global.$; // what does this mean + return ret || global.$; }; }(this))); } \ No newline at end of file diff --git a/src/js/velocity_wrapper.js b/src/js/velocity_wrapper.js index 4029642..066b226 100644 --- a/src/js/velocity_wrapper.js +++ b/src/js/velocity_wrapper.js @@ -1,6 +1,5 @@ (function(factory) { /* AMD module. */ - // i think this means velocity depends on jquery/zepto to be loaded first? if (typeof define === "function" && define.amd) { define('velocity',['$'], factory); } else { From b6f699e9f31397c17316c98a94c13ff65515fed6 Mon Sep 17 00:00:00 2001 From: Stephen Cheung Date: Tue, 30 Dec 2014 14:44:06 -0800 Subject: [PATCH 4/6] removed commented velocity configuration --- config.js | 3 +-- 1 file changed, 1 insertion(+), 2 deletions(-) diff --git a/config.js b/config.js index 61680e5..d52bc05 100644 --- a/config.js +++ b/config.js @@ -16,7 +16,6 @@ require.config({ 'lockup': 'bower_components/lockup/dist/lockup', 'shade': 'bower_components/shade/dist/shade', 'deckard': 'bower_components/deckard/dist/deckard', - 'velocity': 'src/js/velocity_wrapper', - // 'velocity': 'bower_components/mobify-velocity/velocity' + 'velocity': 'src/js/velocity_wrapper' } }); From dec3f86476ad10dfd3ec295fedf20b514087f9c9 Mon Sep 17 00:00:00 2001 From: Stephen Cheung Date: Tue, 30 Dec 2014 14:48:06 -0800 Subject: [PATCH 5/6] fixed code style errors --- dist/jquery_wrapper.js | 8 ++++++++ dist/velocity_wrapper.js | 11 +++++++++++ src/js/jquery_wrapper.js | 12 ++++++------ src/js/velocity_wrapper.js | 13 +++++++------ 4 files changed, 32 insertions(+), 12 deletions(-) create mode 100644 dist/jquery_wrapper.js create mode 100644 dist/velocity_wrapper.js diff --git a/dist/jquery_wrapper.js b/dist/jquery_wrapper.js new file mode 100644 index 0000000..7dbdf55 --- /dev/null +++ b/dist/jquery_wrapper.js @@ -0,0 +1,8 @@ +if ( typeof define === 'function' && define.amd && define.amd.jQuery ) { + define('$', (function (global) { + return function () { + var ret, fn; + return ret || global.$; + }; + }(this))); +} \ No newline at end of file diff --git a/dist/velocity_wrapper.js b/dist/velocity_wrapper.js new file mode 100644 index 0000000..ae93866 --- /dev/null +++ b/dist/velocity_wrapper.js @@ -0,0 +1,11 @@ +(function(factory) { + /* AMD module. */ + if (typeof define === 'function' && define.amd) { + define('velocity',['$'], factory); + } + else { + factory(window.jQuery || window.Zepto); + } +}(function($) { + return $.Velocity; +})); \ No newline at end of file diff --git a/src/js/jquery_wrapper.js b/src/js/jquery_wrapper.js index cf17aa7..7dbdf55 100644 --- a/src/js/jquery_wrapper.js +++ b/src/js/jquery_wrapper.js @@ -1,8 +1,8 @@ -if ( typeof define === "function" && define.amd && define.amd.jQuery ) { - define("$", (function (global) { - return function () { - var ret, fn; - return ret || global.$; - }; +if ( typeof define === 'function' && define.amd && define.amd.jQuery ) { + define('$', (function (global) { + return function () { + var ret, fn; + return ret || global.$; + }; }(this))); } \ No newline at end of file diff --git a/src/js/velocity_wrapper.js b/src/js/velocity_wrapper.js index 066b226..ae93866 100644 --- a/src/js/velocity_wrapper.js +++ b/src/js/velocity_wrapper.js @@ -1,10 +1,11 @@ (function(factory) { - /* AMD module. */ - if (typeof define === "function" && define.amd) { - define('velocity',['$'], factory); - } else { - factory(window.jQuery || window.Zepto); - } + /* AMD module. */ + if (typeof define === 'function' && define.amd) { + define('velocity',['$'], factory); + } + else { + factory(window.jQuery || window.Zepto); + } }(function($) { return $.Velocity; })); \ No newline at end of file From 593f593f86de0d09c1c4c813a52fd6ed275c0362 Mon Sep 17 00:00:00 2001 From: Stephen Cheung Date: Mon, 5 Jan 2015 17:38:08 -0800 Subject: [PATCH 6/6] As per Eric's comments, removed AMD checks, changed return values, and renamed file --- config.js | 2 +- dist/pinny.standalone.js | 23 +++++++++++------------ dist/selector_library_wrapper.js | 3 +++ src/js/jquery_wrapper.js | 8 -------- src/js/selector_library_wrapper.js | 6 ++++++ src/js/velocity_wrapper.js | 18 +++++++++--------- 6 files changed, 30 insertions(+), 30 deletions(-) create mode 100644 dist/selector_library_wrapper.js delete mode 100644 src/js/jquery_wrapper.js create mode 100644 src/js/selector_library_wrapper.js diff --git a/config.js b/config.js index d52bc05..0a3614c 100644 --- a/config.js +++ b/config.js @@ -3,7 +3,7 @@ require.config({ 'keepBuildDir': true, 'forceSync': true, 'paths': { - '$': 'src/js/jquery_wrapper', + '$': 'src/js/selector_library_wrapper', 'pinny': 'src/js/pinny', 'effects': 'src/js/effects', 'modal-center': 'dist/effect/modal-center', diff --git a/dist/pinny.standalone.js b/dist/pinny.standalone.js index 194a599..5f8c5bd 100644 --- a/dist/pinny.standalone.js +++ b/dist/pinny.standalone.js @@ -430,27 +430,26 @@ var requirejs, require, define; define("node_modules/almond/almond.js", function(){}); -if ( typeof define === "function" && define.amd && define.amd.jQuery ) { - define("$", (function (global) { - return function () { - var ret, fn; - return ret || global.$; // what does this mean - }; - }(this))); -}; +define('$', (function (global) { + return function () { + var ret; + return ret || global.jQuery || global.Zepto; + }; +}(this))); define("$", function(){}); (function(factory) { /* AMD module. */ - // i think this means velocity depends on jquery/zepto to be loaded first? - if (typeof define === "function" && define.amd) { + if (typeof define === 'function' && define.amd) { define('velocity',['$'], factory); - } else { + } + else { factory(window.jQuery || window.Zepto); } }(function($) { - return $.Velocity; + return $.Velocity; })); + (function(factory) { if (typeof define === 'function' && define.amd) { define('modal-center',[ diff --git a/dist/selector_library_wrapper.js b/dist/selector_library_wrapper.js new file mode 100644 index 0000000..4431912 --- /dev/null +++ b/dist/selector_library_wrapper.js @@ -0,0 +1,3 @@ +define('$', (function (global) { + return global.jQuery || global.Zepto; +}(this))); diff --git a/src/js/jquery_wrapper.js b/src/js/jquery_wrapper.js deleted file mode 100644 index 7dbdf55..0000000 --- a/src/js/jquery_wrapper.js +++ /dev/null @@ -1,8 +0,0 @@ -if ( typeof define === 'function' && define.amd && define.amd.jQuery ) { - define('$', (function (global) { - return function () { - var ret, fn; - return ret || global.$; - }; - }(this))); -} \ No newline at end of file diff --git a/src/js/selector_library_wrapper.js b/src/js/selector_library_wrapper.js new file mode 100644 index 0000000..10e16e6 --- /dev/null +++ b/src/js/selector_library_wrapper.js @@ -0,0 +1,6 @@ +define('$', (function (global) { + return function () { + var ret; + return ret || global.jQuery || global.Zepto; + }; +}(this))); \ No newline at end of file diff --git a/src/js/velocity_wrapper.js b/src/js/velocity_wrapper.js index ae93866..d3ac769 100644 --- a/src/js/velocity_wrapper.js +++ b/src/js/velocity_wrapper.js @@ -1,11 +1,11 @@ (function(factory) { - /* AMD module. */ - if (typeof define === 'function' && define.amd) { - define('velocity',['$'], factory); - } - else { - factory(window.jQuery || window.Zepto); - } + /* AMD module. */ + if (typeof define === 'function' && define.amd) { + define('velocity',['$'], factory); + } + else { + factory(window.jQuery || window.Zepto); + } }(function($) { - return $.Velocity; -})); \ No newline at end of file + return $.Velocity; +}));