Project

General

Profile

1
/*!
2
 * Materialize v0.96.1 (http://materializecss.com)
3
 * Copyright 2014-2015 Materialize
4
 * MIT License (https://raw.githubusercontent.com/Dogfalo/materialize/master/LICENSE)
5
 */
6
/*
7
 * jQuery Easing v1.3 - http://gsgd.co.uk/sandbox/jquery/easing/
8
 *
9
 * Uses the built in easing capabilities added In jQuery 1.1
10
 * to offer multiple easing options
11
 *
12
 * TERMS OF USE - jQuery Easing
13
 *
14
 * Open source under the BSD License.
15
 *
16
 * Copyright © 2008 George McGinley Smith
17
 * All rights reserved.
18
 *
19
 * Redistribution and use in source and binary forms, with or without modification,
20
 * are permitted provided that the following conditions are met:
21
 *
22
 * Redistributions of source code must retain the above copyright notice, this list of
23
 * conditions and the following disclaimer.
24
 * Redistributions in binary form must reproduce the above copyright notice, this list
25
 * of conditions and the following disclaimer in the documentation and/or other materials
26
 * provided with the distribution.
27
 *
28
 * Neither the name of the author nor the names of contributors may be used to endorse
29
 * or promote products derived from this software without specific prior written permission.
30
 *
31
 * THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND ANY
32
 * EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF
33
 * MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE
34
 *  COPYRIGHT OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL,
35
 *  EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE
36
 *  GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED
37
 * AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING
38
 *  NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED
39
 * OF THE POSSIBILITY OF SUCH DAMAGE.
40
 *
41
*/
42

    
43
// t: current time, b: begInnIng value, c: change In value, d: duration
44
jQuery.easing['jswing'] = jQuery.easing['swing'];
45

    
46
jQuery.extend( jQuery.easing,
47
{
48
	def: 'easeOutQuad',
49
	swing: function (x, t, b, c, d) {
50
		//alert(jQuery.easing.default);
51
		return jQuery.easing[jQuery.easing.def](x, t, b, c, d);
52
	},
53
	easeInQuad: function (x, t, b, c, d) {
54
		return c*(t/=d)*t + b;
55
	},
56
	easeOutQuad: function (x, t, b, c, d) {
57
		return -c *(t/=d)*(t-2) + b;
58
	},
59
	easeInOutQuad: function (x, t, b, c, d) {
60
		if ((t/=d/2) < 1) return c/2*t*t + b;
61
		return -c/2 * ((--t)*(t-2) - 1) + b;
62
	},
63
	easeInCubic: function (x, t, b, c, d) {
64
		return c*(t/=d)*t*t + b;
65
	},
66
	easeOutCubic: function (x, t, b, c, d) {
67
		return c*((t=t/d-1)*t*t + 1) + b;
68
	},
69
	easeInOutCubic: function (x, t, b, c, d) {
70
		if ((t/=d/2) < 1) return c/2*t*t*t + b;
71
		return c/2*((t-=2)*t*t + 2) + b;
72
	},
73
	easeInQuart: function (x, t, b, c, d) {
74
		return c*(t/=d)*t*t*t + b;
75
	},
76
	easeOutQuart: function (x, t, b, c, d) {
77
		return -c * ((t=t/d-1)*t*t*t - 1) + b;
78
	},
79
	easeInOutQuart: function (x, t, b, c, d) {
80
		if ((t/=d/2) < 1) return c/2*t*t*t*t + b;
81
		return -c/2 * ((t-=2)*t*t*t - 2) + b;
82
	},
83
	easeInQuint: function (x, t, b, c, d) {
84
		return c*(t/=d)*t*t*t*t + b;
85
	},
86
	easeOutQuint: function (x, t, b, c, d) {
87
		return c*((t=t/d-1)*t*t*t*t + 1) + b;
88
	},
89
	easeInOutQuint: function (x, t, b, c, d) {
90
		if ((t/=d/2) < 1) return c/2*t*t*t*t*t + b;
91
		return c/2*((t-=2)*t*t*t*t + 2) + b;
92
	},
93
	easeInSine: function (x, t, b, c, d) {
94
		return -c * Math.cos(t/d * (Math.PI/2)) + c + b;
95
	},
96
	easeOutSine: function (x, t, b, c, d) {
97
		return c * Math.sin(t/d * (Math.PI/2)) + b;
98
	},
99
	easeInOutSine: function (x, t, b, c, d) {
100
		return -c/2 * (Math.cos(Math.PI*t/d) - 1) + b;
101
	},
102
	easeInExpo: function (x, t, b, c, d) {
103
		return (t==0) ? b : c * Math.pow(2, 10 * (t/d - 1)) + b;
104
	},
105
	easeOutExpo: function (x, t, b, c, d) {
106
		return (t==d) ? b+c : c * (-Math.pow(2, -10 * t/d) + 1) + b;
107
	},
108
	easeInOutExpo: function (x, t, b, c, d) {
109
		if (t==0) return b;
110
		if (t==d) return b+c;
111
		if ((t/=d/2) < 1) return c/2 * Math.pow(2, 10 * (t - 1)) + b;
112
		return c/2 * (-Math.pow(2, -10 * --t) + 2) + b;
113
	},
114
	easeInCirc: function (x, t, b, c, d) {
115
		return -c * (Math.sqrt(1 - (t/=d)*t) - 1) + b;
116
	},
117
	easeOutCirc: function (x, t, b, c, d) {
118
		return c * Math.sqrt(1 - (t=t/d-1)*t) + b;
119
	},
120
	easeInOutCirc: function (x, t, b, c, d) {
121
		if ((t/=d/2) < 1) return -c/2 * (Math.sqrt(1 - t*t) - 1) + b;
122
		return c/2 * (Math.sqrt(1 - (t-=2)*t) + 1) + b;
123
	},
124
	easeInElastic: function (x, t, b, c, d) {
125
		var s=1.70158;var p=0;var a=c;
126
		if (t==0) return b;  if ((t/=d)==1) return b+c;  if (!p) p=d*.3;
127
		if (a < Math.abs(c)) { a=c; var s=p/4; }
128
		else var s = p/(2*Math.PI) * Math.asin (c/a);
129
		return -(a*Math.pow(2,10*(t-=1)) * Math.sin( (t*d-s)*(2*Math.PI)/p )) + b;
130
	},
131
	easeOutElastic: function (x, t, b, c, d) {
132
		var s=1.70158;var p=0;var a=c;
133
		if (t==0) return b;  if ((t/=d)==1) return b+c;  if (!p) p=d*.3;
134
		if (a < Math.abs(c)) { a=c; var s=p/4; }
135
		else var s = p/(2*Math.PI) * Math.asin (c/a);
136
		return a*Math.pow(2,-10*t) * Math.sin( (t*d-s)*(2*Math.PI)/p ) + c + b;
137
	},
138
	easeInOutElastic: function (x, t, b, c, d) {
139
		var s=1.70158;var p=0;var a=c;
140
		if (t==0) return b;  if ((t/=d/2)==2) return b+c;  if (!p) p=d*(.3*1.5);
141
		if (a < Math.abs(c)) { a=c; var s=p/4; }
142
		else var s = p/(2*Math.PI) * Math.asin (c/a);
143
		if (t < 1) return -.5*(a*Math.pow(2,10*(t-=1)) * Math.sin( (t*d-s)*(2*Math.PI)/p )) + b;
144
		return a*Math.pow(2,-10*(t-=1)) * Math.sin( (t*d-s)*(2*Math.PI)/p )*.5 + c + b;
145
	},
146
	easeInBack: function (x, t, b, c, d, s) {
147
		if (s == undefined) s = 1.70158;
148
		return c*(t/=d)*t*((s+1)*t - s) + b;
149
	},
150
	easeOutBack: function (x, t, b, c, d, s) {
151
		if (s == undefined) s = 1.70158;
152
		return c*((t=t/d-1)*t*((s+1)*t + s) + 1) + b;
153
	},
154
	easeInOutBack: function (x, t, b, c, d, s) {
155
		if (s == undefined) s = 1.70158;
156
		if ((t/=d/2) < 1) return c/2*(t*t*(((s*=(1.525))+1)*t - s)) + b;
157
		return c/2*((t-=2)*t*(((s*=(1.525))+1)*t + s) + 2) + b;
158
	},
159
	easeInBounce: function (x, t, b, c, d) {
160
		return c - jQuery.easing.easeOutBounce (x, d-t, 0, c, d) + b;
161
	},
162
	easeOutBounce: function (x, t, b, c, d) {
163
		if ((t/=d) < (1/2.75)) {
164
			return c*(7.5625*t*t) + b;
165
		} else if (t < (2/2.75)) {
166
			return c*(7.5625*(t-=(1.5/2.75))*t + .75) + b;
167
		} else if (t < (2.5/2.75)) {
168
			return c*(7.5625*(t-=(2.25/2.75))*t + .9375) + b;
169
		} else {
170
			return c*(7.5625*(t-=(2.625/2.75))*t + .984375) + b;
171
		}
172
	},
173
	easeInOutBounce: function (x, t, b, c, d) {
174
		if (t < d/2) return jQuery.easing.easeInBounce (x, t*2, 0, c, d) * .5 + b;
175
		return jQuery.easing.easeOutBounce (x, t*2-d, 0, c, d) * .5 + c*.5 + b;
176
	}
177
});
178

    
179
/*
180
 *
181
 * TERMS OF USE - EASING EQUATIONS
182
 *
183
 * Open source under the BSD License.
184
 *
185
 * Copyright © 2001 Robert Penner
186
 * All rights reserved.
187
 *
188
 * Redistribution and use in source and binary forms, with or without modification,
189
 * are permitted provided that the following conditions are met:
190
 *
191
 * Redistributions of source code must retain the above copyright notice, this list of
192
 * conditions and the following disclaimer.
193
 * Redistributions in binary form must reproduce the above copyright notice, this list
194
 * of conditions and the following disclaimer in the documentation and/or other materials
195
 * provided with the distribution.
196
 *
197
 * Neither the name of the author nor the names of contributors may be used to endorse
198
 * or promote products derived from this software without specific prior written permission.
199
 *
200
 * THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND ANY
201
 * EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF
202
 * MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE
203
 *  COPYRIGHT OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL,
204
 *  EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE
205
 *  GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED
206
 * AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING
207
 *  NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED
208
 * OF THE POSSIBILITY OF SUCH DAMAGE.
209
 *
210
 */;    // Custom Easing
211
    jQuery.extend( jQuery.easing,
212
    {
213
      easeInOutMaterial: function (x, t, b, c, d) {
214
        if ((t/=d/2) < 1) return c/2*t*t + b;
215
        return c/4*((t-=2)*t*t + 2) + b;
216
      }
217
    });
218

    
219
;/*! VelocityJS.org (1.2.2). (C) 2014 Julian Shapiro. MIT @license: en.wikipedia.org/wiki/MIT_License */
220
/*! VelocityJS.org jQuery Shim (1.0.1). (C) 2014 The jQuery Foundation. MIT @license: en.wikipedia.org/wiki/MIT_License. */
221
!function(e){function t(e){var t=e.length,r=$.type(e);return"function"===r||$.isWindow(e)?!1:1===e.nodeType&&t?!0:"array"===r||0===t||"number"==typeof t&&t>0&&t-1 in e}if(!e.jQuery){var $=function(e,t){return new $.fn.init(e,t)};$.isWindow=function(e){return null!=e&&e==e.window},$.type=function(e){return null==e?e+"":"object"==typeof e||"function"==typeof e?a[o.call(e)]||"object":typeof e},$.isArray=Array.isArray||function(e){return"array"===$.type(e)},$.isPlainObject=function(e){var t;if(!e||"object"!==$.type(e)||e.nodeType||$.isWindow(e))return!1;try{if(e.constructor&&!n.call(e,"constructor")&&!n.call(e.constructor.prototype,"isPrototypeOf"))return!1}catch(r){return!1}for(t in e);return void 0===t||n.call(e,t)},$.each=function(e,r,a){var n,o=0,i=e.length,s=t(e);if(a){if(s)for(;i>o&&(n=r.apply(e[o],a),n!==!1);o++);else for(o in e)if(n=r.apply(e[o],a),n===!1)break}else if(s)for(;i>o&&(n=r.call(e[o],o,e[o]),n!==!1);o++);else for(o in e)if(n=r.call(e[o],o,e[o]),n===!1)break;return e},$.data=function(e,t,a){if(void 0===a){var n=e[$.expando],o=n&&r[n];if(void 0===t)return o;if(o&&t in o)return o[t]}else if(void 0!==t){var n=e[$.expando]||(e[$.expando]=++$.uuid);return r[n]=r[n]||{},r[n][t]=a,a}},$.removeData=function(e,t){var a=e[$.expando],n=a&&r[a];n&&$.each(t,function(e,t){delete n[t]})},$.extend=function(){var e,t,r,a,n,o,i=arguments[0]||{},s=1,l=arguments.length,u=!1;for("boolean"==typeof i&&(u=i,i=arguments[s]||{},s++),"object"!=typeof i&&"function"!==$.type(i)&&(i={}),s===l&&(i=this,s--);l>s;s++)if(null!=(n=arguments[s]))for(a in n)e=i[a],r=n[a],i!==r&&(u&&r&&($.isPlainObject(r)||(t=$.isArray(r)))?(t?(t=!1,o=e&&$.isArray(e)?e:[]):o=e&&$.isPlainObject(e)?e:{},i[a]=$.extend(u,o,r)):void 0!==r&&(i[a]=r));return i},$.queue=function(e,r,a){function n(e,r){var a=r||[];return null!=e&&(t(Object(e))?!function(e,t){for(var r=+t.length,a=0,n=e.length;r>a;)e[n++]=t[a++];if(r!==r)for(;void 0!==t[a];)e[n++]=t[a++];return e.length=n,e}(a,"string"==typeof e?[e]:e):[].push.call(a,e)),a}if(e){r=(r||"fx")+"queue";var o=$.data(e,r);return a?(!o||$.isArray(a)?o=$.data(e,r,n(a)):o.push(a),o):o||[]}},$.dequeue=function(e,t){$.each(e.nodeType?[e]:e,function(e,r){t=t||"fx";var a=$.queue(r,t),n=a.shift();"inprogress"===n&&(n=a.shift()),n&&("fx"===t&&a.unshift("inprogress"),n.call(r,function(){$.dequeue(r,t)}))})},$.fn=$.prototype={init:function(e){if(e.nodeType)return this[0]=e,this;throw new Error("Not a DOM node.")},offset:function(){var t=this[0].getBoundingClientRect?this[0].getBoundingClientRect():{top:0,left:0};return{top:t.top+(e.pageYOffset||document.scrollTop||0)-(document.clientTop||0),left:t.left+(e.pageXOffset||document.scrollLeft||0)-(document.clientLeft||0)}},position:function(){function e(){for(var e=this.offsetParent||document;e&&"html"===!e.nodeType.toLowerCase&&"static"===e.style.position;)e=e.offsetParent;return e||document}var t=this[0],e=e.apply(t),r=this.offset(),a=/^(?:body|html)$/i.test(e.nodeName)?{top:0,left:0}:$(e).offset();return r.top-=parseFloat(t.style.marginTop)||0,r.left-=parseFloat(t.style.marginLeft)||0,e.style&&(a.top+=parseFloat(e.style.borderTopWidth)||0,a.left+=parseFloat(e.style.borderLeftWidth)||0),{top:r.top-a.top,left:r.left-a.left}}};var r={};$.expando="velocity"+(new Date).getTime(),$.uuid=0;for(var a={},n=a.hasOwnProperty,o=a.toString,i="Boolean Number String Function Array Date RegExp Object Error".split(" "),s=0;s<i.length;s++)a["[object "+i[s]+"]"]=i[s].toLowerCase();$.fn.init.prototype=$.fn,e.Velocity={Utilities:$}}}(window),function(e){"object"==typeof module&&"object"==typeof module.exports?module.exports=e():"function"==typeof define&&define.amd?define(e):e()}(function(){return function(e,t,r,a){function n(e){for(var t=-1,r=e?e.length:0,a=[];++t<r;){var n=e[t];n&&a.push(n)}return a}function o(e){return g.isWrapped(e)?e=[].slice.call(e):g.isNode(e)&&(e=[e]),e}function i(e){var t=$.data(e,"velocity");return null===t?a:t}function s(e){return function(t){return Math.round(t*e)*(1/e)}}function l(e,r,a,n){function o(e,t){return 1-3*t+3*e}function i(e,t){return 3*t-6*e}function s(e){return 3*e}function l(e,t,r){return((o(t,r)*e+i(t,r))*e+s(t))*e}function u(e,t,r){return 3*o(t,r)*e*e+2*i(t,r)*e+s(t)}function c(t,r){for(var n=0;m>n;++n){var o=u(r,e,a);if(0===o)return r;var i=l(r,e,a)-t;r-=i/o}return r}function p(){for(var t=0;b>t;++t)w[t]=l(t*x,e,a)}function f(t,r,n){var o,i,s=0;do i=r+(n-r)/2,o=l(i,e,a)-t,o>0?n=i:r=i;while(Math.abs(o)>h&&++s<v);return i}function d(t){for(var r=0,n=1,o=b-1;n!=o&&w[n]<=t;++n)r+=x;--n;var i=(t-w[n])/(w[n+1]-w[n]),s=r+i*x,l=u(s,e,a);return l>=y?c(t,s):0==l?s:f(t,r,r+x)}function g(){V=!0,(e!=r||a!=n)&&p()}var m=4,y=.001,h=1e-7,v=10,b=11,x=1/(b-1),S="Float32Array"in t;if(4!==arguments.length)return!1;for(var P=0;4>P;++P)if("number"!=typeof arguments[P]||isNaN(arguments[P])||!isFinite(arguments[P]))return!1;e=Math.min(e,1),a=Math.min(a,1),e=Math.max(e,0),a=Math.max(a,0);var w=S?new Float32Array(b):new Array(b),V=!1,C=function(t){return V||g(),e===r&&a===n?t:0===t?0:1===t?1:l(d(t),r,n)};C.getControlPoints=function(){return[{x:e,y:r},{x:a,y:n}]};var T="generateBezier("+[e,r,a,n]+")";return C.toString=function(){return T},C}function u(e,t){var r=e;return g.isString(e)?v.Easings[e]||(r=!1):r=g.isArray(e)&&1===e.length?s.apply(null,e):g.isArray(e)&&2===e.length?b.apply(null,e.concat([t])):g.isArray(e)&&4===e.length?l.apply(null,e):!1,r===!1&&(r=v.Easings[v.defaults.easing]?v.defaults.easing:h),r}function c(e){if(e){var t=(new Date).getTime(),r=v.State.calls.length;r>1e4&&(v.State.calls=n(v.State.calls));for(var o=0;r>o;o++)if(v.State.calls[o]){var s=v.State.calls[o],l=s[0],u=s[2],f=s[3],d=!!f,m=null;f||(f=v.State.calls[o][3]=t-16);for(var y=Math.min((t-f)/u.duration,1),h=0,b=l.length;b>h;h++){var S=l[h],w=S.element;if(i(w)){var V=!1;if(u.display!==a&&null!==u.display&&"none"!==u.display){if("flex"===u.display){var C=["-webkit-box","-moz-box","-ms-flexbox","-webkit-flex"];$.each(C,function(e,t){x.setPropertyValue(w,"display",t)})}x.setPropertyValue(w,"display",u.display)}u.visibility!==a&&"hidden"!==u.visibility&&x.setPropertyValue(w,"visibility",u.visibility);for(var T in S)if("element"!==T){var k=S[T],A,F=g.isString(k.easing)?v.Easings[k.easing]:k.easing;if(1===y)A=k.endValue;else{var E=k.endValue-k.startValue;if(A=k.startValue+E*F(y,u,E),!d&&A===k.currentValue)continue}if(k.currentValue=A,"tween"===T)m=A;else{if(x.Hooks.registered[T]){var j=x.Hooks.getRoot(T),H=i(w).rootPropertyValueCache[j];H&&(k.rootPropertyValue=H)}var N=x.setPropertyValue(w,T,k.currentValue+(0===parseFloat(A)?"":k.unitType),k.rootPropertyValue,k.scrollData);x.Hooks.registered[T]&&(i(w).rootPropertyValueCache[j]=x.Normalizations.registered[j]?x.Normalizations.registered[j]("extract",null,N[1]):N[1]),"transform"===N[0]&&(V=!0)}}u.mobileHA&&i(w).transformCache.translate3d===a&&(i(w).transformCache.translate3d="(0px, 0px, 0px)",V=!0),V&&x.flushTransformCache(w)}}u.display!==a&&"none"!==u.display&&(v.State.calls[o][2].display=!1),u.visibility!==a&&"hidden"!==u.visibility&&(v.State.calls[o][2].visibility=!1),u.progress&&u.progress.call(s[1],s[1],y,Math.max(0,f+u.duration-t),f,m),1===y&&p(o)}}v.State.isTicking&&P(c)}function p(e,t){if(!v.State.calls[e])return!1;for(var r=v.State.calls[e][0],n=v.State.calls[e][1],o=v.State.calls[e][2],s=v.State.calls[e][4],l=!1,u=0,c=r.length;c>u;u++){var p=r[u].element;if(t||o.loop||("none"===o.display&&x.setPropertyValue(p,"display",o.display),"hidden"===o.visibility&&x.setPropertyValue(p,"visibility",o.visibility)),o.loop!==!0&&($.queue(p)[1]===a||!/\.velocityQueueEntryFlag/i.test($.queue(p)[1]))&&i(p)){i(p).isAnimating=!1,i(p).rootPropertyValueCache={};var f=!1;$.each(x.Lists.transforms3D,function(e,t){var r=/^scale/.test(t)?1:0,n=i(p).transformCache[t];i(p).transformCache[t]!==a&&new RegExp("^\\("+r+"[^.]").test(n)&&(f=!0,delete i(p).transformCache[t])}),o.mobileHA&&(f=!0,delete i(p).transformCache.translate3d),f&&x.flushTransformCache(p),x.Values.removeClass(p,"velocity-animating")}if(!t&&o.complete&&!o.loop&&u===c-1)try{o.complete.call(n,n)}catch(d){setTimeout(function(){throw d},1)}s&&o.loop!==!0&&s(n),i(p)&&o.loop===!0&&!t&&($.each(i(p).tweensContainer,function(e,t){/^rotate/.test(e)&&360===parseFloat(t.endValue)&&(t.endValue=0,t.startValue=360),/^backgroundPosition/.test(e)&&100===parseFloat(t.endValue)&&"%"===t.unitType&&(t.endValue=0,t.startValue=100)}),v(p,"reverse",{loop:!0,delay:o.delay})),o.queue!==!1&&$.dequeue(p,o.queue)}v.State.calls[e]=!1;for(var g=0,m=v.State.calls.length;m>g;g++)if(v.State.calls[g]!==!1){l=!0;break}l===!1&&(v.State.isTicking=!1,delete v.State.calls,v.State.calls=[])}var f=function(){if(r.documentMode)return r.documentMode;for(var e=7;e>4;e--){var t=r.createElement("div");if(t.innerHTML="<!--[if IE "+e+"]><span></span><![endif]-->",t.getElementsByTagName("span").length)return t=null,e}return a}(),d=function(){var e=0;return t.webkitRequestAnimationFrame||t.mozRequestAnimationFrame||function(t){var r=(new Date).getTime(),a;return a=Math.max(0,16-(r-e)),e=r+a,setTimeout(function(){t(r+a)},a)}}(),g={isString:function(e){return"string"==typeof e},isArray:Array.isArray||function(e){return"[object Array]"===Object.prototype.toString.call(e)},isFunction:function(e){return"[object Function]"===Object.prototype.toString.call(e)},isNode:function(e){return e&&e.nodeType},isNodeList:function(e){return"object"==typeof e&&/^\[object (HTMLCollection|NodeList|Object)\]$/.test(Object.prototype.toString.call(e))&&e.length!==a&&(0===e.length||"object"==typeof e[0]&&e[0].nodeType>0)},isWrapped:function(e){return e&&(e.jquery||t.Zepto&&t.Zepto.zepto.isZ(e))},isSVG:function(e){return t.SVGElement&&e instanceof t.SVGElement},isEmptyObject:function(e){for(var t in e)return!1;return!0}},$,m=!1;if(e.fn&&e.fn.jquery?($=e,m=!0):$=t.Velocity.Utilities,8>=f&&!m)throw new Error("Velocity: IE8 and below require jQuery to be loaded before Velocity.");if(7>=f)return void(jQuery.fn.velocity=jQuery.fn.animate);var y=400,h="swing",v={State:{isMobile:/Android|webOS|iPhone|iPad|iPod|BlackBerry|IEMobile|Opera Mini/i.test(navigator.userAgent),isAndroid:/Android/i.test(navigator.userAgent),isGingerbread:/Android 2\.3\.[3-7]/i.test(navigator.userAgent),isChrome:t.chrome,isFirefox:/Firefox/i.test(navigator.userAgent),prefixElement:r.createElement("div"),prefixMatches:{},scrollAnchor:null,scrollPropertyLeft:null,scrollPropertyTop:null,isTicking:!1,calls:[]},CSS:{},Utilities:$,Redirects:{},Easings:{},Promise:t.Promise,defaults:{queue:"",duration:y,easing:h,begin:a,complete:a,progress:a,display:a,visibility:a,loop:!1,delay:!1,mobileHA:!0,_cacheValues:!0},init:function(e){$.data(e,"velocity",{isSVG:g.isSVG(e),isAnimating:!1,computedStyle:null,tweensContainer:null,rootPropertyValueCache:{},transformCache:{}})},hook:null,mock:!1,version:{major:1,minor:2,patch:2},debug:!1};t.pageYOffset!==a?(v.State.scrollAnchor=t,v.State.scrollPropertyLeft="pageXOffset",v.State.scrollPropertyTop="pageYOffset"):(v.State.scrollAnchor=r.documentElement||r.body.parentNode||r.body,v.State.scrollPropertyLeft="scrollLeft",v.State.scrollPropertyTop="scrollTop");var b=function(){function e(e){return-e.tension*e.x-e.friction*e.v}function t(t,r,a){var n={x:t.x+a.dx*r,v:t.v+a.dv*r,tension:t.tension,friction:t.friction};return{dx:n.v,dv:e(n)}}function r(r,a){var n={dx:r.v,dv:e(r)},o=t(r,.5*a,n),i=t(r,.5*a,o),s=t(r,a,i),l=1/6*(n.dx+2*(o.dx+i.dx)+s.dx),u=1/6*(n.dv+2*(o.dv+i.dv)+s.dv);return r.x=r.x+l*a,r.v=r.v+u*a,r}return function a(e,t,n){var o={x:-1,v:0,tension:null,friction:null},i=[0],s=0,l=1e-4,u=.016,c,p,f;for(e=parseFloat(e)||500,t=parseFloat(t)||20,n=n||null,o.tension=e,o.friction=t,c=null!==n,c?(s=a(e,t),p=s/n*u):p=u;;)if(f=r(f||o,p),i.push(1+f.x),s+=16,!(Math.abs(f.x)>l&&Math.abs(f.v)>l))break;return c?function(e){return i[e*(i.length-1)|0]}:s}}();v.Easings={linear:function(e){return e},swing:function(e){return.5-Math.cos(e*Math.PI)/2},spring:function(e){return 1-Math.cos(4.5*e*Math.PI)*Math.exp(6*-e)}},$.each([["ease",[.25,.1,.25,1]],["ease-in",[.42,0,1,1]],["ease-out",[0,0,.58,1]],["ease-in-out",[.42,0,.58,1]],["easeInSine",[.47,0,.745,.715]],["easeOutSine",[.39,.575,.565,1]],["easeInOutSine",[.445,.05,.55,.95]],["easeInQuad",[.55,.085,.68,.53]],["easeOutQuad",[.25,.46,.45,.94]],["easeInOutQuad",[.455,.03,.515,.955]],["easeInCubic",[.55,.055,.675,.19]],["easeOutCubic",[.215,.61,.355,1]],["easeInOutCubic",[.645,.045,.355,1]],["easeInQuart",[.895,.03,.685,.22]],["easeOutQuart",[.165,.84,.44,1]],["easeInOutQuart",[.77,0,.175,1]],["easeInQuint",[.755,.05,.855,.06]],["easeOutQuint",[.23,1,.32,1]],["easeInOutQuint",[.86,0,.07,1]],["easeInExpo",[.95,.05,.795,.035]],["easeOutExpo",[.19,1,.22,1]],["easeInOutExpo",[1,0,0,1]],["easeInCirc",[.6,.04,.98,.335]],["easeOutCirc",[.075,.82,.165,1]],["easeInOutCirc",[.785,.135,.15,.86]]],function(e,t){v.Easings[t[0]]=l.apply(null,t[1])});var x=v.CSS={RegEx:{isHex:/^#([A-f\d]{3}){1,2}$/i,valueUnwrap:/^[A-z]+\((.*)\)$/i,wrappedValueAlreadyExtracted:/[0-9.]+ [0-9.]+ [0-9.]+( [0-9.]+)?/,valueSplit:/([A-z]+\(.+\))|(([A-z0-9#-.]+?)(?=\s|$))/gi},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:{templates:{textShadow:["Color X Y Blur","black 0px 0px 0px"],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%"]},registered:{},register:function(){for(var e=0;e<x.Lists.colors.length;e++){var t="color"===x.Lists.colors[e]?"0 0 0 1":"255 255 255 1";x.Hooks.templates[x.Lists.colors[e]]=["Red Green Blue Alpha",t]}var r,a,n;if(f)for(r in x.Hooks.templates){a=x.Hooks.templates[r],n=a[0].split(" ");var o=a[1].match(x.RegEx.valueSplit);"Color"===n[0]&&(n.push(n.shift()),o.push(o.shift()),x.Hooks.templates[r]=[n.join(" "),o.join(" ")])}for(r in x.Hooks.templates){a=x.Hooks.templates[r],n=a[0].split(" ");for(var e in n){var i=r+n[e],s=e;x.Hooks.registered[i]=[r,s]}}},getRoot:function(e){var t=x.Hooks.registered[e];return t?t[0]:e},cleanRootPropertyValue:function(e,t){return x.RegEx.valueUnwrap.test(t)&&(t=t.match(x.RegEx.valueUnwrap)[1]),x.Values.isCSSNullValue(t)&&(t=x.Hooks.templates[e][1]),t},extractValue:function(e,t){var r=x.Hooks.registered[e];if(r){var a=r[0],n=r[1];return t=x.Hooks.cleanRootPropertyValue(a,t),t.toString().match(x.RegEx.valueSplit)[n]}return t},injectValue:function(e,t,r){var a=x.Hooks.registered[e];if(a){var n=a[0],o=a[1],i,s;return r=x.Hooks.cleanRootPropertyValue(n,r),i=r.toString().match(x.RegEx.valueSplit),i[o]=t,s=i.join(" ")}return r}},Normalizations:{registered:{clip:function(e,t,r){switch(e){case"name":return"clip";case"extract":var a;return x.RegEx.wrappedValueAlreadyExtracted.test(r)?a=r:(a=r.toString().match(x.RegEx.valueUnwrap),a=a?a[1].replace(/,(\s+)?/g," "):r),a;case"inject":return"rect("+r+")"}},blur:function(e,t,r){switch(e){case"name":return v.State.isFirefox?"filter":"-webkit-filter";case"extract":var a=parseFloat(r);if(!a&&0!==a){var n=r.toString().match(/blur\(([0-9]+[A-z]+)\)/i);a=n?n[1]:0}return a;case"inject":return parseFloat(r)?"blur("+r+")":"none"}},opacity:function(e,t,r){if(8>=f)switch(e){case"name":return"filter";case"extract":var a=r.toString().match(/alpha\(opacity=(.*)\)/i);return r=a?a[1]/100:1;case"inject":return t.style.zoom=1,parseFloat(r)>=1?"":"alpha(opacity="+parseInt(100*parseFloat(r),10)+")"}else switch(e){case"name":return"opacity";case"extract":return r;case"inject":return r}}},register:function(){9>=f||v.State.isGingerbread||(x.Lists.transformsBase=x.Lists.transformsBase.concat(x.Lists.transforms3D));for(var e=0;e<x.Lists.transformsBase.length;e++)!function(){var t=x.Lists.transformsBase[e];x.Normalizations.registered[t]=function(e,r,n){switch(e){case"name":return"transform";case"extract":return i(r)===a||i(r).transformCache[t]===a?/^scale/i.test(t)?1:0:i(r).transformCache[t].replace(/[()]/g,"");case"inject":var o=!1;switch(t.substr(0,t.length-1)){case"translate":o=!/(%|px|em|rem|vw|vh|\d)$/i.test(n);break;case"scal":case"scale":v.State.isAndroid&&i(r).transformCache[t]===a&&1>n&&(n=1),o=!/(\d)$/i.test(n);break;case"skew":o=!/(deg|\d)$/i.test(n);break;case"rotate":o=!/(deg|\d)$/i.test(n)}return o||(i(r).transformCache[t]="("+n+")"),i(r).transformCache[t]}}}();for(var e=0;e<x.Lists.colors.length;e++)!function(){var t=x.Lists.colors[e];x.Normalizations.registered[t]=function(e,r,n){switch(e){case"name":return t;case"extract":var o;if(x.RegEx.wrappedValueAlreadyExtracted.test(n))o=n;else{var i,s={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)"};/^[A-z]+$/i.test(n)?i=s[n]!==a?s[n]:s.black:x.RegEx.isHex.test(n)?i="rgb("+x.Values.hexToRgb(n).join(" ")+")":/^rgba?\(/i.test(n)||(i=s.black),o=(i||n).toString().match(x.RegEx.valueUnwrap)[1].replace(/,(\s+)?/g," ")}return 8>=f||3!==o.split(" ").length||(o+=" 1"),o;case"inject":return 8>=f?4===n.split(" ").length&&(n=n.split(/\s+/).slice(0,3).join(" ")):3===n.split(" ").length&&(n+=" 1"),(8>=f?"rgb":"rgba")+"("+n.replace(/\s+/g,",").replace(/\.(\d)+(?=,)/g,"")+")"}}}()}},Names:{camelCase:function(e){return e.replace(/-(\w)/g,function(e,t){return t.toUpperCase()})},SVGAttribute:function(e){var t="width|height|x|y|cx|cy|r|rx|ry|x1|x2|y1|y2";return(f||v.State.isAndroid&&!v.State.isChrome)&&(t+="|transform"),new RegExp("^("+t+")$","i").test(e)},prefixCheck:function(e){if(v.State.prefixMatches[e])return[v.State.prefixMatches[e],!0];for(var t=["","Webkit","Moz","ms","O"],r=0,a=t.length;a>r;r++){var n;if(n=0===r?e:t[r]+e.replace(/^\w/,function(e){return e.toUpperCase()}),g.isString(v.State.prefixElement.style[n]))return v.State.prefixMatches[e]=n,[n,!0]}return[e,!1]}},Values:{hexToRgb:function(e){var t=/^#?([a-f\d])([a-f\d])([a-f\d])$/i,r=/^#?([a-f\d]{2})([a-f\d]{2})([a-f\d]{2})$/i,a;return e=e.replace(t,function(e,t,r,a){return t+t+r+r+a+a}),a=r.exec(e),a?[parseInt(a[1],16),parseInt(a[2],16),parseInt(a[3],16)]:[0,0,0]},isCSSNullValue:function(e){return 0==e||/^(none|auto|transparent|(rgba\(0, ?0, ?0, ?0\)))$/i.test(e)},getUnitType:function(e){return/^(rotate|skew)/i.test(e)?"deg":/(^(scale|scaleX|scaleY|scaleZ|alpha|flexGrow|flexHeight|zIndex|fontWeight)$)|((opacity|red|green|blue|alpha)$)/i.test(e)?"":"px"},getDisplayType:function(e){var t=e&&e.tagName.toString().toLowerCase();return/^(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(t)?"inline":/^(li)$/i.test(t)?"list-item":/^(tr)$/i.test(t)?"table-row":/^(table)$/i.test(t)?"table":/^(tbody)$/i.test(t)?"table-row-group":"block"},addClass:function(e,t){e.classList?e.classList.add(t):e.className+=(e.className.length?" ":"")+t},removeClass:function(e,t){e.classList?e.classList.remove(t):e.className=e.className.toString().replace(new RegExp("(^|\\s)"+t.split(" ").join("|")+"(\\s|$)","gi")," ")}},getPropertyValue:function(e,r,n,o){function s(e,r){function n(){u&&x.setPropertyValue(e,"display","none")}var l=0;if(8>=f)l=$.css(e,r);else{var u=!1;if(/^(width|height)$/.test(r)&&0===x.getPropertyValue(e,"display")&&(u=!0,x.setPropertyValue(e,"display",x.Values.getDisplayType(e))),!o){if("height"===r&&"border-box"!==x.getPropertyValue(e,"boxSizing").toString().toLowerCase()){var c=e.offsetHeight-(parseFloat(x.getPropertyValue(e,"borderTopWidth"))||0)-(parseFloat(x.getPropertyValue(e,"borderBottomWidth"))||0)-(parseFloat(x.getPropertyValue(e,"paddingTop"))||0)-(parseFloat(x.getPropertyValue(e,"paddingBottom"))||0);return n(),c}if("width"===r&&"border-box"!==x.getPropertyValue(e,"boxSizing").toString().toLowerCase()){var p=e.offsetWidth-(parseFloat(x.getPropertyValue(e,"borderLeftWidth"))||0)-(parseFloat(x.getPropertyValue(e,"borderRightWidth"))||0)-(parseFloat(x.getPropertyValue(e,"paddingLeft"))||0)-(parseFloat(x.getPropertyValue(e,"paddingRight"))||0);return n(),p}}var d;d=i(e)===a?t.getComputedStyle(e,null):i(e).computedStyle?i(e).computedStyle:i(e).computedStyle=t.getComputedStyle(e,null),"borderColor"===r&&(r="borderTopColor"),l=9===f&&"filter"===r?d.getPropertyValue(r):d[r],(""===l||null===l)&&(l=e.style[r]),n()}if("auto"===l&&/^(top|right|bottom|left)$/i.test(r)){var g=s(e,"position");("fixed"===g||"absolute"===g&&/top|left/i.test(r))&&(l=$(e).position()[r]+"px")}return l}var l;if(x.Hooks.registered[r]){var u=r,c=x.Hooks.getRoot(u);n===a&&(n=x.getPropertyValue(e,x.Names.prefixCheck(c)[0])),x.Normalizations.registered[c]&&(n=x.Normalizations.registered[c]("extract",e,n)),l=x.Hooks.extractValue(u,n)}else if(x.Normalizations.registered[r]){var p,d;p=x.Normalizations.registered[r]("name",e),"transform"!==p&&(d=s(e,x.Names.prefixCheck(p)[0]),x.Values.isCSSNullValue(d)&&x.Hooks.templates[r]&&(d=x.Hooks.templates[r][1])),l=x.Normalizations.registered[r]("extract",e,d)}if(!/^[\d-]/.test(l))if(i(e)&&i(e).isSVG&&x.Names.SVGAttribute(r))if(/^(height|width)$/i.test(r))try{l=e.getBBox()[r]}catch(g){l=0}else l=e.getAttribute(r);else l=s(e,x.Names.prefixCheck(r)[0]);return x.Values.isCSSNullValue(l)&&(l=0),v.debug>=2&&console.log("Get "+r+": "+l),l},setPropertyValue:function(e,r,a,n,o){var s=r;if("scroll"===r)o.container?o.container["scroll"+o.direction]=a:"Left"===o.direction?t.scrollTo(a,o.alternateValue):t.scrollTo(o.alternateValue,a);else if(x.Normalizations.registered[r]&&"transform"===x.Normalizations.registered[r]("name",e))x.Normalizations.registered[r]("inject",e,a),s="transform",a=i(e).transformCache[r];else{if(x.Hooks.registered[r]){var l=r,u=x.Hooks.getRoot(r);n=n||x.getPropertyValue(e,u),a=x.Hooks.injectValue(l,a,n),r=u}if(x.Normalizations.registered[r]&&(a=x.Normalizations.registered[r]("inject",e,a),r=x.Normalizations.registered[r]("name",e)),s=x.Names.prefixCheck(r)[0],8>=f)try{e.style[s]=a}catch(c){v.debug&&console.log("Browser does not support ["+a+"] for ["+s+"]")}else i(e)&&i(e).isSVG&&x.Names.SVGAttribute(r)?e.setAttribute(r,a):e.style[s]=a;v.debug>=2&&console.log("Set "+r+" ("+s+"): "+a)}return[s,a]},flushTransformCache:function(e){function t(t){return parseFloat(x.getPropertyValue(e,t))}var r="";if((f||v.State.isAndroid&&!v.State.isChrome)&&i(e).isSVG){var a={translate:[t("translateX"),t("translateY")],skewX:[t("skewX")],skewY:[t("skewY")],scale:1!==t("scale")?[t("scale"),t("scale")]:[t("scaleX"),t("scaleY")],rotate:[t("rotateZ"),0,0]};$.each(i(e).transformCache,function(e){/^translate/i.test(e)?e="translate":/^scale/i.test(e)?e="scale":/^rotate/i.test(e)&&(e="rotate"),a[e]&&(r+=e+"("+a[e].join(" ")+") ",delete a[e])})}else{var n,o;$.each(i(e).transformCache,function(t){return n=i(e).transformCache[t],"transformPerspective"===t?(o=n,!0):(9===f&&"rotateZ"===t&&(t="rotate"),void(r+=t+n+" "))}),o&&(r="perspective"+o+" "+r)}x.setPropertyValue(e,"transform",r)}};x.Hooks.register(),x.Normalizations.register(),v.hook=function(e,t,r){var n=a;return e=o(e),$.each(e,function(e,o){if(i(o)===a&&v.init(o),r===a)n===a&&(n=v.CSS.getPropertyValue(o,t));else{var s=v.CSS.setPropertyValue(o,t,r);"transform"===s[0]&&v.CSS.flushTransformCache(o),n=s}}),n};var S=function(){function e(){return l?T.promise||null:f}function n(){function e(e){function p(e,t){var r=a,i=a,s=a;return g.isArray(e)?(r=e[0],!g.isArray(e[1])&&/^[\d-]/.test(e[1])||g.isFunction(e[1])||x.RegEx.isHex.test(e[1])?s=e[1]:(g.isString(e[1])&&!x.RegEx.isHex.test(e[1])||g.isArray(e[1]))&&(i=t?e[1]:u(e[1],o.duration),e[2]!==a&&(s=e[2]))):r=e,t||(i=i||o.easing),g.isFunction(r)&&(r=r.call(n,w,P)),g.isFunction(s)&&(s=s.call(n,w,P)),[r||0,i,s]}function f(e,t){var r,a;return a=(t||"0").toString().toLowerCase().replace(/[%A-z]+$/,function(e){return r=e,""}),r||(r=x.Values.getUnitType(e)),[a,r]}function d(){var e={myParent:n.parentNode||r.body,position:x.getPropertyValue(n,"position"),fontSize:x.getPropertyValue(n,"fontSize")},a=e.position===N.lastPosition&&e.myParent===N.lastParent,o=e.fontSize===N.lastFontSize;N.lastParent=e.myParent,N.lastPosition=e.position,N.lastFontSize=e.fontSize;var s=100,l={};if(o&&a)l.emToPx=N.lastEmToPx,l.percentToPxWidth=N.lastPercentToPxWidth,l.percentToPxHeight=N.lastPercentToPxHeight;else{var u=i(n).isSVG?r.createElementNS("http://www.w3.org/2000/svg","rect"):r.createElement("div");v.init(u),e.myParent.appendChild(u),$.each(["overflow","overflowX","overflowY"],function(e,t){v.CSS.setPropertyValue(u,t,"hidden")}),v.CSS.setPropertyValue(u,"position",e.position),v.CSS.setPropertyValue(u,"fontSize",e.fontSize),v.CSS.setPropertyValue(u,"boxSizing","content-box"),$.each(["minWidth","maxWidth","width","minHeight","maxHeight","height"],function(e,t){v.CSS.setPropertyValue(u,t,s+"%")}),v.CSS.setPropertyValue(u,"paddingLeft",s+"em"),l.percentToPxWidth=N.lastPercentToPxWidth=(parseFloat(x.getPropertyValue(u,"width",null,!0))||1)/s,l.percentToPxHeight=N.lastPercentToPxHeight=(parseFloat(x.getPropertyValue(u,"height",null,!0))||1)/s,l.emToPx=N.lastEmToPx=(parseFloat(x.getPropertyValue(u,"paddingLeft"))||1)/s,e.myParent.removeChild(u)}return null===N.remToPx&&(N.remToPx=parseFloat(x.getPropertyValue(r.body,"fontSize"))||16),null===N.vwToPx&&(N.vwToPx=parseFloat(t.innerWidth)/100,N.vhToPx=parseFloat(t.innerHeight)/100),l.remToPx=N.remToPx,l.vwToPx=N.vwToPx,l.vhToPx=N.vhToPx,v.debug>=1&&console.log("Unit ratios: "+JSON.stringify(l),n),l}if(o.begin&&0===w)try{o.begin.call(m,m)}catch(y){setTimeout(function(){throw y},1)}if("scroll"===k){var S=/^x$/i.test(o.axis)?"Left":"Top",V=parseFloat(o.offset)||0,C,A,F;o.container?g.isWrapped(o.container)||g.isNode(o.container)?(o.container=o.container[0]||o.container,C=o.container["scroll"+S],F=C+$(n).position()[S.toLowerCase()]+V):o.container=null:(C=v.State.scrollAnchor[v.State["scrollProperty"+S]],A=v.State.scrollAnchor[v.State["scrollProperty"+("Left"===S?"Top":"Left")]],F=$(n).offset()[S.toLowerCase()]+V),s={scroll:{rootPropertyValue:!1,startValue:C,currentValue:C,endValue:F,unitType:"",easing:o.easing,scrollData:{container:o.container,direction:S,alternateValue:A}},element:n},v.debug&&console.log("tweensContainer (scroll): ",s.scroll,n)}else if("reverse"===k){if(!i(n).tweensContainer)return void $.dequeue(n,o.queue);"none"===i(n).opts.display&&(i(n).opts.display="auto"),"hidden"===i(n).opts.visibility&&(i(n).opts.visibility="visible"),i(n).opts.loop=!1,i(n).opts.begin=null,i(n).opts.complete=null,b.easing||delete o.easing,b.duration||delete o.duration,o=$.extend({},i(n).opts,o);var E=$.extend(!0,{},i(n).tweensContainer);for(var j in E)if("element"!==j){var H=E[j].startValue;E[j].startValue=E[j].currentValue=E[j].endValue,E[j].endValue=H,g.isEmptyObject(b)||(E[j].easing=o.easing),v.debug&&console.log("reverse tweensContainer ("+j+"): "+JSON.stringify(E[j]),n)}s=E}else if("start"===k){var E;i(n).tweensContainer&&i(n).isAnimating===!0&&(E=i(n).tweensContainer),$.each(h,function(e,t){if(RegExp("^"+x.Lists.colors.join("$|^")+"$").test(e)){var r=p(t,!0),n=r[0],o=r[1],i=r[2];if(x.RegEx.isHex.test(n)){for(var s=["Red","Green","Blue"],l=x.Values.hexToRgb(n),u=i?x.Values.hexToRgb(i):a,c=0;c<s.length;c++){var f=[l[c]];o&&f.push(o),u!==a&&f.push(u[c]),h[e+s[c]]=f}delete h[e]}}});for(var R in h){var O=p(h[R]),z=O[0],q=O[1],M=O[2];R=x.Names.camelCase(R);var I=x.Hooks.getRoot(R),B=!1;if(i(n).isSVG||"tween"===I||x.Names.prefixCheck(I)[1]!==!1||x.Normalizations.registered[I]!==a){(o.display!==a&&null!==o.display&&"none"!==o.display||o.visibility!==a&&"hidden"!==o.visibility)&&/opacity|filter/.test(R)&&!M&&0!==z&&(M=0),o._cacheValues&&E&&E[R]?(M===a&&(M=E[R].endValue+E[R].unitType),B=i(n).rootPropertyValueCache[I]):x.Hooks.registered[R]?M===a?(B=x.getPropertyValue(n,I),M=x.getPropertyValue(n,R,B)):B=x.Hooks.templates[I][1]:M===a&&(M=x.getPropertyValue(n,R));var W,G,D,X=!1;if(W=f(R,M),M=W[0],D=W[1],W=f(R,z),z=W[0].replace(/^([+-\/*])=/,function(e,t){return X=t,""}),G=W[1],M=parseFloat(M)||0,z=parseFloat(z)||0,"%"===G&&(/^(fontSize|lineHeight)$/.test(R)?(z/=100,G="em"):/^scale/.test(R)?(z/=100,G=""):/(Red|Green|Blue)$/i.test(R)&&(z=z/100*255,G="")),/[\/*]/.test(X))G=D;else if(D!==G&&0!==M)if(0===z)G=D;else{l=l||d();var Y=/margin|padding|left|right|width|text|word|letter/i.test(R)||/X$/.test(R)||"x"===R?"x":"y";switch(D){case"%":M*="x"===Y?l.percentToPxWidth:l.percentToPxHeight;break;case"px":break;default:M*=l[D+"ToPx"]}switch(G){case"%":M*=1/("x"===Y?l.percentToPxWidth:l.percentToPxHeight);break;case"px":break;default:M*=1/l[G+"ToPx"]}}switch(X){case"+":z=M+z;break;case"-":z=M-z;break;case"*":z=M*z;break;case"/":z=M/z}s[R]={rootPropertyValue:B,startValue:M,currentValue:M,endValue:z,unitType:G,easing:q},v.debug&&console.log("tweensContainer ("+R+"): "+JSON.stringify(s[R]),n)}else v.debug&&console.log("Skipping ["+I+"] due to a lack of browser support.")}s.element=n}s.element&&(x.Values.addClass(n,"velocity-animating"),L.push(s),""===o.queue&&(i(n).tweensContainer=s,i(n).opts=o),i(n).isAnimating=!0,w===P-1?(v.State.calls.push([L,m,o,null,T.resolver]),v.State.isTicking===!1&&(v.State.isTicking=!0,c())):w++)}var n=this,o=$.extend({},v.defaults,b),s={},l;switch(i(n)===a&&v.init(n),parseFloat(o.delay)&&o.queue!==!1&&$.queue(n,o.queue,function(e){v.velocityQueueEntryFlag=!0,i(n).delayTimer={setTimeout:setTimeout(e,parseFloat(o.delay)),next:e}}),o.duration.toString().toLowerCase()){case"fast":o.duration=200;break;case"normal":o.duration=y;break;case"slow":o.duration=600;break;default:o.duration=parseFloat(o.duration)||1}v.mock!==!1&&(v.mock===!0?o.duration=o.delay=1:(o.duration*=parseFloat(v.mock)||1,o.delay*=parseFloat(v.mock)||1)),o.easing=u(o.easing,o.duration),o.begin&&!g.isFunction(o.begin)&&(o.begin=null),o.progress&&!g.isFunction(o.progress)&&(o.progress=null),o.complete&&!g.isFunction(o.complete)&&(o.complete=null),o.display!==a&&null!==o.display&&(o.display=o.display.toString().toLowerCase(),"auto"===o.display&&(o.display=v.CSS.Values.getDisplayType(n))),o.visibility!==a&&null!==o.visibility&&(o.visibility=o.visibility.toString().toLowerCase()),o.mobileHA=o.mobileHA&&v.State.isMobile&&!v.State.isGingerbread,o.queue===!1?o.delay?setTimeout(e,o.delay):e():$.queue(n,o.queue,function(t,r){return r===!0?(T.promise&&T.resolver(m),!0):(v.velocityQueueEntryFlag=!0,void e(t))}),""!==o.queue&&"fx"!==o.queue||"inprogress"===$.queue(n)[0]||$.dequeue(n)}var s=arguments[0]&&(arguments[0].p||$.isPlainObject(arguments[0].properties)&&!arguments[0].properties.names||g.isString(arguments[0].properties)),l,f,d,m,h,b;if(g.isWrapped(this)?(l=!1,d=0,m=this,f=this):(l=!0,d=1,m=s?arguments[0].elements||arguments[0].e:arguments[0]),m=o(m)){s?(h=arguments[0].properties||arguments[0].p,b=arguments[0].options||arguments[0].o):(h=arguments[d],b=arguments[d+1]);var P=m.length,w=0;if(!/^(stop|finish)$/i.test(h)&&!$.isPlainObject(b)){var V=d+1;b={};for(var C=V;C<arguments.length;C++)g.isArray(arguments[C])||!/^(fast|normal|slow)$/i.test(arguments[C])&&!/^\d/.test(arguments[C])?g.isString(arguments[C])||g.isArray(arguments[C])?b.easing=arguments[C]:g.isFunction(arguments[C])&&(b.complete=arguments[C]):b.duration=arguments[C]}var T={promise:null,resolver:null,rejecter:null};l&&v.Promise&&(T.promise=new v.Promise(function(e,t){T.resolver=e,T.rejecter=t}));var k;switch(h){case"scroll":k="scroll";break;case"reverse":k="reverse";break;case"finish":case"stop":$.each(m,function(e,t){i(t)&&i(t).delayTimer&&(clearTimeout(i(t).delayTimer.setTimeout),i(t).delayTimer.next&&i(t).delayTimer.next(),delete i(t).delayTimer)});var A=[];return $.each(v.State.calls,function(e,t){t&&$.each(t[1],function(r,n){var o=b===a?"":b;return o===!0||t[2].queue===o||b===a&&t[2].queue===!1?void $.each(m,function(r,a){a===n&&((b===!0||g.isString(b))&&($.each($.queue(a,g.isString(b)?b:""),function(e,t){g.isFunction(t)&&t(null,!0)}),$.queue(a,g.isString(b)?b:"",[])),"stop"===h?(i(a)&&i(a).tweensContainer&&o!==!1&&$.each(i(a).tweensContainer,function(e,t){t.endValue=t.currentValue
222
}),A.push(e)):"finish"===h&&(t[2].duration=1))}):!0})}),"stop"===h&&($.each(A,function(e,t){p(t,!0)}),T.promise&&T.resolver(m)),e();default:if(!$.isPlainObject(h)||g.isEmptyObject(h)){if(g.isString(h)&&v.Redirects[h]){var F=$.extend({},b),E=F.duration,j=F.delay||0;return F.backwards===!0&&(m=$.extend(!0,[],m).reverse()),$.each(m,function(e,t){parseFloat(F.stagger)?F.delay=j+parseFloat(F.stagger)*e:g.isFunction(F.stagger)&&(F.delay=j+F.stagger.call(t,e,P)),F.drag&&(F.duration=parseFloat(E)||(/^(callout|transition)/.test(h)?1e3:y),F.duration=Math.max(F.duration*(F.backwards?1-e/P:(e+1)/P),.75*F.duration,200)),v.Redirects[h].call(t,t,F||{},e,P,m,T.promise?T:a)}),e()}var H="Velocity: First argument ("+h+") was not a property map, a known action, or a registered redirect. Aborting.";return T.promise?T.rejecter(new Error(H)):console.log(H),e()}k="start"}var N={lastParent:null,lastPosition:null,lastFontSize:null,lastPercentToPxWidth:null,lastPercentToPxHeight:null,lastEmToPx:null,remToPx:null,vwToPx:null,vhToPx:null},L=[];$.each(m,function(e,t){g.isNode(t)&&n.call(t)});var F=$.extend({},v.defaults,b),R;if(F.loop=parseInt(F.loop),R=2*F.loop-1,F.loop)for(var O=0;R>O;O++){var z={delay:F.delay,progress:F.progress};O===R-1&&(z.display=F.display,z.visibility=F.visibility,z.complete=F.complete),S(m,"reverse",z)}return e()}};v=$.extend(S,v),v.animate=S;var P=t.requestAnimationFrame||d;return v.State.isMobile||r.hidden===a||r.addEventListener("visibilitychange",function(){r.hidden?(P=function(e){return setTimeout(function(){e(!0)},16)},c()):P=t.requestAnimationFrame||d}),e.Velocity=v,e!==t&&(e.fn.velocity=S,e.fn.velocity.defaults=v.defaults),$.each(["Down","Up"],function(e,t){v.Redirects["slide"+t]=function(e,r,n,o,i,s){var l=$.extend({},r),u=l.begin,c=l.complete,p={height:"",marginTop:"",marginBottom:"",paddingTop:"",paddingBottom:""},f={};l.display===a&&(l.display="Down"===t?"inline"===v.CSS.Values.getDisplayType(e)?"inline-block":"block":"none"),l.begin=function(){u&&u.call(i,i);for(var r in p){f[r]=e.style[r];var a=v.CSS.getPropertyValue(e,r);p[r]="Down"===t?[a,0]:[0,a]}f.overflow=e.style.overflow,e.style.overflow="hidden"},l.complete=function(){for(var t in f)e.style[t]=f[t];c&&c.call(i,i),s&&s.resolver(i)},v(e,p,l)}}),$.each(["In","Out"],function(e,t){v.Redirects["fade"+t]=function(e,r,n,o,i,s){var l=$.extend({},r),u={opacity:"In"===t?1:0},c=l.complete;l.complete=n!==o-1?l.begin=null:function(){c&&c.call(i,i),s&&s.resolver(i)},l.display===a&&(l.display="In"===t?"auto":"none"),v(this,u,l)}}),v}(window.jQuery||window.Zepto||window,window,document)});;!function(a,b,c,d){"use strict";function k(a,b,c){return setTimeout(q(a,c),b)}function l(a,b,c){return Array.isArray(a)?(m(a,c[b],c),!0):!1}function m(a,b,c){var e;if(a)if(a.forEach)a.forEach(b,c);else if(a.length!==d)for(e=0;e<a.length;)b.call(c,a[e],e,a),e++;else for(e in a)a.hasOwnProperty(e)&&b.call(c,a[e],e,a)}function n(a,b,c){for(var e=Object.keys(b),f=0;f<e.length;)(!c||c&&a[e[f]]===d)&&(a[e[f]]=b[e[f]]),f++;return a}function o(a,b){return n(a,b,!0)}function p(a,b,c){var e,d=b.prototype;e=a.prototype=Object.create(d),e.constructor=a,e._super=d,c&&n(e,c)}function q(a,b){return function(){return a.apply(b,arguments)}}function r(a,b){return typeof a==g?a.apply(b?b[0]||d:d,b):a}function s(a,b){return a===d?b:a}function t(a,b,c){m(x(b),function(b){a.addEventListener(b,c,!1)})}function u(a,b,c){m(x(b),function(b){a.removeEventListener(b,c,!1)})}function v(a,b){for(;a;){if(a==b)return!0;a=a.parentNode}return!1}function w(a,b){return a.indexOf(b)>-1}function x(a){return a.trim().split(/\s+/g)}function y(a,b,c){if(a.indexOf&&!c)return a.indexOf(b);for(var d=0;d<a.length;){if(c&&a[d][c]==b||!c&&a[d]===b)return d;d++}return-1}function z(a){return Array.prototype.slice.call(a,0)}function A(a,b,c){for(var d=[],e=[],f=0;f<a.length;){var g=b?a[f][b]:a[f];y(e,g)<0&&d.push(a[f]),e[f]=g,f++}return c&&(d=b?d.sort(function(a,c){return a[b]>c[b]}):d.sort()),d}function B(a,b){for(var c,f,g=b[0].toUpperCase()+b.slice(1),h=0;h<e.length;){if(c=e[h],f=c?c+g:b,f in a)return f;h++}return d}function D(){return C++}function E(a){var b=a.ownerDocument;return b.defaultView||b.parentWindow}function ab(a,b){var c=this;this.manager=a,this.callback=b,this.element=a.element,this.target=a.options.inputTarget,this.domHandler=function(b){r(a.options.enable,[a])&&c.handler(b)},this.init()}function bb(a){var b,c=a.options.inputClass;return b=c?c:H?wb:I?Eb:G?Gb:rb,new b(a,cb)}function cb(a,b,c){var d=c.pointers.length,e=c.changedPointers.length,f=b&O&&0===d-e,g=b&(Q|R)&&0===d-e;c.isFirst=!!f,c.isFinal=!!g,f&&(a.session={}),c.eventType=b,db(a,c),a.emit("hammer.input",c),a.recognize(c),a.session.prevInput=c}function db(a,b){var c=a.session,d=b.pointers,e=d.length;c.firstInput||(c.firstInput=gb(b)),e>1&&!c.firstMultiple?c.firstMultiple=gb(b):1===e&&(c.firstMultiple=!1);var f=c.firstInput,g=c.firstMultiple,h=g?g.center:f.center,i=b.center=hb(d);b.timeStamp=j(),b.deltaTime=b.timeStamp-f.timeStamp,b.angle=lb(h,i),b.distance=kb(h,i),eb(c,b),b.offsetDirection=jb(b.deltaX,b.deltaY),b.scale=g?nb(g.pointers,d):1,b.rotation=g?mb(g.pointers,d):0,fb(c,b);var k=a.element;v(b.srcEvent.target,k)&&(k=b.srcEvent.target),b.target=k}function eb(a,b){var c=b.center,d=a.offsetDelta||{},e=a.prevDelta||{},f=a.prevInput||{};(b.eventType===O||f.eventType===Q)&&(e=a.prevDelta={x:f.deltaX||0,y:f.deltaY||0},d=a.offsetDelta={x:c.x,y:c.y}),b.deltaX=e.x+(c.x-d.x),b.deltaY=e.y+(c.y-d.y)}function fb(a,b){var f,g,h,j,c=a.lastInterval||b,e=b.timeStamp-c.timeStamp;if(b.eventType!=R&&(e>N||c.velocity===d)){var k=c.deltaX-b.deltaX,l=c.deltaY-b.deltaY,m=ib(e,k,l);g=m.x,h=m.y,f=i(m.x)>i(m.y)?m.x:m.y,j=jb(k,l),a.lastInterval=b}else f=c.velocity,g=c.velocityX,h=c.velocityY,j=c.direction;b.velocity=f,b.velocityX=g,b.velocityY=h,b.direction=j}function gb(a){for(var b=[],c=0;c<a.pointers.length;)b[c]={clientX:h(a.pointers[c].clientX),clientY:h(a.pointers[c].clientY)},c++;return{timeStamp:j(),pointers:b,center:hb(b),deltaX:a.deltaX,deltaY:a.deltaY}}function hb(a){var b=a.length;if(1===b)return{x:h(a[0].clientX),y:h(a[0].clientY)};for(var c=0,d=0,e=0;b>e;)c+=a[e].clientX,d+=a[e].clientY,e++;return{x:h(c/b),y:h(d/b)}}function ib(a,b,c){return{x:b/a||0,y:c/a||0}}function jb(a,b){return a===b?S:i(a)>=i(b)?a>0?T:U:b>0?V:W}function kb(a,b,c){c||(c=$);var d=b[c[0]]-a[c[0]],e=b[c[1]]-a[c[1]];return Math.sqrt(d*d+e*e)}function lb(a,b,c){c||(c=$);var d=b[c[0]]-a[c[0]],e=b[c[1]]-a[c[1]];return 180*Math.atan2(e,d)/Math.PI}function mb(a,b){return lb(b[1],b[0],_)-lb(a[1],a[0],_)}function nb(a,b){return kb(b[0],b[1],_)/kb(a[0],a[1],_)}function rb(){this.evEl=pb,this.evWin=qb,this.allow=!0,this.pressed=!1,ab.apply(this,arguments)}function wb(){this.evEl=ub,this.evWin=vb,ab.apply(this,arguments),this.store=this.manager.session.pointerEvents=[]}function Ab(){this.evTarget=yb,this.evWin=zb,this.started=!1,ab.apply(this,arguments)}function Bb(a,b){var c=z(a.touches),d=z(a.changedTouches);return b&(Q|R)&&(c=A(c.concat(d),"identifier",!0)),[c,d]}function Eb(){this.evTarget=Db,this.targetIds={},ab.apply(this,arguments)}function Fb(a,b){var c=z(a.touches),d=this.targetIds;if(b&(O|P)&&1===c.length)return d[c[0].identifier]=!0,[c,c];var e,f,g=z(a.changedTouches),h=[],i=this.target;if(f=c.filter(function(a){return v(a.target,i)}),b===O)for(e=0;e<f.length;)d[f[e].identifier]=!0,e++;for(e=0;e<g.length;)d[g[e].identifier]&&h.push(g[e]),b&(Q|R)&&delete d[g[e].identifier],e++;return h.length?[A(f.concat(h),"identifier",!0),h]:void 0}function Gb(){ab.apply(this,arguments);var a=q(this.handler,this);this.touch=new Eb(this.manager,a),this.mouse=new rb(this.manager,a)}function Pb(a,b){this.manager=a,this.set(b)}function Qb(a){if(w(a,Mb))return Mb;var b=w(a,Nb),c=w(a,Ob);return b&&c?Nb+" "+Ob:b||c?b?Nb:Ob:w(a,Lb)?Lb:Kb}function Yb(a){this.id=D(),this.manager=null,this.options=o(a||{},this.defaults),this.options.enable=s(this.options.enable,!0),this.state=Rb,this.simultaneous={},this.requireFail=[]}function Zb(a){return a&Wb?"cancel":a&Ub?"end":a&Tb?"move":a&Sb?"start":""}function $b(a){return a==W?"down":a==V?"up":a==T?"left":a==U?"right":""}function _b(a,b){var c=b.manager;return c?c.get(a):a}function ac(){Yb.apply(this,arguments)}function bc(){ac.apply(this,arguments),this.pX=null,this.pY=null}function cc(){ac.apply(this,arguments)}function dc(){Yb.apply(this,arguments),this._timer=null,this._input=null}function ec(){ac.apply(this,arguments)}function fc(){ac.apply(this,arguments)}function gc(){Yb.apply(this,arguments),this.pTime=!1,this.pCenter=!1,this._timer=null,this._input=null,this.count=0}function hc(a,b){return b=b||{},b.recognizers=s(b.recognizers,hc.defaults.preset),new kc(a,b)}function kc(a,b){b=b||{},this.options=o(b,hc.defaults),this.options.inputTarget=this.options.inputTarget||a,this.handlers={},this.session={},this.recognizers=[],this.element=a,this.input=bb(this),this.touchAction=new Pb(this,this.options.touchAction),lc(this,!0),m(b.recognizers,function(a){var b=this.add(new a[0](a[1]));a[2]&&b.recognizeWith(a[2]),a[3]&&b.requireFailure(a[3])},this)}function lc(a,b){var c=a.element;m(a.options.cssProps,function(a,d){c.style[B(c.style,d)]=b?a:""})}function mc(a,c){var d=b.createEvent("Event");d.initEvent(a,!0,!0),d.gesture=c,c.target.dispatchEvent(d)}var e=["","webkit","moz","MS","ms","o"],f=b.createElement("div"),g="function",h=Math.round,i=Math.abs,j=Date.now,C=1,F=/mobile|tablet|ip(ad|hone|od)|android/i,G="ontouchstart"in a,H=B(a,"PointerEvent")!==d,I=G&&F.test(navigator.userAgent),J="touch",K="pen",L="mouse",M="kinect",N=25,O=1,P=2,Q=4,R=8,S=1,T=2,U=4,V=8,W=16,X=T|U,Y=V|W,Z=X|Y,$=["x","y"],_=["clientX","clientY"];ab.prototype={handler:function(){},init:function(){this.evEl&&t(this.element,this.evEl,this.domHandler),this.evTarget&&t(this.target,this.evTarget,this.domHandler),this.evWin&&t(E(this.element),this.evWin,this.domHandler)},destroy:function(){this.evEl&&u(this.element,this.evEl,this.domHandler),this.evTarget&&u(this.target,this.evTarget,this.domHandler),this.evWin&&u(E(this.element),this.evWin,this.domHandler)}};var ob={mousedown:O,mousemove:P,mouseup:Q},pb="mousedown",qb="mousemove mouseup";p(rb,ab,{handler:function(a){var b=ob[a.type];b&O&&0===a.button&&(this.pressed=!0),b&P&&1!==a.which&&(b=Q),this.pressed&&this.allow&&(b&Q&&(this.pressed=!1),this.callback(this.manager,b,{pointers:[a],changedPointers:[a],pointerType:L,srcEvent:a}))}});var sb={pointerdown:O,pointermove:P,pointerup:Q,pointercancel:R,pointerout:R},tb={2:J,3:K,4:L,5:M},ub="pointerdown",vb="pointermove pointerup pointercancel";a.MSPointerEvent&&(ub="MSPointerDown",vb="MSPointerMove MSPointerUp MSPointerCancel"),p(wb,ab,{handler:function(a){var b=this.store,c=!1,d=a.type.toLowerCase().replace("ms",""),e=sb[d],f=tb[a.pointerType]||a.pointerType,g=f==J,h=y(b,a.pointerId,"pointerId");e&O&&(0===a.button||g)?0>h&&(b.push(a),h=b.length-1):e&(Q|R)&&(c=!0),0>h||(b[h]=a,this.callback(this.manager,e,{pointers:b,changedPointers:[a],pointerType:f,srcEvent:a}),c&&b.splice(h,1))}});var xb={touchstart:O,touchmove:P,touchend:Q,touchcancel:R},yb="touchstart",zb="touchstart touchmove touchend touchcancel";p(Ab,ab,{handler:function(a){var b=xb[a.type];if(b===O&&(this.started=!0),this.started){var c=Bb.call(this,a,b);b&(Q|R)&&0===c[0].length-c[1].length&&(this.started=!1),this.callback(this.manager,b,{pointers:c[0],changedPointers:c[1],pointerType:J,srcEvent:a})}}});var Cb={touchstart:O,touchmove:P,touchend:Q,touchcancel:R},Db="touchstart touchmove touchend touchcancel";p(Eb,ab,{handler:function(a){var b=Cb[a.type],c=Fb.call(this,a,b);c&&this.callback(this.manager,b,{pointers:c[0],changedPointers:c[1],pointerType:J,srcEvent:a})}}),p(Gb,ab,{handler:function(a,b,c){var d=c.pointerType==J,e=c.pointerType==L;if(d)this.mouse.allow=!1;else if(e&&!this.mouse.allow)return;b&(Q|R)&&(this.mouse.allow=!0),this.callback(a,b,c)},destroy:function(){this.touch.destroy(),this.mouse.destroy()}});var Hb=B(f.style,"touchAction"),Ib=Hb!==d,Jb="compute",Kb="auto",Lb="manipulation",Mb="none",Nb="pan-x",Ob="pan-y";Pb.prototype={set:function(a){a==Jb&&(a=this.compute()),Ib&&(this.manager.element.style[Hb]=a),this.actions=a.toLowerCase().trim()},update:function(){this.set(this.manager.options.touchAction)},compute:function(){var a=[];return m(this.manager.recognizers,function(b){r(b.options.enable,[b])&&(a=a.concat(b.getTouchAction()))}),Qb(a.join(" "))},preventDefaults:function(a){if(!Ib){var b=a.srcEvent,c=a.offsetDirection;if(this.manager.session.prevented)return b.preventDefault(),void 0;var d=this.actions,e=w(d,Mb),f=w(d,Ob),g=w(d,Nb);return e||f&&c&X||g&&c&Y?this.preventSrc(b):void 0}},preventSrc:function(a){this.manager.session.prevented=!0,a.preventDefault()}};var Rb=1,Sb=2,Tb=4,Ub=8,Vb=Ub,Wb=16,Xb=32;Yb.prototype={defaults:{},set:function(a){return n(this.options,a),this.manager&&this.manager.touchAction.update(),this},recognizeWith:function(a){if(l(a,"recognizeWith",this))return this;var b=this.simultaneous;return a=_b(a,this),b[a.id]||(b[a.id]=a,a.recognizeWith(this)),this},dropRecognizeWith:function(a){return l(a,"dropRecognizeWith",this)?this:(a=_b(a,this),delete this.simultaneous[a.id],this)},requireFailure:function(a){if(l(a,"requireFailure",this))return this;var b=this.requireFail;return a=_b(a,this),-1===y(b,a)&&(b.push(a),a.requireFailure(this)),this},dropRequireFailure:function(a){if(l(a,"dropRequireFailure",this))return this;a=_b(a,this);var b=y(this.requireFail,a);return b>-1&&this.requireFail.splice(b,1),this},hasRequireFailures:function(){return this.requireFail.length>0},canRecognizeWith:function(a){return!!this.simultaneous[a.id]},emit:function(a){function d(d){b.manager.emit(b.options.event+(d?Zb(c):""),a)}var b=this,c=this.state;Ub>c&&d(!0),d(),c>=Ub&&d(!0)},tryEmit:function(a){return this.canEmit()?this.emit(a):(this.state=Xb,void 0)},canEmit:function(){for(var a=0;a<this.requireFail.length;){if(!(this.requireFail[a].state&(Xb|Rb)))return!1;a++}return!0},recognize:function(a){var b=n({},a);return r(this.options.enable,[this,b])?(this.state&(Vb|Wb|Xb)&&(this.state=Rb),this.state=this.process(b),this.state&(Sb|Tb|Ub|Wb)&&this.tryEmit(b),void 0):(this.reset(),this.state=Xb,void 0)},process:function(){},getTouchAction:function(){},reset:function(){}},p(ac,Yb,{defaults:{pointers:1},attrTest:function(a){var b=this.options.pointers;return 0===b||a.pointers.length===b},process:function(a){var b=this.state,c=a.eventType,d=b&(Sb|Tb),e=this.attrTest(a);return d&&(c&R||!e)?b|Wb:d||e?c&Q?b|Ub:b&Sb?b|Tb:Sb:Xb}}),p(bc,ac,{defaults:{event:"pan",threshold:10,pointers:1,direction:Z},getTouchAction:function(){var a=this.options.direction,b=[];return a&X&&b.push(Ob),a&Y&&b.push(Nb),b},directionTest:function(a){var b=this.options,c=!0,d=a.distance,e=a.direction,f=a.deltaX,g=a.deltaY;return e&b.direction||(b.direction&X?(e=0===f?S:0>f?T:U,c=f!=this.pX,d=Math.abs(a.deltaX)):(e=0===g?S:0>g?V:W,c=g!=this.pY,d=Math.abs(a.deltaY))),a.direction=e,c&&d>b.threshold&&e&b.direction},attrTest:function(a){return ac.prototype.attrTest.call(this,a)&&(this.state&Sb||!(this.state&Sb)&&this.directionTest(a))},emit:function(a){this.pX=a.deltaX,this.pY=a.deltaY;var b=$b(a.direction);b&&this.manager.emit(this.options.event+b,a),this._super.emit.call(this,a)}}),p(cc,ac,{defaults:{event:"pinch",threshold:0,pointers:2},getTouchAction:function(){return[Mb]},attrTest:function(a){return this._super.attrTest.call(this,a)&&(Math.abs(a.scale-1)>this.options.threshold||this.state&Sb)},emit:function(a){if(this._super.emit.call(this,a),1!==a.scale){var b=a.scale<1?"in":"out";this.manager.emit(this.options.event+b,a)}}}),p(dc,Yb,{defaults:{event:"press",pointers:1,time:500,threshold:5},getTouchAction:function(){return[Kb]},process:function(a){var b=this.options,c=a.pointers.length===b.pointers,d=a.distance<b.threshold,e=a.deltaTime>b.time;if(this._input=a,!d||!c||a.eventType&(Q|R)&&!e)this.reset();else if(a.eventType&O)this.reset(),this._timer=k(function(){this.state=Vb,this.tryEmit()},b.time,this);else if(a.eventType&Q)return Vb;return Xb},reset:function(){clearTimeout(this._timer)},emit:function(a){this.state===Vb&&(a&&a.eventType&Q?this.manager.emit(this.options.event+"up",a):(this._input.timeStamp=j(),this.manager.emit(this.options.event,this._input)))}}),p(ec,ac,{defaults:{event:"rotate",threshold:0,pointers:2},getTouchAction:function(){return[Mb]},attrTest:function(a){return this._super.attrTest.call(this,a)&&(Math.abs(a.rotation)>this.options.threshold||this.state&Sb)}}),p(fc,ac,{defaults:{event:"swipe",threshold:10,velocity:.65,direction:X|Y,pointers:1},getTouchAction:function(){return bc.prototype.getTouchAction.call(this)},attrTest:function(a){var c,b=this.options.direction;return b&(X|Y)?c=a.velocity:b&X?c=a.velocityX:b&Y&&(c=a.velocityY),this._super.attrTest.call(this,a)&&b&a.direction&&a.distance>this.options.threshold&&i(c)>this.options.velocity&&a.eventType&Q},emit:function(a){var b=$b(a.direction);b&&this.manager.emit(this.options.event+b,a),this.manager.emit(this.options.event,a)}}),p(gc,Yb,{defaults:{event:"tap",pointers:1,taps:1,interval:300,time:250,threshold:2,posThreshold:10},getTouchAction:function(){return[Lb]},process:function(a){var b=this.options,c=a.pointers.length===b.pointers,d=a.distance<b.threshold,e=a.deltaTime<b.time;if(this.reset(),a.eventType&O&&0===this.count)return this.failTimeout();if(d&&e&&c){if(a.eventType!=Q)return this.failTimeout();var f=this.pTime?a.timeStamp-this.pTime<b.interval:!0,g=!this.pCenter||kb(this.pCenter,a.center)<b.posThreshold;this.pTime=a.timeStamp,this.pCenter=a.center,g&&f?this.count+=1:this.count=1,this._input=a;var h=this.count%b.taps;if(0===h)return this.hasRequireFailures()?(this._timer=k(function(){this.state=Vb,this.tryEmit()},b.interval,this),Sb):Vb}return Xb},failTimeout:function(){return this._timer=k(function(){this.state=Xb},this.options.interval,this),Xb},reset:function(){clearTimeout(this._timer)},emit:function(){this.state==Vb&&(this._input.tapCount=this.count,this.manager.emit(this.options.event,this._input))}}),hc.VERSION="2.0.4",hc.defaults={domEvents:!1,touchAction:Jb,enable:!0,inputTarget:null,inputClass:null,preset:[[ec,{enable:!1}],[cc,{enable:!1},["rotate"]],[fc,{direction:X}],[bc,{direction:X},["swipe"]],[gc],[gc,{event:"doubletap",taps:2},["tap"]],[dc]],cssProps:{userSelect:"default",touchSelect:"none",touchCallout:"none",contentZooming:"none",userDrag:"none",tapHighlightColor:"rgba(0,0,0,0)"}};var ic=1,jc=2;kc.prototype={set:function(a){return n(this.options,a),a.touchAction&&this.touchAction.update(),a.inputTarget&&(this.input.destroy(),this.input.target=a.inputTarget,this.input.init()),this},stop:function(a){this.session.stopped=a?jc:ic},recognize:function(a){var b=this.session;if(!b.stopped){this.touchAction.preventDefaults(a);var c,d=this.recognizers,e=b.curRecognizer;(!e||e&&e.state&Vb)&&(e=b.curRecognizer=null);for(var f=0;f<d.length;)c=d[f],b.stopped===jc||e&&c!=e&&!c.canRecognizeWith(e)?c.reset():c.recognize(a),!e&&c.state&(Sb|Tb|Ub)&&(e=b.curRecognizer=c),f++}},get:function(a){if(a instanceof Yb)return a;for(var b=this.recognizers,c=0;c<b.length;c++)if(b[c].options.event==a)return b[c];return null},add:function(a){if(l(a,"add",this))return this;var b=this.get(a.options.event);return b&&this.remove(b),this.recognizers.push(a),a.manager=this,this.touchAction.update(),a},remove:function(a){if(l(a,"remove",this))return this;var b=this.recognizers;return a=this.get(a),b.splice(y(b,a),1),this.touchAction.update(),this},on:function(a,b){var c=this.handlers;return m(x(a),function(a){c[a]=c[a]||[],c[a].push(b)}),this},off:function(a,b){var c=this.handlers;return m(x(a),function(a){b?c[a].splice(y(c[a],b),1):delete c[a]}),this},emit:function(a,b){this.options.domEvents&&mc(a,b);var c=this.handlers[a]&&this.handlers[a].slice();if(c&&c.length){b.type=a,b.preventDefault=function(){b.srcEvent.preventDefault()};for(var d=0;d<c.length;)c[d](b),d++}},destroy:function(){this.element&&lc(this,!1),this.handlers={},this.session={},this.input.destroy(),this.element=null}},n(hc,{INPUT_START:O,INPUT_MOVE:P,INPUT_END:Q,INPUT_CANCEL:R,STATE_POSSIBLE:Rb,STATE_BEGAN:Sb,STATE_CHANGED:Tb,STATE_ENDED:Ub,STATE_RECOGNIZED:Vb,STATE_CANCELLED:Wb,STATE_FAILED:Xb,DIRECTION_NONE:S,DIRECTION_LEFT:T,DIRECTION_RIGHT:U,DIRECTION_UP:V,DIRECTION_DOWN:W,DIRECTION_HORIZONTAL:X,DIRECTION_VERTICAL:Y,DIRECTION_ALL:Z,Manager:kc,Input:ab,TouchAction:Pb,TouchInput:Eb,MouseInput:rb,PointerEventInput:wb,TouchMouseInput:Gb,SingleTouchInput:Ab,Recognizer:Yb,AttrRecognizer:ac,Tap:gc,Pan:bc,Swipe:fc,Pinch:cc,Rotate:ec,Press:dc,on:t,off:u,each:m,merge:o,extend:n,inherit:p,bindFn:q,prefixed:B}),typeof define==g&&define.amd?define(function(){return hc}):"undefined"!=typeof module&&module.exports?module.exports=hc:a[c]=hc}(window,document,"Hammer");;(function(factory) {
223
    if (typeof define === 'function' && define.amd) {
224
        define(['jquery', 'hammerjs'], factory);
225
    } else if (typeof exports === 'object') {
226
        factory(require('jquery'), require('hammerjs'));
227
    } else {
228
        factory(jQuery, Hammer);
229
    }
230
}(function($, Hammer) {
231
    function hammerify(el, options) {
232
        var $el = $(el);
233
        if(!$el.data("hammer")) {
234
            $el.data("hammer", new Hammer($el[0], options));
235
        }
236
    }
237

    
238
    $.fn.hammer = function(options) {
239
        return this.each(function() {
240
            hammerify(this, options);
241
        });
242
    };
243

    
244
    // extend the emit method to also trigger jQuery events
245
    Hammer.Manager.prototype.emit = (function(originalEmit) {
246
        return function(type, data) {
247
            originalEmit.call(this, type, data);
248
            $(this.element).trigger({
249
                type: type,
250
                gesture: data
251
            });
252
        };
253
    })(Hammer.Manager.prototype.emit);
254
}));
255
;Materialize = {};
256

    
257
// Unique ID
258
Materialize.guid = (function() {
259
  function s4() {
260
    return Math.floor((1 + Math.random()) * 0x10000)
261
      .toString(16)
262
      .substring(1);
263
  }
264
  return function() {
265
    return s4() + s4() + '-' + s4() + '-' + s4() + '-' +
266
           s4() + '-' + s4() + s4() + s4();
267
  };
268
})();
269

    
270
Materialize.elementOrParentIsFixed = function(element) {
271
    var $element = $(element);
272
    var $checkElements = $element.add($element.parents());
273
    var isFixed = false;
274
    $checkElements.each(function(){
275
        if ($(this).css("position") === "fixed") {
276
            isFixed = true;
277
            return false;
278
        }
279
    });
280
    return isFixed;
281
}
282

    
283
// Velocity has conflicts when loaded with jQuery, this will check for it
284
var Vel;
285
if ($) { Vel = $.Velocity } else { Vel = Velocity};
286
;(function ($) {
287
  $.fn.collapsible = function(options) {
288
    var defaults = {
289
        accordion: undefined
290
    };
291

    
292
    options = $.extend(defaults, options);
293

    
294

    
295
    return this.each(function() {
296

    
297
      var $this = $(this);
298

    
299
      var $panel_headers = $(this).find('> li > .collapsible-header');
300

    
301
      var collapsible_type = $this.data("collapsible");
302

    
303
      // Turn off any existing event handlers
304
       $this.off('click.collapse', '.collapsible-header');
305
       $panel_headers.off('click.collapse');
306

    
307

    
308
       /****************
309
       Helper Functions
310
       ****************/
311

    
312
      // Accordion Open
313
      function accordionOpen(object) {
314
        $panel_headers = $this.find('> li > .collapsible-header');
315
        if (object.hasClass('active')) {
316
            object.parent().addClass('active');
317
        }
318
        else {
319
            object.parent().removeClass('active');
320
        }
321
        if (object.parent().hasClass('active')){
322
          object.siblings('.collapsible-body').stop(true,false).slideDown({ duration: 350, easing: "easeOutQuart", queue: false, complete: function() {$(this).css('height', '')}});
323
        }
324
        else{
325
          object.siblings('.collapsible-body').stop(true,false).slideUp({ duration: 350, easing: "easeOutQuart", queue: false, complete: function() {$(this).css('height', '')}});
326
        }
327

    
328
        $panel_headers.not(object).removeClass('active').parent().removeClass('active');
329
        $panel_headers.not(object).parent().children('.collapsible-body').stop(true,false).slideUp(
330
          {
331
            duration: 350,
332
            easing: "easeOutQuart",
333
            queue: false,
334
            complete:
335
              function() {
336
                $(this).css('height', '')
337
              }
338
          });
339
      }
340

    
341
      // Expandable Open
342
      function expandableOpen(object) {
343
        if (object.hasClass('active')) {
344
            object.parent().addClass('active');
345
        }
346
        else {
347
            object.parent().removeClass('active');
348
        }
349
        if (object.parent().hasClass('active')){
350
          object.siblings('.collapsible-body').stop(true,false).slideDown({ duration: 350, easing: "easeOutQuart", queue: false, complete: function() {$(this).css('height', '')}});
351
        }
352
        else{
353
          object.siblings('.collapsible-body').stop(true,false).slideUp({ duration: 350, easing: "easeOutQuart", queue: false, complete: function() {$(this).css('height', '')}});
354
        }
355
      }
356

    
357
      /**
358
       * Check if object is children of panel header
359
       * @param  {Object}  object Jquery object
360
       * @return {Boolean} true if it is children
361
       */
362
      function isChildrenOfPanelHeader(object) {
363

    
364
        var panelHeader = getPanelHeader(object);
365

    
366
        return panelHeader.length > 0;
367
      }
368

    
369
      /**
370
       * Get panel header from a children element
371
       * @param  {Object} object Jquery object
372
       * @return {Object} panel header object
373
       */
374
      function getPanelHeader(object) {
375

    
376
        return object.closest('li > .collapsible-header');
377
      }
378

    
379
      /*****  End Helper Functions  *****/
380

    
381

    
382

    
383
      if (options.accordion || collapsible_type == "accordion" || collapsible_type == undefined) { // Handle Accordion
384
        // Add click handler to only direct collapsible header children
385
        $panel_headers = $this.find('> li > .collapsible-header');
386
        $panel_headers.on('click.collapse', function (e) {
387
          var element = $(e.target);
388

    
389
          if (isChildrenOfPanelHeader(element)) {
390
            element = getPanelHeader(element);
391
          }
392

    
393
          element.toggleClass('active');
394
          accordionOpen(element);
395
        });
396
        // Open first active
397
        accordionOpen($panel_headers.filter('.active').first());
398
      }
399
      else { // Handle Expandables
400
        $panel_headers.each(function () {
401
          // Add click handler to only direct collapsible header children
402
          $(this).on('click.collapse', function (e) {
403
            var element = $(e.target);
404
            if (isChildrenOfPanelHeader(element)) {
405
              element = getPanelHeader(element);
406
            }
407
            element.toggleClass('active');
408
            expandableOpen(element);
409
          });
410
          // Open any bodies that have the active class
411
          if ($(this).hasClass('active')) {
412
            expandableOpen($(this));
413
          }
414

    
415
        });
416
      }
417

    
418
    });
419
  };
420

    
421
  $(document).ready(function(){
422
    $('.collapsible').collapsible();
423
  });
424
}( jQuery ));;(function ($) {
425

    
426
  // Add posibility to scroll to selected option
427
  // usefull for select for example
428
  $.fn.scrollTo = function(elem) {
429
    $(this).scrollTop($(this).scrollTop() - $(this).offset().top + $(elem).offset().top);
430
    return this;
431
  };
432

    
433
  $.fn.dropdown = function (option) {
434
    var defaults = {
435
      inDuration: 300,
436
      outDuration: 225,
437
      constrain_width: true, // Constrains width of dropdown to the activator
438
      hover: false,
439
      gutter: 0, // Spacing from edge
440
      belowOrigin: false
441
    }
442

    
443
    this.each(function(){
444
    var origin = $(this);
445
    var options = $.extend({}, defaults, option);
446

    
447
    // Dropdown menu
448
    var activates = $("#"+ origin.attr('data-activates'));
449

    
450
    function updateOptions() {
451
      if (origin.data('induration') != undefined)
452
        options.inDuration = origin.data('inDuration');
453
      if (origin.data('outduration') != undefined)
454
        options.outDuration = origin.data('outDuration');
455
      if (origin.data('constrainwidth') != undefined)
456
        options.constrain_width = origin.data('constrainwidth');
457
      if (origin.data('hover') != undefined)
458
        options.hover = origin.data('hover');
459
      if (origin.data('gutter') != undefined)
460
        options.gutter = origin.data('gutter');
461
      if (origin.data('beloworigin') != undefined)
462
        options.belowOrigin = origin.data('beloworigin');
463
    }
464

    
465
    updateOptions();
466

    
467
    // Attach dropdown to its activator
468
    origin.after(activates);
469

    
470
    /*
471
      Helper function to position and resize dropdown.
472
      Used in hover and click handler.
473
    */
474
    function placeDropdown() {
475
      // Check html data attributes
476
      updateOptions();
477

    
478
      // Set Dropdown state
479
      activates.addClass('active');
480

    
481
      // Constrain width
482
      if (options.constrain_width == true) {
483
        activates.css('width', origin.outerWidth());
484
      }
485
      var offset = 0;
486
      if (options.belowOrigin == true) {
487
        offset = origin.height();
488
      }
489

    
490
      // Handle edge alignment
491
      var offsetLeft = origin.offset().left;
492
      var width_difference = 0;
493
      var gutter_spacing = options.gutter;
494

    
495

    
496
      if (offsetLeft + activates.innerWidth() > $(window).width()) {
497
        width_difference = origin.innerWidth() - activates.innerWidth();
498
        gutter_spacing = gutter_spacing * -1;
499
      }
500

    
501
      // Position dropdown
502
      activates.css({
503
        position: 'absolute',
504
        top: origin.position().top + offset,
505
        left: origin.position().left + width_difference + gutter_spacing
506
      });
507

    
508

    
509

    
510
      // Show dropdown
511
      activates.stop(true, true).css('opacity', 0)
512
        .slideDown({
513
        queue: false,
514
        duration: options.inDuration,
515
        easing: 'easeOutCubic',
516
        complete: function() {
517
          $(this).css('height', '');
518
        }
519
      })
520
        .animate( {opacity: 1}, {queue: false, duration: options.inDuration, easing: 'easeOutSine'});
521
    }
522

    
523
    function hideDropdown() {
524
      activates.fadeOut(options.outDuration);
525
      activates.removeClass('active');
526
    }
527

    
528
    // Hover
529
    if (options.hover) {
530
      var open = false;
531
      origin.unbind('click.' + origin.attr('id'));
532
      // Hover handler to show dropdown
533
      origin.on('mouseenter', function(e){ // Mouse over
534
        if (open === false) {
535
          placeDropdown();
536
          open = true
537
        }
538
      });
539
      origin.on('mouseleave', function(e){
540
        // If hover on origin then to something other than dropdown content, then close
541
        if(!$(e.toElement).closest('.dropdown-content').is(activates)) {
542
          activates.stop(true, true);
543
          hideDropdown();
544
          open = false;
545
        }
546
      });
547

    
548
      activates.on('mouseleave', function(e){ // Mouse out
549
        if(!$(e.toElement).closest('.dropdown-button').is(origin)) {
550
          activates.stop(true, true);
551
          hideDropdown();
552
          open = false;
553
        }
554
      });
555

    
556
    // Click
557
    } else {
558

    
559
      // Click handler to show dropdown
560
      origin.unbind('click.' + origin.attr('id'));
561
      origin.bind('click.'+origin.attr('id'), function(e){
562

    
563
        if ( origin[0] == e.currentTarget && ($(e.target).closest('.dropdown-content').length === 0) ) {
564
          e.preventDefault(); // Prevents button click from moving window
565
          placeDropdown();
566

    
567
        }
568
        // If origin is clicked and menu is open, close menu
569
        else {
570
          if (origin.hasClass('active')) {
571
            hideDropdown();
572
            $(document).unbind('click.' + activates.attr('id'));
573
          }
574
        }
575
        // If menu open, add click close handler to document
576
        if (activates.hasClass('active')) {
577
          $(document).bind('click.'+ activates.attr('id'), function (e) {
578
            if (!activates.is(e.target) && !origin.is(e.target) && (!origin.find(e.target).length > 0) ) {
579
              hideDropdown();
580
              $(document).unbind('click.' + activates.attr('id'));
581
            }
582
          });
583
        }
584
      });
585

    
586
    } // End else
587

    
588
    // Listen to open and close event - useful for select component
589
    origin.on('open', placeDropdown);
590
    origin.on('close', hideDropdown);
591

    
592

    
593
   });
594
  }; // End dropdown plugin
595

    
596
  $(document).ready(function(){
597
    $('.dropdown-button').dropdown();
598
  });
599
}( jQuery ));
600
;(function($) {
601
  $.fn.extend({
602
    openModal: function(options) {
603
      var modal = this;
604
      var overlay = $('<div id="lean-overlay"></div>');
605
      $("body").append(overlay);
606

    
607
      var defaults = {
608
        opacity: 0.5,
609
        in_duration: 350,
610
        out_duration: 250,
611
        ready: undefined,
612
        complete: undefined,
613
        dismissible: true
614
      }
615

    
616
      // Override defaults
617
      options = $.extend(defaults, options);
618

    
619
      if (options.dismissible) {
620
        $("#lean-overlay").click(function() {
621
          $(modal).closeModal(options);
622
        });
623
        // Return on ESC
624
        $(document).on('keyup.leanModal', function(e) {
625
          if (e.keyCode === 27) {   // ESC key
626
            $(modal).closeModal(options);
627
          }
628
        });
629
      }
630

    
631
      $(modal).find(".modal-close").click(function(e) {
632
        $(modal).closeModal(options);
633
      });
634

    
635
      $("#lean-overlay").css({ display : "block", opacity : 0 });
636

    
637
      $(modal).css({
638
        display : "block",
639
        opacity: 0
640
      });
641

    
642
      $("#lean-overlay").velocity({opacity: options.opacity}, {duration: options.in_duration, queue: false, ease: "easeOutCubic"});
643

    
644

    
645
      // Define Bottom Sheet animation
646
      if ($(modal).hasClass('bottom-sheet')) {
647
        $(modal).velocity({bottom: "0", opacity: 1}, {
648
          duration: options.in_duration,
649
          queue: false,
650
          ease: "easeOutCubic",
651
          // Handle modal ready callback
652
          complete: function() {
653
            if (typeof(options.ready) === "function") {
654
              options.ready();
655
            }
656
          }
657
        });
658
      }
659
      else {
660
        $(modal).css({ top: "4%" });
661
        $(modal).velocity({top: "10%", opacity: 1}, {
662
          duration: options.in_duration,
663
          queue: false,
664
          ease: "easeOutCubic",
665
          // Handle modal ready callback
666
          complete: function() {
667
            if (typeof(options.ready) === "function") {
668
              options.ready();
669
            }
670
          }
671
        });
672
      }
673

    
674

    
675
    }
676
  });
677

    
678
  $.fn.extend({
679
    closeModal: function(options) {
680
      var defaults = {
681
        out_duration: 250,
682
        complete: undefined
683
      }
684
      var options = $.extend(defaults, options);
685

    
686
      $('.modal-close').off();
687
      $(document).off('keyup.leanModal');
688

    
689
      $("#lean-overlay").velocity( { opacity: 0}, {duration: options.out_duration, queue: false, ease: "easeOutQuart"});
690

    
691

    
692
      // Define Bottom Sheet animation
693
      if ($(this).hasClass('bottom-sheet')) {
694
        $(this).velocity({bottom: "-100%", opacity: 0}, {
695
          duration: options.out_duration,
696
          queue: false,
697
          ease: "easeOutCubic",
698
          // Handle modal ready callback
699
          complete: function() {
700
            $("#lean-overlay").css({display:"none"});
701

    
702
            // Call complete callback
703
            if (typeof(options.complete) === "function") {
704
              options.complete();
705
            }
706
            $('#lean-overlay').remove();
707
          }
708
        });
709
      }
710
      else {
711
        $(this).fadeOut(options.out_duration, function() {
712
          $(this).css({ top: 0});
713
          $("#lean-overlay").css({display:"none"});
714

    
715
          // Call complete callback
716
          if (typeof(options.complete) === "function") {
717
            options.complete();
718
          }
719
          $('#lean-overlay').remove();
720
        });
721
      }
722

    
723
    }
724
  })
725

    
726
  $.fn.extend({
727
    leanModal: function(options) {
728
      return this.each(function() {
729
        // Close Handlers
730
        $(this).click(function(e) {
731
          var modal_id = $(this).attr("href") || '#' + $(this).data('target');
732
          $(modal_id).openModal(options);
733
          e.preventDefault();
734
        }); // done set on click
735
      }); // done return
736
    }
737
  });
738
})(jQuery);
739
;(function ($) {
740

    
741
  $.fn.materialbox = function () {
742

    
743
    return this.each(function() {
744

    
745
      if ($(this).hasClass('intialized')) {
746
        return;
747
      }
748

    
749
      $(this).addClass('intialized');
750

    
751
      var overlayActive = false;
752
      var doneAnimating = true;
753
      var inDuration = 275;
754
      var outDuration = 200;
755
      var origin = $(this);
756
      var placeholder = $('<div></div>').addClass('material-placeholder');
757
      var originalWidth = 0;
758
      var originalHeight = 0;
759
      origin.wrap(placeholder);
760
      
761
      
762
      origin.on('click', function(){
763
        var placeholder = origin.parent('.material-placeholder');
764
        var windowWidth = window.innerWidth;
765
        var windowHeight = window.innerHeight;
766
        var originalWidth = origin.width();
767
        var originalHeight = origin.height();
768
        
769

    
770
        // If already modal, return to original
771
        if (doneAnimating === false) {
772
          returnToOriginal();
773
          return false;
774
        }
775
        else if (overlayActive && doneAnimating===true) {
776
          returnToOriginal();
777
          return false;
778
        }
779
        
780

    
781
        // Set states
782
        doneAnimating = false;
783
        origin.addClass('active');
784
        overlayActive = true;
785

    
786
        // Set positioning for placeholder
787

    
788
        placeholder.css({
789
          width: placeholder[0].getBoundingClientRect().width,
790
          height: placeholder[0].getBoundingClientRect().height,
791
          position: 'relative',
792
          top: 0,
793
          left: 0
794
        });
795
        
796
        
797

    
798
        // Set css on origin
799
        origin.css({position: 'absolute', 'z-index': 1000})
800
        .data('width', originalWidth)
801
        .data('height', originalHeight);
802

    
803
        // Add overlay
804
        var overlay = $('<div id="materialbox-overlay"></div>')
805
          .css({
806
            opacity: 0
807
          })
808
          .click(function(){
809
            if (doneAnimating === true)
810
            returnToOriginal();
811
          });
812
          // Animate Overlay
813
          $('body').append(overlay);
814
          overlay.velocity({opacity: 1}, {duration: inDuration, queue: false, easing: 'easeOutQuad'}
815
            );
816

    
817

    
818
        // Add and animate caption if it exists
819
        if (origin.data('caption') !== "") {
820
          var $photo_caption = $('<div class="materialbox-caption"></div>');
821
          $photo_caption.text(origin.data('caption'));
822
          $('body').append($photo_caption);
823
          $photo_caption.css({ "display": "inline" });
824
          $photo_caption.velocity({opacity: 1}, {duration: inDuration, queue: false, easing: 'easeOutQuad'})
825
        }
826

    
827

    
828

    
829
        // Resize Image
830
        var ratio = 0;
831
        var widthPercent = originalWidth / windowWidth;
832
        var heightPercent = originalHeight / windowHeight;
833
        var newWidth = 0;
834
        var newHeight = 0;
835

    
836
        if (widthPercent > heightPercent) {
837
          ratio = originalHeight / originalWidth;
838
          newWidth = windowWidth * 0.9;
839
          newHeight = windowWidth * 0.9 * ratio;
840
        }
841
        else {
842
          ratio = originalWidth / originalHeight;
843
          newWidth = (windowHeight * 0.9) * ratio;
844
          newHeight = windowHeight * 0.9;
845
        }
846

    
847
        // Animate image + set z-index
848
        if(origin.hasClass('responsive-img')) {
849
          origin.velocity({'max-width': newWidth, 'width': originalWidth}, {duration: 0, queue: false,
850
            complete: function(){
851
              origin.css({left: 0, top: 0})
852
              .velocity(
853
                {
854
                  height: newHeight,
855
                  width: newWidth,
856
                  left: $(document).scrollLeft() + windowWidth/2 - origin.parent('.material-placeholder').offset().left - newWidth/2,
857
                  top: $(document).scrollTop() + windowHeight/2 - origin.parent('.material-placeholder').offset().top - newHeight/ 2
858
                },
859
                {
860
                  duration: inDuration,
861
                  queue: false,
862
                  easing: 'easeOutQuad',
863
                  complete: function(){doneAnimating = true;}
864
                }
865
              );
866
            } // End Complete
867
          }); // End Velocity
868
        }
869
        else {
870
          origin.css('left', 0)
871
          .css('top', 0)
872
          .velocity(
873
            {
874
              height: newHeight,
875
              width: newWidth,
876
              left: $(document).scrollLeft() + windowWidth/2 - origin.parent('.material-placeholder').offset().left - newWidth/2,
877
              top: $(document).scrollTop() + windowHeight/2 - origin.parent('.material-placeholder').offset().top - newHeight/ 2
878
            },
879
            {
880
              duration: inDuration,
881
              queue: false,
882
              easing: 'easeOutQuad',
883
              complete: function(){doneAnimating = true;}
884
            }
885
            ); // End Velocity
886
        }
887

    
888
    }); // End origin on click
889

    
890

    
891
      // Return on scroll
892
      $(window).scroll(function() {
893
        if (overlayActive ) {
894
          returnToOriginal();
895
        }
896
      });
897

    
898
      // Return on ESC
899
      $(document).keyup(function(e) {
900

    
901
        if (e.keyCode === 27 && doneAnimating === true) {   // ESC key
902
          if (overlayActive) {
903
            returnToOriginal();
904
          }
905
        }
906
      });
907

    
908

    
909
      // This function returns the modaled image to the original spot
910
      function returnToOriginal() {
911

    
912
          doneAnimating = false;
913

    
914
          var placeholder = origin.parent('.material-placeholder');
915
          var windowWidth = window.innerWidth;
916
          var windowHeight = window.innerHeight;
917
          var originalWidth = origin.data('width');
918
          var originalHeight = origin.data('height');
919
       
920
          origin.velocity("stop", true);
921
          $('#materialbox-overlay').velocity("stop", true);
922
          $('.materialbox-caption').velocity("stop", true);
923

    
924

    
925
          $('#materialbox-overlay').velocity({opacity: 0}, {
926
            duration: outDuration, // Delay prevents animation overlapping
927
            queue: false, easing: 'easeOutQuad',
928
            complete: function(){
929
              // Remove Overlay
930
              overlayActive = false;
931
              $(this).remove();
932
            }
933
          });
934

    
935
          // Resize Image
936
          origin.velocity(
937
            {
938
              width: originalWidth,
939
              height: originalHeight,
940
              left: 0,
941
              top: 0
942
            },
943
            {
944
              duration: outDuration,
945
              queue: false, easing: 'easeOutQuad'
946
            }
947
          );
948

    
949
          // Remove Caption + reset css settings on image
950
          $('.materialbox-caption').velocity({opacity: 0}, {
951
            duration: outDuration, // Delay prevents animation overlapping
952
            queue: false, easing: 'easeOutQuad',
953
            complete: function(){
954
              placeholder.css({
955
                height: '',
956
                width: '',
957
                position: '',
958
                top: '',
959
                left: ''
960
              });
961

    
962
              origin.css({
963
                height: '',
964
                top: '',
965
                left: '',
966
                width: '',
967
                'max-width': '',
968
                position: '',
969
                'z-index': ''
970
              });
971

    
972
              // Remove class
973
              origin.removeClass('active');
974
              doneAnimating = true;
975
              $(this).remove();
976
            }
977
          });
978

    
979
        }
980
        });
981
};
982

    
983
$(document).ready(function(){
984
  $('.materialboxed').materialbox();
985
});
986

    
987
}( jQuery ));
988
;(function ($) {
989

    
990
    $.fn.parallax = function () {
991
      var window_width = $(window).width();
992
      // Parallax Scripts
993
      return this.each(function(i) {
994
        var $this = $(this);
995
        $this.addClass('parallax');
996

    
997
        function updateParallax(initial) {
998
          var container_height;
999
          if (window_width < 601) {
1000
            container_height = ($this.height() > 0) ? $this.height() : $this.children("img").height();
1001
          }
1002
          else {
1003
            container_height = ($this.height() > 0) ? $this.height() : 500;
1004
          }
1005
          var $img = $this.children("img").first();
1006
          var img_height = $img.height();
1007
          var parallax_dist = img_height - container_height;
1008
          var bottom = $this.offset().top + container_height;
1009
          var top = $this.offset().top;
1010
          var scrollTop = $(window).scrollTop();
1011
          var windowHeight = window.innerHeight;
1012
          var windowBottom = scrollTop + windowHeight;
1013
          var percentScrolled = (windowBottom - top) / (container_height + windowHeight);
1014
          var parallax = Math.round((parallax_dist * percentScrolled));
1015

    
1016
          if (initial) {
1017
            $img.css('display', 'block');
1018
          }
1019
          if ((bottom > scrollTop) && (top < (scrollTop + windowHeight))) {
1020
            $img.css('transform', "translate3D(-50%," + parallax + "px, 0)");
1021
          }
1022

    
1023
        }
1024

    
1025
        // Wait for image load
1026
        $this.children("img").one("load", function() {
1027
          updateParallax(true);
1028
        }).each(function() {
1029
          if(this.complete) $(this).load();
1030
        });
1031

    
1032
        $(window).scroll(function() {
1033
          window_width = $(window).width();
1034
          updateParallax(false);
1035
        });
1036

    
1037
        $(window).resize(function() {
1038
          window_width = $(window).width();
1039
          updateParallax(false);
1040
        });
1041

    
1042
      });
1043

    
1044
    };
1045
}( jQuery ));;(function ($) {
1046

    
1047
  var methods = {
1048
    init : function() {
1049
      return this.each(function() {
1050

    
1051
      // For each set of tabs, we want to keep track of
1052
      // which tab is active and its associated content
1053
      var $this = $(this),
1054
          window_width = $(window).width();
1055

    
1056
      $this.width('100%');
1057
      // Set Tab Width for each tab
1058
      var $num_tabs = $(this).children('li').length;
1059
      $this.children('li').each(function() {
1060
        $(this).width((100/$num_tabs)+'%');
1061
      });
1062
      var $active, $content, $links = $this.find('li.tab a'),
1063
          $tabs_width = $this.width(),
1064
          $tab_width = $this.find('li').first().outerWidth(),
1065
          $index = 0;
1066

    
1067
      // If the location.hash matches one of the links, use that as the active tab.
1068
      $active = $($links.filter('[href="'+location.hash+'"]'));
1069

    
1070
      // If no match is found, use the first link or any with class 'active' as the initial active tab.
1071
      if ($active.length === 0) {
1072
          $active = $(this).find('li.tab a.active').first();
1073
      }
1074
      if ($active.length === 0) {
1075
        $active = $(this).find('li.tab a').first();
1076
      }
1077

    
1078
      $active.addClass('active');
1079
      $index = $links.index($active);
1080
      if ($index < 0) {
1081
        $index = 0;
1082
      }
1083

    
1084
      $content = $($active[0].hash);
1085

    
1086
      // append indicator then set indicator width to tab width
1087
      $this.append('<div class="indicator"></div>');
1088
      var $indicator = $this.find('.indicator');
1089
      if ($this.is(":visible")) {
1090
        $indicator.css({"right": $tabs_width - (($index + 1) * $tab_width)});
1091
        $indicator.css({"left": $index * $tab_width});
1092
      }
1093
      $(window).resize(function () {
1094
        $tabs_width = $this.width();
1095
        $tab_width = $this.find('li').first().outerWidth();
1096
        if ($index < 0) {
1097
          $index = 0;
1098
        }
1099
        if ($tab_width !== 0 && $tabs_width !== 0) {
1100
          $indicator.css({"right": $tabs_width - (($index + 1) * $tab_width)});
1101
          $indicator.css({"left": $index * $tab_width});
1102
        }
1103
      });
1104

    
1105
      // Hide the remaining content
1106
      $links.not($active).each(function () {
1107
        $(this.hash).hide();
1108
      });
1109

    
1110

    
1111
      // Bind the click event handler
1112
      $this.on('click', 'a', function(e){
1113
        $tabs_width = $this.width();
1114
        $tab_width = $this.find('li').first().outerWidth();
1115

    
1116
        // Make the old tab inactive.
1117
        $active.removeClass('active');
1118
        $content.hide();
1119

    
1120
        // Update the variables with the new link and content
1121
        $active = $(this);
1122
        $content = $(this.hash);
1123
        $links = $this.find('li.tab a');
1124

    
1125
        // Make the tab active.
1126
        $active.addClass('active');
1127
        var $prev_index = $index;
1128
        $index = $links.index($(this));
1129
        if ($index < 0) {
1130
          $index = 0;
1131
        }
1132
        // Change url to current tab
1133
        // window.location.hash = $active.attr('href');
1134

    
1135
        $content.show();
1136

    
1137
        // Update indicator
1138
        if (($index - $prev_index) >= 0) {
1139
          $indicator.velocity({"right": $tabs_width - (($index + 1) * $tab_width)}, { duration: 300, queue: false, easing: 'easeOutQuad'});
1140
          $indicator.velocity({"left": $index * $tab_width}, {duration: 300, queue: false, easing: 'easeOutQuad', delay: 90});
1141

    
1142
        }
1143
        else {
1144
          $indicator.velocity({"left": $index * $tab_width}, { duration: 300, queue: false, easing: 'easeOutQuad'});
1145
          $indicator.velocity({"right": $tabs_width - (($index + 1) * $tab_width)}, {duration: 300, queue: false, easing: 'easeOutQuad', delay: 90});
1146
        }
1147

    
1148
        // Prevent the anchor's default click action
1149
        e.preventDefault();
1150
      });
1151
    });
1152

    
1153
    },
1154
    select_tab : function( id ) {
1155
      this.find('a[href="#' + id + '"]').trigger('click');
1156
    }
1157
  };
1158

    
1159
  $.fn.tabs = function(methodOrOptions) {
1160
    if ( methods[methodOrOptions] ) {
1161
      return methods[ methodOrOptions ].apply( this, Array.prototype.slice.call( arguments, 1 ));
1162
    } else if ( typeof methodOrOptions === 'object' || ! methodOrOptions ) {
1163
      // Default to "init"
1164
      return methods.init.apply( this, arguments );
1165
    } else {
1166
      $.error( 'Method ' +  methodOrOptions + ' does not exist on jQuery.tooltip' );
1167
    }
1168
  };
1169

    
1170
  $(document).ready(function(){
1171
    $('ul.tabs').tabs();
1172
  });
1173
}( jQuery ));
1174
;(function ($) {
1175
    $.fn.tooltip = function (options) {
1176
        var timeout = null,
1177
    		counter = null,
1178
    		started = false,
1179
    		counterInterval = null,
1180
    		margin = 5;
1181

    
1182
      // Defaults
1183
      var defaults = {
1184
        delay: 350
1185
      };
1186
      options = $.extend(defaults, options);
1187

    
1188
      //Remove previously created html
1189
      $('.material-tooltip').remove();
1190

    
1191
      return this.each(function(){
1192
        var origin = $(this);
1193

    
1194
      // Create Text span
1195
      var tooltip_text = $('<span></span>').text(origin.attr('data-tooltip'));
1196

    
1197
      // Create tooltip
1198
      var newTooltip = $('<div></div>');
1199
      newTooltip.addClass('material-tooltip').append(tooltip_text);
1200
      newTooltip.appendTo($('body'));
1201

    
1202
      var backdrop = $('<div></div>').addClass('backdrop');
1203
      backdrop.appendTo(newTooltip);
1204
      backdrop.css({ top: 0, left:0 });
1205

    
1206

    
1207
     //Destroy previously binded events
1208
    $(this).off('mouseenter mouseleave');
1209
      // Mouse In
1210
    $(this).on({
1211
      mouseenter: function(e) {
1212
        var tooltip_delay = origin.data("delay");
1213
        tooltip_delay = (tooltip_delay == undefined || tooltip_delay == "") ? options.delay : tooltip_delay;
1214
        counter = 0;
1215
        counterInterval = setInterval(function(){
1216
          counter += 10;
1217
          if (counter >= tooltip_delay && started == false) {
1218
            started = true
1219
            newTooltip.css({ display: 'block', left: '0px', top: '0px' });
1220

    
1221
            // Set Tooltip text
1222
            newTooltip.children('span').text(origin.attr('data-tooltip'));
1223

    
1224
            // Tooltip positioning
1225
            var originWidth = origin.outerWidth();
1226
            var originHeight = origin.outerHeight();
1227
            var tooltipPosition =  origin.attr('data-position');
1228
            var tooltipHeight = newTooltip.outerHeight();
1229
            var tooltipWidth = newTooltip.outerWidth();
1230
            var tooltipVerticalMovement = '0px';
1231
            var tooltipHorizontalMovement = '0px';
1232
            var scale_factor = 8;
1233

    
1234
            if (tooltipPosition === "top") {
1235
            // Top Position
1236
            newTooltip.css({
1237
              top: origin.offset().top - tooltipHeight - margin,
1238
              left: origin.offset().left + originWidth/2 - tooltipWidth/2
1239
            });
1240
            tooltipVerticalMovement = '-10px';
1241
            backdrop.css({
1242
              borderRadius: '14px 14px 0 0',
1243
              transformOrigin: '50% 90%',
1244
              marginTop: tooltipHeight,
1245
              marginLeft: (tooltipWidth/2) - (backdrop.width()/2)
1246

    
1247
            });
1248
            }
1249
            // Left Position
1250
            else if (tooltipPosition === "left") {
1251
              newTooltip.css({
1252
                top: origin.offset().top + originHeight/2 - tooltipHeight/2,
1253
                left: origin.offset().left - tooltipWidth - margin
1254
              });
1255
              tooltipHorizontalMovement = '-10px';
1256
              backdrop.css({
1257
                width: '14px',
1258
                height: '14px',
1259
                borderRadius: '14px 0 0 14px',
1260
                transformOrigin: '95% 50%',
1261
                marginTop: tooltipHeight/2,
1262
                marginLeft: tooltipWidth
1263
              });
1264
            }
1265
            // Right Position
1266
            else if (tooltipPosition === "right") {
1267
              newTooltip.css({
1268
                top: origin.offset().top + originHeight/2 - tooltipHeight/2,
1269
                left: origin.offset().left + originWidth + margin
1270
              });
1271
              tooltipHorizontalMovement = '+10px';
1272
              backdrop.css({
1273
                width: '14px',
1274
                height: '14px',
1275
                borderRadius: '0 14px 14px 0',
1276
                transformOrigin: '5% 50%',
1277
                marginTop: tooltipHeight/2,
1278
                marginLeft: '0px'
1279
              });
1280
            }
1281
            else {
1282
              // Bottom Position
1283
              newTooltip.css({
1284
                top: origin.offset().top + origin.outerHeight() + margin,
1285
                left: origin.offset().left + originWidth/2 - tooltipWidth/2
1286
              });
1287
              tooltipVerticalMovement = '+10px';
1288
              backdrop.css({
1289
                marginLeft: (tooltipWidth/2) - (backdrop.width()/2)
1290
              });
1291
            }
1292

    
1293
            // Calculate Scale to fill
1294
            scale_factor = tooltipWidth / 8;
1295
            if (scale_factor < 8) {
1296
              scale_factor = 8;
1297
            }
1298
            if (tooltipPosition === "right" || tooltipPosition === "left") {
1299
              scale_factor = tooltipWidth / 10;
1300
              if (scale_factor < 6)
1301
                scale_factor = 6;
1302
            }
1303

    
1304
            newTooltip.velocity({ opacity: 1, marginTop: tooltipVerticalMovement, marginLeft: tooltipHorizontalMovement}, { duration: 350, queue: false });
1305
            backdrop.css({ display: 'block' })
1306
            .velocity({opacity:1},{duration: 55, delay: 0, queue: false})
1307
            .velocity({scale: scale_factor}, {duration: 300, delay: 0, queue: false, easing: 'easeInOutQuad'});
1308

    
1309
          }
1310
        }, 10); // End Interval
1311

    
1312
      // Mouse Out
1313
      },
1314
      mouseleave: function(){
1315
        // Reset State
1316
        clearInterval(counterInterval);
1317
        counter = 0;
1318

    
1319
        // Animate back
1320
        newTooltip.velocity({
1321
          opacity: 0, marginTop: 0, marginLeft: 0}, { duration: 225, queue: false, delay: 275 }
1322
        );
1323
        backdrop.velocity({opacity: 0, scale: 1}, {
1324
          duration:225,
1325
          delay: 275, queue: false,
1326
          complete: function(){
1327
            backdrop.css('display', 'none');
1328
            newTooltip.css('display', 'none');
1329
            started = false;}
1330
        });
1331
      }
1332
      });
1333
    });
1334
  };
1335

    
1336
  $(document).ready(function(){
1337
     $('.tooltipped').tooltip();
1338
   });
1339
}( jQuery ));
1340
;/*!
1341
 * Waves v0.6.4
1342
 * http://fian.my.id/Waves
1343
 *
1344
 * Copyright 2014 Alfiana E. Sibuea and other contributors
1345
 * Released under the MIT license
1346
 * https://github.com/fians/Waves/blob/master/LICENSE
1347
 */
1348

    
1349
;(function(window) {
1350
    'use strict';
1351

    
1352
    var Waves = Waves || {};
1353
    var $$ = document.querySelectorAll.bind(document);
1354

    
1355
    // Find exact position of element
1356
    function isWindow(obj) {
1357
        return obj !== null && obj === obj.window;
1358
    }
1359

    
1360
    function getWindow(elem) {
1361
        return isWindow(elem) ? elem : elem.nodeType === 9 && elem.defaultView;
1362
    }
1363

    
1364
    function offset(elem) {
1365
        var docElem, win,
1366
            box = {top: 0, left: 0},
1367
            doc = elem && elem.ownerDocument;
1368

    
1369
        docElem = doc.documentElement;
1370

    
1371
        if (typeof elem.getBoundingClientRect !== typeof undefined) {
1372
            box = elem.getBoundingClientRect();
1373
        }
1374
        win = getWindow(doc);
1375
        return {
1376
            top: box.top + win.pageYOffset - docElem.clientTop,
1377
            left: box.left + win.pageXOffset - docElem.clientLeft
1378
        };
1379
    }
1380

    
1381
    function convertStyle(obj) {
1382
        var style = '';
1383

    
1384
        for (var a in obj) {
1385
            if (obj.hasOwnProperty(a)) {
1386
                style += (a + ':' + obj[a] + ';');
1387
            }
1388
        }
1389

    
1390
        return style;
1391
    }
1392

    
1393
    var Effect = {
1394

    
1395
        // Effect delay
1396
        duration: 750,
1397

    
1398
        show: function(e, element) {
1399

    
1400
            // Disable right click
1401
            if (e.button === 2) {
1402
                return false;
1403
            }
1404

    
1405
            var el = element || this;
1406

    
1407
            // Create ripple
1408
            var ripple = document.createElement('div');
1409
            ripple.className = 'waves-ripple';
1410
            el.appendChild(ripple);
1411

    
1412
            // Get click coordinate and element witdh
1413
            var pos         = offset(el);
1414
            var relativeY   = (e.pageY - pos.top);
1415
            var relativeX   = (e.pageX - pos.left);
1416
            var scale       = 'scale('+((el.clientWidth / 100) * 10)+')';
1417

    
1418
            // Support for touch devices
1419
            if ('touches' in e) {
1420
              relativeY   = (e.touches[0].pageY - pos.top);
1421
              relativeX   = (e.touches[0].pageX - pos.left);
1422
            }
1423

    
1424
            // Attach data to element
1425
            ripple.setAttribute('data-hold', Date.now());
1426
            ripple.setAttribute('data-scale', scale);
1427
            ripple.setAttribute('data-x', relativeX);
1428
            ripple.setAttribute('data-y', relativeY);
1429

    
1430
            // Set ripple position
1431
            var rippleStyle = {
1432
                'top': relativeY+'px',
1433
                'left': relativeX+'px'
1434
            };
1435

    
1436
            ripple.className = ripple.className + ' waves-notransition';
1437
            ripple.setAttribute('style', convertStyle(rippleStyle));
1438
            ripple.className = ripple.className.replace('waves-notransition', '');
1439

    
1440
            // Scale the ripple
1441
            rippleStyle['-webkit-transform'] = scale;
1442
            rippleStyle['-moz-transform'] = scale;
1443
            rippleStyle['-ms-transform'] = scale;
1444
            rippleStyle['-o-transform'] = scale;
1445
            rippleStyle.transform = scale;
1446
            rippleStyle.opacity   = '1';
1447

    
1448
            rippleStyle['-webkit-transition-duration'] = Effect.duration + 'ms';
1449
            rippleStyle['-moz-transition-duration']    = Effect.duration + 'ms';
1450
            rippleStyle['-o-transition-duration']      = Effect.duration + 'ms';
1451
            rippleStyle['transition-duration']         = Effect.duration + 'ms';
1452

    
1453
            rippleStyle['-webkit-transition-timing-function'] = 'cubic-bezier(0.250, 0.460, 0.450, 0.940)';
1454
            rippleStyle['-moz-transition-timing-function']    = 'cubic-bezier(0.250, 0.460, 0.450, 0.940)';
1455
            rippleStyle['-o-transition-timing-function']      = 'cubic-bezier(0.250, 0.460, 0.450, 0.940)';
1456
            rippleStyle['transition-timing-function']         = 'cubic-bezier(0.250, 0.460, 0.450, 0.940)';
1457

    
1458
            ripple.setAttribute('style', convertStyle(rippleStyle));
1459
        },
1460

    
1461
        hide: function(e) {
1462
            TouchHandler.touchup(e);
1463

    
1464
            var el = this;
1465
            var width = el.clientWidth * 1.4;
1466

    
1467
            // Get first ripple
1468
            var ripple = null;
1469
            var ripples = el.getElementsByClassName('waves-ripple');
1470
            if (ripples.length > 0) {
1471
                ripple = ripples[ripples.length - 1];
1472
            } else {
1473
                return false;
1474
            }
1475

    
1476
            var relativeX   = ripple.getAttribute('data-x');
1477
            var relativeY   = ripple.getAttribute('data-y');
1478
            var scale       = ripple.getAttribute('data-scale');
1479

    
1480
            // Get delay beetween mousedown and mouse leave
1481
            var diff = Date.now() - Number(ripple.getAttribute('data-hold'));
1482
            var delay = 350 - diff;
1483

    
1484
            if (delay < 0) {
1485
                delay = 0;
1486
            }
1487

    
1488
            // Fade out ripple after delay
1489
            setTimeout(function() {
1490
                var style = {
1491
                    'top': relativeY+'px',
1492
                    'left': relativeX+'px',
1493
                    'opacity': '0',
1494

    
1495
                    // Duration
1496
                    '-webkit-transition-duration': Effect.duration + 'ms',
1497
                    '-moz-transition-duration': Effect.duration + 'ms',
1498
                    '-o-transition-duration': Effect.duration + 'ms',
1499
                    'transition-duration': Effect.duration + 'ms',
1500
                    '-webkit-transform': scale,
1501
                    '-moz-transform': scale,
1502
                    '-ms-transform': scale,
1503
                    '-o-transform': scale,
1504
                    'transform': scale,
1505
                };
1506

    
1507
                ripple.setAttribute('style', convertStyle(style));
1508

    
1509
                setTimeout(function() {
1510
                    try {
1511
                        el.removeChild(ripple);
1512
                    } catch(e) {
1513
                        return false;
1514
                    }
1515
                }, Effect.duration);
1516
            }, delay);
1517
        },
1518

    
1519
        // Little hack to make <input> can perform waves effect
1520
        wrapInput: function(elements) {
1521
            for (var a = 0; a < elements.length; a++) {
1522
                var el = elements[a];
1523

    
1524
                if (el.tagName.toLowerCase() === 'input') {
1525
                    var parent = el.parentNode;
1526

    
1527
                    // If input already have parent just pass through
1528
                    if (parent.tagName.toLowerCase() === 'i' && parent.className.indexOf('waves-effect') !== -1) {
1529
                        continue;
1530
                    }
1531

    
1532
                    // Put element class and style to the specified parent
1533
                    var wrapper = document.createElement('i');
1534
                    wrapper.className = el.className + ' waves-input-wrapper';
1535

    
1536
                    var elementStyle = el.getAttribute('style');
1537

    
1538
                    if (!elementStyle) {
1539
                        elementStyle = '';
1540
                    }
1541

    
1542
                    wrapper.setAttribute('style', elementStyle);
1543

    
1544
                    el.className = 'waves-button-input';
1545
                    el.removeAttribute('style');
1546

    
1547
                    // Put element as child
1548
                    parent.replaceChild(wrapper, el);
1549
                    wrapper.appendChild(el);
1550
                }
1551
            }
1552
        }
1553
    };
1554

    
1555

    
1556
    /**
1557
     * Disable mousedown event for 500ms during and after touch
1558
     */
1559
    var TouchHandler = {
1560
        /* uses an integer rather than bool so there's no issues with
1561
         * needing to clear timeouts if another touch event occurred
1562
         * within the 500ms. Cannot mouseup between touchstart and
1563
         * touchend, nor in the 500ms after touchend. */
1564
        touches: 0,
1565
        allowEvent: function(e) {
1566
            var allow = true;
1567

    
1568
            if (e.type === 'touchstart') {
1569
                TouchHandler.touches += 1; //push
1570
            } else if (e.type === 'touchend' || e.type === 'touchcancel') {
1571
                setTimeout(function() {
1572
                    if (TouchHandler.touches > 0) {
1573
                        TouchHandler.touches -= 1; //pop after 500ms
1574
                    }
1575
                }, 500);
1576
            } else if (e.type === 'mousedown' && TouchHandler.touches > 0) {
1577
                allow = false;
1578
            }
1579

    
1580
            return allow;
1581
        },
1582
        touchup: function(e) {
1583
            TouchHandler.allowEvent(e);
1584
        }
1585
    };
1586

    
1587

    
1588
    /**
1589
     * Delegated click handler for .waves-effect element.
1590
     * returns null when .waves-effect element not in "click tree"
1591
     */
1592
    function getWavesEffectElement(e) {
1593
        if (TouchHandler.allowEvent(e) === false) {
1594
            return null;
1595
        }
1596

    
1597
        var element = null;
1598
        var target = e.target || e.srcElement;
1599

    
1600
        while (target.parentElement !== null) {
1601
            if (!(target instanceof SVGElement) && target.className.indexOf('waves-effect') !== -1) {
1602
                element = target;
1603
                break;
1604
            } else if (target.classList.contains('waves-effect')) {
1605
                element = target;
1606
                break;
1607
            }
1608
            target = target.parentElement;
1609
        }
1610

    
1611
        return element;
1612
    }
1613

    
1614
    /**
1615
     * Bubble the click and show effect if .waves-effect elem was found
1616
     */
1617
    function showEffect(e) {
1618
        var element = getWavesEffectElement(e);
1619

    
1620
        if (element !== null) {
1621
            Effect.show(e, element);
1622

    
1623
            if ('ontouchstart' in window) {
1624
                element.addEventListener('touchend', Effect.hide, false);
1625
                element.addEventListener('touchcancel', Effect.hide, false);
1626
            }
1627

    
1628
            element.addEventListener('mouseup', Effect.hide, false);
1629
            element.addEventListener('mouseleave', Effect.hide, false);
1630
        }
1631
    }
1632

    
1633
    Waves.displayEffect = function(options) {
1634
        options = options || {};
1635

    
1636
        if ('duration' in options) {
1637
            Effect.duration = options.duration;
1638
        }
1639

    
1640
        //Wrap input inside <i> tag
1641
        Effect.wrapInput($$('.waves-effect'));
1642

    
1643
        if ('ontouchstart' in window) {
1644
            document.body.addEventListener('touchstart', showEffect, false);
1645
        }
1646

    
1647
        document.body.addEventListener('mousedown', showEffect, false);
1648
    };
1649

    
1650
    /**
1651
     * Attach Waves to an input element (or any element which doesn't
1652
     * bubble mouseup/mousedown events).
1653
     *   Intended to be used with dynamically loaded forms/inputs, or
1654
     * where the user doesn't want a delegated click handler.
1655
     */
1656
    Waves.attach = function(element) {
1657
        //FUTURE: automatically add waves classes and allow users
1658
        // to specify them with an options param? Eg. light/classic/button
1659
        if (element.tagName.toLowerCase() === 'input') {
1660
            Effect.wrapInput([element]);
1661
            element = element.parentElement;
1662
        }
1663

    
1664
        if ('ontouchstart' in window) {
1665
            element.addEventListener('touchstart', showEffect, false);
1666
        }
1667

    
1668
        element.addEventListener('mousedown', showEffect, false);
1669
    };
1670

    
1671
    window.Waves = Waves;
1672

    
1673
    document.addEventListener('DOMContentLoaded', function() {
1674
        Waves.displayEffect();
1675
    }, false);
1676

    
1677
})(window);
1678
;Materialize.toast = function (message, displayLength, className, completeCallback) {
1679
    className = className || "";
1680

    
1681
    var container = document.getElementById('toast-container');
1682

    
1683
    // Create toast container if it does not exist
1684
    if (container === null) {
1685
        // create notification container
1686
        var container = document.createElement('div');
1687
        container.id = 'toast-container';
1688
        document.body.appendChild(container);
1689
    }
1690

    
1691
    // Select and append toast
1692
    var newToast = createToast(message);
1693
    container.appendChild(newToast);
1694

    
1695
    newToast.style.top = '35px';
1696
    newToast.style.opacity = 0;
1697

    
1698
    // Animate toast in
1699
    Vel(newToast, { "top" : "0px", opacity: 1 }, {duration: 300,
1700
      easing: 'easeOutCubic',
1701
      queue: false});
1702

    
1703
    // Allows timer to be pause while being panned
1704
    var timeLeft = displayLength;
1705
    var counterInterval = setInterval (function(){
1706

    
1707

    
1708
      if (newToast.parentNode === null)
1709
        window.clearInterval(counterInterval);
1710

    
1711
      // If toast is not being dragged, decrease its time remaining
1712
      if (!newToast.classList.contains('panning')) {
1713
        timeLeft -= 20;
1714
      }
1715

    
1716
      if (timeLeft <= 0) {
1717
        // Animate toast out
1718
        Vel(newToast, {"opacity": 0, marginTop: '-40px'}, { duration: 375,
1719
            easing: 'easeOutExpo',
1720
            queue: false,
1721
            complete: function(){
1722
              // Call the optional callback
1723
              if(typeof(completeCallback) === "function")
1724
                completeCallback();
1725
              // Remove toast after it times out
1726
              this[0].parentNode.removeChild(this[0]);
1727
            }
1728
          });
1729
        window.clearInterval(counterInterval);
1730
      }
1731
    }, 20);
1732

    
1733

    
1734

    
1735
    function createToast(html) {
1736

    
1737
        // Create toast
1738
        var toast = document.createElement('div');
1739
        toast.classList.add('toast');
1740
        if (className) {
1741
            var classes = className.split(' ');
1742

    
1743
            for (var i = 0, count = classes.length; i < count; i++) {
1744
                toast.classList.add(classes[i]);
1745
            }
1746
        }
1747
        toast.innerHTML = html;
1748

    
1749
        // Bind hammer
1750
        var hammerHandler = new Hammer(toast, {prevent_default: false});
1751
        hammerHandler.on('pan', function(e) {
1752
          var deltaX = e.deltaX;
1753
          var activationDistance = 80;
1754

    
1755
          // Change toast state
1756
          if (!toast.classList.contains('panning')){
1757
            toast.classList.add('panning');
1758
          }
1759

    
1760
          var opacityPercent = 1-Math.abs(deltaX / activationDistance);
1761
          if (opacityPercent < 0)
1762
            opacityPercent = 0;
1763

    
1764
          Vel(toast, {left: deltaX, opacity: opacityPercent }, {duration: 50, queue: false, easing: 'easeOutQuad'});
1765

    
1766
        });
1767

    
1768
        hammerHandler.on('panend', function(e) {
1769
          var deltaX = e.deltaX;
1770
          var activationDistance = 80;
1771

    
1772
          // If toast dragged past activation point
1773
          if (Math.abs(deltaX) > activationDistance) {
1774
            Vel(toast, {marginTop: '-40px'}, { duration: 375,
1775
                easing: 'easeOutExpo',
1776
                queue: false,
1777
                complete: function(){
1778
                  if(typeof(completeCallback) === "function") {
1779
                    completeCallback();
1780
                  }
1781
                  toast.parentNode.removeChild(toast);
1782
                }
1783
            });
1784

    
1785
          } else {
1786
            toast.classList.remove('panning');
1787
            // Put toast back into original position
1788
            Vel(toast, { left: 0, opacity: 1 }, { duration: 300,
1789
              easing: 'easeOutExpo',
1790
              queue: false
1791
            });
1792

    
1793
          }
1794
        });
1795

    
1796
        return toast;
1797
    }
1798
}
1799
;(function ($) {
1800
    // left: 37, up: 38, right: 39, down: 40,
1801
    // spacebar: 32, pageup: 33, pagedown: 34, end: 35, home: 36
1802
    // var keys = [32, 33, 34, 35, 36, 37, 38, 39, 40];
1803

    
1804
    // function preventDefault(e) {
1805
    //   e = e || window.event;
1806
    //   if (e.preventDefault)
1807
    //     e.preventDefault();
1808
    //   e.returnValue = false;
1809
    // }
1810

    
1811
    // function keydown(e) {
1812
    //   for (var i = keys.length; i--;) {
1813
    //     if (e.keyCode === keys[i]) {
1814
    //       preventDefault(e);
1815
    //       return;
1816
    //     }
1817
    //   }
1818
    // }
1819

    
1820
    // function wheel(e) {
1821
    //   preventDefault(e);
1822
    // }
1823

    
1824
    // function disable_scroll() {
1825
    //   if (window.addEventListener) {
1826
    //     window.addEventListener('DOMMouseScroll', wheel, false);
1827
    //   }
1828
    //   window.onmousewheel = document.onmousewheel = wheel;
1829
    //   document.onkeydown = keydown;
1830
    //   $('body').css({'overflow-y' : 'hidden'});
1831
    // }
1832

    
1833
    // function enable_scroll() {
1834
    //   if (window.removeEventListener) {
1835
    //     window.removeEventListener('DOMMouseScroll', wheel, false);
1836
    //   }
1837
    //   window.onmousewheel = document.onmousewheel = document.onkeydown = null;
1838
    //   $('body').css({'overflow-y' : ''});
1839

    
1840
    // }
1841

    
1842
  var methods = {
1843
    init : function(options) {
1844
      var defaults = {
1845
        menuWidth: 240,
1846
        edge: 'left',
1847
        closeOnClick: false
1848
      }
1849
      options = $.extend(defaults, options);
1850

    
1851
      $(this).each(function(){
1852
        var $this = $(this);
1853
        var menu_id = $("#"+ $this.attr('data-activates'));
1854

    
1855
        // Set to width
1856
        if (options.menuWidth != 240) {
1857
          menu_id.css('width', options.menuWidth);
1858
        }
1859

    
1860
        // Add Touch Area
1861
        $('body').append($('<div class="drag-target"></div>'));
1862

    
1863
        if (options.edge == 'left') {
1864
          menu_id.css('left', -1 * (options.menuWidth + 10));
1865
          $('.drag-target').css({'left': 0}); // Add Touch Area
1866
        }
1867
        else {
1868
          menu_id.addClass('right-aligned') // Change text-alignment to right
1869
            .css('right', -1 * (options.menuWidth + 10))
1870
            .css('left', '');
1871
          $('.drag-target').css({'right': 0}); // Add Touch Area
1872
        }
1873

    
1874
        // If fixed sidenav, bring menu out
1875
        if (menu_id.hasClass('fixed')) {
1876
            if ($(window).width() > 992) {
1877
              menu_id.css('left', 0);
1878
            }
1879
          }
1880

    
1881
        // Window resize to reset on large screens fixed
1882
        if (menu_id.hasClass('fixed')) {
1883
          $(window).resize( function() {
1884
            if (window.innerWidth > 992) {
1885
              // Close menu if window is resized bigger than 992 and user has fixed sidenav
1886
              if ($('#sidenav-overlay').css('opacity') != 0 && menuOut) {
1887
                removeMenu(true);
1888
              }
1889
              else {
1890
                menu_id.removeAttr('style');
1891
                menu_id.css('width', options.menuWidth);
1892
              }
1893
            }
1894
            else if (menuOut === false){
1895
              if (options.edge === 'left')
1896
                menu_id.css('left', -1 * (options.menuWidth + 10));
1897
              else
1898
                menu_id.css('right', -1 * (options.menuWidth + 10));
1899
            }
1900

    
1901
          });
1902
        }
1903

    
1904
        // if closeOnClick, then add close event for all a tags in side sideNav
1905
        if (options.closeOnClick == true) {
1906
          menu_id.on("click.itemclick", "a:not(.collapsible-header)", function(){
1907
            removeMenu();
1908
          });
1909
        }
1910

    
1911
        function removeMenu(restoreNav) {
1912
          panning = false;
1913
          menuOut = false;
1914
          $('#sidenav-overlay').velocity({opacity: 0}, {duration: 200, queue: false, easing: 'easeOutQuad',
1915
            complete: function() {
1916
              $(this).remove();
1917
            } });
1918
          if (options.edge === 'left') {
1919
            // Reset phantom div
1920
            $('.drag-target').css({width: '', right: '', left: '0'});
1921
            menu_id.velocity(
1922
              {left: -1 * (options.menuWidth + 10)},
1923
              { duration: 200,
1924
                queue: false,
1925
                easing: 'easeOutCubic',
1926
                complete: function() {
1927
                  if (restoreNav == true) {
1928
                    // Restore Fixed sidenav
1929
                    menu_id.removeAttr('style');
1930
                    menu_id.css('width', options.menuWidth);
1931
                  }
1932
                }
1933

    
1934
            });
1935
          }
1936
          else {
1937
            // Reset phantom div
1938
            $('.drag-target').css({width: '', right: '0', left: ''});
1939
            menu_id.velocity(
1940
              {right: -1 * (options.menuWidth + 10)},
1941
              { duration: 200,
1942
                queue: false,
1943
                easing: 'easeOutCubic',
1944
                complete: function() {
1945
                  if (restoreNav == true) {
1946
                    // Restore Fixed sidenav
1947
                    menu_id.removeAttr('style');
1948
                    menu_id.css('width', options.menuWidth);
1949
                  }
1950
                }
1951
              });
1952
          }
1953
        }
1954

    
1955

    
1956

    
1957
        // Touch Event
1958
        var panning = false;
1959
        var menuOut = false;
1960

    
1961
        $('.drag-target').on('click', function(){
1962
          removeMenu();
1963
        })
1964

    
1965
        $('.drag-target').hammer({
1966
          prevent_default: false
1967
        }).bind('pan', function(e) {
1968

    
1969
          if (e.gesture.pointerType == "touch") {
1970

    
1971
            var direction = e.gesture.direction;
1972
            var x = e.gesture.center.x;
1973
            var y = e.gesture.center.y;
1974
            var velocityX = e.gesture.velocityX;
1975

    
1976
            // If overlay does not exist, create one and if it is clicked, close menu
1977
            if ($('#sidenav-overlay').length === 0) {
1978
              var overlay = $('<div id="sidenav-overlay"></div>');
1979
              overlay.css('opacity', 0).click( function(){
1980
                removeMenu();
1981
              });
1982
              $('body').append(overlay);
1983
            }
1984

    
1985
            // Keep within boundaries
1986
            if (options.edge === 'left') {
1987
              if (x > options.menuWidth) { x = options.menuWidth; }
1988
              else if (x < 0) { x = 0; }
1989
            }
1990

    
1991
            if (options.edge === 'left') {
1992
              // Left Direction
1993
              if (x < (options.menuWidth / 2)) { menuOut = false; }
1994
              // Right Direction
1995
              else if (x >= (options.menuWidth / 2)) { menuOut = true; }
1996

    
1997
              menu_id.css('left', (x - options.menuWidth));
1998
            }
1999
            else {
2000
              // Left Direction
2001
              if (x < ($(window).width() - options.menuWidth / 2)) {
2002
                menuOut = true;
2003
              }
2004
              // Right Direction
2005
              else if (x >= ($(window).width() - options.menuWidth / 2)) {
2006
               menuOut = false;
2007
             }
2008
              var rightPos = -1 *(x - options.menuWidth / 2);
2009
              if (rightPos > 0) {
2010
                rightPos = 0;
2011
              }
2012

    
2013
              menu_id.css('right', rightPos);
2014
            }
2015

    
2016

    
2017

    
2018

    
2019
            // Percentage overlay
2020
            if (options.edge === 'left') {
2021
              var overlayPerc = x / options.menuWidth;
2022
              $('#sidenav-overlay').velocity({opacity: overlayPerc }, {duration: 50, queue: false, easing: 'easeOutQuad'});
2023
            }
2024
            else {
2025
              var overlayPerc = Math.abs((x - $(window).width()) / options.menuWidth);
2026
              $('#sidenav-overlay').velocity({opacity: overlayPerc }, {duration: 50, queue: false, easing: 'easeOutQuad'});
2027
            }
2028
          }
2029

    
2030
        }).bind('panend', function(e) {
2031
          if (e.gesture.pointerType == "touch") {
2032
            var velocityX = e.gesture.velocityX;
2033
            panning = false;
2034
            if (options.edge === 'left') {
2035
              // If velocityX <= 0.3 then the user is flinging the menu closed so ignore menuOut
2036
              if ((menuOut && velocityX <= 0.3) || velocityX < -0.5) {
2037
                menu_id.velocity({left: 0}, {duration: 300, queue: false, easing: 'easeOutQuad'});
2038
                $('#sidenav-overlay').velocity({opacity: 1 }, {duration: 50, queue: false, easing: 'easeOutQuad'});
2039
                $('.drag-target').css({width: '50%', right: 0, left: ''});
2040
              }
2041
              else if (!menuOut || velocityX > 0.3) {
2042
                menu_id.velocity({left: -1 * (options.menuWidth + 10)}, {duration: 200, queue: false, easing: 'easeOutQuad'});
2043
                $('#sidenav-overlay').velocity({opacity: 0 }, {duration: 200, queue: false, easing: 'easeOutQuad',
2044
                  complete: function () {
2045
                    $(this).remove();
2046
                  }});
2047
                $('.drag-target').css({width: '10px', right: '', left: 0});
2048
              }
2049
            }
2050
            else {
2051
              if ((menuOut && velocityX >= -0.3) || velocityX > 0.5) {
2052
                menu_id.velocity({right: 0}, {duration: 300, queue: false, easing: 'easeOutQuad'});
2053
                $('#sidenav-overlay').velocity({opacity: 1 }, {duration: 50, queue: false, easing: 'easeOutQuad'});
2054
                $('.drag-target').css({width: '50%', right: '', left: 0});
2055
              }
2056
              else if (!menuOut || velocityX < -0.3) {
2057
                menu_id.velocity({right: -1 * (options.menuWidth + 10)}, {duration: 200, queue: false, easing: 'easeOutQuad'});
2058
                $('#sidenav-overlay').velocity({opacity: 0 }, {duration: 200, queue: false, easing: 'easeOutQuad',
2059
                  complete: function () {
2060
                    $(this).remove();
2061
                  }});
2062
                $('.drag-target').css({width: '10px', right: 0, left: ''});
2063
              }
2064
            }
2065

    
2066
          }
2067
        });
2068

    
2069
          $this.click(function() {
2070
            if (menuOut == true) {
2071
              menuOut = false;
2072
              panning = false;
2073
              removeMenu();
2074
            }
2075
            else {
2076

    
2077
              if (options.edge === 'left') {
2078
                $('.drag-target').css({width: '50%', right: 0, left: ''});
2079
                menu_id.velocity({left: 0}, {duration: 300, queue: false, easing: 'easeOutQuad'});
2080
              }
2081
              else {
2082
                $('.drag-target').css({width: '50%', right: '', left: 0});
2083
                menu_id.velocity({right: 0}, {duration: 300, queue: false, easing: 'easeOutQuad'});
2084
                menu_id.css('left','');
2085
              }
2086

    
2087
              var overlay = $('<div id="sidenav-overlay"></div>');
2088
              overlay.css('opacity', 0)
2089
              .click(function(){
2090
                menuOut = false;
2091
                panning = false;
2092
                removeMenu();
2093
                overlay.velocity({opacity: 0}, {duration: 300, queue: false, easing: 'easeOutQuad',
2094
                  complete: function() {
2095
                    $(this).remove();
2096
                  } });
2097

    
2098
              });
2099
              $('body').append(overlay);
2100
              overlay.velocity({opacity: 1}, {duration: 300, queue: false, easing: 'easeOutQuad',
2101
                complete: function () {
2102
                  menuOut = true;
2103
                  panning = false;
2104
                }
2105
              });
2106
            }
2107

    
2108
            return false;
2109
          });
2110
      });
2111

    
2112

    
2113
    },
2114
    show : function() {
2115
      this.trigger('click');
2116
    },
2117
    hide : function() {
2118
      $('#sidenav-overlay').trigger('click');
2119
    }
2120
  };
2121

    
2122

    
2123
    $.fn.sideNav = function(methodOrOptions) {
2124
      if ( methods[methodOrOptions] ) {
2125
        return methods[ methodOrOptions ].apply( this, Array.prototype.slice.call( arguments, 1 ));
2126
      } else if ( typeof methodOrOptions === 'object' || ! methodOrOptions ) {
2127
        // Default to "init"
2128
        return methods.init.apply( this, arguments );
2129
      } else {
2130
        $.error( 'Method ' +  methodOrOptions + ' does not exist on jQuery.tooltip' );
2131
      }
2132
    }; // PLugin end
2133
}( jQuery ));
2134
;/**
2135
 * Extend jquery with a scrollspy plugin.
2136
 * This watches the window scroll and fires events when elements are scrolled into viewport.
2137
 *
2138
 * throttle() and getTime() taken from Underscore.js
2139
 * https://github.com/jashkenas/underscore
2140
 *
2141
 * @author Copyright 2013 John Smart
2142
 * @license https://raw.github.com/thesmart/jquery-scrollspy/master/LICENSE
2143
 * @see https://github.com/thesmart
2144
 * @version 0.1.2
2145
 */
2146
(function($) {
2147

    
2148
	var jWindow = $(window);
2149
	var elements = [];
2150
	var elementsInView = [];
2151
	var isSpying = false;
2152
	var ticks = 0;
2153
	var unique_id = 1;
2154
	var offset = {
2155
		top : 0,
2156
		right : 0,
2157
		bottom : 0,
2158
		left : 0,
2159
	}
2160

    
2161
	/**
2162
	 * Find elements that are within the boundary
2163
	 * @param {number} top
2164
	 * @param {number} right
2165
	 * @param {number} bottom
2166
	 * @param {number} left
2167
	 * @return {jQuery}		A collection of elements
2168
	 */
2169
	function findElements(top, right, bottom, left) {
2170
		var hits = $();
2171
		$.each(elements, function(i, element) {
2172
			if (element.height() > 0) {
2173
				var elTop = element.offset().top,
2174
					elLeft = element.offset().left,
2175
					elRight = elLeft + element.width(),
2176
					elBottom = elTop + element.height();
2177

    
2178
				var isIntersect = !(elLeft > right ||
2179
					elRight < left ||
2180
					elTop > bottom ||
2181
					elBottom < top);
2182

    
2183
				if (isIntersect) {
2184
					hits.push(element);
2185
				}
2186
			}
2187
		});
2188

    
2189
		return hits;
2190
	}
2191

    
2192

    
2193
	/**
2194
	 * Called when the user scrolls the window
2195
	 */
2196
	function onScroll() {
2197
		// unique tick id
2198
		++ticks;
2199

    
2200
		// viewport rectangle
2201
		var top = jWindow.scrollTop(),
2202
			left = jWindow.scrollLeft(),
2203
			right = left + jWindow.width(),
2204
			bottom = top + jWindow.height();
2205

    
2206
		// determine which elements are in view
2207
//        + 60 accounts for fixed nav
2208
		var intersections = findElements(top+offset.top + 200, right+offset.right, bottom+offset.bottom, left+offset.left);
2209
		$.each(intersections, function(i, element) {
2210

    
2211
			var lastTick = element.data('scrollSpy:ticks');
2212
			if (typeof lastTick != 'number') {
2213
				// entered into view
2214
				element.triggerHandler('scrollSpy:enter');
2215
			}
2216

    
2217
			// update tick id
2218
			element.data('scrollSpy:ticks', ticks);
2219
		});
2220

    
2221
		// determine which elements are no longer in view
2222
		$.each(elementsInView, function(i, element) {
2223
			var lastTick = element.data('scrollSpy:ticks');
2224
			if (typeof lastTick == 'number' && lastTick !== ticks) {
2225
				// exited from view
2226
				element.triggerHandler('scrollSpy:exit');
2227
				element.data('scrollSpy:ticks', null);
2228
			}
2229
		});
2230

    
2231
		// remember elements in view for next tick
2232
		elementsInView = intersections;
2233
	}
2234

    
2235
	/**
2236
	 * Called when window is resized
2237
	*/
2238
	function onWinSize() {
2239
		jWindow.trigger('scrollSpy:winSize');
2240
	}
2241

    
2242
	/**
2243
	 * Get time in ms
2244
   * @license https://raw.github.com/jashkenas/underscore/master/LICENSE
2245
	 * @type {function}
2246
	 * @return {number}
2247
	 */
2248
	var getTime = (Date.now || function () {
2249
		return new Date().getTime();
2250
	});
2251

    
2252
	/**
2253
	 * Returns a function, that, when invoked, will only be triggered at most once
2254
	 * during a given window of time. Normally, the throttled function will run
2255
	 * as much as it can, without ever going more than once per `wait` duration;
2256
	 * but if you'd like to disable the execution on the leading edge, pass
2257
	 * `{leading: false}`. To disable execution on the trailing edge, ditto.
2258
	 * @license https://raw.github.com/jashkenas/underscore/master/LICENSE
2259
	 * @param {function} func
2260
	 * @param {number} wait
2261
	 * @param {Object=} options
2262
	 * @returns {Function}
2263
	 */
2264
	function throttle(func, wait, options) {
2265
		var context, args, result;
2266
		var timeout = null;
2267
		var previous = 0;
2268
		options || (options = {});
2269
		var later = function () {
2270
			previous = options.leading === false ? 0 : getTime();
2271
			timeout = null;
2272
			result = func.apply(context, args);
2273
			context = args = null;
2274
		};
2275
		return function () {
2276
			var now = getTime();
2277
			if (!previous && options.leading === false) previous = now;
2278
			var remaining = wait - (now - previous);
2279
			context = this;
2280
			args = arguments;
2281
			if (remaining <= 0) {
2282
				clearTimeout(timeout);
2283
				timeout = null;
2284
				previous = now;
2285
				result = func.apply(context, args);
2286
				context = args = null;
2287
			} else if (!timeout && options.trailing !== false) {
2288
				timeout = setTimeout(later, remaining);
2289
			}
2290
			return result;
2291
		};
2292
	};
2293

    
2294
	/**
2295
	 * Enables ScrollSpy using a selector
2296
	 * @param {jQuery|string} selector  The elements collection, or a selector
2297
	 * @param {Object=} options	Optional.
2298
        throttle : number -> scrollspy throttling. Default: 100 ms
2299
        offsetTop : number -> offset from top. Default: 0
2300
        offsetRight : number -> offset from right. Default: 0
2301
        offsetBottom : number -> offset from bottom. Default: 0
2302
        offsetLeft : number -> offset from left. Default: 0
2303
	 * @returns {jQuery}
2304
	 */
2305
	$.scrollSpy = function(selector, options) {
2306
		var visible = [];
2307
		selector = $(selector);
2308
		selector.each(function(i, element) {
2309
			elements.push($(element));
2310
			$(element).data("scrollSpy:id", i);
2311
			// Smooth scroll to section
2312
		  $('a[href=#' + $(element).attr('id') + ']').click(function(e) {
2313
		    e.preventDefault();
2314
		    var offset = $(this.hash).offset().top + 1;
2315

    
2316
//          offset - 200 allows elements near bottom of page to scroll
2317
			
2318
	    	$('html, body').animate({ scrollTop: offset - 200 }, {duration: 400, queue: false, easing: 'easeOutCubic'});
2319
			
2320
		  });
2321
		});
2322
		options = options || {
2323
			throttle: 100
2324
		};
2325

    
2326
		offset.top = options.offsetTop || 0;
2327
		offset.right = options.offsetRight || 0;
2328
		offset.bottom = options.offsetBottom || 0;
2329
		offset.left = options.offsetLeft || 0;
2330

    
2331
		var throttledScroll = throttle(onScroll, options.throttle || 100);
2332
		var readyScroll = function(){
2333
			$(document).ready(throttledScroll);
2334
		};
2335

    
2336
		if (!isSpying) {
2337
			jWindow.on('scroll', readyScroll);
2338
			jWindow.on('resize', readyScroll);
2339
			isSpying = true;
2340
		}
2341

    
2342
		// perform a scan once, after current execution context, and after dom is ready
2343
		setTimeout(readyScroll, 0);
2344

    
2345

    
2346
		selector.on('scrollSpy:enter', function() {
2347
			visible = $.grep(visible, function(value) {
2348
	      return value.height() != 0;
2349
	    });
2350

    
2351
			var $this = $(this);
2352

    
2353
			if (visible[0]) {
2354
				$('a[href=#' + visible[0].attr('id') + ']').removeClass('active');
2355
				if ($this.data('scrollSpy:id') < visible[0].data('scrollSpy:id')) {
2356
					visible.unshift($(this));
2357
				}
2358
				else {
2359
					visible.push($(this));
2360
				}
2361
			}
2362
			else {
2363
				visible.push($(this));
2364
			}
2365

    
2366

    
2367
			$('a[href=#' + visible[0].attr('id') + ']').addClass('active');
2368
		});
2369
		selector.on('scrollSpy:exit', function() {
2370
			visible = $.grep(visible, function(value) {
2371
	      return value.height() != 0;
2372
	    });
2373

    
2374
			if (visible[0]) {
2375
				$('a[href=#' + visible[0].attr('id') + ']').removeClass('active');
2376
				var $this = $(this);
2377
				visible = $.grep(visible, function(value) {
2378
	        return value.attr('id') != $this.attr('id');
2379
	      });
2380
	      if (visible[0]) { // Check if empty
2381
					$('a[href=#' + visible[0].attr('id') + ']').addClass('active');
2382
	      }
2383
			}
2384
		});
2385

    
2386
		return selector;
2387
	};
2388

    
2389
	/**
2390
	 * Listen for window resize events
2391
	 * @param {Object=} options						Optional. Set { throttle: number } to change throttling. Default: 100 ms
2392
	 * @returns {jQuery}		$(window)
2393
	 */
2394
	$.winSizeSpy = function(options) {
2395
		$.winSizeSpy = function() { return jWindow; }; // lock from multiple calls
2396
		options = options || {
2397
			throttle: 100
2398
		};
2399
		return jWindow.on('resize', throttle(onWinSize, options.throttle || 100));
2400
	};
2401

    
2402
	/**
2403
	 * Enables ScrollSpy on a collection of elements
2404
	 * e.g. $('.scrollSpy').scrollSpy()
2405
	 * @param {Object=} options	Optional.
2406
											throttle : number -> scrollspy throttling. Default: 100 ms
2407
											offsetTop : number -> offset from top. Default: 0
2408
											offsetRight : number -> offset from right. Default: 0
2409
											offsetBottom : number -> offset from bottom. Default: 0
2410
											offsetLeft : number -> offset from left. Default: 0
2411
	 * @returns {jQuery}
2412
	 */
2413
	$.fn.scrollSpy = function(options) {
2414
		return $.scrollSpy($(this), options);
2415
	};
2416

    
2417
})(jQuery);;(function ($) {
2418
  $(document).ready(function() {
2419

    
2420
    // Function to update labels of text fields
2421
    Materialize.updateTextFields = function() {
2422
      var input_selector = 'input[type=text], input[type=password], input[type=email], input[type=url], input[type=tel], input[type=number], input[type=search], textarea';
2423
      $(input_selector).each(function(index, element) {
2424
        if ($(element).val().length > 0 || $(this).attr('placeholder') !== undefined) {
2425
          $(this).siblings('label, i').addClass('active');
2426
        }
2427
        else {
2428
          $(this).siblings('label, i').removeClass('active');
2429
        }
2430
      });
2431
    }
2432

    
2433
    // Text based inputs
2434
    var input_selector = 'input[type=text], input[type=password], input[type=email], input[type=url], input[type=tel], input[type=number], input[type=search], textarea';
2435

    
2436
    // Handle HTML5 autofocus
2437
    $('input[autofocus]').siblings('label, i').addClass('active');
2438

    
2439
    // Add active if form auto complete
2440
    $(document).on('change', input_selector, function () {
2441
      if($(this).val().length !== 0 || $(this).attr('placeholder') !== undefined) {
2442
        $(this).siblings('label, i').addClass('active');
2443
      }
2444
      validate_field($(this));
2445
    });
2446

    
2447
    // Add active if input element has been pre-populated on document ready
2448
    $(document).ready(function() {
2449
      Materialize.updateTextFields();
2450
    });
2451

    
2452
    // HTML DOM FORM RESET handling
2453
    $(document).on('reset', function(e) {
2454
      if ($(e.target).is('form')) {
2455
        $(this).find(input_selector).removeClass('valid').removeClass('invalid');
2456
        $(this).find(input_selector).siblings('label, i').removeClass('active');
2457

    
2458
        // Reset select
2459
        $(this).find('select.initialized').each(function () {
2460
          var reset_text = $(this).find('option[selected]').text();
2461
          $(this).siblings('input.select-dropdown').val(reset_text);
2462
        });
2463
      }
2464
    });
2465

    
2466
    // Add active when element has focus
2467
    $(document).on('focus', input_selector, function () {
2468
      $(this).siblings('label, i').addClass('active');
2469
    });
2470

    
2471
    $(document).on('blur', input_selector, function () {
2472
      if ($(this).val().length === 0 && $(this).attr('placeholder') === undefined) {
2473
        $(this).siblings('label, i').removeClass('active');
2474
      }
2475
      validate_field($(this));
2476
    });
2477

    
2478
    validate_field = function(object) {
2479
      if (object.val().length === 0) {
2480
        if (object.hasClass('validate')) {
2481
          object.removeClass('valid');
2482
          object.removeClass('invalid');
2483
        }
2484
      }
2485
      else {
2486
        if (object.hasClass('validate')) {
2487
          if (object.is(':valid')) {
2488
            object.removeClass('invalid');
2489
            object.addClass('valid');
2490
          }
2491
          else {
2492
            object.removeClass('valid');
2493
            object.addClass('invalid');
2494
          }
2495
        }
2496
      }
2497
    }
2498

    
2499

    
2500
    // Textarea Auto Resize
2501
    var hiddenDiv = $('.hiddendiv').first();
2502
    if (!hiddenDiv.length) {
2503
      hiddenDiv = $('<div class="hiddendiv common"></div>');
2504
      $('body').append(hiddenDiv);
2505
    }
2506
    var text_area_selector = '.materialize-textarea';
2507

    
2508
    function textareaAutoResize($textarea) {
2509
      hiddenDiv.text($textarea.val() + '\n');
2510
      var content = hiddenDiv.html().replace(/\n/g, '<br>');
2511
      hiddenDiv.html(content);
2512

    
2513
      // When textarea is hidden, width goes crazy.
2514
      // Approximate with half of window size
2515

    
2516
      if ($textarea.is(':visible')) {
2517
        hiddenDiv.css('width', $textarea.width());
2518
      }
2519
      else {
2520
        hiddenDiv.css('width', $(window).width()/2);
2521
      }
2522

    
2523
      $textarea.css('height', hiddenDiv.height());
2524
    }
2525

    
2526
    $(text_area_selector).each(function () {
2527
      var $textarea = $(this);
2528
      if ($textarea.val().length) {
2529
        textareaAutoResize($textarea);
2530
      }
2531
    });
2532

    
2533
    $('body').on('keyup keydown', text_area_selector, function () {
2534
      textareaAutoResize($(this));
2535
    });
2536

    
2537

    
2538
    // File Input Path
2539
    $('.file-field').each(function() {
2540
      var path_input = $(this).find('input.file-path');
2541
      $(this).find('input[type="file"]').change(function () {
2542
        path_input.val($(this)[0].files[0].name);
2543
        path_input.trigger('change');
2544
      });
2545
    });
2546

    
2547

    
2548
    // Range Input
2549
    var range_type = 'input[type=range]';
2550
    var range_mousedown = false;
2551

    
2552
    $(range_type).each(function () {
2553
      var thumb = $('<span class="thumb"><span class="value"></span></span>');
2554
      $(this).after(thumb);
2555
    });
2556

    
2557
    var range_wrapper = '.range-field';
2558

    
2559
      $(document).on("mousedown", range_wrapper, function(e) {
2560
        var thumb = $(this).children('.thumb');
2561
        if (thumb.length <= 0) {
2562
          thumb = $('<span class="thumb"><span class="value"></span></span>');
2563
          $(this).append(thumb);
2564
        }
2565

    
2566
      range_mousedown = true;
2567
      $(this).addClass('active');
2568

    
2569
      if (!thumb.hasClass('active')) {
2570
        thumb.velocity({ height: "30px", width: "30px", top: "-20px", marginLeft: "-15px"}, { duration: 300, easing: 'easeOutExpo' });
2571
      }
2572
      var left = e.pageX - $(this).offset().left;
2573
      var width = $(this).outerWidth();
2574

    
2575
      if (left < 0) {
2576
        left = 0;
2577
      }
2578
      else if (left > width) {
2579
        left = width;
2580
      }
2581
      thumb.addClass('active').css('left', left);
2582
      thumb.find('.value').html($(this).children('input[type=range]').val());
2583

    
2584
    });
2585
    $(document).on("mouseup", range_wrapper, function() {
2586
      range_mousedown = false;
2587
      $(this).removeClass('active');
2588
    });
2589

    
2590
    $(document).on("mousemove", range_wrapper, function(e) {
2591

    
2592
      var thumb = $(this).children('.thumb');
2593
      if (range_mousedown) {
2594
        if (!thumb.hasClass('active')) {
2595
          thumb.velocity({ height: "30px", width: "30px", top: "-20px", marginLeft: "-15px"}, { duration: 300, easing: 'easeOutExpo' });
2596
        }
2597
        var left = e.pageX - $(this).offset().left;
2598
        var width = $(this).outerWidth();
2599

    
2600
        if (left < 0) {
2601
          left = 0;
2602
        }
2603
        else if (left > width) {
2604
          left = width;
2605
        }
2606
        thumb.addClass('active').css('left', left);
2607
        thumb.find('.value').html($(this).children('input[type=range]').val());
2608
      }
2609

    
2610
    });
2611
    $(document).on("mouseout", range_wrapper, function() {
2612
      if (!range_mousedown) {
2613

    
2614
        var thumb = $(this).children('.thumb');
2615

    
2616
        if (thumb.hasClass('active')) {
2617
          thumb.velocity({ height: "0", width: "0", top: "10px", marginLeft: "-6px"}, { duration: 100 });
2618
        }
2619
        thumb.removeClass('active');
2620
      }
2621
    });
2622

    
2623
  }); // End of $(document).ready
2624

    
2625

    
2626

    
2627

    
2628
  // Select Plugin
2629
  $.fn.material_select = function (callback) {
2630
    $(this).each(function(){
2631
      $select = $(this);
2632

    
2633
      if ( $select.hasClass('browser-default')) {
2634
        return; // Continue to next (return false breaks out of entire loop)
2635
      }
2636

    
2637
      // Tear down structure if Select needs to be rebuilt
2638
      var lastID = $select.data('select-id');
2639
      if (lastID) {
2640
        $select.parent().find('i').remove();
2641
        $select.parent().find('input').remove();
2642

    
2643
        $select.unwrap();
2644
        $('ul#select-options-'+lastID).remove();
2645
      }
2646

    
2647
      // If destroying the select, remove the selelct-id and reset it to it's uninitialized state.
2648
      if(callback === 'destroy') {
2649
          $select.data('select-id', null).removeClass('initialized');
2650
          return;
2651
      }
2652

    
2653
      var uniqueID = Materialize.guid();
2654
      $select.data('select-id', uniqueID);
2655
      var wrapper = $('<div class="select-wrapper"></div>');
2656
      wrapper.addClass($select.attr('class'));
2657
      var options = $('<ul id="select-options-' + uniqueID+'" class="dropdown-content select-dropdown"></ul>');
2658
      var selectOptions = $select.children('option');
2659
      if ($select.find('option:selected') !== undefined) {
2660
        var label = $select.find('option:selected');
2661
      }
2662
      else {
2663
        var label = options.first();
2664
      }
2665

    
2666

    
2667
      // Create Dropdown structure
2668
      selectOptions.each(function () {
2669
        // Add disabled attr if disabled
2670
        options.append($('<li class="' + (($(this).is(':disabled')) ? 'disabled' : '') + '"><span>' + $(this).html() + '</span></li>'));
2671
      });
2672

    
2673

    
2674
      options.find('li').each(function (i) {
2675
        var $curr_select = $select;
2676
        $(this).click(function () {
2677
          // Check if option element is disabled
2678
          if (!$(this).hasClass('disabled')) {
2679
            $curr_select.find('option').eq(i).prop('selected', true);
2680
            // Trigger onchange() event
2681
            $curr_select.trigger('change');
2682
            $curr_select.siblings('input.select-dropdown').val($(this).text());
2683
            if (typeof callback !== 'undefined') callback();
2684
          }
2685
        });
2686

    
2687
      });
2688

    
2689
      // Wrap Elements
2690
      $select.wrap(wrapper);
2691
      // Add Select Display Element
2692
      var dropdownIcon = $('<i class="mdi-navigation-arrow-drop-down"></i>');
2693
      if ( $select.is(':disabled') )
2694
        dropdownIcon.addClass('disabled');
2695

    
2696
      var $newSelect = $('<input type="text" class="select-dropdown" readonly="true" ' + (($select.is(':disabled')) ? 'disabled' : '')
2697
                       + ' data-activates="select-options-' + uniqueID +'" value="'+ label.html() +'"/>');
2698
      $select.before($newSelect);
2699
      $newSelect.before(dropdownIcon);
2700

    
2701
      $('body').append(options);
2702
      // Check if section element is disabled
2703
      if (!$select.is(':disabled')) {
2704
        $newSelect.dropdown({"hover": false});
2705
      }
2706

    
2707
      // Copy tabindex
2708
      if ($select.attr('tabindex')) {
2709
        $($newSelect[0]).attr('tabindex', $select.attr('tabindex'));
2710
      }
2711

    
2712
      $select.addClass('initialized');
2713

    
2714
      $newSelect.on('focus', function(){
2715
        $(this).trigger('open');
2716
        label = $(this).val();
2717
        selectedOption = options.find('li').filter(function() {
2718
          return $(this).text().toLowerCase() === label.toLowerCase();
2719
        })[0];
2720
        activateOption(options, selectedOption);
2721
      });
2722

    
2723
      $newSelect.on('blur', function(){
2724
        $(this).trigger('close');
2725
      });
2726

    
2727
      // Make option as selected and scroll to selected position
2728
      activateOption = function(collection, newOption) {
2729
        collection.find('li.active').removeClass('active');
2730
        $(newOption).addClass('active');
2731
        collection.scrollTo(newOption);
2732
      }
2733

    
2734
      // Allow user to search by typing
2735
      // this array is cleared after 1 second
2736
      filterQuery = []
2737

    
2738
      onKeyDown = function(event){
2739
        // TAB - switch to another input
2740
        if(event.which == 9){
2741
          $newSelect.trigger('close');
2742
          return
2743
        }
2744

    
2745
        // ARROW DOWN WHEN SELECT IS CLOSED - open select options
2746
        if(event.which == 40 && !options.is(":visible")){
2747
          $newSelect.trigger('open');
2748
          return
2749
        }
2750

    
2751
        // ENTER WHEN SELECT IS CLOSED - submit form
2752
        if(event.which == 13 && !options.is(":visible")){
2753
          return
2754
        }
2755

    
2756
        event.preventDefault();
2757

    
2758
        // CASE WHEN USER TYPE LETTERS
2759
        letter = String.fromCharCode(event.which).toLowerCase();
2760

    
2761
        if (letter){
2762
          filterQuery.push(letter);
2763

    
2764
          string = filterQuery.join("");
2765

    
2766
          newOption = options.find('li').filter(function() {
2767
            return $(this).text().toLowerCase().indexOf(string) === 0;
2768
          })[0];
2769

    
2770
          if(newOption){
2771
            activateOption(options, newOption);
2772
          }
2773
        }
2774

    
2775
        // ENTER - select option and close when select options are opened
2776
        if(event.which == 13){
2777
          activeOption = options.find('li.active:not(.disabled)')[0];
2778
          if(activeOption){
2779
            $(activeOption).trigger('click');
2780
            $newSelect.trigger('close');
2781
          }
2782
        }
2783

    
2784
        // ARROW DOWN - move to next not disabled option
2785
        if(event.which == 40){
2786
          newOption = options.find('li.active').next('li:not(.disabled)')[0];
2787
          if(newOption){
2788
            activateOption(options, newOption);
2789
          }
2790
        }
2791

    
2792
        // ESC - close options
2793
        if(event.which == 27){
2794
          $newSelect.trigger('close');
2795
        }
2796

    
2797
        // ARROW UP - move to previous not disabled option
2798
        if(event.which == 38){
2799
          newOption = options.find('li.active').prev('li:not(.disabled)')[0];
2800
          if(newOption){
2801
            activateOption(options, newOption);
2802
          }
2803
        }
2804

    
2805
        // Automaticaly clean filter query so user can search again by starting letters
2806
        setTimeout(function(){filterQuery = []}, 1000)
2807
      }
2808

    
2809
      $newSelect.on('keydown', onKeyDown);
2810
    });
2811
  }
2812

    
2813
}( jQuery ));
2814
;(function ($) {
2815

    
2816
  $.fn.slider = function (options) {
2817
    var defaults = {
2818
      indicators: true,
2819
      height: 400,
2820
      transition: 500,
2821
      interval: 6000
2822
    }
2823
    options = $.extend(defaults, options);
2824

    
2825
    return this.each(function() {
2826

    
2827
      // For each slider, we want to keep track of
2828
      // which slide is active and its associated content
2829
      var $this = $(this);
2830
      var $slider = $this.find('ul.slides').first();
2831
      var $slides = $slider.find('li');
2832
      var $active_index = $slider.find('.active').index();
2833
      var $active;
2834
      if ($active_index != -1) { $active = $slides.eq($active_index); }
2835

    
2836
      // Transitions the caption depending on alignment
2837
      function captionTransition(caption, duration) {
2838
        if (caption.hasClass("center-align")) {
2839
          caption.velocity({opacity: 0, translateY: -100}, {duration: duration, queue: false});
2840
        }
2841
        else if (caption.hasClass("right-align")) {
2842
          caption.velocity({opacity: 0, translateX: 100}, {duration: duration, queue: false});
2843
        }
2844
        else if (caption.hasClass("left-align")) {
2845
          caption.velocity({opacity: 0, translateX: -100}, {duration: duration, queue: false});
2846
        }
2847
      }
2848

    
2849
      // This function will transition the slide to any index of the next slide
2850
      function moveToSlide(index) {
2851
        if (index >= $slides.length) index = 0;
2852
        else if (index < 0) index = $slides.length -1;
2853

    
2854
        $active_index = $slider.find('.active').index();
2855

    
2856
        // Only do if index changes
2857
        if ($active_index != index) {
2858
          $active = $slides.eq($active_index);
2859
          $caption = $active.find('.caption');
2860

    
2861
          $active.removeClass('active');
2862
          $active.velocity({opacity: 0}, {duration: options.transition, queue: false, easing: 'easeOutQuad',
2863
                            complete: function() {
2864
                              $slides.not('.active').velocity({opacity: 0, translateX: 0, translateY: 0}, {duration: 0, queue: false});
2865
                            } });
2866
          captionTransition($caption, options.transition);
2867

    
2868

    
2869
          // Update indicators
2870
          if (options.indicators) {
2871
            $indicators.eq($active_index).removeClass('active');
2872
          }
2873

    
2874
          $slides.eq(index).velocity({opacity: 1}, {duration: options.transition, queue: false, easing: 'easeOutQuad'});
2875
          $slides.eq(index).find('.caption').velocity({opacity: 1, translateX: 0, translateY: 0}, {duration: options.transition, delay: options.transition, queue: false, easing: 'easeOutQuad'});
2876
          $slides.eq(index).addClass('active');
2877

    
2878

    
2879
          // Update indicators
2880
          if (options.indicators) {
2881
            $indicators.eq(index).addClass('active');
2882
          }
2883
        }
2884
      }
2885

    
2886
      // Set height of slider
2887
      if (options.height != 400) {
2888
        $this.height(options.height + 40);
2889
        $slider.height(options.height);
2890
      }
2891

    
2892
      // Set initial positions of captions
2893
      $slides.find('.caption').each(function () {
2894
        captionTransition($(this), 0);
2895
      });
2896

    
2897
      // Set initial dimensions of images
2898
      // $slides.find('img').each(function () {
2899
      //   $(this).load(function () {
2900
      //     if ($(this).width() < $(this).parent().width()) {
2901
      //       $(this).css({width: '100%', height: 'auto'});
2902
      //     }
2903
      //   });
2904
      // });
2905

    
2906
      // Move img src into background-image
2907
      $slides.find('img').each(function () {
2908
        $(this).css('background-image', 'url(' + $(this).attr('src') + ')' );
2909
        $(this).attr('src', 'data:image/gif;base64,R0lGODlhAQABAIABAP///wAAACH5BAEKAAEALAAAAAABAAEAAAICTAEAOw==');
2910
      });
2911

    
2912
      // dynamically add indicators
2913
      if (options.indicators) {
2914
        var $indicators = $('<ul class="indicators"></ul>');
2915
        $slides.each(function( index ) {
2916
          var $indicator = $('<li class="indicator-item"></li>');
2917

    
2918
          // Handle clicks on indicators
2919
          $indicator.click(function () {
2920
            var $parent = $slider.parent();
2921
            var curr_index = $parent.find($(this)).index();
2922
            moveToSlide(curr_index);
2923

    
2924
            // reset interval
2925
            clearInterval($interval);
2926
            $interval = setInterval(
2927
              function(){
2928
                $active_index = $slider.find('.active').index();
2929
                if ($slides.length == $active_index + 1) $active_index = 0; // loop to start
2930
                else $active_index += 1;
2931

    
2932
                moveToSlide($active_index);
2933

    
2934
              }, options.transition + options.interval
2935
            );
2936
          });
2937
          $indicators.append($indicator);
2938
        });
2939
        $this.append($indicators);
2940
        $indicators = $this.find('ul.indicators').find('li.indicator-item');
2941
      }
2942

    
2943
      if ($active) {
2944
        $active.show();
2945
      }
2946
      else {
2947
        $slides.first().addClass('active').velocity({opacity: 1}, {duration: options.transition, queue: false, easing: 'easeOutQuad'});
2948

    
2949
        $active_index = 0;
2950
        $active = $slides.eq($active_index);
2951

    
2952
        // Update indicators
2953
        if (options.indicators) {
2954
          $indicators.eq($active_index).addClass('active');
2955
        }
2956
      }
2957

    
2958
      // Adjust height to current slide
2959
      $active.find('img').each(function() {
2960
        $active.find('.caption').velocity({opacity: 1, translateX: 0, translateY: 0}, {duration: options.transition, queue: false, easing: 'easeOutQuad'});
2961
      });
2962

    
2963
      // auto scroll
2964
      $interval = setInterval(
2965
        function(){
2966
          $active_index = $slider.find('.active').index();
2967
          moveToSlide($active_index + 1);
2968

    
2969
        }, options.transition + options.interval
2970
      );
2971

    
2972

    
2973
      // HammerJS, Swipe navigation
2974

    
2975
      // Touch Event
2976
      var panning = false;
2977
      var swipeLeft = false;
2978
      var swipeRight = false;
2979

    
2980
      $this.hammer({
2981
          prevent_default: false
2982
      }).bind('pan', function(e) {
2983
        if (e.gesture.pointerType === "touch") {
2984

    
2985
          // reset interval
2986
          clearInterval($interval);
2987

    
2988
          var direction = e.gesture.direction;
2989
          var x = e.gesture.deltaX;
2990
          var velocityX = e.gesture.velocityX;
2991

    
2992
          $curr_slide = $slider.find('.active');
2993
          $curr_slide.velocity({ translateX: x
2994
              }, {duration: 50, queue: false, easing: 'easeOutQuad'});
2995

    
2996
          // Swipe Left
2997
          if (direction === 4 && (x > ($this.innerWidth() / 2) || velocityX < -0.65)) {
2998
            swipeRight = true;
2999
          }
3000
          // Swipe Right
3001
          else if (direction === 2 && (x < (-1 * $this.innerWidth() / 2) || velocityX > 0.65)) {
3002
            swipeLeft = true;
3003
          }
3004

    
3005
          // Make Slide Behind active slide visible
3006
          var next_slide;
3007
          if (swipeLeft) {
3008
            next_slide = $curr_slide.next();
3009
            if (next_slide.length === 0) {
3010
              next_slide = $slides.first();
3011
            }
3012
            next_slide.velocity({ opacity: 1
3013
                }, {duration: 300, queue: false, easing: 'easeOutQuad'});
3014
          }
3015
          if (swipeRight) {
3016
            next_slide = $curr_slide.prev();
3017
            if (next_slide.length === 0) {
3018
              next_slide = $slides.last();
3019
            }
3020
            next_slide.velocity({ opacity: 1
3021
                }, {duration: 300, queue: false, easing: 'easeOutQuad'});
3022
          }
3023

    
3024

    
3025
        }
3026

    
3027
      }).bind('panend', function(e) {
3028
        if (e.gesture.pointerType === "touch") {
3029

    
3030
          $curr_slide = $slider.find('.active');
3031
          panning = false;
3032
          curr_index = $slider.find('.active').index();
3033

    
3034
          if (!swipeRight && !swipeLeft) {
3035
            // Return to original spot
3036
            $curr_slide.velocity({ translateX: 0
3037
                }, {duration: 300, queue: false, easing: 'easeOutQuad'});
3038
          }
3039
          else if (swipeLeft) {
3040
            moveToSlide(curr_index + 1);
3041
            $curr_slide.velocity({translateX: -1 * $this.innerWidth() }, {duration: 300, queue: false, easing: 'easeOutQuad',
3042
                                  complete: function() {
3043
                                    $curr_slide.velocity({opacity: 0, translateX: 0}, {duration: 0, queue: false});
3044
                                  } });
3045
          }
3046
          else if (swipeRight) {
3047
            moveToSlide(curr_index - 1);
3048
            $curr_slide.velocity({translateX: $this.innerWidth() }, {duration: 300, queue: false, easing: 'easeOutQuad',
3049
                                  complete: function() {
3050
                                    $curr_slide.velocity({opacity: 0, translateX: 0}, {duration: 0, queue: false});
3051
                                  } });
3052
          }
3053
          swipeLeft = false;
3054
          swipeRight = false;
3055

    
3056
          // Restart interval
3057
          clearInterval($interval);
3058
          $interval = setInterval(
3059
            function(){
3060
              $active_index = $slider.find('.active').index();
3061
              if ($slides.length == $active_index + 1) $active_index = 0; // loop to start
3062
              else $active_index += 1;
3063

    
3064
              moveToSlide($active_index);
3065

    
3066
            }, options.transition + options.interval
3067
          );
3068
        }
3069
      });
3070

    
3071
    });
3072

    
3073

    
3074

    
3075
  };
3076
}( jQuery ));
3077
;(function ($) {
3078
  $(document).ready(function() {
3079

    
3080
    $(document).on('click.card', '.card', function (e) {
3081
      if ($(this).find('.card-reveal').length) {
3082
        if ($(e.target).is($('.card-reveal .card-title')) || $(e.target).is($('.card-reveal .card-title i'))) {
3083
          // Make Reveal animate down and display none
3084
          $(this).find('.card-reveal').velocity(
3085
            {translateY: 0}, {
3086
              duration: 225,
3087
              queue: false,
3088
              easing: 'easeInOutQuad',
3089
              complete: function() { $(this).css({ display: 'none'}) }
3090
            }
3091
          );
3092
        }
3093
        else if ($(e.target).is($('.card .activator')) ||
3094
                 $(e.target).is($('.card .activator i')) ) {
3095
          $(this).find('.card-reveal').css({ display: 'block'}).velocity("stop", false).velocity({translateY: '-100%'}, {duration: 300, queue: false, easing: 'easeInOutQuad'});
3096
        }
3097
      }
3098

    
3099

    
3100
    });
3101

    
3102
  });
3103
}( jQuery ));;(function ($) {
3104
  $(document).ready(function() {
3105

    
3106
    $.fn.pushpin = function (options) {
3107

    
3108
      var defaults = {
3109
        top: 0,
3110
        bottom: Infinity,
3111
        offset: 0
3112
      }
3113
      options = $.extend(defaults, options);
3114

    
3115
      $index = 0;
3116
      return this.each(function() {
3117
        var $uniqueId = Materialize.guid(),
3118
            $this = $(this),
3119
            $original_offset = $(this).offset().top;
3120

    
3121
        function removePinClasses(object) {
3122
          object.removeClass('pin-top');
3123
          object.removeClass('pinned');
3124
          object.removeClass('pin-bottom');
3125
        }
3126

    
3127
        function updateElements(objects, scrolled) {
3128
          objects.each(function () {
3129
            // Add position fixed (because its between top and bottom)
3130
            if (options.top <= scrolled && options.bottom >= scrolled && !$(this).hasClass('pinned')) {
3131
              removePinClasses($(this));
3132
              $(this).css('top', options.offset);
3133
              $(this).addClass('pinned');
3134
            }
3135

    
3136
            // Add pin-top (when scrolled position is above top)
3137
            if (scrolled < options.top && !$(this).hasClass('pin-top')) {
3138
              removePinClasses($(this));
3139
              $(this).css('top', 0);
3140
              $(this).addClass('pin-top');
3141
            }
3142

    
3143
            // Add pin-bottom (when scrolled position is below bottom)
3144
            if (scrolled > options.bottom && !$(this).hasClass('pin-bottom')) {
3145
              removePinClasses($(this));
3146
              $(this).addClass('pin-bottom');
3147
              $(this).css('top', options.bottom - $original_offset);
3148
            }
3149
          });
3150
        }
3151

    
3152
        updateElements($this, $(window).scrollTop());
3153
        $(window).on('scroll.' + $uniqueId, function () {
3154
          var $scrolled = $(window).scrollTop() + options.offset;
3155
          updateElements($this, $scrolled);
3156
        });
3157

    
3158
      });
3159

    
3160
    };
3161

    
3162

    
3163
  });
3164
}( jQuery ));;(function ($) {
3165
  $(document).ready(function() {
3166

    
3167
    // jQuery reverse
3168
    $.fn.reverse = [].reverse;
3169

    
3170
    $(document).on('mouseenter.fixedActionBtn', '.fixed-action-btn', function(e) {
3171
      var $this = $(this);
3172

    
3173
      $this.find('ul .btn-floating').velocity(
3174
        { scaleY: ".4", scaleX: ".4", translateY: "40px"},
3175
        { duration: 0 });
3176

    
3177
      var time = 0;
3178
      $this.find('ul .btn-floating').reverse().each(function () {
3179
        $(this).velocity(
3180
          { opacity: "1", scaleX: "1", scaleY: "1", translateY: "0"},
3181
          { duration: 80, delay: time });
3182
        time += 40;
3183
      });
3184

    
3185
    });
3186

    
3187
    $(document).on('mouseleave.fixedActionBtn', '.fixed-action-btn', function(e) {
3188
      var $this = $(this);
3189

    
3190
      var time = 0;
3191
      $this.find('ul .btn-floating').velocity("stop", true);
3192
      $this.find('ul .btn-floating').velocity(
3193
        { opacity: "0", scaleX: ".4", scaleY: ".4", translateY: "40px"},
3194
        { duration: 80 });
3195
    });
3196

    
3197
  });
3198
}( jQuery ));
3199
;(function ($) {
3200
  // Image transition function
3201
  Materialize.fadeInImage =  function(selector){
3202
    var element = $(selector);
3203
    element.css({opacity: 0});
3204
    $(element).velocity({opacity: 1}, {
3205
        duration: 650,
3206
        queue: false,
3207
        easing: 'easeOutSine'
3208
      });
3209
    $(element).velocity({opacity: 1}, {
3210
          duration: 1300,
3211
          queue: false,
3212
          easing: 'swing',
3213
          step: function(now, fx) {
3214
              fx.start = 100;
3215
              var grayscale_setting = now/100;
3216
              var brightness_setting = 150 - (100 - now)/1.75;
3217

    
3218
              if (brightness_setting < 100) {
3219
                brightness_setting = 100;
3220
              }
3221
              if (now >= 0) {
3222
                $(this).css({
3223
                    "-webkit-filter": "grayscale("+grayscale_setting+")" + "brightness("+brightness_setting+"%)",
3224
                    "filter": "grayscale("+grayscale_setting+")" + "brightness("+brightness_setting+"%)"
3225
                });
3226
              }
3227
          }
3228
      });
3229
  };
3230

    
3231
  // Horizontal staggered list
3232
  Materialize.showStaggeredList = function(selector) {
3233
    var time = 0;
3234
    $(selector).find('li').velocity(
3235
        { translateX: "-100px"},
3236
        { duration: 0 });
3237

    
3238
    $(selector).find('li').each(function() {
3239
      $(this).velocity(
3240
        { opacity: "1", translateX: "0"},
3241
        { duration: 1800, delay: time, easing: [60, 10] });
3242
      time += 120;
3243
    });
3244
  };
3245

    
3246

    
3247
  $(document).ready(function() {
3248
    // Hardcoded .staggered-list scrollFire
3249
    // var staggeredListOptions = [];
3250
    // $('ul.staggered-list').each(function (i) {
3251

    
3252
    //   var label = 'scrollFire-' + i;
3253
    //   $(this).addClass(label);
3254
    //   staggeredListOptions.push(
3255
    //     {selector: 'ul.staggered-list.' + label,
3256
    //      offset: 200,
3257
    //      callback: 'showStaggeredList("ul.staggered-list.' + label + '")'});
3258
    // });
3259
    // scrollFire(staggeredListOptions);
3260

    
3261
    // HammerJS, Swipe navigation
3262

    
3263
    // Touch Event
3264
    var swipeLeft = false;
3265
    var swipeRight = false;
3266

    
3267
    $('.dismissable').each(function() {
3268
      $(this).hammer({
3269
        prevent_default: false
3270
      }).bind('pan', function(e) {
3271
        if (e.gesture.pointerType === "touch") {
3272
          var $this = $(this);
3273
          var direction = e.gesture.direction;
3274
          var x = e.gesture.deltaX;
3275
          var velocityX = e.gesture.velocityX;
3276

    
3277
          $this.velocity({ translateX: x
3278
              }, {duration: 50, queue: false, easing: 'easeOutQuad'});
3279

    
3280
          // Swipe Left
3281
          if (direction === 4 && (x > ($this.innerWidth() / 2) || velocityX < -0.75)) {
3282
            swipeLeft = true;
3283
          }
3284
          // Swipe Right
3285
          else if (direction === 2 && (x < (-1 * $this.innerWidth() / 2) || velocityX > 0.75)) {
3286
            swipeRight = true;
3287
          }
3288
        }
3289
      }).bind('panend', function(e) {
3290
        if (e.gesture.pointerType === "touch") {
3291
          var $this = $(this);
3292
          if (swipeLeft || swipeRight) {
3293
            var fullWidth;
3294
            if (swipeLeft) { fullWidth = $this.innerWidth() }
3295
            else { fullWidth = -1 * $this.innerWidth() }
3296

    
3297
            $this.velocity({ translateX: fullWidth,
3298
              }, {duration: 100, queue: false, easing: 'easeOutQuad', complete:
3299
              function() {
3300
                $this.css('border', 'none');
3301
                $this.velocity({ height: 0, padding: 0,
3302
                  }, {duration: 200, queue: false, easing: 'easeOutQuad', complete:
3303
                    function() { $this.remove(); }
3304
                  });
3305
              }
3306
            });
3307
          }
3308
          else {
3309
            $this.velocity({ translateX: 0,
3310
              }, {duration: 100, queue: false, easing: 'easeOutQuad'});
3311
          }
3312
          swipeLeft = false;
3313
          swipeRight = false;
3314
        }
3315
      });
3316

    
3317
    });
3318

    
3319

    
3320
    // time = 0
3321
    // // Vertical Staggered list
3322
    // $('ul.staggered-list.vertical li').velocity(
3323
    //     { translateY: "100px"},
3324
    //     { duration: 0 });
3325

    
3326
    // $('ul.staggered-list.vertical li').each(function() {
3327
    //   $(this).velocity(
3328
    //     { opacity: "1", translateY: "0"},
3329
    //     { duration: 800, delay: time, easing: [60, 25] });
3330
    //   time += 120;
3331
    // });
3332

    
3333
    // // Fade in and Scale
3334
    // $('.fade-in.scale').velocity(
3335
    //     { scaleX: .4, scaleY: .4, translateX: -600},
3336
    //     { duration: 0});
3337
    // $('.fade-in').each(function() {
3338
    //   $(this).velocity(
3339
    //     { opacity: "1", scaleX: 1, scaleY: 1, translateX: 0},
3340
    //     { duration: 800, easing: [60, 10] });
3341
    // });
3342
  });
3343
}( jQuery ));
3344
;(function($) {
3345

    
3346
  // Input: Array of JSON objects {selector, offset, callback}
3347

    
3348
  Materialize.scrollFire = function(options) {
3349

    
3350
    var didScroll = false;
3351

    
3352
    window.addEventListener("scroll", function() {
3353
      didScroll = true;
3354
    });
3355

    
3356
    // Rate limit to 100ms
3357
    setInterval(function() {
3358
      if(didScroll) {
3359
          didScroll = false;
3360

    
3361
          var windowScroll = window.pageYOffset + window.innerHeight;
3362

    
3363
          for (var i = 0 ; i < options.length; i++) {
3364
            // Get options from each line
3365
            var value = options[i];
3366
            var selector = value.selector,
3367
                offset = value.offset,
3368
                callback = value.callback;
3369

    
3370
            var currentElement = document.querySelector(selector);
3371
            if ( currentElement !== null) {
3372
              var elementOffset = currentElement.getBoundingClientRect().top + document.body.scrollTop;
3373

    
3374
              if (windowScroll > (elementOffset + offset)) {
3375
                if (value.done != true) {
3376
                  var callbackFunc = new Function(callback);
3377
                  callbackFunc();
3378
                  value.done = true;
3379
                }
3380
              }
3381
            }
3382
          };
3383
      }
3384
    }, 100);
3385

    
3386

    
3387
    // $(window).scroll(function () {
3388
    //   var windowScroll = $(window).scrollTop() + $(window).height();
3389

    
3390
    //   $.each( options, function( i, value ){
3391
    //     var selector = value.selector,
3392
    //         offset = value.offset,
3393
    //         callback = value.callback;
3394

    
3395
    //     if ($(selector).length != 0) {
3396
    //       var elementOffset = $(selector).offset().top;
3397

    
3398
    //       if (windowScroll > (elementOffset + offset)) {
3399
    //         if (value.done != true) {
3400
    //           var callbackFunc = new Function(callback);
3401
    //           callbackFunc();
3402
    //           value.done = true;
3403
    //         }
3404
    //       }
3405
    //     }
3406

    
3407
    //   });
3408
    // });
3409

    
3410
  }
3411

    
3412
})(jQuery);;/*!
3413
 * pickadate.js v3.5.0, 2014/04/13
3414
 * By Amsul, http://amsul.ca
3415
 * Hosted on http://amsul.github.io/pickadate.js
3416
 * Licensed under MIT
3417
 */
3418

    
3419
(function ( factory ) {
3420

    
3421
    // AMD.
3422
    if ( typeof define == 'function' && define.amd )
3423
        define( 'picker', ['jquery'], factory )
3424

    
3425
    // Node.js/browserify.
3426
    else if ( typeof exports == 'object' )
3427
        module.exports = factory( require('jquery') )
3428

    
3429
    // Browser globals.
3430
    else this.Picker = factory( jQuery )
3431

    
3432
}(function( $ ) {
3433

    
3434
var $window = $( window )
3435
var $document = $( document )
3436
var $html = $( document.documentElement )
3437

    
3438

    
3439
/**
3440
 * The picker constructor that creates a blank picker.
3441
 */
3442
function PickerConstructor( ELEMENT, NAME, COMPONENT, OPTIONS ) {
3443

    
3444
    // If there’s no element, return the picker constructor.
3445
    if ( !ELEMENT ) return PickerConstructor
3446

    
3447

    
3448
    var
3449
        IS_DEFAULT_THEME = false,
3450

    
3451

    
3452
        // The state of the picker.
3453
        STATE = {
3454
            id: ELEMENT.id || 'P' + Math.abs( ~~(Math.random() * new Date()) )
3455
        },
3456

    
3457

    
3458
        // Merge the defaults and options passed.
3459
        SETTINGS = COMPONENT ? $.extend( true, {}, COMPONENT.defaults, OPTIONS ) : OPTIONS || {},
3460

    
3461

    
3462
        // Merge the default classes with the settings classes.
3463
        CLASSES = $.extend( {}, PickerConstructor.klasses(), SETTINGS.klass ),
3464

    
3465

    
3466
        // The element node wrapper into a jQuery object.
3467
        $ELEMENT = $( ELEMENT ),
3468

    
3469

    
3470
        // Pseudo picker constructor.
3471
        PickerInstance = function() {
3472
            return this.start()
3473
        },
3474

    
3475

    
3476
        // The picker prototype.
3477
        P = PickerInstance.prototype = {
3478

    
3479
            constructor: PickerInstance,
3480

    
3481
            $node: $ELEMENT,
3482

    
3483

    
3484
            /**
3485
             * Initialize everything
3486
             */
3487
            start: function() {
3488

    
3489
                // If it’s already started, do nothing.
3490
                if ( STATE && STATE.start ) return P
3491

    
3492

    
3493
                // Update the picker states.
3494
                STATE.methods = {}
3495
                STATE.start = true
3496
                STATE.open = false
3497
                STATE.type = ELEMENT.type
3498

    
3499

    
3500
                // Confirm focus state, convert into text input to remove UA stylings,
3501
                // and set as readonly to prevent keyboard popup.
3502
                ELEMENT.autofocus = ELEMENT == getActiveElement()
3503
                ELEMENT.readOnly = !SETTINGS.editable
3504
                ELEMENT.id = ELEMENT.id || STATE.id
3505
                if ( ELEMENT.type != 'text' ) {
3506
                    ELEMENT.type = 'text'
3507
                }
3508

    
3509

    
3510
                // Create a new picker component with the settings.
3511
                P.component = new COMPONENT(P, SETTINGS)
3512

    
3513

    
3514
                // Create the picker root with a holder and then prepare it.
3515
                P.$root = $( PickerConstructor._.node('div', createWrappedComponent(), CLASSES.picker, 'id="' + ELEMENT.id + '_root" tabindex="0"') )
3516
                prepareElementRoot()
3517

    
3518

    
3519
                // If there’s a format for the hidden input element, create the element.
3520
                if ( SETTINGS.formatSubmit ) {
3521
                    prepareElementHidden()
3522
                }
3523

    
3524

    
3525
                // Prepare the input element.
3526
                prepareElement()
3527

    
3528

    
3529
                // Insert the root as specified in the settings.
3530
                if ( SETTINGS.container ) $( SETTINGS.container ).append( P.$root )
3531
                else $ELEMENT.after( P.$root )
3532

    
3533

    
3534
                // Bind the default component and settings events.
3535
                P.on({
3536
                    start: P.component.onStart,
3537
                    render: P.component.onRender,
3538
                    stop: P.component.onStop,
3539
                    open: P.component.onOpen,
3540
                    close: P.component.onClose,
3541
                    set: P.component.onSet
3542
                }).on({
3543
                    start: SETTINGS.onStart,
3544
                    render: SETTINGS.onRender,
3545
                    stop: SETTINGS.onStop,
3546
                    open: SETTINGS.onOpen,
3547
                    close: SETTINGS.onClose,
3548
                    set: SETTINGS.onSet
3549
                })
3550

    
3551

    
3552
                // Once we’re all set, check the theme in use.
3553
                IS_DEFAULT_THEME = isUsingDefaultTheme( P.$root.children()[ 0 ] )
3554

    
3555

    
3556
                // If the element has autofocus, open the picker.
3557
                if ( ELEMENT.autofocus ) {
3558
                    P.open()
3559
                }
3560

    
3561

    
3562
                // Trigger queued the “start” and “render” events.
3563
                return P.trigger( 'start' ).trigger( 'render' )
3564
            }, //start
3565

    
3566

    
3567
            /**
3568
             * Render a new picker
3569
             */
3570
            render: function( entireComponent ) {
3571

    
3572
                // Insert a new component holder in the root or box.
3573
                if ( entireComponent ) P.$root.html( createWrappedComponent() )
3574
                else P.$root.find( '.' + CLASSES.box ).html( P.component.nodes( STATE.open ) )
3575

    
3576
                // Trigger the queued “render” events.
3577
                return P.trigger( 'render' )
3578
            }, //render
3579

    
3580

    
3581
            /**
3582
             * Destroy everything
3583
             */
3584
            stop: function() {
3585

    
3586
                // If it’s already stopped, do nothing.
3587
                if ( !STATE.start ) return P
3588

    
3589
                // Then close the picker.
3590
                P.close()
3591

    
3592
                // Remove the hidden field.
3593
                if ( P._hidden ) {
3594
                    P._hidden.parentNode.removeChild( P._hidden )
3595
                }
3596

    
3597
                // Remove the root.
3598
                P.$root.remove()
3599

    
3600
                // Remove the input class, remove the stored data, and unbind
3601
                // the events (after a tick for IE - see `P.close`).
3602
                $ELEMENT.removeClass( CLASSES.input ).removeData( NAME )
3603
                setTimeout( function() {
3604
                    $ELEMENT.off( '.' + STATE.id )
3605
                }, 0)
3606

    
3607
                // Restore the element state
3608
                ELEMENT.type = STATE.type
3609
                ELEMENT.readOnly = false
3610

    
3611
                // Trigger the queued “stop” events.
3612
                P.trigger( 'stop' )
3613

    
3614
                // Reset the picker states.
3615
                STATE.methods = {}
3616
                STATE.start = false
3617

    
3618
                return P
3619
            }, //stop
3620

    
3621

    
3622
            /**
3623
             * Open up the picker
3624
             */
3625
            open: function( dontGiveFocus ) {
3626

    
3627
                // If it’s already open, do nothing.
3628
                if ( STATE.open ) return P
3629

    
3630
                // Add the “active” class.
3631
                $ELEMENT.addClass( CLASSES.active )
3632
                aria( ELEMENT, 'expanded', true )
3633

    
3634
                // * A Firefox bug, when `html` has `overflow:hidden`, results in
3635
                //   killing transitions :(. So add the “opened” state on the next tick.
3636
                //   Bug: https://bugzilla.mozilla.org/show_bug.cgi?id=625289
3637
                setTimeout( function() {
3638

    
3639
                    // Add the “opened” class to the picker root.
3640
                    P.$root.addClass( CLASSES.opened )
3641
                    aria( P.$root[0], 'hidden', false )
3642

    
3643
                }, 0 )
3644

    
3645
                // If we have to give focus, bind the element and doc events.
3646
                if ( dontGiveFocus !== false ) {
3647

    
3648
                    // Set it as open.
3649
                    STATE.open = true
3650

    
3651
                    // Prevent the page from scrolling.
3652
                    if ( IS_DEFAULT_THEME ) {
3653
                        $html.
3654
                            css( 'overflow', 'hidden' ).
3655
                            css( 'padding-right', '+=' + getScrollbarWidth() )
3656
                    }
3657

    
3658
                    // Pass focus to the root element’s jQuery object.
3659
                    // * Workaround for iOS8 to bring the picker’s root into view.
3660
                    P.$root[0].focus()
3661

    
3662
                    // Bind the document events.
3663
                    $document.on( 'click.' + STATE.id + ' focusin.' + STATE.id, function( event ) {
3664

    
3665
                        var target = event.target
3666

    
3667
                        // If the target of the event is not the element, close the picker picker.
3668
                        // * Don’t worry about clicks or focusins on the root because those don’t bubble up.
3669
                        //   Also, for Firefox, a click on an `option` element bubbles up directly
3670
                        //   to the doc. So make sure the target wasn't the doc.
3671
                        // * In Firefox stopPropagation() doesn’t prevent right-click events from bubbling,
3672
                        //   which causes the picker to unexpectedly close when right-clicking it. So make
3673
                        //   sure the event wasn’t a right-click.
3674
                        if ( target != ELEMENT && target != document && event.which != 3 ) {
3675

    
3676
                            // If the target was the holder that covers the screen,
3677
                            // keep the element focused to maintain tabindex.
3678
                            P.close( target === P.$root.children()[0] )
3679
                        }
3680

    
3681
                    }).on( 'keydown.' + STATE.id, function( event ) {
3682

    
3683
                        var
3684
                            // Get the keycode.
3685
                            keycode = event.keyCode,
3686

    
3687
                            // Translate that to a selection change.
3688
                            keycodeToMove = P.component.key[ keycode ],
3689

    
3690
                            // Grab the target.
3691
                            target = event.target
3692

    
3693

    
3694
                        // On escape, close the picker and give focus.
3695
                        if ( keycode == 27 ) {
3696
                            P.close( true )
3697
                        }
3698

    
3699

    
3700
                        // Check if there is a key movement or “enter” keypress on the element.
3701
                        else if ( target == P.$root[0] && ( keycodeToMove || keycode == 13 ) ) {
3702

    
3703
                            // Prevent the default action to stop page movement.
3704
                            event.preventDefault()
3705

    
3706
                            // Trigger the key movement action.
3707
                            if ( keycodeToMove ) {
3708
                                PickerConstructor._.trigger( P.component.key.go, P, [ PickerConstructor._.trigger( keycodeToMove ) ] )
3709
                            }
3710

    
3711
                            // On “enter”, if the highlighted item isn’t disabled, set the value and close.
3712
                            else if ( !P.$root.find( '.' + CLASSES.highlighted ).hasClass( CLASSES.disabled ) ) {
3713
                                P.set( 'select', P.component.item.highlight ).close()
3714
                            }
3715
                        }
3716

    
3717

    
3718
                        // If the target is within the root and “enter” is pressed,
3719
                        // prevent the default action and trigger a click on the target instead.
3720
                        else if ( $.contains( P.$root[0], target ) && keycode == 13 ) {
3721
                            event.preventDefault()
3722
                            target.click()
3723
                        }
3724
                    })
3725
                }
3726

    
3727
                // Trigger the queued “open” events.
3728
                return P.trigger( 'open' )
3729
            }, //open
3730

    
3731

    
3732
            /**
3733
             * Close the picker
3734
             */
3735
            close: function( giveFocus ) {
3736

    
3737
                // If we need to give focus, do it before changing states.
3738
                if ( giveFocus ) {
3739
                    // ....ah yes! It would’ve been incomplete without a crazy workaround for IE :|
3740
                    // The focus is triggered *after* the close has completed - causing it
3741
                    // to open again. So unbind and rebind the event at the next tick.
3742
                    P.$root.off( 'focus.toOpen' )[0].focus()
3743
                    setTimeout( function() {
3744
                        P.$root.on( 'focus.toOpen', handleFocusToOpenEvent )
3745
                    }, 0 )
3746
                }
3747

    
3748
                // Remove the “active” class.
3749
                $ELEMENT.removeClass( CLASSES.active )
3750
                aria( ELEMENT, 'expanded', false )
3751

    
3752
                // * A Firefox bug, when `html` has `overflow:hidden`, results in
3753
                //   killing transitions :(. So remove the “opened” state on the next tick.
3754
                //   Bug: https://bugzilla.mozilla.org/show_bug.cgi?id=625289
3755
                setTimeout( function() {
3756

    
3757
                    // Remove the “opened” and “focused” class from the picker root.
3758
                    P.$root.removeClass( CLASSES.opened + ' ' + CLASSES.focused )
3759
                    aria( P.$root[0], 'hidden', true )
3760

    
3761
                }, 0 )
3762

    
3763
                // If it’s already closed, do nothing more.
3764
                if ( !STATE.open ) return P
3765

    
3766
                // Set it as closed.
3767
                STATE.open = false
3768

    
3769
                // Allow the page to scroll.
3770
                if ( IS_DEFAULT_THEME ) {
3771
                    $html.
3772
                        css( 'overflow', '' ).
3773
                        css( 'padding-right', '-=' + getScrollbarWidth() )
3774
                }
3775

    
3776
                // Unbind the document events.
3777
                $document.off( '.' + STATE.id )
3778

    
3779
                // Trigger the queued “close” events.
3780
                return P.trigger( 'close' )
3781
            }, //close
3782

    
3783

    
3784
            /**
3785
             * Clear the values
3786
             */
3787
            clear: function( options ) {
3788
                return P.set( 'clear', null, options )
3789
            }, //clear
3790

    
3791

    
3792
            /**
3793
             * Set something
3794
             */
3795
            set: function( thing, value, options ) {
3796

    
3797
                var thingItem, thingValue,
3798
                    thingIsObject = $.isPlainObject( thing ),
3799
                    thingObject = thingIsObject ? thing : {}
3800

    
3801
                // Make sure we have usable options.
3802
                options = thingIsObject && $.isPlainObject( value ) ? value : options || {}
3803

    
3804
                if ( thing ) {
3805

    
3806
                    // If the thing isn’t an object, make it one.
3807
                    if ( !thingIsObject ) {
3808
                        thingObject[ thing ] = value
3809
                    }
3810

    
3811
                    // Go through the things of items to set.
3812
                    for ( thingItem in thingObject ) {
3813

    
3814
                        // Grab the value of the thing.
3815
                        thingValue = thingObject[ thingItem ]
3816

    
3817
                        // First, if the item exists and there’s a value, set it.
3818
                        if ( thingItem in P.component.item ) {
3819
                            if ( thingValue === undefined ) thingValue = null
3820
                            P.component.set( thingItem, thingValue, options )
3821
                        }
3822

    
3823
                        // Then, check to update the element value and broadcast a change.
3824
                        if ( thingItem == 'select' || thingItem == 'clear' ) {
3825
                            $ELEMENT.
3826
                                val( thingItem == 'clear' ? '' : P.get( thingItem, SETTINGS.format ) ).
3827
                                trigger( 'change' )
3828
                        }
3829
                    }
3830

    
3831
                    // Render a new picker.
3832
                    P.render()
3833
                }
3834

    
3835
                // When the method isn’t muted, trigger queued “set” events and pass the `thingObject`.
3836
                return options.muted ? P : P.trigger( 'set', thingObject )
3837
            }, //set
3838

    
3839

    
3840
            /**
3841
             * Get something
3842
             */
3843
            get: function( thing, format ) {
3844

    
3845
                // Make sure there’s something to get.
3846
                thing = thing || 'value'
3847

    
3848
                // If a picker state exists, return that.
3849
                if ( STATE[ thing ] != null ) {
3850
                    return STATE[ thing ]
3851
                }
3852

    
3853
                // Return the submission value, if that.
3854
                if ( thing == 'valueSubmit' ) {
3855
                    if ( P._hidden ) {
3856
                        return P._hidden.value
3857
                    }
3858
                    thing = 'value'
3859
                }
3860

    
3861
                // Return the value, if that.
3862
                if ( thing == 'value' ) {
3863
                    return ELEMENT.value
3864
                }
3865

    
3866
                // Check if a component item exists, return that.
3867
                if ( thing in P.component.item ) {
3868
                    if ( typeof format == 'string' ) {
3869
                        var thingValue = P.component.get( thing )
3870
                        return thingValue ?
3871
                            PickerConstructor._.trigger(
3872
                                P.component.formats.toString,
3873
                                P.component,
3874
                                [ format, thingValue ]
3875
                            ) : ''
3876
                    }
3877
                    return P.component.get( thing )
3878
                }
3879
            }, //get
3880

    
3881

    
3882

    
3883
            /**
3884
             * Bind events on the things.
3885
             */
3886
            on: function( thing, method, internal ) {
3887

    
3888
                var thingName, thingMethod,
3889
                    thingIsObject = $.isPlainObject( thing ),
3890
                    thingObject = thingIsObject ? thing : {}
3891

    
3892
                if ( thing ) {
3893

    
3894
                    // If the thing isn’t an object, make it one.
3895
                    if ( !thingIsObject ) {
3896
                        thingObject[ thing ] = method
3897
                    }
3898

    
3899
                    // Go through the things to bind to.
3900
                    for ( thingName in thingObject ) {
3901

    
3902
                        // Grab the method of the thing.
3903
                        thingMethod = thingObject[ thingName ]
3904

    
3905
                        // If it was an internal binding, prefix it.
3906
                        if ( internal ) {
3907
                            thingName = '_' + thingName
3908
                        }
3909

    
3910
                        // Make sure the thing methods collection exists.
3911
                        STATE.methods[ thingName ] = STATE.methods[ thingName ] || []
3912

    
3913
                        // Add the method to the relative method collection.
3914
                        STATE.methods[ thingName ].push( thingMethod )
3915
                    }
3916
                }
3917

    
3918
                return P
3919
            }, //on
3920

    
3921

    
3922

    
3923
            /**
3924
             * Unbind events on the things.
3925
             */
3926
            off: function() {
3927
                var i, thingName,
3928
                    names = arguments;
3929
                for ( i = 0, namesCount = names.length; i < namesCount; i += 1 ) {
3930
                    thingName = names[i]
3931
                    if ( thingName in STATE.methods ) {
3932
                        delete STATE.methods[thingName]
3933
                    }
3934
                }
3935
                return P
3936
            },
3937

    
3938

    
3939
            /**
3940
             * Fire off method events.
3941
             */
3942
            trigger: function( name, data ) {
3943
                var _trigger = function( name ) {
3944
                    var methodList = STATE.methods[ name ]
3945
                    if ( methodList ) {
3946
                        methodList.map( function( method ) {
3947
                            PickerConstructor._.trigger( method, P, [ data ] )
3948
                        })
3949
                    }
3950
                }
3951
                _trigger( '_' + name )
3952
                _trigger( name )
3953
                return P
3954
            } //trigger
3955
        } //PickerInstance.prototype
3956

    
3957

    
3958
    /**
3959
     * Wrap the picker holder components together.
3960
     */
3961
    function createWrappedComponent() {
3962

    
3963
        // Create a picker wrapper holder
3964
        return PickerConstructor._.node( 'div',
3965

    
3966
            // Create a picker wrapper node
3967
            PickerConstructor._.node( 'div',
3968

    
3969
                // Create a picker frame
3970
                PickerConstructor._.node( 'div',
3971

    
3972
                    // Create a picker box node
3973
                    PickerConstructor._.node( 'div',
3974

    
3975
                        // Create the components nodes.
3976
                        P.component.nodes( STATE.open ),
3977

    
3978
                        // The picker box class
3979
                        CLASSES.box
3980
                    ),
3981

    
3982
                    // Picker wrap class
3983
                    CLASSES.wrap
3984
                ),
3985

    
3986
                // Picker frame class
3987
                CLASSES.frame
3988
            ),
3989

    
3990
            // Picker holder class
3991
            CLASSES.holder
3992
        ) //endreturn
3993
    } //createWrappedComponent
3994

    
3995

    
3996

    
3997
    /**
3998
     * Prepare the input element with all bindings.
3999
     */
4000
    function prepareElement() {
4001

    
4002
        $ELEMENT.
4003

    
4004
            // Store the picker data by component name.
4005
            data(NAME, P).
4006

    
4007
            // Add the “input” class name.
4008
            addClass(CLASSES.input).
4009

    
4010
            // Remove the tabindex.
4011
            attr('tabindex', -1).
4012

    
4013
            // If there’s a `data-value`, update the value of the element.
4014
            val( $ELEMENT.data('value') ?
4015
                P.get('select', SETTINGS.format) :
4016
                ELEMENT.value
4017
            )
4018

    
4019

    
4020
        // Only bind keydown events if the element isn’t editable.
4021
        if ( !SETTINGS.editable ) {
4022

    
4023
            $ELEMENT.
4024

    
4025
                // On focus/click, focus onto the root to open it up.
4026
                on( 'focus.' + STATE.id + ' click.' + STATE.id, function( event ) {
4027
                    event.preventDefault()
4028
                    P.$root[0].focus()
4029
                }).
4030

    
4031
                // Handle keyboard event based on the picker being opened or not.
4032
                on( 'keydown.' + STATE.id, handleKeydownEvent )
4033
        }
4034

    
4035

    
4036
        // Update the aria attributes.
4037
        aria(ELEMENT, {
4038
            haspopup: true,
4039
            expanded: false,
4040
            readonly: false,
4041
            owns: ELEMENT.id + '_root'
4042
        })
4043
    }
4044

    
4045

    
4046
    /**
4047
     * Prepare the root picker element with all bindings.
4048
     */
4049
    function prepareElementRoot() {
4050

    
4051
        P.$root.
4052

    
4053
            on({
4054

    
4055
                // For iOS8.
4056
                keydown: handleKeydownEvent,
4057

    
4058
                // When something within the root is focused, stop from bubbling
4059
                // to the doc and remove the “focused” state from the root.
4060
                focusin: function( event ) {
4061
                    P.$root.removeClass( CLASSES.focused )
4062
                    event.stopPropagation()
4063
                },
4064

    
4065
                // When something within the root holder is clicked, stop it
4066
                // from bubbling to the doc.
4067
                'mousedown click': function( event ) {
4068

    
4069
                    var target = event.target
4070

    
4071
                    // Make sure the target isn’t the root holder so it can bubble up.
4072
                    if ( target != P.$root.children()[ 0 ] ) {
4073

    
4074
                        event.stopPropagation()
4075

    
4076
                        // * For mousedown events, cancel the default action in order to
4077
                        //   prevent cases where focus is shifted onto external elements
4078
                        //   when using things like jQuery mobile or MagnificPopup (ref: #249 & #120).
4079
                        //   Also, for Firefox, don’t prevent action on the `option` element.
4080
                        if ( event.type == 'mousedown' && !$( target ).is( 'input, select, textarea, button, option' )) {
4081

    
4082
                            event.preventDefault()
4083

    
4084
                            // Re-focus onto the root so that users can click away
4085
                            // from elements focused within the picker.
4086
                            P.$root[0].focus()
4087
                        }
4088
                    }
4089
                }
4090
            }).
4091

    
4092
            // Add/remove the “target” class on focus and blur.
4093
            on({
4094
                focus: function() {
4095
                    $ELEMENT.addClass( CLASSES.target )
4096
                },
4097
                blur: function() {
4098
                    $ELEMENT.removeClass( CLASSES.target )
4099
                }
4100
            }).
4101

    
4102
            // Open the picker and adjust the root “focused” state
4103
            on( 'focus.toOpen', handleFocusToOpenEvent ).
4104

    
4105
            // If there’s a click on an actionable element, carry out the actions.
4106
            on( 'click', '[data-pick], [data-nav], [data-clear], [data-close]', function() {
4107

    
4108
                var $target = $( this ),
4109
                    targetData = $target.data(),
4110
                    targetDisabled = $target.hasClass( CLASSES.navDisabled ) || $target.hasClass( CLASSES.disabled ),
4111

    
4112
                    // * For IE, non-focusable elements can be active elements as well
4113
                    //   (http://stackoverflow.com/a/2684561).
4114
                    activeElement = getActiveElement()
4115
                    activeElement = activeElement && ( activeElement.type || activeElement.href )
4116

    
4117
                // If it’s disabled or nothing inside is actively focused, re-focus the element.
4118
                if ( targetDisabled || activeElement && !$.contains( P.$root[0], activeElement ) ) {
4119
                    P.$root[0].focus()
4120
                }
4121

    
4122
                // If something is superficially changed, update the `highlight` based on the `nav`.
4123
                if ( !targetDisabled && targetData.nav ) {
4124
                    P.set( 'highlight', P.component.item.highlight, { nav: targetData.nav } )
4125
                }
4126

    
4127
                // If something is picked, set `select` then close with focus.
4128
                else if ( !targetDisabled && 'pick' in targetData ) {
4129
                    P.set( 'select', targetData.pick )
4130
                }
4131

    
4132
                // If a “clear” button is pressed, empty the values and close with focus.
4133
                else if ( targetData.clear ) {
4134
                    P.clear().close( true )
4135
                }
4136

    
4137
                else if ( targetData.close ) {
4138
                    P.close( true )
4139
                }
4140

    
4141
            }) //P.$root
4142

    
4143
        aria( P.$root[0], 'hidden', true )
4144
    }
4145

    
4146

    
4147
     /**
4148
      * Prepare the hidden input element along with all bindings.
4149
      */
4150
    function prepareElementHidden() {
4151

    
4152
        var name
4153

    
4154
        if ( SETTINGS.hiddenName === true ) {
4155
            name = ELEMENT.name
4156
            ELEMENT.name = ''
4157
        }
4158
        else {
4159
            name = [
4160
                typeof SETTINGS.hiddenPrefix == 'string' ? SETTINGS.hiddenPrefix : '',
4161
                typeof SETTINGS.hiddenSuffix == 'string' ? SETTINGS.hiddenSuffix : '_submit'
4162
            ]
4163
            name = name[0] + ELEMENT.name + name[1]
4164
        }
4165

    
4166
        P._hidden = $(
4167
            '<input ' +
4168
            'type=hidden ' +
4169

    
4170
            // Create the name using the original input’s with a prefix and suffix.
4171
            'name="' + name + '"' +
4172

    
4173
            // If the element has a value, set the hidden value as well.
4174
            (
4175
                $ELEMENT.data('value') || ELEMENT.value ?
4176
                    ' value="' + P.get('select', SETTINGS.formatSubmit) + '"' :
4177
                    ''
4178
            ) +
4179
            '>'
4180
        )[0]
4181

    
4182
        $ELEMENT.
4183

    
4184
            // If the value changes, update the hidden input with the correct format.
4185
            on('change.' + STATE.id, function() {
4186
                P._hidden.value = ELEMENT.value ?
4187
                    P.get('select', SETTINGS.formatSubmit) :
4188
                    ''
4189
            })
4190

    
4191

    
4192
        // Insert the hidden input as specified in the settings.
4193
        if ( SETTINGS.container ) $( SETTINGS.container ).append( P._hidden )
4194
        else $ELEMENT.after( P._hidden )
4195
    }
4196

    
4197

    
4198
    // For iOS8.
4199
    function handleKeydownEvent( event ) {
4200

    
4201
        var keycode = event.keyCode,
4202

    
4203
            // Check if one of the delete keys was pressed.
4204
            isKeycodeDelete = /^(8|46)$/.test(keycode)
4205

    
4206
        // For some reason IE clears the input value on “escape”.
4207
        if ( keycode == 27 ) {
4208
            P.close()
4209
            return false
4210
        }
4211

    
4212
        // Check if `space` or `delete` was pressed or the picker is closed with a key movement.
4213
        if ( keycode == 32 || isKeycodeDelete || !STATE.open && P.component.key[keycode] ) {
4214

    
4215
            // Prevent it from moving the page and bubbling to doc.
4216
            event.preventDefault()
4217
            event.stopPropagation()
4218

    
4219
            // If `delete` was pressed, clear the values and close the picker.
4220
            // Otherwise open the picker.
4221
            if ( isKeycodeDelete ) { P.clear().close() }
4222
            else { P.open() }
4223
        }
4224
    }
4225

    
4226

    
4227
    // Separated for IE
4228
    function handleFocusToOpenEvent( event ) {
4229

    
4230
        // Stop the event from propagating to the doc.
4231
        event.stopPropagation()
4232

    
4233
        // If it’s a focus event, add the “focused” class to the root.
4234
        if ( event.type == 'focus' ) {
4235
            P.$root.addClass( CLASSES.focused )
4236
        }
4237

    
4238
        // And then finally open the picker.
4239
        P.open()
4240
    }
4241

    
4242

    
4243
    // Return a new picker instance.
4244
    return new PickerInstance()
4245
} //PickerConstructor
4246

    
4247

    
4248

    
4249
/**
4250
 * The default classes and prefix to use for the HTML classes.
4251
 */
4252
PickerConstructor.klasses = function( prefix ) {
4253
    prefix = prefix || 'picker'
4254
    return {
4255

    
4256
        picker: prefix,
4257
        opened: prefix + '--opened',
4258
        focused: prefix + '--focused',
4259

    
4260
        input: prefix + '__input',
4261
        active: prefix + '__input--active',
4262
        target: prefix + '__input--target',
4263

    
4264
        holder: prefix + '__holder',
4265

    
4266
        frame: prefix + '__frame',
4267
        wrap: prefix + '__wrap',
4268

    
4269
        box: prefix + '__box'
4270
    }
4271
} //PickerConstructor.klasses
4272

    
4273

    
4274

    
4275
/**
4276
 * Check if the default theme is being used.
4277
 */
4278
function isUsingDefaultTheme( element ) {
4279

    
4280
    var theme,
4281
        prop = 'position'
4282

    
4283
    // For IE.
4284
    if ( element.currentStyle ) {
4285
        theme = element.currentStyle[prop]
4286
    }
4287

    
4288
    // For normal browsers.
4289
    else if ( window.getComputedStyle ) {
4290
        theme = getComputedStyle( element )[prop]
4291
    }
4292

    
4293
    return theme == 'fixed'
4294
}
4295

    
4296

    
4297

    
4298
/**
4299
 * Get the width of the browser’s scrollbar.
4300
 * Taken from: https://github.com/VodkaBears/Remodal/blob/master/src/jquery.remodal.js
4301
 */
4302
function getScrollbarWidth() {
4303

    
4304
    if ( $html.height() <= $window.height() ) {
4305
        return 0
4306
    }
4307

    
4308
    var $outer = $( '<div style="visibility:hidden;width:100px" />' ).
4309
        appendTo( 'body' )
4310

    
4311
    // Get the width without scrollbars.
4312
    var widthWithoutScroll = $outer[0].offsetWidth
4313

    
4314
    // Force adding scrollbars.
4315
    $outer.css( 'overflow', 'scroll' )
4316

    
4317
    // Add the inner div.
4318
    var $inner = $( '<div style="width:100%" />' ).appendTo( $outer )
4319

    
4320
    // Get the width with scrollbars.
4321
    var widthWithScroll = $inner[0].offsetWidth
4322

    
4323
    // Remove the divs.
4324
    $outer.remove()
4325

    
4326
    // Return the difference between the widths.
4327
    return widthWithoutScroll - widthWithScroll
4328
}
4329

    
4330

    
4331

    
4332
/**
4333
 * PickerConstructor helper methods.
4334
 */
4335
PickerConstructor._ = {
4336

    
4337
    /**
4338
     * Create a group of nodes. Expects:
4339
     * `
4340
        {
4341
            min:    {Integer},
4342
            max:    {Integer},
4343
            i:      {Integer},
4344
            node:   {String},
4345
            item:   {Function}
4346
        }
4347
     * `
4348
     */
4349
    group: function( groupObject ) {
4350

    
4351
        var
4352
            // Scope for the looped object
4353
            loopObjectScope,
4354

    
4355
            // Create the nodes list
4356
            nodesList = '',
4357

    
4358
            // The counter starts from the `min`
4359
            counter = PickerConstructor._.trigger( groupObject.min, groupObject )
4360

    
4361

    
4362
        // Loop from the `min` to `max`, incrementing by `i`
4363
        for ( ; counter <= PickerConstructor._.trigger( groupObject.max, groupObject, [ counter ] ); counter += groupObject.i ) {
4364

    
4365
            // Trigger the `item` function within scope of the object
4366
            loopObjectScope = PickerConstructor._.trigger( groupObject.item, groupObject, [ counter ] )
4367

    
4368
            // Splice the subgroup and create nodes out of the sub nodes
4369
            nodesList += PickerConstructor._.node(
4370
                groupObject.node,
4371
                loopObjectScope[ 0 ],   // the node
4372
                loopObjectScope[ 1 ],   // the classes
4373
                loopObjectScope[ 2 ]    // the attributes
4374
            )
4375
        }
4376

    
4377
        // Return the list of nodes
4378
        return nodesList
4379
    }, //group
4380

    
4381

    
4382
    /**
4383
     * Create a dom node string
4384
     */
4385
    node: function( wrapper, item, klass, attribute ) {
4386

    
4387
        // If the item is false-y, just return an empty string
4388
        if ( !item ) return ''
4389

    
4390
        // If the item is an array, do a join
4391
        item = $.isArray( item ) ? item.join( '' ) : item
4392

    
4393
        // Check for the class
4394
        klass = klass ? ' class="' + klass + '"' : ''
4395

    
4396
        // Check for any attributes
4397
        attribute = attribute ? ' ' + attribute : ''
4398

    
4399
        // Return the wrapped item
4400
        return '<' + wrapper + klass + attribute + '>' + item + '</' + wrapper + '>'
4401
    }, //node
4402

    
4403

    
4404
    /**
4405
     * Lead numbers below 10 with a zero.
4406
     */
4407
    lead: function( number ) {
4408
        return ( number < 10 ? '0': '' ) + number
4409
    },
4410

    
4411

    
4412
    /**
4413
     * Trigger a function otherwise return the value.
4414
     */
4415
    trigger: function( callback, scope, args ) {
4416
        return typeof callback == 'function' ? callback.apply( scope, args || [] ) : callback
4417
    },
4418

    
4419

    
4420
    /**
4421
     * If the second character is a digit, length is 2 otherwise 1.
4422
     */
4423
    digits: function( string ) {
4424
        return ( /\d/ ).test( string[ 1 ] ) ? 2 : 1
4425
    },
4426

    
4427

    
4428
    /**
4429
     * Tell if something is a date object.
4430
     */
4431
    isDate: function( value ) {
4432
        return {}.toString.call( value ).indexOf( 'Date' ) > -1 && this.isInteger( value.getDate() )
4433
    },
4434

    
4435

    
4436
    /**
4437
     * Tell if something is an integer.
4438
     */
4439
    isInteger: function( value ) {
4440
        return {}.toString.call( value ).indexOf( 'Number' ) > -1 && value % 1 === 0
4441
    },
4442

    
4443

    
4444
    /**
4445
     * Create ARIA attribute strings.
4446
     */
4447
    ariaAttr: ariaAttr
4448
} //PickerConstructor._
4449

    
4450

    
4451

    
4452
/**
4453
 * Extend the picker with a component and defaults.
4454
 */
4455
PickerConstructor.extend = function( name, Component ) {
4456

    
4457
    // Extend jQuery.
4458
    $.fn[ name ] = function( options, action ) {
4459

    
4460
        // Grab the component data.
4461
        var componentData = this.data( name )
4462

    
4463
        // If the picker is requested, return the data object.
4464
        if ( options == 'picker' ) {
4465
            return componentData
4466
        }
4467

    
4468
        // If the component data exists and `options` is a string, carry out the action.
4469
        if ( componentData && typeof options == 'string' ) {
4470
            return PickerConstructor._.trigger( componentData[ options ], componentData, [ action ] )
4471
        }
4472

    
4473
        // Otherwise go through each matched element and if the component
4474
        // doesn’t exist, create a new picker using `this` element
4475
        // and merging the defaults and options with a deep copy.
4476
        return this.each( function() {
4477
            var $this = $( this )
4478
            if ( !$this.data( name ) ) {
4479
                new PickerConstructor( this, name, Component, options )
4480
            }
4481
        })
4482
    }
4483

    
4484
    // Set the defaults.
4485
    $.fn[ name ].defaults = Component.defaults
4486
} //PickerConstructor.extend
4487

    
4488

    
4489

    
4490
function aria(element, attribute, value) {
4491
    if ( $.isPlainObject(attribute) ) {
4492
        for ( var key in attribute ) {
4493
            ariaSet(element, key, attribute[key])
4494
        }
4495
    }
4496
    else {
4497
        ariaSet(element, attribute, value)
4498
    }
4499
}
4500
function ariaSet(element, attribute, value) {
4501
    element.setAttribute(
4502
        (attribute == 'role' ? '' : 'aria-') + attribute,
4503
        value
4504
    )
4505
}
4506
function ariaAttr(attribute, data) {
4507
    if ( !$.isPlainObject(attribute) ) {
4508
        attribute = { attribute: data }
4509
    }
4510
    data = ''
4511
    for ( var key in attribute ) {
4512
        var attr = (key == 'role' ? '' : 'aria-') + key,
4513
            attrVal = attribute[key]
4514
        data += attrVal == null ? '' : attr + '="' + attribute[key] + '"'
4515
    }
4516
    return data
4517
}
4518

    
4519
// IE8 bug throws an error for activeElements within iframes.
4520
function getActiveElement() {
4521
    try {
4522
        return document.activeElement
4523
    } catch ( err ) { }
4524
}
4525

    
4526

    
4527

    
4528
// Expose the picker constructor.
4529
return PickerConstructor
4530

    
4531

    
4532
}));
4533

    
4534

    
4535
;/*!
4536
 * Date picker for pickadate.js v3.5.0
4537
 * http://amsul.github.io/pickadate.js/date.htm
4538
 */
4539

    
4540
(function ( factory ) {
4541

    
4542
    // AMD.
4543
    if ( typeof define == 'function' && define.amd )
4544
        define( ['picker', 'jquery'], factory )
4545

    
4546
    // Node.js/browserify.
4547
    else if ( typeof exports == 'object' )
4548
        module.exports = factory( require('./picker.js'), require('jquery') )
4549

    
4550
    // Browser globals.
4551
    else factory( Picker, jQuery )
4552

    
4553
}(function( Picker, $ ) {
4554

    
4555

    
4556
/**
4557
 * Globals and constants
4558
 */
4559
var DAYS_IN_WEEK = 7,
4560
    WEEKS_IN_CALENDAR = 6,
4561
    _ = Picker._
4562

    
4563

    
4564

    
4565
/**
4566
 * The date picker constructor
4567
 */
4568
function DatePicker( picker, settings ) {
4569

    
4570
    var calendar = this,
4571
        element = picker.$node[ 0 ],
4572
        elementValue = element.value,
4573
        elementDataValue = picker.$node.data( 'value' ),
4574
        valueString = elementDataValue || elementValue,
4575
        formatString = elementDataValue ? settings.formatSubmit : settings.format,
4576
        isRTL = function() {
4577

    
4578
            return element.currentStyle ?
4579

    
4580
                // For IE.
4581
                element.currentStyle.direction == 'rtl' :
4582

    
4583
                // For normal browsers.
4584
                getComputedStyle( picker.$root[0] ).direction == 'rtl'
4585
        }
4586

    
4587
    calendar.settings = settings
4588
    calendar.$node = picker.$node
4589

    
4590
    // The queue of methods that will be used to build item objects.
4591
    calendar.queue = {
4592
        min: 'measure create',
4593
        max: 'measure create',
4594
        now: 'now create',
4595
        select: 'parse create validate',
4596
        highlight: 'parse navigate create validate',
4597
        view: 'parse create validate viewset',
4598
        disable: 'deactivate',
4599
        enable: 'activate'
4600
    }
4601

    
4602
    // The component's item object.
4603
    calendar.item = {}
4604

    
4605
    calendar.item.clear = null
4606
    calendar.item.disable = ( settings.disable || [] ).slice( 0 )
4607
    calendar.item.enable = -(function( collectionDisabled ) {
4608
        return collectionDisabled[ 0 ] === true ? collectionDisabled.shift() : -1
4609
    })( calendar.item.disable )
4610

    
4611
    calendar.
4612
        set( 'min', settings.min ).
4613
        set( 'max', settings.max ).
4614
        set( 'now' )
4615

    
4616
    // When there’s a value, set the `select`, which in turn
4617
    // also sets the `highlight` and `view`.
4618
    if ( valueString ) {
4619
        calendar.set( 'select', valueString, { format: formatString })
4620
    }
4621

    
4622
    // If there’s no value, default to highlighting “today”.
4623
    else {
4624
        calendar.
4625
            set( 'select', null ).
4626
            set( 'highlight', calendar.item.now )
4627
    }
4628

    
4629

    
4630
    // The keycode to movement mapping.
4631
    calendar.key = {
4632
        40: 7, // Down
4633
        38: -7, // Up
4634
        39: function() { return isRTL() ? -1 : 1 }, // Right
4635
        37: function() { return isRTL() ? 1 : -1 }, // Left
4636
        go: function( timeChange ) {
4637
            var highlightedObject = calendar.item.highlight,
4638
                targetDate = new Date( highlightedObject.year, highlightedObject.month, highlightedObject.date + timeChange )
4639
            calendar.set(
4640
                'highlight',
4641
                targetDate,
4642
                { interval: timeChange }
4643
            )
4644
            this.render()
4645
        }
4646
    }
4647

    
4648

    
4649
    // Bind some picker events.
4650
    picker.
4651
        on( 'render', function() {
4652
            picker.$root.find( '.' + settings.klass.selectMonth ).on( 'change', function() {
4653
                var value = this.value
4654
                if ( value ) {
4655
                    picker.set( 'highlight', [ picker.get( 'view' ).year, value, picker.get( 'highlight' ).date ] )
4656
                    picker.$root.find( '.' + settings.klass.selectMonth ).trigger( 'focus' )
4657
                }
4658
            })
4659
            picker.$root.find( '.' + settings.klass.selectYear ).on( 'change', function() {
4660
                var value = this.value
4661
                if ( value ) {
4662
                    picker.set( 'highlight', [ value, picker.get( 'view' ).month, picker.get( 'highlight' ).date ] )
4663
                    picker.$root.find( '.' + settings.klass.selectYear ).trigger( 'focus' )
4664
                }
4665
            })
4666
        }, 1 ).
4667
        on( 'open', function() {
4668
            var includeToday = ''
4669
            if ( calendar.disabled( calendar.get('now') ) ) {
4670
                includeToday = ':not(.' + settings.klass.buttonToday + ')'
4671
            }
4672
            picker.$root.find( 'button' + includeToday + ', select' ).attr( 'disabled', false )
4673
        }, 1 ).
4674
        on( 'close', function() {
4675
            picker.$root.find( 'button, select' ).attr( 'disabled', true )
4676
        }, 1 )
4677

    
4678
} //DatePicker
4679

    
4680

    
4681
/**
4682
 * Set a datepicker item object.
4683
 */
4684
DatePicker.prototype.set = function( type, value, options ) {
4685

    
4686
    var calendar = this,
4687
        calendarItem = calendar.item
4688

    
4689
    // If the value is `null` just set it immediately.
4690
    if ( value === null ) {
4691
        if ( type == 'clear' ) type = 'select'
4692
        calendarItem[ type ] = value
4693
        return calendar
4694
    }
4695

    
4696
    // Otherwise go through the queue of methods, and invoke the functions.
4697
    // Update this as the time unit, and set the final value as this item.
4698
    // * In the case of `enable`, keep the queue but set `disable` instead.
4699
    //   And in the case of `flip`, keep the queue but set `enable` instead.
4700
    calendarItem[ ( type == 'enable' ? 'disable' : type == 'flip' ? 'enable' : type ) ] = calendar.queue[ type ].split( ' ' ).map( function( method ) {
4701
        value = calendar[ method ]( type, value, options )
4702
        return value
4703
    }).pop()
4704

    
4705
    // Check if we need to cascade through more updates.
4706
    if ( type == 'select' ) {
4707
        calendar.set( 'highlight', calendarItem.select, options )
4708
    }
4709
    else if ( type == 'highlight' ) {
4710
        calendar.set( 'view', calendarItem.highlight, options )
4711
    }
4712
    else if ( type.match( /^(flip|min|max|disable|enable)$/ ) ) {
4713
        if ( calendarItem.select && calendar.disabled( calendarItem.select ) ) {
4714
            calendar.set( 'select', calendarItem.select, options )
4715
        }
4716
        if ( calendarItem.highlight && calendar.disabled( calendarItem.highlight ) ) {
4717
            calendar.set( 'highlight', calendarItem.highlight, options )
4718
        }
4719
    }
4720

    
4721
    return calendar
4722
} //DatePicker.prototype.set
4723

    
4724

    
4725
/**
4726
 * Get a datepicker item object.
4727
 */
4728
DatePicker.prototype.get = function( type ) {
4729
    return this.item[ type ]
4730
} //DatePicker.prototype.get
4731

    
4732

    
4733
/**
4734
 * Create a picker date object.
4735
 */
4736
DatePicker.prototype.create = function( type, value, options ) {
4737

    
4738
    var isInfiniteValue,
4739
        calendar = this
4740

    
4741
    // If there’s no value, use the type as the value.
4742
    value = value === undefined ? type : value
4743

    
4744

    
4745
    // If it’s infinity, update the value.
4746
    if ( value == -Infinity || value == Infinity ) {
4747
        isInfiniteValue = value
4748
    }
4749

    
4750
    // If it’s an object, use the native date object.
4751
    else if ( $.isPlainObject( value ) && _.isInteger( value.pick ) ) {
4752
        value = value.obj
4753
    }
4754

    
4755
    // If it’s an array, convert it into a date and make sure
4756
    // that it’s a valid date – otherwise default to today.
4757
    else if ( $.isArray( value ) ) {
4758
        value = new Date( value[ 0 ], value[ 1 ], value[ 2 ] )
4759
        value = _.isDate( value ) ? value : calendar.create().obj
4760
    }
4761

    
4762
    // If it’s a number or date object, make a normalized date.
4763
    else if ( _.isInteger( value ) || _.isDate( value ) ) {
4764
        value = calendar.normalize( new Date( value ), options )
4765
    }
4766

    
4767
    // If it’s a literal true or any other case, set it to now.
4768
    else /*if ( value === true )*/ {
4769
        value = calendar.now( type, value, options )
4770
    }
4771

    
4772
    // Return the compiled object.
4773
    return {
4774
        year: isInfiniteValue || value.getFullYear(),
4775
        month: isInfiniteValue || value.getMonth(),
4776
        date: isInfiniteValue || value.getDate(),
4777
        day: isInfiniteValue || value.getDay(),
4778
        obj: isInfiniteValue || value,
4779
        pick: isInfiniteValue || value.getTime()
4780
    }
4781
} //DatePicker.prototype.create
4782

    
4783

    
4784
/**
4785
 * Create a range limit object using an array, date object,
4786
 * literal “true”, or integer relative to another time.
4787
 */
4788
DatePicker.prototype.createRange = function( from, to ) {
4789

    
4790
    var calendar = this,
4791
        createDate = function( date ) {
4792
            if ( date === true || $.isArray( date ) || _.isDate( date ) ) {
4793
                return calendar.create( date )
4794
            }
4795
            return date
4796
        }
4797

    
4798
    // Create objects if possible.
4799
    if ( !_.isInteger( from ) ) {
4800
        from = createDate( from )
4801
    }
4802
    if ( !_.isInteger( to ) ) {
4803
        to = createDate( to )
4804
    }
4805

    
4806
    // Create relative dates.
4807
    if ( _.isInteger( from ) && $.isPlainObject( to ) ) {
4808
        from = [ to.year, to.month, to.date + from ];
4809
    }
4810
    else if ( _.isInteger( to ) && $.isPlainObject( from ) ) {
4811
        to = [ from.year, from.month, from.date + to ];
4812
    }
4813

    
4814
    return {
4815
        from: createDate( from ),
4816
        to: createDate( to )
4817
    }
4818
} //DatePicker.prototype.createRange
4819

    
4820

    
4821
/**
4822
 * Check if a date unit falls within a date range object.
4823
 */
4824
DatePicker.prototype.withinRange = function( range, dateUnit ) {
4825
    range = this.createRange(range.from, range.to)
4826
    return dateUnit.pick >= range.from.pick && dateUnit.pick <= range.to.pick
4827
}
4828

    
4829

    
4830
/**
4831
 * Check if two date range objects overlap.
4832
 */
4833
DatePicker.prototype.overlapRanges = function( one, two ) {
4834

    
4835
    var calendar = this
4836

    
4837
    // Convert the ranges into comparable dates.
4838
    one = calendar.createRange( one.from, one.to )
4839
    two = calendar.createRange( two.from, two.to )
4840

    
4841
    return calendar.withinRange( one, two.from ) || calendar.withinRange( one, two.to ) ||
4842
        calendar.withinRange( two, one.from ) || calendar.withinRange( two, one.to )
4843
}
4844

    
4845

    
4846
/**
4847
 * Get the date today.
4848
 */
4849
DatePicker.prototype.now = function( type, value, options ) {
4850
    value = new Date()
4851
    if ( options && options.rel ) {
4852
        value.setDate( value.getDate() + options.rel )
4853
    }
4854
    return this.normalize( value, options )
4855
}
4856

    
4857

    
4858
/**
4859
 * Navigate to next/prev month.
4860
 */
4861
DatePicker.prototype.navigate = function( type, value, options ) {
4862

    
4863
    var targetDateObject,
4864
        targetYear,
4865
        targetMonth,
4866
        targetDate,
4867
        isTargetArray = $.isArray( value ),
4868
        isTargetObject = $.isPlainObject( value ),
4869
        viewsetObject = this.item.view/*,
4870
        safety = 100*/
4871

    
4872

    
4873
    if ( isTargetArray || isTargetObject ) {
4874

    
4875
        if ( isTargetObject ) {
4876
            targetYear = value.year
4877
            targetMonth = value.month
4878
            targetDate = value.date
4879
        }
4880
        else {
4881
            targetYear = +value[0]
4882
            targetMonth = +value[1]
4883
            targetDate = +value[2]
4884
        }
4885

    
4886
        // If we’re navigating months but the view is in a different
4887
        // month, navigate to the view’s year and month.
4888
        if ( options && options.nav && viewsetObject && viewsetObject.month !== targetMonth ) {
4889
            targetYear = viewsetObject.year
4890
            targetMonth = viewsetObject.month
4891
        }
4892

    
4893
        // Figure out the expected target year and month.
4894
        targetDateObject = new Date( targetYear, targetMonth + ( options && options.nav ? options.nav : 0 ), 1 )
4895
        targetYear = targetDateObject.getFullYear()
4896
        targetMonth = targetDateObject.getMonth()
4897

    
4898
        // If the month we’re going to doesn’t have enough days,
4899
        // keep decreasing the date until we reach the month’s last date.
4900
        while ( /*safety &&*/ new Date( targetYear, targetMonth, targetDate ).getMonth() !== targetMonth ) {
4901
            targetDate -= 1
4902
            /*safety -= 1
4903
            if ( !safety ) {
4904
                throw 'Fell into an infinite loop while navigating to ' + new Date( targetYear, targetMonth, targetDate ) + '.'
4905
            }*/
4906
        }
4907

    
4908
        value = [ targetYear, targetMonth, targetDate ]
4909
    }
4910

    
4911
    return value
4912
} //DatePicker.prototype.navigate
4913

    
4914

    
4915
/**
4916
 * Normalize a date by setting the hours to midnight.
4917
 */
4918
DatePicker.prototype.normalize = function( value/*, options*/ ) {
4919
    value.setHours( 0, 0, 0, 0 )
4920
    return value
4921
}
4922

    
4923

    
4924
/**
4925
 * Measure the range of dates.
4926
 */
4927
DatePicker.prototype.measure = function( type, value/*, options*/ ) {
4928

    
4929
    var calendar = this
4930

    
4931
    // If it’s anything false-y, remove the limits.
4932
    if ( !value ) {
4933
        value = type == 'min' ? -Infinity : Infinity
4934
    }
4935

    
4936
    // If it’s a string, parse it.
4937
    else if ( typeof value == 'string' ) {
4938
        value = calendar.parse( type, value )
4939
    }
4940

    
4941
    // If it's an integer, get a date relative to today.
4942
    else if ( _.isInteger( value ) ) {
4943
        value = calendar.now( type, value, { rel: value } )
4944
    }
4945

    
4946
    return value
4947
} ///DatePicker.prototype.measure
4948

    
4949

    
4950
/**
4951
 * Create a viewset object based on navigation.
4952
 */
4953
DatePicker.prototype.viewset = function( type, dateObject/*, options*/ ) {
4954
    return this.create([ dateObject.year, dateObject.month, 1 ])
4955
}
4956

    
4957

    
4958
/**
4959
 * Validate a date as enabled and shift if needed.
4960
 */
4961
DatePicker.prototype.validate = function( type, dateObject, options ) {
4962

    
4963
    var calendar = this,
4964

    
4965
        // Keep a reference to the original date.
4966
        originalDateObject = dateObject,
4967

    
4968
        // Make sure we have an interval.
4969
        interval = options && options.interval ? options.interval : 1,
4970

    
4971
        // Check if the calendar enabled dates are inverted.
4972
        isFlippedBase = calendar.item.enable === -1,
4973

    
4974
        // Check if we have any enabled dates after/before now.
4975
        hasEnabledBeforeTarget, hasEnabledAfterTarget,
4976

    
4977
        // The min & max limits.
4978
        minLimitObject = calendar.item.min,
4979
        maxLimitObject = calendar.item.max,
4980

    
4981
        // Check if we’ve reached the limit during shifting.
4982
        reachedMin, reachedMax,
4983

    
4984
        // Check if the calendar is inverted and at least one weekday is enabled.
4985
        hasEnabledWeekdays = isFlippedBase && calendar.item.disable.filter( function( value ) {
4986

    
4987
            // If there’s a date, check where it is relative to the target.
4988
            if ( $.isArray( value ) ) {
4989
                var dateTime = calendar.create( value ).pick
4990
                if ( dateTime < dateObject.pick ) hasEnabledBeforeTarget = true
4991
                else if ( dateTime > dateObject.pick ) hasEnabledAfterTarget = true
4992
            }
4993

    
4994
            // Return only integers for enabled weekdays.
4995
            return _.isInteger( value )
4996
        }).length/*,
4997

    
4998
        safety = 100*/
4999

    
5000

    
5001

    
5002
    // Cases to validate for:
5003
    // [1] Not inverted and date disabled.
5004
    // [2] Inverted and some dates enabled.
5005
    // [3] Not inverted and out of range.
5006
    //
5007
    // Cases to **not** validate for:
5008
    // • Navigating months.
5009
    // • Not inverted and date enabled.
5010
    // • Inverted and all dates disabled.
5011
    // • ..and anything else.
5012
    if ( !options || !options.nav ) if (
5013
        /* 1 */ ( !isFlippedBase && calendar.disabled( dateObject ) ) ||
5014
        /* 2 */ ( isFlippedBase && calendar.disabled( dateObject ) && ( hasEnabledWeekdays || hasEnabledBeforeTarget || hasEnabledAfterTarget ) ) ||
5015
        /* 3 */ ( !isFlippedBase && (dateObject.pick <= minLimitObject.pick || dateObject.pick >= maxLimitObject.pick) )
5016
    ) {
5017

    
5018

    
5019
        // When inverted, flip the direction if there aren’t any enabled weekdays
5020
        // and there are no enabled dates in the direction of the interval.
5021
        if ( isFlippedBase && !hasEnabledWeekdays && ( ( !hasEnabledAfterTarget && interval > 0 ) || ( !hasEnabledBeforeTarget && interval < 0 ) ) ) {
5022
            interval *= -1
5023
        }
5024

    
5025

    
5026
        // Keep looping until we reach an enabled date.
5027
        while ( /*safety &&*/ calendar.disabled( dateObject ) ) {
5028

    
5029
            /*safety -= 1
5030
            if ( !safety ) {
5031
                throw 'Fell into an infinite loop while validating ' + dateObject.obj + '.'
5032
            }*/
5033

    
5034

    
5035
            // If we’ve looped into the next/prev month with a large interval, return to the original date and flatten the interval.
5036
            if ( Math.abs( interval ) > 1 && ( dateObject.month < originalDateObject.month || dateObject.month > originalDateObject.month ) ) {
5037
                dateObject = originalDateObject
5038
                interval = interval > 0 ? 1 : -1
5039
            }
5040

    
5041

    
5042
            // If we’ve reached the min/max limit, reverse the direction, flatten the interval and set it to the limit.
5043
            if ( dateObject.pick <= minLimitObject.pick ) {
5044
                reachedMin = true
5045
                interval = 1
5046
                dateObject = calendar.create([
5047
                    minLimitObject.year,
5048
                    minLimitObject.month,
5049
                    minLimitObject.date + (dateObject.pick === minLimitObject.pick ? 0 : -1)
5050
                ])
5051
            }
5052
            else if ( dateObject.pick >= maxLimitObject.pick ) {
5053
                reachedMax = true
5054
                interval = -1
5055
                dateObject = calendar.create([
5056
                    maxLimitObject.year,
5057
                    maxLimitObject.month,
5058
                    maxLimitObject.date + (dateObject.pick === maxLimitObject.pick ? 0 : 1)
5059
                ])
5060
            }
5061

    
5062

    
5063
            // If we’ve reached both limits, just break out of the loop.
5064
            if ( reachedMin && reachedMax ) {
5065
                break
5066
            }
5067

    
5068

    
5069
            // Finally, create the shifted date using the interval and keep looping.
5070
            dateObject = calendar.create([ dateObject.year, dateObject.month, dateObject.date + interval ])
5071
        }
5072

    
5073
    } //endif
5074

    
5075

    
5076
    // Return the date object settled on.
5077
    return dateObject
5078
} //DatePicker.prototype.validate
5079

    
5080

    
5081
/**
5082
 * Check if a date is disabled.
5083
 */
5084
DatePicker.prototype.disabled = function( dateToVerify ) {
5085

    
5086
    var
5087
        calendar = this,
5088

    
5089
        // Filter through the disabled dates to check if this is one.
5090
        isDisabledMatch = calendar.item.disable.filter( function( dateToDisable ) {
5091

    
5092
            // If the date is a number, match the weekday with 0index and `firstDay` check.
5093
            if ( _.isInteger( dateToDisable ) ) {
5094
                return dateToVerify.day === ( calendar.settings.firstDay ? dateToDisable : dateToDisable - 1 ) % 7
5095
            }
5096

    
5097
            // If it’s an array or a native JS date, create and match the exact date.
5098
            if ( $.isArray( dateToDisable ) || _.isDate( dateToDisable ) ) {
5099
                return dateToVerify.pick === calendar.create( dateToDisable ).pick
5100
            }
5101

    
5102
            // If it’s an object, match a date within the “from” and “to” range.
5103
            if ( $.isPlainObject( dateToDisable ) ) {
5104
                return calendar.withinRange( dateToDisable, dateToVerify )
5105
            }
5106
        })
5107

    
5108
    // If this date matches a disabled date, confirm it’s not inverted.
5109
    isDisabledMatch = isDisabledMatch.length && !isDisabledMatch.filter(function( dateToDisable ) {
5110
        return $.isArray( dateToDisable ) && dateToDisable[3] == 'inverted' ||
5111
            $.isPlainObject( dateToDisable ) && dateToDisable.inverted
5112
    }).length
5113

    
5114
    // Check the calendar “enabled” flag and respectively flip the
5115
    // disabled state. Then also check if it’s beyond the min/max limits.
5116
    return calendar.item.enable === -1 ? !isDisabledMatch : isDisabledMatch ||
5117
        dateToVerify.pick < calendar.item.min.pick ||
5118
        dateToVerify.pick > calendar.item.max.pick
5119

    
5120
} //DatePicker.prototype.disabled
5121

    
5122

    
5123
/**
5124
 * Parse a string into a usable type.
5125
 */
5126
DatePicker.prototype.parse = function( type, value, options ) {
5127

    
5128
    var calendar = this,
5129
        parsingObject = {}
5130

    
5131
    // If it’s already parsed, we’re good.
5132
    if ( !value || typeof value != 'string' ) {
5133
        return value
5134
    }
5135

    
5136
    // We need a `.format` to parse the value with.
5137
    if ( !( options && options.format ) ) {
5138
        options = options || {}
5139
        options.format = calendar.settings.format
5140
    }
5141

    
5142
    // Convert the format into an array and then map through it.
5143
    calendar.formats.toArray( options.format ).map( function( label ) {
5144

    
5145
        var
5146
            // Grab the formatting label.
5147
            formattingLabel = calendar.formats[ label ],
5148

    
5149
            // The format length is from the formatting label function or the
5150
            // label length without the escaping exclamation (!) mark.
5151
            formatLength = formattingLabel ? _.trigger( formattingLabel, calendar, [ value, parsingObject ] ) : label.replace( /^!/, '' ).length
5152

    
5153
        // If there's a format label, split the value up to the format length.
5154
        // Then add it to the parsing object with appropriate label.
5155
        if ( formattingLabel ) {
5156
            parsingObject[ label ] = value.substr( 0, formatLength )
5157
        }
5158

    
5159
        // Update the value as the substring from format length to end.
5160
        value = value.substr( formatLength )
5161
    })
5162

    
5163
    // Compensate for month 0index.
5164
    return [
5165
        parsingObject.yyyy || parsingObject.yy,
5166
        +( parsingObject.mm || parsingObject.m ) - 1,
5167
        parsingObject.dd || parsingObject.d
5168
    ]
5169
} //DatePicker.prototype.parse
5170

    
5171

    
5172
/**
5173
 * Various formats to display the object in.
5174
 */
5175
DatePicker.prototype.formats = (function() {
5176

    
5177
    // Return the length of the first word in a collection.
5178
    function getWordLengthFromCollection( string, collection, dateObject ) {
5179

    
5180
        // Grab the first word from the string.
5181
        var word = string.match( /\w+/ )[ 0 ]
5182

    
5183
        // If there's no month index, add it to the date object
5184
        if ( !dateObject.mm && !dateObject.m ) {
5185
            dateObject.m = collection.indexOf( word ) + 1
5186
        }
5187

    
5188
        // Return the length of the word.
5189
        return word.length
5190
    }
5191

    
5192
    // Get the length of the first word in a string.
5193
    function getFirstWordLength( string ) {
5194
        return string.match( /\w+/ )[ 0 ].length
5195
    }
5196

    
5197
    return {
5198

    
5199
        d: function( string, dateObject ) {
5200

    
5201
            // If there's string, then get the digits length.
5202
            // Otherwise return the selected date.
5203
            return string ? _.digits( string ) : dateObject.date
5204
        },
5205
        dd: function( string, dateObject ) {
5206

    
5207
            // If there's a string, then the length is always 2.
5208
            // Otherwise return the selected date with a leading zero.
5209
            return string ? 2 : _.lead( dateObject.date )
5210
        },
5211
        ddd: function( string, dateObject ) {
5212

    
5213
            // If there's a string, then get the length of the first word.
5214
            // Otherwise return the short selected weekday.
5215
            return string ? getFirstWordLength( string ) : this.settings.weekdaysShort[ dateObject.day ]
5216
        },
5217
        dddd: function( string, dateObject ) {
5218

    
5219
            // If there's a string, then get the length of the first word.
5220
            // Otherwise return the full selected weekday.
5221
            return string ? getFirstWordLength( string ) : this.settings.weekdaysFull[ dateObject.day ]
5222
        },
5223
        m: function( string, dateObject ) {
5224

    
5225
            // If there's a string, then get the length of the digits
5226
            // Otherwise return the selected month with 0index compensation.
5227
            return string ? _.digits( string ) : dateObject.month + 1
5228
        },
5229
        mm: function( string, dateObject ) {
5230

    
5231
            // If there's a string, then the length is always 2.
5232
            // Otherwise return the selected month with 0index and leading zero.
5233
            return string ? 2 : _.lead( dateObject.month + 1 )
5234
        },
5235
        mmm: function( string, dateObject ) {
5236

    
5237
            var collection = this.settings.monthsShort
5238

    
5239
            // If there's a string, get length of the relevant month from the short
5240
            // months collection. Otherwise return the selected month from that collection.
5241
            return string ? getWordLengthFromCollection( string, collection, dateObject ) : collection[ dateObject.month ]
5242
        },
5243
        mmmm: function( string, dateObject ) {
5244

    
5245
            var collection = this.settings.monthsFull
5246

    
5247
            // If there's a string, get length of the relevant month from the full
5248
            // months collection. Otherwise return the selected month from that collection.
5249
            return string ? getWordLengthFromCollection( string, collection, dateObject ) : collection[ dateObject.month ]
5250
        },
5251
        yy: function( string, dateObject ) {
5252

    
5253
            // If there's a string, then the length is always 2.
5254
            // Otherwise return the selected year by slicing out the first 2 digits.
5255
            return string ? 2 : ( '' + dateObject.year ).slice( 2 )
5256
        },
5257
        yyyy: function( string, dateObject ) {
5258

    
5259
            // If there's a string, then the length is always 4.
5260
            // Otherwise return the selected year.
5261
            return string ? 4 : dateObject.year
5262
        },
5263

    
5264
        // Create an array by splitting the formatting string passed.
5265
        toArray: function( formatString ) { return formatString.split( /(d{1,4}|m{1,4}|y{4}|yy|!.)/g ) },
5266

    
5267
        // Format an object into a string using the formatting options.
5268
        toString: function ( formatString, itemObject ) {
5269
            var calendar = this
5270
            return calendar.formats.toArray( formatString ).map( function( label ) {
5271
                return _.trigger( calendar.formats[ label ], calendar, [ 0, itemObject ] ) || label.replace( /^!/, '' )
5272
            }).join( '' )
5273
        }
5274
    }
5275
})() //DatePicker.prototype.formats
5276

    
5277

    
5278

    
5279

    
5280
/**
5281
 * Check if two date units are the exact.
5282
 */
5283
DatePicker.prototype.isDateExact = function( one, two ) {
5284

    
5285
    var calendar = this
5286

    
5287
    // When we’re working with weekdays, do a direct comparison.
5288
    if (
5289
        ( _.isInteger( one ) && _.isInteger( two ) ) ||
5290
        ( typeof one == 'boolean' && typeof two == 'boolean' )
5291
     ) {
5292
        return one === two
5293
    }
5294

    
5295
    // When we’re working with date representations, compare the “pick” value.
5296
    if (
5297
        ( _.isDate( one ) || $.isArray( one ) ) &&
5298
        ( _.isDate( two ) || $.isArray( two ) )
5299
    ) {
5300
        return calendar.create( one ).pick === calendar.create( two ).pick
5301
    }
5302

    
5303
    // When we’re working with range objects, compare the “from” and “to”.
5304
    if ( $.isPlainObject( one ) && $.isPlainObject( two ) ) {
5305
        return calendar.isDateExact( one.from, two.from ) && calendar.isDateExact( one.to, two.to )
5306
    }
5307

    
5308
    return false
5309
}
5310

    
5311

    
5312
/**
5313
 * Check if two date units overlap.
5314
 */
5315
DatePicker.prototype.isDateOverlap = function( one, two ) {
5316

    
5317
    var calendar = this,
5318
        firstDay = calendar.settings.firstDay ? 1 : 0
5319

    
5320
    // When we’re working with a weekday index, compare the days.
5321
    if ( _.isInteger( one ) && ( _.isDate( two ) || $.isArray( two ) ) ) {
5322
        one = one % 7 + firstDay
5323
        return one === calendar.create( two ).day + 1
5324
    }
5325
    if ( _.isInteger( two ) && ( _.isDate( one ) || $.isArray( one ) ) ) {
5326
        two = two % 7 + firstDay
5327
        return two === calendar.create( one ).day + 1
5328
    }
5329

    
5330
    // When we’re working with range objects, check if the ranges overlap.
5331
    if ( $.isPlainObject( one ) && $.isPlainObject( two ) ) {
5332
        return calendar.overlapRanges( one, two )
5333
    }
5334

    
5335
    return false
5336
}
5337

    
5338

    
5339
/**
5340
 * Flip the “enabled” state.
5341
 */
5342
DatePicker.prototype.flipEnable = function(val) {
5343
    var itemObject = this.item
5344
    itemObject.enable = val || (itemObject.enable == -1 ? 1 : -1)
5345
}
5346

    
5347

    
5348
/**
5349
 * Mark a collection of dates as “disabled”.
5350
 */
5351
DatePicker.prototype.deactivate = function( type, datesToDisable ) {
5352

    
5353
    var calendar = this,
5354
        disabledItems = calendar.item.disable.slice(0)
5355

    
5356

    
5357
    // If we’re flipping, that’s all we need to do.
5358
    if ( datesToDisable == 'flip' ) {
5359
        calendar.flipEnable()
5360
    }
5361

    
5362
    else if ( datesToDisable === false ) {
5363
        calendar.flipEnable(1)
5364
        disabledItems = []
5365
    }
5366

    
5367
    else if ( datesToDisable === true ) {
5368
        calendar.flipEnable(-1)
5369
        disabledItems = []
5370
    }
5371

    
5372
    // Otherwise go through the dates to disable.
5373
    else {
5374

    
5375
        datesToDisable.map(function( unitToDisable ) {
5376

    
5377
            var matchFound
5378

    
5379
            // When we have disabled items, check for matches.
5380
            // If something is matched, immediately break out.
5381
            for ( var index = 0; index < disabledItems.length; index += 1 ) {
5382
                if ( calendar.isDateExact( unitToDisable, disabledItems[index] ) ) {
5383
                    matchFound = true
5384
                    break
5385
                }
5386
            }
5387

    
5388
            // If nothing was found, add the validated unit to the collection.
5389
            if ( !matchFound ) {
5390
                if (
5391
                    _.isInteger( unitToDisable ) ||
5392
                    _.isDate( unitToDisable ) ||
5393
                    $.isArray( unitToDisable ) ||
5394
                    ( $.isPlainObject( unitToDisable ) && unitToDisable.from && unitToDisable.to )
5395
                ) {
5396
                    disabledItems.push( unitToDisable )
5397
                }
5398
            }
5399
        })
5400
    }
5401

    
5402
    // Return the updated collection.
5403
    return disabledItems
5404
} //DatePicker.prototype.deactivate
5405

    
5406

    
5407
/**
5408
 * Mark a collection of dates as “enabled”.
5409
 */
5410
DatePicker.prototype.activate = function( type, datesToEnable ) {
5411

    
5412
    var calendar = this,
5413
        disabledItems = calendar.item.disable,
5414
        disabledItemsCount = disabledItems.length
5415

    
5416
    // If we’re flipping, that’s all we need to do.
5417
    if ( datesToEnable == 'flip' ) {
5418
        calendar.flipEnable()
5419
    }
5420

    
5421
    else if ( datesToEnable === true ) {
5422
        calendar.flipEnable(1)
5423
        disabledItems = []
5424
    }
5425

    
5426
    else if ( datesToEnable === false ) {
5427
        calendar.flipEnable(-1)
5428
        disabledItems = []
5429
    }
5430

    
5431
    // Otherwise go through the disabled dates.
5432
    else {
5433

    
5434
        datesToEnable.map(function( unitToEnable ) {
5435

    
5436
            var matchFound,
5437
                disabledUnit,
5438
                index,
5439
                isExactRange
5440

    
5441
            // Go through the disabled items and try to find a match.
5442
            for ( index = 0; index < disabledItemsCount; index += 1 ) {
5443

    
5444
                disabledUnit = disabledItems[index]
5445

    
5446
                // When an exact match is found, remove it from the collection.
5447
                if ( calendar.isDateExact( disabledUnit, unitToEnable ) ) {
5448
                    matchFound = disabledItems[index] = null
5449
                    isExactRange = true
5450
                    break
5451
                }
5452

    
5453
                // When an overlapped match is found, add the “inverted” state to it.
5454
                else if ( calendar.isDateOverlap( disabledUnit, unitToEnable ) ) {
5455
                    if ( $.isPlainObject( unitToEnable ) ) {
5456
                        unitToEnable.inverted = true
5457
                        matchFound = unitToEnable
5458
                    }
5459
                    else if ( $.isArray( unitToEnable ) ) {
5460
                        matchFound = unitToEnable
5461
                        if ( !matchFound[3] ) matchFound.push( 'inverted' )
5462
                    }
5463
                    else if ( _.isDate( unitToEnable ) ) {
5464
                        matchFound = [ unitToEnable.getFullYear(), unitToEnable.getMonth(), unitToEnable.getDate(), 'inverted' ]
5465
                    }
5466
                    break
5467
                }
5468
            }
5469

    
5470
            // If a match was found, remove a previous duplicate entry.
5471
            if ( matchFound ) for ( index = 0; index < disabledItemsCount; index += 1 ) {
5472
                if ( calendar.isDateExact( disabledItems[index], unitToEnable ) ) {
5473
                    disabledItems[index] = null
5474
                    break
5475
                }
5476
            }
5477

    
5478
            // In the event that we’re dealing with an exact range of dates,
5479
            // make sure there are no “inverted” dates because of it.
5480
            if ( isExactRange ) for ( index = 0; index < disabledItemsCount; index += 1 ) {
5481
                if ( calendar.isDateOverlap( disabledItems[index], unitToEnable ) ) {
5482
                    disabledItems[index] = null
5483
                    break
5484
                }
5485
            }
5486

    
5487
            // If something is still matched, add it into the collection.
5488
            if ( matchFound ) {
5489
                disabledItems.push( matchFound )
5490
            }
5491
        })
5492
    }
5493

    
5494
    // Return the updated collection.
5495
    return disabledItems.filter(function( val ) { return val != null })
5496
} //DatePicker.prototype.activate
5497

    
5498

    
5499
/**
5500
 * Create a string for the nodes in the picker.
5501
 */
5502
DatePicker.prototype.nodes = function( isOpen ) {
5503

    
5504
    var
5505
        calendar = this,
5506
        settings = calendar.settings,
5507
        calendarItem = calendar.item,
5508
        nowObject = calendarItem.now,
5509
        selectedObject = calendarItem.select,
5510
        highlightedObject = calendarItem.highlight,
5511
        viewsetObject = calendarItem.view,
5512
        disabledCollection = calendarItem.disable,
5513
        minLimitObject = calendarItem.min,
5514
        maxLimitObject = calendarItem.max,
5515

    
5516

    
5517
        // Create the calendar table head using a copy of weekday labels collection.
5518
        // * We do a copy so we don't mutate the original array.
5519
        tableHead = (function( collection, fullCollection ) {
5520

    
5521
            // If the first day should be Monday, move Sunday to the end.
5522
            if ( settings.firstDay ) {
5523
                collection.push( collection.shift() )
5524
                fullCollection.push( fullCollection.shift() )
5525
            }
5526

    
5527
            // Create and return the table head group.
5528
            return _.node(
5529
                'thead',
5530
                _.node(
5531
                    'tr',
5532
                    _.group({
5533
                        min: 0,
5534
                        max: DAYS_IN_WEEK - 1,
5535
                        i: 1,
5536
                        node: 'th',
5537
                        item: function( counter ) {
5538
                            return [
5539
                                collection[ counter ],
5540
                                settings.klass.weekdays,
5541
                                'scope=col title="' + fullCollection[ counter ] + '"'
5542
                            ]
5543
                        }
5544
                    })
5545
                )
5546
            ) //endreturn
5547

    
5548
        // Materialize modified
5549
        })( ( settings.showWeekdaysFull ? settings.weekdaysFull : settings.weekdaysLetter ).slice( 0 ), settings.weekdaysFull.slice( 0 ) ), //tableHead
5550

    
5551

    
5552
        // Create the nav for next/prev month.
5553
        createMonthNav = function( next ) {
5554

    
5555
            // Otherwise, return the created month tag.
5556
            return _.node(
5557
                'div',
5558
                ' ',
5559
                settings.klass[ 'nav' + ( next ? 'Next' : 'Prev' ) ] + (
5560

    
5561
                    // If the focused month is outside the range, disabled the button.
5562
                    ( next && viewsetObject.year >= maxLimitObject.year && viewsetObject.month >= maxLimitObject.month ) ||
5563
                    ( !next && viewsetObject.year <= minLimitObject.year && viewsetObject.month <= minLimitObject.month ) ?
5564
                    ' ' + settings.klass.navDisabled : ''
5565
                ),
5566
                'data-nav=' + ( next || -1 ) + ' ' +
5567
                _.ariaAttr({
5568
                    role: 'button',
5569
                    controls: calendar.$node[0].id + '_table'
5570
                }) + ' ' +
5571
                'title="' + (next ? settings.labelMonthNext : settings.labelMonthPrev ) + '"'
5572
            ) //endreturn
5573
        }, //createMonthNav
5574

    
5575

    
5576
        // Create the month label.
5577
        //Materialize modified
5578
        createMonthLabel = function(override) {
5579

    
5580
            var monthsCollection = settings.showMonthsShort ? settings.monthsShort : settings.monthsFull
5581

    
5582
             // Materialize modified
5583
            if (override == "short_months") {
5584
              monthsCollection = settings.monthsShort;
5585
            }
5586

    
5587
            // If there are months to select, add a dropdown menu.
5588
            if ( settings.selectMonths  && override == undefined) {
5589

    
5590
                return _.node( 'select',
5591
                    _.group({
5592
                        min: 0,
5593
                        max: 11,
5594
                        i: 1,
5595
                        node: 'option',
5596
                        item: function( loopedMonth ) {
5597

    
5598
                            return [
5599

    
5600
                                // The looped month and no classes.
5601
                                monthsCollection[ loopedMonth ], 0,
5602

    
5603
                                // Set the value and selected index.
5604
                                'value=' + loopedMonth +
5605
                                ( viewsetObject.month == loopedMonth ? ' selected' : '' ) +
5606
                                (
5607
                                    (
5608
                                        ( viewsetObject.year == minLimitObject.year && loopedMonth < minLimitObject.month ) ||
5609
                                        ( viewsetObject.year == maxLimitObject.year && loopedMonth > maxLimitObject.month )
5610
                                    ) ?
5611
                                    ' disabled' : ''
5612
                                )
5613
                            ]
5614
                        }
5615
                    }),
5616
                    settings.klass.selectMonth + ' browser-default',
5617
                    ( isOpen ? '' : 'disabled' ) + ' ' +
5618
                    _.ariaAttr({ controls: calendar.$node[0].id + '_table' }) + ' ' +
5619
                    'title="' + settings.labelMonthSelect + '"'
5620
                )
5621
            }
5622

    
5623
            // Materialize modified
5624
            if (override == "short_months")
5625
                if (selectedObject != null)
5626
                return _.node( 'div', monthsCollection[ selectedObject.month ] );
5627
                else return _.node( 'div', monthsCollection[ viewsetObject.month ] );
5628

    
5629
            // If there's a need for a month selector
5630
            return _.node( 'div', monthsCollection[ viewsetObject.month ], settings.klass.month )
5631
        }, //createMonthLabel
5632

    
5633

    
5634
        // Create the year label.
5635
        // Materialize modified
5636
        createYearLabel = function(override) {
5637

    
5638
            var focusedYear = viewsetObject.year,
5639

    
5640
            // If years selector is set to a literal "true", set it to 5. Otherwise
5641
            // divide in half to get half before and half after focused year.
5642
            numberYears = settings.selectYears === true ? 5 : ~~( settings.selectYears / 2 )
5643

    
5644
            // If there are years to select, add a dropdown menu.
5645
            if ( numberYears ) {
5646

    
5647
                var
5648
                    minYear = minLimitObject.year,
5649
                    maxYear = maxLimitObject.year,
5650
                    lowestYear = focusedYear - numberYears,
5651
                    highestYear = focusedYear + numberYears
5652

    
5653
                // If the min year is greater than the lowest year, increase the highest year
5654
                // by the difference and set the lowest year to the min year.
5655
                if ( minYear > lowestYear ) {
5656
                    highestYear += minYear - lowestYear
5657
                    lowestYear = minYear
5658
                }
5659

    
5660
                // If the max year is less than the highest year, decrease the lowest year
5661
                // by the lower of the two: available and needed years. Then set the
5662
                // highest year to the max year.
5663
                if ( maxYear < highestYear ) {
5664

    
5665
                    var availableYears = lowestYear - minYear,
5666
                        neededYears = highestYear - maxYear
5667

    
5668
                    lowestYear -= availableYears > neededYears ? neededYears : availableYears
5669
                    highestYear = maxYear
5670
                }
5671

    
5672
                if ( settings.selectYears  && override == undefined ) {
5673
                    return _.node( 'select',
5674
                        _.group({
5675
                            min: lowestYear,
5676
                            max: highestYear,
5677
                            i: 1,
5678
                            node: 'option',
5679
                            item: function( loopedYear ) {
5680
                                return [
5681

    
5682
                                    // The looped year and no classes.
5683
                                    loopedYear, 0,
5684

    
5685
                                    // Set the value and selected index.
5686
                                    'value=' + loopedYear + ( focusedYear == loopedYear ? ' selected' : '' )
5687
                                ]
5688
                            }
5689
                        }),
5690
                        settings.klass.selectYear + ' browser-default',
5691
                        ( isOpen ? '' : 'disabled' ) + ' ' + _.ariaAttr({ controls: calendar.$node[0].id + '_table' }) + ' ' +
5692
                        'title="' + settings.labelYearSelect + '"'
5693
                    )
5694
                }
5695
            }
5696

    
5697
            // Materialize modified
5698
            if (override == "raw")
5699
                return _.node( 'div', focusedYear )
5700

    
5701
            // Otherwise just return the year focused
5702
            return _.node( 'div', focusedYear, settings.klass.year )
5703
        } //createYearLabel
5704

    
5705

    
5706
        // Materialize modified
5707
        createDayLabel = function() {
5708
                if (selectedObject != null)
5709
                    return _.node( 'div', selectedObject.date)
5710
                else return _.node( 'div', nowObject.date)
5711
            }
5712
        createWeekdayLabel = function() {
5713
            var display_day;
5714

    
5715
            if (selectedObject != null)
5716
                display_day = selectedObject.day;
5717
            else
5718
                display_day = nowObject.day;
5719
            var weekday = settings.weekdaysFull[ display_day ]
5720
            return weekday
5721
        }
5722

    
5723

    
5724
    // Create and return the entire calendar.
5725
return _.node(
5726
        // Date presentation View
5727
        'div',
5728
            _.node(
5729
                'div',
5730
                createWeekdayLabel(),
5731
                "picker__weekday-display"
5732
            )+
5733
            _.node(
5734
                // Div for short Month
5735
                'div',
5736
                createMonthLabel("short_months"),
5737
                settings.klass.month_display
5738
            )+
5739
            _.node(
5740
                // Div for Day
5741
                'div',
5742
                createDayLabel() ,
5743
                settings.klass.day_display
5744
            )+
5745
            _.node(
5746
                // Div for Year
5747
                'div',
5748
                createYearLabel("raw") ,
5749
                settings.klass.year_display
5750
            ),
5751
        settings.klass.date_display
5752
    )+
5753
    // Calendar container
5754
    _.node('div',
5755
        _.node('div',
5756
        ( settings.selectYears ?  createMonthLabel() + createYearLabel() : createMonthLabel() + createYearLabel() ) +
5757
        createMonthNav() + createMonthNav( 1 ),
5758
        settings.klass.header
5759
    ) + _.node(
5760
        'table',
5761
        tableHead +
5762
        _.node(
5763
            'tbody',
5764
            _.group({
5765
                min: 0,
5766
                max: WEEKS_IN_CALENDAR - 1,
5767
                i: 1,
5768
                node: 'tr',
5769
                item: function( rowCounter ) {
5770

    
5771
                    // If Monday is the first day and the month starts on Sunday, shift the date back a week.
5772
                    var shiftDateBy = settings.firstDay && calendar.create([ viewsetObject.year, viewsetObject.month, 1 ]).day === 0 ? -7 : 0
5773

    
5774
                    return [
5775
                        _.group({
5776
                            min: DAYS_IN_WEEK * rowCounter - viewsetObject.day + shiftDateBy + 1, // Add 1 for weekday 0index
5777
                            max: function() {
5778
                                return this.min + DAYS_IN_WEEK - 1
5779
                            },
5780
                            i: 1,
5781
                            node: 'td',
5782
                            item: function( targetDate ) {
5783

    
5784
                                // Convert the time date from a relative date to a target date.
5785
                                targetDate = calendar.create([ viewsetObject.year, viewsetObject.month, targetDate + ( settings.firstDay ? 1 : 0 ) ])
5786

    
5787
                                var isSelected = selectedObject && selectedObject.pick == targetDate.pick,
5788
                                    isHighlighted = highlightedObject && highlightedObject.pick == targetDate.pick,
5789
                                    isDisabled = disabledCollection && calendar.disabled( targetDate ) || targetDate.pick < minLimitObject.pick || targetDate.pick > maxLimitObject.pick,
5790
                                    formattedDate = _.trigger( calendar.formats.toString, calendar, [ settings.format, targetDate ] )
5791

    
5792
                                return [
5793
                                    _.node(
5794
                                        'div',
5795
                                        targetDate.date,
5796
                                        (function( klasses ) {
5797

    
5798
                                            // Add the `infocus` or `outfocus` classes based on month in view.
5799
                                            klasses.push( viewsetObject.month == targetDate.month ? settings.klass.infocus : settings.klass.outfocus )
5800

    
5801
                                            // Add the `today` class if needed.
5802
                                            if ( nowObject.pick == targetDate.pick ) {
5803
                                                klasses.push( settings.klass.now )
5804
                                            }
5805

    
5806
                                            // Add the `selected` class if something's selected and the time matches.
5807
                                            if ( isSelected ) {
5808
                                                klasses.push( settings.klass.selected )
5809
                                            }
5810

    
5811
                                            // Add the `highlighted` class if something's highlighted and the time matches.
5812
                                            if ( isHighlighted ) {
5813
                                                klasses.push( settings.klass.highlighted )
5814
                                            }
5815

    
5816
                                            // Add the `disabled` class if something's disabled and the object matches.
5817
                                            if ( isDisabled ) {
5818
                                                klasses.push( settings.klass.disabled )
5819
                                            }
5820

    
5821
                                            return klasses.join( ' ' )
5822
                                        })([ settings.klass.day ]),
5823
                                        'data-pick=' + targetDate.pick + ' ' + _.ariaAttr({
5824
                                            role: 'gridcell',
5825
                                            label: formattedDate,
5826
                                            selected: isSelected && calendar.$node.val() === formattedDate ? true : null,
5827
                                            activedescendant: isHighlighted ? true : null,
5828
                                            disabled: isDisabled ? true : null
5829
                                        })
5830
                                    ),
5831
                                    '',
5832
                                    _.ariaAttr({ role: 'presentation' })
5833
                                ] //endreturn
5834
                            }
5835
                        })
5836
                    ] //endreturn
5837
                }
5838
            })
5839
        ),
5840
        settings.klass.table,
5841
        'id="' + calendar.$node[0].id + '_table' + '" ' + _.ariaAttr({
5842
            role: 'grid',
5843
            controls: calendar.$node[0].id,
5844
            readonly: true
5845
        })
5846
    )
5847
    , settings.klass.calendar_container) // end calendar
5848

    
5849
     +
5850

    
5851
    // * For Firefox forms to submit, make sure to set the buttons’ `type` attributes as “button”.
5852
    _.node(
5853
        'div',
5854
        _.node( 'button', settings.today, "btn-flat picker__today",
5855
            'type=button data-pick=' + nowObject.pick +
5856
            ( isOpen && !calendar.disabled(nowObject) ? '' : ' disabled' ) + ' ' +
5857
            _.ariaAttr({ controls: calendar.$node[0].id }) ) +
5858
        _.node( 'button', settings.clear, "btn-flat picker__clear",
5859
            'type=button data-clear=1' +
5860
            ( isOpen ? '' : ' disabled' ) + ' ' +
5861
            _.ariaAttr({ controls: calendar.$node[0].id }) ) +
5862
        _.node('button', settings.close, "btn-flat picker__close",
5863
            'type=button data-close=true ' +
5864
            ( isOpen ? '' : ' disabled' ) + ' ' +
5865
            _.ariaAttr({ controls: calendar.$node[0].id }) ),
5866
        settings.klass.footer
5867
    ) //endreturn
5868
} //DatePicker.prototype.nodes
5869

    
5870

    
5871

    
5872

    
5873
/**
5874
 * The date picker defaults.
5875
 */
5876
DatePicker.defaults = (function( prefix ) {
5877

    
5878
    return {
5879

    
5880
        // The title label to use for the month nav buttons
5881
        labelMonthNext: 'Next month',
5882
        labelMonthPrev: 'Previous month',
5883

    
5884
        // The title label to use for the dropdown selectors
5885
        labelMonthSelect: 'Select a month',
5886
        labelYearSelect: 'Select a year',
5887

    
5888
        // Months and weekdays
5889
        monthsFull: [ 'January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December' ],
5890
        monthsShort: [ 'Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec' ],
5891
        weekdaysFull: [ 'Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday' ],
5892
        weekdaysShort: [ 'Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat' ],
5893

    
5894
        // Materialize modified
5895
        weekdaysLetter: [ 'S', 'M', 'T', 'W', 'T', 'F', 'S' ],
5896

    
5897
        // Today and clear
5898
        today: 'Today',
5899
        clear: 'Clear',
5900
        close: 'Close',
5901

    
5902
        // The format to show on the `input` element
5903
        format: 'd mmmm, yyyy',
5904

    
5905
        // Classes
5906
        klass: {
5907

    
5908
            table: prefix + 'table',
5909

    
5910
            header: prefix + 'header',
5911

    
5912

    
5913
            // Materialize Added klasses
5914
            date_display: prefix + 'date-display',
5915
            day_display: prefix + 'day-display',
5916
            month_display: prefix + 'month-display',
5917
            year_display: prefix + 'year-display',
5918
            calendar_container: prefix + 'calendar-container',
5919
            // end
5920

    
5921

    
5922

    
5923
            navPrev: prefix + 'nav--prev',
5924
            navNext: prefix + 'nav--next',
5925
            navDisabled: prefix + 'nav--disabled',
5926

    
5927
            month: prefix + 'month',
5928
            year: prefix + 'year',
5929

    
5930
            selectMonth: prefix + 'select--month',
5931
            selectYear: prefix + 'select--year',
5932

    
5933
            weekdays: prefix + 'weekday',
5934

    
5935
            day: prefix + 'day',
5936
            disabled: prefix + 'day--disabled',
5937
            selected: prefix + 'day--selected',
5938
            highlighted: prefix + 'day--highlighted',
5939
            now: prefix + 'day--today',
5940
            infocus: prefix + 'day--infocus',
5941
            outfocus: prefix + 'day--outfocus',
5942

    
5943
            footer: prefix + 'footer',
5944

    
5945
            buttonClear: prefix + 'button--clear',
5946
            buttonToday: prefix + 'button--today',
5947
            buttonClose: prefix + 'button--close'
5948
        }
5949
    }
5950
})( Picker.klasses().picker + '__' )
5951

    
5952

    
5953

    
5954

    
5955

    
5956
/**
5957
 * Extend the picker to add the date picker.
5958
 */
5959
Picker.extend( 'pickadate', DatePicker )
5960

    
5961

    
5962
}));
5963

    
5964

    
5965
;(function ($) {
5966

    
5967
  $.fn.characterCounter = function(){
5968
    return this.each(function(){
5969

    
5970
      itHasLengthAttribute = $(this).attr('length') != undefined;
5971

    
5972
      if(itHasLengthAttribute){
5973
        $(this).on('input', updateCounter);
5974
        $(this).on('focus', updateCounter);
5975
        $(this).on('blur', removeCounterElement);
5976

    
5977
        addCounterElement($(this));
5978
      }
5979

    
5980
    });
5981
  };
5982

    
5983
  function updateCounter(){
5984
    var maxLength     = +$(this).attr('length'),
5985
    actualLength      = +$(this).val().length,
5986
    isValidLength     = actualLength <= maxLength;
5987

    
5988
    $(this).parent().find('span[class="character-counter"]')
5989
                    .html( actualLength + '/' + maxLength);
5990

    
5991
    addInputStyle(isValidLength, $(this));
5992
  }
5993

    
5994
  function addCounterElement($input){
5995
    $counterElement = $('<span/>')
5996
                        .addClass('character-counter')
5997
                        .css('float','right')
5998
                        .css('font-size','12px')
5999
                        .css('height', 1);
6000

    
6001
    $input.parent().append($counterElement);
6002
  }
6003

    
6004
  function removeCounterElement(){
6005
    $(this).parent().find('span[class="character-counter"]').html('');
6006
  }
6007

    
6008
  function addInputStyle(isValidLength, $input){
6009
    inputHasInvalidClass = $input.hasClass('invalid');
6010
    if (isValidLength && inputHasInvalidClass) {
6011
      $input.removeClass('invalid');
6012
    }
6013
    else if(!isValidLength && !inputHasInvalidClass){
6014
      $input.removeClass('valid');
6015
      $input.addClass('invalid');
6016
    }
6017
  }
6018

    
6019
  $(document).ready(function(){
6020
    $('input, textarea').characterCounter();
6021
  });
6022

    
6023
}( jQuery ));
(15-15/18)