target
stringlengths
5
300
feat_repo_name
stringlengths
6
76
text
stringlengths
26
1.05M
src/components/app.js
n1ckp/spotmybands
import React, { Component } from 'react'; require('../style/app.scss'); export default class App extends Component { render() { return ( <div> { this.props.children } </div> ); } }
code/workspaces/web-app/src/components/dataStorage/editDataStoreForm.js
NERC-CEH/datalab
import React from 'react'; import PropTypes from 'prop-types'; import { Field, reduxForm } from 'redux-form'; import validate from 'validate.js'; import { renderMultiSelectAutocompleteField, renderTextArea, renderTextField, UpdateFormControls } from '../common/form/controls'; import dataStoreValueConstraints from './dataStoreValueConstraints'; const formPropTypes = { onCancel: PropTypes.func.isRequired, userList: PropTypes.arrayOf( PropTypes.shape({ label: PropTypes.string, value: PropTypes.string, }), ).isRequired, loadUsersPromise: PropTypes.shape({ error: PropTypes.any, fetching: PropTypes.bool.isRequired, value: PropTypes.array.isRequired, }).isRequired, }; const EditDataStoreForm = ({ handleSubmit, reset, pristine, // from redux form userList, loadUsersPromise, onCancel, // user provided }) => ( <form onSubmit={handleSubmit}> <Field name="displayName" label="Display Name" component={renderTextField} /> <Field name="description" label="Description" component={renderTextArea} /> <Field name="users" label="Users with access to data store" placeholder="Type user's email address" selectedTip="User has access" component={renderMultiSelectAutocompleteField} options={userList} getOptionLabel={option => option.label} getOptionSelected={(option, value) => option.value === value.value} loading={loadUsersPromise.fetching} /> <UpdateFormControls onClearChanges={reset} onCancel={onCancel} pristine={pristine}/> </form> ); EditDataStoreForm.propTypes = { ...formPropTypes, handleSubmit: PropTypes.func.isRequired, reset: PropTypes.func.isRequired, pristine: PropTypes.bool.isRequired, }; const EditDataStoreReduxForm = reduxForm({ form: 'editDataStoreDetails', enableReinitialize: true, // update form state when users have loaded validate: values => validate(values, dataStoreValueConstraints, { format: 'reduxForm' }), })(EditDataStoreForm); EditDataStoreReduxForm.propTypes = { ...formPropTypes, onSubmit: PropTypes.func.isRequired, initialValues: PropTypes.shape({ displayName: PropTypes.string, description: PropTypes.string, users: formPropTypes.userList, }), }; export { EditDataStoreForm as PureEditDataStoreForm }; export default EditDataStoreReduxForm;
example/Example.js
ClearScholar/react-native-htmlview
import React from 'react'; import {StyleSheet, View, Text, ScrollView} from 'react-native'; import HTMLView from '../'; function renderNode(node, index) { if (node.name == 'iframe') { return ( <View key={index} style={{width: 200, height: 200}}> <Text> {node.attribs.src} </Text> </View> ); } } const htmlContent = ` <div class="comment"> <span class="c00"> <b><i>&gt; Dwayne’s only companion at night was a Labrador retriever named Sparky.</i></b> <p> <i>Sparky could not wag his tail-because of an automobile accident many years ago, so he had no way of telling other dogs how friendly he was. He opened the door of the cage, something Bill couldn’t have done in a thousand years. Bill flew over to a windowsill. <b>The undippable flag was a beauty, and the anthem and the vacant motto might not have mattered much, if it weren’t for this: a lot of citizens were so ignored and cheated and insulted that they thought they might be in the wrong country, or even on the wrong planet, that some terrible mistake had been made. </p> <p> [1] <a href="https://code.facebook.com/posts/1505962329687926/flow-a-new-static-type-checker-for-javascript/" rel="nofollow">https://code.facebook.com/posts/1505962329687926/flow-a-new-...</a> </p> <img src="https://i.redd.it/1l01wjsv22my.jpg" width="400" height="400" /> <h1>Dwayne’s only companion at night</h1> <h2>Dwayne’s only companion at night</h2> <h3>Dwayne’s only companion at night</h3> <h4>Dwayne’s only companion at night</h4> <h5>Dwayne’s only companion at night</h5> <h6>Dwayne’s only companion at night</h6> ayyy <iframe src="google.com" /> </span> </div> `; export default class App extends React.Component { render() { return ( <ScrollView style={styles.container}> <HTMLView value={htmlContent} renderNode={renderNode} /> </ScrollView> ); } } const styles = StyleSheet.create({ container: { flex: 1, backgroundColor: '#fff', }, });
app/components/pages/NotFound.js
dariobanfi/react-avocado-starter
import React, { Component } from 'react'; import PropTypes from 'prop-types'; class NotFound extends Component { componentWillMount() { const { staticContext } = this.props; if (staticContext) { staticContext.missed = true; } } render() { return <div>Sorry, that page was not found.</div>; } } NotFound.propTypes = { // eslint-disable-next-line react/forbid-prop-types staticContext: PropTypes.object }; NotFound.defaultProps = { staticContext: {} }; export default NotFound;
packages/xo-web/src/common/cloud-config.js
vatesfr/xo-web
import _ from 'intl' import React from 'react' import { map } from 'lodash' import Icon from './icon' import Tooltip from './tooltip' import { alert } from './modal' const AVAILABLE_TEMPLATE_VARS = { '{name}': 'templateNameInfo', '%': 'templateIndexInfo', } const showAvailableTemplateVars = () => alert( _('availableTemplateVarsTitle'), <div> <ul> {map(AVAILABLE_TEMPLATE_VARS, (value, key) => ( <li key={key}>{_.keyValue(key, _(value))}</li> ))} </ul> <div className='text-info'> <Icon icon='info' /> {_('templateEscape')} </div> </div> ) const showNetworkConfigInfo = () => alert( _('newVmNetworkConfigLabel'), <div> <p> {_('newVmNetworkConfigInfo', { noCloudDatasourceLink: ( <a href='https://cloudinit.readthedocs.io/en/latest/topics/datasources/nocloud.html#datasource-nocloud' rel='noopener noreferrer' target='_blank' > {_('newVmNoCloudDatasource')} </a> ), })} </p> <p> {_('newVmNetworkConfigDocLink', { networkConfigDocLink: ( <a href='https://cloudinit.readthedocs.io/en/latest/topics/network-config-format-v1.html' rel='noopener noreferrer' target='_blank' > {_('newVmNetworkConfigDoc')} </a> ), })} </p> </div> ) export const AvailableTemplateVars = () => ( <Tooltip content={_('availableTemplateVarsInfo')}> <a className='text-info' style={{ cursor: 'pointer' }} onClick={showAvailableTemplateVars}> <Icon icon='info' /> </a> </Tooltip> ) export const NetworkConfigInfo = () => ( <Tooltip content={_('newVmNetworkConfigTooltip')}> <a className='text-info' style={{ cursor: 'pointer' }} onClick={showNetworkConfigInfo}> <Icon icon='info' /> </a> </Tooltip> ) export const DEFAULT_CLOUD_CONFIG_TEMPLATE = '#cloud-config\n#hostname: {name}%\n#ssh_authorized_keys:\n# - ssh-rsa <myKey>\n#packages:\n# - htop\n' // SOURCE: https://cloudinit.readthedocs.io/en/latest/topics/network-config-format-v1.html export const DEFAULT_NETWORK_CONFIG_TEMPLATE = `#network: # version: 1 # config: # - type: physical # name: eth0 # subnets: # - type: dhcp`
BoBoClient/__tests__/index.ios.js
lan-xue-xing/BoBo
import 'react-native'; import React from 'react'; import Index from '../index.ios.js'; // Note: test renderer must be required after react-native. import renderer from 'react-test-renderer'; it('renders correctly', () => { const tree = renderer.create( <Index /> ); });
src/svg-icons/device/battery-60.js
verdan/material-ui
import React from 'react'; import pure from 'recompose/pure'; import SvgIcon from '../../SvgIcon'; let DeviceBattery60 = (props) => ( <SvgIcon {...props}> <path fillOpacity=".3" d="M17 5.33C17 4.6 16.4 4 15.67 4H14V2h-4v2H8.33C7.6 4 7 4.6 7 5.33V11h10V5.33z"/><path d="M7 11v9.67C7 21.4 7.6 22 8.33 22h7.33c.74 0 1.34-.6 1.34-1.33V11H7z"/> </SvgIcon> ); DeviceBattery60 = pure(DeviceBattery60); DeviceBattery60.displayName = 'DeviceBattery60'; DeviceBattery60.muiName = 'SvgIcon'; export default DeviceBattery60;
togetherjs/tests/doctestjs/.resources/boilerplate/js/vendor/jquery-1.8.1.min.js
Atrus7/togetherjs
/*! jQuery v@1.8.1 jquery.com | jquery.org/license */ (function(a,b){function G(a){var b=F[a]={};return p.each(a.split(s),function(a,c){b[c]=!0}),b}function J(a,c,d){if(d===b&&a.nodeType===1){var e="data-"+c.replace(I,"-$1").toLowerCase();d=a.getAttribute(e);if(typeof d=="string"){try{d=d==="true"?!0:d==="false"?!1:d==="null"?null:+d+""===d?+d:H.test(d)?p.parseJSON(d):d}catch(f){}p.data(a,c,d)}else d=b}return d}function K(a){var b;for(b in a){if(b==="data"&&p.isEmptyObject(a[b]))continue;if(b!=="toJSON")return!1}return!0}function ba(){return!1}function bb(){return!0}function bh(a){return!a||!a.parentNode||a.parentNode.nodeType===11}function bi(a,b){do a=a[b];while(a&&a.nodeType!==1);return a}function bj(a,b,c){b=b||0;if(p.isFunction(b))return p.grep(a,function(a,d){var e=!!b.call(a,d,a);return e===c});if(b.nodeType)return p.grep(a,function(a,d){return a===b===c});if(typeof b=="string"){var d=p.grep(a,function(a){return a.nodeType===1});if(be.test(b))return p.filter(b,d,!c);b=p.filter(b,d)}return p.grep(a,function(a,d){return p.inArray(a,b)>=0===c})}function bk(a){var b=bl.split("|"),c=a.createDocumentFragment();if(c.createElement)while(b.length)c.createElement(b.pop());return c}function bC(a,b){return a.getElementsByTagName(b)[0]||a.appendChild(a.ownerDocument.createElement(b))}function bD(a,b){if(b.nodeType!==1||!p.hasData(a))return;var c,d,e,f=p._data(a),g=p._data(b,f),h=f.events;if(h){delete g.handle,g.events={};for(c in h)for(d=0,e=h[c].length;d<e;d++)p.event.add(b,c,h[c][d])}g.data&&(g.data=p.extend({},g.data))}function bE(a,b){var c;if(b.nodeType!==1)return;b.clearAttributes&&b.clearAttributes(),b.mergeAttributes&&b.mergeAttributes(a),c=b.nodeName.toLowerCase(),c==="object"?(b.parentNode&&(b.outerHTML=a.outerHTML),p.support.html5Clone&&a.innerHTML&&!p.trim(b.innerHTML)&&(b.innerHTML=a.innerHTML)):c==="input"&&bv.test(a.type)?(b.defaultChecked=b.checked=a.checked,b.value!==a.value&&(b.value=a.value)):c==="option"?b.selected=a.defaultSelected:c==="input"||c==="textarea"?b.defaultValue=a.defaultValue:c==="script"&&b.text!==a.text&&(b.text=a.text),b.removeAttribute(p.expando)}function bF(a){return typeof a.getElementsByTagName!="undefined"?a.getElementsByTagName("*"):typeof a.querySelectorAll!="undefined"?a.querySelectorAll("*"):[]}function bG(a){bv.test(a.type)&&(a.defaultChecked=a.checked)}function bY(a,b){if(b in a)return b;var c=b.charAt(0).toUpperCase()+b.slice(1),d=b,e=bW.length;while(e--){b=bW[e]+c;if(b in a)return b}return d}function bZ(a,b){return a=b||a,p.css(a,"display")==="none"||!p.contains(a.ownerDocument,a)}function b$(a,b){var c,d,e=[],f=0,g=a.length;for(;f<g;f++){c=a[f];if(!c.style)continue;e[f]=p._data(c,"olddisplay"),b?(!e[f]&&c.style.display==="none"&&(c.style.display=""),c.style.display===""&&bZ(c)&&(e[f]=p._data(c,"olddisplay",cc(c.nodeName)))):(d=bH(c,"display"),!e[f]&&d!=="none"&&p._data(c,"olddisplay",d))}for(f=0;f<g;f++){c=a[f];if(!c.style)continue;if(!b||c.style.display==="none"||c.style.display==="")c.style.display=b?e[f]||"":"none"}return a}function b_(a,b,c){var d=bP.exec(b);return d?Math.max(0,d[1]-(c||0))+(d[2]||"px"):b}function ca(a,b,c,d){var e=c===(d?"border":"content")?4:b==="width"?1:0,f=0;for(;e<4;e+=2)c==="margin"&&(f+=p.css(a,c+bV[e],!0)),d?(c==="content"&&(f-=parseFloat(bH(a,"padding"+bV[e]))||0),c!=="margin"&&(f-=parseFloat(bH(a,"border"+bV[e]+"Width"))||0)):(f+=parseFloat(bH(a,"padding"+bV[e]))||0,c!=="padding"&&(f+=parseFloat(bH(a,"border"+bV[e]+"Width"))||0));return f}function cb(a,b,c){var d=b==="width"?a.offsetWidth:a.offsetHeight,e=!0,f=p.support.boxSizing&&p.css(a,"boxSizing")==="border-box";if(d<=0||d==null){d=bH(a,b);if(d<0||d==null)d=a.style[b];if(bQ.test(d))return d;e=f&&(p.support.boxSizingReliable||d===a.style[b]),d=parseFloat(d)||0}return d+ca(a,b,c||(f?"border":"content"),e)+"px"}function cc(a){if(bS[a])return bS[a];var b=p("<"+a+">").appendTo(e.body),c=b.css("display");b.remove();if(c==="none"||c===""){bI=e.body.appendChild(bI||p.extend(e.createElement("iframe"),{frameBorder:0,width:0,height:0}));if(!bJ||!bI.createElement)bJ=(bI.contentWindow||bI.contentDocument).document,bJ.write("<!doctype html><html><body>"),bJ.close();b=bJ.body.appendChild(bJ.createElement(a)),c=bH(b,"display"),e.body.removeChild(bI)}return bS[a]=c,c}function ci(a,b,c,d){var e;if(p.isArray(b))p.each(b,function(b,e){c||ce.test(a)?d(a,e):ci(a+"["+(typeof e=="object"?b:"")+"]",e,c,d)});else if(!c&&p.type(b)==="object")for(e in b)ci(a+"["+e+"]",b[e],c,d);else d(a,b)}function cz(a){return function(b,c){typeof b!="string"&&(c=b,b="*");var d,e,f,g=b.toLowerCase().split(s),h=0,i=g.length;if(p.isFunction(c))for(;h<i;h++)d=g[h],f=/^\+/.test(d),f&&(d=d.substr(1)||"*"),e=a[d]=a[d]||[],e[f?"unshift":"push"](c)}}function cA(a,c,d,e,f,g){f=f||c.dataTypes[0],g=g||{},g[f]=!0;var h,i=a[f],j=0,k=i?i.length:0,l=a===cv;for(;j<k&&(l||!h);j++)h=i[j](c,d,e),typeof h=="string"&&(!l||g[h]?h=b:(c.dataTypes.unshift(h),h=cA(a,c,d,e,h,g)));return(l||!h)&&!g["*"]&&(h=cA(a,c,d,e,"*",g)),h}function cB(a,c){var d,e,f=p.ajaxSettings.flatOptions||{};for(d in c)c[d]!==b&&((f[d]?a:e||(e={}))[d]=c[d]);e&&p.extend(!0,a,e)}function cC(a,c,d){var e,f,g,h,i=a.contents,j=a.dataTypes,k=a.responseFields;for(f in k)f in d&&(c[k[f]]=d[f]);while(j[0]==="*")j.shift(),e===b&&(e=a.mimeType||c.getResponseHeader("content-type"));if(e)for(f in i)if(i[f]&&i[f].test(e)){j.unshift(f);break}if(j[0]in d)g=j[0];else{for(f in d){if(!j[0]||a.converters[f+" "+j[0]]){g=f;break}h||(h=f)}g=g||h}if(g)return g!==j[0]&&j.unshift(g),d[g]}function cD(a,b){var c,d,e,f,g=a.dataTypes.slice(),h=g[0],i={},j=0;a.dataFilter&&(b=a.dataFilter(b,a.dataType));if(g[1])for(c in a.converters)i[c.toLowerCase()]=a.converters[c];for(;e=g[++j];)if(e!=="*"){if(h!=="*"&&h!==e){c=i[h+" "+e]||i["* "+e];if(!c)for(d in i){f=d.split(" ");if(f[1]===e){c=i[h+" "+f[0]]||i["* "+f[0]];if(c){c===!0?c=i[d]:i[d]!==!0&&(e=f[0],g.splice(j--,0,e));break}}}if(c!==!0)if(c&&a["throws"])b=c(b);else try{b=c(b)}catch(k){return{state:"parsererror",error:c?k:"No conversion from "+h+" to "+e}}}h=e}return{state:"success",data:b}}function cL(){try{return new a.XMLHttpRequest}catch(b){}}function cM(){try{return new a.ActiveXObject("Microsoft.XMLHTTP")}catch(b){}}function cU(){return setTimeout(function(){cN=b},0),cN=p.now()}function cV(a,b){p.each(b,function(b,c){var d=(cT[b]||[]).concat(cT["*"]),e=0,f=d.length;for(;e<f;e++)if(d[e].call(a,b,c))return})}function cW(a,b,c){var d,e=0,f=0,g=cS.length,h=p.Deferred().always(function(){delete i.elem}),i=function(){var b=cN||cU(),c=Math.max(0,j.startTime+j.duration-b),d=1-(c/j.duration||0),e=0,f=j.tweens.length;for(;e<f;e++)j.tweens[e].run(d);return h.notifyWith(a,[j,d,c]),d<1&&f?c:(h.resolveWith(a,[j]),!1)},j=h.promise({elem:a,props:p.extend({},b),opts:p.extend(!0,{specialEasing:{}},c),originalProperties:b,originalOptions:c,startTime:cN||cU(),duration:c.duration,tweens:[],createTween:function(b,c,d){var e=p.Tween(a,j.opts,b,c,j.opts.specialEasing[b]||j.opts.easing);return j.tweens.push(e),e},stop:function(b){var c=0,d=b?j.tweens.length:0;for(;c<d;c++)j.tweens[c].run(1);return b?h.resolveWith(a,[j,b]):h.rejectWith(a,[j,b]),this}}),k=j.props;cX(k,j.opts.specialEasing);for(;e<g;e++){d=cS[e].call(j,a,k,j.opts);if(d)return d}return cV(j,k),p.isFunction(j.opts.start)&&j.opts.start.call(a,j),p.fx.timer(p.extend(i,{anim:j,queue:j.opts.queue,elem:a})),j.progress(j.opts.progress).done(j.opts.done,j.opts.complete).fail(j.opts.fail).always(j.opts.always)}function cX(a,b){var c,d,e,f,g;for(c in a){d=p.camelCase(c),e=b[d],f=a[c],p.isArray(f)&&(e=f[1],f=a[c]=f[0]),c!==d&&(a[d]=f,delete a[c]),g=p.cssHooks[d];if(g&&"expand"in g){f=g.expand(f),delete a[d];for(c in f)c in a||(a[c]=f[c],b[c]=e)}else b[d]=e}}function cY(a,b,c){var d,e,f,g,h,i,j,k,l=this,m=a.style,n={},o=[],q=a.nodeType&&bZ(a);c.queue||(j=p._queueHooks(a,"fx"),j.unqueued==null&&(j.unqueued=0,k=j.empty.fire,j.empty.fire=function(){j.unqueued||k()}),j.unqueued++,l.always(function(){l.always(function(){j.unqueued--,p.queue(a,"fx").length||j.empty.fire()})})),a.nodeType===1&&("height"in b||"width"in b)&&(c.overflow=[m.overflow,m.overflowX,m.overflowY],p.css(a,"display")==="inline"&&p.css(a,"float")==="none"&&(!p.support.inlineBlockNeedsLayout||cc(a.nodeName)==="inline"?m.display="inline-block":m.zoom=1)),c.overflow&&(m.overflow="hidden",p.support.shrinkWrapBlocks||l.done(function(){m.overflow=c.overflow[0],m.overflowX=c.overflow[1],m.overflowY=c.overflow[2]}));for(d in b){f=b[d];if(cP.exec(f)){delete b[d];if(f===(q?"hide":"show"))continue;o.push(d)}}g=o.length;if(g){h=p._data(a,"fxshow")||p._data(a,"fxshow",{}),q?p(a).show():l.done(function(){p(a).hide()}),l.done(function(){var b;p.removeData(a,"fxshow",!0);for(b in n)p.style(a,b,n[b])});for(d=0;d<g;d++)e=o[d],i=l.createTween(e,q?h[e]:0),n[e]=h[e]||p.style(a,e),e in h||(h[e]=i.start,q&&(i.end=i.start,i.start=e==="width"||e==="height"?1:0))}}function cZ(a,b,c,d,e){return new cZ.prototype.init(a,b,c,d,e)}function c$(a,b){var c,d={height:a},e=0;b=b?1:0;for(;e<4;e+=2-b)c=bV[e],d["margin"+c]=d["padding"+c]=a;return b&&(d.opacity=d.width=a),d}function da(a){return p.isWindow(a)?a:a.nodeType===9?a.defaultView||a.parentWindow:!1}var c,d,e=a.document,f=a.location,g=a.navigator,h=a.jQuery,i=a.$,j=Array.prototype.push,k=Array.prototype.slice,l=Array.prototype.indexOf,m=Object.prototype.toString,n=Object.prototype.hasOwnProperty,o=String.prototype.trim,p=function(a,b){return new p.fn.init(a,b,c)},q=/[\-+]?(?:\d*\.|)\d+(?:[eE][\-+]?\d+|)/.source,r=/\S/,s=/\s+/,t=/^[\s\uFEFF\xA0]+|[\s\uFEFF\xA0]+$/g,u=/^(?:[^#<]*(<[\w\W]+>)[^>]*$|#([\w\-]*)$)/,v=/^<(\w+)\s*\/?>(?:<\/\1>|)$/,w=/^[\],:{}\s]*$/,x=/(?:^|:|,)(?:\s*\[)+/g,y=/\\(?:["\\\/bfnrt]|u[\da-fA-F]{4})/g,z=/"[^"\\\r\n]*"|true|false|null|-?(?:\d\d*\.|)\d+(?:[eE][\-+]?\d+|)/g,A=/^-ms-/,B=/-([\da-z])/gi,C=function(a,b){return(b+"").toUpperCase()},D=function(){e.addEventListener?(e.removeEventListener("DOMContentLoaded",D,!1),p.ready()):e.readyState==="complete"&&(e.detachEvent("onreadystatechange",D),p.ready())},E={};p.fn=p.prototype={constructor:p,init:function(a,c,d){var f,g,h,i;if(!a)return this;if(a.nodeType)return this.context=this[0]=a,this.length=1,this;if(typeof a=="string"){a.charAt(0)==="<"&&a.charAt(a.length-1)===">"&&a.length>=3?f=[null,a,null]:f=u.exec(a);if(f&&(f[1]||!c)){if(f[1])return c=c instanceof p?c[0]:c,i=c&&c.nodeType?c.ownerDocument||c:e,a=p.parseHTML(f[1],i,!0),v.test(f[1])&&p.isPlainObject(c)&&this.attr.call(a,c,!0),p.merge(this,a);g=e.getElementById(f[2]);if(g&&g.parentNode){if(g.id!==f[2])return d.find(a);this.length=1,this[0]=g}return this.context=e,this.selector=a,this}return!c||c.jquery?(c||d).find(a):this.constructor(c).find(a)}return p.isFunction(a)?d.ready(a):(a.selector!==b&&(this.selector=a.selector,this.context=a.context),p.makeArray(a,this))},selector:"",jquery:"1.8.1",length:0,size:function(){return this.length},toArray:function(){return k.call(this)},get:function(a){return a==null?this.toArray():a<0?this[this.length+a]:this[a]},pushStack:function(a,b,c){var d=p.merge(this.constructor(),a);return d.prevObject=this,d.context=this.context,b==="find"?d.selector=this.selector+(this.selector?" ":"")+c:b&&(d.selector=this.selector+"."+b+"("+c+")"),d},each:function(a,b){return p.each(this,a,b)},ready:function(a){return p.ready.promise().done(a),this},eq:function(a){return a=+a,a===-1?this.slice(a):this.slice(a,a+1)},first:function(){return this.eq(0)},last:function(){return this.eq(-1)},slice:function(){return this.pushStack(k.apply(this,arguments),"slice",k.call(arguments).join(","))},map:function(a){return this.pushStack(p.map(this,function(b,c){return a.call(b,c,b)}))},end:function(){return this.prevObject||this.constructor(null)},push:j,sort:[].sort,splice:[].splice},p.fn.init.prototype=p.fn,p.extend=p.fn.extend=function(){var a,c,d,e,f,g,h=arguments[0]||{},i=1,j=arguments.length,k=!1;typeof h=="boolean"&&(k=h,h=arguments[1]||{},i=2),typeof h!="object"&&!p.isFunction(h)&&(h={}),j===i&&(h=this,--i);for(;i<j;i++)if((a=arguments[i])!=null)for(c in a){d=h[c],e=a[c];if(h===e)continue;k&&e&&(p.isPlainObject(e)||(f=p.isArray(e)))?(f?(f=!1,g=d&&p.isArray(d)?d:[]):g=d&&p.isPlainObject(d)?d:{},h[c]=p.extend(k,g,e)):e!==b&&(h[c]=e)}return h},p.extend({noConflict:function(b){return a.$===p&&(a.$=i),b&&a.jQuery===p&&(a.jQuery=h),p},isReady:!1,readyWait:1,holdReady:function(a){a?p.readyWait++:p.ready(!0)},ready:function(a){if(a===!0?--p.readyWait:p.isReady)return;if(!e.body)return setTimeout(p.ready,1);p.isReady=!0;if(a!==!0&&--p.readyWait>0)return;d.resolveWith(e,[p]),p.fn.trigger&&p(e).trigger("ready").off("ready")},isFunction:function(a){return p.type(a)==="function"},isArray:Array.isArray||function(a){return p.type(a)==="array"},isWindow:function(a){return a!=null&&a==a.window},isNumeric:function(a){return!isNaN(parseFloat(a))&&isFinite(a)},type:function(a){return a==null?String(a):E[m.call(a)]||"object"},isPlainObject:function(a){if(!a||p.type(a)!=="object"||a.nodeType||p.isWindow(a))return!1;try{if(a.constructor&&!n.call(a,"constructor")&&!n.call(a.constructor.prototype,"isPrototypeOf"))return!1}catch(c){return!1}var d;for(d in a);return d===b||n.call(a,d)},isEmptyObject:function(a){var b;for(b in a)return!1;return!0},error:function(a){throw new Error(a)},parseHTML:function(a,b,c){var d;return!a||typeof a!="string"?null:(typeof b=="boolean"&&(c=b,b=0),b=b||e,(d=v.exec(a))?[b.createElement(d[1])]:(d=p.buildFragment([a],b,c?null:[]),p.merge([],(d.cacheable?p.clone(d.fragment):d.fragment).childNodes)))},parseJSON:function(b){if(!b||typeof b!="string")return null;b=p.trim(b);if(a.JSON&&a.JSON.parse)return a.JSON.parse(b);if(w.test(b.replace(y,"@").replace(z,"]").replace(x,"")))return(new Function("return "+b))();p.error("Invalid JSON: "+b)},parseXML:function(c){var d,e;if(!c||typeof c!="string")return null;try{a.DOMParser?(e=new DOMParser,d=e.parseFromString(c,"text/xml")):(d=new ActiveXObject("Microsoft.XMLDOM"),d.async="false",d.loadXML(c))}catch(f){d=b}return(!d||!d.documentElement||d.getElementsByTagName("parsererror").length)&&p.error("Invalid XML: "+c),d},noop:function(){},globalEval:function(b){b&&r.test(b)&&(a.execScript||function(b){a.eval.call(a,b)})(b)},camelCase:function(a){return a.replace(A,"ms-").replace(B,C)},nodeName:function(a,b){return a.nodeName&&a.nodeName.toUpperCase()===b.toUpperCase()},each:function(a,c,d){var e,f=0,g=a.length,h=g===b||p.isFunction(a);if(d){if(h){for(e in a)if(c.apply(a[e],d)===!1)break}else for(;f<g;)if(c.apply(a[f++],d)===!1)break}else if(h){for(e in a)if(c.call(a[e],e,a[e])===!1)break}else for(;f<g;)if(c.call(a[f],f,a[f++])===!1)break;return a},trim:o&&!o.call(" ")?function(a){return a==null?"":o.call(a)}:function(a){return a==null?"":a.toString().replace(t,"")},makeArray:function(a,b){var c,d=b||[];return a!=null&&(c=p.type(a),a.length==null||c==="string"||c==="function"||c==="regexp"||p.isWindow(a)?j.call(d,a):p.merge(d,a)),d},inArray:function(a,b,c){var d;if(b){if(l)return l.call(b,a,c);d=b.length,c=c?c<0?Math.max(0,d+c):c:0;for(;c<d;c++)if(c in b&&b[c]===a)return c}return-1},merge:function(a,c){var d=c.length,e=a.length,f=0;if(typeof d=="number")for(;f<d;f++)a[e++]=c[f];else while(c[f]!==b)a[e++]=c[f++];return a.length=e,a},grep:function(a,b,c){var d,e=[],f=0,g=a.length;c=!!c;for(;f<g;f++)d=!!b(a[f],f),c!==d&&e.push(a[f]);return e},map:function(a,c,d){var e,f,g=[],h=0,i=a.length,j=a instanceof p||i!==b&&typeof i=="number"&&(i>0&&a[0]&&a[i-1]||i===0||p.isArray(a));if(j)for(;h<i;h++)e=c(a[h],h,d),e!=null&&(g[g.length]=e);else for(f in a)e=c(a[f],f,d),e!=null&&(g[g.length]=e);return g.concat.apply([],g)},guid:1,proxy:function(a,c){var d,e,f;return typeof c=="string"&&(d=a[c],c=a,a=d),p.isFunction(a)?(e=k.call(arguments,2),f=function(){return a.apply(c,e.concat(k.call(arguments)))},f.guid=a.guid=a.guid||f.guid||p.guid++,f):b},access:function(a,c,d,e,f,g,h){var i,j=d==null,k=0,l=a.length;if(d&&typeof d=="object"){for(k in d)p.access(a,c,k,d[k],1,g,e);f=1}else if(e!==b){i=h===b&&p.isFunction(e),j&&(i?(i=c,c=function(a,b,c){return i.call(p(a),c)}):(c.call(a,e),c=null));if(c)for(;k<l;k++)c(a[k],d,i?e.call(a[k],k,c(a[k],d)):e,h);f=1}return f?a:j?c.call(a):l?c(a[0],d):g},now:function(){return(new Date).getTime()}}),p.ready.promise=function(b){if(!d){d=p.Deferred();if(e.readyState==="complete")setTimeout(p.ready,1);else if(e.addEventListener)e.addEventListener("DOMContentLoaded",D,!1),a.addEventListener("load",p.ready,!1);else{e.attachEvent("onreadystatechange",D),a.attachEvent("onload",p.ready);var c=!1;try{c=a.frameElement==null&&e.documentElement}catch(f){}c&&c.doScroll&&function g(){if(!p.isReady){try{c.doScroll("left")}catch(a){return setTimeout(g,50)}p.ready()}}()}}return d.promise(b)},p.each("Boolean Number String Function Array Date RegExp Object".split(" "),function(a,b){E["[object "+b+"]"]=b.toLowerCase()}),c=p(e);var F={};p.Callbacks=function(a){a=typeof a=="string"?F[a]||G(a):p.extend({},a);var c,d,e,f,g,h,i=[],j=!a.once&&[],k=function(b){c=a.memory&&b,d=!0,h=f||0,f=0,g=i.length,e=!0;for(;i&&h<g;h++)if(i[h].apply(b[0],b[1])===!1&&a.stopOnFalse){c=!1;break}e=!1,i&&(j?j.length&&k(j.shift()):c?i=[]:l.disable())},l={add:function(){if(i){var b=i.length;(function d(b){p.each(b,function(b,c){var e=p.type(c);e==="function"&&(!a.unique||!l.has(c))?i.push(c):c&&c.length&&e!=="string"&&d(c)})})(arguments),e?g=i.length:c&&(f=b,k(c))}return this},remove:function(){return i&&p.each(arguments,function(a,b){var c;while((c=p.inArray(b,i,c))>-1)i.splice(c,1),e&&(c<=g&&g--,c<=h&&h--)}),this},has:function(a){return p.inArray(a,i)>-1},empty:function(){return i=[],this},disable:function(){return i=j=c=b,this},disabled:function(){return!i},lock:function(){return j=b,c||l.disable(),this},locked:function(){return!j},fireWith:function(a,b){return b=b||[],b=[a,b.slice?b.slice():b],i&&(!d||j)&&(e?j.push(b):k(b)),this},fire:function(){return l.fireWith(this,arguments),this},fired:function(){return!!d}};return l},p.extend({Deferred:function(a){var b=[["resolve","done",p.Callbacks("once memory"),"resolved"],["reject","fail",p.Callbacks("once memory"),"rejected"],["notify","progress",p.Callbacks("memory")]],c="pending",d={state:function(){return c},always:function(){return e.done(arguments).fail(arguments),this},then:function(){var a=arguments;return p.Deferred(function(c){p.each(b,function(b,d){var f=d[0],g=a[b];e[d[1]](p.isFunction(g)?function(){var a=g.apply(this,arguments);a&&p.isFunction(a.promise)?a.promise().done(c.resolve).fail(c.reject).progress(c.notify):c[f+"With"](this===e?c:this,[a])}:c[f])}),a=null}).promise()},promise:function(a){return typeof a=="object"?p.extend(a,d):d}},e={};return d.pipe=d.then,p.each(b,function(a,f){var g=f[2],h=f[3];d[f[1]]=g.add,h&&g.add(function(){c=h},b[a^1][2].disable,b[2][2].lock),e[f[0]]=g.fire,e[f[0]+"With"]=g.fireWith}),d.promise(e),a&&a.call(e,e),e},when:function(a){var b=0,c=k.call(arguments),d=c.length,e=d!==1||a&&p.isFunction(a.promise)?d:0,f=e===1?a:p.Deferred(),g=function(a,b,c){return function(d){b[a]=this,c[a]=arguments.length>1?k.call(arguments):d,c===h?f.notifyWith(b,c):--e||f.resolveWith(b,c)}},h,i,j;if(d>1){h=new Array(d),i=new Array(d),j=new Array(d);for(;b<d;b++)c[b]&&p.isFunction(c[b].promise)?c[b].promise().done(g(b,j,c)).fail(f.reject).progress(g(b,i,h)):--e}return e||f.resolveWith(j,c),f.promise()}}),p.support=function(){var b,c,d,f,g,h,i,j,k,l,m,n=e.createElement("div");n.setAttribute("className","t"),n.innerHTML=" <link/><table></table><a href='/a'>a</a><input type='checkbox'/>",c=n.getElementsByTagName("*"),d=n.getElementsByTagName("a")[0],d.style.cssText="top:1px;float:left;opacity:.5";if(!c||!c.length||!d)return{};f=e.createElement("select"),g=f.appendChild(e.createElement("option")),h=n.getElementsByTagName("input")[0],b={leadingWhitespace:n.firstChild.nodeType===3,tbody:!n.getElementsByTagName("tbody").length,htmlSerialize:!!n.getElementsByTagName("link").length,style:/top/.test(d.getAttribute("style")),hrefNormalized:d.getAttribute("href")==="/a",opacity:/^0.5/.test(d.style.opacity),cssFloat:!!d.style.cssFloat,checkOn:h.value==="on",optSelected:g.selected,getSetAttribute:n.className!=="t",enctype:!!e.createElement("form").enctype,html5Clone:e.createElement("nav").cloneNode(!0).outerHTML!=="<:nav></:nav>",boxModel:e.compatMode==="CSS1Compat",submitBubbles:!0,changeBubbles:!0,focusinBubbles:!1,deleteExpando:!0,noCloneEvent:!0,inlineBlockNeedsLayout:!1,shrinkWrapBlocks:!1,reliableMarginRight:!0,boxSizingReliable:!0,pixelPosition:!1},h.checked=!0,b.noCloneChecked=h.cloneNode(!0).checked,f.disabled=!0,b.optDisabled=!g.disabled;try{delete n.test}catch(o){b.deleteExpando=!1}!n.addEventListener&&n.attachEvent&&n.fireEvent&&(n.attachEvent("onclick",m=function(){b.noCloneEvent=!1}),n.cloneNode(!0).fireEvent("onclick"),n.detachEvent("onclick",m)),h=e.createElement("input"),h.value="t",h.setAttribute("type","radio"),b.radioValue=h.value==="t",h.setAttribute("checked","checked"),h.setAttribute("name","t"),n.appendChild(h),i=e.createDocumentFragment(),i.appendChild(n.lastChild),b.checkClone=i.cloneNode(!0).cloneNode(!0).lastChild.checked,b.appendChecked=h.checked,i.removeChild(h),i.appendChild(n);if(n.attachEvent)for(k in{submit:!0,change:!0,focusin:!0})j="on"+k,l=j in n,l||(n.setAttribute(j,"return;"),l=typeof n[j]=="function"),b[k+"Bubbles"]=l;return p(function(){var c,d,f,g,h="padding:0;margin:0;border:0;display:block;overflow:hidden;",i=e.getElementsByTagName("body")[0];if(!i)return;c=e.createElement("div"),c.style.cssText="visibility:hidden;border:0;width:0;height:0;position:static;top:0;margin-top:1px",i.insertBefore(c,i.firstChild),d=e.createElement("div"),c.appendChild(d),d.innerHTML="<table><tr><td></td><td>t</td></tr></table>",f=d.getElementsByTagName("td"),f[0].style.cssText="padding:0;margin:0;border:0;display:none",l=f[0].offsetHeight===0,f[0].style.display="",f[1].style.display="none",b.reliableHiddenOffsets=l&&f[0].offsetHeight===0,d.innerHTML="",d.style.cssText="box-sizing:border-box;-moz-box-sizing:border-box;-webkit-box-sizing:border-box;padding:1px;border:1px;display:block;width:4px;margin-top:1%;position:absolute;top:1%;",b.boxSizing=d.offsetWidth===4,b.doesNotIncludeMarginInBodyOffset=i.offsetTop!==1,a.getComputedStyle&&(b.pixelPosition=(a.getComputedStyle(d,null)||{}).top!=="1%",b.boxSizingReliable=(a.getComputedStyle(d,null)||{width:"4px"}).width==="4px",g=e.createElement("div"),g.style.cssText=d.style.cssText=h,g.style.marginRight=g.style.width="0",d.style.width="1px",d.appendChild(g),b.reliableMarginRight=!parseFloat((a.getComputedStyle(g,null)||{}).marginRight)),typeof d.style.zoom!="undefined"&&(d.innerHTML="",d.style.cssText=h+"width:1px;padding:1px;display:inline;zoom:1",b.inlineBlockNeedsLayout=d.offsetWidth===3,d.style.display="block",d.style.overflow="visible",d.innerHTML="<div></div>",d.firstChild.style.width="5px",b.shrinkWrapBlocks=d.offsetWidth!==3,c.style.zoom=1),i.removeChild(c),c=d=f=g=null}),i.removeChild(n),c=d=f=g=h=i=n=null,b}();var H=/(?:\{[\s\S]*\}|\[[\s\S]*\])$/,I=/([A-Z])/g;p.extend({cache:{},deletedIds:[],uuid:0,expando:"jQuery"+(p.fn.jquery+Math.random()).replace(/\D/g,""),noData:{embed:!0,object:"clsid:D27CDB6E-AE6D-11cf-96B8-444553540000",applet:!0},hasData:function(a){return a=a.nodeType?p.cache[a[p.expando]]:a[p.expando],!!a&&!K(a)},data:function(a,c,d,e){if(!p.acceptData(a))return;var f,g,h=p.expando,i=typeof c=="string",j=a.nodeType,k=j?p.cache:a,l=j?a[h]:a[h]&&h;if((!l||!k[l]||!e&&!k[l].data)&&i&&d===b)return;l||(j?a[h]=l=p.deletedIds.pop()||++p.uuid:l=h),k[l]||(k[l]={},j||(k[l].toJSON=p.noop));if(typeof c=="object"||typeof c=="function")e?k[l]=p.extend(k[l],c):k[l].data=p.extend(k[l].data,c);return f=k[l],e||(f.data||(f.data={}),f=f.data),d!==b&&(f[p.camelCase(c)]=d),i?(g=f[c],g==null&&(g=f[p.camelCase(c)])):g=f,g},removeData:function(a,b,c){if(!p.acceptData(a))return;var d,e,f,g=a.nodeType,h=g?p.cache:a,i=g?a[p.expando]:p.expando;if(!h[i])return;if(b){d=c?h[i]:h[i].data;if(d){p.isArray(b)||(b in d?b=[b]:(b=p.camelCase(b),b in d?b=[b]:b=b.split(" ")));for(e=0,f=b.length;e<f;e++)delete d[b[e]];if(!(c?K:p.isEmptyObject)(d))return}}if(!c){delete h[i].data;if(!K(h[i]))return}g?p.cleanData([a],!0):p.support.deleteExpando||h!=h.window?delete h[i]:h[i]=null},_data:function(a,b,c){return p.data(a,b,c,!0)},acceptData:function(a){var b=a.nodeName&&p.noData[a.nodeName.toLowerCase()];return!b||b!==!0&&a.getAttribute("classid")===b}}),p.fn.extend({data:function(a,c){var d,e,f,g,h,i=this[0],j=0,k=null;if(a===b){if(this.length){k=p.data(i);if(i.nodeType===1&&!p._data(i,"parsedAttrs")){f=i.attributes;for(h=f.length;j<h;j++)g=f[j].name,g.indexOf("data-")===0&&(g=p.camelCase(g.substring(5)),J(i,g,k[g]));p._data(i,"parsedAttrs",!0)}}return k}return typeof a=="object"?this.each(function(){p.data(this,a)}):(d=a.split(".",2),d[1]=d[1]?"."+d[1]:"",e=d[1]+"!",p.access(this,function(c){if(c===b)return k=this.triggerHandler("getData"+e,[d[0]]),k===b&&i&&(k=p.data(i,a),k=J(i,a,k)),k===b&&d[1]?this.data(d[0]):k;d[1]=c,this.each(function(){var b=p(this);b.triggerHandler("setData"+e,d),p.data(this,a,c),b.triggerHandler("changeData"+e,d)})},null,c,arguments.length>1,null,!1))},removeData:function(a){return this.each(function(){p.removeData(this,a)})}}),p.extend({queue:function(a,b,c){var d;if(a)return b=(b||"fx")+"queue",d=p._data(a,b),c&&(!d||p.isArray(c)?d=p._data(a,b,p.makeArray(c)):d.push(c)),d||[]},dequeue:function(a,b){b=b||"fx";var c=p.queue(a,b),d=c.length,e=c.shift(),f=p._queueHooks(a,b),g=function(){p.dequeue(a,b)};e==="inprogress"&&(e=c.shift(),d--),e&&(b==="fx"&&c.unshift("inprogress"),delete f.stop,e.call(a,g,f)),!d&&f&&f.empty.fire()},_queueHooks:function(a,b){var c=b+"queueHooks";return p._data(a,c)||p._data(a,c,{empty:p.Callbacks("once memory").add(function(){p.removeData(a,b+"queue",!0),p.removeData(a,c,!0)})})}}),p.fn.extend({queue:function(a,c){var d=2;return typeof a!="string"&&(c=a,a="fx",d--),arguments.length<d?p.queue(this[0],a):c===b?this:this.each(function(){var b=p.queue(this,a,c);p._queueHooks(this,a),a==="fx"&&b[0]!=="inprogress"&&p.dequeue(this,a)})},dequeue:function(a){return this.each(function(){p.dequeue(this,a)})},delay:function(a,b){return a=p.fx?p.fx.speeds[a]||a:a,b=b||"fx",this.queue(b,function(b,c){var d=setTimeout(b,a);c.stop=function(){clearTimeout(d)}})},clearQueue:function(a){return this.queue(a||"fx",[])},promise:function(a,c){var d,e=1,f=p.Deferred(),g=this,h=this.length,i=function(){--e||f.resolveWith(g,[g])};typeof a!="string"&&(c=a,a=b),a=a||"fx";while(h--)d=p._data(g[h],a+"queueHooks"),d&&d.empty&&(e++,d.empty.add(i));return i(),f.promise(c)}});var L,M,N,O=/[\t\r\n]/g,P=/\r/g,Q=/^(?:button|input)$/i,R=/^(?:button|input|object|select|textarea)$/i,S=/^a(?:rea|)$/i,T=/^(?:autofocus|autoplay|async|checked|controls|defer|disabled|hidden|loop|multiple|open|readonly|required|scoped|selected)$/i,U=p.support.getSetAttribute;p.fn.extend({attr:function(a,b){return p.access(this,p.attr,a,b,arguments.length>1)},removeAttr:function(a){return this.each(function(){p.removeAttr(this,a)})},prop:function(a,b){return p.access(this,p.prop,a,b,arguments.length>1)},removeProp:function(a){return a=p.propFix[a]||a,this.each(function(){try{this[a]=b,delete this[a]}catch(c){}})},addClass:function(a){var b,c,d,e,f,g,h;if(p.isFunction(a))return this.each(function(b){p(this).addClass(a.call(this,b,this.className))});if(a&&typeof a=="string"){b=a.split(s);for(c=0,d=this.length;c<d;c++){e=this[c];if(e.nodeType===1)if(!e.className&&b.length===1)e.className=a;else{f=" "+e.className+" ";for(g=0,h=b.length;g<h;g++)~f.indexOf(" "+b[g]+" ")||(f+=b[g]+" ");e.className=p.trim(f)}}}return this},removeClass:function(a){var c,d,e,f,g,h,i;if(p.isFunction(a))return this.each(function(b){p(this).removeClass(a.call(this,b,this.className))});if(a&&typeof a=="string"||a===b){c=(a||"").split(s);for(h=0,i=this.length;h<i;h++){e=this[h];if(e.nodeType===1&&e.className){d=(" "+e.className+" ").replace(O," ");for(f=0,g=c.length;f<g;f++)while(d.indexOf(" "+c[f]+" ")>-1)d=d.replace(" "+c[f]+" "," ");e.className=a?p.trim(d):""}}}return this},toggleClass:function(a,b){var c=typeof a,d=typeof b=="boolean";return p.isFunction(a)?this.each(function(c){p(this).toggleClass(a.call(this,c,this.className,b),b)}):this.each(function(){if(c==="string"){var e,f=0,g=p(this),h=b,i=a.split(s);while(e=i[f++])h=d?h:!g.hasClass(e),g[h?"addClass":"removeClass"](e)}else if(c==="undefined"||c==="boolean")this.className&&p._data(this,"__className__",this.className),this.className=this.className||a===!1?"":p._data(this,"__className__")||""})},hasClass:function(a){var b=" "+a+" ",c=0,d=this.length;for(;c<d;c++)if(this[c].nodeType===1&&(" "+this[c].className+" ").replace(O," ").indexOf(b)>-1)return!0;return!1},val:function(a){var c,d,e,f=this[0];if(!arguments.length){if(f)return c=p.valHooks[f.type]||p.valHooks[f.nodeName.toLowerCase()],c&&"get"in c&&(d=c.get(f,"value"))!==b?d:(d=f.value,typeof d=="string"?d.replace(P,""):d==null?"":d);return}return e=p.isFunction(a),this.each(function(d){var f,g=p(this);if(this.nodeType!==1)return;e?f=a.call(this,d,g.val()):f=a,f==null?f="":typeof f=="number"?f+="":p.isArray(f)&&(f=p.map(f,function(a){return a==null?"":a+""})),c=p.valHooks[this.type]||p.valHooks[this.nodeName.toLowerCase()];if(!c||!("set"in c)||c.set(this,f,"value")===b)this.value=f})}}),p.extend({valHooks:{option:{get:function(a){var b=a.attributes.value;return!b||b.specified?a.value:a.text}},select:{get:function(a){var b,c,d,e,f=a.selectedIndex,g=[],h=a.options,i=a.type==="select-one";if(f<0)return null;c=i?f:0,d=i?f+1:h.length;for(;c<d;c++){e=h[c];if(e.selected&&(p.support.optDisabled?!e.disabled:e.getAttribute("disabled")===null)&&(!e.parentNode.disabled||!p.nodeName(e.parentNode,"optgroup"))){b=p(e).val();if(i)return b;g.push(b)}}return i&&!g.length&&h.length?p(h[f]).val():g},set:function(a,b){var c=p.makeArray(b);return p(a).find("option").each(function(){this.selected=p.inArray(p(this).val(),c)>=0}),c.length||(a.selectedIndex=-1),c}}},attrFn:{},attr:function(a,c,d,e){var f,g,h,i=a.nodeType;if(!a||i===3||i===8||i===2)return;if(e&&p.isFunction(p.fn[c]))return p(a)[c](d);if(typeof a.getAttribute=="undefined")return p.prop(a,c,d);h=i!==1||!p.isXMLDoc(a),h&&(c=c.toLowerCase(),g=p.attrHooks[c]||(T.test(c)?M:L));if(d!==b){if(d===null){p.removeAttr(a,c);return}return g&&"set"in g&&h&&(f=g.set(a,d,c))!==b?f:(a.setAttribute(c,""+d),d)}return g&&"get"in g&&h&&(f=g.get(a,c))!==null?f:(f=a.getAttribute(c),f===null?b:f)},removeAttr:function(a,b){var c,d,e,f,g=0;if(b&&a.nodeType===1){d=b.split(s);for(;g<d.length;g++)e=d[g],e&&(c=p.propFix[e]||e,f=T.test(e),f||p.attr(a,e,""),a.removeAttribute(U?e:c),f&&c in a&&(a[c]=!1))}},attrHooks:{type:{set:function(a,b){if(Q.test(a.nodeName)&&a.parentNode)p.error("type property can't be changed");else if(!p.support.radioValue&&b==="radio"&&p.nodeName(a,"input")){var c=a.value;return a.setAttribute("type",b),c&&(a.value=c),b}}},value:{get:function(a,b){return L&&p.nodeName(a,"button")?L.get(a,b):b in a?a.value:null},set:function(a,b,c){if(L&&p.nodeName(a,"button"))return L.set(a,b,c);a.value=b}}},propFix:{tabindex:"tabIndex",readonly:"readOnly","for":"htmlFor","class":"className",maxlength:"maxLength",cellspacing:"cellSpacing",cellpadding:"cellPadding",rowspan:"rowSpan",colspan:"colSpan",usemap:"useMap",frameborder:"frameBorder",contenteditable:"contentEditable"},prop:function(a,c,d){var e,f,g,h=a.nodeType;if(!a||h===3||h===8||h===2)return;return g=h!==1||!p.isXMLDoc(a),g&&(c=p.propFix[c]||c,f=p.propHooks[c]),d!==b?f&&"set"in f&&(e=f.set(a,d,c))!==b?e:a[c]=d:f&&"get"in f&&(e=f.get(a,c))!==null?e:a[c]},propHooks:{tabIndex:{get:function(a){var c=a.getAttributeNode("tabindex");return c&&c.specified?parseInt(c.value,10):R.test(a.nodeName)||S.test(a.nodeName)&&a.href?0:b}}}}),M={get:function(a,c){var d,e=p.prop(a,c);return e===!0||typeof e!="boolean"&&(d=a.getAttributeNode(c))&&d.nodeValue!==!1?c.toLowerCase():b},set:function(a,b,c){var d;return b===!1?p.removeAttr(a,c):(d=p.propFix[c]||c,d in a&&(a[d]=!0),a.setAttribute(c,c.toLowerCase())),c}},U||(N={name:!0,id:!0,coords:!0},L=p.valHooks.button={get:function(a,c){var d;return d=a.getAttributeNode(c),d&&(N[c]?d.value!=="":d.specified)?d.value:b},set:function(a,b,c){var d=a.getAttributeNode(c);return d||(d=e.createAttribute(c),a.setAttributeNode(d)),d.value=b+""}},p.each(["width","height"],function(a,b){p.attrHooks[b]=p.extend(p.attrHooks[b],{set:function(a,c){if(c==="")return a.setAttribute(b,"auto"),c}})}),p.attrHooks.contenteditable={get:L.get,set:function(a,b,c){b===""&&(b="false"),L.set(a,b,c)}}),p.support.hrefNormalized||p.each(["href","src","width","height"],function(a,c){p.attrHooks[c]=p.extend(p.attrHooks[c],{get:function(a){var d=a.getAttribute(c,2);return d===null?b:d}})}),p.support.style||(p.attrHooks.style={get:function(a){return a.style.cssText.toLowerCase()||b},set:function(a,b){return a.style.cssText=""+b}}),p.support.optSelected||(p.propHooks.selected=p.extend(p.propHooks.selected,{get:function(a){var b=a.parentNode;return b&&(b.selectedIndex,b.parentNode&&b.parentNode.selectedIndex),null}})),p.support.enctype||(p.propFix.enctype="encoding"),p.support.checkOn||p.each(["radio","checkbox"],function(){p.valHooks[this]={get:function(a){return a.getAttribute("value")===null?"on":a.value}}}),p.each(["radio","checkbox"],function(){p.valHooks[this]=p.extend(p.valHooks[this],{set:function(a,b){if(p.isArray(b))return a.checked=p.inArray(p(a).val(),b)>=0}})});var V=/^(?:textarea|input|select)$/i,W=/^([^\.]*|)(?:\.(.+)|)$/,X=/(?:^|\s)hover(\.\S+|)\b/,Y=/^key/,Z=/^(?:mouse|contextmenu)|click/,$=/^(?:focusinfocus|focusoutblur)$/,_=function(a){return p.event.special.hover?a:a.replace(X,"mouseenter$1 mouseleave$1")};p.event={add:function(a,c,d,e,f){var g,h,i,j,k,l,m,n,o,q,r;if(a.nodeType===3||a.nodeType===8||!c||!d||!(g=p._data(a)))return;d.handler&&(o=d,d=o.handler,f=o.selector),d.guid||(d.guid=p.guid++),i=g.events,i||(g.events=i={}),h=g.handle,h||(g.handle=h=function(a){return typeof p!="undefined"&&(!a||p.event.triggered!==a.type)?p.event.dispatch.apply(h.elem,arguments):b},h.elem=a),c=p.trim(_(c)).split(" ");for(j=0;j<c.length;j++){k=W.exec(c[j])||[],l=k[1],m=(k[2]||"").split(".").sort(),r=p.event.special[l]||{},l=(f?r.delegateType:r.bindType)||l,r=p.event.special[l]||{},n=p.extend({type:l,origType:k[1],data:e,handler:d,guid:d.guid,selector:f,namespace:m.join(".")},o),q=i[l];if(!q){q=i[l]=[],q.delegateCount=0;if(!r.setup||r.setup.call(a,e,m,h)===!1)a.addEventListener?a.addEventListener(l,h,!1):a.attachEvent&&a.attachEvent("on"+l,h)}r.add&&(r.add.call(a,n),n.handler.guid||(n.handler.guid=d.guid)),f?q.splice(q.delegateCount++,0,n):q.push(n),p.event.global[l]=!0}a=null},global:{},remove:function(a,b,c,d,e){var f,g,h,i,j,k,l,m,n,o,q,r=p.hasData(a)&&p._data(a);if(!r||!(m=r.events))return;b=p.trim(_(b||"")).split(" ");for(f=0;f<b.length;f++){g=W.exec(b[f])||[],h=i=g[1],j=g[2];if(!h){for(h in m)p.event.remove(a,h+b[f],c,d,!0);continue}n=p.event.special[h]||{},h=(d?n.delegateType:n.bindType)||h,o=m[h]||[],k=o.length,j=j?new RegExp("(^|\\.)"+j.split(".").sort().join("\\.(?:.*\\.|)")+"(\\.|$)"):null;for(l=0;l<o.length;l++)q=o[l],(e||i===q.origType)&&(!c||c.guid===q.guid)&&(!j||j.test(q.namespace))&&(!d||d===q.selector||d==="**"&&q.selector)&&(o.splice(l--,1),q.selector&&o.delegateCount--,n.remove&&n.remove.call(a,q));o.length===0&&k!==o.length&&((!n.teardown||n.teardown.call(a,j,r.handle)===!1)&&p.removeEvent(a,h,r.handle),delete m[h])}p.isEmptyObject(m)&&(delete r.handle,p.removeData(a,"events",!0))},customEvent:{getData:!0,setData:!0,changeData:!0},trigger:function(c,d,f,g){if(!f||f.nodeType!==3&&f.nodeType!==8){var h,i,j,k,l,m,n,o,q,r,s=c.type||c,t=[];if($.test(s+p.event.triggered))return;s.indexOf("!")>=0&&(s=s.slice(0,-1),i=!0),s.indexOf(".")>=0&&(t=s.split("."),s=t.shift(),t.sort());if((!f||p.event.customEvent[s])&&!p.event.global[s])return;c=typeof c=="object"?c[p.expando]?c:new p.Event(s,c):new p.Event(s),c.type=s,c.isTrigger=!0,c.exclusive=i,c.namespace=t.join("."),c.namespace_re=c.namespace?new RegExp("(^|\\.)"+t.join("\\.(?:.*\\.|)")+"(\\.|$)"):null,m=s.indexOf(":")<0?"on"+s:"";if(!f){h=p.cache;for(j in h)h[j].events&&h[j].events[s]&&p.event.trigger(c,d,h[j].handle.elem,!0);return}c.result=b,c.target||(c.target=f),d=d!=null?p.makeArray(d):[],d.unshift(c),n=p.event.special[s]||{};if(n.trigger&&n.trigger.apply(f,d)===!1)return;q=[[f,n.bindType||s]];if(!g&&!n.noBubble&&!p.isWindow(f)){r=n.delegateType||s,k=$.test(r+s)?f:f.parentNode;for(l=f;k;k=k.parentNode)q.push([k,r]),l=k;l===(f.ownerDocument||e)&&q.push([l.defaultView||l.parentWindow||a,r])}for(j=0;j<q.length&&!c.isPropagationStopped();j++)k=q[j][0],c.type=q[j][1],o=(p._data(k,"events")||{})[c.type]&&p._data(k,"handle"),o&&o.apply(k,d),o=m&&k[m],o&&p.acceptData(k)&&o.apply(k,d)===!1&&c.preventDefault();return c.type=s,!g&&!c.isDefaultPrevented()&&(!n._default||n._default.apply(f.ownerDocument,d)===!1)&&(s!=="click"||!p.nodeName(f,"a"))&&p.acceptData(f)&&m&&f[s]&&(s!=="focus"&&s!=="blur"||c.target.offsetWidth!==0)&&!p.isWindow(f)&&(l=f[m],l&&(f[m]=null),p.event.triggered=s,f[s](),p.event.triggered=b,l&&(f[m]=l)),c.result}return},dispatch:function(c){c=p.event.fix(c||a.event);var d,e,f,g,h,i,j,k,l,m,n=(p._data(this,"events")||{})[c.type]||[],o=n.delegateCount,q=[].slice.call(arguments),r=!c.exclusive&&!c.namespace,s=p.event.special[c.type]||{},t=[];q[0]=c,c.delegateTarget=this;if(s.preDispatch&&s.preDispatch.call(this,c)===!1)return;if(o&&(!c.button||c.type!=="click"))for(f=c.target;f!=this;f=f.parentNode||this)if(f.disabled!==!0||c.type!=="click"){h={},j=[];for(d=0;d<o;d++)k=n[d],l=k.selector,h[l]===b&&(h[l]=p(l,this).index(f)>=0),h[l]&&j.push(k);j.length&&t.push({elem:f,matches:j})}n.length>o&&t.push({elem:this,matches:n.slice(o)});for(d=0;d<t.length&&!c.isPropagationStopped();d++){i=t[d],c.currentTarget=i.elem;for(e=0;e<i.matches.length&&!c.isImmediatePropagationStopped();e++){k=i.matches[e];if(r||!c.namespace&&!k.namespace||c.namespace_re&&c.namespace_re.test(k.namespace))c.data=k.data,c.handleObj=k,g=((p.event.special[k.origType]||{}).handle||k.handler).apply(i.elem,q),g!==b&&(c.result=g,g===!1&&(c.preventDefault(),c.stopPropagation()))}}return s.postDispatch&&s.postDispatch.call(this,c),c.result},props:"attrChange attrName relatedNode srcElement altKey bubbles cancelable ctrlKey currentTarget eventPhase metaKey relatedTarget shiftKey target timeStamp view which".split(" "),fixHooks:{},keyHooks:{props:"char charCode key keyCode".split(" "),filter:function(a,b){return a.which==null&&(a.which=b.charCode!=null?b.charCode:b.keyCode),a}},mouseHooks:{props:"button buttons clientX clientY fromElement offsetX offsetY pageX pageY screenX screenY toElement".split(" "),filter:function(a,c){var d,f,g,h=c.button,i=c.fromElement;return a.pageX==null&&c.clientX!=null&&(d=a.target.ownerDocument||e,f=d.documentElement,g=d.body,a.pageX=c.clientX+(f&&f.scrollLeft||g&&g.scrollLeft||0)-(f&&f.clientLeft||g&&g.clientLeft||0),a.pageY=c.clientY+(f&&f.scrollTop||g&&g.scrollTop||0)-(f&&f.clientTop||g&&g.clientTop||0)),!a.relatedTarget&&i&&(a.relatedTarget=i===a.target?c.toElement:i),!a.which&&h!==b&&(a.which=h&1?1:h&2?3:h&4?2:0),a}},fix:function(a){if(a[p.expando])return a;var b,c,d=a,f=p.event.fixHooks[a.type]||{},g=f.props?this.props.concat(f.props):this.props;a=p.Event(d);for(b=g.length;b;)c=g[--b],a[c]=d[c];return a.target||(a.target=d.srcElement||e),a.target.nodeType===3&&(a.target=a.target.parentNode),a.metaKey=!!a.metaKey,f.filter?f.filter(a,d):a},special:{load:{noBubble:!0},focus:{delegateType:"focusin"},blur:{delegateType:"focusout"},beforeunload:{setup:function(a,b,c){p.isWindow(this)&&(this.onbeforeunload=c)},teardown:function(a,b){this.onbeforeunload===b&&(this.onbeforeunload=null)}}},simulate:function(a,b,c,d){var e=p.extend(new p.Event,c,{type:a,isSimulated:!0,originalEvent:{}});d?p.event.trigger(e,null,b):p.event.dispatch.call(b,e),e.isDefaultPrevented()&&c.preventDefault()}},p.event.handle=p.event.dispatch,p.removeEvent=e.removeEventListener?function(a,b,c){a.removeEventListener&&a.removeEventListener(b,c,!1)}:function(a,b,c){var d="on"+b;a.detachEvent&&(typeof a[d]=="undefined"&&(a[d]=null),a.detachEvent(d,c))},p.Event=function(a,b){if(this instanceof p.Event)a&&a.type?(this.originalEvent=a,this.type=a.type,this.isDefaultPrevented=a.defaultPrevented||a.returnValue===!1||a.getPreventDefault&&a.getPreventDefault()?bb:ba):this.type=a,b&&p.extend(this,b),this.timeStamp=a&&a.timeStamp||p.now(),this[p.expando]=!0;else return new p.Event(a,b)},p.Event.prototype={preventDefault:function(){this.isDefaultPrevented=bb;var a=this.originalEvent;if(!a)return;a.preventDefault?a.preventDefault():a.returnValue=!1},stopPropagation:function(){this.isPropagationStopped=bb;var a=this.originalEvent;if(!a)return;a.stopPropagation&&a.stopPropagation(),a.cancelBubble=!0},stopImmediatePropagation:function(){this.isImmediatePropagationStopped=bb,this.stopPropagation()},isDefaultPrevented:ba,isPropagationStopped:ba,isImmediatePropagationStopped:ba},p.each({mouseenter:"mouseover",mouseleave:"mouseout"},function(a,b){p.event.special[a]={delegateType:b,bindType:b,handle:function(a){var c,d=this,e=a.relatedTarget,f=a.handleObj,g=f.selector;if(!e||e!==d&&!p.contains(d,e))a.type=f.origType,c=f.handler.apply(this,arguments),a.type=b;return c}}}),p.support.submitBubbles||(p.event.special.submit={setup:function(){if(p.nodeName(this,"form"))return!1;p.event.add(this,"click._submit keypress._submit",function(a){var c=a.target,d=p.nodeName(c,"input")||p.nodeName(c,"button")?c.form:b;d&&!p._data(d,"_submit_attached")&&(p.event.add(d,"submit._submit",function(a){a._submit_bubble=!0}),p._data(d,"_submit_attached",!0))})},postDispatch:function(a){a._submit_bubble&&(delete a._submit_bubble,this.parentNode&&!a.isTrigger&&p.event.simulate("submit",this.parentNode,a,!0))},teardown:function(){if(p.nodeName(this,"form"))return!1;p.event.remove(this,"._submit")}}),p.support.changeBubbles||(p.event.special.change={setup:function(){if(V.test(this.nodeName)){if(this.type==="checkbox"||this.type==="radio")p.event.add(this,"propertychange._change",function(a){a.originalEvent.propertyName==="checked"&&(this._just_changed=!0)}),p.event.add(this,"click._change",function(a){this._just_changed&&!a.isTrigger&&(this._just_changed=!1),p.event.simulate("change",this,a,!0)});return!1}p.event.add(this,"beforeactivate._change",function(a){var b=a.target;V.test(b.nodeName)&&!p._data(b,"_change_attached")&&(p.event.add(b,"change._change",function(a){this.parentNode&&!a.isSimulated&&!a.isTrigger&&p.event.simulate("change",this.parentNode,a,!0)}),p._data(b,"_change_attached",!0))})},handle:function(a){var b=a.target;if(this!==b||a.isSimulated||a.isTrigger||b.type!=="radio"&&b.type!=="checkbox")return a.handleObj.handler.apply(this,arguments)},teardown:function(){return p.event.remove(this,"._change"),!V.test(this.nodeName)}}),p.support.focusinBubbles||p.each({focus:"focusin",blur:"focusout"},function(a,b){var c=0,d=function(a){p.event.simulate(b,a.target,p.event.fix(a),!0)};p.event.special[b]={setup:function(){c++===0&&e.addEventListener(a,d,!0)},teardown:function(){--c===0&&e.removeEventListener(a,d,!0)}}}),p.fn.extend({on:function(a,c,d,e,f){var g,h;if(typeof a=="object"){typeof c!="string"&&(d=d||c,c=b);for(h in a)this.on(h,c,d,a[h],f);return this}d==null&&e==null?(e=c,d=c=b):e==null&&(typeof c=="string"?(e=d,d=b):(e=d,d=c,c=b));if(e===!1)e=ba;else if(!e)return this;return f===1&&(g=e,e=function(a){return p().off(a),g.apply(this,arguments)},e.guid=g.guid||(g.guid=p.guid++)),this.each(function(){p.event.add(this,a,e,d,c)})},one:function(a,b,c,d){return this.on(a,b,c,d,1)},off:function(a,c,d){var e,f;if(a&&a.preventDefault&&a.handleObj)return e=a.handleObj,p(a.delegateTarget).off(e.namespace?e.origType+"."+e.namespace:e.origType,e.selector,e.handler),this;if(typeof a=="object"){for(f in a)this.off(f,c,a[f]);return this}if(c===!1||typeof c=="function")d=c,c=b;return d===!1&&(d=ba),this.each(function(){p.event.remove(this,a,d,c)})},bind:function(a,b,c){return this.on(a,null,b,c)},unbind:function(a,b){return this.off(a,null,b)},live:function(a,b,c){return p(this.context).on(a,this.selector,b,c),this},die:function(a,b){return p(this.context).off(a,this.selector||"**",b),this},delegate:function(a,b,c,d){return this.on(b,a,c,d)},undelegate:function(a,b,c){return arguments.length==1?this.off(a,"**"):this.off(b,a||"**",c)},trigger:function(a,b){return this.each(function(){p.event.trigger(a,b,this)})},triggerHandler:function(a,b){if(this[0])return p.event.trigger(a,b,this[0],!0)},toggle:function(a){var b=arguments,c=a.guid||p.guid++,d=0,e=function(c){var e=(p._data(this,"lastToggle"+a.guid)||0)%d;return p._data(this,"lastToggle"+a.guid,e+1),c.preventDefault(),b[e].apply(this,arguments)||!1};e.guid=c;while(d<b.length)b[d++].guid=c;return this.click(e)},hover:function(a,b){return this.mouseenter(a).mouseleave(b||a)}}),p.each("blur focus focusin focusout load resize scroll unload click dblclick mousedown mouseup mousemove mouseover mouseout mouseenter mouseleave change select submit keydown keypress keyup error contextmenu".split(" "),function(a,b){p.fn[b]=function(a,c){return c==null&&(c=a,a=null),arguments.length>0?this.on(b,null,a,c):this.trigger(b)},Y.test(b)&&(p.event.fixHooks[b]=p.event.keyHooks),Z.test(b)&&(p.event.fixHooks[b]=p.event.mouseHooks)}),function(a,b){function $(a,b,c,d){c=c||[],b=b||q;var e,f,g,j,k=b.nodeType;if(k!==1&&k!==9)return[];if(!a||typeof a!="string")return c;g=h(b);if(!g&&!d)if(e=L.exec(a))if(j=e[1]){if(k===9){f=b.getElementById(j);if(!f||!f.parentNode)return c;if(f.id===j)return c.push(f),c}else if(b.ownerDocument&&(f=b.ownerDocument.getElementById(j))&&i(b,f)&&f.id===j)return c.push(f),c}else{if(e[2])return u.apply(c,t.call(b.getElementsByTagName(a),0)),c;if((j=e[3])&&X&&b.getElementsByClassName)return u.apply(c,t.call(b.getElementsByClassName(j),0)),c}return bk(a,b,c,d,g)}function _(a){return function(b){var c=b.nodeName.toLowerCase();return c==="input"&&b.type===a}}function ba(a){return function(b){var c=b.nodeName.toLowerCase();return(c==="input"||c==="button")&&b.type===a}}function bb(a,b,c){if(a===b)return c;var d=a.nextSibling;while(d){if(d===b)return-1;d=d.nextSibling}return 1}function bc(a,b,c,d){var e,g,h,i,j,k,l,m,n,p,r=!c&&b!==q,s=(r?"<s>":"")+a.replace(H,"$1<s>"),u=y[o][s];if(u)return d?0:t.call(u,0);j=a,k=[],m=0,n=f.preFilter,p=f.filter;while(j){if(!e||(g=I.exec(j)))g&&(j=j.slice(g[0].length),h.selector=l),k.push(h=[]),l="",r&&(j=" "+j);e=!1;if(g=J.exec(j))l+=g[0],j=j.slice(g[0].length),e=h.push({part:g.pop().replace(H," "),string:g[0],captures:g});for(i in p)(g=S[i].exec(j))&&(!n[i]||(g=n[i](g,b,c)))&&(l+=g[0],j=j.slice(g[0].length),e=h.push({part:i,string:g.shift(),captures:g}));if(!e)break}return l&&(h.selector=l),d?j.length:j?$.error(a):t.call(y(s,k),0)}function bd(a,b,e,f){var g=b.dir,h=s++;return a||(a=function(a){return a===e}),b.first?function(b){while(b=b[g])if(b.nodeType===1)return a(b)&&b}:f?function(b){while(b=b[g])if(b.nodeType===1&&a(b))return b}:function(b){var e,f=h+"."+c,i=f+"."+d;while(b=b[g])if(b.nodeType===1){if((e=b[o])===i)return b.sizset;if(typeof e=="string"&&e.indexOf(f)===0){if(b.sizset)return b}else{b[o]=i;if(a(b))return b.sizset=!0,b;b.sizset=!1}}}}function be(a,b){return a?function(c){var d=b(c);return d&&a(d===!0?c:d)}:b}function bf(a,b,c){var d,e,g=0;for(;d=a[g];g++)f.relative[d.part]?e=bd(e,f.relative[d.part],b,c):e=be(e,f.filter[d.part].apply(null,d.captures.concat(b,c)));return e}function bg(a){return function(b){var c,d=0;for(;c=a[d];d++)if(c(b))return!0;return!1}}function bh(a,b,c,d){var e=0,f=b.length;for(;e<f;e++)$(a,b[e],c,d)}function bi(a,b,c,d,e,g){var h,i=f.setFilters[b.toLowerCase()];return i||$.error(b),(a||!(h=e))&&bh(a||"*",d,h=[],e),h.length>0?i(h,c,g):[]}function bj(a,c,d,e){var f,g,h,i,j,k,l,m,n,o,p,q,r,s=0,t=a.length,v=S.POS,w=new RegExp("^"+v.source+"(?!"+A+")","i"),x=function(){var a=1,c=arguments.length-2;for(;a<c;a++)arguments[a]===b&&(n[a]=b)};for(;s<t;s++){f=a[s],g="",m=e;for(h=0,i=f.length;h<i;h++){j=f[h],k=j.string;if(j.part==="PSEUDO"){v.exec(""),l=0;while(n=v.exec(k)){o=!0,p=v.lastIndex=n.index+n[0].length;if(p>l){g+=k.slice(l,n.index),l=p,q=[c],J.test(g)&&(m&&(q=m),m=e);if(r=O.test(g))g=g.slice(0,-5).replace(J,"$&*"),l++;n.length>1&&n[0].replace(w,x),m=bi(g,n[1],n[2],q,m,r)}g=""}}o||(g+=k),o=!1}g?J.test(g)?bh(g,m||[c],d,e):$(g,c,d,e?e.concat(m):m):u.apply(d,m)}return t===1?d:$.uniqueSort(d)}function bk(a,b,e,g,h){a=a.replace(H,"$1");var i,k,l,m,n,o,p,q,r,s,v=bc(a,b,h),w=b.nodeType;if(S.POS.test(a))return bj(v,b,e,g);if(g)i=t.call(g,0);else if(v.length===1){if((o=t.call(v[0],0)).length>2&&(p=o[0]).part==="ID"&&w===9&&!h&&f.relative[o[1].part]){b=f.find.ID(p.captures[0].replace(R,""),b,h)[0];if(!b)return e;a=a.slice(o.shift().string.length)}r=(v=N.exec(o[0].string))&&!v.index&&b.parentNode||b,q="";for(n=o.length-1;n>=0;n--){p=o[n],s=p.part,q=p.string+q;if(f.relative[s])break;if(f.order.test(s)){i=f.find[s](p.captures[0].replace(R,""),r,h);if(i==null)continue;a=a.slice(0,a.length-q.length)+q.replace(S[s],""),a||u.apply(e,t.call(i,0));break}}}if(a){k=j(a,b,h),c=k.dirruns++,i==null&&(i=f.find.TAG("*",N.test(a)&&b.parentNode||b));for(n=0;m=i[n];n++)d=k.runs++,k(m)&&e.push(m)}return e}var c,d,e,f,g,h,i,j,k,l,m=!0,n="undefined",o=("sizcache"+Math.random()).replace(".",""),q=a.document,r=q.documentElement,s=0,t=[].slice,u=[].push,v=function(a,b){return a[o]=b||!0,a},w=function(){var a={},b=[];return v(function(c,d){return b.push(c)>f.cacheLength&&delete a[b.shift()],a[c]=d},a)},x=w(),y=w(),z=w(),A="[\\x20\\t\\r\\n\\f]",B="(?:\\\\.|[-\\w]|[^\\x00-\\xa0])+",C=B.replace("w","w#"),D="([*^$|!~]?=)",E="\\["+A+"*("+B+")"+A+"*(?:"+D+A+"*(?:(['\"])((?:\\\\.|[^\\\\])*?)\\3|("+C+")|)|)"+A+"*\\]",F=":("+B+")(?:\\((?:(['\"])((?:\\\\.|[^\\\\])*?)\\2|([^()[\\]]*|(?:(?:"+E+")|[^:]|\\\\.)*|.*))\\)|)",G=":(nth|eq|gt|lt|first|last|even|odd)(?:\\(((?:-\\d)?\\d*)\\)|)(?=[^-]|$)",H=new RegExp("^"+A+"+|((?:^|[^\\\\])(?:\\\\.)*)"+A+"+$","g"),I=new RegExp("^"+A+"*,"+A+"*"),J=new RegExp("^"+A+"*([\\x20\\t\\r\\n\\f>+~])"+A+"*"),K=new RegExp(F),L=/^(?:#([\w\-]+)|(\w+)|\.([\w\-]+))$/,M=/^:not/,N=/[\x20\t\r\n\f]*[+~]/,O=/:not\($/,P=/h\d/i,Q=/input|select|textarea|button/i,R=/\\(?!\\)/g,S={ID:new RegExp("^#("+B+")"),CLASS:new RegExp("^\\.("+B+")"),NAME:new RegExp("^\\[name=['\"]?("+B+")['\"]?\\]"),TAG:new RegExp("^("+B.replace("w","w*")+")"),ATTR:new RegExp("^"+E),PSEUDO:new RegExp("^"+F),CHILD:new RegExp("^:(only|nth|last|first)-child(?:\\("+A+"*(even|odd|(([+-]|)(\\d*)n|)"+A+"*(?:([+-]|)"+A+"*(\\d+)|))"+A+"*\\)|)","i"),POS:new RegExp(G,"ig"),needsContext:new RegExp("^"+A+"*[>+~]|"+G,"i")},T=function(a){var b=q.createElement("div");try{return a(b)}catch(c){return!1}finally{b=null}},U=T(function(a){return a.appendChild(q.createComment("")),!a.getElementsByTagName("*").length}),V=T(function(a){return a.innerHTML="<a href='#'></a>",a.firstChild&&typeof a.firstChild.getAttribute!==n&&a.firstChild.getAttribute("href")==="#"}),W=T(function(a){a.innerHTML="<select></select>";var b=typeof a.lastChild.getAttribute("multiple");return b!=="boolean"&&b!=="string"}),X=T(function(a){return a.innerHTML="<div class='hidden e'></div><div class='hidden'></div>",!a.getElementsByClassName||!a.getElementsByClassName("e").length?!1:(a.lastChild.className="e",a.getElementsByClassName("e").length===2)}),Y=T(function(a){a.id=o+0,a.innerHTML="<a name='"+o+"'></a><div name='"+o+"'></div>",r.insertBefore(a,r.firstChild);var b=q.getElementsByName&&q.getElementsByName(o).length===2+q.getElementsByName(o+0).length;return e=!q.getElementById(o),r.removeChild(a),b});try{t.call(r.childNodes,0)[0].nodeType}catch(Z){t=function(a){var b,c=[];for(;b=this[a];a++)c.push(b);return c}}$.matches=function(a,b){return $(a,null,null,b)},$.matchesSelector=function(a,b){return $(b,null,null,[a]).length>0},g=$.getText=function(a){var b,c="",d=0,e=a.nodeType;if(e){if(e===1||e===9||e===11){if(typeof a.textContent=="string")return a.textContent;for(a=a.firstChild;a;a=a.nextSibling)c+=g(a)}else if(e===3||e===4)return a.nodeValue}else for(;b=a[d];d++)c+=g(b);return c},h=$.isXML=function(a){var b=a&&(a.ownerDocument||a).documentElement;return b?b.nodeName!=="HTML":!1},i=$.contains=r.contains?function(a,b){var c=a.nodeType===9?a.documentElement:a,d=b&&b.parentNode;return a===d||!!(d&&d.nodeType===1&&c.contains&&c.contains(d))}:r.compareDocumentPosition?function(a,b){return b&&!!(a.compareDocumentPosition(b)&16)}:function(a,b){while(b=b.parentNode)if(b===a)return!0;return!1},$.attr=function(a,b){var c,d=h(a);return d||(b=b.toLowerCase()),f.attrHandle[b]?f.attrHandle[b](a):W||d?a.getAttribute(b):(c=a.getAttributeNode(b),c?typeof a[b]=="boolean"?a[b]?b:null:c.specified?c.value:null:null)},f=$.selectors={cacheLength:50,createPseudo:v,match:S,order:new RegExp("ID|TAG"+(Y?"|NAME":"")+(X?"|CLASS":"")),attrHandle:V?{}:{href:function(a){return a.getAttribute("href",2)},type:function(a){return a.getAttribute("type")}},find:{ID:e?function(a,b,c){if(typeof b.getElementById!==n&&!c){var d=b.getElementById(a);return d&&d.parentNode?[d]:[]}}:function(a,c,d){if(typeof c.getElementById!==n&&!d){var e=c.getElementById(a);return e?e.id===a||typeof e.getAttributeNode!==n&&e.getAttributeNode("id").value===a?[e]:b:[]}},TAG:U?function(a,b){if(typeof b.getElementsByTagName!==n)return b.getElementsByTagName(a)}:function(a,b){var c=b.getElementsByTagName(a);if(a==="*"){var d,e=[],f=0;for(;d=c[f];f++)d.nodeType===1&&e.push(d);return e}return c},NAME:function(a,b){if(typeof b.getElementsByName!==n)return b.getElementsByName(name)},CLASS:function(a,b,c){if(typeof b.getElementsByClassName!==n&&!c)return b.getElementsByClassName(a)}},relative:{">":{dir:"parentNode",first:!0}," ":{dir:"parentNode"},"+":{dir:"previousSibling",first:!0},"~":{dir:"previousSibling"}},preFilter:{ATTR:function(a){return a[1]=a[1].replace(R,""),a[3]=(a[4]||a[5]||"").replace(R,""),a[2]==="~="&&(a[3]=" "+a[3]+" "),a.slice(0,4)},CHILD:function(a){return a[1]=a[1].toLowerCase(),a[1]==="nth"?(a[2]||$.error(a[0]),a[3]=+(a[3]?a[4]+(a[5]||1):2*(a[2]==="even"||a[2]==="odd")),a[4]=+(a[6]+a[7]||a[2]==="odd")):a[2]&&$.error(a[0]),a},PSEUDO:function(a,b,c){var d,e;if(S.CHILD.test(a[0]))return null;if(a[3])a[2]=a[3];else if(d=a[4])K.test(d)&&(e=bc(d,b,c,!0))&&(e=d.indexOf(")",d.length-e)-d.length)&&(d=d.slice(0,e),a[0]=a[0].slice(0,e)),a[2]=d;return a.slice(0,3)}},filter:{ID:e?function(a){return a=a.replace(R,""),function(b){return b.getAttribute("id")===a}}:function(a){return a=a.replace(R,""),function(b){var c=typeof b.getAttributeNode!==n&&b.getAttributeNode("id");return c&&c.value===a}},TAG:function(a){return a==="*"?function(){return!0}:(a=a.replace(R,"").toLowerCase(),function(b){return b.nodeName&&b.nodeName.toLowerCase()===a})},CLASS:function(a){var b=x[o][a];return b||(b=x(a,new RegExp("(^|"+A+")"+a+"("+A+"|$)"))),function(a){return b.test(a.className||typeof a.getAttribute!==n&&a.getAttribute("class")||"")}},ATTR:function(a,b,c){return b?function(d){var e=$.attr(d,a),f=e+"";if(e==null)return b==="!=";switch(b){case"=":return f===c;case"!=":return f!==c;case"^=":return c&&f.indexOf(c)===0;case"*=":return c&&f.indexOf(c)>-1;case"$=":return c&&f.substr(f.length-c.length)===c;case"~=":return(" "+f+" ").indexOf(c)>-1;case"|=":return f===c||f.substr(0,c.length+1)===c+"-"}}:function(b){return $.attr(b,a)!=null}},CHILD:function(a,b,c,d){if(a==="nth"){var e=s++;return function(a){var b,f,g=0,h=a;if(c===1&&d===0)return!0;b=a.parentNode;if(b&&(b[o]!==e||!a.sizset)){for(h=b.firstChild;h;h=h.nextSibling)if(h.nodeType===1){h.sizset=++g;if(h===a)break}b[o]=e}return f=a.sizset-d,c===0?f===0:f%c===0&&f/c>=0}}return function(b){var c=b;switch(a){case"only":case"first":while(c=c.previousSibling)if(c.nodeType===1)return!1;if(a==="first")return!0;c=b;case"last":while(c=c.nextSibling)if(c.nodeType===1)return!1;return!0}}},PSEUDO:function(a,b,c,d){var e,g=f.pseudos[a]||f.pseudos[a.toLowerCase()];return g||$.error("unsupported pseudo: "+a),g[o]?g(b,c,d):g.length>1?(e=[a,a,"",b],function(a){return g(a,0,e)}):g}},pseudos:{not:v(function(a,b,c){var d=j(a.replace(H,"$1"),b,c);return function(a){return!d(a)}}),enabled:function(a){return a.disabled===!1},disabled:function(a){return a.disabled===!0},checked:function(a){var b=a.nodeName.toLowerCase();return b==="input"&&!!a.checked||b==="option"&&!!a.selected},selected:function(a){return a.parentNode&&a.parentNode.selectedIndex,a.selected===!0},parent:function(a){return!f.pseudos.empty(a)},empty:function(a){var b;a=a.firstChild;while(a){if(a.nodeName>"@"||(b=a.nodeType)===3||b===4)return!1;a=a.nextSibling}return!0},contains:v(function(a){return function(b){return(b.textContent||b.innerText||g(b)).indexOf(a)>-1}}),has:v(function(a){return function(b){return $(a,b).length>0}}),header:function(a){return P.test(a.nodeName)},text:function(a){var b,c;return a.nodeName.toLowerCase()==="input"&&(b=a.type)==="text"&&((c=a.getAttribute("type"))==null||c.toLowerCase()===b)},radio:_("radio"),checkbox:_("checkbox"),file:_("file"),password:_("password"),image:_("image"),submit:ba("submit"),reset:ba("reset"),button:function(a){var b=a.nodeName.toLowerCase();return b==="input"&&a.type==="button"||b==="button"},input:function(a){return Q.test(a.nodeName)},focus:function(a){var b=a.ownerDocument;return a===b.activeElement&&(!b.hasFocus||b.hasFocus())&&(!!a.type||!!a.href)},active:function(a){return a===a.ownerDocument.activeElement}},setFilters:{first:function(a,b,c){return c?a.slice(1):[a[0]]},last:function(a,b,c){var d=a.pop();return c?a:[d]},even:function(a,b,c){var d=[],e=c?1:0,f=a.length;for(;e<f;e=e+2)d.push(a[e]);return d},odd:function(a,b,c){var d=[],e=c?0:1,f=a.length;for(;e<f;e=e+2)d.push(a[e]);return d},lt:function(a,b,c){return c?a.slice(+b):a.slice(0,+b)},gt:function(a,b,c){return c?a.slice(0,+b+1):a.slice(+b+1)},eq:function(a,b,c){var d=a.splice(+b,1);return c?a:d}}},k=r.compareDocumentPosition?function(a,b){return a===b?(l=!0,0):(!a.compareDocumentPosition||!b.compareDocumentPosition?a.compareDocumentPosition:a.compareDocumentPosition(b)&4)?-1:1}:function(a,b){if(a===b)return l=!0,0;if(a.sourceIndex&&b.sourceIndex)return a.sourceIndex-b.sourceIndex;var c,d,e=[],f=[],g=a.parentNode,h=b.parentNode,i=g;if(g===h)return bb(a,b);if(!g)return-1;if(!h)return 1;while(i)e.unshift(i),i=i.parentNode;i=h;while(i)f.unshift(i),i=i.parentNode;c=e.length,d=f.length;for(var j=0;j<c&&j<d;j++)if(e[j]!==f[j])return bb(e[j],f[j]);return j===c?bb(a,f[j],-1):bb(e[j],b,1)},[0,0].sort(k),m=!l,$.uniqueSort=function(a){var b,c=1;l=m,a.sort(k);if(l)for(;b=a[c];c++)b===a[c-1]&&a.splice(c--,1);return a},$.error=function(a){throw new Error("Syntax error, unrecognized expression: "+a)},j=$.compile=function(a,b,c){var d,e,f,g=z[o][a];if(g&&g.context===b)return g;d=bc(a,b,c);for(e=0,f=d.length;e<f;e++)d[e]=bf(d[e],b,c);return g=z(a,bg(d)),g.context=b,g.runs=g.dirruns=0,g},q.querySelectorAll&&function(){var a,b=bk,c=/'|\\/g,d=/\=[\x20\t\r\n\f]*([^'"\]]*)[\x20\t\r\n\f]*\]/g,e=[],f=[":active"],g=r.matchesSelector||r.mozMatchesSelector||r.webkitMatchesSelector||r.oMatchesSelector||r.msMatchesSelector;T(function(a){a.innerHTML="<select><option selected=''></option></select>",a.querySelectorAll("[selected]").length||e.push("\\["+A+"*(?:checked|disabled|ismap|multiple|readonly|selected|value)"),a.querySelectorAll(":checked").length||e.push(":checked")}),T(function(a){a.innerHTML="<p test=''></p>",a.querySelectorAll("[test^='']").length&&e.push("[*^$]="+A+"*(?:\"\"|'')"),a.innerHTML="<input type='hidden'/>",a.querySelectorAll(":enabled").length||e.push(":enabled",":disabled")}),e=e.length&&new RegExp(e.join("|")),bk=function(a,d,f,g,h){if(!g&&!h&&(!e||!e.test(a)))if(d.nodeType===9)try{return u.apply(f,t.call(d.querySelectorAll(a),0)),f}catch(i){}else if(d.nodeType===1&&d.nodeName.toLowerCase()!=="object"){var j,k,l,m=d.getAttribute("id"),n=m||o,p=N.test(a)&&d.parentNode||d;m?n=n.replace(c,"\\$&"):d.setAttribute("id",n),j=bc(a,d,h),n="[id='"+n+"']";for(k=0,l=j.length;k<l;k++)j[k]=n+j[k].selector;try{return u.apply(f,t.call(p.querySelectorAll(j.join(",")),0)),f}catch(i){}finally{m||d.removeAttribute("id")}}return b(a,d,f,g,h)},g&&(T(function(b){a=g.call(b,"div");try{g.call(b,"[test!='']:sizzle"),f.push(S.PSEUDO.source,S.POS.source,"!=")}catch(c){}}),f=new RegExp(f.join("|")),$.matchesSelector=function(b,c){c=c.replace(d,"='$1']");if(!h(b)&&!f.test(c)&&(!e||!e.test(c)))try{var i=g.call(b,c);if(i||a||b.document&&b.document.nodeType!==11)return i}catch(j){}return $(c,null,null,[b]).length>0})}(),f.setFilters.nth=f.setFilters.eq,f.filters=f.pseudos,$.attr=p.attr,p.find=$,p.expr=$.selectors,p.expr[":"]=p.expr.pseudos,p.unique=$.uniqueSort,p.text=$.getText,p.isXMLDoc=$.isXML,p.contains=$.contains}(a);var bc=/Until$/,bd=/^(?:parents|prev(?:Until|All))/,be=/^.[^:#\[\.,]*$/,bf=p.expr.match.needsContext,bg={children:!0,contents:!0,next:!0,prev:!0};p.fn.extend({find:function(a){var b,c,d,e,f,g,h=this;if(typeof a!="string")return p(a).filter(function(){for(b=0,c=h.length;b<c;b++)if(p.contains(h[b],this))return!0});g=this.pushStack("","find",a);for(b=0,c=this.length;b<c;b++){d=g.length,p.find(a,this[b],g);if(b>0)for(e=d;e<g.length;e++)for(f=0;f<d;f++)if(g[f]===g[e]){g.splice(e--,1);break}}return g},has:function(a){var b,c=p(a,this),d=c.length;return this.filter(function(){for(b=0;b<d;b++)if(p.contains(this,c[b]))return!0})},not:function(a){return this.pushStack(bj(this,a,!1),"not",a)},filter:function(a){return this.pushStack(bj(this,a,!0),"filter",a)},is:function(a){return!!a&&(typeof a=="string"?bf.test(a)?p(a,this.context).index(this[0])>=0:p.filter(a,this).length>0:this.filter(a).length>0)},closest:function(a,b){var c,d=0,e=this.length,f=[],g=bf.test(a)||typeof a!="string"?p(a,b||this.context):0;for(;d<e;d++){c=this[d];while(c&&c.ownerDocument&&c!==b&&c.nodeType!==11){if(g?g.index(c)>-1:p.find.matchesSelector(c,a)){f.push(c);break}c=c.parentNode}}return f=f.length>1?p.unique(f):f,this.pushStack(f,"closest",a)},index:function(a){return a?typeof a=="string"?p.inArray(this[0],p(a)):p.inArray(a.jquery?a[0]:a,this):this[0]&&this[0].parentNode?this.prevAll().length:-1},add:function(a,b){var c=typeof a=="string"?p(a,b):p.makeArray(a&&a.nodeType?[a]:a),d=p.merge(this.get(),c);return this.pushStack(bh(c[0])||bh(d[0])?d:p.unique(d))},addBack:function(a){return this.add(a==null?this.prevObject:this.prevObject.filter(a))}}),p.fn.andSelf=p.fn.addBack,p.each({parent:function(a){var b=a.parentNode;return b&&b.nodeType!==11?b:null},parents:function(a){return p.dir(a,"parentNode")},parentsUntil:function(a,b,c){return p.dir(a,"parentNode",c)},next:function(a){return bi(a,"nextSibling")},prev:function(a){return bi(a,"previousSibling")},nextAll:function(a){return p.dir(a,"nextSibling")},prevAll:function(a){return p.dir(a,"previousSibling")},nextUntil:function(a,b,c){return p.dir(a,"nextSibling",c)},prevUntil:function(a,b,c){return p.dir(a,"previousSibling",c)},siblings:function(a){return p.sibling((a.parentNode||{}).firstChild,a)},children:function(a){return p.sibling(a.firstChild)},contents:function(a){return p.nodeName(a,"iframe")?a.contentDocument||a.contentWindow.document:p.merge([],a.childNodes)}},function(a,b){p.fn[a]=function(c,d){var e=p.map(this,b,c);return bc.test(a)||(d=c),d&&typeof d=="string"&&(e=p.filter(d,e)),e=this.length>1&&!bg[a]?p.unique(e):e,this.length>1&&bd.test(a)&&(e=e.reverse()),this.pushStack(e,a,k.call(arguments).join(","))}}),p.extend({filter:function(a,b,c){return c&&(a=":not("+a+")"),b.length===1?p.find.matchesSelector(b[0],a)?[b[0]]:[]:p.find.matches(a,b)},dir:function(a,c,d){var e=[],f=a[c];while(f&&f.nodeType!==9&&(d===b||f.nodeType!==1||!p(f).is(d)))f.nodeType===1&&e.push(f),f=f[c];return e},sibling:function(a,b){var c=[];for(;a;a=a.nextSibling)a.nodeType===1&&a!==b&&c.push(a);return c}});var bl="abbr|article|aside|audio|bdi|canvas|data|datalist|details|figcaption|figure|footer|header|hgroup|mark|meter|nav|output|progress|section|summary|time|video",bm=/ jQuery\d+="(?:null|\d+)"/g,bn=/^\s+/,bo=/<(?!area|br|col|embed|hr|img|input|link|meta|param)(([\w:]+)[^>]*)\/>/gi,bp=/<([\w:]+)/,bq=/<tbody/i,br=/<|&#?\w+;/,bs=/<(?:script|style|link)/i,bt=/<(?:script|object|embed|option|style)/i,bu=new RegExp("<(?:"+bl+")[\\s/>]","i"),bv=/^(?:checkbox|radio)$/,bw=/checked\s*(?:[^=]|=\s*.checked.)/i,bx=/\/(java|ecma)script/i,by=/^\s*<!(?:\[CDATA\[|\-\-)|[\]\-]{2}>\s*$/g,bz={option:[1,"<select multiple='multiple'>","</select>"],legend:[1,"<fieldset>","</fieldset>"],thead:[1,"<table>","</table>"],tr:[2,"<table><tbody>","</tbody></table>"],td:[3,"<table><tbody><tr>","</tr></tbody></table>"],col:[2,"<table><tbody></tbody><colgroup>","</colgroup></table>"],area:[1,"<map>","</map>"],_default:[0,"",""]},bA=bk(e),bB=bA.appendChild(e.createElement("div"));bz.optgroup=bz.option,bz.tbody=bz.tfoot=bz.colgroup=bz.caption=bz.thead,bz.th=bz.td,p.support.htmlSerialize||(bz._default=[1,"X<div>","</div>"]),p.fn.extend({text:function(a){return p.access(this,function(a){return a===b?p.text(this):this.empty().append((this[0]&&this[0].ownerDocument||e).createTextNode(a))},null,a,arguments.length)},wrapAll:function(a){if(p.isFunction(a))return this.each(function(b){p(this).wrapAll(a.call(this,b))});if(this[0]){var b=p(a,this[0].ownerDocument).eq(0).clone(!0);this[0].parentNode&&b.insertBefore(this[0]),b.map(function(){var a=this;while(a.firstChild&&a.firstChild.nodeType===1)a=a.firstChild;return a}).append(this)}return this},wrapInner:function(a){return p.isFunction(a)?this.each(function(b){p(this).wrapInner(a.call(this,b))}):this.each(function(){var b=p(this),c=b.contents();c.length?c.wrapAll(a):b.append(a)})},wrap:function(a){var b=p.isFunction(a);return this.each(function(c){p(this).wrapAll(b?a.call(this,c):a)})},unwrap:function(){return this.parent().each(function(){p.nodeName(this,"body")||p(this).replaceWith(this.childNodes)}).end()},append:function(){return this.domManip(arguments,!0,function(a){(this.nodeType===1||this.nodeType===11)&&this.appendChild(a)})},prepend:function(){return this.domManip(arguments,!0,function(a){(this.nodeType===1||this.nodeType===11)&&this.insertBefore(a,this.firstChild)})},before:function(){if(!bh(this[0]))return this.domManip(arguments,!1,function(a){this.parentNode.insertBefore(a,this)});if(arguments.length){var a=p.clean(arguments);return this.pushStack(p.merge(a,this),"before",this.selector)}},after:function(){if(!bh(this[0]))return this.domManip(arguments,!1,function(a){this.parentNode.insertBefore(a,this.nextSibling)});if(arguments.length){var a=p.clean(arguments);return this.pushStack(p.merge(this,a),"after",this.selector)}},remove:function(a,b){var c,d=0;for(;(c=this[d])!=null;d++)if(!a||p.filter(a,[c]).length)!b&&c.nodeType===1&&(p.cleanData(c.getElementsByTagName("*")),p.cleanData([c])),c.parentNode&&c.parentNode.removeChild(c);return this},empty:function(){var a,b=0;for(;(a=this[b])!=null;b++){a.nodeType===1&&p.cleanData(a.getElementsByTagName("*"));while(a.firstChild)a.removeChild(a.firstChild)}return this},clone:function(a,b){return a=a==null?!1:a,b=b==null?a:b,this.map(function(){return p.clone(this,a,b)})},html:function(a){return p.access(this,function(a){var c=this[0]||{},d=0,e=this.length;if(a===b)return c.nodeType===1?c.innerHTML.replace(bm,""):b;if(typeof a=="string"&&!bs.test(a)&&(p.support.htmlSerialize||!bu.test(a))&&(p.support.leadingWhitespace||!bn.test(a))&&!bz[(bp.exec(a)||["",""])[1].toLowerCase()]){a=a.replace(bo,"<$1></$2>");try{for(;d<e;d++)c=this[d]||{},c.nodeType===1&&(p.cleanData(c.getElementsByTagName("*")),c.innerHTML=a);c=0}catch(f){}}c&&this.empty().append(a)},null,a,arguments.length)},replaceWith:function(a){return bh(this[0])?this.length?this.pushStack(p(p.isFunction(a)?a():a),"replaceWith",a):this:p.isFunction(a)?this.each(function(b){var c=p(this),d=c.html();c.replaceWith(a.call(this,b,d))}):(typeof a!="string"&&(a=p(a).detach()),this.each(function(){var b=this.nextSibling,c=this.parentNode;p(this).remove(),b?p(b).before(a):p(c).append(a)}))},detach:function(a){return this.remove(a,!0)},domManip:function(a,c,d){a=[].concat.apply([],a);var e,f,g,h,i=0,j=a[0],k=[],l=this.length;if(!p.support.checkClone&&l>1&&typeof j=="string"&&bw.test(j))return this.each(function(){p(this).domManip(a,c,d)});if(p.isFunction(j))return this.each(function(e){var f=p(this);a[0]=j.call(this,e,c?f.html():b),f.domManip(a,c,d)});if(this[0]){e=p.buildFragment(a,this,k),g=e.fragment,f=g.firstChild,g.childNodes.length===1&&(g=f);if(f){c=c&&p.nodeName(f,"tr");for(h=e.cacheable||l-1;i<l;i++)d.call(c&&p.nodeName(this[i],"table")?bC(this[i],"tbody"):this[i],i===h?g:p.clone(g,!0,!0))}g=f=null,k.length&&p.each(k,function(a,b){b.src?p.ajax?p.ajax({url:b.src,type:"GET",dataType:"script",async:!1,global:!1,"throws":!0}):p.error("no ajax"):p.globalEval((b.text||b.textContent||b.innerHTML||"").replace(by,"")),b.parentNode&&b.parentNode.removeChild(b)})}return this}}),p.buildFragment=function(a,c,d){var f,g,h,i=a[0];return c=c||e,c=!c.nodeType&&c[0]||c,c=c.ownerDocument||c,a.length===1&&typeof i=="string"&&i.length<512&&c===e&&i.charAt(0)==="<"&&!bt.test(i)&&(p.support.checkClone||!bw.test(i))&&(p.support.html5Clone||!bu.test(i))&&(g=!0,f=p.fragments[i],h=f!==b),f||(f=c.createDocumentFragment(),p.clean(a,c,f,d),g&&(p.fragments[i]=h&&f)),{fragment:f,cacheable:g}},p.fragments={},p.each({appendTo:"append",prependTo:"prepend",insertBefore:"before",insertAfter:"after",replaceAll:"replaceWith"},function(a,b){p.fn[a]=function(c){var d,e=0,f=[],g=p(c),h=g.length,i=this.length===1&&this[0].parentNode;if((i==null||i&&i.nodeType===11&&i.childNodes.length===1)&&h===1)return g[b](this[0]),this;for(;e<h;e++)d=(e>0?this.clone(!0):this).get(),p(g[e])[b](d),f=f.concat(d);return this.pushStack(f,a,g.selector)}}),p.extend({clone:function(a,b,c){var d,e,f,g;p.support.html5Clone||p.isXMLDoc(a)||!bu.test("<"+a.nodeName+">")?g=a.cloneNode(!0):(bB.innerHTML=a.outerHTML,bB.removeChild(g=bB.firstChild));if((!p.support.noCloneEvent||!p.support.noCloneChecked)&&(a.nodeType===1||a.nodeType===11)&&!p.isXMLDoc(a)){bE(a,g),d=bF(a),e=bF(g);for(f=0;d[f];++f)e[f]&&bE(d[f],e[f])}if(b){bD(a,g);if(c){d=bF(a),e=bF(g);for(f=0;d[f];++f)bD(d[f],e[f])}}return d=e=null,g},clean:function(a,b,c,d){var f,g,h,i,j,k,l,m,n,o,q,r,s=b===e&&bA,t=[];if(!b||typeof b.createDocumentFragment=="undefined")b=e;for(f=0;(h=a[f])!=null;f++){typeof h=="number"&&(h+="");if(!h)continue;if(typeof h=="string")if(!br.test(h))h=b.createTextNode(h);else{s=s||bk(b),l=b.createElement("div"),s.appendChild(l),h=h.replace(bo,"<$1></$2>"),i=(bp.exec(h)||["",""])[1].toLowerCase(),j=bz[i]||bz._default,k=j[0],l.innerHTML=j[1]+h+j[2];while(k--)l=l.lastChild;if(!p.support.tbody){m=bq.test(h),n=i==="table"&&!m?l.firstChild&&l.firstChild.childNodes:j[1]==="<table>"&&!m?l.childNodes:[];for(g=n.length-1;g>=0;--g)p.nodeName(n[g],"tbody")&&!n[g].childNodes.length&&n[g].parentNode.removeChild(n[g])}!p.support.leadingWhitespace&&bn.test(h)&&l.insertBefore(b.createTextNode(bn.exec(h)[0]),l.firstChild),h=l.childNodes,l.parentNode.removeChild(l)}h.nodeType?t.push(h):p.merge(t,h)}l&&(h=l=s=null);if(!p.support.appendChecked)for(f=0;(h=t[f])!=null;f++)p.nodeName(h,"input")?bG(h):typeof h.getElementsByTagName!="undefined"&&p.grep(h.getElementsByTagName("input"),bG);if(c){q=function(a){if(!a.type||bx.test(a.type))return d?d.push(a.parentNode?a.parentNode.removeChild(a):a):c.appendChild(a)};for(f=0;(h=t[f])!=null;f++)if(!p.nodeName(h,"script")||!q(h))c.appendChild(h),typeof h.getElementsByTagName!="undefined"&&(r=p.grep(p.merge([],h.getElementsByTagName("script")),q),t.splice.apply(t,[f+1,0].concat(r)),f+=r.length)}return t},cleanData:function(a,b){var c,d,e,f,g=0,h=p.expando,i=p.cache,j=p.support.deleteExpando,k=p.event.special;for(;(e=a[g])!=null;g++)if(b||p.acceptData(e)){d=e[h],c=d&&i[d];if(c){if(c.events)for(f in c.events)k[f]?p.event.remove(e,f):p.removeEvent(e,f,c.handle);i[d]&&(delete i[d],j?delete e[h]:e.removeAttribute?e.removeAttribute(h):e[h]=null,p.deletedIds.push(d))}}}}),function(){var a,b;p.uaMatch=function(a){a=a.toLowerCase();var b=/(chrome)[ \/]([\w.]+)/.exec(a)||/(webkit)[ \/]([\w.]+)/.exec(a)||/(opera)(?:.*version|)[ \/]([\w.]+)/.exec(a)||/(msie) ([\w.]+)/.exec(a)||a.indexOf("compatible")<0&&/(mozilla)(?:.*? rv:([\w.]+)|)/.exec(a)||[];return{browser:b[1]||"",version:b[2]||"0"}},a=p.uaMatch(g.userAgent),b={},a.browser&&(b[a.browser]=!0,b.version=a.version),b.chrome?b.webkit=!0:b.webkit&&(b.safari=!0),p.browser=b,p.sub=function(){function a(b,c){return new a.fn.init(b,c)}p.extend(!0,a,this),a.superclass=this,a.fn=a.prototype=this(),a.fn.constructor=a,a.sub=this.sub,a.fn.init=function c(c,d){return d&&d instanceof p&&!(d instanceof a)&&(d=a(d)),p.fn.init.call(this,c,d,b)},a.fn.init.prototype=a.fn;var b=a(e);return a}}();var bH,bI,bJ,bK=/alpha\([^)]*\)/i,bL=/opacity=([^)]*)/,bM=/^(top|right|bottom|left)$/,bN=/^(none|table(?!-c[ea]).+)/,bO=/^margin/,bP=new RegExp("^("+q+")(.*)$","i"),bQ=new RegExp("^("+q+")(?!px)[a-z%]+$","i"),bR=new RegExp("^([-+])=("+q+")","i"),bS={},bT={position:"absolute",visibility:"hidden",display:"block"},bU={letterSpacing:0,fontWeight:400},bV=["Top","Right","Bottom","Left"],bW=["Webkit","O","Moz","ms"],bX=p.fn.toggle;p.fn.extend({css:function(a,c){return p.access(this,function(a,c,d){return d!==b?p.style(a,c,d):p.css(a,c)},a,c,arguments.length>1)},show:function(){return b$(this,!0)},hide:function(){return b$(this)},toggle:function(a,b){var c=typeof a=="boolean";return p.isFunction(a)&&p.isFunction(b)?bX.apply(this,arguments):this.each(function(){(c?a:bZ(this))?p(this).show():p(this).hide()})}}),p.extend({cssHooks:{opacity:{get:function(a,b){if(b){var c=bH(a,"opacity");return c===""?"1":c}}}},cssNumber:{fillOpacity:!0,fontWeight:!0,lineHeight:!0,opacity:!0,orphans:!0,widows:!0,zIndex:!0,zoom:!0},cssProps:{"float":p.support.cssFloat?"cssFloat":"styleFloat"},style:function(a,c,d,e){if(!a||a.nodeType===3||a.nodeType===8||!a.style)return;var f,g,h,i=p.camelCase(c),j=a.style;c=p.cssProps[i]||(p.cssProps[i]=bY(j,i)),h=p.cssHooks[c]||p.cssHooks[i];if(d===b)return h&&"get"in h&&(f=h.get(a,!1,e))!==b?f:j[c];g=typeof d,g==="string"&&(f=bR.exec(d))&&(d=(f[1]+1)*f[2]+parseFloat(p.css(a,c)),g="number");if(d==null||g==="number"&&isNaN(d))return;g==="number"&&!p.cssNumber[i]&&(d+="px");if(!h||!("set"in h)||(d=h.set(a,d,e))!==b)try{j[c]=d}catch(k){}},css:function(a,c,d,e){var f,g,h,i=p.camelCase(c);return c=p.cssProps[i]||(p.cssProps[i]=bY(a.style,i)),h=p.cssHooks[c]||p.cssHooks[i],h&&"get"in h&&(f=h.get(a,!0,e)),f===b&&(f=bH(a,c)),f==="normal"&&c in bU&&(f=bU[c]),d||e!==b?(g=parseFloat(f),d||p.isNumeric(g)?g||0:f):f},swap:function(a,b,c){var d,e,f={};for(e in b)f[e]=a.style[e],a.style[e]=b[e];d=c.call(a);for(e in b)a.style[e]=f[e];return d}}),a.getComputedStyle?bH=function(b,c){var d,e,f,g,h=a.getComputedStyle(b,null),i=b.style;return h&&(d=h[c],d===""&&!p.contains(b.ownerDocument,b)&&(d=p.style(b,c)),bQ.test(d)&&bO.test(c)&&(e=i.width,f=i.minWidth,g=i.maxWidth,i.minWidth=i.maxWidth=i.width=d,d=h.width,i.width=e,i.minWidth=f,i.maxWidth=g)),d}:e.documentElement.currentStyle&&(bH=function(a,b){var c,d,e=a.currentStyle&&a.currentStyle[b],f=a.style;return e==null&&f&&f[b]&&(e=f[b]),bQ.test(e)&&!bM.test(b)&&(c=f.left,d=a.runtimeStyle&&a.runtimeStyle.left,d&&(a.runtimeStyle.left=a.currentStyle.left),f.left=b==="fontSize"?"1em":e,e=f.pixelLeft+"px",f.left=c,d&&(a.runtimeStyle.left=d)),e===""?"auto":e}),p.each(["height","width"],function(a,b){p.cssHooks[b]={get:function(a,c,d){if(c)return a.offsetWidth===0&&bN.test(bH(a,"display"))?p.swap(a,bT,function(){return cb(a,b,d)}):cb(a,b,d)},set:function(a,c,d){return b_(a,c,d?ca(a,b,d,p.support.boxSizing&&p.css(a,"boxSizing")==="border-box"):0)}}}),p.support.opacity||(p.cssHooks.opacity={get:function(a,b){return bL.test((b&&a.currentStyle?a.currentStyle.filter:a.style.filter)||"")?.01*parseFloat(RegExp.$1)+"":b?"1":""},set:function(a,b){var c=a.style,d=a.currentStyle,e=p.isNumeric(b)?"alpha(opacity="+b*100+")":"",f=d&&d.filter||c.filter||"";c.zoom=1;if(b>=1&&p.trim(f.replace(bK,""))===""&&c.removeAttribute){c.removeAttribute("filter");if(d&&!d.filter)return}c.filter=bK.test(f)?f.replace(bK,e):f+" "+e}}),p(function(){p.support.reliableMarginRight||(p.cssHooks.marginRight={get:function(a,b){return p.swap(a,{display:"inline-block"},function(){if(b)return bH(a,"marginRight")})}}),!p.support.pixelPosition&&p.fn.position&&p.each(["top","left"],function(a,b){p.cssHooks[b]={get:function(a,c){if(c){var d=bH(a,b);return bQ.test(d)?p(a).position()[b]+"px":d}}}})}),p.expr&&p.expr.filters&&(p.expr.filters.hidden=function(a){return a.offsetWidth===0&&a.offsetHeight===0||!p.support.reliableHiddenOffsets&&(a.style&&a.style.display||bH(a,"display"))==="none"},p.expr.filters.visible=function(a){return!p.expr.filters.hidden(a)}),p.each({margin:"",padding:"",border:"Width"},function(a,b){p.cssHooks[a+b]={expand:function(c){var d,e=typeof c=="string"?c.split(" "):[c],f={};for(d=0;d<4;d++)f[a+bV[d]+b]=e[d]||e[d-2]||e[0];return f}},bO.test(a)||(p.cssHooks[a+b].set=b_)});var cd=/%20/g,ce=/\[\]$/,cf=/\r?\n/g,cg=/^(?:color|date|datetime|datetime-local|email|hidden|month|number|password|range|search|tel|text|time|url|week)$/i,ch=/^(?:select|textarea)/i;p.fn.extend({serialize:function(){return p.param(this.serializeArray())},serializeArray:function(){return this.map(function(){return this.elements?p.makeArray(this.elements):this}).filter(function(){return this.name&&!this.disabled&&(this.checked||ch.test(this.nodeName)||cg.test(this.type))}).map(function(a,b){var c=p(this).val();return c==null?null:p.isArray(c)?p.map(c,function(a,c){return{name:b.name,value:a.replace(cf,"\r\n")}}):{name:b.name,value:c.replace(cf,"\r\n")}}).get()}}),p.param=function(a,c){var d,e=[],f=function(a,b){b=p.isFunction(b)?b():b==null?"":b,e[e.length]=encodeURIComponent(a)+"="+encodeURIComponent(b)};c===b&&(c=p.ajaxSettings&&p.ajaxSettings.traditional);if(p.isArray(a)||a.jquery&&!p.isPlainObject(a))p.each(a,function(){f(this.name,this.value)});else for(d in a)ci(d,a[d],c,f);return e.join("&").replace(cd,"+")};var cj,ck,cl=/#.*$/,cm=/^(.*?):[ \t]*([^\r\n]*)\r?$/mg,cn=/^(?:about|app|app\-storage|.+\-extension|file|res|widget):$/,co=/^(?:GET|HEAD)$/,cp=/^\/\//,cq=/\?/,cr=/<script\b[^<]*(?:(?!<\/script>)<[^<]*)*<\/script>/gi,cs=/([?&])_=[^&]*/,ct=/^([\w\+\.\-]+:)(?:\/\/([^\/?#:]*)(?::(\d+)|)|)/,cu=p.fn.load,cv={},cw={},cx=["*/"]+["*"];try{cj=f.href}catch(cy){cj=e.createElement("a"),cj.href="",cj=cj.href}ck=ct.exec(cj.toLowerCase())||[],p.fn.load=function(a,c,d){if(typeof a!="string"&&cu)return cu.apply(this,arguments);if(!this.length)return this;var e,f,g,h=this,i=a.indexOf(" ");return i>=0&&(e=a.slice(i,a.length),a=a.slice(0,i)),p.isFunction(c)?(d=c,c=b):c&&typeof c=="object"&&(f="POST"),p.ajax({url:a,type:f,dataType:"html",data:c,complete:function(a,b){d&&h.each(d,g||[a.responseText,b,a])}}).done(function(a){g=arguments,h.html(e?p("<div>").append(a.replace(cr,"")).find(e):a)}),this},p.each("ajaxStart ajaxStop ajaxComplete ajaxError ajaxSuccess ajaxSend".split(" "),function(a,b){p.fn[b]=function(a){return this.on(b,a)}}),p.each(["get","post"],function(a,c){p[c]=function(a,d,e,f){return p.isFunction(d)&&(f=f||e,e=d,d=b),p.ajax({type:c,url:a,data:d,success:e,dataType:f})}}),p.extend({getScript:function(a,c){return p.get(a,b,c,"script")},getJSON:function(a,b,c){return p.get(a,b,c,"json")},ajaxSetup:function(a,b){return b?cB(a,p.ajaxSettings):(b=a,a=p.ajaxSettings),cB(a,b),a},ajaxSettings:{url:cj,isLocal:cn.test(ck[1]),global:!0,type:"GET",contentType:"application/x-www-form-urlencoded; charset=UTF-8",processData:!0,async:!0,accepts:{xml:"application/xml, text/xml",html:"text/html",text:"text/plain",json:"application/json, text/javascript","*":cx},contents:{xml:/xml/,html:/html/,json:/json/},responseFields:{xml:"responseXML",text:"responseText"},converters:{"* text":a.String,"text html":!0,"text json":p.parseJSON,"text xml":p.parseXML},flatOptions:{context:!0,url:!0}},ajaxPrefilter:cz(cv),ajaxTransport:cz(cw),ajax:function(a,c){function y(a,c,f,i){var k,s,t,u,w,y=c;if(v===2)return;v=2,h&&clearTimeout(h),g=b,e=i||"",x.readyState=a>0?4:0,f&&(u=cC(l,x,f));if(a>=200&&a<300||a===304)l.ifModified&&(w=x.getResponseHeader("Last-Modified"),w&&(p.lastModified[d]=w),w=x.getResponseHeader("Etag"),w&&(p.etag[d]=w)),a===304?(y="notmodified",k=!0):(k=cD(l,u),y=k.state,s=k.data,t=k.error,k=!t);else{t=y;if(!y||a)y="error",a<0&&(a=0)}x.status=a,x.statusText=""+(c||y),k?o.resolveWith(m,[s,y,x]):o.rejectWith(m,[x,y,t]),x.statusCode(r),r=b,j&&n.trigger("ajax"+(k?"Success":"Error"),[x,l,k?s:t]),q.fireWith(m,[x,y]),j&&(n.trigger("ajaxComplete",[x,l]),--p.active||p.event.trigger("ajaxStop"))}typeof a=="object"&&(c=a,a=b),c=c||{};var d,e,f,g,h,i,j,k,l=p.ajaxSetup({},c),m=l.context||l,n=m!==l&&(m.nodeType||m instanceof p)?p(m):p.event,o=p.Deferred(),q=p.Callbacks("once memory"),r=l.statusCode||{},t={},u={},v=0,w="canceled",x={readyState:0,setRequestHeader:function(a,b){if(!v){var c=a.toLowerCase();a=u[c]=u[c]||a,t[a]=b}return this},getAllResponseHeaders:function(){return v===2?e:null},getResponseHeader:function(a){var c;if(v===2){if(!f){f={};while(c=cm.exec(e))f[c[1].toLowerCase()]=c[2]}c=f[a.toLowerCase()]}return c===b?null:c},overrideMimeType:function(a){return v||(l.mimeType=a),this},abort:function(a){return a=a||w,g&&g.abort(a),y(0,a),this}};o.promise(x),x.success=x.done,x.error=x.fail,x.complete=q.add,x.statusCode=function(a){if(a){var b;if(v<2)for(b in a)r[b]=[r[b],a[b]];else b=a[x.status],x.always(b)}return this},l.url=((a||l.url)+"").replace(cl,"").replace(cp,ck[1]+"//"),l.dataTypes=p.trim(l.dataType||"*").toLowerCase().split(s),l.crossDomain==null&&(i=ct.exec(l.url.toLowerCase()),l.crossDomain=!(!i||i[1]==ck[1]&&i[2]==ck[2]&&(i[3]||(i[1]==="http:"?80:443))==(ck[3]||(ck[1]==="http:"?80:443)))),l.data&&l.processData&&typeof l.data!="string"&&(l.data=p.param(l.data,l.traditional)),cA(cv,l,c,x);if(v===2)return x;j=l.global,l.type=l.type.toUpperCase(),l.hasContent=!co.test(l.type),j&&p.active++===0&&p.event.trigger("ajaxStart");if(!l.hasContent){l.data&&(l.url+=(cq.test(l.url)?"&":"?")+l.data,delete l.data),d=l.url;if(l.cache===!1){var z=p.now(),A=l.url.replace(cs,"$1_="+z);l.url=A+(A===l.url?(cq.test(l.url)?"&":"?")+"_="+z:"")}}(l.data&&l.hasContent&&l.contentType!==!1||c.contentType)&&x.setRequestHeader("Content-Type",l.contentType),l.ifModified&&(d=d||l.url,p.lastModified[d]&&x.setRequestHeader("If-Modified-Since",p.lastModified[d]),p.etag[d]&&x.setRequestHeader("If-None-Match",p.etag[d])),x.setRequestHeader("Accept",l.dataTypes[0]&&l.accepts[l.dataTypes[0]]?l.accepts[l.dataTypes[0]]+(l.dataTypes[0]!=="*"?", "+cx+"; q=0.01":""):l.accepts["*"]);for(k in l.headers)x.setRequestHeader(k,l.headers[k]);if(!l.beforeSend||l.beforeSend.call(m,x,l)!==!1&&v!==2){w="abort";for(k in{success:1,error:1,complete:1})x[k](l[k]);g=cA(cw,l,c,x);if(!g)y(-1,"No Transport");else{x.readyState=1,j&&n.trigger("ajaxSend",[x,l]),l.async&&l.timeout>0&&(h=setTimeout(function(){x.abort("timeout")},l.timeout));try{v=1,g.send(t,y)}catch(B){if(v<2)y(-1,B);else throw B}}return x}return x.abort()},active:0,lastModified:{},etag:{}});var cE=[],cF=/\?/,cG=/(=)\?(?=&|$)|\?\?/,cH=p.now();p.ajaxSetup({jsonp:"callback",jsonpCallback:function(){var a=cE.pop()||p.expando+"_"+cH++;return this[a]=!0,a}}),p.ajaxPrefilter("json jsonp",function(c,d,e){var f,g,h,i=c.data,j=c.url,k=c.jsonp!==!1,l=k&&cG.test(j),m=k&&!l&&typeof i=="string"&&!(c.contentType||"").indexOf("application/x-www-form-urlencoded")&&cG.test(i);if(c.dataTypes[0]==="jsonp"||l||m)return f=c.jsonpCallback=p.isFunction(c.jsonpCallback)?c.jsonpCallback():c.jsonpCallback,g=a[f],l?c.url=j.replace(cG,"$1"+f):m?c.data=i.replace(cG,"$1"+f):k&&(c.url+=(cF.test(j)?"&":"?")+c.jsonp+"="+f),c.converters["script json"]=function(){return h||p.error(f+" was not called"),h[0]},c.dataTypes[0]="json",a[f]=function(){h=arguments},e.always(function(){a[f]=g,c[f]&&(c.jsonpCallback=d.jsonpCallback,cE.push(f)),h&&p.isFunction(g)&&g(h[0]),h=g=b}),"script"}),p.ajaxSetup({accepts:{script:"text/javascript, application/javascript, application/ecmascript, application/x-ecmascript"},contents:{script:/javascript|ecmascript/},converters:{"text script":function(a){return p.globalEval(a),a}}}),p.ajaxPrefilter("script",function(a){a.cache===b&&(a.cache=!1),a.crossDomain&&(a.type="GET",a.global=!1)}),p.ajaxTransport("script",function(a){if(a.crossDomain){var c,d=e.head||e.getElementsByTagName("head")[0]||e.documentElement;return{send:function(f,g){c=e.createElement("script"),c.async="async",a.scriptCharset&&(c.charset=a.scriptCharset),c.src=a.url,c.onload=c.onreadystatechange=function(a,e){if(e||!c.readyState||/loaded|complete/.test(c.readyState))c.onload=c.onreadystatechange=null,d&&c.parentNode&&d.removeChild(c),c=b,e||g(200,"success")},d.insertBefore(c,d.firstChild)},abort:function(){c&&c.onload(0,1)}}}});var cI,cJ=a.ActiveXObject?function(){for(var a in cI)cI[a](0,1)}:!1,cK=0;p.ajaxSettings.xhr=a.ActiveXObject?function(){return!this.isLocal&&cL()||cM()}:cL,function(a){p.extend(p.support,{ajax:!!a,cors:!!a&&"withCredentials"in a})}(p.ajaxSettings.xhr()),p.support.ajax&&p.ajaxTransport(function(c){if(!c.crossDomain||p.support.cors){var d;return{send:function(e,f){var g,h,i=c.xhr();c.username?i.open(c.type,c.url,c.async,c.username,c.password):i.open(c.type,c.url,c.async);if(c.xhrFields)for(h in c.xhrFields)i[h]=c.xhrFields[h];c.mimeType&&i.overrideMimeType&&i.overrideMimeType(c.mimeType),!c.crossDomain&&!e["X-Requested-With"]&&(e["X-Requested-With"]="XMLHttpRequest");try{for(h in e)i.setRequestHeader(h,e[h])}catch(j){}i.send(c.hasContent&&c.data||null),d=function(a,e){var h,j,k,l,m;try{if(d&&(e||i.readyState===4)){d=b,g&&(i.onreadystatechange=p.noop,cJ&&delete cI[g]);if(e)i.readyState!==4&&i.abort();else{h=i.status,k=i.getAllResponseHeaders(),l={},m=i.responseXML,m&&m.documentElement&&(l.xml=m);try{l.text=i.responseText}catch(a){}try{j=i.statusText}catch(n){j=""}!h&&c.isLocal&&!c.crossDomain?h=l.text?200:404:h===1223&&(h=204)}}}catch(o){e||f(-1,o)}l&&f(h,j,l,k)},c.async?i.readyState===4?setTimeout(d,0):(g=++cK,cJ&&(cI||(cI={},p(a).unload(cJ)),cI[g]=d),i.onreadystatechange=d):d()},abort:function(){d&&d(0,1)}}}});var cN,cO,cP=/^(?:toggle|show|hide)$/,cQ=new RegExp("^(?:([-+])=|)("+q+")([a-z%]*)$","i"),cR=/queueHooks$/,cS=[cY],cT={"*":[function(a,b){var c,d,e,f=this.createTween(a,b),g=cQ.exec(b),h=f.cur(),i=+h||0,j=1;if(g){c=+g[2],d=g[3]||(p.cssNumber[a]?"":"px");if(d!=="px"&&i){i=p.css(f.elem,a,!0)||c||1;do e=j=j||".5",i=i/j,p.style(f.elem,a,i+d),j=f.cur()/h;while(j!==1&&j!==e)}f.unit=d,f.start=i,f.end=g[1]?i+(g[1]+1)*c:c}return f}]};p.Animation=p.extend(cW,{tweener:function(a,b){p.isFunction(a)?(b=a,a=["*"]):a=a.split(" ");var c,d=0,e=a.length;for(;d<e;d++)c=a[d],cT[c]=cT[c]||[],cT[c].unshift(b)},prefilter:function(a,b){b?cS.unshift(a):cS.push(a)}}),p.Tween=cZ,cZ.prototype={constructor:cZ,init:function(a,b,c,d,e,f){this.elem=a,this.prop=c,this.easing=e||"swing",this.options=b,this.start=this.now=this.cur(),this.end=d,this.unit=f||(p.cssNumber[c]?"":"px")},cur:function(){var a=cZ.propHooks[this.prop];return a&&a.get?a.get(this):cZ.propHooks._default.get(this)},run:function(a){var b,c=cZ.propHooks[this.prop];return this.options.duration?this.pos=b=p.easing[this.easing](a,this.options.duration*a,0,1,this.options.duration):this.pos=b=a,this.now=(this.end-this.start)*b+this.start,this.options.step&&this.options.step.call(this.elem,this.now,this),c&&c.set?c.set(this):cZ.propHooks._default.set(this),this}},cZ.prototype.init.prototype=cZ.prototype,cZ.propHooks={_default:{get:function(a){var b;return a.elem[a.prop]==null||!!a.elem.style&&a.elem.style[a.prop]!=null?(b=p.css(a.elem,a.prop,!1,""),!b||b==="auto"?0:b):a.elem[a.prop]},set:function(a){p.fx.step[a.prop]?p.fx.step[a.prop](a):a.elem.style&&(a.elem.style[p.cssProps[a.prop]]!=null||p.cssHooks[a.prop])?p.style(a.elem,a.prop,a.now+a.unit):a.elem[a.prop]=a.now}}},cZ.propHooks.scrollTop=cZ.propHooks.scrollLeft={set:function(a){a.elem.nodeType&&a.elem.parentNode&&(a.elem[a.prop]=a.now)}},p.each(["toggle","show","hide"],function(a,b){var c=p.fn[b];p.fn[b]=function(d,e,f){return d==null||typeof d=="boolean"||!a&&p.isFunction(d)&&p.isFunction(e)?c.apply(this,arguments):this.animate(c$(b,!0),d,e,f)}}),p.fn.extend({fadeTo:function(a,b,c,d){return this.filter(bZ).css("opacity",0).show().end().animate({opacity:b},a,c,d)},animate:function(a,b,c,d){var e=p.isEmptyObject(a),f=p.speed(b,c,d),g=function(){var b=cW(this,p.extend({},a),f);e&&b.stop(!0)};return e||f.queue===!1?this.each(g):this.queue(f.queue,g)},stop:function(a,c,d){var e=function(a){var b=a.stop;delete a.stop,b(d)};return typeof a!="string"&&(d=c,c=a,a=b),c&&a!==!1&&this.queue(a||"fx",[]),this.each(function(){var b=!0,c=a!=null&&a+"queueHooks",f=p.timers,g=p._data(this);if(c)g[c]&&g[c].stop&&e(g[c]);else for(c in g)g[c]&&g[c].stop&&cR.test(c)&&e(g[c]);for(c=f.length;c--;)f[c].elem===this&&(a==null||f[c].queue===a)&&(f[c].anim.stop(d),b=!1,f.splice(c,1));(b||!d)&&p.dequeue(this,a)})}}),p.each({slideDown:c$("show"),slideUp:c$("hide"),slideToggle:c$("toggle"),fadeIn:{opacity:"show"},fadeOut:{opacity:"hide"},fadeToggle:{opacity:"toggle"}},function(a,b){p.fn[a]=function(a,c,d){return this.animate(b,a,c,d)}}),p.speed=function(a,b,c){var d=a&&typeof a=="object"?p.extend({},a):{complete:c||!c&&b||p.isFunction(a)&&a,duration:a,easing:c&&b||b&&!p.isFunction(b)&&b};d.duration=p.fx.off?0:typeof d.duration=="number"?d.duration:d.duration in p.fx.speeds?p.fx.speeds[d.duration]:p.fx.speeds._default;if(d.queue==null||d.queue===!0)d.queue="fx";return d.old=d.complete,d.complete=function(){p.isFunction(d.old)&&d.old.call(this),d.queue&&p.dequeue(this,d.queue)},d},p.easing={linear:function(a){return a},swing:function(a){return.5-Math.cos(a*Math.PI)/2}},p.timers=[],p.fx=cZ.prototype.init,p.fx.tick=function(){var a,b=p.timers,c=0;for(;c<b.length;c++)a=b[c],!a()&&b[c]===a&&b.splice(c--,1);b.length||p.fx.stop()},p.fx.timer=function(a){a()&&p.timers.push(a)&&!cO&&(cO=setInterval(p.fx.tick,p.fx.interval))},p.fx.interval=13,p.fx.stop=function(){clearInterval(cO),cO=null},p.fx.speeds={slow:600,fast:200,_default:400},p.fx.step={},p.expr&&p.expr.filters&&(p.expr.filters.animated=function(a){return p.grep(p.timers,function(b){return a===b.elem}).length});var c_=/^(?:body|html)$/i;p.fn.offset=function(a){if(arguments.length)return a===b?this:this.each(function(b){p.offset.setOffset(this,a,b)});var c,d,e,f,g,h,i,j,k,l,m=this[0],n=m&&m.ownerDocument;if(!n)return;return(e=n.body)===m?p.offset.bodyOffset(m):(d=n.documentElement,p.contains(d,m)?(c=m.getBoundingClientRect(),f=da(n),g=d.clientTop||e.clientTop||0,h=d.clientLeft||e.clientLeft||0,i=f.pageYOffset||d.scrollTop,j=f.pageXOffset||d.scrollLeft,k=c.top+i-g,l=c.left+j-h,{top:k,left:l}):{top:0,left:0})},p.offset={bodyOffset:function(a){var b=a.offsetTop,c=a.offsetLeft;return p.support.doesNotIncludeMarginInBodyOffset&&(b+=parseFloat(p.css(a,"marginTop"))||0,c+=parseFloat(p.css(a,"marginLeft"))||0),{top:b,left:c}},setOffset:function(a,b,c){var d=p.css(a,"position");d==="static"&&(a.style.position="relative");var e=p(a),f=e.offset(),g=p.css(a,"top"),h=p.css(a,"left"),i=(d==="absolute"||d==="fixed")&&p.inArray("auto",[g,h])>-1,j={},k={},l,m;i?(k=e.position(),l=k.top,m=k.left):(l=parseFloat(g)||0,m=parseFloat(h)||0),p.isFunction(b)&&(b=b.call(a,c,f)),b.top!=null&&(j.top=b.top-f.top+l),b.left!=null&&(j.left=b.left-f.left+m),"using"in b?b.using.call(a,j):e.css(j)}},p.fn.extend({position:function(){if(!this[0])return;var a=this[0],b=this.offsetParent(),c=this.offset(),d=c_.test(b[0].nodeName)?{top:0,left:0}:b.offset();return c.top-=parseFloat(p.css(a,"marginTop"))||0,c.left-=parseFloat(p.css(a,"marginLeft"))||0,d.top+=parseFloat(p.css(b[0],"borderTopWidth"))||0,d.left+=parseFloat(p.css(b[0],"borderLeftWidth"))||0,{top:c.top-d.top,left:c.left-d.left}},offsetParent:function(){return this.map(function(){var a=this.offsetParent||e.body;while(a&&!c_.test(a.nodeName)&&p.css(a,"position")==="static")a=a.offsetParent;return a||e.body})}}),p.each({scrollLeft:"pageXOffset",scrollTop:"pageYOffset"},function(a,c){var d=/Y/.test(c);p.fn[a]=function(e){return p.access(this,function(a,e,f){var g=da(a);if(f===b)return g?c in g?g[c]:g.document.documentElement[e]:a[e];g?g.scrollTo(d?p(g).scrollLeft():f,d?f:p(g).scrollTop()):a[e]=f},a,e,arguments.length,null)}}),p.each({Height:"height",Width:"width"},function(a,c){p.each({padding:"inner"+a,content:c,"":"outer"+a},function(d,e){p.fn[e]=function(e,f){var g=arguments.length&&(d||typeof e!="boolean"),h=d||(e===!0||f===!0?"margin":"border");return p.access(this,function(c,d,e){var f;return p.isWindow(c)?c.document.documentElement["client"+a]:c.nodeType===9?(f=c.documentElement,Math.max(c.body["scroll"+a],f["scroll"+a],c.body["offset"+a],f["offset"+a],f["client"+a])):e===b?p.css(c,d,e,h):p.style(c,d,e,h)},c,g?e:b,g,null)}})}),a.jQuery=a.$=p,typeof define=="function"&&define.amd&&define.amd.jQuery&&define("jquery",[],function(){return p})})(window);
src/components/HomePage.js
svitekpavel/chatbot-website
import React from 'react'; // import { Link } from 'react-router'; import { Grid } from 'semantic-ui-react'; import { PersonalCard } from './PersonalCard'; import { InteractiveChat } from './InteractiveChat'; const HomePage = (props) => { return ( <div> <h1>Pavel Svitek | Javascript/ReactJS, Python developer</h1> <Grid columns={2}> <Grid.Column width={4}> <PersonalCard/> </Grid.Column> <Grid.Column width={12}> <InteractiveChat messages={props.chat.messages} options={props.chat.options} showUserInput={props.chat.showUserInput} onSubmit={props.onChatSubmit} /> </Grid.Column> </Grid> {/*<h2>My story</h2> <p> I began my personal transformation at the time I turned 25. Firstly, I read a book Multiple streams of Income, which inspired me to think about personal projects besides my job. After one month of hesitating, there were many projects ideas and it was time to start my first project. </p> <p> Afterwards, I found next great book. The 4-hour work week gave me many ideas of sales automatization and time outsourcing, and was even more-inspiring than the first one. This book showed me also how to gain more freedom in job and how to negotiate work time that suits my needs. </p> <p> Today, almost 3 years later, I have completed many personal or work projects, went through dozens of personal development books and workshops of soft, sales and presentation skills. More importantly, I’ve started my own company, travel abroad multiple times a year and have multiple streams of income and pasive income. </p> <p> Therefore I know, that if you open your eyes, you will find amazing world of opportunities that are awaiting you. </p>*/} </div> ); }; HomePage.propTypes = { chat: React.PropTypes.object.isRequired, onChatSubmit: React.PropTypes.func, }; export default HomePage;
lib/components/App.js
Ribeiro/filepizza
import Bootstrap from './Bootstrap' import ErrorPage from './ErrorPage' import FrozenHead from 'react-frozenhead' import React from 'react' import SupportStore from '../stores/SupportStore' import { RouteHandler } from 'react-router' import ga from 'react-google-analytics' ga('create', 'UA-62785624-1', 'auto'); ga('send', 'pageview'); export default class App extends React.Component { constructor() { super() this.state = SupportStore.getState() this._onChange = () => { this.setState(SupportStore.getState()) } } componentDidMount() { SupportStore.listen(this._onChange) } componentDidUnmount() { SupportStore.unlisten(this._onChange) } render() { return <html lang="en"> <FrozenHead> <meta charSet="utf-8" /> <meta name="viewport" content="width=device-width, initial-scale=1" /> <meta property="og:url" content="http://file.pizza" /> <meta property="og:title" content="FilePizza - Your files, delivered." /> <meta property="og:description" content="Peer-to-peer file transfers in your web browser." /> <meta property="og:image" content="http://file.pizza/images/fb.png" /> <title>FilePizza - Your files, delivered.</title> <link rel="stylesheet" href="http://fonts.googleapis.com/css?family=Quicksand:300,400,700|Lobster+Two" /> <link rel="stylesheet" href="/css" /> <Bootstrap data={this.props.data} /> <script src="/js" /> </FrozenHead> <body> <div className="container"> {this.state.isSupported ? <RouteHandler /> : <ErrorPage />} </div> <footer className="footer"> <form action="https://www.paypal.com/cgi-bin/webscr" method="post" target="_blank"> <input type="hidden" name="cmd" value="_s-xclick" /> <input type="hidden" name="encrypted" value="-----BEGIN PKCS7-----MIIHLwYJKoZIhvcNAQcEoIIHIDCCBxwCAQExggEwMIIBLAIBADCBlDCBjjELMAkGA1UEBhMCVVMxCzAJBgNVBAgTAkNBMRYwFAYDVQQHEw1Nb3VudGFpbiBWaWV3MRQwEgYDVQQKEwtQYXlQYWwgSW5jLjETMBEGA1UECxQKbGl2ZV9jZXJ0czERMA8GA1UEAxQIbGl2ZV9hcGkxHDAaBgkqhkiG9w0BCQEWDXJlQHBheXBhbC5jb20CAQAwDQYJKoZIhvcNAQEBBQAEgYCNMeG6YZhT922YX4RX+GjBbjswhfVoq4+fSNlIliwLOy53+8F+Yo4cMww5pGns0JnRACe8juYZxFVJ9MwBTUfTY+tqLrjer4WraF+Ron5ltsHxZIycWiSMwLByQkB+PXOGRQS8FXPYOUtsuzSaAtQd2aIU1NqgUDFrx2wFkbfl/DELMAkGBSsOAwIaBQAwgawGCSqGSIb3DQEHATAUBggqhkiG9w0DBwQI9iG7UFroYuOAgYjTfNDjke+5a4E/GKdXiGtu2UTTAwRuf+lvJi/REu8wrJqQYWTwzdxltDsDzC4NRkBzysqAq/2NTjMJw91X5hSsEGSP4yn2AGY2ZstPBwlha0NRtCnZj6ZKO5b7Yqi5m0zQQSLVsEjb8ZQPBQCykSq5vuJXLbjXx8PSCpBCQ5jfVdbuEADyDXr+oIIDhzCCA4MwggLsoAMCAQICAQAwDQYJKoZIhvcNAQEFBQAwgY4xCzAJBgNVBAYTAlVTMQswCQYDVQQIEwJDQTEWMBQGA1UEBxMNTW91bnRhaW4gVmlldzEUMBIGA1UEChMLUGF5UGFsIEluYy4xEzARBgNVBAsUCmxpdmVfY2VydHMxETAPBgNVBAMUCGxpdmVfYXBpMRwwGgYJKoZIhvcNAQkBFg1yZUBwYXlwYWwuY29tMB4XDTA0MDIxMzEwMTMxNVoXDTM1MDIxMzEwMTMxNVowgY4xCzAJBgNVBAYTAlVTMQswCQYDVQQIEwJDQTEWMBQGA1UEBxMNTW91bnRhaW4gVmlldzEUMBIGA1UEChMLUGF5UGFsIEluYy4xEzARBgNVBAsUCmxpdmVfY2VydHMxETAPBgNVBAMUCGxpdmVfYXBpMRwwGgYJKoZIhvcNAQkBFg1yZUBwYXlwYWwuY29tMIGfMA0GCSqGSIb3DQEBAQUAA4GNADCBiQKBgQDBR07d/ETMS1ycjtkpkvjXZe9k+6CieLuLsPumsJ7QC1odNz3sJiCbs2wC0nLE0uLGaEtXynIgRqIddYCHx88pb5HTXv4SZeuv0Rqq4+axW9PLAAATU8w04qqjaSXgbGLP3NmohqM6bV9kZZwZLR/klDaQGo1u9uDb9lr4Yn+rBQIDAQABo4HuMIHrMB0GA1UdDgQWBBSWn3y7xm8XvVk/UtcKG+wQ1mSUazCBuwYDVR0jBIGzMIGwgBSWn3y7xm8XvVk/UtcKG+wQ1mSUa6GBlKSBkTCBjjELMAkGA1UEBhMCVVMxCzAJBgNVBAgTAkNBMRYwFAYDVQQHEw1Nb3VudGFpbiBWaWV3MRQwEgYDVQQKEwtQYXlQYWwgSW5jLjETMBEGA1UECxQKbGl2ZV9jZXJ0czERMA8GA1UEAxQIbGl2ZV9hcGkxHDAaBgkqhkiG9w0BCQEWDXJlQHBheXBhbC5jb22CAQAwDAYDVR0TBAUwAwEB/zANBgkqhkiG9w0BAQUFAAOBgQCBXzpWmoBa5e9fo6ujionW1hUhPkOBakTr3YCDjbYfvJEiv/2P+IobhOGJr85+XHhN0v4gUkEDI8r2/rNk1m0GA8HKddvTjyGw/XqXa+LSTlDYkqI8OwR8GEYj4efEtcRpRYBxV8KxAW93YDWzFGvruKnnLbDAF6VR5w/cCMn5hzGCAZowggGWAgEBMIGUMIGOMQswCQYDVQQGEwJVUzELMAkGA1UECBMCQ0ExFjAUBgNVBAcTDU1vdW50YWluIFZpZXcxFDASBgNVBAoTC1BheVBhbCBJbmMuMRMwEQYDVQQLFApsaXZlX2NlcnRzMREwDwYDVQQDFAhsaXZlX2FwaTEcMBoGCSqGSIb3DQEJARYNcmVAcGF5cGFsLmNvbQIBADAJBgUrDgMCGgUAoF0wGAYJKoZIhvcNAQkDMQsGCSqGSIb3DQEHATAcBgkqhkiG9w0BCQUxDxcNMTUwNzAxMDM1NDUxWjAjBgkqhkiG9w0BCQQxFgQUG4ncyq0gUI2wN0Td/HxNnvNQnYowDQYJKoZIhvcNAQEBBQAEgYBYA6JGTfR4lLMQe/4tItu1Y6Dp76QyZc2yx2I5B/Z7QEVGqdiFi0lPdXhbKjS0nSzdx30vHKzvowrI12uTkdQVT0lA0xLgVMQ2761anl8mQA94wnGvR0onQAeQOT7giMU8rrUkINIWpnYVTfEAjCH90uXM4+SnIx7+OPLEu698Og==-----END PKCS7-----" /> <button type="submit" className="donate-button">donate via PayPal</button> <p>BTC: <strong>1P7yFQAC3EmpvsB7K9s6bKPvXEP1LPoQnY</strong></p> </form> <p className="byline"> Cooked up by <a href="http://kern.io" target="_blank">Alex Kern</a> &amp; <a href="http://neeraj.io" target="_blank">Neeraj Baid</a> while eating <strong>Sliver</strong> @ UC Berkeley &middot; <a href="https://github.com/kern/filepizza#faq" target="_blank">FAQ</a> &middot; <a href="https://github.com/kern/filepizza" target="_blank">Fork us</a> </p> </footer> <script>FilePizza()</script> <ga.Initializer /> </body> </html> } }
src/index.js
tmshv/k2
import 'whatwg-fetch' import React from 'react' import App from './components/App' React.render( <App/>, document.body );
app/components/RDialog.js
qinfuji/vpt
import React from 'react'; import styles from '../styles/dialog.less'; import {Motion, spring} from 'react-motion'; import classnames from 'classnames'; import {$view} from './utils'; const ZINDEX = 1100; export default class RDialog extends React.Component { close(){ let {close} = this.props; close(); } open(){ let {open} = this.props; open(); } renderContent(id , context){ return $view(id , context); } renderDialog(){ let {dialogs,increase} = this.props; let _self = this; return dialogs.map(function(dialog , index){ let {title , height=300 , width=696 , opacity=1 , context} = dialog['options']; let defaultStyle = {height:0,width:0,opacity:0}; let style = {height:spring(height),width:spring(width),opacity:spring(opacity)}; let WrapedContent = _self.renderContent(dialog.id , context); return ( <Motion defaultStyle={defaultStyle} style={style} key={index}> {(value)=> <div className={classnames("dialog-inner")} style={{zIndex: ZINDEX + index}}> <div className={classnames("dialog")} style={value}>{title} <button onClick={_self.open.bind(_self)}>打开</button> <button onClick={_self.close.bind(_self)}>关闭</button> <WrapedContent/> </div> </div> } </Motion> ); }); } render() { let {dialogs} = this.props; let dlen = dialogs.length; let className = classnames( 'dialog-container' , { active: dlen > 0 } ); return ( <div className={className}> <div className={classnames("dialog-overlay")} style={{zIndex:ZINDEX + dlen - 1}}></div> {this.renderDialog()} </div> ); } }
ajax/libs/react-virtualized/5.5.2/react-virtualized.js
CyrusSUEN/cdnjs
!function(root, factory) { "object" == typeof exports && "object" == typeof module ? module.exports = factory(require("react"), require("react-dom")) : "function" == typeof define && define.amd ? define([ "react", "react-dom" ], factory) : "object" == typeof exports ? exports.ReactVirtualized = factory(require("react"), require("react-dom")) : root.ReactVirtualized = factory(root.React, root.ReactDOM); }(this, function(__WEBPACK_EXTERNAL_MODULE_3__, __WEBPACK_EXTERNAL_MODULE_21__) { /******/ return function(modules) { /******/ /******/ // The require function /******/ function __webpack_require__(moduleId) { /******/ /******/ // Check if module is in cache /******/ if (installedModules[moduleId]) /******/ return installedModules[moduleId].exports; /******/ /******/ // Create a new module (and put it into the cache) /******/ var module = installedModules[moduleId] = { /******/ exports: {}, /******/ id: moduleId, /******/ loaded: !1 }; /******/ /******/ // Return the exports of the module /******/ /******/ /******/ // Execute the module function /******/ /******/ /******/ // Flag the module as loaded /******/ return modules[moduleId].call(module.exports, module, module.exports, __webpack_require__), module.loaded = !0, module.exports; } // webpackBootstrap /******/ // The module cache /******/ var installedModules = {}; /******/ /******/ // Load entry module and return exports /******/ /******/ /******/ /******/ // expose the modules object (__webpack_modules__) /******/ /******/ /******/ // expose the module cache /******/ /******/ /******/ // __webpack_public_path__ /******/ return __webpack_require__.m = modules, __webpack_require__.c = installedModules, __webpack_require__.p = "", __webpack_require__(0); }([ /* 0 */ /***/ function(module, exports, __webpack_require__) { "use strict"; Object.defineProperty(exports, "__esModule", { value: !0 }); var _AutoSizer = __webpack_require__(1); Object.defineProperty(exports, "AutoSizer", { enumerable: !0, get: function() { return _AutoSizer.AutoSizer; } }); var _ColumnSizer = __webpack_require__(7); Object.defineProperty(exports, "ColumnSizer", { enumerable: !0, get: function() { return _ColumnSizer.ColumnSizer; } }); var _FlexTable = __webpack_require__(16); Object.defineProperty(exports, "FlexTable", { enumerable: !0, get: function() { return _FlexTable.FlexTable; } }), Object.defineProperty(exports, "FlexColumn", { enumerable: !0, get: function() { return _FlexTable.FlexColumn; } }), Object.defineProperty(exports, "SortDirection", { enumerable: !0, get: function() { return _FlexTable.SortDirection; } }), Object.defineProperty(exports, "SortIndicator", { enumerable: !0, get: function() { return _FlexTable.SortIndicator; } }); var _Grid = __webpack_require__(9); Object.defineProperty(exports, "Grid", { enumerable: !0, get: function() { return _Grid.Grid; } }); var _InfiniteLoader = __webpack_require__(22); Object.defineProperty(exports, "InfiniteLoader", { enumerable: !0, get: function() { return _InfiniteLoader.InfiniteLoader; } }); var _ScrollSync = __webpack_require__(24); Object.defineProperty(exports, "ScrollSync", { enumerable: !0, get: function() { return _ScrollSync.ScrollSync; } }); var _VirtualScroll = __webpack_require__(26); Object.defineProperty(exports, "VirtualScroll", { enumerable: !0, get: function() { return _VirtualScroll.VirtualScroll; } }); }, /* 1 */ /***/ function(module, exports, __webpack_require__) { "use strict"; function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { "default": obj }; } Object.defineProperty(exports, "__esModule", { value: !0 }), exports.AutoSizer = exports["default"] = void 0; var _AutoSizer2 = __webpack_require__(2), _AutoSizer3 = _interopRequireDefault(_AutoSizer2); exports["default"] = _AutoSizer3["default"], exports.AutoSizer = _AutoSizer3["default"]; }, /* 2 */ /***/ function(module, exports, __webpack_require__) { "use strict"; function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { "default": obj }; } function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) throw new TypeError("Cannot call a class as a function"); } function _possibleConstructorReturn(self, call) { if (!self) throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); return !call || "object" != typeof call && "function" != typeof call ? self : call; } function _inherits(subClass, superClass) { if ("function" != typeof superClass && null !== superClass) throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, enumerable: !1, writable: !0, configurable: !0 } }), superClass && (Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass); } Object.defineProperty(exports, "__esModule", { value: !0 }); var _createClass = function() { function defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || !1, descriptor.configurable = !0, "value" in descriptor && (descriptor.writable = !0), Object.defineProperty(target, descriptor.key, descriptor); } } return function(Constructor, protoProps, staticProps) { return protoProps && defineProperties(Constructor.prototype, protoProps), staticProps && defineProperties(Constructor, staticProps), Constructor; }; }(), _react = __webpack_require__(3), _react2 = _interopRequireDefault(_react), _function = __webpack_require__(4), _function2 = _interopRequireDefault(_function), AutoSizer = function(_Component) { function AutoSizer(props) { _classCallCheck(this, AutoSizer); var _this = _possibleConstructorReturn(this, Object.getPrototypeOf(AutoSizer).call(this, props)); return _this.shouldComponentUpdate = _function2["default"], _this.state = { height: 0, width: 0 }, _this._onResize = _this._onResize.bind(_this), _this._setRef = _this._setRef.bind(_this), _this; } return _inherits(AutoSizer, _Component), _createClass(AutoSizer, [ { key: "componentDidMount", value: function() { this._detectElementResize = __webpack_require__(6), this._detectElementResize.addResizeListener(this._parentNode, this._onResize), this._onResize(); } }, { key: "componentWillUnmount", value: function() { this._detectElementResize.removeResizeListener(this._parentNode, this._onResize); } }, { key: "render", value: function() { var _props = this.props, children = _props.children, disableHeight = _props.disableHeight, disableWidth = _props.disableWidth, _state = this.state, height = _state.height, width = _state.width, outerStyle = { overflow: "visible" }; return disableHeight || (outerStyle.height = 0), disableWidth || (outerStyle.width = 0), _react2["default"].createElement("div", { ref: this._setRef, style: outerStyle }, children({ height: height, width: width })); } }, { key: "_onResize", value: function() { var onResize = this.props.onResize, _parentNode$getBoundi = this._parentNode.getBoundingClientRect(), height = _parentNode$getBoundi.height, width = _parentNode$getBoundi.width, style = getComputedStyle(this._parentNode), paddingLeft = parseInt(style.paddingLeft, 10), paddingRight = parseInt(style.paddingRight, 10), paddingTop = parseInt(style.paddingTop, 10), paddingBottom = parseInt(style.paddingBottom, 10); this.setState({ height: height - paddingTop - paddingBottom, width: width - paddingLeft - paddingRight }), onResize({ height: height, width: width }); } }, { key: "_setRef", value: function(autoSizer) { this._parentNode = autoSizer && autoSizer.parentNode; } } ]), AutoSizer; }(_react.Component); AutoSizer.propTypes = { children: _react.PropTypes.func.isRequired, disableHeight: _react.PropTypes.bool, disableWidth: _react.PropTypes.bool, onResize: _react.PropTypes.func.isRequired }, AutoSizer.defaultProps = { onResize: function() {} }, exports["default"] = AutoSizer; }, /* 3 */ /***/ function(module, exports) { module.exports = __WEBPACK_EXTERNAL_MODULE_3__; }, /* 4 */ /***/ function(module, exports, __webpack_require__) { "use strict"; function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { "default": obj }; } function shouldPureComponentUpdate(nextProps, nextState) { return !(0, _shallowEqual2["default"])(this.props, nextProps) || !(0, _shallowEqual2["default"])(this.state, nextState); } exports.__esModule = !0, exports["default"] = shouldPureComponentUpdate; var _shallowEqual = __webpack_require__(5), _shallowEqual2 = _interopRequireDefault(_shallowEqual); module.exports = exports["default"]; }, /* 5 */ /***/ function(module, exports) { "use strict"; function shallowEqual(objA, objB) { if (objA === objB) return !0; if ("object" != typeof objA || null === objA || "object" != typeof objB || null === objB) return !1; var keysA = Object.keys(objA), keysB = Object.keys(objB); if (keysA.length !== keysB.length) return !1; for (var bHasOwnProperty = Object.prototype.hasOwnProperty.bind(objB), i = 0; i < keysA.length; i++) if (!bHasOwnProperty(keysA[i]) || objA[keysA[i]] !== objB[keysA[i]]) return !1; return !0; } exports.__esModule = !0, exports["default"] = shallowEqual, module.exports = exports["default"]; }, /* 6 */ /***/ function(module, exports) { "use strict"; var _window; _window = "undefined" != typeof window ? window : "undefined" != typeof self ? self : void 0; var attachEvent = "undefined" != typeof document && document.attachEvent, stylesCreated = !1; if (!attachEvent) { var requestFrame = function() { var raf = _window.requestAnimationFrame || _window.mozRequestAnimationFrame || _window.webkitRequestAnimationFrame || function(fn) { return _window.setTimeout(fn, 20); }; return function(fn) { return raf(fn); }; }(), cancelFrame = function() { var cancel = _window.cancelAnimationFrame || _window.mozCancelAnimationFrame || _window.webkitCancelAnimationFrame || _window.clearTimeout; return function(id) { return cancel(id); }; }(), resetTriggers = function(element) { var triggers = element.__resizeTriggers__, expand = triggers.firstElementChild, contract = triggers.lastElementChild, expandChild = expand.firstElementChild; contract.scrollLeft = contract.scrollWidth, contract.scrollTop = contract.scrollHeight, expandChild.style.width = expand.offsetWidth + 1 + "px", expandChild.style.height = expand.offsetHeight + 1 + "px", expand.scrollLeft = expand.scrollWidth, expand.scrollTop = expand.scrollHeight; }, checkTriggers = function(element) { return element.offsetWidth != element.__resizeLast__.width || element.offsetHeight != element.__resizeLast__.height; }, scrollListener = function(e) { var element = this; resetTriggers(this), this.__resizeRAF__ && cancelFrame(this.__resizeRAF__), this.__resizeRAF__ = requestFrame(function() { checkTriggers(element) && (element.__resizeLast__.width = element.offsetWidth, element.__resizeLast__.height = element.offsetHeight, element.__resizeListeners__.forEach(function(fn) { fn.call(element, e); })); }); }, animation = !1, animationstring = "animation", keyframeprefix = "", animationstartevent = "animationstart", domPrefixes = "Webkit Moz O ms".split(" "), startEvents = "webkitAnimationStart animationstart oAnimationStart MSAnimationStart".split(" "), pfx = "", elm = document.createElement("fakeelement"); if (void 0 !== elm.style.animationName && (animation = !0), animation === !1) for (var i = 0; i < domPrefixes.length; i++) if (void 0 !== elm.style[domPrefixes[i] + "AnimationName"]) { pfx = domPrefixes[i], animationstring = pfx + "Animation", keyframeprefix = "-" + pfx.toLowerCase() + "-", animationstartevent = startEvents[i], animation = !0; break; } var animationName = "resizeanim", animationKeyframes = "@" + keyframeprefix + "keyframes " + animationName + " { from { opacity: 0; } to { opacity: 0; } } ", animationStyle = keyframeprefix + "animation: 1ms " + animationName + "; "; } var createStyles = function() { if (!stylesCreated) { var css = (animationKeyframes ? animationKeyframes : "") + ".resize-triggers { " + (animationStyle ? animationStyle : "") + 'visibility: hidden; opacity: 0; } .resize-triggers, .resize-triggers > div, .contract-trigger:before { content: " "; display: block; position: absolute; top: 0; left: 0; height: 100%; width: 100%; overflow: hidden; } .resize-triggers > div { background: #eee; overflow: auto; } .contract-trigger:before { width: 200%; height: 200%; }', head = document.head || document.getElementsByTagName("head")[0], style = document.createElement("style"); style.type = "text/css", style.styleSheet ? style.styleSheet.cssText = css : style.appendChild(document.createTextNode(css)), head.appendChild(style), stylesCreated = !0; } }, addResizeListener = function(element, fn) { attachEvent ? element.attachEvent("onresize", fn) : (element.__resizeTriggers__ || ("static" == getComputedStyle(element).position && (element.style.position = "relative"), createStyles(), element.__resizeLast__ = {}, element.__resizeListeners__ = [], (element.__resizeTriggers__ = document.createElement("div")).className = "resize-triggers", element.__resizeTriggers__.innerHTML = '<div class="expand-trigger"><div></div></div><div class="contract-trigger"></div>', element.appendChild(element.__resizeTriggers__), resetTriggers(element), element.addEventListener("scroll", scrollListener, !0), animationstartevent && element.__resizeTriggers__.addEventListener(animationstartevent, function(e) { e.animationName == animationName && resetTriggers(element); })), element.__resizeListeners__.push(fn)); }, removeResizeListener = function(element, fn) { attachEvent ? element.detachEvent("onresize", fn) : (element.__resizeListeners__.splice(element.__resizeListeners__.indexOf(fn), 1), element.__resizeListeners__.length || (element.removeEventListener("scroll", scrollListener), element.__resizeTriggers__ = !element.removeChild(element.__resizeTriggers__))); }; module.exports = { addResizeListener: addResizeListener, removeResizeListener: removeResizeListener }; }, /* 7 */ /***/ function(module, exports, __webpack_require__) { "use strict"; function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { "default": obj }; } Object.defineProperty(exports, "__esModule", { value: !0 }), exports.ColumnSizer = exports["default"] = void 0; var _ColumnSizer2 = __webpack_require__(8), _ColumnSizer3 = _interopRequireDefault(_ColumnSizer2); exports["default"] = _ColumnSizer3["default"], exports.ColumnSizer = _ColumnSizer3["default"]; }, /* 8 */ /***/ function(module, exports, __webpack_require__) { "use strict"; function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { "default": obj }; } function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) throw new TypeError("Cannot call a class as a function"); } function _possibleConstructorReturn(self, call) { if (!self) throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); return !call || "object" != typeof call && "function" != typeof call ? self : call; } function _inherits(subClass, superClass) { if ("function" != typeof superClass && null !== superClass) throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, enumerable: !1, writable: !0, configurable: !0 } }), superClass && (Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass); } Object.defineProperty(exports, "__esModule", { value: !0 }); var _createClass = function() { function defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || !1, descriptor.configurable = !0, "value" in descriptor && (descriptor.writable = !0), Object.defineProperty(target, descriptor.key, descriptor); } } return function(Constructor, protoProps, staticProps) { return protoProps && defineProperties(Constructor.prototype, protoProps), staticProps && defineProperties(Constructor, staticProps), Constructor; }; }(), _react = __webpack_require__(3), _function = __webpack_require__(4), _function2 = _interopRequireDefault(_function), _Grid = __webpack_require__(9), _Grid2 = _interopRequireDefault(_Grid), ColumnSizer = function(_Component) { function ColumnSizer(props, context) { _classCallCheck(this, ColumnSizer); var _this = _possibleConstructorReturn(this, Object.getPrototypeOf(ColumnSizer).call(this, props, context)); return _this.shouldComponentUpdate = _function2["default"], _this._registerChild = _this._registerChild.bind(_this), _this; } return _inherits(ColumnSizer, _Component), _createClass(ColumnSizer, [ { key: "componentDidUpdate", value: function(prevProps, prevState) { var _props = this.props, columnMaxWidth = _props.columnMaxWidth, columnMinWidth = _props.columnMinWidth, columnsCount = _props.columnsCount, width = _props.width; columnMaxWidth === prevProps.columnMaxWidth && columnMinWidth === prevProps.columnMinWidth && columnsCount === prevProps.columnsCount && width === prevProps.width || this._registeredChild && this._registeredChild.recomputeGridSize(); } }, { key: "render", value: function() { var _props2 = this.props, children = _props2.children, columnMaxWidth = _props2.columnMaxWidth, columnMinWidth = _props2.columnMinWidth, columnsCount = _props2.columnsCount, width = _props2.width, safeColumnMinWidth = columnMinWidth || 1, safeColumnMaxWidth = columnMaxWidth ? Math.min(columnMaxWidth, width) : width, columnWidth = width / columnsCount; columnWidth = Math.max(safeColumnMinWidth, columnWidth), columnWidth = Math.min(safeColumnMaxWidth, columnWidth), columnWidth = Math.floor(columnWidth); var adjustedWidth = Math.min(width, columnWidth * columnsCount); return children({ adjustedWidth: adjustedWidth, getColumnWidth: function() { return columnWidth; }, registerChild: this._registerChild }); } }, { key: "_registerChild", value: function(child) { if (null !== child && !(child instanceof _Grid2["default"])) throw Error("Unexpected child type registered; only Grid children are supported."); this._registeredChild = child, this._registeredChild && this._registeredChild.recomputeGridSize(); } } ]), ColumnSizer; }(_react.Component); ColumnSizer.propTypes = { children: _react.PropTypes.func.isRequired, columnMaxWidth: _react.PropTypes.number, columnMinWidth: _react.PropTypes.number, columnsCount: _react.PropTypes.number.isRequired, width: _react.PropTypes.number.isRequired }, exports["default"] = ColumnSizer; }, /* 9 */ /***/ function(module, exports, __webpack_require__) { "use strict"; function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { "default": obj }; } Object.defineProperty(exports, "__esModule", { value: !0 }), exports.Grid = exports["default"] = void 0; var _Grid2 = __webpack_require__(10), _Grid3 = _interopRequireDefault(_Grid2); exports["default"] = _Grid3["default"], exports.Grid = _Grid3["default"]; }, /* 10 */ /***/ function(module, exports, __webpack_require__) { "use strict"; function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { "default": obj }; } function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) throw new TypeError("Cannot call a class as a function"); } function _possibleConstructorReturn(self, call) { if (!self) throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); return !call || "object" != typeof call && "function" != typeof call ? self : call; } function _inherits(subClass, superClass) { if ("function" != typeof superClass && null !== superClass) throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, enumerable: !1, writable: !0, configurable: !0 } }), superClass && (Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass); } Object.defineProperty(exports, "__esModule", { value: !0 }); var _createClass = function() { function defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || !1, descriptor.configurable = !0, "value" in descriptor && (descriptor.writable = !0), Object.defineProperty(target, descriptor.key, descriptor); } } return function(Constructor, protoProps, staticProps) { return protoProps && defineProperties(Constructor.prototype, protoProps), staticProps && defineProperties(Constructor, staticProps), Constructor; }; }(), _utils = __webpack_require__(11), _classnames = __webpack_require__(12), _classnames2 = _interopRequireDefault(_classnames), _raf = __webpack_require__(13), _raf2 = _interopRequireDefault(_raf), _react = __webpack_require__(3), _react2 = _interopRequireDefault(_react), _function = __webpack_require__(4), _function2 = _interopRequireDefault(_function), IS_SCROLLING_TIMEOUT = 150, SCROLL_POSITION_CHANGE_REASONS = { OBSERVED: "observed", REQUESTED: "requested" }, Grid = function(_Component) { function Grid(props, context) { _classCallCheck(this, Grid); var _this = _possibleConstructorReturn(this, Object.getPrototypeOf(Grid).call(this, props, context)); return _this.shouldComponentUpdate = _function2["default"], _this.state = { computeGridMetadataOnNextUpdate: !1, isScrolling: !1, scrollLeft: 0, scrollTop: 0 }, _this._onGridRenderedMemoizer = (0, _utils.createCallbackMemoizer)(), _this._onScrollMemoizer = (0, _utils.createCallbackMemoizer)(!1), _this._computeGridMetadata = _this._computeGridMetadata.bind(_this), _this._invokeOnGridRenderedHelper = _this._invokeOnGridRenderedHelper.bind(_this), _this._onKeyPress = _this._onKeyPress.bind(_this), _this._onScroll = _this._onScroll.bind(_this), _this._updateScrollLeftForScrollToColumn = _this._updateScrollLeftForScrollToColumn.bind(_this), _this._updateScrollTopForScrollToRow = _this._updateScrollTopForScrollToRow.bind(_this), _this; } return _inherits(Grid, _Component), _createClass(Grid, [ { key: "recomputeGridSize", value: function() { this.setState({ computeGridMetadataOnNextUpdate: !0 }); } }, { key: "scrollToCell", value: function(_ref) { var scrollToColumn = _ref.scrollToColumn, scrollToRow = _ref.scrollToRow; this._updateScrollLeftForScrollToColumn(scrollToColumn), this._updateScrollTopForScrollToRow(scrollToRow); } }, { key: "setScrollPosition", value: function(_ref2) { var scrollLeft = _ref2.scrollLeft, scrollTop = _ref2.scrollTop, newState = { scrollPositionChangeReason: SCROLL_POSITION_CHANGE_REASONS.REQUESTED }; scrollLeft >= 0 && (newState.scrollLeft = scrollLeft), scrollTop >= 0 && (newState.scrollTop = scrollTop), (scrollLeft >= 0 && scrollLeft !== this.state.scrollLeft || scrollTop >= 0 && scrollTop !== this.state.scrollTop) && this.setState(newState); } }, { key: "componentDidMount", value: function() { var _props = this.props, scrollLeft = _props.scrollLeft, scrollToColumn = _props.scrollToColumn, scrollTop = _props.scrollTop, scrollToRow = _props.scrollToRow; (scrollLeft >= 0 || scrollTop >= 0) && this.setScrollPosition({ scrollLeft: scrollLeft, scrollTop: scrollTop }), (scrollToColumn >= 0 || scrollToRow >= 0) && (this._updateScrollLeftForScrollToColumn(), this._updateScrollTopForScrollToRow()), this._invokeOnGridRenderedHelper(), this._invokeOnScrollMemoizer({ scrollLeft: scrollLeft || 0, scrollTop: scrollTop || 0, totalColumnsWidth: this._getTotalColumnsWidth(), totalRowsHeight: this._getTotalRowsHeight() }); } }, { key: "componentDidUpdate", value: function(prevProps, prevState) { var _props2 = this.props, columnsCount = _props2.columnsCount, columnWidth = _props2.columnWidth, height = _props2.height, rowHeight = _props2.rowHeight, rowsCount = _props2.rowsCount, scrollToColumn = _props2.scrollToColumn, scrollToRow = _props2.scrollToRow, width = _props2.width, _state = this.state, scrollLeft = _state.scrollLeft, scrollPositionChangeReason = _state.scrollPositionChangeReason, scrollTop = _state.scrollTop; scrollPositionChangeReason === SCROLL_POSITION_CHANGE_REASONS.REQUESTED && (scrollLeft >= 0 && scrollLeft !== prevState.scrollLeft && scrollLeft !== this.refs.scrollingContainer.scrollLeft && (this.refs.scrollingContainer.scrollLeft = scrollLeft), scrollTop >= 0 && scrollTop !== prevState.scrollTop && scrollTop !== this.refs.scrollingContainer.scrollTop && (this.refs.scrollingContainer.scrollTop = scrollTop)), (0, _utils.updateScrollIndexHelper)({ cellsCount: columnsCount, cellMetadata: this._columnMetadata, cellSize: columnWidth, previousCellsCount: prevProps.columnsCount, previousCellSize: prevProps.columnWidth, previousScrollToIndex: prevProps.scrollToColumn, previousSize: prevProps.width, scrollOffset: scrollLeft, scrollToIndex: scrollToColumn, size: width, updateScrollIndexCallback: this._updateScrollLeftForScrollToColumn }), (0, _utils.updateScrollIndexHelper)({ cellsCount: rowsCount, cellMetadata: this._rowMetadata, cellSize: rowHeight, previousCellsCount: prevProps.rowsCount, previousCellSize: prevProps.rowHeight, previousScrollToIndex: prevProps.scrollToRow, previousSize: prevProps.height, scrollOffset: scrollTop, scrollToIndex: scrollToRow, size: height, updateScrollIndexCallback: this._updateScrollTopForScrollToRow }), this._invokeOnGridRenderedHelper(); } }, { key: "componentWillMount", value: function() { this._computeGridMetadata(this.props); } }, { key: "componentWillUnmount", value: function() { this._disablePointerEventsTimeoutId && clearTimeout(this._disablePointerEventsTimeoutId), this._setNextStateAnimationFrameId && _raf2["default"].cancel(this._setNextStateAnimationFrameId); } }, { key: "componentWillUpdate", value: function(nextProps, nextState) { 0 === nextProps.columnsCount && 0 !== nextState.scrollLeft && this.setScrollPosition({ scrollLeft: 0 }), 0 === nextProps.rowsCount && 0 !== nextState.scrollTop && this.setScrollPosition({ scrollTop: 0 }), nextProps.scrollLeft !== this.props.scrollLeft && this.setScrollPosition({ scrollLeft: nextProps.scrollLeft }), nextProps.scrollTop !== this.props.scrollTop && this.setScrollPosition({ scrollTop: nextProps.scrollTop }), (0, _utils.computeCellMetadataAndUpdateScrollOffsetHelper)({ cellsCount: this.props.columnsCount, cellSize: this.props.columnWidth, computeMetadataCallback: this._computeGridMetadata, computeMetadataCallbackProps: nextProps, computeMetadataOnNextUpdate: nextState.computeGridMetadataOnNextUpdate, nextCellsCount: nextProps.columnsCount, nextCellSize: nextProps.columnWidth, nextScrollToIndex: nextProps.scrollToColumn, scrollToIndex: this.props.scrollToColumn, updateScrollOffsetForScrollToIndex: this._updateScrollLeftForScrollToColumn }), (0, _utils.computeCellMetadataAndUpdateScrollOffsetHelper)({ cellsCount: this.props.rowsCount, cellSize: this.props.rowHeight, computeMetadataCallback: this._computeGridMetadata, computeMetadataCallbackProps: nextProps, computeMetadataOnNextUpdate: nextState.computeGridMetadataOnNextUpdate, nextCellsCount: nextProps.rowsCount, nextCellSize: nextProps.rowHeight, nextScrollToIndex: nextProps.scrollToRow, scrollToIndex: this.props.scrollToRow, updateScrollOffsetForScrollToIndex: this._updateScrollTopForScrollToRow }), this.setState({ computeGridMetadataOnNextUpdate: !1 }); } }, { key: "render", value: function() { var _props3 = this.props, className = _props3.className, columnsCount = _props3.columnsCount, height = _props3.height, noContentRenderer = _props3.noContentRenderer, overscanColumnsCount = _props3.overscanColumnsCount, overscanRowsCount = _props3.overscanRowsCount, renderCell = _props3.renderCell, rowsCount = _props3.rowsCount, width = _props3.width, _state2 = this.state, isScrolling = _state2.isScrolling, scrollLeft = _state2.scrollLeft, scrollTop = _state2.scrollTop, childrenToDisplay = []; if (height > 0 && width > 0) { var visibleColumnIndices = (0, _utils.getVisibleCellIndices)({ cellsCount: columnsCount, cellMetadata: this._columnMetadata, containerSize: width, currentOffset: scrollLeft }), visibleRowIndices = (0, _utils.getVisibleCellIndices)({ cellsCount: rowsCount, cellMetadata: this._rowMetadata, containerSize: height, currentOffset: scrollTop }); this._renderedColumnStartIndex = visibleColumnIndices.start, this._renderedColumnStopIndex = visibleColumnIndices.stop, this._renderedRowStartIndex = visibleRowIndices.start, this._renderedRowStopIndex = visibleRowIndices.stop; var overscanColumnIndices = (0, _utils.getOverscanIndices)({ cellsCount: columnsCount, overscanCellsCount: overscanColumnsCount, startIndex: this._renderedColumnStartIndex, stopIndex: this._renderedColumnStopIndex }), overscanRowIndices = (0, _utils.getOverscanIndices)({ cellsCount: rowsCount, overscanCellsCount: overscanRowsCount, startIndex: this._renderedRowStartIndex, stopIndex: this._renderedRowStopIndex }); this._columnStartIndex = overscanColumnIndices.overscanStartIndex, this._columnStopIndex = overscanColumnIndices.overscanStopIndex, this._rowStartIndex = overscanRowIndices.overscanStartIndex, this._rowStopIndex = overscanRowIndices.overscanStopIndex; for (var rowIndex = this._rowStartIndex; rowIndex <= this._rowStopIndex; rowIndex++) for (var rowDatum = this._rowMetadata[rowIndex], columnIndex = this._columnStartIndex; columnIndex <= this._columnStopIndex; columnIndex++) { var columnDatum = this._columnMetadata[columnIndex], renderedCell = renderCell({ columnIndex: columnIndex, rowIndex: rowIndex }), key = rowIndex + "-" + columnIndex, child = _react2["default"].createElement("div", { key: key, className: "Grid__cell", style: { height: this._getRowHeight(rowIndex), left: columnDatum.offset + "px", top: rowDatum.offset + "px", width: this._getColumnWidth(columnIndex) } }, renderedCell); childrenToDisplay.push(child); } } var gridStyle = { height: height, width: width }, totalColumnsWidth = this._getTotalColumnsWidth(), totalRowsHeight = this._getTotalRowsHeight(); return width >= totalColumnsWidth && (gridStyle.overflowX = "hidden"), height >= totalRowsHeight && (gridStyle.overflowY = "hidden"), _react2["default"].createElement("div", { ref: "scrollingContainer", className: (0, _classnames2["default"])("Grid", className), onKeyDown: this._onKeyPress, onScroll: this._onScroll, tabIndex: 0, style: gridStyle }, childrenToDisplay.length > 0 && _react2["default"].createElement("div", { className: "Grid__innerScrollContainer", style: { width: totalColumnsWidth, height: totalRowsHeight, maxWidth: totalColumnsWidth, maxHeight: totalRowsHeight, pointerEvents: isScrolling ? "none" : "auto" } }, childrenToDisplay), 0 === childrenToDisplay.length && noContentRenderer()); } }, { key: "_computeGridMetadata", value: function(props) { var columnsCount = props.columnsCount, columnWidth = props.columnWidth, rowHeight = props.rowHeight, rowsCount = props.rowsCount; this._columnMetadata = (0, _utils.initCellMetadata)({ cellsCount: columnsCount, size: columnWidth }), this._rowMetadata = (0, _utils.initCellMetadata)({ cellsCount: rowsCount, size: rowHeight }); } }, { key: "_enablePointerEventsAfterDelay", value: function() { var _this2 = this; this._disablePointerEventsTimeoutId && clearTimeout(this._disablePointerEventsTimeoutId), this._disablePointerEventsTimeoutId = setTimeout(function() { _this2._disablePointerEventsTimeoutId = null, _this2.setState({ isScrolling: !1 }); }, IS_SCROLLING_TIMEOUT); } }, { key: "_getColumnWidth", value: function(index) { var columnWidth = this.props.columnWidth; return columnWidth instanceof Function ? columnWidth(index) : columnWidth; } }, { key: "_getRowHeight", value: function(index) { var rowHeight = this.props.rowHeight; return rowHeight instanceof Function ? rowHeight(index) : rowHeight; } }, { key: "_getTotalColumnsWidth", value: function() { if (0 === this._columnMetadata.length) return 0; var datum = this._columnMetadata[this._columnMetadata.length - 1]; return datum.offset + datum.size; } }, { key: "_getTotalRowsHeight", value: function() { if (0 === this._rowMetadata.length) return 0; var datum = this._rowMetadata[this._rowMetadata.length - 1]; return datum.offset + datum.size; } }, { key: "_invokeOnGridRenderedHelper", value: function() { var onSectionRendered = this.props.onSectionRendered; this._onGridRenderedMemoizer({ callback: onSectionRendered, indices: { columnOverscanStartIndex: this._columnStartIndex, columnOverscanStopIndex: this._columnStopIndex, columnStartIndex: this._renderedColumnStartIndex, columnStopIndex: this._renderedColumnStopIndex, rowOverscanStartIndex: this._rowStartIndex, rowOverscanStopIndex: this._rowStopIndex, rowStartIndex: this._renderedRowStartIndex, rowStopIndex: this._renderedRowStopIndex } }); } }, { key: "_invokeOnScrollMemoizer", value: function(_ref3) { var scrollLeft = _ref3.scrollLeft, scrollTop = _ref3.scrollTop, totalColumnsWidth = _ref3.totalColumnsWidth, totalRowsHeight = _ref3.totalRowsHeight, _props4 = this.props, height = _props4.height, onScroll = _props4.onScroll, width = _props4.width; this._onScrollMemoizer({ callback: function(_ref4) { var scrollLeft = _ref4.scrollLeft, scrollTop = _ref4.scrollTop; onScroll({ clientHeight: height, clientWidth: width, scrollHeight: totalRowsHeight, scrollLeft: scrollLeft, scrollTop: scrollTop, scrollWidth: totalColumnsWidth }); }, indices: { scrollLeft: scrollLeft, scrollTop: scrollTop } }); } }, { key: "_setNextState", value: function(state) { var _this3 = this; this._setNextStateAnimationFrameId && _raf2["default"].cancel(this._setNextStateAnimationFrameId), this._setNextStateAnimationFrameId = (0, _raf2["default"])(function() { _this3._setNextStateAnimationFrameId = null, _this3.setState(state); }); } }, { key: "_updateScrollLeftForScrollToColumn", value: function(scrollToColumnOverride) { var scrollToColumn = null != scrollToColumnOverride ? scrollToColumnOverride : this.props.scrollToColumn, width = this.props.width, scrollLeft = this.state.scrollLeft; if (scrollToColumn >= 0) { var calculatedScrollLeft = (0, _utils.getUpdatedOffsetForIndex)({ cellMetadata: this._columnMetadata, containerSize: width, currentOffset: scrollLeft, targetIndex: scrollToColumn }); scrollLeft !== calculatedScrollLeft && this.setScrollPosition({ scrollLeft: calculatedScrollLeft }); } } }, { key: "_updateScrollTopForScrollToRow", value: function(scrollToRowOverride) { var scrollToRow = null != scrollToRowOverride ? scrollToRowOverride : this.props.scrollToRow, height = this.props.height, scrollTop = this.state.scrollTop; if (scrollToRow >= 0) { var calculatedScrollTop = (0, _utils.getUpdatedOffsetForIndex)({ cellMetadata: this._rowMetadata, containerSize: height, currentOffset: scrollTop, targetIndex: scrollToRow }); scrollTop !== calculatedScrollTop && this.setScrollPosition({ scrollTop: calculatedScrollTop }); } } }, { key: "_onKeyPress", value: function(event) { var _props5 = this.props, columnsCount = _props5.columnsCount, height = _props5.height, rowsCount = _props5.rowsCount, width = _props5.width, _state3 = this.state, scrollLeft = _state3.scrollLeft, scrollTop = _state3.scrollTop, datum = void 0, newScrollLeft = void 0, newScrollTop = void 0; if (0 !== columnsCount && 0 !== rowsCount) switch (event.key) { case "ArrowDown": event.preventDefault(), datum = this._rowMetadata[this._renderedRowStartIndex], newScrollTop = Math.min(this._getTotalRowsHeight() - height, scrollTop + datum.size), this.setScrollPosition({ scrollTop: newScrollTop }); break; case "ArrowLeft": event.preventDefault(), this.scrollToCell({ scrollToColumn: Math.max(0, this._renderedColumnStartIndex - 1), scrollToRow: this.props.scrollToRow }); break; case "ArrowRight": event.preventDefault(), datum = this._columnMetadata[this._renderedColumnStartIndex], newScrollLeft = Math.min(this._getTotalColumnsWidth() - width, scrollLeft + datum.size), this.setScrollPosition({ scrollLeft: newScrollLeft }); break; case "ArrowUp": event.preventDefault(), this.scrollToCell({ scrollToColumn: this.props.scrollToColumn, scrollToRow: Math.max(0, this._renderedRowStartIndex - 1) }); } } }, { key: "_onScroll", value: function(event) { if (event.target === this.refs.scrollingContainer) { this._enablePointerEventsAfterDelay(); var _props6 = this.props, height = _props6.height, width = _props6.width, totalRowsHeight = this._getTotalRowsHeight(), totalColumnsWidth = this._getTotalColumnsWidth(), scrollLeft = Math.min(totalColumnsWidth - width, event.target.scrollLeft), scrollTop = Math.min(totalRowsHeight - height, event.target.scrollTop); if (this.state.scrollLeft !== scrollLeft || this.state.scrollTop !== scrollTop) { var scrollPositionChangeReason = event.cancelable ? SCROLL_POSITION_CHANGE_REASONS.OBSERVED : SCROLL_POSITION_CHANGE_REASONS.REQUESTED; this.state.isScrolling || this.setState({ isScrolling: !0 }), this._setNextState({ isScrolling: !0, scrollLeft: scrollLeft, scrollPositionChangeReason: scrollPositionChangeReason, scrollTop: scrollTop }); } this._invokeOnScrollMemoizer({ scrollLeft: scrollLeft, scrollTop: scrollTop, totalColumnsWidth: totalColumnsWidth, totalRowsHeight: totalRowsHeight }); } } } ]), Grid; }(_react.Component); Grid.propTypes = { className: _react.PropTypes.string, columnsCount: _react.PropTypes.number.isRequired, columnWidth: _react.PropTypes.oneOfType([ _react.PropTypes.number, _react.PropTypes.func ]).isRequired, height: _react.PropTypes.number.isRequired, noContentRenderer: _react.PropTypes.func.isRequired, onScroll: _react.PropTypes.func.isRequired, onSectionRendered: _react.PropTypes.func.isRequired, overscanColumnsCount: _react.PropTypes.number.isRequired, overscanRowsCount: _react.PropTypes.number.isRequired, renderCell: _react.PropTypes.func.isRequired, rowHeight: _react.PropTypes.oneOfType([ _react.PropTypes.number, _react.PropTypes.func ]).isRequired, rowsCount: _react.PropTypes.number.isRequired, scrollLeft: _react.PropTypes.number, scrollToColumn: _react.PropTypes.number, scrollTop: _react.PropTypes.number, scrollToRow: _react.PropTypes.number, width: _react.PropTypes.number.isRequired }, Grid.defaultProps = { noContentRenderer: function() { return null; }, onScroll: function() { return null; }, onSectionRendered: function() { return null; }, overscanColumnsCount: 0, overscanRowsCount: 10 }, exports["default"] = Grid; }, /* 11 */ /***/ function(module, exports) { "use strict"; function computeCellMetadataAndUpdateScrollOffsetHelper(_ref) { var cellsCount = _ref.cellsCount, cellSize = _ref.cellSize, computeMetadataCallback = _ref.computeMetadataCallback, computeMetadataCallbackProps = _ref.computeMetadataCallbackProps, computeMetadataOnNextUpdate = _ref.computeMetadataOnNextUpdate, nextCellsCount = _ref.nextCellsCount, nextCellSize = _ref.nextCellSize, nextScrollToIndex = _ref.nextScrollToIndex, scrollToIndex = _ref.scrollToIndex, updateScrollOffsetForScrollToIndex = _ref.updateScrollOffsetForScrollToIndex; (computeMetadataOnNextUpdate || cellsCount !== nextCellsCount || ("number" == typeof cellSize || "number" == typeof nextCellSize) && cellSize !== nextCellSize) && (computeMetadataCallback(computeMetadataCallbackProps), scrollToIndex >= 0 && scrollToIndex === nextScrollToIndex && updateScrollOffsetForScrollToIndex()); } function createCallbackMemoizer() { var requireAllKeys = arguments.length <= 0 || void 0 === arguments[0] ? !0 : arguments[0], cachedIndices = {}; return function(_ref2) { var callback = _ref2.callback, indices = _ref2.indices, keys = Object.keys(indices), allInitialized = !requireAllKeys || keys.every(function(key) { return indices[key] >= 0; }), indexChanged = keys.some(function(key) { return cachedIndices[key] !== indices[key]; }); cachedIndices = indices, allInitialized && indexChanged && callback(indices); }; } function findNearestCell(_ref3) { for (var cellMetadata = _ref3.cellMetadata, mode = _ref3.mode, offset = _ref3.offset, high = cellMetadata.length - 1, low = 0, middle = void 0, currentOffset = void 0; high >= low; ) { if (middle = low + Math.floor((high - low) / 2), currentOffset = cellMetadata[middle].offset, currentOffset === offset) return middle; offset > currentOffset ? low = middle + 1 : currentOffset > offset && (high = middle - 1); } return mode === findNearestCell.EQUAL_OR_LOWER && low > 0 ? low - 1 : mode === findNearestCell.EQUAL_OR_HIGHER && high < cellMetadata.length - 1 ? high + 1 : void 0; } function getOverscanIndices(_ref4) { var cellsCount = _ref4.cellsCount, overscanCellsCount = _ref4.overscanCellsCount, startIndex = _ref4.startIndex, stopIndex = _ref4.stopIndex; return { overscanStartIndex: Math.max(0, startIndex - overscanCellsCount), overscanStopIndex: Math.min(cellsCount - 1, stopIndex + overscanCellsCount) }; } function getUpdatedOffsetForIndex(_ref5) { var cellMetadata = _ref5.cellMetadata, containerSize = _ref5.containerSize, currentOffset = _ref5.currentOffset, targetIndex = _ref5.targetIndex; if (0 === cellMetadata.length) return 0; targetIndex = Math.max(0, Math.min(cellMetadata.length - 1, targetIndex)); var datum = cellMetadata[targetIndex], maxOffset = datum.offset, minOffset = maxOffset - containerSize + datum.size, newOffset = Math.max(minOffset, Math.min(maxOffset, currentOffset)); return newOffset; } function getVisibleCellIndices(_ref6) { var cellsCount = _ref6.cellsCount, cellMetadata = _ref6.cellMetadata, containerSize = _ref6.containerSize, currentOffset = _ref6.currentOffset; if (0 === cellsCount) return {}; var lastDatum = cellMetadata[cellMetadata.length - 1], totalCellSize = lastDatum.offset + lastDatum.size; currentOffset = Math.max(0, Math.min(totalCellSize - containerSize, currentOffset)); var maxOffset = Math.min(totalCellSize, currentOffset + containerSize), start = findNearestCell({ cellMetadata: cellMetadata, mode: findNearestCell.EQUAL_OR_LOWER, offset: currentOffset }), datum = cellMetadata[start]; currentOffset = datum.offset + datum.size; for (var stop = start; maxOffset > currentOffset && cellsCount - 1 > stop; ) stop++, currentOffset += cellMetadata[stop].size; return { start: start, stop: stop }; } function initCellMetadata(_ref7) { for (var cellsCount = _ref7.cellsCount, size = _ref7.size, sizeGetter = size instanceof Function ? size : function(index) { return size; }, cellMetadata = [], offset = 0, i = 0; cellsCount > i; i++) { var _size = sizeGetter(i); if (null == _size || isNaN(_size)) throw Error("Invalid size returned for cell " + i + " of value " + _size); cellMetadata[i] = { size: _size, offset: offset }, offset += _size; } return cellMetadata; } function updateScrollIndexHelper(_ref8) { var cellMetadata = _ref8.cellMetadata, cellsCount = _ref8.cellsCount, cellSize = _ref8.cellSize, previousCellsCount = _ref8.previousCellsCount, previousCellSize = _ref8.previousCellSize, previousScrollToIndex = _ref8.previousScrollToIndex, previousSize = _ref8.previousSize, scrollOffset = _ref8.scrollOffset, scrollToIndex = _ref8.scrollToIndex, size = _ref8.size, updateScrollIndexCallback = _ref8.updateScrollIndexCallback, hasScrollToIndex = scrollToIndex >= 0 && cellsCount > scrollToIndex, sizeHasChanged = size !== previousSize || !previousCellSize || "number" == typeof cellSize && cellSize !== previousCellSize; if (hasScrollToIndex && (sizeHasChanged || scrollToIndex !== previousScrollToIndex)) updateScrollIndexCallback(); else if (!hasScrollToIndex && (previousSize > size || previousCellsCount > cellsCount)) { var calculatedScrollOffset = getUpdatedOffsetForIndex({ cellMetadata: cellMetadata, containerSize: size, currentOffset: scrollOffset, targetIndex: cellsCount - 1 }); scrollOffset > calculatedScrollOffset && updateScrollIndexCallback(cellsCount - 1); } } Object.defineProperty(exports, "__esModule", { value: !0 }), exports.computeCellMetadataAndUpdateScrollOffsetHelper = computeCellMetadataAndUpdateScrollOffsetHelper, exports.createCallbackMemoizer = createCallbackMemoizer, exports.findNearestCell = findNearestCell, exports.getOverscanIndices = getOverscanIndices, exports.getUpdatedOffsetForIndex = getUpdatedOffsetForIndex, exports.getVisibleCellIndices = getVisibleCellIndices, exports.initCellMetadata = initCellMetadata, exports.updateScrollIndexHelper = updateScrollIndexHelper, findNearestCell.EQUAL_OR_LOWER = 1, findNearestCell.EQUAL_OR_HIGHER = 2; }, /* 12 */ /***/ function(module, exports, __webpack_require__) { var __WEBPACK_AMD_DEFINE_ARRAY__, __WEBPACK_AMD_DEFINE_RESULT__; /*! Copyright (c) 2016 Jed Watson. Licensed under the MIT License (MIT), see http://jedwatson.github.io/classnames */ /* global define */ !function() { "use strict"; function classNames() { for (var classes = [], i = 0; i < arguments.length; i++) { var arg = arguments[i]; if (arg) { var argType = typeof arg; if ("string" === argType || "number" === argType) classes.push(arg); else if (Array.isArray(arg)) classes.push(classNames.apply(null, arg)); else if ("object" === argType) for (var key in arg) hasOwn.call(arg, key) && arg[key] && classes.push(key); } } return classes.join(" "); } var hasOwn = {}.hasOwnProperty; "undefined" != typeof module && module.exports ? module.exports = classNames : (__WEBPACK_AMD_DEFINE_ARRAY__ = [], __WEBPACK_AMD_DEFINE_RESULT__ = function() { return classNames; }.apply(exports, __WEBPACK_AMD_DEFINE_ARRAY__), !(void 0 !== __WEBPACK_AMD_DEFINE_RESULT__ && (module.exports = __WEBPACK_AMD_DEFINE_RESULT__))); }(); }, /* 13 */ /***/ function(module, exports, __webpack_require__) { /* WEBPACK VAR INJECTION */ (function(global) { for (var now = __webpack_require__(14), root = "undefined" == typeof window ? global : window, vendors = [ "moz", "webkit" ], suffix = "AnimationFrame", raf = root["request" + suffix], caf = root["cancel" + suffix] || root["cancelRequest" + suffix], i = 0; !raf && i < vendors.length; i++) raf = root[vendors[i] + "Request" + suffix], caf = root[vendors[i] + "Cancel" + suffix] || root[vendors[i] + "CancelRequest" + suffix]; // Some versions of FF have rAF but not cAF if (!raf || !caf) { var last = 0, id = 0, queue = [], frameDuration = 1e3 / 60; raf = function(callback) { if (0 === queue.length) { var _now = now(), next = Math.max(0, frameDuration - (_now - last)); last = next + _now, setTimeout(function() { var cp = queue.slice(0); // Clear queue here to prevent // callbacks from appending listeners // to the current frame's queue queue.length = 0; for (var i = 0; i < cp.length; i++) if (!cp[i].cancelled) try { cp[i].callback(last); } catch (e) { setTimeout(function() { throw e; }, 0); } }, Math.round(next)); } return queue.push({ handle: ++id, callback: callback, cancelled: !1 }), id; }, caf = function(handle) { for (var i = 0; i < queue.length; i++) queue[i].handle === handle && (queue[i].cancelled = !0); }; } module.exports = function(fn) { // Wrap in a new function to prevent // `cancel` potentially being assigned // to the native rAF function return raf.call(root, fn); }, module.exports.cancel = function() { caf.apply(root, arguments); }, module.exports.polyfill = function() { root.requestAnimationFrame = raf, root.cancelAnimationFrame = caf; }; }).call(exports, function() { return this; }()); }, /* 14 */ /***/ function(module, exports, __webpack_require__) { /* WEBPACK VAR INJECTION */ (function(process) { // Generated by CoffeeScript 1.7.1 (function() { var getNanoSeconds, hrtime, loadTime; "undefined" != typeof performance && null !== performance && performance.now ? module.exports = function() { return performance.now(); } : "undefined" != typeof process && null !== process && process.hrtime ? (module.exports = function() { return (getNanoSeconds() - loadTime) / 1e6; }, hrtime = process.hrtime, getNanoSeconds = function() { var hr; return hr = hrtime(), 1e9 * hr[0] + hr[1]; }, loadTime = getNanoSeconds()) : Date.now ? (module.exports = function() { return Date.now() - loadTime; }, loadTime = Date.now()) : (module.exports = function() { return new Date().getTime() - loadTime; }, loadTime = new Date().getTime()); }).call(this); }).call(exports, __webpack_require__(15)); }, /* 15 */ /***/ function(module, exports) { function cleanUpNextTick() { draining = !1, currentQueue.length ? queue = currentQueue.concat(queue) : queueIndex = -1, queue.length && drainQueue(); } function drainQueue() { if (!draining) { var timeout = setTimeout(cleanUpNextTick); draining = !0; for (var len = queue.length; len; ) { for (currentQueue = queue, queue = []; ++queueIndex < len; ) currentQueue && currentQueue[queueIndex].run(); queueIndex = -1, len = queue.length; } currentQueue = null, draining = !1, clearTimeout(timeout); } } // v8 likes predictible objects function Item(fun, array) { this.fun = fun, this.array = array; } function noop() {} // shim for using process in browser var currentQueue, process = module.exports = {}, queue = [], draining = !1, queueIndex = -1; process.nextTick = function(fun) { var args = new Array(arguments.length - 1); if (arguments.length > 1) for (var i = 1; i < arguments.length; i++) args[i - 1] = arguments[i]; queue.push(new Item(fun, args)), 1 !== queue.length || draining || setTimeout(drainQueue, 0); }, Item.prototype.run = function() { this.fun.apply(null, this.array); }, process.title = "browser", process.browser = !0, process.env = {}, process.argv = [], process.version = "", // empty string to avoid regexp issues process.versions = {}, process.on = noop, process.addListener = noop, process.once = noop, process.off = noop, process.removeListener = noop, process.removeAllListeners = noop, process.emit = noop, process.binding = function(name) { throw new Error("process.binding is not supported"); }, process.cwd = function() { return "/"; }, process.chdir = function(dir) { throw new Error("process.chdir is not supported"); }, process.umask = function() { return 0; }; }, /* 16 */ /***/ function(module, exports, __webpack_require__) { "use strict"; function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { "default": obj }; } Object.defineProperty(exports, "__esModule", { value: !0 }), exports.SortIndicator = exports.SortDirection = exports.FlexColumn = exports.FlexTable = exports["default"] = void 0; var _FlexTable2 = __webpack_require__(17), _FlexTable3 = _interopRequireDefault(_FlexTable2), _FlexColumn2 = __webpack_require__(18), _FlexColumn3 = _interopRequireDefault(_FlexColumn2), _SortDirection2 = __webpack_require__(20), _SortDirection3 = _interopRequireDefault(_SortDirection2), _SortIndicator2 = __webpack_require__(19), _SortIndicator3 = _interopRequireDefault(_SortIndicator2); exports["default"] = _FlexTable3["default"], exports.FlexTable = _FlexTable3["default"], exports.FlexColumn = _FlexColumn3["default"], exports.SortDirection = _SortDirection3["default"], exports.SortIndicator = _SortIndicator3["default"]; }, /* 17 */ /***/ function(module, exports, __webpack_require__) { "use strict"; function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { "default": obj }; } function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) throw new TypeError("Cannot call a class as a function"); } function _possibleConstructorReturn(self, call) { if (!self) throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); return !call || "object" != typeof call && "function" != typeof call ? self : call; } function _inherits(subClass, superClass) { if ("function" != typeof superClass && null !== superClass) throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, enumerable: !1, writable: !0, configurable: !0 } }), superClass && (Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass); } Object.defineProperty(exports, "__esModule", { value: !0 }); var _createClass = function() { function defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || !1, descriptor.configurable = !0, "value" in descriptor && (descriptor.writable = !0), Object.defineProperty(target, descriptor.key, descriptor); } } return function(Constructor, protoProps, staticProps) { return protoProps && defineProperties(Constructor.prototype, protoProps), staticProps && defineProperties(Constructor, staticProps), Constructor; }; }(), _classnames = __webpack_require__(12), _classnames2 = _interopRequireDefault(_classnames), _FlexColumn = __webpack_require__(18), _FlexColumn2 = _interopRequireDefault(_FlexColumn), _react = __webpack_require__(3), _react2 = _interopRequireDefault(_react), _reactDom = __webpack_require__(21), _function = __webpack_require__(4), _function2 = _interopRequireDefault(_function), _Grid = __webpack_require__(9), _Grid2 = _interopRequireDefault(_Grid), _SortDirection = __webpack_require__(20), _SortDirection2 = _interopRequireDefault(_SortDirection), FlexTable = function(_Component) { function FlexTable(props) { _classCallCheck(this, FlexTable); var _this = _possibleConstructorReturn(this, Object.getPrototypeOf(FlexTable).call(this, props)); return _initialiseProps.call(_this), _this.state = { scrollbarWidth: 0 }, _this._createRow = _this._createRow.bind(_this), _this; } return _inherits(FlexTable, _Component), _createClass(FlexTable, [ { key: "recomputeRowHeights", value: function() { this.refs.Grid.recomputeGridSize(); } }, { key: "scrollToRow", value: function(scrollToIndex) { this.refs.Grid.scrollToCell({ scrollToColumn: 0, scrollToRow: scrollToIndex }); } }, { key: "setScrollTop", value: function(scrollTop) { this.refs.Grid.setScrollPosition({ scrollLeft: 0, scrollTop: scrollTop }); } }, { key: "componentDidMount", value: function() { var scrollTop = this.props.scrollTop; scrollTop >= 0 && this.setScrollTop(scrollTop), this._setScrollbarWidth(); } }, { key: "componentDidUpdate", value: function() { this._setScrollbarWidth(); } }, { key: "componentWillUpdate", value: function(nextProps, nextState) { nextProps.scrollTop !== this.props.scrollTop && this.setScrollTop(nextProps.scrollTop); } }, { key: "render", value: function() { var _this2 = this, _props = this.props, className = _props.className, disableHeader = _props.disableHeader, headerHeight = _props.headerHeight, height = _props.height, noRowsRenderer = _props.noRowsRenderer, onRowsRendered = _props.onRowsRendered, _onScroll = _props.onScroll, overscanRowsCount = _props.overscanRowsCount, rowClassName = _props.rowClassName, rowHeight = _props.rowHeight, rowsCount = _props.rowsCount, scrollToIndex = _props.scrollToIndex, width = _props.width, scrollbarWidth = this.state.scrollbarWidth, availableRowsHeight = height - headerHeight, rowRenderer = function(index) { return _this2._createRow(index); }, rowClass = rowClassName instanceof Function ? rowClassName(-1) : rowClassName; return _react2["default"].createElement("div", { className: (0, _classnames2["default"])("FlexTable", className) }, !disableHeader && _react2["default"].createElement("div", { className: (0, _classnames2["default"])("FlexTable__headerRow", rowClass), style: { height: headerHeight, paddingRight: scrollbarWidth, width: width } }, this._getRenderedHeaderRow()), _react2["default"].createElement(_Grid2["default"], { ref: "Grid", className: "FlexTable__Grid", columnWidth: width, columnsCount: 1, height: availableRowsHeight, noContentRenderer: noRowsRenderer, onScroll: function(_ref) { var clientHeight = _ref.clientHeight, scrollHeight = _ref.scrollHeight, scrollTop = _ref.scrollTop; return _onScroll({ clientHeight: clientHeight, scrollHeight: scrollHeight, scrollTop: scrollTop }); }, onSectionRendered: function(_ref2) { var rowOverscanStartIndex = _ref2.rowOverscanStartIndex, rowOverscanStopIndex = _ref2.rowOverscanStopIndex, rowStartIndex = _ref2.rowStartIndex, rowStopIndex = _ref2.rowStopIndex; return onRowsRendered({ overscanStartIndex: rowOverscanStartIndex, overscanStopIndex: rowOverscanStopIndex, startIndex: rowStartIndex, stopIndex: rowStopIndex }); }, overscanRowsCount: overscanRowsCount, renderCell: function(_ref3) { var rowIndex = (_ref3.columnIndex, _ref3.rowIndex); return rowRenderer(rowIndex); }, rowHeight: rowHeight, rowsCount: rowsCount, scrollToRow: scrollToIndex, width: width })); } }, { key: "_createColumn", value: function(column, columnIndex, rowData, rowIndex) { var _column$props = column.props, cellClassName = _column$props.cellClassName, cellDataGetter = _column$props.cellDataGetter, columnData = _column$props.columnData, dataKey = _column$props.dataKey, cellRenderer = _column$props.cellRenderer, cellData = cellDataGetter(dataKey, rowData, columnData), renderedCell = cellRenderer(cellData, dataKey, rowData, rowIndex, columnData), style = this._getFlexStyleForColumn(column), title = "string" == typeof renderedCell ? renderedCell : null; return _react2["default"].createElement("div", { key: "Row" + rowIndex + "-Col" + columnIndex, className: (0, _classnames2["default"])("FlexTable__rowColumn", cellClassName), style: style }, _react2["default"].createElement("div", { className: "FlexTable__truncatedColumnText", title: title }, renderedCell)); } }, { key: "_createHeader", value: function(column, columnIndex) { var _props2 = this.props, headerClassName = _props2.headerClassName, onHeaderClick = _props2.onHeaderClick, sort = _props2.sort, sortBy = _props2.sortBy, sortDirection = _props2.sortDirection, _column$props2 = column.props, dataKey = _column$props2.dataKey, disableSort = _column$props2.disableSort, headerRenderer = _column$props2.headerRenderer, label = _column$props2.label, columnData = _column$props2.columnData, sortEnabled = !disableSort && sort, classNames = (0, _classnames2["default"])("FlexTable__headerColumn", headerClassName, column.props.headerClassName, { FlexTable__sortableHeaderColumn: sortEnabled }), style = this._getFlexStyleForColumn(column), newSortDirection = sortBy !== dataKey || sortDirection === _SortDirection2["default"].DESC ? _SortDirection2["default"].ASC : _SortDirection2["default"].DESC, onClick = function() { sortEnabled && sort(dataKey, newSortDirection), onHeaderClick(dataKey, columnData); }, renderedHeader = headerRenderer({ columnData: columnData, dataKey: dataKey, disableSort: disableSort, label: label, sortBy: sortBy, sortDirection: sortDirection }); return _react2["default"].createElement("div", { key: "Header-Col" + columnIndex, className: classNames, style: style, onClick: onClick }, renderedHeader); } }, { key: "_createRow", value: function(rowIndex) { var _this3 = this, _props3 = this.props, children = _props3.children, onRowClick = _props3.onRowClick, rowClassName = _props3.rowClassName, rowGetter = _props3.rowGetter, scrollbarWidth = this.state.scrollbarWidth, rowClass = rowClassName instanceof Function ? rowClassName(rowIndex) : rowClassName, renderedRow = _react2["default"].Children.map(children, function(column, columnIndex) { return _this3._createColumn(column, columnIndex, rowGetter(rowIndex), rowIndex); }); return _react2["default"].createElement("div", { key: rowIndex, className: (0, _classnames2["default"])("FlexTable__row", rowClass), onClick: function() { return onRowClick(rowIndex); }, style: { height: this._getRowHeight(rowIndex), paddingRight: scrollbarWidth } }, renderedRow); } }, { key: "_getFlexStyleForColumn", value: function(column) { var flexValue = column.props.flexGrow + " " + column.props.flexShrink + " " + column.props.width + "px", style = { flex: flexValue, msFlex: flexValue, WebkitFlex: flexValue }; return column.props.maxWidth && (style.maxWidth = column.props.maxWidth), column.props.minWidth && (style.minWidth = column.props.minWidth), style; } }, { key: "_getRenderedHeaderRow", value: function() { var _this4 = this, _props4 = this.props, children = _props4.children, disableHeader = _props4.disableHeader, items = disableHeader ? [] : children; return _react2["default"].Children.map(items, function(column, index) { return _this4._createHeader(column, index); }); } }, { key: "_getRowHeight", value: function(rowIndex) { var rowHeight = this.props.rowHeight; return rowHeight instanceof Function ? rowHeight(rowIndex) : rowHeight; } }, { key: "_setScrollbarWidth", value: function() { var Grid = (0, _reactDom.findDOMNode)(this.refs.Grid), clientWidth = Grid.clientWidth || 0, offsetWidth = Grid.offsetWidth || 0, scrollbarWidth = offsetWidth - clientWidth; this.setState({ scrollbarWidth: scrollbarWidth }); } } ]), FlexTable; }(_react.Component); FlexTable.propTypes = { children: function children(props, propName, componentName) { for (var children = _react2["default"].Children.toArray(props.children), i = 0; i < children.length; i++) if (children[i].type !== _FlexColumn2["default"]) return new Error("FlexTable only accepts children of type FlexColumn"); }, className: _react.PropTypes.string, disableHeader: _react.PropTypes.bool, headerClassName: _react.PropTypes.string, headerHeight: _react.PropTypes.number.isRequired, height: _react.PropTypes.number.isRequired, noRowsRenderer: _react.PropTypes.func, onHeaderClick: _react.PropTypes.func, onRowClick: _react.PropTypes.func, onRowsRendered: _react.PropTypes.func, onScroll: _react.PropTypes.func.isRequired, overscanRowsCount: _react.PropTypes.number.isRequired, rowClassName: _react.PropTypes.oneOfType([ _react.PropTypes.string, _react.PropTypes.func ]), rowGetter: _react.PropTypes.func.isRequired, rowHeight: _react.PropTypes.oneOfType([ _react.PropTypes.number, _react.PropTypes.func ]).isRequired, rowsCount: _react.PropTypes.number.isRequired, scrollToIndex: _react.PropTypes.number, scrollTop: _react.PropTypes.number, sort: _react.PropTypes.func, sortBy: _react.PropTypes.string, sortDirection: _react.PropTypes.oneOf([ _SortDirection2["default"].ASC, _SortDirection2["default"].DESC ]), width: _react.PropTypes.number.isRequired }, FlexTable.defaultProps = { disableHeader: !1, headerHeight: 0, noRowsRenderer: function() { return null; }, onHeaderClick: function() { return null; }, onRowClick: function() { return null; }, onRowsRendered: function() { return null; }, onScroll: function() { return null; }, overscanRowsCount: 10 }; var _initialiseProps = function() { this.shouldComponentUpdate = _function2["default"]; }; exports["default"] = FlexTable; }, /* 18 */ /***/ function(module, exports, __webpack_require__) { "use strict"; function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { "default": obj }; } function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) throw new TypeError("Cannot call a class as a function"); } function _possibleConstructorReturn(self, call) { if (!self) throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); return !call || "object" != typeof call && "function" != typeof call ? self : call; } function _inherits(subClass, superClass) { if ("function" != typeof superClass && null !== superClass) throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, enumerable: !1, writable: !0, configurable: !0 } }), superClass && (Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass); } function defaultCellRenderer(cellData, cellDataKey, rowData, rowIndex, columnData) { return null === cellData || void 0 === cellData ? "" : String(cellData); } function defaultCellDataGetter(dataKey, rowData, columnData) { return rowData.get instanceof Function ? rowData.get(dataKey) : rowData[dataKey]; } function defaultHeaderRenderer(_ref) { var dataKey = (_ref.columnData, _ref.dataKey), label = (_ref.disableSort, _ref.label), sortBy = _ref.sortBy, sortDirection = _ref.sortDirection, showSortIndicator = sortBy === dataKey, children = [ _react2["default"].createElement("div", { className: "FlexTable__headerTruncatedText", key: "label", title: label }, label) ]; return showSortIndicator && children.push(_react2["default"].createElement(_SortIndicator2["default"], { key: "SortIndicator", sortDirection: sortDirection })), children; } Object.defineProperty(exports, "__esModule", { value: !0 }), exports.defaultCellRenderer = defaultCellRenderer, exports.defaultCellDataGetter = defaultCellDataGetter, exports.defaultHeaderRenderer = defaultHeaderRenderer; var _react = __webpack_require__(3), _react2 = _interopRequireDefault(_react), _SortIndicator = __webpack_require__(19), _SortIndicator2 = _interopRequireDefault(_SortIndicator), Column = function(_Component) { function Column() { return _classCallCheck(this, Column), _possibleConstructorReturn(this, Object.getPrototypeOf(Column).apply(this, arguments)); } return _inherits(Column, _Component), Column; }(_react.Component); Column.defaultProps = { cellDataGetter: defaultCellDataGetter, cellRenderer: defaultCellRenderer, flexGrow: 0, flexShrink: 1, headerRenderer: defaultHeaderRenderer }, Column.propTypes = { cellClassName: _react.PropTypes.string, cellDataGetter: _react.PropTypes.func, cellRenderer: _react.PropTypes.func, columnData: _react.PropTypes.object, dataKey: _react.PropTypes.any.isRequired, disableSort: _react.PropTypes.bool, flexGrow: _react.PropTypes.number, flexShrink: _react.PropTypes.number, headerClassName: _react.PropTypes.string, headerRenderer: _react.PropTypes.func.isRequired, label: _react.PropTypes.string, maxWidth: _react.PropTypes.number, minWidth: _react.PropTypes.number, width: _react.PropTypes.number.isRequired }, exports["default"] = Column; }, /* 19 */ /***/ function(module, exports, __webpack_require__) { "use strict"; function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { "default": obj }; } function SortIndicator(_ref) { var sortDirection = _ref.sortDirection, classNames = (0, _classnames2["default"])("FlexTable__sortableHeaderIcon", { "FlexTable__sortableHeaderIcon--ASC": sortDirection === _SortDirection2["default"].ASC, "FlexTable__sortableHeaderIcon--DESC": sortDirection === _SortDirection2["default"].DESC }); return _react2["default"].createElement("svg", { className: classNames, width: 18, height: 18, viewBox: "0 0 24 24", xmlns: "http://www.w3.org/2000/svg" }, sortDirection === _SortDirection2["default"].ASC ? _react2["default"].createElement("path", { d: "M7 14l5-5 5 5z" }) : _react2["default"].createElement("path", { d: "M7 10l5 5 5-5z" }), _react2["default"].createElement("path", { d: "M0 0h24v24H0z", fill: "none" })); } Object.defineProperty(exports, "__esModule", { value: !0 }), exports["default"] = SortIndicator; var _react = __webpack_require__(3), _react2 = _interopRequireDefault(_react), _classnames = __webpack_require__(12), _classnames2 = _interopRequireDefault(_classnames), _SortDirection = __webpack_require__(20), _SortDirection2 = _interopRequireDefault(_SortDirection); SortIndicator.propTypes = { sortDirection: _react.PropTypes.oneOf([ _SortDirection2["default"].ASC, _SortDirection2["default"].DESC ]) }; }, /* 20 */ /***/ function(module, exports) { "use strict"; Object.defineProperty(exports, "__esModule", { value: !0 }); var SortDirection = { ASC: "ASC", DESC: "DESC" }; exports["default"] = SortDirection; }, /* 21 */ /***/ function(module, exports) { module.exports = __WEBPACK_EXTERNAL_MODULE_21__; }, /* 22 */ /***/ function(module, exports, __webpack_require__) { "use strict"; function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { "default": obj }; } Object.defineProperty(exports, "__esModule", { value: !0 }), exports.InfiniteLoader = exports["default"] = void 0; var _InfiniteLoader2 = __webpack_require__(23), _InfiniteLoader3 = _interopRequireDefault(_InfiniteLoader2); exports["default"] = _InfiniteLoader3["default"], exports.InfiniteLoader = _InfiniteLoader3["default"]; }, /* 23 */ /***/ function(module, exports, __webpack_require__) { "use strict"; function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { "default": obj }; } function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) throw new TypeError("Cannot call a class as a function"); } function _possibleConstructorReturn(self, call) { if (!self) throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); return !call || "object" != typeof call && "function" != typeof call ? self : call; } function _inherits(subClass, superClass) { if ("function" != typeof superClass && null !== superClass) throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, enumerable: !1, writable: !0, configurable: !0 } }), superClass && (Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass); } function isRangeVisible(_ref2) { var lastRenderedStartIndex = _ref2.lastRenderedStartIndex, lastRenderedStopIndex = _ref2.lastRenderedStopIndex, startIndex = _ref2.startIndex, stopIndex = _ref2.stopIndex; return !(startIndex > lastRenderedStopIndex || lastRenderedStartIndex > stopIndex); } function scanForUnloadedRanges(_ref3) { for (var isRowLoaded = _ref3.isRowLoaded, startIndex = _ref3.startIndex, stopIndex = _ref3.stopIndex, unloadedRanges = [], rangeStartIndex = null, rangeStopIndex = null, i = startIndex; stopIndex >= i; i++) { var loaded = isRowLoaded(i); loaded ? null !== rangeStopIndex && (unloadedRanges.push({ startIndex: rangeStartIndex, stopIndex: rangeStopIndex }), rangeStartIndex = rangeStopIndex = null) : (rangeStopIndex = i, null === rangeStartIndex && (rangeStartIndex = i)); } return null !== rangeStopIndex && unloadedRanges.push({ startIndex: rangeStartIndex, stopIndex: rangeStopIndex }), unloadedRanges; } Object.defineProperty(exports, "__esModule", { value: !0 }); var _createClass = function() { function defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || !1, descriptor.configurable = !0, "value" in descriptor && (descriptor.writable = !0), Object.defineProperty(target, descriptor.key, descriptor); } } return function(Constructor, protoProps, staticProps) { return protoProps && defineProperties(Constructor.prototype, protoProps), staticProps && defineProperties(Constructor, staticProps), Constructor; }; }(); exports.isRangeVisible = isRangeVisible, exports.scanForUnloadedRanges = scanForUnloadedRanges; var _react = __webpack_require__(3), _function = __webpack_require__(4), _function2 = _interopRequireDefault(_function), InfiniteLoader = function(_Component) { function InfiniteLoader(props, context) { _classCallCheck(this, InfiniteLoader); var _this = _possibleConstructorReturn(this, Object.getPrototypeOf(InfiniteLoader).call(this, props, context)); return _this.shouldComponentUpdate = _function2["default"], _this._onRowsRendered = _this._onRowsRendered.bind(_this), _this._registerChild = _this._registerChild.bind(_this), _this; } return _inherits(InfiniteLoader, _Component), _createClass(InfiniteLoader, [ { key: "render", value: function() { var children = this.props.children; return children({ onRowsRendered: this._onRowsRendered, registerChild: this._registerChild }); } }, { key: "_onRowsRendered", value: function(_ref) { var _this2 = this, startIndex = _ref.startIndex, stopIndex = _ref.stopIndex, _props = this.props, isRowLoaded = _props.isRowLoaded, loadMoreRows = _props.loadMoreRows, rowsCount = _props.rowsCount, threshold = _props.threshold; this._lastRenderedStartIndex = startIndex, this._lastRenderedStopIndex = stopIndex; var unloadedRanges = scanForUnloadedRanges({ isRowLoaded: isRowLoaded, startIndex: Math.max(0, startIndex - threshold), stopIndex: Math.min(rowsCount, stopIndex + threshold) }); unloadedRanges.forEach(function(unloadedRange) { var promise = loadMoreRows(unloadedRange); promise && promise.then(function() { isRangeVisible({ lastRenderedStartIndex: _this2._lastRenderedStartIndex, lastRenderedStopIndex: _this2._lastRenderedStopIndex, startIndex: unloadedRange.startIndex, stopIndex: unloadedRange.stopIndex }) && _this2._registeredChild && _this2._registeredChild.forceUpdate(); }); }); } }, { key: "_registerChild", value: function(registeredChild) { this._registeredChild = registeredChild; } } ]), InfiniteLoader; }(_react.Component); InfiniteLoader.propTypes = { children: _react.PropTypes.func.isRequired, isRowLoaded: _react.PropTypes.func.isRequired, loadMoreRows: _react.PropTypes.func.isRequired, rowsCount: _react.PropTypes.number.isRequired, threshold: _react.PropTypes.number.isRequired }, InfiniteLoader.defaultProps = { rowsCount: 0, threshold: 15 }, exports["default"] = InfiniteLoader; }, /* 24 */ /***/ function(module, exports, __webpack_require__) { "use strict"; function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { "default": obj }; } Object.defineProperty(exports, "__esModule", { value: !0 }), exports.ScrollSync = exports["default"] = void 0; var _ScrollSync2 = __webpack_require__(25), _ScrollSync3 = _interopRequireDefault(_ScrollSync2); exports["default"] = _ScrollSync3["default"], exports.ScrollSync = _ScrollSync3["default"]; }, /* 25 */ /***/ function(module, exports, __webpack_require__) { "use strict"; function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { "default": obj }; } function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) throw new TypeError("Cannot call a class as a function"); } function _possibleConstructorReturn(self, call) { if (!self) throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); return !call || "object" != typeof call && "function" != typeof call ? self : call; } function _inherits(subClass, superClass) { if ("function" != typeof superClass && null !== superClass) throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, enumerable: !1, writable: !0, configurable: !0 } }), superClass && (Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass); } Object.defineProperty(exports, "__esModule", { value: !0 }); var _createClass = function() { function defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || !1, descriptor.configurable = !0, "value" in descriptor && (descriptor.writable = !0), Object.defineProperty(target, descriptor.key, descriptor); } } return function(Constructor, protoProps, staticProps) { return protoProps && defineProperties(Constructor.prototype, protoProps), staticProps && defineProperties(Constructor, staticProps), Constructor; }; }(), _react = __webpack_require__(3), _function = __webpack_require__(4), _function2 = _interopRequireDefault(_function), ScrollSync = function(_Component) { function ScrollSync(props, context) { _classCallCheck(this, ScrollSync); var _this = _possibleConstructorReturn(this, Object.getPrototypeOf(ScrollSync).call(this, props, context)); return _this.shouldComponentUpdate = _function2["default"], _this.state = { clientHeight: 0, clientWidth: 0, scrollHeight: 0, scrollLeft: 0, scrollTop: 0, scrollWidth: 0 }, _this._onScroll = _this._onScroll.bind(_this), _this; } return _inherits(ScrollSync, _Component), _createClass(ScrollSync, [ { key: "render", value: function() { var children = this.props.children, _state = this.state, clientHeight = _state.clientHeight, clientWidth = _state.clientWidth, scrollHeight = _state.scrollHeight, scrollLeft = _state.scrollLeft, scrollTop = _state.scrollTop, scrollWidth = _state.scrollWidth; return children({ clientHeight: clientHeight, clientWidth: clientWidth, onScroll: this._onScroll, scrollHeight: scrollHeight, scrollLeft: scrollLeft, scrollTop: scrollTop, scrollWidth: scrollWidth }); } }, { key: "_onScroll", value: function(_ref) { var clientHeight = _ref.clientHeight, clientWidth = _ref.clientWidth, scrollHeight = _ref.scrollHeight, scrollLeft = _ref.scrollLeft, scrollTop = _ref.scrollTop, scrollWidth = _ref.scrollWidth; this.setState({ clientHeight: clientHeight, clientWidth: clientWidth, scrollHeight: scrollHeight, scrollLeft: scrollLeft, scrollTop: scrollTop, scrollWidth: scrollWidth }); } } ]), ScrollSync; }(_react.Component); ScrollSync.propTypes = { children: _react.PropTypes.func.isRequired }, exports["default"] = ScrollSync; }, /* 26 */ /***/ function(module, exports, __webpack_require__) { "use strict"; function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { "default": obj }; } Object.defineProperty(exports, "__esModule", { value: !0 }), exports.VirtualScroll = exports["default"] = void 0; var _VirtualScroll2 = __webpack_require__(27), _VirtualScroll3 = _interopRequireDefault(_VirtualScroll2); exports["default"] = _VirtualScroll3["default"], exports.VirtualScroll = _VirtualScroll3["default"]; }, /* 27 */ /***/ function(module, exports, __webpack_require__) { "use strict"; function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { "default": obj }; } function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) throw new TypeError("Cannot call a class as a function"); } function _possibleConstructorReturn(self, call) { if (!self) throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); return !call || "object" != typeof call && "function" != typeof call ? self : call; } function _inherits(subClass, superClass) { if ("function" != typeof superClass && null !== superClass) throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, enumerable: !1, writable: !0, configurable: !0 } }), superClass && (Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass); } Object.defineProperty(exports, "__esModule", { value: !0 }); var _createClass = function() { function defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || !1, descriptor.configurable = !0, "value" in descriptor && (descriptor.writable = !0), Object.defineProperty(target, descriptor.key, descriptor); } } return function(Constructor, protoProps, staticProps) { return protoProps && defineProperties(Constructor.prototype, protoProps), staticProps && defineProperties(Constructor, staticProps), Constructor; }; }(), _Grid = __webpack_require__(9), _Grid2 = _interopRequireDefault(_Grid), _react = __webpack_require__(3), _react2 = _interopRequireDefault(_react), _classnames = __webpack_require__(12), _classnames2 = _interopRequireDefault(_classnames), _function = __webpack_require__(4), _function2 = _interopRequireDefault(_function), VirtualScroll = function(_Component) { function VirtualScroll() { var _Object$getPrototypeO, _temp, _this, _ret; _classCallCheck(this, VirtualScroll); for (var _len = arguments.length, args = Array(_len), _key = 0; _len > _key; _key++) args[_key] = arguments[_key]; return _temp = _this = _possibleConstructorReturn(this, (_Object$getPrototypeO = Object.getPrototypeOf(VirtualScroll)).call.apply(_Object$getPrototypeO, [ this ].concat(args))), _this.shouldComponentUpdate = _function2["default"], _ret = _temp, _possibleConstructorReturn(_this, _ret); } return _inherits(VirtualScroll, _Component), _createClass(VirtualScroll, [ { key: "componentDidMount", value: function() { var scrollTop = this.props.scrollTop; scrollTop >= 0 && this.setScrollTop(scrollTop); } }, { key: "componentWillUpdate", value: function(nextProps, nextState) { nextProps.scrollTop !== this.props.scrollTop && this.setScrollTop(nextProps.scrollTop); } }, { key: "recomputeRowHeights", value: function() { this.refs.Grid.recomputeGridSize(); } }, { key: "scrollToRow", value: function(scrollToIndex) { this.refs.Grid.scrollToCell({ scrollToColumn: 0, scrollToRow: scrollToIndex }); } }, { key: "setScrollTop", value: function(scrollTop) { this.refs.Grid.setScrollPosition({ scrollLeft: 0, scrollTop: scrollTop }); } }, { key: "render", value: function() { var _props = this.props, className = _props.className, height = _props.height, noRowsRenderer = _props.noRowsRenderer, onRowsRendered = _props.onRowsRendered, _onScroll = _props.onScroll, rowHeight = _props.rowHeight, rowRenderer = _props.rowRenderer, overscanRowsCount = _props.overscanRowsCount, rowsCount = _props.rowsCount, scrollToIndex = _props.scrollToIndex, width = _props.width, classNames = (0, _classnames2["default"])("VirtualScroll", className); return _react2["default"].createElement(_Grid2["default"], { ref: "Grid", className: classNames, columnWidth: width, columnsCount: 1, height: height, noContentRenderer: noRowsRenderer, onScroll: function(_ref) { var clientHeight = _ref.clientHeight, scrollHeight = _ref.scrollHeight, scrollTop = _ref.scrollTop; return _onScroll({ clientHeight: clientHeight, scrollHeight: scrollHeight, scrollTop: scrollTop }); }, onSectionRendered: function(_ref2) { var rowOverscanStartIndex = _ref2.rowOverscanStartIndex, rowOverscanStopIndex = _ref2.rowOverscanStopIndex, rowStartIndex = _ref2.rowStartIndex, rowStopIndex = _ref2.rowStopIndex; return onRowsRendered({ overscanStartIndex: rowOverscanStartIndex, overscanStopIndex: rowOverscanStopIndex, startIndex: rowStartIndex, stopIndex: rowStopIndex }); }, overscanRowsCount: overscanRowsCount, renderCell: function(_ref3) { var rowIndex = (_ref3.columnIndex, _ref3.rowIndex); return rowRenderer(rowIndex); }, rowHeight: rowHeight, rowsCount: rowsCount, scrollToRow: scrollToIndex, width: width }); } } ]), VirtualScroll; }(_react.Component); VirtualScroll.propTypes = { className: _react.PropTypes.string, height: _react.PropTypes.number.isRequired, noRowsRenderer: _react.PropTypes.func.isRequired, onRowsRendered: _react.PropTypes.func.isRequired, overscanRowsCount: _react.PropTypes.number.isRequired, onScroll: _react.PropTypes.func.isRequired, rowHeight: _react.PropTypes.oneOfType([ _react.PropTypes.number, _react.PropTypes.func ]).isRequired, rowRenderer: _react.PropTypes.func.isRequired, rowsCount: _react.PropTypes.number.isRequired, scrollToIndex: _react.PropTypes.number, scrollTop: _react.PropTypes.number, width: _react.PropTypes.number.isRequired }, VirtualScroll.defaultProps = { noRowsRenderer: function() { return null; }, onRowsRendered: function() { return null; }, onScroll: function() { return null; }, overscanRowsCount: 10 }, exports["default"] = VirtualScroll; } ]); }); //# sourceMappingURL=react-virtualized.js.map
ajax/libs/ag-grid/4.2.7/ag-grid.noStyle.js
redmunds/cdnjs
// ag-grid v4.2.7 (function webpackUniversalModuleDefinition(root, factory) { if(typeof exports === 'object' && typeof module === 'object') module.exports = factory(); else if(typeof define === 'function' && define.amd) define([], factory); else if(typeof exports === 'object') exports["agGrid"] = factory(); else root["agGrid"] = factory(); })(this, function() { return /******/ (function(modules) { // webpackBootstrap /******/ // The module cache /******/ var installedModules = {}; /******/ // The require function /******/ function __webpack_require__(moduleId) { /******/ // Check if module is in cache /******/ if(installedModules[moduleId]) /******/ return installedModules[moduleId].exports; /******/ // Create a new module (and put it into the cache) /******/ var module = installedModules[moduleId] = { /******/ exports: {}, /******/ id: moduleId, /******/ loaded: false /******/ }; /******/ // Execute the module function /******/ modules[moduleId].call(module.exports, module, module.exports, __webpack_require__); /******/ // Flag the module as loaded /******/ module.loaded = true; /******/ // Return the exports of the module /******/ return module.exports; /******/ } /******/ // expose the modules object (__webpack_modules__) /******/ __webpack_require__.m = modules; /******/ // expose the module cache /******/ __webpack_require__.c = installedModules; /******/ // __webpack_public_path__ /******/ __webpack_require__.p = ""; /******/ // Load entry module and return exports /******/ return __webpack_require__(0); /******/ }) /************************************************************************/ /******/ ([ /* 0 */ /***/ function(module, exports, __webpack_require__) { ////////// MAKE SURE YOU EDIT main-webpack.js IF EDITING THIS FILE!!! var populateClientExports = __webpack_require__(1).populateClientExports; populateClientExports(exports); /***/ }, /* 1 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var grid_1 = __webpack_require__(2); var gridApi_1 = __webpack_require__(11); var events_1 = __webpack_require__(10); var componentUtil_1 = __webpack_require__(9); var columnController_1 = __webpack_require__(13); var agGridNg1_1 = __webpack_require__(84); var agGridWebComponent_1 = __webpack_require__(85); var gridCell_1 = __webpack_require__(33); var rowNode_1 = __webpack_require__(27); var originalColumnGroup_1 = __webpack_require__(17); var columnGroup_1 = __webpack_require__(14); var column_1 = __webpack_require__(15); var focusedCellController_1 = __webpack_require__(35); var functions_1 = __webpack_require__(66); var gridOptionsWrapper_1 = __webpack_require__(3); var balancedColumnTreeBuilder_1 = __webpack_require__(19); var columnKeyCreator_1 = __webpack_require__(20); var columnUtils_1 = __webpack_require__(16); var displayedGroupCreator_1 = __webpack_require__(21); var groupInstanceIdCreator_1 = __webpack_require__(65); var context_1 = __webpack_require__(6); var dragAndDropService_1 = __webpack_require__(73); var dragService_1 = __webpack_require__(31); var filterManager_1 = __webpack_require__(43); var numberFilter_1 = __webpack_require__(46); var textFilter_1 = __webpack_require__(45); var gridPanel_1 = __webpack_require__(24); var mouseEventService_1 = __webpack_require__(32); var cssClassApplier_1 = __webpack_require__(72); var headerContainer_1 = __webpack_require__(69); var headerRenderer_1 = __webpack_require__(68); var headerTemplateLoader_1 = __webpack_require__(75); var horizontalDragService_1 = __webpack_require__(71); var moveColumnController_1 = __webpack_require__(76); var renderedHeaderCell_1 = __webpack_require__(74); var renderedHeaderGroupCell_1 = __webpack_require__(70); var standardMenu_1 = __webpack_require__(78); var borderLayout_1 = __webpack_require__(30); var tabbedLayout_1 = __webpack_require__(86); var verticalStack_1 = __webpack_require__(87); var autoWidthCalculator_1 = __webpack_require__(22); var renderedRow_1 = __webpack_require__(37); var rowRenderer_1 = __webpack_require__(23); var filterStage_1 = __webpack_require__(79); var flattenStage_1 = __webpack_require__(81); var sortStage_1 = __webpack_require__(80); var floatingRowModel_1 = __webpack_require__(26); var paginationController_1 = __webpack_require__(41); var component_1 = __webpack_require__(47); var menuList_1 = __webpack_require__(88); var cellNavigationService_1 = __webpack_require__(63); var columnChangeEvent_1 = __webpack_require__(64); var constants_1 = __webpack_require__(8); var csvCreator_1 = __webpack_require__(12); var eventService_1 = __webpack_require__(4); var expressionService_1 = __webpack_require__(18); var gridCore_1 = __webpack_require__(40); var logger_1 = __webpack_require__(5); var masterSlaveService_1 = __webpack_require__(25); var selectionController_1 = __webpack_require__(28); var sortController_1 = __webpack_require__(42); var svgFactory_1 = __webpack_require__(59); var templateService_1 = __webpack_require__(36); var utils_1 = __webpack_require__(7); var valueService_1 = __webpack_require__(29); var popupService_1 = __webpack_require__(44); var gridRow_1 = __webpack_require__(34); var inMemoryRowModel_1 = __webpack_require__(83); var virtualPageRowModel_1 = __webpack_require__(82); var menuItemComponent_1 = __webpack_require__(89); var animateSlideCellRenderer_1 = __webpack_require__(56); var cellEditorFactory_1 = __webpack_require__(48); var popupEditorWrapper_1 = __webpack_require__(51); var popupSelectCellEditor_1 = __webpack_require__(53); var popupTextCellEditor_1 = __webpack_require__(52); var selectCellEditor_1 = __webpack_require__(50); var textCellEditor_1 = __webpack_require__(49); var cellRendererFactory_1 = __webpack_require__(55); var groupCellRenderer_1 = __webpack_require__(58); var cellRendererService_1 = __webpack_require__(60); var valueFormatterService_1 = __webpack_require__(61); var dateCellEditor_1 = __webpack_require__(54); var checkboxSelectionComponent_1 = __webpack_require__(62); var pivotService_1 = __webpack_require__(67); function populateClientExports(exports) { // columnController exports.BalancedColumnTreeBuilder = balancedColumnTreeBuilder_1.BalancedColumnTreeBuilder; exports.ColumnController = columnController_1.ColumnController; exports.ColumnKeyCreator = columnKeyCreator_1.ColumnKeyCreator; exports.ColumnUtils = columnUtils_1.ColumnUtils; exports.DisplayedGroupCreator = displayedGroupCreator_1.DisplayedGroupCreator; exports.GroupInstanceIdCreator = groupInstanceIdCreator_1.GroupInstanceIdCreator; exports.PivotService = pivotService_1.PivotService; // components exports.ComponentUtil = componentUtil_1.ComponentUtil; exports.initialiseAgGridWithAngular1 = agGridNg1_1.initialiseAgGridWithAngular1; exports.initialiseAgGridWithWebComponents = agGridWebComponent_1.initialiseAgGridWithWebComponents; // context exports.Context = context_1.Context; exports.Autowired = context_1.Autowired; exports.PostConstruct = context_1.PostConstruct; exports.PreDestroy = context_1.PreDestroy; exports.Optional = context_1.Optional; exports.Bean = context_1.Bean; exports.Qualifier = context_1.Qualifier; // dragAndDrop exports.DragAndDropService = dragAndDropService_1.DragAndDropService; exports.DragService = dragService_1.DragService; // entities exports.Column = column_1.Column; exports.ColumnGroup = columnGroup_1.ColumnGroup; exports.GridCell = gridCell_1.GridCell; exports.GridRow = gridRow_1.GridRow; exports.OriginalColumnGroup = originalColumnGroup_1.OriginalColumnGroup; exports.RowNode = rowNode_1.RowNode; // filter exports.FilterManager = filterManager_1.FilterManager; exports.NumberFilter = numberFilter_1.NumberFilter; exports.TextFilter = textFilter_1.TextFilter; // gridPanel exports.GridPanel = gridPanel_1.GridPanel; exports.MouseEventService = mouseEventService_1.MouseEventService; // headerRendering exports.CssClassApplier = cssClassApplier_1.CssClassApplier; exports.HeaderContainer = headerContainer_1.HeaderContainer; exports.HeaderRenderer = headerRenderer_1.HeaderRenderer; exports.HeaderTemplateLoader = headerTemplateLoader_1.HeaderTemplateLoader; exports.HorizontalDragService = horizontalDragService_1.HorizontalDragService; exports.MoveColumnController = moveColumnController_1.MoveColumnController; exports.RenderedHeaderCell = renderedHeaderCell_1.RenderedHeaderCell; exports.RenderedHeaderGroupCell = renderedHeaderGroupCell_1.RenderedHeaderGroupCell; exports.StandardMenuFactory = standardMenu_1.StandardMenuFactory; // layout exports.BorderLayout = borderLayout_1.BorderLayout; exports.TabbedLayout = tabbedLayout_1.TabbedLayout; exports.VerticalStack = verticalStack_1.VerticalStack; // rendering / cellEditors exports.DateCellEditor = dateCellEditor_1.DateCellEditor; exports.PopupEditorWrapper = popupEditorWrapper_1.PopupEditorWrapper; exports.PopupSelectCellEditor = popupSelectCellEditor_1.PopupSelectCellEditor; exports.PopupTextCellEditor = popupTextCellEditor_1.PopupTextCellEditor; exports.SelectCellEditor = selectCellEditor_1.SelectCellEditor; exports.TextCellEditor = textCellEditor_1.TextCellEditor; // rendering / cellRenderers exports.AnimateSlideCellRenderer = animateSlideCellRenderer_1.AnimateSlideCellRenderer; exports.GroupCellRenderer = groupCellRenderer_1.GroupCellRenderer; // rendering exports.AutoWidthCalculator = autoWidthCalculator_1.AutoWidthCalculator; exports.CellEditorFactory = cellEditorFactory_1.CellEditorFactory; exports.RenderedHeaderCell = renderedHeaderCell_1.RenderedHeaderCell; exports.CellRendererFactory = cellRendererFactory_1.CellRendererFactory; exports.CellRendererService = cellRendererService_1.CellRendererService; exports.RenderedRow = renderedRow_1.RenderedRow; exports.RowRenderer = rowRenderer_1.RowRenderer; exports.ValueFormatterService = valueFormatterService_1.ValueFormatterService; // rowControllers/inMemory exports.FilterStage = filterStage_1.FilterStage; exports.FlattenStage = flattenStage_1.FlattenStage; exports.InMemoryRowModel = inMemoryRowModel_1.InMemoryRowModel; exports.SortStage = sortStage_1.SortStage; // rowControllers exports.FloatingRowModel = floatingRowModel_1.FloatingRowModel; exports.PaginationController = paginationController_1.PaginationController; exports.VirtualPageRowModel = virtualPageRowModel_1.VirtualPageRowModel; // widgets exports.PopupService = popupService_1.PopupService; exports.MenuItemComponent = menuItemComponent_1.MenuItemComponent; exports.Component = component_1.Component; exports.MenuList = menuList_1.MenuList; // root exports.CellNavigationService = cellNavigationService_1.CellNavigationService; exports.ColumnChangeEvent = columnChangeEvent_1.ColumnChangeEvent; exports.Constants = constants_1.Constants; exports.CsvCreator = csvCreator_1.CsvCreator; exports.Events = events_1.Events; exports.EventService = eventService_1.EventService; exports.ExpressionService = expressionService_1.ExpressionService; exports.FocusedCellController = focusedCellController_1.FocusedCellController; exports.defaultGroupComparator = functions_1.defaultGroupComparator; exports.Grid = grid_1.Grid; exports.GridApi = gridApi_1.GridApi; exports.GridCore = gridCore_1.GridCore; exports.GridOptionsWrapper = gridOptionsWrapper_1.GridOptionsWrapper; exports.Logger = logger_1.Logger; exports.MasterSlaveService = masterSlaveService_1.MasterSlaveService; exports.SelectionController = selectionController_1.SelectionController; exports.CheckboxSelectionComponent = checkboxSelectionComponent_1.CheckboxSelectionComponent; exports.SortController = sortController_1.SortController; exports.SvgFactory = svgFactory_1.SvgFactory; exports.TemplateService = templateService_1.TemplateService; exports.Utils = utils_1.Utils; exports.ValueService = valueService_1.ValueService; } exports.populateClientExports = populateClientExports; /***/ }, /* 2 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var gridOptionsWrapper_1 = __webpack_require__(3); var paginationController_1 = __webpack_require__(41); var floatingRowModel_1 = __webpack_require__(26); var selectionController_1 = __webpack_require__(28); var columnController_1 = __webpack_require__(13); var rowRenderer_1 = __webpack_require__(23); var headerRenderer_1 = __webpack_require__(68); var filterManager_1 = __webpack_require__(43); var valueService_1 = __webpack_require__(29); var masterSlaveService_1 = __webpack_require__(25); var eventService_1 = __webpack_require__(4); var oldToolPanelDragAndDropService_1 = __webpack_require__(77); var gridPanel_1 = __webpack_require__(24); var gridApi_1 = __webpack_require__(11); var headerTemplateLoader_1 = __webpack_require__(75); var balancedColumnTreeBuilder_1 = __webpack_require__(19); var displayedGroupCreator_1 = __webpack_require__(21); var expressionService_1 = __webpack_require__(18); var templateService_1 = __webpack_require__(36); var popupService_1 = __webpack_require__(44); var logger_1 = __webpack_require__(5); var columnUtils_1 = __webpack_require__(16); var autoWidthCalculator_1 = __webpack_require__(22); var horizontalDragService_1 = __webpack_require__(71); var context_1 = __webpack_require__(6); var csvCreator_1 = __webpack_require__(12); var gridCore_1 = __webpack_require__(40); var standardMenu_1 = __webpack_require__(78); var dragAndDropService_1 = __webpack_require__(73); var dragService_1 = __webpack_require__(31); var sortController_1 = __webpack_require__(42); var focusedCellController_1 = __webpack_require__(35); var mouseEventService_1 = __webpack_require__(32); var cellNavigationService_1 = __webpack_require__(63); var utils_1 = __webpack_require__(7); var filterStage_1 = __webpack_require__(79); var sortStage_1 = __webpack_require__(80); var flattenStage_1 = __webpack_require__(81); var focusService_1 = __webpack_require__(39); var cellEditorFactory_1 = __webpack_require__(48); var events_1 = __webpack_require__(10); var virtualPageRowModel_1 = __webpack_require__(82); var inMemoryRowModel_1 = __webpack_require__(83); var cellRendererFactory_1 = __webpack_require__(55); var cellRendererService_1 = __webpack_require__(60); var valueFormatterService_1 = __webpack_require__(61); var pivotService_1 = __webpack_require__(67); var Grid = (function () { function Grid(eGridDiv, gridOptions, globalEventListener, $scope, $compile, quickFilterOnScope) { if (globalEventListener === void 0) { globalEventListener = null; } if ($scope === void 0) { $scope = null; } if ($compile === void 0) { $compile = null; } if (quickFilterOnScope === void 0) { quickFilterOnScope = null; } if (!eGridDiv) { console.error('ag-Grid: no div element provided to the grid'); } if (!gridOptions) { console.error('ag-Grid: no gridOptions provided to the grid'); } var rowModelClass = this.getRowModelClass(gridOptions); var enterprise = utils_1.Utils.exists(Grid.enterpriseBeans); this.context = new context_1.Context({ overrideBeans: Grid.enterpriseBeans, seed: { enterprise: enterprise, gridOptions: gridOptions, eGridDiv: eGridDiv, $scope: $scope, $compile: $compile, quickFilterOnScope: quickFilterOnScope, globalEventListener: globalEventListener }, beans: [rowModelClass, cellRendererFactory_1.CellRendererFactory, horizontalDragService_1.HorizontalDragService, headerTemplateLoader_1.HeaderTemplateLoader, floatingRowModel_1.FloatingRowModel, dragService_1.DragService, displayedGroupCreator_1.DisplayedGroupCreator, eventService_1.EventService, gridOptionsWrapper_1.GridOptionsWrapper, selectionController_1.SelectionController, filterManager_1.FilterManager, columnController_1.ColumnController, rowRenderer_1.RowRenderer, pivotService_1.PivotService, headerRenderer_1.HeaderRenderer, expressionService_1.ExpressionService, balancedColumnTreeBuilder_1.BalancedColumnTreeBuilder, csvCreator_1.CsvCreator, templateService_1.TemplateService, gridPanel_1.GridPanel, popupService_1.PopupService, valueService_1.ValueService, masterSlaveService_1.MasterSlaveService, logger_1.LoggerFactory, oldToolPanelDragAndDropService_1.OldToolPanelDragAndDropService, columnUtils_1.ColumnUtils, autoWidthCalculator_1.AutoWidthCalculator, gridApi_1.GridApi, paginationController_1.PaginationController, popupService_1.PopupService, gridCore_1.GridCore, standardMenu_1.StandardMenuFactory, dragAndDropService_1.DragAndDropService, sortController_1.SortController, columnController_1.ColumnApi, focusedCellController_1.FocusedCellController, mouseEventService_1.MouseEventService, cellNavigationService_1.CellNavigationService, filterStage_1.FilterStage, sortStage_1.SortStage, flattenStage_1.FlattenStage, focusService_1.FocusService, cellEditorFactory_1.CellEditorFactory, cellRendererService_1.CellRendererService, valueFormatterService_1.ValueFormatterService], debug: !!gridOptions.debug }); var eventService = this.context.getBean('eventService'); var readyEvent = { api: gridOptions.api, columnApi: gridOptions.columnApi }; eventService.dispatchEvent(events_1.Events.EVENT_GRID_READY, readyEvent); } Grid.setEnterpriseBeans = function (enterpriseBeans, rowModelClasses) { this.enterpriseBeans = enterpriseBeans; // the enterprise can inject additional row models. this is how it injects the viewportRowModel utils_1.Utils.iterateObject(rowModelClasses, function (key, value) { return Grid.RowModelClasses[key] = value; }); }; Grid.prototype.getRowModelClass = function (gridOptions) { var rowModelType = gridOptions.rowModelType; if (utils_1.Utils.exists(rowModelType)) { var rowModelClass = Grid.RowModelClasses[rowModelType]; if (utils_1.Utils.exists(rowModelClass)) { return rowModelClass; } else { console.error('ag-Grid: count not find matching row model for rowModelType ' + rowModelType); if (rowModelType === 'viewport') { console.error('ag-Grid: rowModelType viewport is only available in ag-Grid Enterprise'); } } } return inMemoryRowModel_1.InMemoryRowModel; }; ; Grid.prototype.destroy = function () { this.context.destroy(); }; // the default is InMemoryRowModel, which is also used for pagination. // the enterprise adds viewport to this list. Grid.RowModelClasses = { virtual: virtualPageRowModel_1.VirtualPageRowModel, pagination: inMemoryRowModel_1.InMemoryRowModel }; return Grid; })(); exports.Grid = Grid; /***/ }, /* 3 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __metadata = (this && this.__metadata) || function (k, v) { if (typeof Reflect === "object" && typeof Reflect.metadata === "function") return Reflect.metadata(k, v); }; var __param = (this && this.__param) || function (paramIndex, decorator) { return function (target, key) { decorator(target, key, paramIndex); } }; var eventService_1 = __webpack_require__(4); var constants_1 = __webpack_require__(8); var componentUtil_1 = __webpack_require__(9); var gridApi_1 = __webpack_require__(11); var context_1 = __webpack_require__(6); var columnController_1 = __webpack_require__(13); var events_1 = __webpack_require__(10); var utils_1 = __webpack_require__(7); var DEFAULT_ROW_HEIGHT = 25; var DEFAULT_VIEWPORT_ROW_MODEL_PAGE_SIZE = 5; var DEFAULT_VIEWPORT_ROW_MODEL_BUFFER_SIZE = 5; function isTrue(value) { return value === true || value === 'true'; } function positiveNumberOrZero(value, defaultValue) { if (value > 0) { return value; } else { // zero gets returned if number is missing or the wrong type return defaultValue; } } var GridOptionsWrapper = (function () { function GridOptionsWrapper() { } GridOptionsWrapper.prototype.agWire = function (gridApi, columnApi) { this.headerHeight = this.gridOptions.headerHeight; this.gridOptions.api = gridApi; this.gridOptions.columnApi = columnApi; this.checkForDeprecated(); }; GridOptionsWrapper.prototype.init = function () { this.eventService.addGlobalListener(this.globalEventHandler.bind(this)); if (this.isGroupSelectsChildren() && this.isSuppressParentsInRowNodes()) { console.warn('ag-Grid: groupSelectsChildren does not work wth suppressParentsInRowNodes, this selection method needs the part in rowNode to work'); } if (this.isGroupSelectsChildren() && !this.isRowSelectionMulti()) { console.warn('ag-Grid: rowSelectionMulti must be true for groupSelectsChildren to make sense'); } }; GridOptionsWrapper.prototype.isEnterprise = function () { return this.enterprise; }; GridOptionsWrapper.prototype.isRowSelection = function () { return this.gridOptions.rowSelection === "single" || this.gridOptions.rowSelection === "multiple"; }; GridOptionsWrapper.prototype.isRowDeselection = function () { return isTrue(this.gridOptions.rowDeselection); }; GridOptionsWrapper.prototype.isRowSelectionMulti = function () { return this.gridOptions.rowSelection === 'multiple'; }; GridOptionsWrapper.prototype.getContext = function () { return this.gridOptions.context; }; GridOptionsWrapper.prototype.isRowModelPagination = function () { return this.gridOptions.rowModelType === constants_1.Constants.ROW_MODEL_TYPE_PAGINATION; }; GridOptionsWrapper.prototype.isRowModelVirtual = function () { return this.gridOptions.rowModelType === constants_1.Constants.ROW_MODEL_TYPE_VIRTUAL; }; GridOptionsWrapper.prototype.isRowModelViewport = function () { return this.gridOptions.rowModelType === constants_1.Constants.ROW_MODEL_TYPE_VIEWPORT; }; GridOptionsWrapper.prototype.isRowModelDefault = function () { return !(this.isRowModelPagination() || this.isRowModelVirtual() || this.isRowModelViewport()); }; GridOptionsWrapper.prototype.isShowToolPanel = function () { return isTrue(this.gridOptions.showToolPanel); }; GridOptionsWrapper.prototype.isToolPanelSuppressGroups = function () { return isTrue(this.gridOptions.toolPanelSuppressGroups); }; GridOptionsWrapper.prototype.isToolPanelSuppressValues = function () { return isTrue(this.gridOptions.toolPanelSuppressValues); }; GridOptionsWrapper.prototype.isEnableCellChangeFlash = function () { return isTrue(this.gridOptions.enableCellChangeFlash); }; GridOptionsWrapper.prototype.isGroupSelectsChildren = function () { return isTrue(this.gridOptions.groupSelectsChildren); }; GridOptionsWrapper.prototype.isGroupIncludeFooter = function () { return isTrue(this.gridOptions.groupIncludeFooter); }; GridOptionsWrapper.prototype.isGroupSuppressBlankHeader = function () { return isTrue(this.gridOptions.groupSuppressBlankHeader); }; GridOptionsWrapper.prototype.isSuppressRowClickSelection = function () { return isTrue(this.gridOptions.suppressRowClickSelection); }; GridOptionsWrapper.prototype.isSuppressCellSelection = function () { return isTrue(this.gridOptions.suppressCellSelection); }; GridOptionsWrapper.prototype.isSuppressMultiSort = function () { return isTrue(this.gridOptions.suppressMultiSort); }; GridOptionsWrapper.prototype.isGroupSuppressAutoColumn = function () { return isTrue(this.gridOptions.groupSuppressAutoColumn); }; GridOptionsWrapper.prototype.isSuppressDragLeaveHidesColumns = function () { return isTrue(this.gridOptions.suppressDragLeaveHidesColumns); }; GridOptionsWrapper.prototype.isForPrint = function () { return isTrue(this.gridOptions.forPrint); }; GridOptionsWrapper.prototype.isSuppressHorizontalScroll = function () { return isTrue(this.gridOptions.suppressHorizontalScroll); }; GridOptionsWrapper.prototype.isSuppressLoadingOverlay = function () { return isTrue(this.gridOptions.suppressLoadingOverlay); }; GridOptionsWrapper.prototype.isSuppressNoRowsOverlay = function () { return isTrue(this.gridOptions.suppressNoRowsOverlay); }; GridOptionsWrapper.prototype.isSuppressFieldDotNotation = function () { return isTrue(this.gridOptions.suppressFieldDotNotation); }; GridOptionsWrapper.prototype.getFloatingTopRowData = function () { return this.gridOptions.floatingTopRowData; }; GridOptionsWrapper.prototype.getFloatingBottomRowData = function () { return this.gridOptions.floatingBottomRowData; }; GridOptionsWrapper.prototype.getQuickFilterText = function () { return this.gridOptions.quickFilterText; }; GridOptionsWrapper.prototype.isUnSortIcon = function () { return isTrue(this.gridOptions.unSortIcon); }; GridOptionsWrapper.prototype.isSuppressMenuHide = function () { return isTrue(this.gridOptions.suppressMenuHide); }; GridOptionsWrapper.prototype.getRowStyle = function () { return this.gridOptions.rowStyle; }; GridOptionsWrapper.prototype.getRowClass = function () { return this.gridOptions.rowClass; }; GridOptionsWrapper.prototype.getRowStyleFunc = function () { return this.gridOptions.getRowStyle; }; GridOptionsWrapper.prototype.getRowClassFunc = function () { return this.gridOptions.getRowClass; }; GridOptionsWrapper.prototype.getBusinessKeyForNodeFunc = function () { return this.gridOptions.getBusinessKeyForNode; }; GridOptionsWrapper.prototype.getHeaderCellRenderer = function () { return this.gridOptions.headerCellRenderer; }; GridOptionsWrapper.prototype.getApi = function () { return this.gridOptions.api; }; GridOptionsWrapper.prototype.getColumnApi = function () { return this.gridOptions.columnApi; }; GridOptionsWrapper.prototype.isEnableColResize = function () { return isTrue(this.gridOptions.enableColResize); }; GridOptionsWrapper.prototype.isSingleClickEdit = function () { return isTrue(this.gridOptions.singleClickEdit); }; GridOptionsWrapper.prototype.getGroupDefaultExpanded = function () { return this.gridOptions.groupDefaultExpanded; }; GridOptionsWrapper.prototype.getRowData = function () { return this.gridOptions.rowData; }; GridOptionsWrapper.prototype.isGroupUseEntireRow = function () { return isTrue(this.gridOptions.groupUseEntireRow); }; GridOptionsWrapper.prototype.getGroupColumnDef = function () { return this.gridOptions.groupColumnDef; }; GridOptionsWrapper.prototype.isGroupSuppressRow = function () { return isTrue(this.gridOptions.groupSuppressRow); }; GridOptionsWrapper.prototype.getRowGroupPanelShow = function () { return this.gridOptions.rowGroupPanelShow; }; GridOptionsWrapper.prototype.isAngularCompileRows = function () { return isTrue(this.gridOptions.angularCompileRows); }; GridOptionsWrapper.prototype.isAngularCompileFilters = function () { return isTrue(this.gridOptions.angularCompileFilters); }; GridOptionsWrapper.prototype.isAngularCompileHeaders = function () { return isTrue(this.gridOptions.angularCompileHeaders); }; GridOptionsWrapper.prototype.isDebug = function () { return isTrue(this.gridOptions.debug); }; GridOptionsWrapper.prototype.getColumnDefs = function () { return this.gridOptions.columnDefs; }; GridOptionsWrapper.prototype.getDatasource = function () { return this.gridOptions.datasource; }; GridOptionsWrapper.prototype.getViewportDatasource = function () { return this.gridOptions.viewportDatasource; }; GridOptionsWrapper.prototype.isEnableSorting = function () { return isTrue(this.gridOptions.enableSorting) || isTrue(this.gridOptions.enableServerSideSorting); }; GridOptionsWrapper.prototype.isEnableCellExpressions = function () { return isTrue(this.gridOptions.enableCellExpressions); }; GridOptionsWrapper.prototype.isSuppressMiddleClickScrolls = function () { return isTrue(this.gridOptions.suppressMiddleClickScrolls); }; GridOptionsWrapper.prototype.isSuppressPreventDefaultOnMouseWheel = function () { return isTrue(this.gridOptions.suppressPreventDefaultOnMouseWheel); }; GridOptionsWrapper.prototype.isEnableServerSideSorting = function () { return isTrue(this.gridOptions.enableServerSideSorting); }; GridOptionsWrapper.prototype.isSuppressContextMenu = function () { return isTrue(this.gridOptions.suppressContextMenu); }; GridOptionsWrapper.prototype.isEnableFilter = function () { return isTrue(this.gridOptions.enableFilter) || isTrue(this.gridOptions.enableServerSideFilter); }; GridOptionsWrapper.prototype.isEnableServerSideFilter = function () { return this.gridOptions.enableServerSideFilter; }; GridOptionsWrapper.prototype.isSuppressScrollLag = function () { return isTrue(this.gridOptions.suppressScrollLag); }; GridOptionsWrapper.prototype.isSuppressMovableColumns = function () { return isTrue(this.gridOptions.suppressMovableColumns); }; GridOptionsWrapper.prototype.isSuppressColumnMoveAnimation = function () { return isTrue(this.gridOptions.suppressColumnMoveAnimation); }; GridOptionsWrapper.prototype.isSuppressMenuColumnPanel = function () { return isTrue(this.gridOptions.suppressMenuColumnPanel); }; GridOptionsWrapper.prototype.isSuppressMenuFilterPanel = function () { return isTrue(this.gridOptions.suppressMenuFilterPanel); }; GridOptionsWrapper.prototype.isSuppressMenuMainPanel = function () { return isTrue(this.gridOptions.suppressMenuMainPanel); }; GridOptionsWrapper.prototype.isEnableRangeSelection = function () { return isTrue(this.gridOptions.enableRangeSelection); }; GridOptionsWrapper.prototype.isRememberGroupStateWhenNewData = function () { return isTrue(this.gridOptions.rememberGroupStateWhenNewData); }; GridOptionsWrapper.prototype.getIcons = function () { return this.gridOptions.icons; }; GridOptionsWrapper.prototype.getIsScrollLag = function () { return this.gridOptions.isScrollLag; }; GridOptionsWrapper.prototype.getSortingOrder = function () { return this.gridOptions.sortingOrder; }; GridOptionsWrapper.prototype.getSlaveGrids = function () { return this.gridOptions.slaveGrids; }; GridOptionsWrapper.prototype.getGroupRowRenderer = function () { return this.gridOptions.groupRowRenderer; }; GridOptionsWrapper.prototype.getGroupRowRendererParams = function () { return this.gridOptions.groupRowRendererParams; }; GridOptionsWrapper.prototype.getGroupRowInnerRenderer = function () { return this.gridOptions.groupRowInnerRenderer; }; GridOptionsWrapper.prototype.getOverlayLoadingTemplate = function () { return this.gridOptions.overlayLoadingTemplate; }; GridOptionsWrapper.prototype.getOverlayNoRowsTemplate = function () { return this.gridOptions.overlayNoRowsTemplate; }; GridOptionsWrapper.prototype.getCheckboxSelection = function () { return this.gridOptions.checkboxSelection; }; GridOptionsWrapper.prototype.isSuppressAutoSize = function () { return isTrue(this.gridOptions.suppressAutoSize); }; GridOptionsWrapper.prototype.isSuppressParentsInRowNodes = function () { return isTrue(this.gridOptions.suppressParentsInRowNodes); }; GridOptionsWrapper.prototype.isEnableStatusBar = function () { return isTrue(this.gridOptions.enableStatusBar); }; GridOptionsWrapper.prototype.getHeaderCellTemplate = function () { return this.gridOptions.headerCellTemplate; }; GridOptionsWrapper.prototype.getHeaderCellTemplateFunc = function () { return this.gridOptions.getHeaderCellTemplate; }; GridOptionsWrapper.prototype.getNodeChildDetailsFunc = function () { return this.gridOptions.getNodeChildDetails; }; GridOptionsWrapper.prototype.getGroupRowAggNodesFunc = function () { return this.gridOptions.groupRowAggNodes; }; GridOptionsWrapper.prototype.getContextMenuItemsFunc = function () { return this.gridOptions.getContextMenuItems; }; GridOptionsWrapper.prototype.getMainMenuItemsFunc = function () { return this.gridOptions.getMainMenuItems; }; GridOptionsWrapper.prototype.getProcessCellForClipboardFunc = function () { return this.gridOptions.processCellForClipboard; }; GridOptionsWrapper.prototype.getViewportRowModelPageSize = function () { return positiveNumberOrZero(this.gridOptions.viewportRowModelPageSize, DEFAULT_VIEWPORT_ROW_MODEL_PAGE_SIZE); }; GridOptionsWrapper.prototype.getViewportRowModelBufferSize = function () { return positiveNumberOrZero(this.gridOptions.viewportRowModelBufferSize, DEFAULT_VIEWPORT_ROW_MODEL_BUFFER_SIZE); }; // public getCellRenderers(): {[key: string]: {new(): ICellRenderer} | ICellRendererFunc} { return this.gridOptions.cellRenderers; } // public getCellEditors(): {[key: string]: {new(): ICellEditor}} { return this.gridOptions.cellEditors; } GridOptionsWrapper.prototype.executeProcessRowPostCreateFunc = function (params) { if (this.gridOptions.processRowPostCreate) { this.gridOptions.processRowPostCreate(params); } }; // properties GridOptionsWrapper.prototype.getHeaderHeight = function () { if (typeof this.headerHeight === 'number') { return this.headerHeight; } else { return 25; } }; GridOptionsWrapper.prototype.setHeaderHeight = function (headerHeight) { this.headerHeight = headerHeight; this.eventService.dispatchEvent(events_1.Events.EVENT_HEADER_HEIGHT_CHANGED); }; GridOptionsWrapper.prototype.isExternalFilterPresent = function () { if (typeof this.gridOptions.isExternalFilterPresent === 'function') { return this.gridOptions.isExternalFilterPresent(); } else { return false; } }; GridOptionsWrapper.prototype.doesExternalFilterPass = function (node) { if (typeof this.gridOptions.doesExternalFilterPass === 'function') { return this.gridOptions.doesExternalFilterPass(node); } else { return false; } }; GridOptionsWrapper.prototype.getMinColWidth = function () { if (this.gridOptions.minColWidth > GridOptionsWrapper.MIN_COL_WIDTH) { return this.gridOptions.minColWidth; } else { return GridOptionsWrapper.MIN_COL_WIDTH; } }; GridOptionsWrapper.prototype.getMaxColWidth = function () { if (this.gridOptions.maxColWidth > GridOptionsWrapper.MIN_COL_WIDTH) { return this.gridOptions.maxColWidth; } else { return null; } }; GridOptionsWrapper.prototype.getColWidth = function () { if (typeof this.gridOptions.colWidth !== 'number' || this.gridOptions.colWidth < GridOptionsWrapper.MIN_COL_WIDTH) { return 200; } else { return this.gridOptions.colWidth; } }; GridOptionsWrapper.prototype.getRowBuffer = function () { if (typeof this.gridOptions.rowBuffer === 'number') { if (this.gridOptions.rowBuffer < 0) { console.warn('ag-Grid: rowBuffer should not be negative'); } return this.gridOptions.rowBuffer; } else { return constants_1.Constants.ROW_BUFFER_SIZE; } }; GridOptionsWrapper.prototype.checkForDeprecated = function () { // casting to generic object, so typescript compiles even though // we are looking for attributes that don't exist var options = this.gridOptions; if (options.suppressUnSort) { console.warn('ag-grid: as of v1.12.4 suppressUnSort is not used. Please use sortOrder instead.'); } if (options.suppressDescSort) { console.warn('ag-grid: as of v1.12.4 suppressDescSort is not used. Please use sortOrder instead.'); } if (options.groupAggFields) { console.warn('ag-grid: as of v3 groupAggFields is not used. Please add appropriate agg fields to your columns.'); } if (options.groupHidePivotColumns) { console.warn('ag-grid: as of v3 groupHidePivotColumns is not used as pivot columns are now called rowGroup columns. Please refer to the documentation'); } if (options.groupKeys) { console.warn('ag-grid: as of v3 groupKeys is not used. You need to set rowGroupIndex on the columns to group. Please refer to the documentation'); } if (options.ready || options.onReady) { console.warn('ag-grid: as of v3.3 ready event is now called gridReady, so the callback should be onGridReady'); } if (typeof options.groupDefaultExpanded === 'boolean') { console.warn('ag-grid: groupDefaultExpanded can no longer be boolean. for groupDefaultExpanded=true, use groupDefaultExpanded=9999 instead, to expand all the groups'); } if (options.onRowDeselected || options.rowDeselected) { console.warn('ag-grid: since version 3.4 event rowDeselected no longer exists, please check the docs'); } if (options.rowsAlreadyGrouped) { console.warn('ag-grid: since version 3.4 rowsAlreadyGrouped no longer exists, please use getNodeChildDetails() instead'); } if (options.groupAggFunction) { console.warn('ag-grid: since version 4.3.x groupAggFunction is now called groupRowAggNodes'); } }; GridOptionsWrapper.prototype.getLocaleTextFunc = function () { if (this.gridOptions.localeTextFunc) { return this.gridOptions.localeTextFunc; } var that = this; return function (key, defaultValue) { var localeText = that.gridOptions.localeText; if (localeText && localeText[key]) { return localeText[key]; } else { return defaultValue; } }; }; // responsible for calling the onXXX functions on gridOptions GridOptionsWrapper.prototype.globalEventHandler = function (eventName, event) { var callbackMethodName = componentUtil_1.ComponentUtil.getCallbackForEvent(eventName); if (typeof this.gridOptions[callbackMethodName] === 'function') { this.gridOptions[callbackMethodName](event); } }; // we don't allow dynamic row height for virtual paging GridOptionsWrapper.prototype.getRowHeightAsNumber = function () { var rowHeight = this.gridOptions.rowHeight; if (utils_1.Utils.missing(rowHeight)) { return DEFAULT_ROW_HEIGHT; } else if (typeof this.gridOptions.rowHeight === 'number') { return this.gridOptions.rowHeight; } else { console.warn('ag-Grid row height must be a number if not using standard row model'); return DEFAULT_ROW_HEIGHT; } }; GridOptionsWrapper.prototype.getRowHeightForNode = function (rowNode) { if (typeof this.gridOptions.rowHeight === 'number') { return this.gridOptions.rowHeight; } else if (typeof this.gridOptions.getRowHeight === 'function') { var params = { node: rowNode, data: rowNode.data, api: this.gridOptions.api, context: this.gridOptions.context }; return this.gridOptions.getRowHeight(params); } else { return DEFAULT_ROW_HEIGHT; } }; GridOptionsWrapper.MIN_COL_WIDTH = 10; __decorate([ context_1.Autowired('gridOptions'), __metadata('design:type', Object) ], GridOptionsWrapper.prototype, "gridOptions", void 0); __decorate([ context_1.Autowired('columnController'), __metadata('design:type', columnController_1.ColumnController) ], GridOptionsWrapper.prototype, "columnController", void 0); __decorate([ context_1.Autowired('eventService'), __metadata('design:type', eventService_1.EventService) ], GridOptionsWrapper.prototype, "eventService", void 0); __decorate([ context_1.Autowired('enterprise'), __metadata('design:type', Boolean) ], GridOptionsWrapper.prototype, "enterprise", void 0); __decorate([ __param(0, context_1.Qualifier('gridApi')), __param(1, context_1.Qualifier('columnApi')), __metadata('design:type', Function), __metadata('design:paramtypes', [gridApi_1.GridApi, columnController_1.ColumnApi]), __metadata('design:returntype', void 0) ], GridOptionsWrapper.prototype, "agWire", null); __decorate([ context_1.PostConstruct, __metadata('design:type', Function), __metadata('design:paramtypes', []), __metadata('design:returntype', void 0) ], GridOptionsWrapper.prototype, "init", null); GridOptionsWrapper = __decorate([ context_1.Bean('gridOptionsWrapper'), __metadata('design:paramtypes', []) ], GridOptionsWrapper); return GridOptionsWrapper; })(); exports.GridOptionsWrapper = GridOptionsWrapper; /***/ }, /* 4 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __metadata = (this && this.__metadata) || function (k, v) { if (typeof Reflect === "object" && typeof Reflect.metadata === "function") return Reflect.metadata(k, v); }; var __param = (this && this.__param) || function (paramIndex, decorator) { return function (target, key) { decorator(target, key, paramIndex); } }; var logger_1 = __webpack_require__(5); var utils_1 = __webpack_require__(7); var context_1 = __webpack_require__(6); var context_2 = __webpack_require__(6); var EventService = (function () { function EventService() { this.allListeners = {}; this.globalListeners = []; } EventService.prototype.agWire = function (loggerFactory, globalEventListener) { if (globalEventListener === void 0) { globalEventListener = null; } this.logger = loggerFactory.create('EventService'); if (globalEventListener) { this.addGlobalListener(globalEventListener); } }; EventService.prototype.getListenerList = function (eventType) { var listenerList = this.allListeners[eventType]; if (!listenerList) { listenerList = []; this.allListeners[eventType] = listenerList; } return listenerList; }; EventService.prototype.addEventListener = function (eventType, listener) { var listenerList = this.getListenerList(eventType); if (listenerList.indexOf(listener) < 0) { listenerList.push(listener); } }; // for some events, it's important that the model gets to hear about them before the view, // as the model may need to update before the view works on the info. if you register // via this method, you get notified before the view parts EventService.prototype.addModalPriorityEventListener = function (eventType, listener) { this.addEventListener(eventType + EventService.PRIORITY, listener); }; EventService.prototype.addGlobalListener = function (listener) { this.globalListeners.push(listener); }; EventService.prototype.removeEventListener = function (eventType, listener) { var listenerList = this.getListenerList(eventType); utils_1.Utils.removeFromArray(listenerList, listener); }; EventService.prototype.removeGlobalListener = function (listener) { utils_1.Utils.removeFromArray(this.globalListeners, listener); }; // why do we pass the type here? the type is in ColumnChangeEvent, so unless the // type is not in other types of events??? EventService.prototype.dispatchEvent = function (eventType, event) { if (!event) { event = {}; } //this.logger.log('dispatching: ' + event); // this allows the columnController to get events before anyone else var p1ListenerList = this.getListenerList(eventType + EventService.PRIORITY); p1ListenerList.forEach(function (listener) { listener(event); }); var listenerList = this.getListenerList(eventType); listenerList.forEach(function (listener) { listener(event); }); this.globalListeners.forEach(function (listener) { listener(eventType, event); }); }; EventService.PRIORITY = '-P1'; __decorate([ __param(0, context_2.Qualifier('loggerFactory')), __param(1, context_2.Qualifier('globalEventListener')), __metadata('design:type', Function), __metadata('design:paramtypes', [logger_1.LoggerFactory, Function]), __metadata('design:returntype', void 0) ], EventService.prototype, "agWire", null); EventService = __decorate([ context_1.Bean('eventService'), __metadata('design:paramtypes', []) ], EventService); return EventService; })(); exports.EventService = EventService; /***/ }, /* 5 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __metadata = (this && this.__metadata) || function (k, v) { if (typeof Reflect === "object" && typeof Reflect.metadata === "function") return Reflect.metadata(k, v); }; var __param = (this && this.__param) || function (paramIndex, decorator) { return function (target, key) { decorator(target, key, paramIndex); } }; var gridOptionsWrapper_1 = __webpack_require__(3); var context_1 = __webpack_require__(6); var context_2 = __webpack_require__(6); var LoggerFactory = (function () { function LoggerFactory() { } LoggerFactory.prototype.setBeans = function (gridOptionsWrapper) { this.logging = gridOptionsWrapper.isDebug(); }; LoggerFactory.prototype.create = function (name) { return new Logger(name, this.logging); }; __decorate([ __param(0, context_2.Qualifier('gridOptionsWrapper')), __metadata('design:type', Function), __metadata('design:paramtypes', [gridOptionsWrapper_1.GridOptionsWrapper]), __metadata('design:returntype', void 0) ], LoggerFactory.prototype, "setBeans", null); LoggerFactory = __decorate([ context_1.Bean('loggerFactory'), __metadata('design:paramtypes', []) ], LoggerFactory); return LoggerFactory; })(); exports.LoggerFactory = LoggerFactory; var Logger = (function () { function Logger(name, logging) { this.name = name; this.logging = logging; } Logger.prototype.log = function (message) { if (this.logging) { console.log('ag-Grid.' + this.name + ': ' + message); } }; return Logger; })(); exports.Logger = Logger; /***/ }, /* 6 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var utils_1 = __webpack_require__(7); var logger_1 = __webpack_require__(5); var Context = (function () { function Context(params) { this.beans = {}; this.destroyed = false; if (!params || !params.beans) { return; } this.contextParams = params; this.logger = new logger_1.Logger('Context', this.contextParams.debug); this.logger.log('>> creating ag-Application Context'); this.createBeans(); var beans = utils_1.Utils.mapObject(this.beans, function (beanEntry) { return beanEntry.beanInstance; }); this.wireBeans(beans); this.logger.log('>> ag-Application Context ready - component is alive'); } Context.prototype.wireBean = function (bean) { this.wireBeans([bean]); }; Context.prototype.wireBeans = function (beans) { this.autoWireBeans(beans); this.methodWireBeans(beans); this.postConstruct(beans); }; Context.prototype.createBeans = function () { var _this = this; // register all normal beans this.contextParams.beans.forEach(this.createBeanEntry.bind(this)); // register override beans, these will overwrite beans above of same name if (this.contextParams.overrideBeans) { this.contextParams.overrideBeans.forEach(this.createBeanEntry.bind(this)); } // instantiate all beans - overridden beans will be left out utils_1.Utils.iterateObject(this.beans, function (key, beanEntry) { var constructorParamsMeta; if (beanEntry.bean.prototype.__agBeanMetaData && beanEntry.bean.prototype.__agBeanMetaData.autowireMethods && beanEntry.bean.prototype.__agBeanMetaData.autowireMethods.agConstructor) { constructorParamsMeta = beanEntry.bean.prototype.__agBeanMetaData.autowireMethods.agConstructor; } var constructorParams = _this.getBeansForParameters(constructorParamsMeta, beanEntry.beanName); var newInstance = applyToConstructor(beanEntry.bean, constructorParams); beanEntry.beanInstance = newInstance; _this.logger.log('bean ' + _this.getBeanName(newInstance) + ' created'); }); }; Context.prototype.createBeanEntry = function (Bean) { var metaData = Bean.prototype.__agBeanMetaData; if (!metaData) { var beanName; if (Bean.prototype.constructor) { beanName = Bean.prototype.constructor.name; } else { beanName = '' + Bean; } console.error('context item ' + beanName + ' is not a bean'); return; } var beanEntry = { bean: Bean, beanInstance: null, beanName: metaData.beanName }; this.beans[metaData.beanName] = beanEntry; }; Context.prototype.autoWireBeans = function (beans) { var _this = this; beans.forEach(function (bean) { return _this.autoWireBean(bean); }); }; Context.prototype.methodWireBeans = function (beans) { var _this = this; beans.forEach(function (bean) { return _this.methodWireBean(bean); }); }; Context.prototype.autoWireBean = function (bean) { var _this = this; if (!bean || !bean.__agBeanMetaData || !bean.__agBeanMetaData.agClassAttributes) { return; } var attributes = bean.__agBeanMetaData.agClassAttributes; if (!attributes) { return; } var beanName = this.getBeanName(bean); attributes.forEach(function (attribute) { var otherBean = _this.lookupBeanInstance(beanName, attribute.beanName, attribute.optional); bean[attribute.attributeName] = otherBean; }); }; Context.prototype.getBeanName = function (bean) { var constructorString = bean.constructor.toString(); var beanName = constructorString.substring(9, constructorString.indexOf('(')); return beanName; }; Context.prototype.methodWireBean = function (bean) { var _this = this; var autowiredMethods; if (bean.__agBeanMetaData) { autowiredMethods = bean.__agBeanMetaData.autowireMethods; } utils_1.Utils.iterateObject(autowiredMethods, function (methodName, wireParams) { // skip constructor, as this is dealt with elsewhere if (methodName === 'agConstructor') { return; } var beanName = _this.getBeanName(bean); var initParams = _this.getBeansForParameters(wireParams, beanName); bean[methodName].apply(bean, initParams); }); }; Context.prototype.getBeansForParameters = function (parameters, beanName) { var _this = this; var beansList = []; if (parameters) { utils_1.Utils.iterateObject(parameters, function (paramIndex, otherBeanName) { var otherBean = _this.lookupBeanInstance(beanName, otherBeanName); beansList[Number(paramIndex)] = otherBean; }); } return beansList; }; Context.prototype.lookupBeanInstance = function (wiringBean, beanName, optional) { if (optional === void 0) { optional = false; } if (beanName === 'context') { return this; } else if (this.contextParams.seed && this.contextParams.seed.hasOwnProperty(beanName)) { return this.contextParams.seed[beanName]; } else { var beanEntry = this.beans[beanName]; if (beanEntry) { return beanEntry.beanInstance; } if (!optional) { console.error('ag-Grid: unable to find bean reference ' + beanName + ' while initialising ' + wiringBean); } return null; } }; Context.prototype.postConstruct = function (beans) { beans.forEach(function (bean) { // try calling init methods if (bean.__agBeanMetaData && bean.__agBeanMetaData.postConstructMethods) { bean.__agBeanMetaData.postConstructMethods.forEach(function (methodName) { return bean[methodName](); }); } }); }; Context.prototype.getBean = function (name) { return this.lookupBeanInstance('getBean', name, true); }; Context.prototype.destroy = function () { // should only be able to destroy once if (this.destroyed) { return; } this.logger.log('>> Shutting down ag-Application Context'); // try calling destroy methods utils_1.Utils.iterateObject(this.beans, function (key, beanEntry) { var bean = beanEntry.beanInstance; if (bean.__agBeanMetaData && bean.__agBeanMetaData.preDestroyMethods) { bean.__agBeanMetaData.preDestroyMethods.forEach(function (methodName) { return bean[methodName](); }); } }); this.destroyed = true; this.logger.log('>> ag-Application Context shut down - component is dead'); }; return Context; })(); exports.Context = Context; // taken from: http://stackoverflow.com/questions/3362471/how-can-i-call-a-javascript-constructor-using-call-or-apply // allows calling 'apply' on a constructor function applyToConstructor(constructor, argArray) { var args = [null].concat(argArray); var factoryFunction = constructor.bind.apply(constructor, args); return new factoryFunction(); } function PostConstruct(target, methodName, descriptor) { var props = getOrCreateProps(target); if (!props.postConstructMethods) { props.postConstructMethods = []; } props.postConstructMethods.push(methodName); } exports.PostConstruct = PostConstruct; function PreDestroy(target, methodName, descriptor) { var props = getOrCreateProps(target); if (!props.preDestroyMethods) { props.preDestroyMethods = []; } props.preDestroyMethods.push(methodName); } exports.PreDestroy = PreDestroy; function Bean(beanName) { return function (classConstructor) { var props = getOrCreateProps(classConstructor.prototype); props.beanName = beanName; }; } exports.Bean = Bean; function Autowired(name) { return autowiredFunc.bind(this, name, false); } exports.Autowired = Autowired; function Optional(name) { return autowiredFunc.bind(this, name, true); } exports.Optional = Optional; function autowiredFunc(name, optional, classPrototype, methodOrAttributeName, index) { if (name === null) { console.error('ag-Grid: Autowired name should not be null'); return; } if (typeof index === 'number') { console.error('ag-Grid: Autowired should be on an attribute'); return; } // it's an attribute on the class var props = getOrCreateProps(classPrototype); if (!props.agClassAttributes) { props.agClassAttributes = []; } props.agClassAttributes.push({ attributeName: methodOrAttributeName, beanName: name, optional: optional }); } function Qualifier(name) { return function (classPrototype, methodOrAttributeName, index) { var props; if (typeof index === 'number') { // it's a parameter on a method var methodName; if (methodOrAttributeName) { props = getOrCreateProps(classPrototype); methodName = methodOrAttributeName; } else { props = getOrCreateProps(classPrototype.prototype); methodName = 'agConstructor'; } if (!props.autowireMethods) { props.autowireMethods = {}; } if (!props.autowireMethods[methodName]) { props.autowireMethods[methodName] = {}; } props.autowireMethods[methodName][index] = name; } }; } exports.Qualifier = Qualifier; function getOrCreateProps(target) { var props = target.__agBeanMetaData; if (!props) { props = {}; target.__agBeanMetaData = props; } return props; } /***/ }, /* 7 */ /***/ function(module, exports) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var FUNCTION_STRIP_COMMENTS = /((\/\/.*$)|(\/\*[\s\S]*?\*\/))/mg; var FUNCTION_ARGUMENT_NAMES = /([^\s,]+)/g; var Utils = (function () { function Utils() { } Utils.iterateObject = function (object, callback) { if (this.missing(object)) { return; } var keys = Object.keys(object); for (var i = 0; i < keys.length; i++) { var key = keys[i]; var value = object[key]; callback(key, value); } }; Utils.cloneObject = function (object) { var copy = {}; var keys = Object.keys(object); for (var i = 0; i < keys.length; i++) { var key = keys[i]; var value = object[key]; copy[key] = value; } return copy; }; Utils.map = function (array, callback) { var result = []; for (var i = 0; i < array.length; i++) { var item = array[i]; var mappedItem = callback(item); result.push(mappedItem); } return result; }; Utils.mapObject = function (object, callback) { var result = []; Utils.iterateObject(object, function (key, value) { result.push(callback(value)); }); return result; }; Utils.forEach = function (array, callback) { if (!array) { return; } for (var i = 0; i < array.length; i++) { var value = array[i]; callback(value, i); } }; Utils.filter = function (array, callback) { var result = []; array.forEach(function (item) { if (callback(item)) { result.push(item); } }); return result; }; Utils.assign = function (object, source) { if (this.exists(source)) { this.iterateObject(source, function (key, value) { object[key] = value; }); } }; Utils.getFunctionParameters = function (func) { var fnStr = func.toString().replace(FUNCTION_STRIP_COMMENTS, ''); var result = fnStr.slice(fnStr.indexOf('(') + 1, fnStr.indexOf(')')).match(FUNCTION_ARGUMENT_NAMES); if (result === null) { return []; } else { return result; } }; Utils.find = function (collection, predicate, value) { if (collection === null || collection === undefined) { return null; } var firstMatchingItem; for (var i = 0; i < collection.length; i++) { var item = collection[i]; if (typeof predicate === 'string') { if (item[predicate] === value) { firstMatchingItem = item; break; } } else { var callback = predicate; if (callback(item)) { firstMatchingItem = item; break; } } } return firstMatchingItem; }; Utils.toStrings = function (array) { return this.map(array, function (item) { if (item === undefined || item === null || !item.toString) { return null; } else { return item.toString(); } }); }; Utils.iterateArray = function (array, callback) { for (var index = 0; index < array.length; index++) { var value = array[index]; callback(value, index); } }; //Returns true if it is a DOM node //taken from: http://stackoverflow.com/questions/384286/javascript-isdom-how-do-you-check-if-a-javascript-object-is-a-dom-object Utils.isNode = function (o) { return (typeof Node === "function" ? o instanceof Node : o && typeof o === "object" && typeof o.nodeType === "number" && typeof o.nodeName === "string"); }; //Returns true if it is a DOM element //taken from: http://stackoverflow.com/questions/384286/javascript-isdom-how-do-you-check-if-a-javascript-object-is-a-dom-object Utils.isElement = function (o) { return (typeof HTMLElement === "function" ? o instanceof HTMLElement : o && typeof o === "object" && o !== null && o.nodeType === 1 && typeof o.nodeName === "string"); }; Utils.isNodeOrElement = function (o) { return this.isNode(o) || this.isElement(o); }; //adds all type of change listeners to an element, intended to be a text field Utils.addChangeListener = function (element, listener) { element.addEventListener("changed", listener); element.addEventListener("paste", listener); element.addEventListener("input", listener); // IE doesn't fire changed for special keys (eg delete, backspace), so need to // listen for this further ones element.addEventListener("keydown", listener); element.addEventListener("keyup", listener); }; //if value is undefined, null or blank, returns null, otherwise returns the value Utils.makeNull = function (value) { if (value === null || value === undefined || value === "") { return null; } else { return value; } }; Utils.missing = function (value) { return !this.exists(value); }; Utils.missingOrEmpty = function (value) { return this.missing(value) || value.length === 0; }; Utils.exists = function (value) { if (value === null || value === undefined || value === '') { return false; } else { return true; } }; Utils.existsAndNotEmpty = function (value) { return this.exists(value) && value.length > 0; }; Utils.removeAllChildren = function (node) { if (node) { while (node.hasChildNodes()) { node.removeChild(node.lastChild); } } }; Utils.removeElement = function (parent, cssSelector) { this.removeFromParent(parent.querySelector(cssSelector)); }; Utils.removeFromParent = function (node) { if (node && node.parentNode) { node.parentNode.removeChild(node); } }; Utils.isVisible = function (element) { return (element.offsetParent !== null); }; /** * loads the template and returns it as an element. makes up for no simple way in * the dom api to load html directly, eg we cannot do this: document.createElement(template) */ Utils.loadTemplate = function (template) { var tempDiv = document.createElement("div"); tempDiv.innerHTML = template; return tempDiv.firstChild; }; Utils.addOrRemoveCssClass = function (element, className, addOrRemove) { if (addOrRemove) { this.addCssClass(element, className); } else { this.removeCssClass(element, className); } }; Utils.callIfPresent = function (func) { if (func) { func(); } }; Utils.addCssClass = function (element, className) { var _this = this; if (!className || className.length === 0) { return; } if (className.indexOf(' ') >= 0) { className.split(' ').forEach(function (value) { return _this.addCssClass(element, value); }); return; } if (element.classList) { element.classList.add(className); } else { if (element.className && element.className.length > 0) { var cssClasses = element.className.split(' '); if (cssClasses.indexOf(className) < 0) { cssClasses.push(className); element.className = cssClasses.join(' '); } } else { element.className = className; } } }; Utils.containsClass = function (element, className) { if (element.classList) { // for modern browsers return element.classList.contains(className); } else if (element.className) { // for older browsers, check against the string of class names // if only one class, can check for exact match var onlyClass = element.className === className; // if many classes, check for class name, we have to pad with ' ' to stop other // class names that are a substring of this class var contains = element.className.indexOf(' ' + className + ' ') >= 0; // the padding above then breaks when it's the first or last class names var startsWithClass = element.className.indexOf(className + ' ') === 0; var endsWithClass = element.className.lastIndexOf(' ' + className) === (element.className.length - className.length - 1); return onlyClass || contains || startsWithClass || endsWithClass; } else { // if item is not a node return false; } }; Utils.getElementAttribute = function (element, attributeName) { if (element.attributes) { if (element.attributes[attributeName]) { var attribute = element.attributes[attributeName]; return attribute.value; } else { return null; } } else { return null; } }; Utils.offsetHeight = function (element) { return element && element.clientHeight ? element.clientHeight : 0; }; Utils.offsetWidth = function (element) { return element && element.clientWidth ? element.clientWidth : 0; }; Utils.removeCssClass = function (element, className) { if (element.className && element.className.length > 0) { var cssClasses = element.className.split(' '); var index = cssClasses.indexOf(className); if (index >= 0) { cssClasses.splice(index, 1); element.className = cssClasses.join(' '); } } }; Utils.removeFromArray = function (array, object) { if (array.indexOf(object) >= 0) { array.splice(array.indexOf(object), 1); } }; Utils.insertIntoArray = function (array, object, toIndex) { array.splice(toIndex, 0, object); }; Utils.moveInArray = function (array, objectsToMove, toIndex) { var _this = this; // first take out it items from the array objectsToMove.forEach(function (obj) { _this.removeFromArray(array, obj); }); // now add the objects, in same order as provided to us, that means we start at the end // as the objects will be pushed to the right as they are inserted objectsToMove.slice().reverse().forEach(function (obj) { _this.insertIntoArray(array, obj, toIndex); }); }; Utils.defaultComparator = function (valueA, valueB) { var valueAMissing = valueA === null || valueA === undefined; var valueBMissing = valueB === null || valueB === undefined; if (valueAMissing && valueBMissing) { return 0; } if (valueAMissing) { return -1; } if (valueBMissing) { return 1; } if (valueA < valueB) { return -1; } else if (valueA > valueB) { return 1; } else { return 0; } }; Utils.formatWidth = function (width) { if (typeof width === "number") { return width + "px"; } else { return width; } }; Utils.formatNumberTwoDecimalPlacesAndCommas = function (value) { // took this from: http://blog.tompawlak.org/number-currency-formatting-javascript if (typeof value === 'number') { return (Math.round(value * 100) / 100).toString().replace(/(\d)(?=(\d{3})+(?!\d))/g, "$1,"); } else { return ''; } }; /** * If icon provided, use this (either a string, or a function callback). * if not, then use the second parameter, which is the svgFactory function */ Utils.createIcon = function (iconName, gridOptionsWrapper, column, svgFactoryFunc) { var eResult = document.createElement('span'); eResult.appendChild(this.createIconNoSpan(iconName, gridOptionsWrapper, column, svgFactoryFunc)); return eResult; }; Utils.createIconNoSpan = function (iconName, gridOptionsWrapper, colDefWrapper, svgFactoryFunc) { var userProvidedIcon; // check col for icon first if (colDefWrapper && colDefWrapper.getColDef().icons) { userProvidedIcon = colDefWrapper.getColDef().icons[iconName]; } // it not in col, try grid options if (!userProvidedIcon && gridOptionsWrapper.getIcons()) { userProvidedIcon = gridOptionsWrapper.getIcons()[iconName]; } // now if user provided, use it if (userProvidedIcon) { var rendererResult; if (typeof userProvidedIcon === 'function') { rendererResult = userProvidedIcon(); } else if (typeof userProvidedIcon === 'string') { rendererResult = userProvidedIcon; } else { throw 'icon from grid options needs to be a string or a function'; } if (typeof rendererResult === 'string') { return this.loadTemplate(rendererResult); } else if (this.isNodeOrElement(rendererResult)) { return rendererResult; } else { throw 'iconRenderer should return back a string or a dom object'; } } else { // otherwise we use the built in icon if (svgFactoryFunc) { return svgFactoryFunc(); } else { return null; } } }; Utils.addStylesToElement = function (eElement, styles) { if (!styles) { return; } Object.keys(styles).forEach(function (key) { eElement.style[key] = styles[key]; }); }; Utils.getScrollbarWidth = function () { var outer = document.createElement("div"); outer.style.visibility = "hidden"; outer.style.width = "100px"; outer.style.msOverflowStyle = "scrollbar"; // needed for WinJS apps document.body.appendChild(outer); var widthNoScroll = outer.offsetWidth; // force scrollbars outer.style.overflow = "scroll"; // add innerdiv var inner = document.createElement("div"); inner.style.width = "100%"; outer.appendChild(inner); var widthWithScroll = inner.offsetWidth; // remove divs outer.parentNode.removeChild(outer); return widthNoScroll - widthWithScroll; }; Utils.isKeyPressed = function (event, keyToCheck) { var pressedKey = event.which || event.keyCode; return pressedKey === keyToCheck; }; Utils.setVisible = function (element, visible, visibleStyle) { if (visible) { if (this.exists(visibleStyle)) { element.style.display = visibleStyle; } else { element.style.display = 'inline'; } } else { element.style.display = 'none'; } }; Utils.isBrowserIE = function () { if (this.isIE === undefined) { this.isIE = false || !!document.documentMode; // At least IE6 } return this.isIE; }; Utils.isBrowserSafari = function () { if (this.isSafari === undefined) { this.isSafari = Object.prototype.toString.call(window.HTMLElement).indexOf('Constructor') > 0; } return this.isSafari; }; // taken from: http://stackoverflow.com/questions/1038727/how-to-get-browser-width-using-javascript-code Utils.getBodyWidth = function () { if (document.body) { return document.body.clientWidth; } if (window.innerHeight) { return window.innerWidth; } if (document.documentElement && document.documentElement.clientWidth) { return document.documentElement.clientWidth; } return -1; }; // taken from: http://stackoverflow.com/questions/1038727/how-to-get-browser-width-using-javascript-code Utils.getBodyHeight = function () { if (document.body) { return document.body.clientHeight; } if (window.innerHeight) { return window.innerHeight; } if (document.documentElement && document.documentElement.clientHeight) { return document.documentElement.clientHeight; } return -1; }; Utils.setCheckboxState = function (eCheckbox, state) { if (typeof state === 'boolean') { eCheckbox.checked = state; eCheckbox.indeterminate = false; } else { // isNodeSelected returns back undefined if it's a group and the children // are a mix of selected and unselected eCheckbox.indeterminate = true; } }; Utils.traverseNodesWithKey = function (nodes, callback) { var keyParts = []; recursiveSearchNodes(nodes); function recursiveSearchNodes(nodes) { nodes.forEach(function (node) { if (node.group) { keyParts.push(node.key); var key = keyParts.join('|'); callback(node, key); recursiveSearchNodes(node.childrenAfterGroup); keyParts.pop(); } }); } }; // Taken from here: https://github.com/facebook/fixed-data-table/blob/master/src/vendor_upstream/dom/normalizeWheel.js /** * Mouse wheel (and 2-finger trackpad) support on the web sucks. It is * complicated, thus this doc is long and (hopefully) detailed enough to answer * your questions. * * If you need to react to the mouse wheel in a predictable way, this code is * like your bestest friend. * hugs * * * As of today, there are 4 DOM event types you can listen to: * * 'wheel' -- Chrome(31+), FF(17+), IE(9+) * 'mousewheel' -- Chrome, IE(6+), Opera, Safari * 'MozMousePixelScroll' -- FF(3.5 only!) (2010-2013) -- don't bother! * 'DOMMouseScroll' -- FF(0.9.7+) since 2003 * * So what to do? The is the best: * * normalizeWheel.getEventType(); * * In your event callback, use this code to get sane interpretation of the * deltas. This code will return an object with properties: * * spinX -- normalized spin speed (use for zoom) - x plane * spinY -- " - y plane * pixelX -- normalized distance (to pixels) - x plane * pixelY -- " - y plane * * Wheel values are provided by the browser assuming you are using the wheel to * scroll a web page by a number of lines or pixels (or pages). Values can vary * significantly on different platforms and browsers, forgetting that you can * scroll at different speeds. Some devices (like trackpads) emit more events * at smaller increments with fine granularity, and some emit massive jumps with * linear speed or acceleration. * * This code does its best to normalize the deltas for you: * * - spin is trying to normalize how far the wheel was spun (or trackpad * dragged). This is super useful for zoom support where you want to * throw away the chunky scroll steps on the PC and make those equal to * the slow and smooth tiny steps on the Mac. Key data: This code tries to * resolve a single slow step on a wheel to 1. * * - pixel is normalizing the desired scroll delta in pixel units. You'll * get the crazy differences between browsers, but at least it'll be in * pixels! * * - positive value indicates scrolling DOWN/RIGHT, negative UP/LEFT. This * should translate to positive value zooming IN, negative zooming OUT. * This matches the newer 'wheel' event. * * Why are there spinX, spinY (or pixels)? * * - spinX is a 2-finger side drag on the trackpad, and a shift + wheel turn * with a mouse. It results in side-scrolling in the browser by default. * * - spinY is what you expect -- it's the classic axis of a mouse wheel. * * - I dropped spinZ/pixelZ. It is supported by the DOM 3 'wheel' event and * probably is by browsers in conjunction with fancy 3D controllers .. but * you know. * * Implementation info: * * Examples of 'wheel' event if you scroll slowly (down) by one step with an * average mouse: * * OS X + Chrome (mouse) - 4 pixel delta (wheelDelta -120) * OS X + Safari (mouse) - N/A pixel delta (wheelDelta -12) * OS X + Firefox (mouse) - 0.1 line delta (wheelDelta N/A) * Win8 + Chrome (mouse) - 100 pixel delta (wheelDelta -120) * Win8 + Firefox (mouse) - 3 line delta (wheelDelta -120) * * On the trackpad: * * OS X + Chrome (trackpad) - 2 pixel delta (wheelDelta -6) * OS X + Firefox (trackpad) - 1 pixel delta (wheelDelta N/A) * * On other/older browsers.. it's more complicated as there can be multiple and * also missing delta values. * * The 'wheel' event is more standard: * * http://www.w3.org/TR/DOM-Level-3-Events/#events-wheelevents * * The basics is that it includes a unit, deltaMode (pixels, lines, pages), and * deltaX, deltaY and deltaZ. Some browsers provide other values to maintain * backward compatibility with older events. Those other values help us * better normalize spin speed. Example of what the browsers provide: * * | event.wheelDelta | event.detail * ------------------+------------------+-------------- * Safari v5/OS X | -120 | 0 * Safari v5/Win7 | -120 | 0 * Chrome v17/OS X | -120 | 0 * Chrome v17/Win7 | -120 | 0 * IE9/Win7 | -120 | undefined * Firefox v4/OS X | undefined | 1 * Firefox v4/Win7 | undefined | 3 * */ Utils.normalizeWheel = function (event) { var PIXEL_STEP = 10; var LINE_HEIGHT = 40; var PAGE_HEIGHT = 800; // spinX, spinY var sX = 0; var sY = 0; // pixelX, pixelY var pX = 0; var pY = 0; // Legacy if ('detail' in event) { sY = event.detail; } if ('wheelDelta' in event) { sY = -event.wheelDelta / 120; } if ('wheelDeltaY' in event) { sY = -event.wheelDeltaY / 120; } if ('wheelDeltaX' in event) { sX = -event.wheelDeltaX / 120; } // side scrolling on FF with DOMMouseScroll if ('axis' in event && event.axis === event.HORIZONTAL_AXIS) { sX = sY; sY = 0; } pX = sX * PIXEL_STEP; pY = sY * PIXEL_STEP; if ('deltaY' in event) { pY = event.deltaY; } if ('deltaX' in event) { pX = event.deltaX; } if ((pX || pY) && event.deltaMode) { if (event.deltaMode == 1) { pX *= LINE_HEIGHT; pY *= LINE_HEIGHT; } else { pX *= PAGE_HEIGHT; pY *= PAGE_HEIGHT; } } // Fall-back if spin cannot be determined if (pX && !sX) { sX = (pX < 1) ? -1 : 1; } if (pY && !sY) { sY = (pY < 1) ? -1 : 1; } return { spinX: sX, spinY: sY, pixelX: pX, pixelY: pY }; }; return Utils; })(); exports.Utils = Utils; /***/ }, /* 8 */ /***/ function(module, exports) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var Constants = (function () { function Constants() { } Constants.STEP_EVERYTHING = 0; Constants.STEP_FILTER = 1; Constants.STEP_SORT = 2; Constants.STEP_MAP = 3; Constants.STEP_AGGREGATE = 4; Constants.STEP_PIVOT = 5; Constants.ROW_BUFFER_SIZE = 5; Constants.KEY_BACKSPACE = 8; Constants.KEY_TAB = 9; Constants.KEY_ENTER = 13; Constants.KEY_SHIFT = 16; Constants.KEY_ESCAPE = 27; Constants.KEY_SPACE = 32; Constants.KEY_LEFT = 37; Constants.KEY_UP = 38; Constants.KEY_RIGHT = 39; Constants.KEY_DOWN = 40; Constants.KEY_DELETE = 46; Constants.KEY_A = 65; Constants.KEY_C = 67; Constants.KEY_V = 86; Constants.KEY_D = 68; Constants.KEY_F2 = 113; Constants.ROW_MODEL_TYPE_PAGINATION = 'pagination'; Constants.ROW_MODEL_TYPE_VIRTUAL = 'virtual'; Constants.ROW_MODEL_TYPE_VIEWPORT = 'viewport'; Constants.ROW_MODEL_TYPE_NORMAL = 'normal'; Constants.ALWAYS = 'always'; Constants.ONLY_WHEN_GROUPING = 'onlyWhenGrouping'; Constants.FLOATING_TOP = 'top'; Constants.FLOATING_BOTTOM = 'bottom'; return Constants; })(); exports.Constants = Constants; /***/ }, /* 9 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var events_1 = __webpack_require__(10); var utils_1 = __webpack_require__(7); var ComponentUtil = (function () { function ComponentUtil() { } ComponentUtil.getEventCallbacks = function () { if (!ComponentUtil.EVENT_CALLBACKS) { ComponentUtil.EVENT_CALLBACKS = []; ComponentUtil.EVENTS.forEach(function (eventName) { ComponentUtil.EVENT_CALLBACKS.push(ComponentUtil.getCallbackForEvent(eventName)); }); } return ComponentUtil.EVENT_CALLBACKS; }; ComponentUtil.copyAttributesToGridOptions = function (gridOptions, component) { checkForDeprecated(component); // create empty grid options if none were passed if (typeof gridOptions !== 'object') { gridOptions = {}; } // to allow array style lookup in TypeScript, take type away from 'this' and 'gridOptions' var pGridOptions = gridOptions; // add in all the simple properties ComponentUtil.ARRAY_PROPERTIES .concat(ComponentUtil.STRING_PROPERTIES) .concat(ComponentUtil.OBJECT_PROPERTIES) .concat(ComponentUtil.FUNCTION_PROPERTIES) .forEach(function (key) { if (typeof (component)[key] !== 'undefined') { pGridOptions[key] = component[key]; } }); ComponentUtil.BOOLEAN_PROPERTIES.forEach(function (key) { if (typeof (component)[key] !== 'undefined') { pGridOptions[key] = ComponentUtil.toBoolean(component[key]); } }); ComponentUtil.NUMBER_PROPERTIES.forEach(function (key) { if (typeof (component)[key] !== 'undefined') { pGridOptions[key] = ComponentUtil.toNumber(component[key]); } }); ComponentUtil.getEventCallbacks().forEach(function (funcName) { if (typeof (component)[funcName] !== 'undefined') { pGridOptions[funcName] = component[funcName]; } }); return gridOptions; }; ComponentUtil.getCallbackForEvent = function (eventName) { if (!eventName || eventName.length < 2) { return eventName; } else { return 'on' + eventName[0].toUpperCase() + eventName.substr(1); } }; // change this method, the caller should know if it's initialised or not, plus 'initialised' // is not relevant for all component types. // maybe pass in the api and columnApi instead??? ComponentUtil.processOnChange = function (changes, gridOptions, api) { //if (!component._initialised || !changes) { return; } if (!changes) { return; } checkForDeprecated(changes); // to allow array style lookup in TypeScript, take type away from 'this' and 'gridOptions' var pGridOptions = gridOptions; // check if any change for the simple types, and if so, then just copy in the new value ComponentUtil.ARRAY_PROPERTIES .concat(ComponentUtil.OBJECT_PROPERTIES) .concat(ComponentUtil.STRING_PROPERTIES) .forEach(function (key) { if (changes[key]) { pGridOptions[key] = changes[key].currentValue; } }); ComponentUtil.BOOLEAN_PROPERTIES.forEach(function (key) { if (changes[key]) { pGridOptions[key] = ComponentUtil.toBoolean(changes[key].currentValue); } }); ComponentUtil.NUMBER_PROPERTIES.forEach(function (key) { if (changes[key]) { pGridOptions[key] = ComponentUtil.toNumber(changes[key].currentValue); } }); ComponentUtil.getEventCallbacks().forEach(function (funcName) { if (changes[funcName]) { pGridOptions[funcName] = changes[funcName].currentValue; } }); if (changes.showToolPanel) { api.showToolPanel(changes.showToolPanel.currentValue); } if (changes.quickFilterText) { api.setQuickFilter(changes.quickFilterText.currentValue); } if (changes.rowData) { api.setRowData(changes.rowData.currentValue); } if (changes.floatingTopRowData) { api.setFloatingTopRowData(changes.floatingTopRowData.currentValue); } if (changes.floatingBottomRowData) { api.setFloatingBottomRowData(changes.floatingBottomRowData.currentValue); } if (changes.columnDefs) { api.setColumnDefs(changes.columnDefs.currentValue); } if (changes.datasource) { api.setDatasource(changes.datasource.currentValue); } if (changes.headerHeight) { api.setHeaderHeight(changes.headerHeight.currentValue); } }; ComponentUtil.toBoolean = function (value) { if (typeof value === 'boolean') { return value; } else if (typeof value === 'string') { // for boolean, compare to empty String to allow attributes appearing with // not value to be treated as 'true' return value.toUpperCase() === 'TRUE' || value == ''; } else { return false; } }; ComponentUtil.toNumber = function (value) { if (typeof value === 'number') { return value; } else if (typeof value === 'string') { return Number(value); } else { return undefined; } }; // all the events are populated in here AFTER this class (at the bottom of the file). ComponentUtil.EVENTS = []; ComponentUtil.STRING_PROPERTIES = [ 'sortingOrder', 'rowClass', 'rowSelection', 'overlayLoadingTemplate', 'overlayNoRowsTemplate', 'headerCellTemplate', 'quickFilterText', 'rowModelType']; ComponentUtil.OBJECT_PROPERTIES = [ 'rowStyle', 'context', 'groupColumnDef', 'localeText', 'icons', 'datasource', 'viewportDatasource', 'groupRowRendererParams' ]; ComponentUtil.ARRAY_PROPERTIES = [ 'slaveGrids', 'rowData', 'floatingTopRowData', 'floatingBottomRowData', 'columnDefs' ]; ComponentUtil.NUMBER_PROPERTIES = [ 'rowHeight', 'rowBuffer', 'colWidth', 'headerHeight', 'groupDefaultExpanded', 'minColWidth', 'maxColWidth', 'viewportRowModelPageSize', 'viewportRowModelBufferSize' ]; ComponentUtil.BOOLEAN_PROPERTIES = [ 'toolPanelSuppressGroups', 'toolPanelSuppressValues', 'suppressRowClickSelection', 'suppressCellSelection', 'suppressHorizontalScroll', 'debug', 'enableColResize', 'enableCellExpressions', 'enableSorting', 'enableServerSideSorting', 'enableFilter', 'enableServerSideFilter', 'angularCompileRows', 'angularCompileFilters', 'angularCompileHeaders', 'groupSuppressAutoColumn', 'groupSelectsChildren', 'groupIncludeFooter', 'groupUseEntireRow', 'groupSuppressRow', 'groupSuppressBlankHeader', 'forPrint', 'suppressMenuHide', 'rowDeselection', 'unSortIcon', 'suppressMultiSort', 'suppressScrollLag', 'singleClickEdit', 'suppressLoadingOverlay', 'suppressNoRowsOverlay', 'suppressAutoSize', 'suppressParentsInRowNodes', 'showToolPanel', 'suppressColumnMoveAnimation', 'suppressMovableColumns', 'suppressFieldDotNotation', 'enableRangeSelection', 'suppressEnterprise', 'rowGroupPanelShow', 'suppressContextMenu', 'suppressMenuFilterPanel', 'suppressMenuMainPanel', 'suppressMenuColumnPanel', 'enableStatusBar', 'rememberGroupStateWhenNewData', 'enableCellChangeFlash', 'suppressDragLeaveHidesColumns', 'suppressMiddleClickScrolls', 'suppressPreventDefaultOnMouseWheel' ]; ComponentUtil.FUNCTION_PROPERTIES = ['headerCellRenderer', 'localeTextFunc', 'groupRowInnerRenderer', 'groupRowRenderer', 'isScrollLag', 'isExternalFilterPresent', 'getRowHeight', 'doesExternalFilterPass', 'getRowClass', 'getRowStyle', 'getHeaderCellTemplate', 'traverseNode', 'getContextMenuItems', 'getMainMenuItems', 'processRowPostCreate', 'processCellForClipboard', 'getNodeChildDetails', 'groupRowAggNodes']; ComponentUtil.ALL_PROPERTIES = ComponentUtil.ARRAY_PROPERTIES .concat(ComponentUtil.OBJECT_PROPERTIES) .concat(ComponentUtil.STRING_PROPERTIES) .concat(ComponentUtil.NUMBER_PROPERTIES) .concat(ComponentUtil.FUNCTION_PROPERTIES) .concat(ComponentUtil.BOOLEAN_PROPERTIES); return ComponentUtil; })(); exports.ComponentUtil = ComponentUtil; utils_1.Utils.iterateObject(events_1.Events, function (key, value) { ComponentUtil.EVENTS.push(value); }); function checkForDeprecated(changes) { if (changes.ready || changes.onReady) { console.warn('ag-grid: as of v3.3 ready event is now called gridReady, so the callback should be onGridReady'); } if (changes.rowDeselected || changes.onRowDeselected) { console.warn('ag-grid: as of v3.4 rowDeselected no longer exists. Please check the docs.'); } } /***/ }, /* 10 */ /***/ function(module, exports) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var Events = (function () { function Events() { } /** A new set of columns has been entered, everything has potentially changed. */ Events.EVENT_COLUMN_EVERYTHING_CHANGED = 'columnEverythingChanged'; Events.EVENT_NEW_COLUMNS_LOADED = 'newColumnsLoaded'; /** A row group column was added, removed or order changed. */ Events.EVENT_COLUMN_ROW_GROUP_CHANGED = 'columnRowGroupChanged'; /** A pivot column was added, removed or order changed. */ Events.EVENT_COLUMN_PIVOT_CHANGED = 'columnPivotChanged'; /** A pivot column was added, removed or order changed. */ Events.EVENT_PIVOT_VALUE_CHANGED = 'pivotValueChanged'; /** A value column was added, removed or agg function was changed. */ Events.EVENT_COLUMN_VALUE_CHANGED = 'columnValueChanged'; /** A column was moved */ Events.EVENT_COLUMN_MOVED = 'columnMoved'; /** One or more columns was shown / hidden */ Events.EVENT_COLUMN_VISIBLE = 'columnVisible'; /** One or more columns was pinned / unpinned*/ Events.EVENT_COLUMN_PINNED = 'columnPinned'; /** A column group was opened / closed */ Events.EVENT_COLUMN_GROUP_OPENED = 'columnGroupOpened'; /** One or more columns was resized. If just one, the column in the event is set. */ Events.EVENT_COLUMN_RESIZED = 'columnResized'; /** A row group was opened / closed */ Events.EVENT_ROW_GROUP_OPENED = 'rowGroupOpened'; Events.EVENT_ROW_DATA_CHANGED = 'rowDataChanged'; Events.EVENT_FLOATING_ROW_DATA_CHANGED = 'floatingRowDataChanged'; Events.EVENT_RANGE_SELECTION_CHANGED = 'rangeSelectionChanged'; Events.EVENT_FLASH_CELLS = 'clipboardPaste'; Events.EVENT_HEADER_HEIGHT_CHANGED = 'headerHeightChanged'; Events.EVENT_MODEL_UPDATED = 'modelUpdated'; Events.EVENT_CELL_CLICKED = 'cellClicked'; Events.EVENT_CELL_DOUBLE_CLICKED = 'cellDoubleClicked'; Events.EVENT_CELL_CONTEXT_MENU = 'cellContextMenu'; Events.EVENT_CELL_VALUE_CHANGED = 'cellValueChanged'; Events.EVENT_CELL_FOCUSED = 'cellFocused'; Events.EVENT_ROW_SELECTED = 'rowSelected'; Events.EVENT_SELECTION_CHANGED = 'selectionChanged'; Events.EVENT_BEFORE_FILTER_CHANGED = 'beforeFilterChanged'; Events.EVENT_FILTER_CHANGED = 'filterChanged'; Events.EVENT_AFTER_FILTER_CHANGED = 'afterFilterChanged'; Events.EVENT_FILTER_MODIFIED = 'filterModified'; Events.EVENT_BEFORE_SORT_CHANGED = 'beforeSortChanged'; Events.EVENT_SORT_CHANGED = 'sortChanged'; Events.EVENT_AFTER_SORT_CHANGED = 'afterSortChanged'; Events.EVENT_VIRTUAL_ROW_REMOVED = 'virtualRowRemoved'; Events.EVENT_ROW_CLICKED = 'rowClicked'; Events.EVENT_ROW_DOUBLE_CLICKED = 'rowDoubleClicked'; Events.EVENT_GRID_READY = 'gridReady'; Events.EVENT_GRID_SIZE_CHANGED = 'gridSizeChanged'; Events.EVENT_VIEWPORT_CHANGED = 'viewportChanged'; return Events; })(); exports.Events = Events; /***/ }, /* 11 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __metadata = (this && this.__metadata) || function (k, v) { if (typeof Reflect === "object" && typeof Reflect.metadata === "function") return Reflect.metadata(k, v); }; var csvCreator_1 = __webpack_require__(12); var rowRenderer_1 = __webpack_require__(23); var headerRenderer_1 = __webpack_require__(68); var filterManager_1 = __webpack_require__(43); var columnController_1 = __webpack_require__(13); var selectionController_1 = __webpack_require__(28); var gridOptionsWrapper_1 = __webpack_require__(3); var gridPanel_1 = __webpack_require__(24); var valueService_1 = __webpack_require__(29); var masterSlaveService_1 = __webpack_require__(25); var eventService_1 = __webpack_require__(4); var floatingRowModel_1 = __webpack_require__(26); var constants_1 = __webpack_require__(8); var context_1 = __webpack_require__(6); var gridCore_1 = __webpack_require__(40); var sortController_1 = __webpack_require__(42); var paginationController_1 = __webpack_require__(41); var focusedCellController_1 = __webpack_require__(35); var utils_1 = __webpack_require__(7); var cellRendererFactory_1 = __webpack_require__(55); var cellEditorFactory_1 = __webpack_require__(48); var GridApi = (function () { function GridApi() { } GridApi.prototype.init = function () { if (this.rowModel.getType() === constants_1.Constants.ROW_MODEL_TYPE_NORMAL) { this.inMemoryRowModel = this.rowModel; } }; /** Used internally by grid. Not intended to be used by the client. Interface may change between releases. */ GridApi.prototype.__getMasterSlaveService = function () { return this.masterSlaveService; }; GridApi.prototype.getFirstRenderedRow = function () { return this.rowRenderer.getFirstVirtualRenderedRow(); }; GridApi.prototype.getLastRenderedRow = function () { return this.rowRenderer.getLastVirtualRenderedRow(); }; GridApi.prototype.getDataAsCsv = function (params) { return this.csvCreator.getDataAsCsv(params); }; GridApi.prototype.exportDataAsCsv = function (params) { this.csvCreator.exportDataAsCsv(params); }; GridApi.prototype.setDatasource = function (datasource) { if (this.gridOptionsWrapper.isRowModelPagination()) { this.paginationController.setDatasource(datasource); } else if (this.gridOptionsWrapper.isRowModelVirtual()) { this.rowModel.setDatasource(datasource); } else { console.warn("ag-Grid: you can only use a datasource when gridOptions.rowModelType is '" + constants_1.Constants.ROW_MODEL_TYPE_VIRTUAL + "' or '" + constants_1.Constants.ROW_MODEL_TYPE_PAGINATION + "'"); } }; GridApi.prototype.setViewportDatasource = function (viewportDatasource) { if (this.gridOptionsWrapper.isRowModelViewport()) { // this is bad coding, because it's using an interface that's exposed in the enterprise. // really we should create an interface in the core for viewportDatasource and let // the enterprise implement it, rather than casting to 'any' here this.rowModel.setViewportDatasource(viewportDatasource); } else { console.warn("ag-Grid: you can only use a datasource when gridOptions.rowModelType is '" + constants_1.Constants.ROW_MODEL_TYPE_VIEWPORT + "'"); } }; GridApi.prototype.setRowData = function (rowData) { if (utils_1.Utils.missing(this.inMemoryRowModel)) { console.log('cannot call setRowData unless using normal row model'); } this.inMemoryRowModel.setRowData(rowData, true); }; GridApi.prototype.setFloatingTopRowData = function (rows) { this.floatingRowModel.setFloatingTopRowData(rows); }; GridApi.prototype.setFloatingBottomRowData = function (rows) { this.floatingRowModel.setFloatingBottomRowData(rows); }; GridApi.prototype.setColumnDefs = function (colDefs) { this.columnController.setColumnDefs(colDefs); }; GridApi.prototype.refreshRows = function (rowNodes) { this.rowRenderer.refreshRows(rowNodes); }; GridApi.prototype.refreshCells = function (rowNodes, colIds, animate) { if (animate === void 0) { animate = false; } this.rowRenderer.refreshCells(rowNodes, colIds, animate); }; GridApi.prototype.rowDataChanged = function (rows) { this.rowRenderer.rowDataChanged(rows); }; GridApi.prototype.refreshView = function () { this.rowRenderer.refreshView(); }; GridApi.prototype.softRefreshView = function () { this.rowRenderer.softRefreshView(); }; GridApi.prototype.refreshGroupRows = function () { this.rowRenderer.refreshGroupRows(); }; GridApi.prototype.refreshHeader = function () { // need to review this - the refreshHeader should also refresh all icons in the header this.headerRenderer.refreshHeader(); }; GridApi.prototype.isAnyFilterPresent = function () { return this.filterManager.isAnyFilterPresent(); }; GridApi.prototype.isAdvancedFilterPresent = function () { return this.filterManager.isAdvancedFilterPresent(); }; GridApi.prototype.isQuickFilterPresent = function () { return this.filterManager.isQuickFilterPresent(); }; GridApi.prototype.getModel = function () { return this.rowModel; }; GridApi.prototype.onGroupExpandedOrCollapsed = function (refreshFromIndex) { if (utils_1.Utils.missing(this.inMemoryRowModel)) { console.log('cannot call onGroupExpandedOrCollapsed unless using normal row model'); } this.inMemoryRowModel.refreshModel(constants_1.Constants.STEP_MAP, refreshFromIndex); }; GridApi.prototype.refreshInMemoryRowModel = function () { if (utils_1.Utils.missing(this.inMemoryRowModel)) { console.log('cannot call refreshInMemoryRowModel unless using normal row model'); } this.inMemoryRowModel.refreshModel(constants_1.Constants.STEP_EVERYTHING); }; GridApi.prototype.expandAll = function () { if (utils_1.Utils.missing(this.inMemoryRowModel)) { console.log('cannot call expandAll unless using normal row model'); } this.inMemoryRowModel.expandOrCollapseAll(true); }; GridApi.prototype.collapseAll = function () { if (utils_1.Utils.missing(this.inMemoryRowModel)) { console.log('cannot call collapseAll unless using normal row model'); } this.inMemoryRowModel.expandOrCollapseAll(false); }; GridApi.prototype.addVirtualRowListener = function (eventName, rowIndex, callback) { if (typeof eventName !== 'string') { console.log('ag-Grid: addVirtualRowListener is deprecated, please use addRenderedRowListener.'); } this.addRenderedRowListener(eventName, rowIndex, callback); }; GridApi.prototype.addRenderedRowListener = function (eventName, rowIndex, callback) { if (eventName === 'virtualRowRemoved') { console.log('ag-Grid: event virtualRowRemoved is deprecated, now called renderedRowRemoved'); eventName = '' + ''; } if (eventName === 'virtualRowSelected') { console.log('ag-Grid: event virtualRowSelected is deprecated, to register for individual row ' + 'selection events, add a listener directly to the row node.'); } this.rowRenderer.addRenderedRowListener(eventName, rowIndex, callback); }; GridApi.prototype.setQuickFilter = function (newFilter) { this.filterManager.setQuickFilter(newFilter); }; GridApi.prototype.selectIndex = function (index, tryMulti, suppressEvents) { console.log('ag-Grid: do not use api for selection, call node.setSelected(value) instead'); if (suppressEvents) { console.log('ag-Grid: suppressEvents is no longer supported, stop listening for the event if you no longer want it'); } this.selectionController.selectIndex(index, tryMulti); }; GridApi.prototype.deselectIndex = function (index, suppressEvents) { if (suppressEvents === void 0) { suppressEvents = false; } console.log('ag-Grid: do not use api for selection, call node.setSelected(value) instead'); if (suppressEvents) { console.log('ag-Grid: suppressEvents is no longer supported, stop listening for the event if you no longer want it'); } this.selectionController.deselectIndex(index); }; GridApi.prototype.selectNode = function (node, tryMulti, suppressEvents) { if (tryMulti === void 0) { tryMulti = false; } if (suppressEvents === void 0) { suppressEvents = false; } console.log('ag-Grid: API for selection is deprecated, call node.setSelected(value) instead'); if (suppressEvents) { console.log('ag-Grid: suppressEvents is no longer supported, stop listening for the event if you no longer want it'); } node.setSelectedParams({ newValue: true, clearSelection: !tryMulti }); }; GridApi.prototype.deselectNode = function (node, suppressEvents) { if (suppressEvents === void 0) { suppressEvents = false; } console.log('ag-Grid: API for selection is deprecated, call node.setSelected(value) instead'); if (suppressEvents) { console.log('ag-Grid: suppressEvents is no longer supported, stop listening for the event if you no longer want it'); } node.setSelectedParams({ newValue: false }); }; GridApi.prototype.selectAll = function () { this.selectionController.selectAllRowNodes(); }; GridApi.prototype.deselectAll = function () { this.selectionController.deselectAllRowNodes(); }; GridApi.prototype.recomputeAggregates = function () { if (utils_1.Utils.missing(this.inMemoryRowModel)) { console.log('cannot call recomputeAggregates unless using normal row model'); } this.inMemoryRowModel.refreshModel(constants_1.Constants.STEP_AGGREGATE); }; GridApi.prototype.sizeColumnsToFit = function () { if (this.gridOptionsWrapper.isForPrint()) { console.warn('ag-grid: sizeColumnsToFit does not work when forPrint=true'); return; } this.gridPanel.sizeColumnsToFit(); }; GridApi.prototype.showLoadingOverlay = function () { this.gridPanel.showLoadingOverlay(); }; GridApi.prototype.showNoRowsOverlay = function () { this.gridPanel.showNoRowsOverlay(); }; GridApi.prototype.hideOverlay = function () { this.gridPanel.hideOverlay(); }; GridApi.prototype.isNodeSelected = function (node) { console.log('ag-Grid: no need to call api.isNodeSelected(), just call node.isSelected() instead'); return node.isSelected(); }; GridApi.prototype.getSelectedNodesById = function () { console.error('ag-Grid: since version 3.4, getSelectedNodesById no longer exists, use getSelectedNodes() instead'); return null; }; GridApi.prototype.getSelectedNodes = function () { return this.selectionController.getSelectedNodes(); }; GridApi.prototype.getSelectedRows = function () { return this.selectionController.getSelectedRows(); }; GridApi.prototype.getBestCostNodeSelection = function () { return this.selectionController.getBestCostNodeSelection(); }; GridApi.prototype.getRenderedNodes = function () { return this.rowRenderer.getRenderedNodes(); }; GridApi.prototype.ensureColIndexVisible = function (index) { console.warn('ag-Grid: ensureColIndexVisible(index) no longer supported, use ensureColumnVisible(colKey) instead.'); }; GridApi.prototype.ensureColumnVisible = function (key) { this.gridPanel.ensureColumnVisible(key); }; GridApi.prototype.ensureIndexVisible = function (index) { this.gridPanel.ensureIndexVisible(index); }; GridApi.prototype.ensureNodeVisible = function (comparator) { this.gridCore.ensureNodeVisible(comparator); }; GridApi.prototype.forEachLeafNode = function (callback) { if (utils_1.Utils.missing(this.inMemoryRowModel)) { console.log('cannot call forEachNodeAfterFilter unless using normal row model'); } this.inMemoryRowModel.forEachLeafNode(callback); }; GridApi.prototype.forEachNode = function (callback) { this.rowModel.forEachNode(callback); }; GridApi.prototype.forEachNodeAfterFilter = function (callback) { if (utils_1.Utils.missing(this.inMemoryRowModel)) { console.log('cannot call forEachNodeAfterFilter unless using normal row model'); } this.inMemoryRowModel.forEachNodeAfterFilter(callback); }; GridApi.prototype.forEachNodeAfterFilterAndSort = function (callback) { if (utils_1.Utils.missing(this.inMemoryRowModel)) { console.log('cannot call forEachNodeAfterFilterAndSort unless using normal row model'); } this.inMemoryRowModel.forEachNodeAfterFilterAndSort(callback); }; GridApi.prototype.getFilterApiForColDef = function (colDef) { console.warn('ag-grid API method getFilterApiForColDef deprecated, use getFilterApi instead'); return this.getFilterApi(colDef); }; GridApi.prototype.getFilterApi = function (key) { var column = this.columnController.getOriginalColumn(key); if (column) { return this.filterManager.getFilterApi(column); } }; GridApi.prototype.destroyFilter = function (key) { var column = this.columnController.getOriginalColumn(key); if (column) { return this.filterManager.destroyFilter(column); } }; GridApi.prototype.getColumnDef = function (key) { var column = this.columnController.getOriginalColumn(key); if (column) { return column.getColDef(); } else { return null; } }; GridApi.prototype.onFilterChanged = function () { this.filterManager.onFilterChanged(); }; GridApi.prototype.setSortModel = function (sortModel) { this.sortController.setSortModel(sortModel); }; GridApi.prototype.getSortModel = function () { return this.sortController.getSortModel(); }; GridApi.prototype.setFilterModel = function (model) { this.filterManager.setFilterModel(model); }; GridApi.prototype.getFilterModel = function () { return this.filterManager.getFilterModel(); }; GridApi.prototype.getFocusedCell = function () { return this.focusedCellController.getFocusedCell(); }; GridApi.prototype.setFocusedCell = function (rowIndex, colKey, floating) { this.focusedCellController.setFocusedCell(rowIndex, colKey, floating, true); }; GridApi.prototype.setHeaderHeight = function (headerHeight) { this.gridOptionsWrapper.setHeaderHeight(headerHeight); }; GridApi.prototype.showToolPanel = function (show) { this.gridCore.showToolPanel(show); }; GridApi.prototype.isToolPanelShowing = function () { return this.gridCore.isToolPanelShowing(); }; GridApi.prototype.doLayout = function () { this.gridCore.doLayout(); }; GridApi.prototype.getValue = function (colKey, rowNode) { var column = this.columnController.getOriginalColumn(colKey); return this.valueService.getValue(column, rowNode); }; GridApi.prototype.addEventListener = function (eventType, listener) { this.eventService.addEventListener(eventType, listener); }; GridApi.prototype.addGlobalListener = function (listener) { this.eventService.addGlobalListener(listener); }; GridApi.prototype.removeEventListener = function (eventType, listener) { this.eventService.removeEventListener(eventType, listener); }; GridApi.prototype.removeGlobalListener = function (listener) { this.eventService.removeGlobalListener(listener); }; GridApi.prototype.dispatchEvent = function (eventType, event) { this.eventService.dispatchEvent(eventType, event); }; GridApi.prototype.destroy = function () { this.context.destroy(); }; GridApi.prototype.resetQuickFilter = function () { this.rowModel.forEachNode(function (node) { return node.quickFilterAggregateText = null; }); }; GridApi.prototype.getRangeSelections = function () { if (this.rangeController) { return this.rangeController.getCellRanges(); } else { console.warn('ag-Grid: cell range selection is only available in ag-Grid Enterprise'); return null; } }; GridApi.prototype.addRangeSelection = function (rangeSelection) { if (!this.rangeController) { console.warn('ag-Grid: cell range selection is only available in ag-Grid Enterprise'); } this.rangeController.addRange(rangeSelection); }; GridApi.prototype.clearRangeSelection = function () { if (!this.rangeController) { console.warn('ag-Grid: cell range selection is only available in ag-Grid Enterprise'); } this.rangeController.clearSelection(); }; GridApi.prototype.copySelectedRowsToClipboard = function () { if (!this.clipboardService) { console.warn('ag-Grid: clipboard is only available in ag-Grid Enterprise'); } this.clipboardService.copySelectedRowsToClipboard(); }; GridApi.prototype.copySelectedRangeToClipboard = function () { if (!this.clipboardService) { console.warn('ag-Grid: clipboard is only available in ag-Grid Enterprise'); } this.clipboardService.copySelectedRangeToClipboard(); }; GridApi.prototype.copySelectedRangeDown = function () { if (!this.clipboardService) { console.warn('ag-Grid: clipboard is only available in ag-Grid Enterprise'); } this.clipboardService.copyRangeDown(); }; GridApi.prototype.showColumnMenuAfterButtonClick = function (colKey, buttonElement) { var column = this.columnController.getOriginalColumn(colKey); this.menuFactory.showMenuAfterButtonClick(column, buttonElement); }; GridApi.prototype.showColumnMenuAfterMouseClick = function (colKey, mouseEvent) { var column = this.columnController.getOriginalColumn(colKey); this.menuFactory.showMenuAfterMouseEvent(column, mouseEvent); }; GridApi.prototype.stopEditing = function (cancel) { if (cancel === void 0) { cancel = false; } this.rowRenderer.stopEditing(cancel); }; __decorate([ context_1.Autowired('csvCreator'), __metadata('design:type', csvCreator_1.CsvCreator) ], GridApi.prototype, "csvCreator", void 0); __decorate([ context_1.Autowired('gridCore'), __metadata('design:type', gridCore_1.GridCore) ], GridApi.prototype, "gridCore", void 0); __decorate([ context_1.Autowired('rowRenderer'), __metadata('design:type', rowRenderer_1.RowRenderer) ], GridApi.prototype, "rowRenderer", void 0); __decorate([ context_1.Autowired('headerRenderer'), __metadata('design:type', headerRenderer_1.HeaderRenderer) ], GridApi.prototype, "headerRenderer", void 0); __decorate([ context_1.Autowired('filterManager'), __metadata('design:type', filterManager_1.FilterManager) ], GridApi.prototype, "filterManager", void 0); __decorate([ context_1.Autowired('columnController'), __metadata('design:type', columnController_1.ColumnController) ], GridApi.prototype, "columnController", void 0); __decorate([ context_1.Autowired('selectionController'), __metadata('design:type', selectionController_1.SelectionController) ], GridApi.prototype, "selectionController", void 0); __decorate([ context_1.Autowired('gridOptionsWrapper'), __metadata('design:type', gridOptionsWrapper_1.GridOptionsWrapper) ], GridApi.prototype, "gridOptionsWrapper", void 0); __decorate([ context_1.Autowired('gridPanel'), __metadata('design:type', gridPanel_1.GridPanel) ], GridApi.prototype, "gridPanel", void 0); __decorate([ context_1.Autowired('valueService'), __metadata('design:type', valueService_1.ValueService) ], GridApi.prototype, "valueService", void 0); __decorate([ context_1.Autowired('masterSlaveService'), __metadata('design:type', masterSlaveService_1.MasterSlaveService) ], GridApi.prototype, "masterSlaveService", void 0); __decorate([ context_1.Autowired('eventService'), __metadata('design:type', eventService_1.EventService) ], GridApi.prototype, "eventService", void 0); __decorate([ context_1.Autowired('floatingRowModel'), __metadata('design:type', floatingRowModel_1.FloatingRowModel) ], GridApi.prototype, "floatingRowModel", void 0); __decorate([ context_1.Autowired('context'), __metadata('design:type', context_1.Context) ], GridApi.prototype, "context", void 0); __decorate([ context_1.Autowired('rowModel'), __metadata('design:type', Object) ], GridApi.prototype, "rowModel", void 0); __decorate([ context_1.Autowired('sortController'), __metadata('design:type', sortController_1.SortController) ], GridApi.prototype, "sortController", void 0); __decorate([ context_1.Autowired('paginationController'), __metadata('design:type', paginationController_1.PaginationController) ], GridApi.prototype, "paginationController", void 0); __decorate([ context_1.Autowired('focusedCellController'), __metadata('design:type', focusedCellController_1.FocusedCellController) ], GridApi.prototype, "focusedCellController", void 0); __decorate([ context_1.Optional('rangeController'), __metadata('design:type', Object) ], GridApi.prototype, "rangeController", void 0); __decorate([ context_1.Optional('clipboardService'), __metadata('design:type', Object) ], GridApi.prototype, "clipboardService", void 0); __decorate([ context_1.Autowired('menuFactory'), __metadata('design:type', Object) ], GridApi.prototype, "menuFactory", void 0); __decorate([ context_1.Autowired('cellRendererFactory'), __metadata('design:type', cellRendererFactory_1.CellRendererFactory) ], GridApi.prototype, "cellRendererFactory", void 0); __decorate([ context_1.Autowired('cellEditorFactory'), __metadata('design:type', cellEditorFactory_1.CellEditorFactory) ], GridApi.prototype, "cellEditorFactory", void 0); __decorate([ context_1.PostConstruct, __metadata('design:type', Function), __metadata('design:paramtypes', []), __metadata('design:returntype', void 0) ], GridApi.prototype, "init", null); GridApi = __decorate([ context_1.Bean('gridApi'), __metadata('design:paramtypes', []) ], GridApi); return GridApi; })(); exports.GridApi = GridApi; /***/ }, /* 12 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __metadata = (this && this.__metadata) || function (k, v) { if (typeof Reflect === "object" && typeof Reflect.metadata === "function") return Reflect.metadata(k, v); }; var columnController_1 = __webpack_require__(13); var valueService_1 = __webpack_require__(29); var context_1 = __webpack_require__(6); var gridOptionsWrapper_1 = __webpack_require__(3); var constants_1 = __webpack_require__(8); var LINE_SEPARATOR = '\r\n'; var CsvCreator = (function () { function CsvCreator() { } CsvCreator.prototype.exportDataAsCsv = function (params) { var csvString = this.getDataAsCsv(params); var fileNamePresent = params && params.fileName && params.fileName.length !== 0; var fileName = fileNamePresent ? params.fileName : 'export.csv'; // for Excel, we need \ufeff at the start // http://stackoverflow.com/questions/17879198/adding-utf-8-bom-to-string-blob var blobObject = new Blob(["\ufeff", csvString], { type: "text/csv;charset=utf-8;" }); // Internet Explorer if (window.navigator.msSaveOrOpenBlob) { window.navigator.msSaveOrOpenBlob(blobObject, fileName); } else { // Chrome var downloadLink = document.createElement("a"); downloadLink.href = window.URL.createObjectURL(blobObject); downloadLink.download = fileName; document.body.appendChild(downloadLink); downloadLink.click(); document.body.removeChild(downloadLink); } }; CsvCreator.prototype.getDataAsCsv = function (params) { var _this = this; if (this.rowModel.getType() !== constants_1.Constants.ROW_MODEL_TYPE_NORMAL) { console.log('ag-Grid: getDataAsCsv is only available for standard row model'); return ''; } var inMemoryRowModel = this.rowModel; var result = ''; var skipGroups = params && params.skipGroups; var skipHeader = params && params.skipHeader; var skipFooters = params && params.skipFooters; var includeCustomHeader = params && params.customHeader; var includeCustomFooter = params && params.customFooter; var allColumns = params && params.allColumns; var onlySelected = params && params.onlySelected; var columnSeparator = (params && params.columnSeparator) || ','; var suppressQuotes = params && params.suppressQuotes; var processCellCallback = params && params.processCellCallback; var columnsToExport; if (allColumns) { columnsToExport = this.columnController.getAllOriginalColumns(); } else { columnsToExport = this.columnController.getAllDisplayedColumns(); } if (!columnsToExport || columnsToExport.length === 0) { return ''; } if (includeCustomHeader) { result += params.customHeader; } // first pass, put in the header names of the cols if (!skipHeader) { columnsToExport.forEach(function (column, index) { var nameForCol = _this.getHeaderName(params.processHeaderCallback, column); if (nameForCol === null || nameForCol === undefined) { nameForCol = ''; } if (index != 0) { result += columnSeparator; } result += _this.putInQuotes(nameForCol, suppressQuotes); }); result += LINE_SEPARATOR; } inMemoryRowModel.forEachNodeAfterFilterAndSort(function (node) { if (skipGroups && node.group) { return; } if (skipFooters && node.footer) { return; } if (onlySelected && !node.isSelected()) { return; } columnsToExport.forEach(function (column, index) { var valueForCell; if (node.group && index === 0) { valueForCell = _this.createValueForGroupNode(node); } else { valueForCell = _this.valueService.getValue(column, node); } valueForCell = _this.processCell(node, column, valueForCell, processCellCallback); if (valueForCell === null || valueForCell === undefined) { valueForCell = ''; } if (index != 0) { result += columnSeparator; } result += _this.putInQuotes(valueForCell, suppressQuotes); }); result += LINE_SEPARATOR; }); if (includeCustomFooter) { result += params.customFooter; } return result; }; CsvCreator.prototype.getHeaderName = function (callback, column) { if (callback) { return callback({ column: column, api: this.gridOptionsWrapper.getApi(), columnApi: this.gridOptionsWrapper.getColumnApi(), context: this.gridOptionsWrapper.getContext() }); } else { return this.columnController.getDisplayNameForCol(column); } }; CsvCreator.prototype.processCell = function (rowNode, column, value, processCellCallback) { if (processCellCallback) { return processCellCallback({ column: column, node: rowNode, value: value, api: this.gridOptionsWrapper.getApi(), columnApi: this.gridOptionsWrapper.getColumnApi(), context: this.gridOptionsWrapper.getContext() }); } else { return value; } }; CsvCreator.prototype.createValueForGroupNode = function (node) { var keys = [node.key]; while (node.parent) { node = node.parent; keys.push(node.key); } return keys.reverse().join(' -> '); }; CsvCreator.prototype.putInQuotes = function (value, suppressQuotes) { if (suppressQuotes) { return value; } if (value === null || value === undefined) { return '""'; } var stringValue; if (typeof value === 'string') { stringValue = value; } else if (typeof value.toString === 'function') { stringValue = value.toString(); } else { console.warn('unknown value type during csv conversion'); stringValue = ''; } // replace each " with "" (ie two sets of double quotes is how to do double quotes in csv) var valueEscaped = stringValue.replace(/"/g, "\"\""); return '"' + valueEscaped + '"'; }; __decorate([ context_1.Autowired('rowModel'), __metadata('design:type', Object) ], CsvCreator.prototype, "rowModel", void 0); __decorate([ context_1.Autowired('columnController'), __metadata('design:type', columnController_1.ColumnController) ], CsvCreator.prototype, "columnController", void 0); __decorate([ context_1.Autowired('valueService'), __metadata('design:type', valueService_1.ValueService) ], CsvCreator.prototype, "valueService", void 0); __decorate([ context_1.Autowired('gridOptionsWrapper'), __metadata('design:type', gridOptionsWrapper_1.GridOptionsWrapper) ], CsvCreator.prototype, "gridOptionsWrapper", void 0); CsvCreator = __decorate([ context_1.Bean('csvCreator'), __metadata('design:paramtypes', []) ], CsvCreator); return CsvCreator; })(); exports.CsvCreator = CsvCreator; /***/ }, /* 13 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __metadata = (this && this.__metadata) || function (k, v) { if (typeof Reflect === "object" && typeof Reflect.metadata === "function") return Reflect.metadata(k, v); }; var __param = (this && this.__param) || function (paramIndex, decorator) { return function (target, key) { decorator(target, key, paramIndex); } }; var utils_1 = __webpack_require__(7); var columnGroup_1 = __webpack_require__(14); var column_1 = __webpack_require__(15); var gridOptionsWrapper_1 = __webpack_require__(3); var expressionService_1 = __webpack_require__(18); var balancedColumnTreeBuilder_1 = __webpack_require__(19); var displayedGroupCreator_1 = __webpack_require__(21); var autoWidthCalculator_1 = __webpack_require__(22); var eventService_1 = __webpack_require__(4); var columnUtils_1 = __webpack_require__(16); var logger_1 = __webpack_require__(5); var events_1 = __webpack_require__(10); var columnChangeEvent_1 = __webpack_require__(64); var originalColumnGroup_1 = __webpack_require__(17); var groupInstanceIdCreator_1 = __webpack_require__(65); var functions_1 = __webpack_require__(66); var context_1 = __webpack_require__(6); var gridPanel_1 = __webpack_require__(24); var pivotService_1 = __webpack_require__(67); var ColumnApi = (function () { function ColumnApi() { } ColumnApi.prototype.sizeColumnsToFit = function (gridWidth) { this._columnController.sizeColumnsToFit(gridWidth); }; ColumnApi.prototype.setColumnGroupOpened = function (group, newValue, instanceId) { this._columnController.setColumnGroupOpened(group, newValue, instanceId); }; ColumnApi.prototype.getColumnGroup = function (name, instanceId) { return this._columnController.getColumnGroup(name, instanceId); }; ColumnApi.prototype.getDisplayNameForCol = function (column) { return this._columnController.getDisplayNameForCol(column); }; ColumnApi.prototype.getColumn = function (key) { return this._columnController.getOriginalColumn(key); }; ColumnApi.prototype.setColumnState = function (columnState) { return this._columnController.setColumnState(columnState); }; ColumnApi.prototype.getColumnState = function () { return this._columnController.getColumnState(); }; ColumnApi.prototype.resetColumnState = function () { this._columnController.resetColumnState(); }; ColumnApi.prototype.isPinning = function () { return this._columnController.isPinningLeft() || this._columnController.isPinningRight(); }; ColumnApi.prototype.isPinningLeft = function () { return this._columnController.isPinningLeft(); }; ColumnApi.prototype.isPinningRight = function () { return this._columnController.isPinningRight(); }; ColumnApi.prototype.getDisplayedColAfter = function (col) { return this._columnController.getDisplayedColAfter(col); }; ColumnApi.prototype.getDisplayedColBefore = function (col) { return this._columnController.getDisplayedColBefore(col); }; ColumnApi.prototype.setColumnVisible = function (key, visible) { this._columnController.setColumnVisible(key, visible); }; ColumnApi.prototype.setColumnsVisible = function (keys, visible) { this._columnController.setColumnsVisible(keys, visible); }; ColumnApi.prototype.setColumnPinned = function (key, pinned) { this._columnController.setColumnPinned(key, pinned); }; ColumnApi.prototype.setColumnsPinned = function (keys, pinned) { this._columnController.setColumnsPinned(keys, pinned); }; ColumnApi.prototype.getAllColumns = function () { return this._columnController.getAllOriginalColumns(); }; ColumnApi.prototype.getDisplayedLeftColumns = function () { return this._columnController.getDisplayedLeftColumns(); }; ColumnApi.prototype.getDisplayedCenterColumns = function () { return this._columnController.getDisplayedCenterColumns(); }; ColumnApi.prototype.getDisplayedRightColumns = function () { return this._columnController.getDisplayedRightColumns(); }; ColumnApi.prototype.getAllDisplayedColumns = function () { return this._columnController.getAllDisplayedColumns(); }; ColumnApi.prototype.getRowGroupColumns = function () { return this._columnController.getRowGroupColumns(); }; ColumnApi.prototype.getValueColumns = function () { return this._columnController.getValueColumns(); }; ColumnApi.prototype.moveColumn = function (fromIndex, toIndex) { this._columnController.moveColumnByIndex(fromIndex, toIndex); }; ColumnApi.prototype.moveRowGroupColumn = function (fromIndex, toIndex) { this._columnController.moveRowGroupColumn(fromIndex, toIndex); }; ColumnApi.prototype.setColumnAggFunction = function (column, aggFunc) { this._columnController.setColumnAggFunction(column, aggFunc); }; ColumnApi.prototype.setColumnWidth = function (key, newWidth, finished) { if (finished === void 0) { finished = true; } this._columnController.setColumnWidth(key, newWidth, finished); }; ColumnApi.prototype.removeValueColumn = function (column) { this._columnController.removeValueColumn(column); }; ColumnApi.prototype.addValueColumn = function (column) { this._columnController.addValueColumn(column); }; ColumnApi.prototype.setRowGroupColumns = function (colKeys) { this._columnController.setRowGroupColumns(colKeys); }; ColumnApi.prototype.removeRowGroupColumn = function (colKey) { this._columnController.removeRowGroupColumn(colKey); }; ColumnApi.prototype.removeRowGroupColumns = function (colKeys) { this._columnController.removeRowGroupColumns(colKeys); }; ColumnApi.prototype.addRowGroupColumn = function (colKey) { this._columnController.addRowGroupColumn(colKey); }; ColumnApi.prototype.addRowGroupColumns = function (colKeys) { this._columnController.addRowGroupColumns(colKeys); }; ColumnApi.prototype.setPivotColumns = function (colKeys) { this._columnController.setPivotColumns(colKeys); }; ColumnApi.prototype.removePivotColumn = function (colKey) { this._columnController.removePivotColumn(colKey); }; ColumnApi.prototype.removePivotColumns = function (colKeys) { this._columnController.removePivotColumns(colKeys); }; ColumnApi.prototype.addPivotColumn = function (colKey) { this._columnController.addPivotColumn(colKey); }; ColumnApi.prototype.addPivotColumns = function (colKeys) { this._columnController.addPivotColumns(colKeys); }; ColumnApi.prototype.getLeftDisplayedColumnGroups = function () { return this._columnController.getLeftDisplayedColumnGroups(); }; ColumnApi.prototype.getCenterDisplayedColumnGroups = function () { return this._columnController.getCenterDisplayedColumnGroups(); }; ColumnApi.prototype.getRightDisplayedColumnGroups = function () { return this._columnController.getRightDisplayedColumnGroups(); }; ColumnApi.prototype.getAllDisplayedColumnGroups = function () { return this._columnController.getAllDisplayedColumnGroups(); }; ColumnApi.prototype.autoSizeColumn = function (key) { return this._columnController.autoSizeColumn(key); }; ColumnApi.prototype.autoSizeColumns = function (keys) { return this._columnController.autoSizeColumns(keys); }; ColumnApi.prototype.columnGroupOpened = function (group, newValue) { console.error('ag-Grid: columnGroupOpened no longer exists, use setColumnGroupOpened'); this.setColumnGroupOpened(group, newValue); }; ColumnApi.prototype.hideColumns = function (colIds, hide) { console.error('ag-Grid: hideColumns is deprecated, use setColumnsVisible'); this._columnController.setColumnsVisible(colIds, !hide); }; ColumnApi.prototype.hideColumn = function (colId, hide) { console.error('ag-Grid: hideColumn is deprecated, use setColumnVisible'); this._columnController.setColumnVisible(colId, !hide); }; ColumnApi.prototype.setState = function (columnState) { console.error('ag-Grid: setState is deprecated, use setColumnState'); return this.setColumnState(columnState); }; ColumnApi.prototype.getState = function () { console.error('ag-Grid: hideColumn is getState, use getColumnState'); return this.getColumnState(); }; ColumnApi.prototype.resetState = function () { console.error('ag-Grid: hideColumn is resetState, use resetColumnState'); this.resetColumnState(); }; __decorate([ context_1.Autowired('columnController'), __metadata('design:type', ColumnController) ], ColumnApi.prototype, "_columnController", void 0); ColumnApi = __decorate([ context_1.Bean('columnApi'), __metadata('design:paramtypes', []) ], ColumnApi); return ColumnApi; })(); exports.ColumnApi = ColumnApi; var ColumnController = (function () { function ColumnController() { // header row count, based on user provided columns this.originalHeaderRowCount = 0; // header row count, either above, or based on pivoting if we are pivoting this.gridHeaderRowCount = 0; // these are the lists used by the rowRenderer to render nodes. almost the leaf nodes of the above // displayed trees, however it also takes into account if the groups are open or not. this.displayedLeftColumns = []; this.displayedRightColumns = []; this.displayedCenterColumns = []; this.ready = false; } ColumnController.prototype.init = function () { if (this.gridOptionsWrapper.getColumnDefs()) { this.setColumnDefs(this.gridOptionsWrapper.getColumnDefs()); } // this.eventService.addEventListener(Events.EVENT_PIVOT_VALUE_CHANGED, this.onPivotValueChanged.bind(this)); }; ColumnController.prototype.isReduce = function () { return this.pivotColumns.length > 0; }; ColumnController.prototype.setBeans = function (loggerFactory) { this.logger = loggerFactory.create('ColumnController'); }; ColumnController.prototype.setFirstRightAndLastLeftPinned = function () { var lastLeft = this.displayedLeftColumns ? this.displayedLeftColumns[this.displayedLeftColumns.length - 1] : null; var firstRight = this.displayedRightColumns ? this.displayedRightColumns[0] : null; this.originalColumns.forEach(function (column) { column.setLastLeftPinned(column === lastLeft); column.setFirstRightPinned(column === firstRight); }); }; ColumnController.prototype.autoSizeColumns = function (keys) { var _this = this; this.actionOnColumns(keys, function (column) { var requiredWidth = _this.autoWidthCalculator.getPreferredWidthForColumn(column); if (requiredWidth > 0) { var newWidth = _this.normaliseColumnWidth(column, requiredWidth); column.setActualWidth(newWidth); } }, function () { return new columnChangeEvent_1.ColumnChangeEvent(events_1.Events.EVENT_COLUMN_RESIZED).withFinished(true); }); }; ColumnController.prototype.autoSizeColumn = function (key) { this.autoSizeColumns([key]); }; ColumnController.prototype.autoSizeAllColumns = function () { var allDisplayedColumns = this.getAllDisplayedColumns(); this.autoSizeColumns(allDisplayedColumns); }; ColumnController.prototype.getColumnsFromTree = function (rootColumns) { var result = []; recursiveFindColumns(rootColumns); return result; function recursiveFindColumns(childColumns) { for (var i = 0; i < childColumns.length; i++) { var child = childColumns[i]; if (child instanceof column_1.Column) { result.push(child); } else if (child instanceof originalColumnGroup_1.OriginalColumnGroup) { recursiveFindColumns(child.getChildren()); } } } }; ColumnController.prototype.getAllDisplayedColumnGroups = function () { if (this.displayedLeftColumnTree && this.displayedRightColumnTree && this.displayedCentreColumnTree) { return this.displayedLeftColumnTree .concat(this.displayedCentreColumnTree) .concat(this.displayedRightColumnTree); } else { return null; } }; ColumnController.prototype.getOriginalColumnTree = function () { return this.originalBalancedTree; }; // + gridPanel -> for resizing the body and setting top margin ColumnController.prototype.getHeaderRowCount = function () { return this.gridHeaderRowCount; }; // + headerRenderer -> setting pinned body width ColumnController.prototype.getLeftDisplayedColumnGroups = function () { return this.displayedLeftColumnTree; }; // + headerRenderer -> setting pinned body width ColumnController.prototype.getRightDisplayedColumnGroups = function () { return this.displayedRightColumnTree; }; // + headerRenderer -> setting pinned body width ColumnController.prototype.getCenterDisplayedColumnGroups = function () { return this.displayedCentreColumnTree; }; ColumnController.prototype.getDisplayedColumnGroups = function (type) { switch (type) { case column_1.Column.PINNED_LEFT: return this.getLeftDisplayedColumnGroups(); case column_1.Column.PINNED_RIGHT: return this.getRightDisplayedColumnGroups(); default: return this.getCenterDisplayedColumnGroups(); } }; // gridPanel -> ensureColumnVisible ColumnController.prototype.isColumnDisplayed = function (column) { return this.getAllDisplayedColumns().indexOf(column) >= 0; }; // + csvCreator ColumnController.prototype.getAllDisplayedColumns = function () { // order we add the arrays together is important, so the result // has the columns left to right, as they appear on the screen. return this.displayedLeftColumns .concat(this.displayedCenterColumns) .concat(this.displayedRightColumns); }; // used by: // + angularGrid -> setting pinned body width // todo: this needs to be cached ColumnController.prototype.getPinnedLeftContainerWidth = function () { return this.getWithOfColsInList(this.displayedLeftColumns); }; // todo: this needs to be cached ColumnController.prototype.getPinnedRightContainerWidth = function () { return this.getWithOfColsInList(this.displayedRightColumns); }; ColumnController.prototype.addRowGroupColumns = function (keys) { var _this = this; keys.forEach(function (key) { var column = _this.getOriginalColumn(key); if (column) { _this.rowGroupColumns.push(column); } }); // because we could be taking out columns, the displayed // columns may differ, so need to work out all the columns again. // this is why why don't use 'actionOnColumns', as we need to do // this before we fire the event this.updateModel(); var event = new columnChangeEvent_1.ColumnChangeEvent(events_1.Events.EVENT_COLUMN_ROW_GROUP_CHANGED); this.eventService.dispatchEvent(events_1.Events.EVENT_COLUMN_ROW_GROUP_CHANGED, event); }; ColumnController.prototype.setRowGroupColumns = function (keys) { this.rowGroupColumns.length = 0; this.addRowGroupColumns(keys); }; ColumnController.prototype.addRowGroupColumn = function (key) { this.addRowGroupColumns([key]); }; ColumnController.prototype.removeRowGroupColumns = function (keys) { var _this = this; keys.forEach(function (key) { var column = _this.getOriginalColumn(key); if (column) { utils_1.Utils.removeFromArray(_this.rowGroupColumns, column); } }); this.updateModel(); var event = new columnChangeEvent_1.ColumnChangeEvent(events_1.Events.EVENT_COLUMN_ROW_GROUP_CHANGED); this.eventService.dispatchEvent(events_1.Events.EVENT_COLUMN_ROW_GROUP_CHANGED, event); }; ColumnController.prototype.removeRowGroupColumn = function (key) { this.removeRowGroupColumns([key]); }; ColumnController.prototype.addPivotColumns = function (keys) { var _this = this; keys.forEach(function (key) { var column = _this.getOriginalColumn(key); if (column) { _this.pivotColumns.push(column); } }); // as with changing rowGroupColumn, changing the pivot totally changes // the columns that are displayed, so we don't use 'actionOnColumns', as // we need to do this before we fire the event this.updateModel(); var event = new columnChangeEvent_1.ColumnChangeEvent(events_1.Events.EVENT_COLUMN_PIVOT_CHANGED); this.eventService.dispatchEvent(events_1.Events.EVENT_COLUMN_PIVOT_CHANGED, event); }; ColumnController.prototype.setPivotColumns = function (keys) { this.pivotColumns.length = 0; this.addPivotColumns(keys); }; ColumnController.prototype.addPivotColumn = function (key) { this.addPivotColumns([key]); }; ColumnController.prototype.removePivotColumns = function (keys) { var _this = this; keys.forEach(function (key) { var column = _this.getOriginalColumn(key); if (column) { utils_1.Utils.removeFromArray(_this.pivotColumns, column); } }); this.updateModel(); var event = new columnChangeEvent_1.ColumnChangeEvent(events_1.Events.EVENT_COLUMN_PIVOT_CHANGED); this.eventService.dispatchEvent(events_1.Events.EVENT_COLUMN_PIVOT_CHANGED, event); }; ColumnController.prototype.removePivotColumn = function (key) { this.removePivotColumns([key]); }; ColumnController.prototype.addValueColumn = function (column) { if (this.originalColumns.indexOf(column) < 0) { console.warn('not a valid column: ' + column); return; } if (this.valueColumns.indexOf(column) >= 0) { console.warn('column is already a value column'); return; } if (!column.getAggFunc()) { column.setAggFunc(column_1.Column.AGG_SUM); } this.valueColumns.push(column); var event = new columnChangeEvent_1.ColumnChangeEvent(events_1.Events.EVENT_COLUMN_VALUE_CHANGED); this.eventService.dispatchEvent(events_1.Events.EVENT_COLUMN_VALUE_CHANGED, event); }; ColumnController.prototype.removeValueColumn = function (column) { if (this.valueColumns.indexOf(column) < 0) { console.warn('column not a value'); return; } utils_1.Utils.removeFromArray(this.valueColumns, column); var event = new columnChangeEvent_1.ColumnChangeEvent(events_1.Events.EVENT_COLUMN_VALUE_CHANGED); this.eventService.dispatchEvent(events_1.Events.EVENT_COLUMN_VALUE_CHANGED, event); }; // returns the width we can set to this col, taking into consideration min and max widths ColumnController.prototype.normaliseColumnWidth = function (column, newWidth) { if (newWidth < column.getMinWidth()) { newWidth = column.getMinWidth(); } if (column.isGreaterThanMax(newWidth)) { newWidth = column.getMaxWidth(); } return newWidth; }; ColumnController.prototype.setColumnWidth = function (key, newWidth, finished) { var column = this.getOriginalColumn(key); if (!column) { return; } newWidth = this.normaliseColumnWidth(column, newWidth); var widthChanged = column.getActualWidth() !== newWidth; if (widthChanged) { column.setActualWidth(newWidth); this.setLeftValues(); } // check for change first, to avoid unnecessary firing of events // however we always fire 'finished' events. this is important // when groups are resized, as if the group is changing slowly, // eg 1 pixel at a time, then each change will fire change events // in all the columns in the group, but only one with get the pixel. if (finished || widthChanged) { var event = new columnChangeEvent_1.ColumnChangeEvent(events_1.Events.EVENT_COLUMN_RESIZED).withColumn(column).withFinished(finished); this.eventService.dispatchEvent(events_1.Events.EVENT_COLUMN_RESIZED, event); } }; ColumnController.prototype.setColumnAggFunction = function (column, aggFunc) { column.setAggFunc(aggFunc); var event = new columnChangeEvent_1.ColumnChangeEvent(events_1.Events.EVENT_COLUMN_VALUE_CHANGED); this.eventService.dispatchEvent(events_1.Events.EVENT_COLUMN_VALUE_CHANGED, event); }; ColumnController.prototype.moveRowGroupColumn = function (fromIndex, toIndex) { var column = this.rowGroupColumns[fromIndex]; this.rowGroupColumns.splice(fromIndex, 1); this.rowGroupColumns.splice(toIndex, 0, column); var event = new columnChangeEvent_1.ColumnChangeEvent(events_1.Events.EVENT_COLUMN_ROW_GROUP_CHANGED); this.eventService.dispatchEvent(events_1.Events.EVENT_COLUMN_ROW_GROUP_CHANGED, event); }; ColumnController.prototype.moveColumns = function (columnsToMoveKeys, toIndex) { if (toIndex > this.gridColumns.length - columnsToMoveKeys.length) { console.warn('ag-Grid: tried to insert columns in invalid location, toIndex = ' + toIndex); console.warn('ag-Grid: remember that you should not count the moving columns when calculating the new index'); return; } // we want to pull all the columns out first and put them into an ordered list var columnsToMove = this.getGridColumns(columnsToMoveKeys); var failedRules = !this.doesMovePassRules(columnsToMove, toIndex); if (failedRules) { return; } this.gridPanel.turnOnAnimationForABit(); utils_1.Utils.moveInArray(this.gridColumns, columnsToMove, toIndex); this.updateModel(); var event = new columnChangeEvent_1.ColumnChangeEvent(events_1.Events.EVENT_COLUMN_MOVED) .withToIndex(toIndex) .withColumns(columnsToMove); if (columnsToMove.length === 1) { event.withColumn(columnsToMove[0]); } this.eventService.dispatchEvent(events_1.Events.EVENT_COLUMN_MOVED, event); }; ColumnController.prototype.doesMovePassRules = function (columnsToMove, toIndex) { var allColumnsCopy = this.gridColumns.slice(); utils_1.Utils.moveInArray(allColumnsCopy, columnsToMove, toIndex); // look for broken groups, ie stray columns from groups that should be married for (var index = 0; index < (allColumnsCopy.length - 1); index++) { var thisColumn = allColumnsCopy[index]; var nextColumn = allColumnsCopy[index + 1]; // skip hidden columns if (!nextColumn.isVisible()) { continue; } var thisPath = this.columnUtils.getOriginalPathForColumn(thisColumn, this.gridBalancedTree); var nextPath = this.columnUtils.getOriginalPathForColumn(nextColumn, this.gridBalancedTree); if (!nextPath || !thisPath) { console.log('next path is missing'); } // start at the top of the path and work down for (var dept = 0; dept < thisPath.length; dept++) { var thisOriginalGroup = thisPath[dept]; var nextOriginalGroup = nextPath[dept]; var lastColInGroup = thisOriginalGroup !== nextOriginalGroup; // a runaway is a column from this group that left the group, and the group has it's children marked as married var colGroupDef = thisOriginalGroup.getColGroupDef(); var marryChildren = colGroupDef && colGroupDef.marryChildren; var needToCheckForRunaways = lastColInGroup && marryChildren; if (needToCheckForRunaways) { for (var tailIndex = index + 1; tailIndex < allColumnsCopy.length; tailIndex++) { var tailColumn = allColumnsCopy[tailIndex]; var tailPath = this.columnUtils.getOriginalPathForColumn(tailColumn, this.gridBalancedTree); var tailOriginalGroup = tailPath[dept]; if (tailOriginalGroup === thisOriginalGroup) { return false; } } } } } return true; }; ColumnController.prototype.moveColumn = function (key, toIndex) { this.moveColumns([key], toIndex); }; ColumnController.prototype.moveColumnByIndex = function (fromIndex, toIndex) { var column = this.originalColumns[fromIndex]; this.moveColumn(column, toIndex); }; // used by: // + angularGrid -> for setting body width // + rowController -> setting main row widths (when inserting and resizing) // need to cache this ColumnController.prototype.getBodyContainerWidth = function () { var result = this.getWithOfColsInList(this.displayedCenterColumns); return result; }; // + rowController ColumnController.prototype.getValueColumns = function () { return this.valueColumns ? this.valueColumns : []; }; // + rowController ColumnController.prototype.getPivotColumns = function () { return this.pivotColumns ? this.pivotColumns : []; }; // + toolPanel ColumnController.prototype.getRowGroupColumns = function () { return this.rowGroupColumns ? this.rowGroupColumns : []; }; ColumnController.prototype.isColumnRowGrouped = function (column) { return this.rowGroupColumns.indexOf(column) >= 0; }; ColumnController.prototype.isColumnPivoted = function (column) { return this.pivotColumns.indexOf(column) >= 0; }; // + rowController -> while inserting rows ColumnController.prototype.getDisplayedCenterColumns = function () { return this.displayedCenterColumns.slice(0); }; // + rowController -> while inserting rows ColumnController.prototype.getDisplayedLeftColumns = function () { return this.displayedLeftColumns.slice(0); }; ColumnController.prototype.getDisplayedRightColumns = function () { return this.displayedRightColumns.slice(0); }; ColumnController.prototype.getDisplayedColumns = function (type) { switch (type) { case column_1.Column.PINNED_LEFT: return this.getDisplayedLeftColumns(); case column_1.Column.PINNED_RIGHT: return this.getDisplayedRightColumns(); default: return this.getDisplayedCenterColumns(); } }; // used by: // + inMemoryRowController -> sorting, building quick filter text // + headerRenderer -> sorting (clearing icon) ColumnController.prototype.getAllOriginalColumns = function () { return this.originalColumns; }; // + moveColumnController ColumnController.prototype.getAllGridColumns = function () { return this.gridColumns; }; ColumnController.prototype.isEmpty = function () { return utils_1.Utils.missingOrEmpty(this.originalColumns); }; ColumnController.prototype.isRowGroupEmpty = function () { return utils_1.Utils.missingOrEmpty(this.rowGroupColumns); }; ColumnController.prototype.setColumnVisible = function (key, visible) { this.setColumnsVisible([key], visible); }; ColumnController.prototype.setColumnsVisible = function (keys, visible) { this.gridPanel.turnOnAnimationForABit(); this.actionOnColumns(keys, function (column) { column.setVisible(visible); }, function () { return new columnChangeEvent_1.ColumnChangeEvent(events_1.Events.EVENT_COLUMN_VISIBLE).withVisible(visible); }); }; ColumnController.prototype.setColumnPinned = function (key, pinned) { this.setColumnsPinned([key], pinned); }; ColumnController.prototype.setColumnsPinned = function (keys, pinned) { this.gridPanel.turnOnAnimationForABit(); var actualPinned; if (pinned === true || pinned === column_1.Column.PINNED_LEFT) { actualPinned = column_1.Column.PINNED_LEFT; } else if (pinned === column_1.Column.PINNED_RIGHT) { actualPinned = column_1.Column.PINNED_RIGHT; } else { actualPinned = null; } this.actionOnColumns(keys, function (column) { column.setPinned(actualPinned); }, function () { return new columnChangeEvent_1.ColumnChangeEvent(events_1.Events.EVENT_COLUMN_PINNED).withPinned(actualPinned); }); }; // does an action on a set of columns. provides common functionality for looking up the // columns based on key, getting a list of effected columns, and then updated the event // with either one column (if it was just one col) or a list of columns // used by: autoResize, setVisible, setPinned ColumnController.prototype.actionOnColumns = function (keys, action, createEvent) { var _this = this; if (!keys || keys.length === 0) { return; } var updatedColumns = []; keys.forEach(function (key) { var column = _this.getGridColumn(key); if (!column) { return; } action(column); updatedColumns.push(column); }); if (updatedColumns.length === 0) { return; } this.updateModel(); var event = createEvent(); event.withColumns(updatedColumns); if (updatedColumns.length === 1) { event.withColumn(updatedColumns[0]); } this.eventService.dispatchEvent(event.getType(), event); }; ColumnController.prototype.getDisplayedColBefore = function (col) { var allDisplayedColumns = this.getAllDisplayedColumns(); var oldIndex = allDisplayedColumns.indexOf(col); if (oldIndex > 0) { return allDisplayedColumns[oldIndex - 1]; } else { return null; } }; // used by: // + rowRenderer -> for navigation ColumnController.prototype.getDisplayedColAfter = function (col) { var allDisplayedColumns = this.getAllDisplayedColumns(); var oldIndex = allDisplayedColumns.indexOf(col); if (oldIndex < (allDisplayedColumns.length - 1)) { return allDisplayedColumns[oldIndex + 1]; } else { return null; } }; ColumnController.prototype.isPinningLeft = function () { return this.displayedLeftColumns.length > 0; }; ColumnController.prototype.isPinningRight = function () { return this.displayedRightColumns.length > 0; }; ColumnController.prototype.getAllColumnsIncludingAuto = function () { var result = this.originalColumns.slice(0); if (this.groupAutoColumnActive) { result.push(this.groupAutoColumn); } return result; }; ColumnController.prototype.getColumnState = function () { if (!this.gridColumns || this.gridColumns.length < 0) { return []; } var result = []; for (var i = 0; i < this.gridColumns.length; i++) { var column = this.gridColumns[i]; var rowGroupIndex = this.rowGroupColumns.indexOf(column); var resultItem = { colId: column.getColId(), hide: !column.isVisible(), aggFunc: column.getAggFunc() ? column.getAggFunc() : null, width: column.getActualWidth(), pinned: column.getPinned(), rowGroupIndex: rowGroupIndex >= 0 ? rowGroupIndex : null }; result.push(resultItem); } return result; }; ColumnController.prototype.resetColumnState = function () { // we can't use 'allColumns' as the order might of messed up, so get the original ordered list var originalColumns = this.getColumnsFromTree(this.originalBalancedTree); var state = []; if (originalColumns) { originalColumns.forEach(function (column) { state.push({ colId: column.getColId(), aggFunc: column.getColDef().aggFunc, hide: column.getColDef().hide, pinned: column.getColDef().pinned, rowGroupIndex: column.getColDef().rowGroupIndex, width: column.getColDef().width }); }); } this.setColumnState(state); }; ColumnController.prototype.setColumnState = function (columnState) { var _this = this; var oldColumnList = this.originalColumns; this.originalColumns = []; this.rowGroupColumns = []; this.valueColumns = []; var success = true; if (columnState) { columnState.forEach(function (stateItem) { var oldColumn = utils_1.Utils.find(oldColumnList, 'colId', stateItem.colId); if (!oldColumn) { console.warn('ag-grid: column ' + stateItem.colId + ' not found'); success = false; return; } // following ensures we are left with boolean true or false, eg converts (null, undefined, 0) all to true oldColumn.setVisible(!stateItem.hide); // sets pinned to 'left' or 'right' oldColumn.setPinned(stateItem.pinned); // if width provided and valid, use it, otherwise stick with the old width if (stateItem.width >= _this.gridOptionsWrapper.getMinColWidth()) { oldColumn.setActualWidth(stateItem.width); } // accept agg func only if valid var aggFuncValid = [column_1.Column.AGG_MIN, column_1.Column.AGG_MAX, column_1.Column.AGG_SUM, column_1.Column.AGG_FIRST, column_1.Column.AGG_LAST].indexOf(stateItem.aggFunc) >= 0; if (aggFuncValid) { oldColumn.setAggFunc(stateItem.aggFunc); _this.valueColumns.push(oldColumn); } else { oldColumn.setAggFunc(null); } // if rowGroup if (typeof stateItem.rowGroupIndex === 'number' && stateItem.rowGroupIndex >= 0) { _this.rowGroupColumns.push(oldColumn); } _this.originalColumns.push(oldColumn); oldColumnList.splice(oldColumnList.indexOf(oldColumn), 1); }); } // anything left over, we got no data for, so add in the column as non-value, non-rowGroup and hidden oldColumnList.forEach(function (oldColumn) { oldColumn.setVisible(false); oldColumn.setAggFunc(null); oldColumn.setPinned(null); _this.originalColumns.push(oldColumn); }); // sort the row group columns this.rowGroupColumns.sort(function (colA, colB) { var rowGroupIndexA = -1; var rowGroupIndexB = -1; for (var i = 0; i < columnState.length; i++) { var state = columnState[i]; if (state.colId === colA.getColId()) { rowGroupIndexA = state.rowGroupIndex; } if (state.colId === colB.getColId()) { rowGroupIndexB = state.rowGroupIndex; } } return rowGroupIndexA - rowGroupIndexB; }); this.setupGridColumns(); this.updateModel(); var event = new columnChangeEvent_1.ColumnChangeEvent(events_1.Events.EVENT_COLUMN_EVERYTHING_CHANGED); this.eventService.dispatchEvent(events_1.Events.EVENT_COLUMN_EVERYTHING_CHANGED, event); return success; }; ColumnController.prototype.getGridColumns = function (keys) { return this.getColumns(keys, this.getGridColumn.bind(this)); }; ColumnController.prototype.getColumns = function (keys, columnLookupCallback) { var foundColumns = []; if (keys) { keys.forEach(function (key) { var column = columnLookupCallback(key); if (column) { foundColumns.push(column); } }); } return foundColumns; }; // used by growGroupPanel ColumnController.prototype.getColumnWithValidation = function (key) { var column = this.getOriginalColumn(key); if (!column) { console.warn('ag-Grid: could not find column ' + column); } return column; }; ColumnController.prototype.getOriginalColumn = function (key) { return this.getColumn(key, this.originalColumns); }; ColumnController.prototype.getGridColumn = function (key) { return this.getColumn(key, this.gridColumns); }; ColumnController.prototype.getColumn = function (key, columnList) { if (!key) { return null; } for (var i = 0; i < columnList.length; i++) { if (colMatches(columnList[i])) { return columnList[i]; } } if (this.groupAutoColumnActive && colMatches(this.groupAutoColumn)) { return this.groupAutoColumn; } function colMatches(column) { var columnMatches = column === key; var colDefMatches = column.getColDef() === key; var idMatches = column.getColId() === key; return columnMatches || colDefMatches || idMatches; } return null; }; ColumnController.prototype.getDisplayNameForCol = function (column) { var colDef = column.colDef; var headerValueGetter = colDef.headerValueGetter; if (headerValueGetter) { var params = { colDef: colDef, api: this.gridOptionsWrapper.getApi(), context: this.gridOptionsWrapper.getContext() }; if (typeof headerValueGetter === 'function') { // valueGetter is a function, so just call it return headerValueGetter(params); } else if (typeof headerValueGetter === 'string') { // valueGetter is an expression, so execute the expression return this.expressionService.evaluate(headerValueGetter, params); } else { console.warn('ag-grid: headerValueGetter must be a function or a string'); } } else if (colDef.displayName) { console.warn("ag-grid: Found displayName " + colDef.displayName + ", please use headerName instead, displayName is deprecated."); return colDef.displayName; } else { return colDef.headerName; } }; // returns the group with matching colId and instanceId. If instanceId is missing, // matches only on the colId. ColumnController.prototype.getColumnGroup = function (colId, instanceId) { if (!colId) { return null; } if (colId instanceof columnGroup_1.ColumnGroup) { return colId; } var allColumnGroups = this.getAllDisplayedColumnGroups(); var checkInstanceId = typeof instanceId === 'number'; var result = null; this.columnUtils.deptFirstAllColumnTreeSearch(allColumnGroups, function (child) { if (child instanceof columnGroup_1.ColumnGroup) { var columnGroup = child; var matched; if (checkInstanceId) { matched = colId === columnGroup.getGroupId() && instanceId === columnGroup.getInstanceId(); } else { matched = colId === columnGroup.getGroupId(); } if (matched) { result = columnGroup; } } }); return result; }; ColumnController.prototype.getColumnDept = function () { var dept = 0; getDept(this.getAllDisplayedColumnGroups(), 1); return dept; function getDept(children, currentDept) { if (dept < currentDept) { dept = currentDept; } if (dept > currentDept) { return; } children.forEach(function (child) { if (child instanceof columnGroup_1.ColumnGroup) { var columnGroup = child; getDept(columnGroup.getChildren(), currentDept + 1); } }); } }; ColumnController.prototype.setColumnDefs = function (columnDefs) { var balancedTreeResult = this.balancedColumnTreeBuilder.createBalancedColumnGroups(columnDefs); this.originalBalancedTree = balancedTreeResult.balancedTree; this.originalHeaderRowCount = balancedTreeResult.treeDept + 1; this.originalColumns = this.getColumnsFromTree(this.originalBalancedTree); this.extractRowGroupColumns(); this.extractPivotColumns(); this.createValueColumns(); this.setupGridColumns(); this.updateModel(); this.ready = true; var event = new columnChangeEvent_1.ColumnChangeEvent(events_1.Events.EVENT_COLUMN_EVERYTHING_CHANGED); this.eventService.dispatchEvent(events_1.Events.EVENT_COLUMN_EVERYTHING_CHANGED, event); this.eventService.dispatchEvent(events_1.Events.EVENT_NEW_COLUMNS_LOADED); }; ColumnController.prototype.isReady = function () { return this.ready; }; ColumnController.prototype.extractRowGroupColumns = function () { var _this = this; this.rowGroupColumns = []; // pull out the columns this.originalColumns.forEach(function (column) { if (typeof column.getColDef().rowGroupIndex === 'number') { _this.rowGroupColumns.push(column); } }); // then sort them this.rowGroupColumns.sort(function (colA, colB) { return colA.getColDef().rowGroupIndex - colB.getColDef().rowGroupIndex; }); }; ColumnController.prototype.extractPivotColumns = function () { var _this = this; this.pivotColumns = []; // pull out the columns this.originalColumns.forEach(function (column) { if (typeof column.getColDef().pivotIndex === 'number') { _this.pivotColumns.push(column); } }); // then sort them this.pivotColumns.sort(function (colA, colB) { return colA.getColDef().pivotIndex - colB.getColDef().pivotIndex; }); }; // called by headerRenderer - when a header is opened or closed ColumnController.prototype.setColumnGroupOpened = function (passedGroup, newValue, instanceId) { var groupToUse = this.getColumnGroup(passedGroup, instanceId); if (!groupToUse) { return; } this.logger.log('columnGroupOpened(' + groupToUse.getGroupId() + ',' + newValue + ')'); groupToUse.setExpanded(newValue); this.gridPanel.turnOnAnimationForABit(); this.updateGroupsAndDisplayedColumns(); var event = new columnChangeEvent_1.ColumnChangeEvent(events_1.Events.EVENT_COLUMN_GROUP_OPENED).withColumnGroup(groupToUse); this.eventService.dispatchEvent(events_1.Events.EVENT_COLUMN_GROUP_OPENED, event); }; // used by updateModel ColumnController.prototype.getColumnGroupState = function () { var groupState = {}; this.columnUtils.deptFirstDisplayedColumnTreeSearch(this.getAllDisplayedColumnGroups(), function (child) { if (child instanceof columnGroup_1.ColumnGroup) { var columnGroup = child; var key = columnGroup.getGroupId(); // if more than one instance of the group, we only record the state of the first item if (!groupState.hasOwnProperty(key)) { groupState[key] = columnGroup.isExpanded(); } } }); return groupState; }; // used by updateModel ColumnController.prototype.setColumnGroupState = function (groupState) { this.columnUtils.deptFirstDisplayedColumnTreeSearch(this.getAllDisplayedColumnGroups(), function (child) { if (child instanceof columnGroup_1.ColumnGroup) { var columnGroup = child; var key = columnGroup.getGroupId(); var shouldExpandGroup = groupState[key] === true && columnGroup.isExpandable(); if (shouldExpandGroup) { columnGroup.setExpanded(true); } } }); }; ColumnController.prototype.updateModel = function () { // save opened / closed state var oldGroupState = this.getColumnGroupState(); this.createGroupAutoColumn(); var visibleColumns = utils_1.Utils.filter(this.gridColumns, function (column) { return column.isVisible(); }); if (this.groupAutoColumnActive) { visibleColumns.unshift(this.groupAutoColumn); } this.buildAllGroups(visibleColumns); // restore opened / closed state this.setColumnGroupState(oldGroupState); // this is also called when a group is opened or closed this.updateGroupsAndDisplayedColumns(); this.setFirstRightAndLastLeftPinned(); }; ColumnController.prototype.onPivotValueChanged = function () { // if we are pivoting, then we need to re-work the pivot columns this.setupGridColumns(); this.updateModel(); // this.eventService.dispatchEvent(Events.EVENT_PIVOT_VALUE_CHANGED); var event = new columnChangeEvent_1.ColumnChangeEvent(events_1.Events.EVENT_PIVOT_VALUE_CHANGED); this.eventService.dispatchEvent(events_1.Events.EVENT_PIVOT_VALUE_CHANGED, event); }; ColumnController.prototype.setupGridColumns = function () { var doingPivot = this.pivotColumns.length > 0; if (doingPivot) { var pivotColumnGroupDefs = this.pivotService.getPivotColumnGroupDefs(); var balancedTreeResult = this.balancedColumnTreeBuilder.createBalancedColumnGroups(pivotColumnGroupDefs); this.gridBalancedTree = balancedTreeResult.balancedTree; this.gridHeaderRowCount = balancedTreeResult.treeDept + 1; this.gridColumns = this.getColumnsFromTree(this.gridBalancedTree); } else { this.gridBalancedTree = this.originalBalancedTree.slice(); this.gridHeaderRowCount = this.originalHeaderRowCount; this.gridColumns = this.originalColumns.slice(); } }; ColumnController.prototype.updateGroupsAndDisplayedColumns = function () { this.updateGroups(); this.updateDisplayedColumnsFromGroups(); }; ColumnController.prototype.updateDisplayedColumnsFromGroups = function () { this.addToDisplayedColumns(this.displayedLeftColumnTree, this.displayedLeftColumns); this.addToDisplayedColumns(this.displayedRightColumnTree, this.displayedRightColumns); this.addToDisplayedColumns(this.displayedCentreColumnTree, this.displayedCenterColumns); this.setLeftValues(); }; // sets the left pixel position of each column ColumnController.prototype.setLeftValues = function () { // go through each list of displayed columns var allColumns = this.originalColumns.slice(0); [this.displayedLeftColumns, this.displayedRightColumns, this.displayedCenterColumns].forEach(function (columns) { var left = 0; columns.forEach(function (column) { column.setLeft(left); left += column.getActualWidth(); utils_1.Utils.removeFromArray(allColumns, column); }); }); // items left in allColumns are columns not displayed, so remove the left position. this is // important for the rows, as if a col is made visible, then taken out, then made visible again, // we don't want the animation of the cell floating in from the old position, whatever that was. allColumns.forEach(function (column) { column.setLeft(null); }); }; ColumnController.prototype.addToDisplayedColumns = function (displayedColumnTree, displayedColumns) { displayedColumns.length = 0; this.columnUtils.deptFirstDisplayedColumnTreeSearch(displayedColumnTree, function (child) { if (child instanceof column_1.Column) { displayedColumns.push(child); } }); }; // called from api ColumnController.prototype.sizeColumnsToFit = function (gridWidth) { var _this = this; // avoid divide by zero var allDisplayedColumns = this.getAllDisplayedColumns(); if (gridWidth <= 0 || allDisplayedColumns.length === 0) { return; } var colsToNotSpread = utils_1.Utils.filter(allDisplayedColumns, function (column) { return column.getColDef().suppressSizeToFit === true; }); var colsToSpread = utils_1.Utils.filter(allDisplayedColumns, function (column) { return column.getColDef().suppressSizeToFit !== true; }); // make a copy of the cols that are going to be resized var colsToFireEventFor = colsToSpread.slice(0); var finishedResizing = false; while (!finishedResizing) { finishedResizing = true; var availablePixels = gridWidth - getTotalWidth(colsToNotSpread); if (availablePixels <= 0) { // no width, set everything to minimum colsToSpread.forEach(function (column) { column.setMinimum(); }); } else { var scale = availablePixels / getTotalWidth(colsToSpread); // we set the pixels for the last col based on what's left, as otherwise // we could be a pixel or two short or extra because of rounding errors. var pixelsForLastCol = availablePixels; // backwards through loop, as we are removing items as we go for (var i = colsToSpread.length - 1; i >= 0; i--) { var column = colsToSpread[i]; var newWidth = Math.round(column.getActualWidth() * scale); if (newWidth < column.getMinWidth()) { column.setMinimum(); moveToNotSpread(column); finishedResizing = false; } else if (column.isGreaterThanMax(newWidth)) { column.setActualWidth(column.getMaxWidth()); moveToNotSpread(column); finishedResizing = false; } else { var onLastCol = i === 0; if (onLastCol) { column.setActualWidth(pixelsForLastCol); } else { pixelsForLastCol -= newWidth; column.setActualWidth(newWidth); } } } } } this.setLeftValues(); // widths set, refresh the gui colsToFireEventFor.forEach(function (column) { var event = new columnChangeEvent_1.ColumnChangeEvent(events_1.Events.EVENT_COLUMN_RESIZED).withColumn(column); _this.eventService.dispatchEvent(events_1.Events.EVENT_COLUMN_RESIZED, event); }); function moveToNotSpread(column) { utils_1.Utils.removeFromArray(colsToSpread, column); colsToNotSpread.push(column); } function getTotalWidth(columns) { var result = 0; for (var i = 0; i < columns.length; i++) { result += columns[i].getActualWidth(); } return result; } }; ColumnController.prototype.buildAllGroups = function (visibleColumns) { var leftVisibleColumns = utils_1.Utils.filter(visibleColumns, function (column) { return column.getPinned() === 'left'; }); var rightVisibleColumns = utils_1.Utils.filter(visibleColumns, function (column) { return column.getPinned() === 'right'; }); var centerVisibleColumns = utils_1.Utils.filter(visibleColumns, function (column) { return column.getPinned() !== 'left' && column.getPinned() !== 'right'; }); var groupInstanceIdCreator = new groupInstanceIdCreator_1.GroupInstanceIdCreator(); this.displayedLeftColumnTree = this.displayedGroupCreator.createDisplayedGroups(leftVisibleColumns, this.gridBalancedTree, groupInstanceIdCreator); this.displayedRightColumnTree = this.displayedGroupCreator.createDisplayedGroups(rightVisibleColumns, this.gridBalancedTree, groupInstanceIdCreator); this.displayedCentreColumnTree = this.displayedGroupCreator.createDisplayedGroups(centerVisibleColumns, this.gridBalancedTree, groupInstanceIdCreator); }; ColumnController.prototype.updateGroups = function () { var allGroups = this.getAllDisplayedColumnGroups(); this.columnUtils.deptFirstAllColumnTreeSearch(allGroups, function (child) { if (child instanceof columnGroup_1.ColumnGroup) { var group = child; group.calculateDisplayedColumns(); } }); }; ColumnController.prototype.createGroupAutoColumn = function () { // see if we need to insert the default grouping column var needAGroupColumn = this.rowGroupColumns.length > 0 && !this.gridOptionsWrapper.isGroupSuppressAutoColumn() && !this.gridOptionsWrapper.isGroupUseEntireRow() && !this.gridOptionsWrapper.isGroupSuppressRow(); this.groupAutoColumnActive = needAGroupColumn; // lazy create group auto-column if (needAGroupColumn && !this.groupAutoColumn) { // if one provided by user, use it, otherwise create one var autoColDef = this.gridOptionsWrapper.getGroupColumnDef(); if (!autoColDef) { var localeTextFunc = this.gridOptionsWrapper.getLocaleTextFunc(); autoColDef = { headerName: localeTextFunc('group', 'Group'), comparator: functions_1.defaultGroupComparator, valueGetter: function (params) { if (params.node.group) { return params.node.key; } else if (params.data && params.colDef.field) { return params.data[params.colDef.field]; } else { return null; } }, suppressAggregation: true, suppressRowGroup: true, cellRenderer: 'group' }; } // we never allow moving the group column autoColDef.suppressMovable = true; var colId = 'ag-Grid-AutoColumn'; this.groupAutoColumn = new column_1.Column(autoColDef, colId); this.context.wireBean(this.groupAutoColumn); } }; ColumnController.prototype.createValueColumns = function () { this.valueColumns = []; // override with columns that have the aggFunc specified explicitly for (var i = 0; i < this.originalColumns.length; i++) { var column = this.originalColumns[i]; if (column.getColDef().aggFunc) { column.setAggFunc(column.getColDef().aggFunc); this.valueColumns.push(column); } } }; ColumnController.prototype.getWithOfColsInList = function (columnList) { var result = 0; for (var i = 0; i < columnList.length; i++) { result += columnList[i].getActualWidth(); } return result; }; __decorate([ context_1.Autowired('gridOptionsWrapper'), __metadata('design:type', gridOptionsWrapper_1.GridOptionsWrapper) ], ColumnController.prototype, "gridOptionsWrapper", void 0); __decorate([ context_1.Autowired('expressionService'), __metadata('design:type', expressionService_1.ExpressionService) ], ColumnController.prototype, "expressionService", void 0); __decorate([ context_1.Autowired('balancedColumnTreeBuilder'), __metadata('design:type', balancedColumnTreeBuilder_1.BalancedColumnTreeBuilder) ], ColumnController.prototype, "balancedColumnTreeBuilder", void 0); __decorate([ context_1.Autowired('displayedGroupCreator'), __metadata('design:type', displayedGroupCreator_1.DisplayedGroupCreator) ], ColumnController.prototype, "displayedGroupCreator", void 0); __decorate([ context_1.Autowired('autoWidthCalculator'), __metadata('design:type', autoWidthCalculator_1.AutoWidthCalculator) ], ColumnController.prototype, "autoWidthCalculator", void 0); __decorate([ context_1.Autowired('eventService'), __metadata('design:type', eventService_1.EventService) ], ColumnController.prototype, "eventService", void 0); __decorate([ context_1.Autowired('columnUtils'), __metadata('design:type', columnUtils_1.ColumnUtils) ], ColumnController.prototype, "columnUtils", void 0); __decorate([ context_1.Autowired('gridPanel'), __metadata('design:type', gridPanel_1.GridPanel) ], ColumnController.prototype, "gridPanel", void 0); __decorate([ context_1.Autowired('context'), __metadata('design:type', context_1.Context) ], ColumnController.prototype, "context", void 0); __decorate([ context_1.Autowired('pivotService'), __metadata('design:type', pivotService_1.PivotService) ], ColumnController.prototype, "pivotService", void 0); __decorate([ context_1.PostConstruct, __metadata('design:type', Function), __metadata('design:paramtypes', []), __metadata('design:returntype', void 0) ], ColumnController.prototype, "init", null); __decorate([ __param(0, context_1.Qualifier('loggerFactory')), __metadata('design:type', Function), __metadata('design:paramtypes', [logger_1.LoggerFactory]), __metadata('design:returntype', void 0) ], ColumnController.prototype, "setBeans", null); ColumnController = __decorate([ context_1.Bean('columnController'), __metadata('design:paramtypes', []) ], ColumnController); return ColumnController; })(); exports.ColumnController = ColumnController; /***/ }, /* 14 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var column_1 = __webpack_require__(15); var eventService_1 = __webpack_require__(4); var ColumnGroup = (function () { function ColumnGroup(originalColumnGroup, groupId, instanceId) { // depends on the open/closed state of the group, only displaying columns are stored here this.displayedChildren = []; this.moving = false; this.eventService = new eventService_1.EventService(); this.groupId = groupId; this.instanceId = instanceId; this.originalColumnGroup = originalColumnGroup; } // returns header name if it exists, otherwise null. if will not exist if // this group is a padding group, as they don't have colGroupDef's ColumnGroup.prototype.getHeaderName = function () { if (this.originalColumnGroup.getColGroupDef()) { return this.originalColumnGroup.getColGroupDef().headerName; } else { return null; } }; ColumnGroup.prototype.addEventListener = function (eventType, listener) { this.eventService.addEventListener(eventType, listener); }; ColumnGroup.prototype.removeEventListener = function (eventType, listener) { this.eventService.removeEventListener(eventType, listener); }; ColumnGroup.prototype.setMoving = function (moving) { this.getDisplayedLeafColumns().forEach(function (column) { return column.setMoving(moving); }); }; ColumnGroup.prototype.isMoving = function () { return this.moving; }; ColumnGroup.prototype.getGroupId = function () { return this.groupId; }; ColumnGroup.prototype.getInstanceId = function () { return this.instanceId; }; ColumnGroup.prototype.isChildInThisGroupDeepSearch = function (wantedChild) { var result = false; this.children.forEach(function (foundChild) { if (wantedChild === foundChild) { result = true; } if (foundChild instanceof ColumnGroup) { if (foundChild.isChildInThisGroupDeepSearch(wantedChild)) { result = true; } } }); return result; }; ColumnGroup.prototype.getActualWidth = function () { var groupActualWidth = 0; if (this.displayedChildren) { this.displayedChildren.forEach(function (child) { groupActualWidth += child.getActualWidth(); }); } return groupActualWidth; }; ColumnGroup.prototype.getMinWidth = function () { var result = 0; this.displayedChildren.forEach(function (groupChild) { result += groupChild.getMinWidth(); }); return result; }; ColumnGroup.prototype.addChild = function (child) { if (!this.children) { this.children = []; } this.children.push(child); }; ColumnGroup.prototype.getDisplayedChildren = function () { return this.displayedChildren; }; ColumnGroup.prototype.getLeafColumns = function () { var result = []; this.addLeafColumns(result); return result; }; ColumnGroup.prototype.getDisplayedLeafColumns = function () { var result = []; this.addDisplayedLeafColumns(result); return result; }; // why two methods here doing the same thing? ColumnGroup.prototype.getDefinition = function () { return this.originalColumnGroup.getColGroupDef(); }; ColumnGroup.prototype.getColGroupDef = function () { return this.originalColumnGroup.getColGroupDef(); }; ColumnGroup.prototype.isExpandable = function () { return this.originalColumnGroup.isExpandable(); }; ColumnGroup.prototype.isExpanded = function () { return this.originalColumnGroup.isExpanded(); }; ColumnGroup.prototype.setExpanded = function (expanded) { this.originalColumnGroup.setExpanded(expanded); }; ColumnGroup.prototype.addDisplayedLeafColumns = function (leafColumns) { this.displayedChildren.forEach(function (child) { if (child instanceof column_1.Column) { leafColumns.push(child); } else if (child instanceof ColumnGroup) { child.addDisplayedLeafColumns(leafColumns); } }); }; ColumnGroup.prototype.addLeafColumns = function (leafColumns) { this.children.forEach(function (child) { if (child instanceof column_1.Column) { leafColumns.push(child); } else if (child instanceof ColumnGroup) { child.addLeafColumns(leafColumns); } }); }; ColumnGroup.prototype.getChildren = function () { return this.children; }; ColumnGroup.prototype.getColumnGroupShow = function () { return this.originalColumnGroup.getColumnGroupShow(); }; ColumnGroup.prototype.getOriginalColumnGroup = function () { return this.originalColumnGroup; }; ColumnGroup.prototype.calculateDisplayedColumns = function () { // clear out last time we calculated this.displayedChildren = []; // it not expandable, everything is visible if (!this.originalColumnGroup.isExpandable()) { this.displayedChildren = this.children; return; } // and calculate again for (var i = 0, j = this.children.length; i < j; i++) { var abstractColumn = this.children[i]; var headerGroupShow = abstractColumn.getColumnGroupShow(); switch (headerGroupShow) { case ColumnGroup.HEADER_GROUP_SHOW_OPEN: // when set to open, only show col if group is open if (this.originalColumnGroup.isExpanded()) { this.displayedChildren.push(abstractColumn); } break; case ColumnGroup.HEADER_GROUP_SHOW_CLOSED: // when set to open, only show col if group is open if (!this.originalColumnGroup.isExpanded()) { this.displayedChildren.push(abstractColumn); } break; default: // default is always show the column this.displayedChildren.push(abstractColumn); break; } } }; ColumnGroup.HEADER_GROUP_SHOW_OPEN = 'open'; ColumnGroup.HEADER_GROUP_SHOW_CLOSED = 'closed'; return ColumnGroup; })(); exports.ColumnGroup = ColumnGroup; /***/ }, /* 15 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __metadata = (this && this.__metadata) || function (k, v) { if (typeof Reflect === "object" && typeof Reflect.metadata === "function") return Reflect.metadata(k, v); }; var eventService_1 = __webpack_require__(4); var utils_1 = __webpack_require__(7); var context_1 = __webpack_require__(6); var gridOptionsWrapper_1 = __webpack_require__(3); var columnUtils_1 = __webpack_require__(16); // Wrapper around a user provide column definition. The grid treats the column definition as ready only. // This class contains all the runtime information about a column, plus some logic (the definition has no logic). // This class implements both interfaces ColumnGroupChild and OriginalColumnGroupChild as the class can // appear as a child of either the original tree or the displayed tree. However the relevant group classes // for each type only implements one, as each group can only appear in it's associated tree (eg OriginalColumnGroup // can only appear in OriginalColumn tree). var Column = (function () { function Column(colDef, colId) { this.moving = false; this.filterActive = false; this.eventService = new eventService_1.EventService(); this.colDef = colDef; this.visible = !colDef.hide; this.sort = colDef.sort; this.sortedAt = colDef.sortedAt; this.colId = colId; } // this is done after constructor as it uses gridOptionsWrapper Column.prototype.initialise = function () { this.setPinned(this.colDef.pinned); var minColWidth = this.gridOptionsWrapper.getMinColWidth(); var maxColWidth = this.gridOptionsWrapper.getMaxColWidth(); if (this.colDef.minWidth) { this.minWidth = this.colDef.minWidth; } else { this.minWidth = minColWidth; } if (this.colDef.maxWidth) { this.maxWidth = this.colDef.maxWidth; } else { this.maxWidth = maxColWidth; } this.actualWidth = this.columnUtils.calculateColInitialWidth(this.colDef); var suppressDotNotation = this.gridOptionsWrapper.isSuppressFieldDotNotation(); this.fieldContainsDots = utils_1.Utils.exists(this.colDef.field) && this.colDef.field.indexOf('.') >= 0 && !suppressDotNotation; this.validate(); }; Column.prototype.isFieldContainsDots = function () { return this.fieldContainsDots; }; Column.prototype.validate = function () { if (!this.gridOptionsWrapper.isEnterprise()) { if (utils_1.Utils.exists(this.colDef.aggFunc)) { console.warn('ag-Grid: aggFunc is only valid in ag-Grid-Enterprise'); } if (utils_1.Utils.exists(this.colDef.rowGroupIndex)) { console.warn('ag-Grid: rowGroupIndex is only valid in ag-Grid-Enterprise'); } } }; Column.prototype.addEventListener = function (eventType, listener) { this.eventService.addEventListener(eventType, listener); }; Column.prototype.removeEventListener = function (eventType, listener) { this.eventService.removeEventListener(eventType, listener); }; Column.prototype.isCellEditable = function (rowNode) { // if boolean set, then just use it if (typeof this.colDef.editable === 'boolean') { return this.colDef.editable; } // if function, then call the function to find out if (typeof this.colDef.editable === 'function') { var params = { node: rowNode, column: this, colDef: this.colDef, context: this.gridOptionsWrapper.getContext(), api: this.gridOptionsWrapper.getApi(), columnApi: this.gridOptionsWrapper.getColumnApi() }; var editableFunc = this.colDef.editable; return editableFunc(params); } return false; }; Column.prototype.setMoving = function (moving) { this.moving = moving; this.eventService.dispatchEvent(Column.EVENT_MOVING_CHANGED); }; Column.prototype.isMoving = function () { return this.moving; }; Column.prototype.getSort = function () { return this.sort; }; Column.prototype.setSort = function (sort) { if (this.sort !== sort) { this.sort = sort; this.eventService.dispatchEvent(Column.EVENT_SORT_CHANGED); } }; Column.prototype.isSortAscending = function () { return this.sort === Column.SORT_ASC; }; Column.prototype.isSortDescending = function () { return this.sort === Column.SORT_DESC; }; Column.prototype.isSortNone = function () { return utils_1.Utils.missing(this.sort); }; Column.prototype.getSortedAt = function () { return this.sortedAt; }; Column.prototype.setSortedAt = function (sortedAt) { this.sortedAt = sortedAt; }; Column.prototype.setAggFunc = function (aggFunc) { this.aggFunc = aggFunc; }; Column.prototype.getAggFunc = function () { return this.aggFunc; }; Column.prototype.getLeft = function () { return this.left; }; Column.prototype.getRight = function () { return this.left + this.actualWidth; }; Column.prototype.setLeft = function (left) { if (this.left !== left) { this.left = left; this.eventService.dispatchEvent(Column.EVENT_LEFT_CHANGED); } }; Column.prototype.isFilterActive = function () { return this.filterActive; }; Column.prototype.setFilterActive = function (active) { if (this.filterActive !== active) { this.filterActive = active; this.eventService.dispatchEvent(Column.EVENT_FILTER_ACTIVE_CHANGED); } }; Column.prototype.setPinned = function (pinned) { // pinning is not allowed when doing 'forPrint' if (this.gridOptionsWrapper.isForPrint()) { return; } if (pinned === true || pinned === Column.PINNED_LEFT) { this.pinned = Column.PINNED_LEFT; } else if (pinned === Column.PINNED_RIGHT) { this.pinned = Column.PINNED_RIGHT; } else { this.pinned = null; } }; Column.prototype.setFirstRightPinned = function (firstRightPinned) { if (this.firstRightPinned !== firstRightPinned) { this.firstRightPinned = firstRightPinned; this.eventService.dispatchEvent(Column.EVENT_FIRST_RIGHT_PINNED_CHANGED); } }; Column.prototype.setLastLeftPinned = function (lastLeftPinned) { if (this.lastLeftPinned !== lastLeftPinned) { this.lastLeftPinned = lastLeftPinned; this.eventService.dispatchEvent(Column.EVENT_LAST_LEFT_PINNED_CHANGED); } }; Column.prototype.isFirstRightPinned = function () { return this.firstRightPinned; }; Column.prototype.isLastLeftPinned = function () { return this.lastLeftPinned; }; Column.prototype.isPinned = function () { return this.pinned === Column.PINNED_LEFT || this.pinned === Column.PINNED_RIGHT; }; Column.prototype.isPinnedLeft = function () { return this.pinned === Column.PINNED_LEFT; }; Column.prototype.isPinnedRight = function () { return this.pinned === Column.PINNED_RIGHT; }; Column.prototype.getPinned = function () { return this.pinned; }; Column.prototype.setVisible = function (visible) { var newValue = visible === true; if (this.visible !== newValue) { this.visible = newValue; this.eventService.dispatchEvent(Column.EVENT_VISIBLE_CHANGED); } }; Column.prototype.isVisible = function () { return this.visible; }; Column.prototype.getColDef = function () { return this.colDef; }; Column.prototype.getColumnGroupShow = function () { return this.colDef.columnGroupShow; }; Column.prototype.getColId = function () { return this.colId; }; Column.prototype.getId = function () { return this.getColId(); }; Column.prototype.getDefinition = function () { return this.colDef; }; Column.prototype.getActualWidth = function () { return this.actualWidth; }; Column.prototype.setActualWidth = function (actualWidth) { if (this.actualWidth !== actualWidth) { this.actualWidth = actualWidth; this.eventService.dispatchEvent(Column.EVENT_WIDTH_CHANGED); } }; Column.prototype.isGreaterThanMax = function (width) { if (this.maxWidth) { return width > this.maxWidth; } else { return false; } }; Column.prototype.getMinWidth = function () { return this.minWidth; }; Column.prototype.getMaxWidth = function () { return this.maxWidth; }; Column.prototype.setMinimum = function () { this.setActualWidth(this.minWidth); }; // + renderedHeaderCell - for making header cell transparent when moving Column.EVENT_MOVING_CHANGED = 'movingChanged'; // + renderedCell - changing left position Column.EVENT_LEFT_CHANGED = 'leftChanged'; // + renderedCell - changing width Column.EVENT_WIDTH_CHANGED = 'widthChanged'; // + renderedCell - for changing pinned classes Column.EVENT_LAST_LEFT_PINNED_CHANGED = 'lastLeftPinnedChanged'; Column.EVENT_FIRST_RIGHT_PINNED_CHANGED = 'firstRightPinnedChanged'; // + renderedColumn - for changing visibility icon Column.EVENT_VISIBLE_CHANGED = 'visibleChanged'; // + renderedHeaderCell - marks the header with filter icon Column.EVENT_FILTER_ACTIVE_CHANGED = 'filterChanged'; // + renderedHeaderCell - marks the header with sort icon Column.EVENT_SORT_CHANGED = 'filterChanged'; Column.PINNED_RIGHT = 'right'; Column.PINNED_LEFT = 'left'; Column.AGG_SUM = 'sum'; Column.AGG_MIN = 'min'; Column.AGG_MAX = 'max'; Column.AGG_FIRST = 'first'; Column.AGG_LAST = 'last'; Column.SORT_ASC = 'asc'; Column.SORT_DESC = 'desc'; __decorate([ context_1.Autowired('gridOptionsWrapper'), __metadata('design:type', gridOptionsWrapper_1.GridOptionsWrapper) ], Column.prototype, "gridOptionsWrapper", void 0); __decorate([ context_1.Autowired('columnUtils'), __metadata('design:type', columnUtils_1.ColumnUtils) ], Column.prototype, "columnUtils", void 0); __decorate([ context_1.PostConstruct, __metadata('design:type', Function), __metadata('design:paramtypes', []), __metadata('design:returntype', void 0) ], Column.prototype, "initialise", null); return Column; })(); exports.Column = Column; /***/ }, /* 16 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __metadata = (this && this.__metadata) || function (k, v) { if (typeof Reflect === "object" && typeof Reflect.metadata === "function") return Reflect.metadata(k, v); }; var gridOptionsWrapper_1 = __webpack_require__(3); var columnGroup_1 = __webpack_require__(14); var originalColumnGroup_1 = __webpack_require__(17); var context_1 = __webpack_require__(6); var context_2 = __webpack_require__(6); // takes in a list of columns, as specified by the column definitions, and returns column groups var ColumnUtils = (function () { function ColumnUtils() { } ColumnUtils.prototype.calculateColInitialWidth = function (colDef) { if (!colDef.width) { // if no width defined in colDef, use default return this.gridOptionsWrapper.getColWidth(); } else if (colDef.width < this.gridOptionsWrapper.getMinColWidth()) { // if width in col def to small, set to min width return this.gridOptionsWrapper.getMinColWidth(); } else { // otherwise use the provided width return colDef.width; } }; ColumnUtils.prototype.getOriginalPathForColumn = function (column, originalBalancedTree) { var result = []; var found = false; recursePath(originalBalancedTree, 0); // we should always find the path, but in case there is a bug somewhere, returning null // will make it fail rather than provide a 'hard to track down' bug if (found) { return result; } else { return null; } function recursePath(balancedColumnTree, dept) { for (var i = 0; i < balancedColumnTree.length; i++) { if (found) { // quit the search, so 'result' is kept with the found result return; } var node = balancedColumnTree[i]; if (node instanceof originalColumnGroup_1.OriginalColumnGroup) { var nextNode = node; recursePath(nextNode.getChildren(), dept + 1); result[dept] = node; } else { if (node === column) { found = true; } } } } }; /* public getPathForColumn(column: Column, allDisplayedColumnGroups: ColumnGroupChild[]): ColumnGroup[] { var result: ColumnGroup[] = []; var found = false; recursePath(allDisplayedColumnGroups, 0); // we should always find the path, but in case there is a bug somewhere, returning null // will make it fail rather than provide a 'hard to track down' bug if (found) { return result; } else { return null; } function recursePath(balancedColumnTree: ColumnGroupChild[], dept: number): void { for (var i = 0; i<balancedColumnTree.length; i++) { if (found) { // quit the search, so 'result' is kept with the found result return; } var node = balancedColumnTree[i]; if (node instanceof ColumnGroup) { var nextNode = <ColumnGroup> node; recursePath(nextNode.getChildren(), dept+1); result[dept] = node; } else { if (node === column) { found = true; } } } } }*/ ColumnUtils.prototype.deptFirstOriginalTreeSearch = function (tree, callback) { var _this = this; if (!tree) { return; } tree.forEach(function (child) { if (child instanceof originalColumnGroup_1.OriginalColumnGroup) { _this.deptFirstOriginalTreeSearch(child.getChildren(), callback); } callback(child); }); }; ColumnUtils.prototype.deptFirstAllColumnTreeSearch = function (tree, callback) { var _this = this; if (!tree) { return; } tree.forEach(function (child) { if (child instanceof columnGroup_1.ColumnGroup) { _this.deptFirstAllColumnTreeSearch(child.getChildren(), callback); } callback(child); }); }; ColumnUtils.prototype.deptFirstDisplayedColumnTreeSearch = function (tree, callback) { var _this = this; if (!tree) { return; } tree.forEach(function (child) { if (child instanceof columnGroup_1.ColumnGroup) { _this.deptFirstDisplayedColumnTreeSearch(child.getDisplayedChildren(), callback); } callback(child); }); }; __decorate([ context_2.Autowired('gridOptionsWrapper'), __metadata('design:type', gridOptionsWrapper_1.GridOptionsWrapper) ], ColumnUtils.prototype, "gridOptionsWrapper", void 0); ColumnUtils = __decorate([ context_1.Bean('columnUtils'), __metadata('design:paramtypes', []) ], ColumnUtils); return ColumnUtils; })(); exports.ColumnUtils = ColumnUtils; /***/ }, /* 17 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var columnGroup_1 = __webpack_require__(14); var column_1 = __webpack_require__(15); var OriginalColumnGroup = (function () { function OriginalColumnGroup(colGroupDef, groupId) { this.expandable = false; this.expanded = false; this.colGroupDef = colGroupDef; this.groupId = groupId; } OriginalColumnGroup.prototype.setExpanded = function (expanded) { this.expanded = expanded; }; OriginalColumnGroup.prototype.isExpandable = function () { return this.expandable; }; OriginalColumnGroup.prototype.isExpanded = function () { return this.expanded; }; OriginalColumnGroup.prototype.getGroupId = function () { return this.groupId; }; OriginalColumnGroup.prototype.getId = function () { return this.getGroupId(); }; OriginalColumnGroup.prototype.setChildren = function (children) { this.children = children; }; OriginalColumnGroup.prototype.getChildren = function () { return this.children; }; OriginalColumnGroup.prototype.getColGroupDef = function () { return this.colGroupDef; }; OriginalColumnGroup.prototype.getLeafColumns = function () { var result = []; this.addLeafColumns(result); return result; }; OriginalColumnGroup.prototype.addLeafColumns = function (leafColumns) { this.children.forEach(function (child) { if (child instanceof column_1.Column) { leafColumns.push(child); } else if (child instanceof OriginalColumnGroup) { child.addLeafColumns(leafColumns); } }); }; OriginalColumnGroup.prototype.getColumnGroupShow = function () { if (this.colGroupDef) { return this.colGroupDef.columnGroupShow; } else { // if there is no col def, then this must be a padding // group, which means we have exactly only child. we then // take the value from the child and push it up, making // this group 'invisible'. return this.children[0].getColumnGroupShow(); } }; // need to check that this group has at least one col showing when both expanded and contracted. // if not, then we don't allow expanding and contracting on this group OriginalColumnGroup.prototype.calculateExpandable = function () { // want to make sure the group doesn't disappear when it's open var atLeastOneShowingWhenOpen = false; // want to make sure the group doesn't disappear when it's closed var atLeastOneShowingWhenClosed = false; // want to make sure the group has something to show / hide var atLeastOneChangeable = false; for (var i = 0, j = this.children.length; i < j; i++) { var abstractColumn = this.children[i]; // if the abstractColumn is a grid generated group, there will be no colDef var headerGroupShow = abstractColumn.getColumnGroupShow(); if (headerGroupShow === columnGroup_1.ColumnGroup.HEADER_GROUP_SHOW_OPEN) { atLeastOneShowingWhenOpen = true; atLeastOneChangeable = true; } else if (headerGroupShow === columnGroup_1.ColumnGroup.HEADER_GROUP_SHOW_CLOSED) { atLeastOneShowingWhenClosed = true; atLeastOneChangeable = true; } else { atLeastOneShowingWhenOpen = true; atLeastOneShowingWhenClosed = true; } } this.expandable = atLeastOneShowingWhenOpen && atLeastOneShowingWhenClosed && atLeastOneChangeable; }; return OriginalColumnGroup; })(); exports.OriginalColumnGroup = OriginalColumnGroup; /***/ }, /* 18 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __metadata = (this && this.__metadata) || function (k, v) { if (typeof Reflect === "object" && typeof Reflect.metadata === "function") return Reflect.metadata(k, v); }; var __param = (this && this.__param) || function (paramIndex, decorator) { return function (target, key) { decorator(target, key, paramIndex); } }; var logger_1 = __webpack_require__(5); var context_1 = __webpack_require__(6); var context_2 = __webpack_require__(6); var ExpressionService = (function () { function ExpressionService() { this.expressionToFunctionCache = {}; } ExpressionService.prototype.setBeans = function (loggerFactory) { this.logger = loggerFactory.create('ExpressionService'); }; ExpressionService.prototype.evaluate = function (expression, params) { try { var javaScriptFunction = this.createExpressionFunction(expression); var result = javaScriptFunction(params.value, params.context, params.node, params.data, params.colDef, params.rowIndex, params.api, params.getValue); return result; } catch (e) { // the expression failed, which can happen, as it's the client that // provides the expression. so print a nice message this.logger.log('Processing of the expression failed'); this.logger.log('Expression = ' + expression); this.logger.log('Exception = ' + e); return null; } }; ExpressionService.prototype.createExpressionFunction = function (expression) { // check cache first if (this.expressionToFunctionCache[expression]) { return this.expressionToFunctionCache[expression]; } // if not found in cache, return the function var functionBody = this.createFunctionBody(expression); var theFunction = new Function('x, ctx, node, data, colDef, rowIndex, api, getValue', functionBody); // store in cache this.expressionToFunctionCache[expression] = theFunction; return theFunction; }; ExpressionService.prototype.createFunctionBody = function (expression) { // if the expression has the 'return' word in it, then use as is, // if not, then wrap it with return and ';' to make a function if (expression.indexOf('return') >= 0) { return expression; } else { return 'return ' + expression + ';'; } }; __decorate([ __param(0, context_2.Qualifier('loggerFactory')), __metadata('design:type', Function), __metadata('design:paramtypes', [logger_1.LoggerFactory]), __metadata('design:returntype', void 0) ], ExpressionService.prototype, "setBeans", null); ExpressionService = __decorate([ context_1.Bean('expressionService'), __metadata('design:paramtypes', []) ], ExpressionService); return ExpressionService; })(); exports.ExpressionService = ExpressionService; /***/ }, /* 19 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __metadata = (this && this.__metadata) || function (k, v) { if (typeof Reflect === "object" && typeof Reflect.metadata === "function") return Reflect.metadata(k, v); }; var __param = (this && this.__param) || function (paramIndex, decorator) { return function (target, key) { decorator(target, key, paramIndex); } }; var gridOptionsWrapper_1 = __webpack_require__(3); var logger_1 = __webpack_require__(5); var columnUtils_1 = __webpack_require__(16); var columnKeyCreator_1 = __webpack_require__(20); var originalColumnGroup_1 = __webpack_require__(17); var column_1 = __webpack_require__(15); var context_1 = __webpack_require__(6); var context_2 = __webpack_require__(6); var context_3 = __webpack_require__(6); var context_4 = __webpack_require__(6); // takes in a list of columns, as specified by the column definitions, and returns column groups var BalancedColumnTreeBuilder = (function () { function BalancedColumnTreeBuilder() { } BalancedColumnTreeBuilder.prototype.setBeans = function (loggerFactory) { this.logger = loggerFactory.create('BalancedColumnTreeBuilder'); }; BalancedColumnTreeBuilder.prototype.createBalancedColumnGroups = function (abstractColDefs) { // column key creator dishes out unique column id's in a deterministic way, // so if we have two grids (that cold be master/slave) with same column definitions, // then this ensures the two grids use identical id's. var columnKeyCreator = new columnKeyCreator_1.ColumnKeyCreator(); // create am unbalanced tree that maps the provided definitions var unbalancedTree = this.recursivelyCreateColumns(abstractColDefs, 0, columnKeyCreator); var treeDept = this.findMaxDept(unbalancedTree, 0); this.logger.log('Number of levels for grouped columns is ' + treeDept); var balancedTree = this.balanceColumnTree(unbalancedTree, 0, treeDept, columnKeyCreator); this.columnUtils.deptFirstOriginalTreeSearch(balancedTree, function (child) { if (child instanceof originalColumnGroup_1.OriginalColumnGroup) { child.calculateExpandable(); } }); return { balancedTree: balancedTree, treeDept: treeDept }; }; BalancedColumnTreeBuilder.prototype.balanceColumnTree = function (unbalancedTree, currentDept, columnDept, columnKeyCreator) { var _this = this; var result = []; // go through each child, for groups, recurse a level deeper, // for columns we need to pad unbalancedTree.forEach(function (child) { if (child instanceof originalColumnGroup_1.OriginalColumnGroup) { var originalGroup = child; var newChildren = _this.balanceColumnTree(originalGroup.getChildren(), currentDept + 1, columnDept, columnKeyCreator); originalGroup.setChildren(newChildren); result.push(originalGroup); } else { var newChild = child; for (var i = columnDept - 1; i >= currentDept; i--) { var newColId = columnKeyCreator.getUniqueKey(null, null); var paddedGroup = new originalColumnGroup_1.OriginalColumnGroup(null, newColId); paddedGroup.setChildren([newChild]); newChild = paddedGroup; } result.push(newChild); } }); return result; }; BalancedColumnTreeBuilder.prototype.findMaxDept = function (treeChildren, dept) { var maxDeptThisLevel = dept; for (var i = 0; i < treeChildren.length; i++) { var abstractColumn = treeChildren[i]; if (abstractColumn instanceof originalColumnGroup_1.OriginalColumnGroup) { var originalGroup = abstractColumn; var newDept = this.findMaxDept(originalGroup.getChildren(), dept + 1); if (maxDeptThisLevel < newDept) { maxDeptThisLevel = newDept; } } } return maxDeptThisLevel; }; BalancedColumnTreeBuilder.prototype.recursivelyCreateColumns = function (abstractColDefs, level, columnKeyCreator) { var _this = this; var result = []; if (!abstractColDefs) { return result; } abstractColDefs.forEach(function (abstractColDef) { _this.checkForDeprecatedItems(abstractColDef); if (_this.isColumnGroup(abstractColDef)) { var groupColDef = abstractColDef; var groupId = columnKeyCreator.getUniqueKey(groupColDef.groupId, null); var originalGroup = new originalColumnGroup_1.OriginalColumnGroup(groupColDef, groupId); var children = _this.recursivelyCreateColumns(groupColDef.children, level + 1, columnKeyCreator); originalGroup.setChildren(children); result.push(originalGroup); } else { var colDef = abstractColDef; var colId = columnKeyCreator.getUniqueKey(colDef.colId, colDef.field); var column = new column_1.Column(colDef, colId); _this.context.wireBean(column); result.push(column); } }); return result; }; BalancedColumnTreeBuilder.prototype.checkForDeprecatedItems = function (colDef) { if (colDef) { var colDefNoType = colDef; // take out the type, so we can access attributes not defined in the type if (colDefNoType.group !== undefined) { console.warn('ag-grid: colDef.group is invalid, please check documentation on how to do grouping as it changed in version 3'); } if (colDefNoType.headerGroup !== undefined) { console.warn('ag-grid: colDef.headerGroup is invalid, please check documentation on how to do grouping as it changed in version 3'); } if (colDefNoType.headerGroupShow !== undefined) { console.warn('ag-grid: colDef.headerGroupShow is invalid, should be columnGroupShow, please check documentation on how to do grouping as it changed in version 3'); } } }; // if object has children, we assume it's a group BalancedColumnTreeBuilder.prototype.isColumnGroup = function (abstractColDef) { return abstractColDef.children !== undefined; }; __decorate([ context_3.Autowired('gridOptionsWrapper'), __metadata('design:type', gridOptionsWrapper_1.GridOptionsWrapper) ], BalancedColumnTreeBuilder.prototype, "gridOptionsWrapper", void 0); __decorate([ context_3.Autowired('columnUtils'), __metadata('design:type', columnUtils_1.ColumnUtils) ], BalancedColumnTreeBuilder.prototype, "columnUtils", void 0); __decorate([ context_3.Autowired('context'), __metadata('design:type', context_4.Context) ], BalancedColumnTreeBuilder.prototype, "context", void 0); __decorate([ __param(0, context_2.Qualifier('loggerFactory')), __metadata('design:type', Function), __metadata('design:paramtypes', [logger_1.LoggerFactory]), __metadata('design:returntype', void 0) ], BalancedColumnTreeBuilder.prototype, "setBeans", null); BalancedColumnTreeBuilder = __decorate([ context_1.Bean('balancedColumnTreeBuilder'), __metadata('design:paramtypes', []) ], BalancedColumnTreeBuilder); return BalancedColumnTreeBuilder; })(); exports.BalancedColumnTreeBuilder = BalancedColumnTreeBuilder; /***/ }, /* 20 */ /***/ function(module, exports) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ // class returns a unique id to use for the column. it checks the existing columns, and if the requested // id is already taken, it will start appending numbers until it gets a unique id. // eg, if the col field is 'name', it will try ids: {name, name_1, name_2...} // if no field or id provided in the col, it will try the ids of natural numbers var ColumnKeyCreator = (function () { function ColumnKeyCreator() { this.existingKeys = []; } ColumnKeyCreator.prototype.getUniqueKey = function (colId, colField) { var count = 0; while (true) { var idToTry; if (colId) { idToTry = colId; if (count !== 0) { idToTry += '_' + count; } } else if (colField) { idToTry = colField; if (count !== 0) { idToTry += '_' + count; } } else { idToTry = '' + count; } if (this.existingKeys.indexOf(idToTry) < 0) { this.existingKeys.push(idToTry); return idToTry; } count++; } }; return ColumnKeyCreator; })(); exports.ColumnKeyCreator = ColumnKeyCreator; /***/ }, /* 21 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __metadata = (this && this.__metadata) || function (k, v) { if (typeof Reflect === "object" && typeof Reflect.metadata === "function") return Reflect.metadata(k, v); }; var columnUtils_1 = __webpack_require__(16); var columnGroup_1 = __webpack_require__(14); var originalColumnGroup_1 = __webpack_require__(17); var context_1 = __webpack_require__(6); var context_2 = __webpack_require__(6); // takes in a list of columns, as specified by the column definitions, and returns column groups var DisplayedGroupCreator = (function () { function DisplayedGroupCreator() { } DisplayedGroupCreator.prototype.createDisplayedGroups = function (sortedVisibleColumns, balancedColumnTree, groupInstanceIdCreator) { var _this = this; var result = []; var previousRealPath; var previousOriginalPath; // go through each column, then do a bottom up comparison to the previous column, and start // to share groups if they converge at any point. sortedVisibleColumns.forEach(function (currentColumn) { var currentOriginalPath = _this.getOriginalPathForColumn(balancedColumnTree, currentColumn); var currentRealPath = []; var firstColumn = !previousOriginalPath; for (var i = 0; i < currentOriginalPath.length; i++) { if (firstColumn || currentOriginalPath[i] !== previousOriginalPath[i]) { // new group needed var originalGroup = currentOriginalPath[i]; var groupId = originalGroup.getGroupId(); var instanceId = groupInstanceIdCreator.getInstanceIdForKey(groupId); var newGroup = new columnGroup_1.ColumnGroup(originalGroup, groupId, instanceId); currentRealPath[i] = newGroup; // if top level, add to result, otherwise add to parent if (i == 0) { result.push(newGroup); } else { currentRealPath[i - 1].addChild(newGroup); } } else { // reuse old group currentRealPath[i] = previousRealPath[i]; } } var noColumnGroups = currentRealPath.length === 0; if (noColumnGroups) { // if we are not grouping, then the result of the above is an empty // path (no groups), and we just add the column to the root list. result.push(currentColumn); } else { var leafGroup = currentRealPath[currentRealPath.length - 1]; leafGroup.addChild(currentColumn); } previousRealPath = currentRealPath; previousOriginalPath = currentOriginalPath; }); return result; }; DisplayedGroupCreator.prototype.createFakePath = function (balancedColumnTree) { var result = []; var currentChildren = balancedColumnTree; // this while look does search on the balanced tree, so our result is the right length var index = 0; while (currentChildren && currentChildren[0] && currentChildren[0] instanceof originalColumnGroup_1.OriginalColumnGroup) { // putting in a deterministic fake id, in case the API in the future needs to reference the col result.push(new originalColumnGroup_1.OriginalColumnGroup(null, 'FAKE_PATH_' + index)); currentChildren = currentChildren[0].getChildren(); index++; } return result; }; DisplayedGroupCreator.prototype.getOriginalPathForColumn = function (balancedColumnTree, column) { var result = []; var found = false; recursePath(balancedColumnTree, 0); // it's possible we didn't find a path. this happens if the column is generated // by the grid, in that the definition didn't come from the client. in this case, // we create a fake original path. if (found) { return result; } else { return this.createFakePath(balancedColumnTree); } function recursePath(balancedColumnTree, dept) { for (var i = 0; i < balancedColumnTree.length; i++) { if (found) { // quit the search, so 'result' is kept with the found result return; } var node = balancedColumnTree[i]; if (node instanceof originalColumnGroup_1.OriginalColumnGroup) { var nextNode = node; recursePath(nextNode.getChildren(), dept + 1); result[dept] = node; } else { if (node === column) { found = true; } } } } }; __decorate([ context_2.Autowired('columnUtils'), __metadata('design:type', columnUtils_1.ColumnUtils) ], DisplayedGroupCreator.prototype, "columnUtils", void 0); DisplayedGroupCreator = __decorate([ context_1.Bean('displayedGroupCreator'), __metadata('design:paramtypes', []) ], DisplayedGroupCreator); return DisplayedGroupCreator; })(); exports.DisplayedGroupCreator = DisplayedGroupCreator; /***/ }, /* 22 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __metadata = (this && this.__metadata) || function (k, v) { if (typeof Reflect === "object" && typeof Reflect.metadata === "function") return Reflect.metadata(k, v); }; var rowRenderer_1 = __webpack_require__(23); var gridPanel_1 = __webpack_require__(24); var context_1 = __webpack_require__(6); var context_2 = __webpack_require__(6); var AutoWidthCalculator = (function () { function AutoWidthCalculator() { } // this is the trick: we create a dummy container and clone all the cells // into the dummy, then check the dummy's width. then destroy the dummy // as we don't need it any more. // drawback: only the cells visible on the screen are considered AutoWidthCalculator.prototype.getPreferredWidthForColumn = function (column) { var eDummyContainer = document.createElement('span'); // position fixed, so it isn't restricted to the boundaries of the parent eDummyContainer.style.position = 'fixed'; // we put the dummy into the body container, so it will inherit all the // css styles that the real cells are inheriting var eBodyContainer = this.gridPanel.getBodyContainer(); eBodyContainer.appendChild(eDummyContainer); // get all the cells that are currently displayed (this only brings back // rendered cells, rows not rendered due to row visualisation will not be here) var eOriginalCells = this.rowRenderer.getAllCellsForColumn(column); eOriginalCells.forEach(function (eCell, index) { // make a deep clone of the cell var eCellClone = eCell.cloneNode(true); // the original has a fixed width, we remove this to allow the natural width based on content eCellClone.style.width = ''; // the original has position = absolute, we need to remove this so it's positioned normally eCellClone.style.position = 'static'; eCellClone.style.left = ''; // we put the cell into a containing div, as otherwise the cells would just line up // on the same line, standard flow layout, by putting them into divs, they are laid // out one per line var eCloneParent = document.createElement('div'); // table-row, so that each cell is on a row. i also tried display='block', but this // didn't work in IE eCloneParent.style.display = 'table-row'; // the twig on the branch, the branch on the tree, the tree in the hole, // the hole in the bog, the bog in the clone, the clone in the parent, // the parent in the dummy, and the dummy down in the vall-e-ooo, OOOOOOOOO! Oh row the rattling bog.... eCloneParent.appendChild(eCellClone); eDummyContainer.appendChild(eCloneParent); }); // at this point, all the clones are lined up vertically with natural widths. the dummy // container will have a width wide enough just to fit the largest. var dummyContainerWidth = eDummyContainer.offsetWidth; // we are finished with the dummy container, so get rid of it eBodyContainer.removeChild(eDummyContainer); // we add 4 as I found without it, the gui still put '...' after some of the texts return dummyContainerWidth + 4; }; __decorate([ context_2.Autowired('rowRenderer'), __metadata('design:type', rowRenderer_1.RowRenderer) ], AutoWidthCalculator.prototype, "rowRenderer", void 0); __decorate([ context_2.Autowired('gridPanel'), __metadata('design:type', gridPanel_1.GridPanel) ], AutoWidthCalculator.prototype, "gridPanel", void 0); AutoWidthCalculator = __decorate([ context_1.Bean('autoWidthCalculator'), __metadata('design:paramtypes', []) ], AutoWidthCalculator); return AutoWidthCalculator; })(); exports.AutoWidthCalculator = AutoWidthCalculator; /***/ }, /* 23 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __metadata = (this && this.__metadata) || function (k, v) { if (typeof Reflect === "object" && typeof Reflect.metadata === "function") return Reflect.metadata(k, v); }; var __param = (this && this.__param) || function (paramIndex, decorator) { return function (target, key) { decorator(target, key, paramIndex); } }; var utils_1 = __webpack_require__(7); var gridOptionsWrapper_1 = __webpack_require__(3); var gridPanel_1 = __webpack_require__(24); var expressionService_1 = __webpack_require__(18); var templateService_1 = __webpack_require__(36); var valueService_1 = __webpack_require__(29); var eventService_1 = __webpack_require__(4); var floatingRowModel_1 = __webpack_require__(26); var renderedRow_1 = __webpack_require__(37); var events_1 = __webpack_require__(10); var constants_1 = __webpack_require__(8); var context_1 = __webpack_require__(6); var gridCore_1 = __webpack_require__(40); var columnController_1 = __webpack_require__(13); var logger_1 = __webpack_require__(5); var focusedCellController_1 = __webpack_require__(35); var cellNavigationService_1 = __webpack_require__(63); var gridCell_1 = __webpack_require__(33); var RowRenderer = (function () { function RowRenderer() { // map of row ids to row objects. keeps track of which elements // are rendered for which rows in the dom. this.renderedRows = {}; this.renderedTopFloatingRows = []; this.renderedBottomFloatingRows = []; } RowRenderer.prototype.agWire = function (loggerFactory) { this.logger = this.loggerFactory.create('RowRenderer'); this.logger = loggerFactory.create('BalancedColumnTreeBuilder'); }; RowRenderer.prototype.init = function () { this.getContainersFromGridPanel(); this.eventService.addEventListener(events_1.Events.EVENT_COLUMN_GROUP_OPENED, this.onColumnEvent.bind(this)); this.eventService.addEventListener(events_1.Events.EVENT_COLUMN_VISIBLE, this.onColumnEvent.bind(this)); this.eventService.addEventListener(events_1.Events.EVENT_COLUMN_RESIZED, this.onColumnEvent.bind(this)); this.eventService.addEventListener(events_1.Events.EVENT_COLUMN_PINNED, this.onColumnEvent.bind(this)); this.eventService.addEventListener(events_1.Events.EVENT_COLUMN_ROW_GROUP_CHANGED, this.onColumnEvent.bind(this)); this.eventService.addEventListener(events_1.Events.EVENT_MODEL_UPDATED, this.refreshView.bind(this)); this.eventService.addEventListener(events_1.Events.EVENT_FLOATING_ROW_DATA_CHANGED, this.refreshView.bind(this, null)); //this.eventService.addEventListener(Events.EVENT_COLUMN_VALUE_CHANGE, this.refreshView.bind(this, null)); //this.eventService.addEventListener(Events.EVENT_COLUMN_EVERYTHING_CHANGED, this.refreshView.bind(this, null)); //this.eventService.addEventListener(Events.EVENT_COLUMN_ROW_GROUP_CHANGE, this.refreshView.bind(this, null)); this.refreshView(); }; RowRenderer.prototype.onColumnEvent = function (event) { if (event.isContainerWidthImpacted()) { this.setMainRowWidths(); } }; RowRenderer.prototype.getContainersFromGridPanel = function () { this.eBodyContainer = this.gridPanel.getBodyContainer(); this.ePinnedLeftColsContainer = this.gridPanel.getPinnedLeftColsContainer(); this.ePinnedRightColsContainer = this.gridPanel.getPinnedRightColsContainer(); this.eFloatingTopContainer = this.gridPanel.getFloatingTopContainer(); this.eFloatingTopPinnedLeftContainer = this.gridPanel.getPinnedLeftFloatingTop(); this.eFloatingTopPinnedRightContainer = this.gridPanel.getPinnedRightFloatingTop(); this.eFloatingBottomContainer = this.gridPanel.getFloatingBottomContainer(); this.eFloatingBottomPinnedLeftContainer = this.gridPanel.getPinnedLeftFloatingBottom(); this.eFloatingBottomPinnedRightContainer = this.gridPanel.getPinnedRightFloatingBottom(); this.eBodyViewport = this.gridPanel.getBodyViewport(); this.eAllBodyContainers = [this.eBodyContainer, this.eFloatingBottomContainer, this.eFloatingTopContainer]; this.eAllPinnedLeftContainers = [ this.ePinnedLeftColsContainer, this.eFloatingBottomPinnedLeftContainer, this.eFloatingTopPinnedLeftContainer]; this.eAllPinnedRightContainers = [ this.ePinnedRightColsContainer, this.eFloatingBottomPinnedRightContainer, this.eFloatingTopPinnedRightContainer]; }; RowRenderer.prototype.setRowModel = function (rowModel) { this.rowModel = rowModel; }; RowRenderer.prototype.getAllCellsForColumn = function (column) { var eCells = []; utils_1.Utils.iterateObject(this.renderedRows, callback); utils_1.Utils.iterateObject(this.renderedBottomFloatingRows, callback); utils_1.Utils.iterateObject(this.renderedBottomFloatingRows, callback); function callback(key, renderedRow) { var eCell = renderedRow.getCellForCol(column); if (eCell) { eCells.push(eCell); } } return eCells; }; RowRenderer.prototype.setMainRowWidths = function () { var mainRowWidth = this.columnController.getBodyContainerWidth() + "px"; this.eAllBodyContainers.forEach(function (container) { var unpinnedRows = container.querySelectorAll(".ag-row"); for (var i = 0; i < unpinnedRows.length; i++) { unpinnedRows[i].style.width = mainRowWidth; } }); }; RowRenderer.prototype.refreshAllFloatingRows = function () { this.refreshFloatingRows(this.renderedTopFloatingRows, this.floatingRowModel.getFloatingTopRowData(), this.eFloatingTopPinnedLeftContainer, this.eFloatingTopPinnedRightContainer, this.eFloatingTopContainer); this.refreshFloatingRows(this.renderedBottomFloatingRows, this.floatingRowModel.getFloatingBottomRowData(), this.eFloatingBottomPinnedLeftContainer, this.eFloatingBottomPinnedRightContainer, this.eFloatingBottomContainer); }; RowRenderer.prototype.refreshFloatingRows = function (renderedRows, rowNodes, pinnedLeftContainer, pinnedRightContainer, bodyContainer) { var _this = this; renderedRows.forEach(function (row) { row.destroy(); }); renderedRows.length = 0; // if no cols, don't draw row - can we get rid of this??? var columns = this.columnController.getAllDisplayedColumns(); if (!columns || columns.length == 0) { return; } if (rowNodes) { rowNodes.forEach(function (node, rowIndex) { var renderedRow = new renderedRow_1.RenderedRow(_this.$scope, _this, bodyContainer, pinnedLeftContainer, pinnedRightContainer, node, rowIndex); _this.context.wireBean(renderedRow); renderedRows.push(renderedRow); }); } }; RowRenderer.prototype.refreshView = function (refreshEvent) { this.logger.log('refreshView'); var focusedCell = this.focusedCellController.getFocusCellIfBrowserFocused(); this.focusedCellController.getFocusedCell(); var refreshFromIndex = refreshEvent ? refreshEvent.fromIndex : null; if (!this.gridOptionsWrapper.isForPrint()) { var containerHeight = this.rowModel.getRowCombinedHeight(); this.eBodyContainer.style.height = containerHeight + "px"; this.ePinnedLeftColsContainer.style.height = containerHeight + "px"; this.ePinnedRightColsContainer.style.height = containerHeight + "px"; } this.refreshAllVirtualRows(refreshFromIndex); this.refreshAllFloatingRows(); this.restoreFocusedCell(focusedCell); }; // sets the focus to the provided cell, if the cell is provided. this way, the user can call refresh without // worry about the focus been lost. this is important when the user is using keyboard navigation to do edits // and the cellEditor is calling 'refresh' to get other cells to update (as other cells might depend on the // edited cell). RowRenderer.prototype.restoreFocusedCell = function (gridCell) { if (gridCell) { this.focusedCellController.setFocusedCell(gridCell.rowIndex, gridCell.column, gridCell.floating, true); } }; RowRenderer.prototype.softRefreshView = function () { var focusedCell = this.focusedCellController.getFocusCellIfBrowserFocused(); this.forEachRenderedCell(function (renderedCell) { if (renderedCell.isVolatile()) { renderedCell.refreshCell(); } }); this.restoreFocusedCell(focusedCell); }; RowRenderer.prototype.stopEditing = function (cancel) { if (cancel === void 0) { cancel = false; } this.forEachRenderedCell(function (renderedCell) { renderedCell.stopEditing(cancel); }); }; RowRenderer.prototype.forEachRenderedCell = function (callback) { utils_1.Utils.iterateObject(this.renderedRows, function (key, renderedRow) { renderedRow.forEachRenderedCell(callback); }); }; RowRenderer.prototype.addRenderedRowListener = function (eventName, rowIndex, callback) { var renderedRow = this.renderedRows[rowIndex]; renderedRow.addEventListener(eventName, callback); }; RowRenderer.prototype.refreshRows = function (rowNodes) { if (!rowNodes || rowNodes.length == 0) { return; } var focusedCell = this.focusedCellController.getFocusCellIfBrowserFocused(); // we only need to be worried about rendered rows, as this method is // called to whats rendered. if the row isn't rendered, we don't care var indexesToRemove = []; utils_1.Utils.iterateObject(this.renderedRows, function (key, renderedRow) { var rowNode = renderedRow.getRowNode(); if (rowNodes.indexOf(rowNode) >= 0) { indexesToRemove.push(key); } }); // remove the rows this.removeVirtualRow(indexesToRemove); // add draw them again this.drawVirtualRows(); this.restoreFocusedCell(focusedCell); }; RowRenderer.prototype.refreshCells = function (rowNodes, colIds, animate) { if (animate === void 0) { animate = false; } if (!rowNodes || rowNodes.length == 0) { return; } // we only need to be worried about rendered rows, as this method is // called to whats rendered. if the row isn't rendered, we don't care utils_1.Utils.iterateObject(this.renderedRows, function (key, renderedRow) { var rowNode = renderedRow.getRowNode(); if (rowNodes.indexOf(rowNode) >= 0) { renderedRow.refreshCells(colIds, animate); } }); }; RowRenderer.prototype.rowDataChanged = function (rows) { // we only need to be worried about rendered rows, as this method is // called to whats rendered. if the row isn't rendered, we don't care var indexesToRemove = []; var renderedRows = this.renderedRows; Object.keys(renderedRows).forEach(function (key) { var renderedRow = renderedRows[key]; // see if the rendered row is in the list of rows we have to update if (renderedRow.isDataInList(rows)) { indexesToRemove.push(key); } }); // remove the rows this.removeVirtualRow(indexesToRemove); // add draw them again this.drawVirtualRows(); }; RowRenderer.prototype.destroy = function () { var rowsToRemove = Object.keys(this.renderedRows); this.removeVirtualRow(rowsToRemove); }; RowRenderer.prototype.refreshAllVirtualRows = function (fromIndex) { // remove all current virtual rows, as they have old data var rowsToRemove = Object.keys(this.renderedRows); this.removeVirtualRow(rowsToRemove, fromIndex); // add in new rows this.drawVirtualRows(); }; // public - removes the group rows and then redraws them again RowRenderer.prototype.refreshGroupRows = function () { // find all the group rows var rowsToRemove = []; var that = this; Object.keys(this.renderedRows).forEach(function (key) { var renderedRow = that.renderedRows[key]; if (renderedRow.isGroup()) { rowsToRemove.push(key); } }); // remove the rows this.removeVirtualRow(rowsToRemove); // and draw them back again this.ensureRowsRendered(); }; // takes array of row indexes RowRenderer.prototype.removeVirtualRow = function (rowsToRemove, fromIndex) { var that = this; // if no fromIndex then set to -1, which will refresh everything var realFromIndex = (typeof fromIndex === 'number') ? fromIndex : -1; rowsToRemove.forEach(function (indexToRemove) { if (indexToRemove >= realFromIndex) { that.unbindVirtualRow(indexToRemove); } }); }; RowRenderer.prototype.unbindVirtualRow = function (indexToRemove) { var renderedRow = this.renderedRows[indexToRemove]; renderedRow.destroy(); var event = { node: renderedRow.getRowNode(), rowIndex: indexToRemove }; this.eventService.dispatchEvent(events_1.Events.EVENT_VIRTUAL_ROW_REMOVED, event); delete this.renderedRows[indexToRemove]; }; RowRenderer.prototype.drawVirtualRows = function () { this.workOutFirstAndLastRowsToRender(); this.ensureRowsRendered(); }; RowRenderer.prototype.workOutFirstAndLastRowsToRender = function () { var newFirst; var newLast; if (!this.rowModel.isRowsToRender()) { newFirst = 0; newLast = -1; // setting to -1 means nothing in range } else { var rowCount = this.rowModel.getRowCount(); if (this.gridOptionsWrapper.isForPrint()) { newFirst = 0; newLast = rowCount; } else { var topPixel = this.eBodyViewport.scrollTop; var bottomPixel = topPixel + this.eBodyViewport.offsetHeight; var first = this.rowModel.getRowIndexAtPixel(topPixel); var last = this.rowModel.getRowIndexAtPixel(bottomPixel); //add in buffer var buffer = this.gridOptionsWrapper.getRowBuffer(); first = first - buffer; last = last + buffer; // adjust, in case buffer extended actual size if (first < 0) { first = 0; } if (last > rowCount - 1) { last = rowCount - 1; } newFirst = first; newLast = last; } } var firstDiffers = newFirst !== this.firstRenderedRow; var lastDiffers = newLast !== this.lastRenderedRow; if (firstDiffers || lastDiffers) { this.firstRenderedRow = newFirst; this.lastRenderedRow = newLast; var event = { firstRow: newFirst, lastRow: newLast }; this.eventService.dispatchEvent(events_1.Events.EVENT_VIEWPORT_CHANGED, event); } }; RowRenderer.prototype.getFirstVirtualRenderedRow = function () { return this.firstRenderedRow; }; RowRenderer.prototype.getLastVirtualRenderedRow = function () { return this.lastRenderedRow; }; RowRenderer.prototype.ensureRowsRendered = function () { //var start = new Date().getTime(); var _this = this; // at the end, this array will contain the items we need to remove var rowsToRemove = Object.keys(this.renderedRows); // add in new rows for (var rowIndex = this.firstRenderedRow; rowIndex <= this.lastRenderedRow; rowIndex++) { // see if item already there, and if yes, take it out of the 'to remove' array if (rowsToRemove.indexOf(rowIndex.toString()) >= 0) { rowsToRemove.splice(rowsToRemove.indexOf(rowIndex.toString()), 1); continue; } // check this row actually exists (in case overflow buffer window exceeds real data) var node = this.rowModel.getRow(rowIndex); if (node) { this.insertRow(node, rowIndex); } } // at this point, everything in our 'rowsToRemove' . . . this.removeVirtualRow(rowsToRemove); // if we are doing angular compiling, then do digest the scope here if (this.gridOptionsWrapper.isAngularCompileRows()) { // we do it in a timeout, in case we are already in an apply setTimeout(function () { _this.$scope.$apply(); }, 0); } //var end = new Date().getTime(); //console.log(end-start); }; RowRenderer.prototype.onMouseEvent = function (eventName, mouseEvent, eventSource, cell) { var renderedRow; switch (cell.floating) { case constants_1.Constants.FLOATING_TOP: renderedRow = this.renderedTopFloatingRows[cell.rowIndex]; break; case constants_1.Constants.FLOATING_BOTTOM: renderedRow = this.renderedBottomFloatingRows[cell.rowIndex]; break; default: renderedRow = this.renderedRows[cell.rowIndex]; break; } if (renderedRow) { renderedRow.onMouseEvent(eventName, mouseEvent, eventSource, cell); } }; RowRenderer.prototype.insertRow = function (node, rowIndex) { var columns = this.columnController.getAllDisplayedColumns(); // if no cols, don't draw row if (!columns || columns.length == 0) { return; } var renderedRow = new renderedRow_1.RenderedRow(this.$scope, this, this.eBodyContainer, this.ePinnedLeftColsContainer, this.ePinnedRightColsContainer, node, rowIndex); this.context.wireBean(renderedRow); this.renderedRows[rowIndex] = renderedRow; }; RowRenderer.prototype.getRenderedNodes = function () { var renderedRows = this.renderedRows; return Object.keys(renderedRows).map(function (key) { return renderedRows[key].getRowNode(); }); }; // we use index for rows, but column object for columns, as the next column (by index) might not // be visible (header grouping) so it's not reliable, so using the column object instead. RowRenderer.prototype.navigateToNextCell = function (key, rowIndex, column, floating) { var nextCell = new gridCell_1.GridCell(rowIndex, floating, column); // we keep searching for a next cell until we find one. this is how the group rows get skipped while (true) { nextCell = this.cellNavigationService.getNextCellToFocus(key, nextCell); if (utils_1.Utils.missing(nextCell)) { break; } var skipGroupRows = this.gridOptionsWrapper.isGroupUseEntireRow(); if (skipGroupRows) { var rowNode = this.rowModel.getRow(nextCell.rowIndex); if (!rowNode.group) { break; } } else { break; } } // no next cell means we have reached a grid boundary, eg left, right, top or bottom of grid if (!nextCell) { return; } // this scrolls the row into view if (utils_1.Utils.missing(nextCell.floating)) { this.gridPanel.ensureIndexVisible(nextCell.rowIndex); } if (!nextCell.column.isPinned()) { this.gridPanel.ensureColumnVisible(nextCell.column); } // need to nudge the scrolls for the floating items. otherwise when we set focus on a non-visible // floating cell, the scrolls get out of sync this.gridPanel.horizontallyScrollHeaderCenterAndFloatingCenter(); this.focusedCellController.setFocusedCell(nextCell.rowIndex, nextCell.column, nextCell.floating, true); if (this.rangeController) { this.rangeController.setRangeToCell(new gridCell_1.GridCell(nextCell.rowIndex, nextCell.floating, nextCell.column)); } }; RowRenderer.prototype.getComponentForCell = function (gridCell) { var rowComponent; switch (gridCell.floating) { case constants_1.Constants.FLOATING_TOP: rowComponent = this.renderedTopFloatingRows[gridCell.rowIndex]; break; case constants_1.Constants.FLOATING_BOTTOM: rowComponent = this.renderedBottomFloatingRows[gridCell.rowIndex]; break; default: rowComponent = this.renderedRows[gridCell.rowIndex]; break; } if (!rowComponent) { return null; } var cellComponent = rowComponent.getRenderedCellForColumn(gridCell.column); return cellComponent; }; // called by the cell, when tab is pressed while editing. // @return: true when navigation successful, otherwise false RowRenderer.prototype.moveFocusToNextCell = function (rowIndex, column, floating, shiftKey, startEditing) { var nextCell = new gridCell_1.GridCell(rowIndex, floating, column); while (true) { nextCell = this.cellNavigationService.getNextTabbedCell(nextCell, shiftKey); // if no 'next cell', means we have got to last cell of grid, so nothing to move to, // so bottom right cell going forwards, or top left going backwards if (!nextCell) { return false; } var nextRenderedCell = this.getComponentForCell(nextCell); // if editing, but cell not editable, skip cell if (startEditing && !nextRenderedCell.isCellEditable()) { continue; } // this scrolls the row into view var cellIsNotFloating = utils_1.Utils.missing(nextCell.floating); if (cellIsNotFloating) { this.gridPanel.ensureIndexVisible(nextCell.rowIndex); } this.gridPanel.ensureColumnVisible(nextCell.column); // need to nudge the scrolls for the floating items. otherwise when we set focus on a non-visible // floating cell, the scrolls get out of sync this.gridPanel.horizontallyScrollHeaderCenterAndFloatingCenter(); if (startEditing) { nextRenderedCell.startEditingIfEnabled(); nextRenderedCell.focusCell(false); } else { nextRenderedCell.focusCell(true); } // by default, when we click a cell, it gets selected into a range, so to keep keyboard navigation // consistent, we set into range here also. if (this.rangeController) { this.rangeController.setRangeToCell(new gridCell_1.GridCell(nextCell.rowIndex, nextCell.floating, nextCell.column)); } // we successfully tabbed onto a grid cell, so return true return true; } }; __decorate([ context_1.Autowired('columnController'), __metadata('design:type', columnController_1.ColumnController) ], RowRenderer.prototype, "columnController", void 0); __decorate([ context_1.Autowired('gridOptionsWrapper'), __metadata('design:type', gridOptionsWrapper_1.GridOptionsWrapper) ], RowRenderer.prototype, "gridOptionsWrapper", void 0); __decorate([ context_1.Autowired('gridCore'), __metadata('design:type', gridCore_1.GridCore) ], RowRenderer.prototype, "gridCore", void 0); __decorate([ context_1.Autowired('gridPanel'), __metadata('design:type', gridPanel_1.GridPanel) ], RowRenderer.prototype, "gridPanel", void 0); __decorate([ context_1.Autowired('$compile'), __metadata('design:type', Object) ], RowRenderer.prototype, "$compile", void 0); __decorate([ context_1.Autowired('$scope'), __metadata('design:type', Object) ], RowRenderer.prototype, "$scope", void 0); __decorate([ context_1.Autowired('expressionService'), __metadata('design:type', expressionService_1.ExpressionService) ], RowRenderer.prototype, "expressionService", void 0); __decorate([ context_1.Autowired('templateService'), __metadata('design:type', templateService_1.TemplateService) ], RowRenderer.prototype, "templateService", void 0); __decorate([ context_1.Autowired('valueService'), __metadata('design:type', valueService_1.ValueService) ], RowRenderer.prototype, "valueService", void 0); __decorate([ context_1.Autowired('eventService'), __metadata('design:type', eventService_1.EventService) ], RowRenderer.prototype, "eventService", void 0); __decorate([ context_1.Autowired('floatingRowModel'), __metadata('design:type', floatingRowModel_1.FloatingRowModel) ], RowRenderer.prototype, "floatingRowModel", void 0); __decorate([ context_1.Autowired('context'), __metadata('design:type', context_1.Context) ], RowRenderer.prototype, "context", void 0); __decorate([ context_1.Autowired('loggerFactory'), __metadata('design:type', logger_1.LoggerFactory) ], RowRenderer.prototype, "loggerFactory", void 0); __decorate([ context_1.Autowired('rowModel'), __metadata('design:type', Object) ], RowRenderer.prototype, "rowModel", void 0); __decorate([ context_1.Autowired('focusedCellController'), __metadata('design:type', focusedCellController_1.FocusedCellController) ], RowRenderer.prototype, "focusedCellController", void 0); __decorate([ context_1.Optional('rangeController'), __metadata('design:type', Object) ], RowRenderer.prototype, "rangeController", void 0); __decorate([ context_1.Autowired('cellNavigationService'), __metadata('design:type', cellNavigationService_1.CellNavigationService) ], RowRenderer.prototype, "cellNavigationService", void 0); __decorate([ __param(0, context_1.Qualifier('loggerFactory')), __metadata('design:type', Function), __metadata('design:paramtypes', [logger_1.LoggerFactory]), __metadata('design:returntype', void 0) ], RowRenderer.prototype, "agWire", null); __decorate([ context_1.PostConstruct, __metadata('design:type', Function), __metadata('design:paramtypes', []), __metadata('design:returntype', void 0) ], RowRenderer.prototype, "init", null); __decorate([ context_1.PreDestroy, __metadata('design:type', Function), __metadata('design:paramtypes', []), __metadata('design:returntype', void 0) ], RowRenderer.prototype, "destroy", null); RowRenderer = __decorate([ context_1.Bean('rowRenderer'), __metadata('design:paramtypes', []) ], RowRenderer); return RowRenderer; })(); exports.RowRenderer = RowRenderer; /***/ }, /* 24 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __metadata = (this && this.__metadata) || function (k, v) { if (typeof Reflect === "object" && typeof Reflect.metadata === "function") return Reflect.metadata(k, v); }; var __param = (this && this.__param) || function (paramIndex, decorator) { return function (target, key) { decorator(target, key, paramIndex); } }; var utils_1 = __webpack_require__(7); var masterSlaveService_1 = __webpack_require__(25); var gridOptionsWrapper_1 = __webpack_require__(3); var columnController_1 = __webpack_require__(13); var rowRenderer_1 = __webpack_require__(23); var floatingRowModel_1 = __webpack_require__(26); var borderLayout_1 = __webpack_require__(30); var logger_1 = __webpack_require__(5); var context_1 = __webpack_require__(6); var eventService_1 = __webpack_require__(4); var events_1 = __webpack_require__(10); var dragService_1 = __webpack_require__(31); var constants_1 = __webpack_require__(8); var selectionController_1 = __webpack_require__(28); var csvCreator_1 = __webpack_require__(12); var mouseEventService_1 = __webpack_require__(32); var focusedCellController_1 = __webpack_require__(35); // in the html below, it is important that there are no white space between some of the divs, as if there is white space, // it won't render correctly in safari, as safari renders white space as a gap var gridHtml = '<div>' + // header '<div class="ag-header">' + '<div class="ag-pinned-left-header"></div>' + '<div class="ag-pinned-right-header"></div>' + '<div class="ag-header-viewport">' + '<div class="ag-header-container"></div>' + '</div>' + '<div class="ag-header-overlay"></div>' + '</div>' + // floating top '<div class="ag-floating-top">' + '<div class="ag-pinned-left-floating-top"></div>' + '<div class="ag-pinned-right-floating-top"></div>' + '<div class="ag-floating-top-viewport">' + '<div class="ag-floating-top-container"></div>' + '</div>' + '</div>' + // floating bottom '<div class="ag-floating-bottom">' + '<div class="ag-pinned-left-floating-bottom"></div>' + '<div class="ag-pinned-right-floating-bottom"></div>' + '<div class="ag-floating-bottom-viewport">' + '<div class="ag-floating-bottom-container"></div>' + '</div>' + '</div>' + // body '<div class="ag-body">' + '<div class="ag-pinned-left-cols-viewport">' + '<div class="ag-pinned-left-cols-container"></div>' + '</div>' + '<div class="ag-pinned-right-cols-viewport">' + '<div class="ag-pinned-right-cols-container"></div>' + '</div>' + '<div class="ag-body-viewport-wrapper">' + '<div class="ag-body-viewport">' + '<div class="ag-body-container"></div>' + '</div>' + '</div>' + '</div>' + '</div>'; var gridForPrintHtml = '<div>' + // header '<div class="ag-header-container"></div>' + // floating '<div class="ag-floating-top-container"></div>' + // body '<div class="ag-body-container"></div>' + // floating bottom '<div class="ag-floating-bottom-container"></div>' + '</div>'; // wrapping in outer div, and wrapper, is needed to center the loading icon // The idea for centering came from here: http://www.vanseodesign.com/css/vertical-centering/ var mainOverlayTemplate = '<div class="ag-overlay-panel">' + '<div class="ag-overlay-wrapper ag-overlay-[OVERLAY_NAME]-wrapper">[OVERLAY_TEMPLATE]</div>' + '</div>'; var defaultLoadingOverlayTemplate = '<span class="ag-overlay-loading-center">[LOADING...]</span>'; var defaultNoRowsOverlayTemplate = '<span class="ag-overlay-no-rows-center">[NO_ROWS_TO_SHOW]</span>'; var GridPanel = (function () { function GridPanel() { this.scrollLagCounter = 0; this.lastLeftPosition = -1; this.lastTopPosition = -1; this.animationThreadCount = 0; } GridPanel.prototype.agWire = function (loggerFactory) { // makes code below more readable if we pull 'forPrint' out this.forPrint = this.gridOptionsWrapper.isForPrint(); this.scrollWidth = utils_1.Utils.getScrollbarWidth(); this.logger = loggerFactory.create('GridPanel'); this.findElements(); }; GridPanel.prototype.onRowDataChanged = function () { if (this.rowModel.isEmpty() && !this.gridOptionsWrapper.isSuppressNoRowsOverlay()) { this.showNoRowsOverlay(); } else { this.hideOverlay(); } }; GridPanel.prototype.getLayout = function () { return this.layout; }; GridPanel.prototype.init = function () { this.addEventListeners(); this.addDragListeners(); this.layout = new borderLayout_1.BorderLayout({ overlays: { loading: utils_1.Utils.loadTemplate(this.createLoadingOverlayTemplate()), noRows: utils_1.Utils.loadTemplate(this.createNoRowsOverlayTemplate()) }, center: this.eRoot, dontFill: this.forPrint, name: 'eGridPanel' }); this.layout.addSizeChangeListener(this.sizeHeaderAndBody.bind(this)); this.addScrollListener(); if (this.gridOptionsWrapper.isSuppressHorizontalScroll()) { this.eBodyViewport.style.overflowX = 'hidden'; } if (this.gridOptionsWrapper.isRowModelDefault() && !this.gridOptionsWrapper.getRowData()) { this.showLoadingOverlay(); } this.setWidthsOfContainers(); this.showPinnedColContainersIfNeeded(); this.sizeHeaderAndBody(); this.disableBrowserDragging(); this.addShortcutKeyListeners(); this.addCellListeners(); }; // if we do not do this, then the user can select a pic in the grid (eg an image in a custom cell renderer) // and then that will start the browser native drag n' drop, which messes up with our own drag and drop. GridPanel.prototype.disableBrowserDragging = function () { this.eRoot.addEventListener('dragstart', function (event) { if (event.target instanceof HTMLImageElement) { event.preventDefault(); return false; } }); }; GridPanel.prototype.addEventListeners = function () { this.eventService.addEventListener(events_1.Events.EVENT_COLUMN_EVERYTHING_CHANGED, this.onColumnsChanged.bind(this)); this.eventService.addEventListener(events_1.Events.EVENT_COLUMN_GROUP_OPENED, this.onColumnsChanged.bind(this)); this.eventService.addEventListener(events_1.Events.EVENT_COLUMN_MOVED, this.onColumnsChanged.bind(this)); this.eventService.addEventListener(events_1.Events.EVENT_COLUMN_ROW_GROUP_CHANGED, this.onColumnsChanged.bind(this)); this.eventService.addEventListener(events_1.Events.EVENT_COLUMN_RESIZED, this.onColumnsChanged.bind(this)); //this.eventService.addEventListener(Events.EVENT_COLUMN_VALUE_CHANGE, this.onColumnsChanged.bind(this)); this.eventService.addEventListener(events_1.Events.EVENT_COLUMN_VISIBLE, this.onColumnsChanged.bind(this)); this.eventService.addEventListener(events_1.Events.EVENT_COLUMN_PINNED, this.onColumnsChanged.bind(this)); this.eventService.addEventListener(events_1.Events.EVENT_FLOATING_ROW_DATA_CHANGED, this.sizeHeaderAndBody.bind(this)); this.eventService.addEventListener(events_1.Events.EVENT_HEADER_HEIGHT_CHANGED, this.sizeHeaderAndBody.bind(this)); this.eventService.addEventListener(events_1.Events.EVENT_PIVOT_VALUE_CHANGED, this.sizeHeaderAndBody.bind(this)); this.eventService.addEventListener(events_1.Events.EVENT_PIVOT_VALUE_CHANGED, this.onColumnsChanged.bind(this)); this.eventService.addEventListener(events_1.Events.EVENT_ROW_DATA_CHANGED, this.onRowDataChanged.bind(this)); }; GridPanel.prototype.addDragListeners = function () { var _this = this; if (this.forPrint // no range select when doing 'for print' || !this.gridOptionsWrapper.isEnableRangeSelection() // no range selection if no property || utils_1.Utils.missing(this.rangeController)) { return; } var containers = [this.ePinnedLeftColsContainer, this.ePinnedRightColsContainer, this.eBodyContainer, this.eFloatingTop, this.eFloatingBottom]; containers.forEach(function (container) { _this.dragService.addDragSource({ dragStartPixels: 0, eElement: container, onDragStart: _this.rangeController.onDragStart.bind(_this.rangeController), onDragStop: _this.rangeController.onDragStop.bind(_this.rangeController), onDragging: _this.rangeController.onDragging.bind(_this.rangeController) }); }); }; GridPanel.prototype.addCellListeners = function () { var _this = this; var eventNames = ['click', 'mousedown', 'dblclick', 'contextmenu']; var that = this; eventNames.forEach(function (eventName) { _this.eAllCellContainers.forEach(function (container) { return container.addEventListener(eventName, function (mouseEvent) { var eventSource = this; that.processMouseEvent(eventName, mouseEvent, eventSource); }); }); }); }; GridPanel.prototype.processMouseEvent = function (eventName, mouseEvent, eventSource) { var cell = this.mouseEventService.getCellForMouseEvent(mouseEvent); if (utils_1.Utils.exists(cell)) { //console.log(`row = ${cell.rowIndex}, floating = ${floating}`); this.rowRenderer.onMouseEvent(eventName, mouseEvent, eventSource, cell); } // if we don't do this, then middle click will never result in a 'click' event, as 'mousedown' // will be consumed by the browser to mean 'scroll' (as you can scroll with the middle mouse // button in the browser). so this property allows the user to receive middle button clicks if // they want. if (this.gridOptionsWrapper.isSuppressMiddleClickScrolls() && mouseEvent.which === 2) { mouseEvent.preventDefault(); } }; GridPanel.prototype.addShortcutKeyListeners = function () { var _this = this; this.eAllCellContainers.forEach(function (container) { container.addEventListener('keydown', function (event) { if (event.ctrlKey || event.metaKey) { switch (event.which) { case constants_1.Constants.KEY_A: return _this.onCtrlAndA(event); case constants_1.Constants.KEY_C: return _this.onCtrlAndC(event); case constants_1.Constants.KEY_V: return _this.onCtrlAndV(event); case constants_1.Constants.KEY_D: return _this.onCtrlAndD(event); } } }); }); }; GridPanel.prototype.onCtrlAndA = function (event) { if (this.rangeController && this.rowModel.isRowsToRender()) { var rowEnd; var floatingStart; var floatingEnd; if (this.floatingRowModel.isEmpty(constants_1.Constants.FLOATING_TOP)) { floatingStart = null; } else { floatingStart = constants_1.Constants.FLOATING_TOP; } if (this.floatingRowModel.isEmpty(constants_1.Constants.FLOATING_BOTTOM)) { floatingEnd = null; rowEnd = this.rowModel.getRowCount() - 1; } else { floatingEnd = constants_1.Constants.FLOATING_BOTTOM; rowEnd = this.floatingRowModel.getFloatingBottomRowData().length = 1; } var allDisplayedColumns = this.columnController.getAllDisplayedColumns(); if (utils_1.Utils.missingOrEmpty(allDisplayedColumns)) { return; } this.rangeController.setRange({ rowStart: 0, floatingStart: floatingStart, rowEnd: rowEnd, floatingEnd: floatingEnd, columnStart: allDisplayedColumns[0], columnEnd: allDisplayedColumns[allDisplayedColumns.length - 1] }); } event.preventDefault(); return false; }; GridPanel.prototype.onCtrlAndC = function (event) { if (!this.clipboardService) { return; } var focusedCell = this.focusedCellController.getFocusedCell(); this.clipboardService.copyToClipboard(); event.preventDefault(); // the copy operation results in loosing focus on the cell, // because of the trickery the copy logic uses with a temporary // widget. so we set it back again. if (focusedCell) { this.focusedCellController.setFocusedCell(focusedCell.rowIndex, focusedCell.column, focusedCell.floating, true); } return false; }; GridPanel.prototype.onCtrlAndV = function (event) { if (!this.rangeController) { return; } this.clipboardService.pasteFromClipboard(); return false; }; GridPanel.prototype.onCtrlAndD = function (event) { if (!this.clipboardService) { return; } this.clipboardService.copyRangeDown(); event.preventDefault(); return false; }; GridPanel.prototype.getPinnedLeftFloatingTop = function () { return this.ePinnedLeftFloatingTop; }; GridPanel.prototype.getPinnedRightFloatingTop = function () { return this.ePinnedRightFloatingTop; }; GridPanel.prototype.getFloatingTopContainer = function () { return this.eFloatingTopContainer; }; GridPanel.prototype.getPinnedLeftFloatingBottom = function () { return this.ePinnedLeftFloatingBottom; }; GridPanel.prototype.getPinnedRightFloatingBottom = function () { return this.ePinnedRightFloatingBottom; }; GridPanel.prototype.getFloatingBottomContainer = function () { return this.eFloatingBottomContainer; }; GridPanel.prototype.createOverlayTemplate = function (name, defaultTemplate, userProvidedTemplate) { var template = mainOverlayTemplate .replace('[OVERLAY_NAME]', name); if (userProvidedTemplate) { template = template.replace('[OVERLAY_TEMPLATE]', userProvidedTemplate); } else { template = template.replace('[OVERLAY_TEMPLATE]', defaultTemplate); } return template; }; GridPanel.prototype.createLoadingOverlayTemplate = function () { var userProvidedTemplate = this.gridOptionsWrapper.getOverlayLoadingTemplate(); var templateNotLocalised = this.createOverlayTemplate('loading', defaultLoadingOverlayTemplate, userProvidedTemplate); var localeTextFunc = this.gridOptionsWrapper.getLocaleTextFunc(); var templateLocalised = templateNotLocalised.replace('[LOADING...]', localeTextFunc('loadingOoo', 'Loading...')); return templateLocalised; }; GridPanel.prototype.createNoRowsOverlayTemplate = function () { var userProvidedTemplate = this.gridOptionsWrapper.getOverlayNoRowsTemplate(); var templateNotLocalised = this.createOverlayTemplate('no-rows', defaultNoRowsOverlayTemplate, userProvidedTemplate); var localeTextFunc = this.gridOptionsWrapper.getLocaleTextFunc(); var templateLocalised = templateNotLocalised.replace('[NO_ROWS_TO_SHOW]', localeTextFunc('noRowsToShow', 'No Rows To Show')); return templateLocalised; }; GridPanel.prototype.ensureIndexVisible = function (index) { this.logger.log('ensureIndexVisible: ' + index); var lastRow = this.rowModel.getRowCount(); if (typeof index !== 'number' || index < 0 || index >= lastRow) { console.warn('invalid row index for ensureIndexVisible: ' + index); return; } var nodeAtIndex = this.rowModel.getRow(index); var rowTopPixel = nodeAtIndex.rowTop; var rowBottomPixel = rowTopPixel + nodeAtIndex.rowHeight; var viewportTopPixel = this.eBodyViewport.scrollTop; var viewportHeight = this.eBodyViewport.offsetHeight; var scrollShowing = this.isHorizontalScrollShowing(); if (scrollShowing) { viewportHeight -= this.scrollWidth; } var viewportBottomPixel = viewportTopPixel + viewportHeight; var viewportScrolledPastRow = viewportTopPixel > rowTopPixel; var viewportScrolledBeforeRow = viewportBottomPixel < rowBottomPixel; var eViewportToScroll = this.columnController.isPinningRight() ? this.ePinnedRightColsViewport : this.eBodyViewport; if (viewportScrolledPastRow) { // if row is before, scroll up with row at top eViewportToScroll.scrollTop = rowTopPixel; } else if (viewportScrolledBeforeRow) { // if row is below, scroll down with row at bottom var newScrollPosition = rowBottomPixel - viewportHeight; eViewportToScroll.scrollTop = newScrollPosition; } // otherwise, row is already in view, so do nothing }; // + moveColumnController GridPanel.prototype.getCenterWidth = function () { return this.eBodyViewport.clientWidth; }; GridPanel.prototype.isHorizontalScrollShowing = function () { var result = this.eBodyViewport.clientWidth < this.eBodyViewport.scrollWidth; return result; }; GridPanel.prototype.isVerticalScrollShowing = function () { if (this.columnController.isPinningRight()) { // if pinning right, then the scroll bar can show, however for some reason // it overlays the grid and doesn't take space. return false; } else { return this.eBodyViewport.clientHeight < this.eBodyViewport.scrollHeight; } }; // gets called every 500 ms. we use this to set padding on right pinned column GridPanel.prototype.periodicallyCheck = function () { if (this.columnController.isPinningRight()) { var bodyHorizontalScrollShowing = this.eBodyViewport.clientWidth < this.eBodyViewport.scrollWidth; if (bodyHorizontalScrollShowing) { this.ePinnedRightColsContainer.style.marginBottom = this.scrollWidth + 'px'; } else { this.ePinnedRightColsContainer.style.marginBottom = ''; } } }; GridPanel.prototype.ensureColumnVisible = function (key) { var column = this.columnController.getOriginalColumn(key); if (column.isPinned()) { console.warn('calling ensureIndexVisible on a ' + column.getPinned() + ' pinned column doesn\'t make sense for column ' + column.getColId()); return; } if (!this.columnController.isColumnDisplayed(column)) { console.warn('column is not currently visible'); return; } var colLeftPixel = column.getLeft(); var colRightPixel = colLeftPixel + column.getActualWidth(); var viewportLeftPixel = this.eBodyViewport.scrollLeft; var viewportWidth = this.eBodyViewport.offsetWidth; var scrollShowing = this.eBodyViewport.clientHeight < this.eBodyViewport.scrollHeight; if (scrollShowing) { viewportWidth -= this.scrollWidth; } var viewportRightPixel = viewportLeftPixel + viewportWidth; var viewportScrolledPastCol = viewportLeftPixel > colLeftPixel; var viewportScrolledBeforeCol = viewportRightPixel < colRightPixel; if (viewportScrolledPastCol) { // if viewport's left side is after col's left side, scroll right to pull col into viewport at left this.eBodyViewport.scrollLeft = colLeftPixel; } else if (viewportScrolledBeforeCol) { // if viewport's right side is before col's right side, scroll left to pull col into viewport at right var newScrollPosition = colRightPixel - viewportWidth; this.eBodyViewport.scrollLeft = newScrollPosition; } // otherwise, col is already in view, so do nothing }; GridPanel.prototype.showLoadingOverlay = function () { if (!this.gridOptionsWrapper.isSuppressLoadingOverlay()) { this.layout.showOverlay('loading'); } }; GridPanel.prototype.showNoRowsOverlay = function () { if (!this.gridOptionsWrapper.isSuppressNoRowsOverlay()) { this.layout.showOverlay('noRows'); } }; GridPanel.prototype.hideOverlay = function () { this.layout.hideOverlay(); }; GridPanel.prototype.getWidthForSizeColsToFit = function () { var availableWidth = this.eBody.clientWidth; var scrollShowing = this.isVerticalScrollShowing(); if (scrollShowing) { availableWidth -= this.scrollWidth; } return availableWidth; }; // method will call itself if no available width. this covers if the grid // isn't visible, but is just about to be visible. GridPanel.prototype.sizeColumnsToFit = function (nextTimeout) { var _this = this; var availableWidth = this.getWidthForSizeColsToFit(); if (availableWidth > 0) { this.columnController.sizeColumnsToFit(availableWidth); } else { if (nextTimeout === undefined) { setTimeout(function () { _this.sizeColumnsToFit(100); }, 0); } else if (nextTimeout === 100) { setTimeout(function () { _this.sizeColumnsToFit(-1); }, 100); } else { console.log('ag-Grid: tried to call sizeColumnsToFit() but the grid is coming back with ' + 'zero width, maybe the grid is not visible yet on the screen?'); } } }; GridPanel.prototype.getBodyContainer = function () { return this.eBodyContainer; }; GridPanel.prototype.getDropTargetBodyContainers = function () { if (this.forPrint) { return [this.eBodyContainer, this.eFloatingTopContainer, this.eFloatingBottomContainer]; } else { return [this.eBodyViewport, this.eFloatingTopViewport, this.eFloatingBottomViewport]; } }; GridPanel.prototype.getBodyViewport = function () { return this.eBodyViewport; }; GridPanel.prototype.getPinnedLeftColsContainer = function () { return this.ePinnedLeftColsContainer; }; GridPanel.prototype.getDropTargetLeftContainers = function () { if (this.forPrint) { return []; } else { return [this.ePinnedLeftColsViewport, this.ePinnedLeftFloatingBottom, this.ePinnedLeftFloatingTop]; } }; GridPanel.prototype.getPinnedRightColsContainer = function () { return this.ePinnedRightColsContainer; }; GridPanel.prototype.getDropTargetPinnedRightContainers = function () { if (this.forPrint) { return []; } else { return [this.ePinnedRightColsViewport, this.ePinnedRightFloatingBottom, this.ePinnedRightFloatingTop]; } }; GridPanel.prototype.getHeaderContainer = function () { return this.eHeaderContainer; }; GridPanel.prototype.getHeaderOverlay = function () { return this.eHeaderOverlay; }; GridPanel.prototype.getRoot = function () { return this.eRoot; }; GridPanel.prototype.getPinnedLeftHeader = function () { return this.ePinnedLeftHeader; }; GridPanel.prototype.getPinnedRightHeader = function () { return this.ePinnedRightHeader; }; GridPanel.prototype.queryHtmlElement = function (selector) { return this.eRoot.querySelector(selector); }; GridPanel.prototype.findElements = function () { if (this.forPrint) { this.eRoot = utils_1.Utils.loadTemplate(gridForPrintHtml); utils_1.Utils.addCssClass(this.eRoot, 'ag-root'); utils_1.Utils.addCssClass(this.eRoot, 'ag-font-style'); utils_1.Utils.addCssClass(this.eRoot, 'ag-no-scrolls'); } else { this.eRoot = utils_1.Utils.loadTemplate(gridHtml); utils_1.Utils.addCssClass(this.eRoot, 'ag-root'); utils_1.Utils.addCssClass(this.eRoot, 'ag-font-style'); utils_1.Utils.addCssClass(this.eRoot, 'ag-scrolls'); } if (this.forPrint) { this.eHeaderContainer = this.queryHtmlElement('.ag-header-container'); this.eBodyContainer = this.queryHtmlElement('.ag-body-container'); this.eFloatingTopContainer = this.queryHtmlElement('.ag-floating-top-container'); this.eFloatingBottomContainer = this.queryHtmlElement('.ag-floating-bottom-container'); this.eAllCellContainers = [this.eBodyContainer, this.eFloatingTopContainer, this.eFloatingBottomContainer]; } else { this.eBody = this.queryHtmlElement('.ag-body'); this.eBodyContainer = this.queryHtmlElement('.ag-body-container'); this.eBodyViewport = this.queryHtmlElement('.ag-body-viewport'); this.eBodyViewportWrapper = this.queryHtmlElement('.ag-body-viewport-wrapper'); this.ePinnedLeftColsContainer = this.queryHtmlElement('.ag-pinned-left-cols-container'); this.ePinnedRightColsContainer = this.queryHtmlElement('.ag-pinned-right-cols-container'); this.ePinnedLeftColsViewport = this.queryHtmlElement('.ag-pinned-left-cols-viewport'); this.ePinnedRightColsViewport = this.queryHtmlElement('.ag-pinned-right-cols-viewport'); this.ePinnedLeftHeader = this.queryHtmlElement('.ag-pinned-left-header'); this.ePinnedRightHeader = this.queryHtmlElement('.ag-pinned-right-header'); this.eHeader = this.queryHtmlElement('.ag-header'); this.eHeaderContainer = this.queryHtmlElement('.ag-header-container'); this.eHeaderOverlay = this.queryHtmlElement('.ag-header-overlay'); this.eHeaderViewport = this.queryHtmlElement('.ag-header-viewport'); this.eFloatingTop = this.queryHtmlElement('.ag-floating-top'); this.ePinnedLeftFloatingTop = this.queryHtmlElement('.ag-pinned-left-floating-top'); this.ePinnedRightFloatingTop = this.queryHtmlElement('.ag-pinned-right-floating-top'); this.eFloatingTopContainer = this.queryHtmlElement('.ag-floating-top-container'); this.eFloatingTopViewport = this.queryHtmlElement('.ag-floating-top-viewport'); this.eFloatingBottom = this.queryHtmlElement('.ag-floating-bottom'); this.ePinnedLeftFloatingBottom = this.queryHtmlElement('.ag-pinned-left-floating-bottom'); this.ePinnedRightFloatingBottom = this.queryHtmlElement('.ag-pinned-right-floating-bottom'); this.eFloatingBottomContainer = this.queryHtmlElement('.ag-floating-bottom-container'); this.eFloatingBottomViewport = this.queryHtmlElement('.ag-floating-bottom-viewport'); this.eAllCellContainers = [this.ePinnedLeftColsContainer, this.ePinnedRightColsContainer, this.eBodyContainer, this.eFloatingTop, this.eFloatingBottom]; // IE9, Chrome, Safari, Opera this.ePinnedLeftColsViewport.addEventListener('mousewheel', this.pinnedLeftMouseWheelListener.bind(this)); this.eBodyViewport.addEventListener('mousewheel', this.centerMouseWheelListener.bind(this)); // Firefox this.ePinnedLeftColsViewport.addEventListener('DOMMouseScroll', this.pinnedLeftMouseWheelListener.bind(this)); this.eBodyViewport.addEventListener('DOMMouseScroll', this.centerMouseWheelListener.bind(this)); } }; GridPanel.prototype.getHeaderViewport = function () { return this.eHeaderViewport; }; GridPanel.prototype.centerMouseWheelListener = function (event) { // we are only interested in mimicking the mouse wheel if we are pinning on the right, // as if we are not pinning on the right, then we have scrollbars in the center body, and // as such we just use the default browser wheel behaviour. if (this.columnController.isPinningRight()) { return this.generalMouseWheelListener(event, this.ePinnedRightColsViewport); } }; GridPanel.prototype.pinnedLeftMouseWheelListener = function (event) { var targetPanel; if (this.columnController.isPinningRight()) { targetPanel = this.ePinnedRightColsViewport; } else { targetPanel = this.eBodyViewport; } return this.generalMouseWheelListener(event, targetPanel); }; GridPanel.prototype.generalMouseWheelListener = function (event, targetPanel) { var wheelEvent = utils_1.Utils.normalizeWheel(event); // we need to detect in which direction scroll is happening to allow trackpads scroll horizontally // horizontal scroll if (Math.abs(wheelEvent.pixelX) > Math.abs(wheelEvent.pixelY)) { var newLeftPosition = this.eBodyViewport.scrollLeft + wheelEvent.pixelX; this.eBodyViewport.scrollLeft = newLeftPosition; } else { var newTopPosition = this.eBodyViewport.scrollTop + wheelEvent.pixelY; targetPanel.scrollTop = newTopPosition; } // allow the option to pass mouse wheel events ot the browser // https://github.com/ceolter/ag-grid/issues/800 // in the future, this should be tied in with 'forPrint' option, or have an option 'no vertical scrolls' if (!this.gridOptionsWrapper.isSuppressPreventDefaultOnMouseWheel()) { // if we don't prevent default, then the whole browser will scroll also as well as the grid event.preventDefault(); } return false; }; GridPanel.prototype.onColumnsChanged = function (event) { if (event.isContainerWidthImpacted()) { this.setWidthsOfContainers(); } if (event.isPinnedPanelVisibilityImpacted()) { this.showPinnedColContainersIfNeeded(); } if (event.getType() === events_1.Events.EVENT_COLUMN_EVERYTHING_CHANGED) { this.sizeHeaderAndBody(); } }; GridPanel.prototype.setWidthsOfContainers = function () { this.logger.log('setWidthsOfContainers()'); this.showPinnedColContainersIfNeeded(); var mainRowWidth = this.columnController.getBodyContainerWidth() + 'px'; this.eBodyContainer.style.width = mainRowWidth; if (this.forPrint) { // pinned col doesn't exist when doing forPrint return; } this.eFloatingBottomContainer.style.width = mainRowWidth; this.eFloatingTopContainer.style.width = mainRowWidth; var pinnedLeftWidth = this.columnController.getPinnedLeftContainerWidth() + 'px'; this.ePinnedLeftColsContainer.style.width = pinnedLeftWidth; this.ePinnedLeftFloatingBottom.style.width = pinnedLeftWidth; this.ePinnedLeftFloatingTop.style.width = pinnedLeftWidth; this.eBodyViewportWrapper.style.marginLeft = pinnedLeftWidth; var pinnedRightWidth = this.columnController.getPinnedRightContainerWidth() + 'px'; this.ePinnedRightColsContainer.style.width = pinnedRightWidth; this.ePinnedRightFloatingBottom.style.width = pinnedRightWidth; this.ePinnedRightFloatingTop.style.width = pinnedRightWidth; this.eBodyViewportWrapper.style.marginRight = pinnedRightWidth; }; GridPanel.prototype.showPinnedColContainersIfNeeded = function () { // no need to do this if not using scrolls if (this.forPrint) { return; } //some browsers had layout issues with the blank divs, so if blank, //we don't display them if (this.columnController.isPinningLeft()) { this.ePinnedLeftHeader.style.display = 'inline-block'; this.ePinnedLeftColsViewport.style.display = 'inline'; } else { this.ePinnedLeftHeader.style.display = 'none'; this.ePinnedLeftColsViewport.style.display = 'none'; } if (this.columnController.isPinningRight()) { this.ePinnedRightHeader.style.display = 'inline-block'; this.ePinnedRightColsViewport.style.display = 'inline'; this.eBodyViewport.style.overflowY = 'hidden'; } else { this.ePinnedRightHeader.style.display = 'none'; this.ePinnedRightColsViewport.style.display = 'none'; this.eBodyViewport.style.overflowY = 'auto'; } }; GridPanel.prototype.sizeHeaderAndBody = function () { if (this.forPrint) { // if doing 'for print', then the header and footers are laid // out naturally by the browser. it whatever size that's needed to fit. return; } var heightOfContainer = this.layout.getCentreHeight(); if (!heightOfContainer) { return; } var headerHeight = this.gridOptionsWrapper.getHeaderHeight(); var numberOfRowsInHeader = this.columnController.getHeaderRowCount(); var totalHeaderHeight = headerHeight * numberOfRowsInHeader; this.eHeader.style['height'] = totalHeaderHeight + 'px'; // padding top covers the header and the floating rows on top var floatingTopHeight = this.floatingRowModel.getFloatingTopTotalHeight(); var paddingTop = totalHeaderHeight + floatingTopHeight; // bottom is just the bottom floating rows var floatingBottomHeight = this.floatingRowModel.getFloatingBottomTotalHeight(); var floatingBottomTop = heightOfContainer - floatingBottomHeight; var heightOfCentreRows = heightOfContainer - totalHeaderHeight - floatingBottomHeight - floatingTopHeight; this.eBody.style.paddingTop = paddingTop + 'px'; this.eBody.style.paddingBottom = floatingBottomHeight + 'px'; this.eFloatingTop.style.top = totalHeaderHeight + 'px'; this.eFloatingTop.style.height = floatingTopHeight + 'px'; this.eFloatingBottom.style.height = floatingBottomHeight + 'px'; this.eFloatingBottom.style.top = floatingBottomTop + 'px'; this.ePinnedLeftColsViewport.style.height = heightOfCentreRows + 'px'; this.ePinnedRightColsViewport.style.height = heightOfCentreRows + 'px'; }; GridPanel.prototype.setHorizontalScrollPosition = function (hScrollPosition) { this.eBodyViewport.scrollLeft = hScrollPosition; }; // tries to scroll by pixels, but returns what the result actually was GridPanel.prototype.scrollHorizontally = function (pixels) { var oldScrollPosition = this.eBodyViewport.scrollLeft; this.setHorizontalScrollPosition(oldScrollPosition + pixels); var newScrollPosition = this.eBodyViewport.scrollLeft; return newScrollPosition - oldScrollPosition; }; GridPanel.prototype.getHorizontalScrollPosition = function () { if (this.forPrint) { return 0; } else { return this.eBodyViewport.scrollLeft; } }; GridPanel.prototype.turnOnAnimationForABit = function () { var _this = this; if (this.gridOptionsWrapper.isSuppressColumnMoveAnimation()) { return; } this.animationThreadCount++; var animationThreadCountCopy = this.animationThreadCount; utils_1.Utils.addCssClass(this.eRoot, 'ag-column-moving'); setTimeout(function () { if (_this.animationThreadCount === animationThreadCountCopy) { utils_1.Utils.removeCssClass(_this.eRoot, 'ag-column-moving'); } }, 300); }; GridPanel.prototype.addScrollListener = function () { var _this = this; // if printing, then no scrolling, so no point in listening for scroll events if (this.forPrint) { return; } this.eBodyViewport.addEventListener('scroll', function () { // we are always interested in horizontal scrolls of the body var newLeftPosition = _this.eBodyViewport.scrollLeft; if (newLeftPosition !== _this.lastLeftPosition) { _this.lastLeftPosition = newLeftPosition; _this.horizontallyScrollHeaderCenterAndFloatingCenter(); _this.masterSlaveService.fireHorizontalScrollEvent(newLeftPosition); } // if we are pinning to the right, then it's the right pinned container // that has the scroll. if (!_this.columnController.isPinningRight()) { var newTopPosition = _this.eBodyViewport.scrollTop; if (newTopPosition !== _this.lastTopPosition) { _this.lastTopPosition = newTopPosition; _this.verticallyScrollLeftPinned(newTopPosition); _this.requestDrawVirtualRows(); } } }); this.ePinnedRightColsViewport.addEventListener('scroll', function () { var newTopPosition = _this.ePinnedRightColsViewport.scrollTop; if (newTopPosition !== _this.lastTopPosition) { _this.lastTopPosition = newTopPosition; _this.verticallyScrollLeftPinned(newTopPosition); _this.verticallyScrollBody(newTopPosition); _this.requestDrawVirtualRows(); } }); // this means the pinned panel was moved, which can only // happen when the user is navigating in the pinned container // as the pinned col should never scroll. so we rollback // the scroll on the pinned. this.ePinnedLeftColsViewport.addEventListener('scroll', function () { _this.ePinnedLeftColsViewport.scrollTop = 0; }); }; GridPanel.prototype.requestDrawVirtualRows = function () { var _this = this; // if we are in IE or Safari, then we only redraw if there was no scroll event // in the 50ms following this scroll event. without this, these browsers have // a bad scrolling feel, where the redraws clog the scroll experience // (makes the scroll clunky and sticky). this method is like throttling // the scroll events. var useScrollLag; // let the user override scroll lag option if (this.gridOptionsWrapper.isSuppressScrollLag()) { useScrollLag = false; } else if (this.gridOptionsWrapper.getIsScrollLag()) { useScrollLag = this.gridOptionsWrapper.getIsScrollLag()(); } else { useScrollLag = utils_1.Utils.isBrowserIE() || utils_1.Utils.isBrowserSafari(); } if (useScrollLag) { this.scrollLagCounter++; var scrollLagCounterCopy = this.scrollLagCounter; setTimeout(function () { if (_this.scrollLagCounter === scrollLagCounterCopy) { _this.rowRenderer.drawVirtualRows(); } }, 50); } else { this.rowRenderer.drawVirtualRows(); } }; GridPanel.prototype.horizontallyScrollHeaderCenterAndFloatingCenter = function () { var bodyLeftPosition = this.eBodyViewport.scrollLeft; this.eHeaderContainer.style.left = -bodyLeftPosition + 'px'; this.eFloatingBottomContainer.style.left = -bodyLeftPosition + 'px'; this.eFloatingTopContainer.style.left = -bodyLeftPosition + 'px'; }; GridPanel.prototype.verticallyScrollLeftPinned = function (bodyTopPosition) { this.ePinnedLeftColsContainer.style.top = -bodyTopPosition + 'px'; }; GridPanel.prototype.verticallyScrollBody = function (position) { this.eBodyViewport.scrollTop = position; }; GridPanel.prototype.getVerticalScrollPosition = function () { if (this.forPrint) { return 0; } else { return this.eBodyViewport.scrollTop; } }; GridPanel.prototype.getBodyViewportClientRect = function () { if (this.forPrint) { return this.eBodyContainer.getBoundingClientRect(); } else { return this.eBodyViewport.getBoundingClientRect(); } }; GridPanel.prototype.getFloatingTopClientRect = function () { if (this.forPrint) { return this.eFloatingTopContainer.getBoundingClientRect(); } else { return this.eFloatingTop.getBoundingClientRect(); } }; GridPanel.prototype.getFloatingBottomClientRect = function () { if (this.forPrint) { return this.eFloatingBottomContainer.getBoundingClientRect(); } else { return this.eFloatingBottom.getBoundingClientRect(); } }; GridPanel.prototype.getPinnedLeftColsViewportClientRect = function () { return this.ePinnedLeftColsViewport.getBoundingClientRect(); }; GridPanel.prototype.getPinnedRightColsViewportClientRect = function () { return this.ePinnedRightColsViewport.getBoundingClientRect(); }; GridPanel.prototype.addScrollEventListener = function (listener) { this.eBodyViewport.addEventListener('scroll', listener); }; GridPanel.prototype.removeScrollEventListener = function (listener) { this.eBodyViewport.removeEventListener('scroll', listener); }; __decorate([ context_1.Autowired('masterSlaveService'), __metadata('design:type', masterSlaveService_1.MasterSlaveService) ], GridPanel.prototype, "masterSlaveService", void 0); __decorate([ context_1.Autowired('gridOptionsWrapper'), __metadata('design:type', gridOptionsWrapper_1.GridOptionsWrapper) ], GridPanel.prototype, "gridOptionsWrapper", void 0); __decorate([ context_1.Autowired('columnController'), __metadata('design:type', columnController_1.ColumnController) ], GridPanel.prototype, "columnController", void 0); __decorate([ context_1.Autowired('rowRenderer'), __metadata('design:type', rowRenderer_1.RowRenderer) ], GridPanel.prototype, "rowRenderer", void 0); __decorate([ context_1.Autowired('floatingRowModel'), __metadata('design:type', floatingRowModel_1.FloatingRowModel) ], GridPanel.prototype, "floatingRowModel", void 0); __decorate([ context_1.Autowired('eventService'), __metadata('design:type', eventService_1.EventService) ], GridPanel.prototype, "eventService", void 0); __decorate([ context_1.Autowired('rowModel'), __metadata('design:type', Object) ], GridPanel.prototype, "rowModel", void 0); __decorate([ context_1.Optional('rangeController'), __metadata('design:type', Object) ], GridPanel.prototype, "rangeController", void 0); __decorate([ context_1.Autowired('dragService'), __metadata('design:type', dragService_1.DragService) ], GridPanel.prototype, "dragService", void 0); __decorate([ context_1.Autowired('selectionController'), __metadata('design:type', selectionController_1.SelectionController) ], GridPanel.prototype, "selectionController", void 0); __decorate([ context_1.Optional('clipboardService'), __metadata('design:type', Object) ], GridPanel.prototype, "clipboardService", void 0); __decorate([ context_1.Autowired('csvCreator'), __metadata('design:type', csvCreator_1.CsvCreator) ], GridPanel.prototype, "csvCreator", void 0); __decorate([ context_1.Autowired('mouseEventService'), __metadata('design:type', mouseEventService_1.MouseEventService) ], GridPanel.prototype, "mouseEventService", void 0); __decorate([ context_1.Autowired('focusedCellController'), __metadata('design:type', focusedCellController_1.FocusedCellController) ], GridPanel.prototype, "focusedCellController", void 0); __decorate([ __param(0, context_1.Qualifier('loggerFactory')), __metadata('design:type', Function), __metadata('design:paramtypes', [logger_1.LoggerFactory]), __metadata('design:returntype', void 0) ], GridPanel.prototype, "agWire", null); __decorate([ context_1.PostConstruct, __metadata('design:type', Function), __metadata('design:paramtypes', []), __metadata('design:returntype', void 0) ], GridPanel.prototype, "init", null); GridPanel = __decorate([ context_1.Bean('gridPanel'), __metadata('design:paramtypes', []) ], GridPanel); return GridPanel; })(); exports.GridPanel = GridPanel; /***/ }, /* 25 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __metadata = (this && this.__metadata) || function (k, v) { if (typeof Reflect === "object" && typeof Reflect.metadata === "function") return Reflect.metadata(k, v); }; var __param = (this && this.__param) || function (paramIndex, decorator) { return function (target, key) { decorator(target, key, paramIndex); } }; var gridOptionsWrapper_1 = __webpack_require__(3); var columnController_1 = __webpack_require__(13); var gridPanel_1 = __webpack_require__(24); var eventService_1 = __webpack_require__(4); var logger_1 = __webpack_require__(5); var events_1 = __webpack_require__(10); var context_1 = __webpack_require__(6); var context_2 = __webpack_require__(6); var context_3 = __webpack_require__(6); var context_4 = __webpack_require__(6); var MasterSlaveService = (function () { function MasterSlaveService() { // flag to mark if we are consuming. to avoid cyclic events (ie slave firing back to master // while processing a master event) we mark this if consuming an event, and if we are, then // we don't fire back any events. this.consuming = false; } MasterSlaveService.prototype.setBeans = function (loggerFactory) { this.logger = loggerFactory.create('MasterSlaveService'); }; MasterSlaveService.prototype.init = function () { this.eventService.addEventListener(events_1.Events.EVENT_COLUMN_MOVED, this.fireColumnEvent.bind(this)); this.eventService.addEventListener(events_1.Events.EVENT_COLUMN_VISIBLE, this.fireColumnEvent.bind(this)); this.eventService.addEventListener(events_1.Events.EVENT_COLUMN_PINNED, this.fireColumnEvent.bind(this)); this.eventService.addEventListener(events_1.Events.EVENT_COLUMN_GROUP_OPENED, this.fireColumnEvent.bind(this)); this.eventService.addEventListener(events_1.Events.EVENT_COLUMN_RESIZED, this.fireColumnEvent.bind(this)); }; // common logic across all the fire methods MasterSlaveService.prototype.fireEvent = function (callback) { // if we are already consuming, then we are acting on an event from a master, // so we don't cause a cyclic firing of events if (this.consuming) { return; } // iterate through the slave grids, and pass each slave service to the callback var slaveGrids = this.gridOptionsWrapper.getSlaveGrids(); if (slaveGrids) { slaveGrids.forEach(function (slaveGridOptions) { if (slaveGridOptions.api) { var slaveService = slaveGridOptions.api.__getMasterSlaveService(); callback(slaveService); } }); } }; // common logic across all consume methods. very little common logic, however extracting // guarantees consistency across the methods. MasterSlaveService.prototype.onEvent = function (callback) { this.consuming = true; callback(); this.consuming = false; }; MasterSlaveService.prototype.fireColumnEvent = function (event) { this.fireEvent(function (slaveService) { slaveService.onColumnEvent(event); }); }; MasterSlaveService.prototype.fireHorizontalScrollEvent = function (horizontalScroll) { this.fireEvent(function (slaveService) { slaveService.onScrollEvent(horizontalScroll); }); }; MasterSlaveService.prototype.onScrollEvent = function (horizontalScroll) { var _this = this; this.onEvent(function () { _this.gridPanel.setHorizontalScrollPosition(horizontalScroll); }); }; MasterSlaveService.prototype.getMasterColumns = function (event) { var result = []; if (event.getColumn()) { result.push(event.getColumn()); } if (event.getColumns()) { event.getColumns().forEach(function (column) { result.push(column); }); } return result; }; MasterSlaveService.prototype.getColumnIds = function (event) { var result = []; if (event.getColumn()) { result.push(event.getColumn().getColId()); } else if (event.getColumns()) { event.getColumns().forEach(function (column) { result.push(column.getColId()); }); } return result; }; MasterSlaveService.prototype.onColumnEvent = function (event) { var _this = this; this.onEvent(function () { // the column in the event is from the master grid. need to // look up the equivalent from this (slave) grid var masterColumn = event.getColumn(); var slaveColumn; if (masterColumn) { slaveColumn = _this.columnController.getOriginalColumn(masterColumn.getColId()); } // if event was with respect to a master column, that is not present in this // grid, then we ignore the event if (masterColumn && !slaveColumn) { return; } // likewise for column group var masterColumnGroup = event.getColumnGroup(); var slaveColumnGroup; if (masterColumnGroup) { var colId = masterColumnGroup.getGroupId(); var instanceId = masterColumnGroup.getInstanceId(); slaveColumnGroup = _this.columnController.getColumnGroup(colId, instanceId); } if (masterColumnGroup && !slaveColumnGroup) { return; } // in time, all the methods below should use the column ids, it's a more generic way // of handling columns, and also allows for single or multi column events var columnIds = _this.getColumnIds(event); var masterColumns = _this.getMasterColumns(event); switch (event.getType()) { case events_1.Events.EVENT_COLUMN_PIVOT_CHANGED: // we cannot support pivoting with master / slave as the columns will be out of sync as the // grids will have columns created based on the row data of the grid. console.warn('ag-Grid: pivoting is not supported with Master / Slave grids. ' + 'You can only use one of these features at a time in a grid.'); break; case events_1.Events.EVENT_COLUMN_MOVED: _this.logger.log('onColumnEvent-> processing ' + event + ' toIndex = ' + event.getToIndex()); _this.columnController.moveColumns(columnIds, event.getToIndex()); break; case events_1.Events.EVENT_COLUMN_VISIBLE: _this.logger.log('onColumnEvent-> processing ' + event + ' visible = ' + event.isVisible()); _this.columnController.setColumnsVisible(columnIds, event.isVisible()); break; case events_1.Events.EVENT_COLUMN_PINNED: _this.logger.log('onColumnEvent-> processing ' + event + ' pinned = ' + event.getPinned()); _this.columnController.setColumnsPinned(columnIds, event.getPinned()); break; case events_1.Events.EVENT_COLUMN_GROUP_OPENED: _this.logger.log('onColumnEvent-> processing ' + event + ' expanded = ' + masterColumnGroup.isExpanded()); _this.columnController.setColumnGroupOpened(slaveColumnGroup, masterColumnGroup.isExpanded()); break; case events_1.Events.EVENT_COLUMN_RESIZED: masterColumns.forEach(function (masterColumn) { _this.logger.log('onColumnEvent-> processing ' + event + ' actualWidth = ' + masterColumn.getActualWidth()); _this.columnController.setColumnWidth(masterColumn.getColId(), masterColumn.getActualWidth(), event.isFinished()); }); break; } }); }; __decorate([ context_3.Autowired('gridOptionsWrapper'), __metadata('design:type', gridOptionsWrapper_1.GridOptionsWrapper) ], MasterSlaveService.prototype, "gridOptionsWrapper", void 0); __decorate([ context_3.Autowired('columnController'), __metadata('design:type', columnController_1.ColumnController) ], MasterSlaveService.prototype, "columnController", void 0); __decorate([ context_3.Autowired('gridPanel'), __metadata('design:type', gridPanel_1.GridPanel) ], MasterSlaveService.prototype, "gridPanel", void 0); __decorate([ context_3.Autowired('eventService'), __metadata('design:type', eventService_1.EventService) ], MasterSlaveService.prototype, "eventService", void 0); __decorate([ __param(0, context_2.Qualifier('loggerFactory')), __metadata('design:type', Function), __metadata('design:paramtypes', [logger_1.LoggerFactory]), __metadata('design:returntype', void 0) ], MasterSlaveService.prototype, "setBeans", null); __decorate([ context_4.PostConstruct, __metadata('design:type', Function), __metadata('design:paramtypes', []), __metadata('design:returntype', void 0) ], MasterSlaveService.prototype, "init", null); MasterSlaveService = __decorate([ context_1.Bean('masterSlaveService'), __metadata('design:paramtypes', []) ], MasterSlaveService); return MasterSlaveService; })(); exports.MasterSlaveService = MasterSlaveService; /***/ }, /* 26 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __metadata = (this && this.__metadata) || function (k, v) { if (typeof Reflect === "object" && typeof Reflect.metadata === "function") return Reflect.metadata(k, v); }; var gridOptionsWrapper_1 = __webpack_require__(3); var rowNode_1 = __webpack_require__(27); var context_1 = __webpack_require__(6); var eventService_1 = __webpack_require__(4); var context_2 = __webpack_require__(6); var events_1 = __webpack_require__(10); var context_3 = __webpack_require__(6); var constants_1 = __webpack_require__(8); var utils_1 = __webpack_require__(7); var FloatingRowModel = (function () { function FloatingRowModel() { } FloatingRowModel.prototype.init = function () { this.setFloatingTopRowData(this.gridOptionsWrapper.getFloatingTopRowData()); this.setFloatingBottomRowData(this.gridOptionsWrapper.getFloatingBottomRowData()); }; FloatingRowModel.prototype.isEmpty = function (floating) { var rows = floating === constants_1.Constants.FLOATING_TOP ? this.floatingTopRows : this.floatingBottomRows; return utils_1.Utils.missingOrEmpty(rows); }; FloatingRowModel.prototype.isRowsToRender = function (floating) { return !this.isEmpty(floating); }; FloatingRowModel.prototype.getRowAtPixel = function (pixel, floating) { var rows = floating === constants_1.Constants.FLOATING_TOP ? this.floatingTopRows : this.floatingBottomRows; if (utils_1.Utils.missingOrEmpty(rows)) { return 0; // this should never happen, just in case, 0 is graceful failure } for (var i = 0; i < rows.length; i++) { var rowNode = rows[i]; var rowTopPixel = rowNode.rowTop + rowNode.rowHeight - 1; // only need to range check against the top pixel, as we are going through the list // in order, first row to hit the pixel wins if (rowTopPixel >= pixel) { return i; } } return rows.length - 1; }; FloatingRowModel.prototype.setFloatingTopRowData = function (rowData) { this.floatingTopRows = this.createNodesFromData(rowData, true); this.eventService.dispatchEvent(events_1.Events.EVENT_FLOATING_ROW_DATA_CHANGED); }; FloatingRowModel.prototype.setFloatingBottomRowData = function (rowData) { this.floatingBottomRows = this.createNodesFromData(rowData, false); this.eventService.dispatchEvent(events_1.Events.EVENT_FLOATING_ROW_DATA_CHANGED); }; FloatingRowModel.prototype.createNodesFromData = function (allData, isTop) { var _this = this; var rowNodes = []; if (allData) { var nextRowTop = 0; allData.forEach(function (dataItem) { var rowNode = new rowNode_1.RowNode(); _this.context.wireBean(rowNode); rowNode.data = dataItem; rowNode.floating = isTop ? constants_1.Constants.FLOATING_TOP : constants_1.Constants.FLOATING_BOTTOM; rowNode.rowTop = nextRowTop; rowNode.rowHeight = _this.gridOptionsWrapper.getRowHeightForNode(rowNode); nextRowTop += rowNode.rowHeight; rowNodes.push(rowNode); }); } return rowNodes; }; FloatingRowModel.prototype.getFloatingTopRowData = function () { return this.floatingTopRows; }; FloatingRowModel.prototype.getFloatingBottomRowData = function () { return this.floatingBottomRows; }; FloatingRowModel.prototype.getFloatingTopTotalHeight = function () { return this.getTotalHeight(this.floatingTopRows); }; FloatingRowModel.prototype.getFloatingBottomTotalHeight = function () { return this.getTotalHeight(this.floatingBottomRows); }; FloatingRowModel.prototype.getTotalHeight = function (rowNodes) { if (!rowNodes || rowNodes.length === 0) { return 0; } else { var lastNode = rowNodes[rowNodes.length - 1]; return lastNode.rowTop + lastNode.rowHeight; } }; __decorate([ context_2.Autowired('gridOptionsWrapper'), __metadata('design:type', gridOptionsWrapper_1.GridOptionsWrapper) ], FloatingRowModel.prototype, "gridOptionsWrapper", void 0); __decorate([ context_2.Autowired('eventService'), __metadata('design:type', eventService_1.EventService) ], FloatingRowModel.prototype, "eventService", void 0); __decorate([ context_2.Autowired('context'), __metadata('design:type', context_1.Context) ], FloatingRowModel.prototype, "context", void 0); __decorate([ context_3.PostConstruct, __metadata('design:type', Function), __metadata('design:paramtypes', []), __metadata('design:returntype', void 0) ], FloatingRowModel.prototype, "init", null); FloatingRowModel = __decorate([ context_1.Bean('floatingRowModel'), __metadata('design:paramtypes', []) ], FloatingRowModel); return FloatingRowModel; })(); exports.FloatingRowModel = FloatingRowModel; /***/ }, /* 27 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __metadata = (this && this.__metadata) || function (k, v) { if (typeof Reflect === "object" && typeof Reflect.metadata === "function") return Reflect.metadata(k, v); }; var eventService_1 = __webpack_require__(4); var events_1 = __webpack_require__(10); var gridOptionsWrapper_1 = __webpack_require__(3); var selectionController_1 = __webpack_require__(28); var valueService_1 = __webpack_require__(29); var columnController_1 = __webpack_require__(13); var context_1 = __webpack_require__(6); var constants_1 = __webpack_require__(8); var RowNode = (function () { function RowNode() { /** Children mapped by the pivot columns */ this.childrenMapped = {}; this.selected = false; } RowNode.prototype.setData = function (data) { var oldData = this.data; this.data = data; var event = { oldData: oldData, newData: data }; this.dispatchLocalEvent(RowNode.EVENT_DATA_CHANGED, event); }; RowNode.prototype.dispatchLocalEvent = function (eventName, event) { if (this.eventService) { this.eventService.dispatchEvent(eventName, event); } }; // we also allow editing the value via the editors. when it is done via // the editors, no 'cell changed' event gets fired, as it's assumed that // the cell knows about the change given it's in charge of the editing. // this method is for the client to call, so the cell listens for the change // event, and also flashes the cell when the change occurs. RowNode.prototype.setDataValue = function (colKey, newValue) { var column = this.columnController.getOriginalColumn(colKey); this.valueService.setValue(this, column, newValue); var event = { column: column, newValue: newValue }; this.dispatchLocalEvent(RowNode.EVENT_CELL_CHANGED, event); }; RowNode.prototype.resetQuickFilterAggregateText = function () { this.quickFilterAggregateText = null; }; RowNode.prototype.isSelected = function () { // for footers, we just return what our sibling selected state is, as cannot select a footer if (this.footer) { return this.sibling.isSelected(); } return this.selected; }; RowNode.prototype.deptFirstSearch = function (callback) { if (this.childrenAfterGroup) { this.childrenAfterGroup.forEach(function (child) { return child.deptFirstSearch(callback); }); } callback(this); }; // + rowController.updateGroupsInSelection() RowNode.prototype.calculateSelectedFromChildren = function () { var atLeastOneSelected = false; var atLeastOneDeSelected = false; var atLeastOneMixed = false; var newSelectedValue; if (this.childrenAfterGroup) { for (var i = 0; i < this.childrenAfterGroup.length; i++) { var childState = this.childrenAfterGroup[i].isSelected(); switch (childState) { case true: atLeastOneSelected = true; break; case false: atLeastOneDeSelected = true; break; default: atLeastOneMixed = true; break; } } } if (atLeastOneMixed) { newSelectedValue = undefined; } else if (atLeastOneSelected && !atLeastOneDeSelected) { newSelectedValue = true; } else if (!atLeastOneSelected && atLeastOneDeSelected) { newSelectedValue = false; } else { newSelectedValue = undefined; } this.selectThisNode(newSelectedValue); }; RowNode.prototype.calculateSelectedFromChildrenBubbleUp = function () { this.calculateSelectedFromChildren(); if (this.parent) { this.parent.calculateSelectedFromChildren(); } }; RowNode.prototype.setSelectedInitialValue = function (selected) { this.selected = selected; }; /** Returns true if this row is selected */ RowNode.prototype.setSelected = function (newValue, clearSelection, tailingNodeInSequence) { if (clearSelection === void 0) { clearSelection = false; } if (tailingNodeInSequence === void 0) { tailingNodeInSequence = false; } this.setSelectedParams({ newValue: newValue, clearSelection: clearSelection, tailingNodeInSequence: tailingNodeInSequence, rangeSelect: false }); }; // to make calling code more readable, this is the same method as setSelected except it takes names parameters RowNode.prototype.setSelectedParams = function (params) { var newValue = params.newValue === true; var clearSelection = params.clearSelection === true; var tailingNodeInSequence = params.tailingNodeInSequence === true; var rangeSelect = params.rangeSelect === true; if (this.floating) { console.log('ag-Grid: cannot select floating rows'); return; } // if we are a footer, we don't do selection, just pass the info // to the sibling (the parent of the group) if (this.footer) { this.sibling.setSelectedParams(params); return; } if (rangeSelect) { var rowModelNormal = this.rowModel.getType() === constants_1.Constants.ROW_MODEL_TYPE_NORMAL; var newRowClicked = this.selectionController.getLastSelectedNode() !== this; var allowMultiSelect = this.gridOptionsWrapper.isRowSelectionMulti(); if (rowModelNormal && newRowClicked && allowMultiSelect) { this.doRowRangeSelection(); return; } } this.selectThisNode(newValue); var groupSelectsChildren = this.gridOptionsWrapper.isGroupSelectsChildren(); if (groupSelectsChildren && this.group) { this.selectChildNodes(newValue); } // clear other nodes if not doing multi select var actionWasOnThisNode = !tailingNodeInSequence; if (actionWasOnThisNode) { if (newValue && (clearSelection || !this.gridOptionsWrapper.isRowSelectionMulti())) { this.selectionController.clearOtherNodes(this); } if (groupSelectsChildren && this.parent) { this.parent.calculateSelectedFromChildrenBubbleUp(); } // this is the very end of the 'action node', so we are finished all the updates, // include any parent / child changes that this method caused this.mainEventService.dispatchEvent(events_1.Events.EVENT_SELECTION_CHANGED); // so if use next does shift-select, we know where to start the selection from if (newValue) { this.selectionController.setLastSelectedNode(this); } } }; // selects all rows between this node and the last selected node (or the top if this is the first selection). // not to be mixed up with 'cell range selection' where you drag the mouse, this is row range selection, by // holding down 'shift'. RowNode.prototype.doRowRangeSelection = function () { var _this = this; var lastSelectedNode = this.selectionController.getLastSelectedNode(); // if lastSelectedNode is missing, we start at the firstrow var firstRowHit = !lastSelectedNode; var lastRowHit = false; var lastRow; var groupsSelectChildren = this.gridOptionsWrapper.isGroupSelectsChildren(); var inMemoryRowModel = this.rowModel; inMemoryRowModel.forEachNodeAfterFilterAndSort(function (rowNode) { var lookingForLastRow = firstRowHit && !lastRowHit; // check if we need to flip the select switch if (!firstRowHit) { if (rowNode === lastSelectedNode || rowNode === _this) { firstRowHit = true; } } var skipThisGroupNode = rowNode.group && groupsSelectChildren; if (!skipThisGroupNode) { var inRange = firstRowHit && !lastRowHit; var childOfLastRow = rowNode.isParentOfNode(lastRow); rowNode.selectThisNode(inRange || childOfLastRow); } if (lookingForLastRow) { if (rowNode === lastSelectedNode || rowNode === _this) { lastRowHit = true; if (rowNode === lastSelectedNode) { lastRow = lastSelectedNode; } else { lastRow = _this; } } } }); if (groupsSelectChildren) { this.calculatedSelectedForAllGroupNodes(); } }; RowNode.prototype.isParentOfNode = function (potentialParent) { var parentNode = this.parent; while (parentNode) { if (parentNode === potentialParent) { return true; } parentNode = parentNode.parent; } return false; }; RowNode.prototype.calculatedSelectedForAllGroupNodes = function () { // we have to make sure we do this dept first, as parent nodes // will have dependencies on the children having correct values var inMemoryRowModel = this.rowModel; inMemoryRowModel.getTopLevelNodes().forEach(function (topLevelNode) { if (topLevelNode.group) { topLevelNode.deptFirstSearch(function (childNode) { if (childNode.group) { childNode.calculateSelectedFromChildren(); } }); topLevelNode.calculateSelectedFromChildren(); } }); }; RowNode.prototype.selectThisNode = function (newValue) { if (this.selected !== newValue) { this.selected = newValue; if (this.eventService) { this.dispatchLocalEvent(RowNode.EVENT_ROW_SELECTED); } var event = { node: this }; this.mainEventService.dispatchEvent(events_1.Events.EVENT_ROW_SELECTED, event); } }; RowNode.prototype.selectChildNodes = function (newValue) { for (var i = 0; i < this.childrenAfterGroup.length; i++) { this.childrenAfterGroup[i].setSelectedParams({ newValue: newValue, clearSelection: false, tailingNodeInSequence: true }); } }; RowNode.prototype.addEventListener = function (eventType, listener) { if (!this.eventService) { this.eventService = new eventService_1.EventService(); } this.eventService.addEventListener(eventType, listener); }; RowNode.prototype.removeEventListener = function (eventType, listener) { this.eventService.removeEventListener(eventType, listener); }; RowNode.prototype.onMouseEnter = function () { this.dispatchLocalEvent(RowNode.EVENT_MOUSE_ENTER); }; RowNode.prototype.onMouseLeave = function () { this.dispatchLocalEvent(RowNode.EVENT_MOUSE_LEAVE); }; RowNode.EVENT_ROW_SELECTED = 'rowSelected'; RowNode.EVENT_DATA_CHANGED = 'dataChanged'; RowNode.EVENT_CELL_CHANGED = 'cellChanged'; RowNode.EVENT_MOUSE_ENTER = 'mouseEnter'; RowNode.EVENT_MOUSE_LEAVE = 'mouseLeave'; __decorate([ context_1.Autowired('eventService'), __metadata('design:type', eventService_1.EventService) ], RowNode.prototype, "mainEventService", void 0); __decorate([ context_1.Autowired('gridOptionsWrapper'), __metadata('design:type', gridOptionsWrapper_1.GridOptionsWrapper) ], RowNode.prototype, "gridOptionsWrapper", void 0); __decorate([ context_1.Autowired('selectionController'), __metadata('design:type', selectionController_1.SelectionController) ], RowNode.prototype, "selectionController", void 0); __decorate([ context_1.Autowired('columnController'), __metadata('design:type', columnController_1.ColumnController) ], RowNode.prototype, "columnController", void 0); __decorate([ context_1.Autowired('valueService'), __metadata('design:type', valueService_1.ValueService) ], RowNode.prototype, "valueService", void 0); __decorate([ context_1.Autowired('rowModel'), __metadata('design:type', Object) ], RowNode.prototype, "rowModel", void 0); return RowNode; })(); exports.RowNode = RowNode; /***/ }, /* 28 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __metadata = (this && this.__metadata) || function (k, v) { if (typeof Reflect === "object" && typeof Reflect.metadata === "function") return Reflect.metadata(k, v); }; var __param = (this && this.__param) || function (paramIndex, decorator) { return function (target, key) { decorator(target, key, paramIndex); } }; var utils_1 = __webpack_require__(7); var context_1 = __webpack_require__(6); var context_2 = __webpack_require__(6); var logger_1 = __webpack_require__(5); var eventService_1 = __webpack_require__(4); var events_1 = __webpack_require__(10); var context_3 = __webpack_require__(6); var gridOptionsWrapper_1 = __webpack_require__(3); var context_4 = __webpack_require__(6); var constants_1 = __webpack_require__(8); var SelectionController = (function () { function SelectionController() { } SelectionController.prototype.setBeans = function (loggerFactory) { this.logger = loggerFactory.create('SelectionController'); this.reset(); if (this.gridOptionsWrapper.isRowModelDefault()) { this.eventService.addEventListener(events_1.Events.EVENT_ROW_DATA_CHANGED, this.reset.bind(this)); } else { this.logger.log('dont know what to do here'); } }; SelectionController.prototype.init = function () { this.groupSelectsChildren = this.gridOptionsWrapper.isGroupSelectsChildren(); this.eventService.addEventListener(events_1.Events.EVENT_ROW_SELECTED, this.onRowSelected.bind(this)); }; SelectionController.prototype.setLastSelectedNode = function (rowNode) { this.lastSelectedNode = rowNode; }; SelectionController.prototype.getLastSelectedNode = function () { return this.lastSelectedNode; }; SelectionController.prototype.getSelectedNodes = function () { var selectedNodes = []; utils_1.Utils.iterateObject(this.selectedNodes, function (key, rowNode) { if (rowNode) { selectedNodes.push(rowNode); } }); return selectedNodes; }; SelectionController.prototype.getSelectedRows = function () { var selectedRows = []; utils_1.Utils.iterateObject(this.selectedNodes, function (key, rowNode) { if (rowNode) { selectedRows.push(rowNode.data); } }); return selectedRows; }; SelectionController.prototype.removeGroupsFromSelection = function () { var _this = this; utils_1.Utils.iterateObject(this.selectedNodes, function (key, rowNode) { if (rowNode && rowNode.group) { _this.selectedNodes[rowNode.id] = undefined; } }); }; // should only be called if groupSelectsChildren=true SelectionController.prototype.updateGroupsFromChildrenSelections = function () { if (this.rowModel.getType() !== constants_1.Constants.ROW_MODEL_TYPE_NORMAL) { console.warn('updateGroupsFromChildrenSelections not available when rowModel is not normal'); } var inMemoryRowModel = this.rowModel; inMemoryRowModel.getTopLevelNodes().forEach(function (rowNode) { rowNode.deptFirstSearch(function (rowNode) { if (rowNode.group) { rowNode.calculateSelectedFromChildren(); } }); }); }; SelectionController.prototype.getNodeForIdIfSelected = function (id) { return this.selectedNodes[id]; }; SelectionController.prototype.clearOtherNodes = function (rowNodeToKeepSelected) { var _this = this; var groupsToRefresh = {}; utils_1.Utils.iterateObject(this.selectedNodes, function (key, otherRowNode) { if (otherRowNode && otherRowNode.id !== rowNodeToKeepSelected.id) { _this.selectedNodes[otherRowNode.id].setSelectedParams({ newValue: false, clearSelection: false, tailingNodeInSequence: true }); if (_this.groupSelectsChildren && otherRowNode.parent) { groupsToRefresh[otherRowNode.parent.id] = otherRowNode.parent; } } }); utils_1.Utils.iterateObject(groupsToRefresh, function (key, group) { group.calculateSelectedFromChildren(); }); }; SelectionController.prototype.onRowSelected = function (event) { var rowNode = event.node; // we do not store the group rows when the groups select children if (this.groupSelectsChildren && rowNode.group) { return; } if (rowNode.isSelected()) { this.selectedNodes[rowNode.id] = rowNode; } else { this.selectedNodes[rowNode.id] = undefined; } }; SelectionController.prototype.syncInRowNode = function (rowNode) { if (this.selectedNodes[rowNode.id] !== undefined) { rowNode.setSelectedInitialValue(true); this.selectedNodes[rowNode.id] = rowNode; } }; SelectionController.prototype.reset = function () { this.logger.log('reset'); this.selectedNodes = {}; this.lastSelectedNode = null; }; // returns a list of all nodes at 'best cost' - a feature to be used // with groups / trees. if a group has all it's children selected, // then the group appears in the result, but not the children. // Designed for use with 'children' as the group selection type, // where groups don't actually appear in the selection normally. SelectionController.prototype.getBestCostNodeSelection = function () { if (this.rowModel.getType() !== constants_1.Constants.ROW_MODEL_TYPE_NORMAL) { console.warn('getBestCostNodeSelection is only avilable when using normal row model'); } var inMemoryRowModel = this.rowModel; var topLevelNodes = inMemoryRowModel.getTopLevelNodes(); if (topLevelNodes === null) { console.warn('selectAll not available doing rowModel=virtual'); return; } var result = []; // recursive function, to find the selected nodes function traverse(nodes) { for (var i = 0, l = nodes.length; i < l; i++) { var node = nodes[i]; if (node.isSelected()) { result.push(node); } else { // if not selected, then if it's a group, and the group // has children, continue to search for selections if (node.group && node.children) { traverse(node.children); } } } } traverse(topLevelNodes); return result; }; SelectionController.prototype.setRowModel = function (rowModel) { this.rowModel = rowModel; }; SelectionController.prototype.isEmpty = function () { var count = 0; utils_1.Utils.iterateObject(this.selectedNodes, function (nodeId, rowNode) { if (rowNode) { count++; } }); return count === 0; }; SelectionController.prototype.deselectAllRowNodes = function () { utils_1.Utils.iterateObject(this.selectedNodes, function (nodeId, rowNode) { if (rowNode) { rowNode.selectThisNode(false); } }); // we should not have to do this, as deselecting the nodes fires events // that we pick up, however it's good to clean it down, as we are still // left with entries pointing to 'undefined' this.selectedNodes = {}; this.eventService.dispatchEvent(events_1.Events.EVENT_SELECTION_CHANGED); }; SelectionController.prototype.selectAllRowNodes = function () { if (this.rowModel.getType() !== constants_1.Constants.ROW_MODEL_TYPE_NORMAL) { throw 'selectAll only available with norma row model, ie not virtual pagination'; } this.rowModel.forEachNode(function (rowNode) { rowNode.setSelectedParams({ newValue: true, clearSelection: false, tailingNodeInSequence: true }); }); this.eventService.dispatchEvent(events_1.Events.EVENT_SELECTION_CHANGED); }; // Deprecated method SelectionController.prototype.selectNode = function (rowNode, tryMulti) { rowNode.setSelectedParams({ newValue: true, clearSelection: !tryMulti }); }; // Deprecated method SelectionController.prototype.deselectIndex = function (rowIndex) { var node = this.rowModel.getRow(rowIndex); this.deselectNode(node); }; // Deprecated method SelectionController.prototype.deselectNode = function (rowNode) { rowNode.setSelectedParams({ newValue: false, clearSelection: false }); }; // Deprecated method SelectionController.prototype.selectIndex = function (index, tryMulti) { var node = this.rowModel.getRow(index); this.selectNode(node, tryMulti); }; __decorate([ context_3.Autowired('eventService'), __metadata('design:type', eventService_1.EventService) ], SelectionController.prototype, "eventService", void 0); __decorate([ context_3.Autowired('rowModel'), __metadata('design:type', Object) ], SelectionController.prototype, "rowModel", void 0); __decorate([ context_3.Autowired('gridOptionsWrapper'), __metadata('design:type', gridOptionsWrapper_1.GridOptionsWrapper) ], SelectionController.prototype, "gridOptionsWrapper", void 0); __decorate([ __param(0, context_2.Qualifier('loggerFactory')), __metadata('design:type', Function), __metadata('design:paramtypes', [logger_1.LoggerFactory]), __metadata('design:returntype', void 0) ], SelectionController.prototype, "setBeans", null); __decorate([ context_4.PostConstruct, __metadata('design:type', Function), __metadata('design:paramtypes', []), __metadata('design:returntype', void 0) ], SelectionController.prototype, "init", null); SelectionController = __decorate([ context_1.Bean('selectionController'), __metadata('design:paramtypes', []) ], SelectionController); return SelectionController; })(); exports.SelectionController = SelectionController; /***/ }, /* 29 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __metadata = (this && this.__metadata) || function (k, v) { if (typeof Reflect === "object" && typeof Reflect.metadata === "function") return Reflect.metadata(k, v); }; var gridOptionsWrapper_1 = __webpack_require__(3); var expressionService_1 = __webpack_require__(18); var columnController_1 = __webpack_require__(13); var context_1 = __webpack_require__(6); var context_2 = __webpack_require__(6); var context_3 = __webpack_require__(6); var utils_1 = __webpack_require__(7); var events_1 = __webpack_require__(10); var eventService_1 = __webpack_require__(4); var ValueService = (function () { function ValueService() { this.initialised = false; } ValueService.prototype.init = function () { this.suppressDotNotation = this.gridOptionsWrapper.isSuppressFieldDotNotation(); this.cellExpressions = this.gridOptionsWrapper.isEnableCellExpressions(); this.userProvidedTheGroups = utils_1.Utils.exists(this.gridOptionsWrapper.getNodeChildDetailsFunc()); this.initialised = true; }; ValueService.prototype.getValue = function (column, node) { return this.getValueUsingSpecificData(column, node.data, node); }; ValueService.prototype.getValueUsingSpecificData = function (column, data, node) { // hack - the grid is getting refreshed before this bean gets initialised, race condition. // really should have a way so they get initialised in the right order??? if (!this.initialised) { this.init(); } var colDef = column.getColDef(); var field = colDef.field; var result; // if there is a value getter, this gets precedence over a field // - need to revisit this, we check 'data' as this is the way for the grid to // not render when on the footer row if (data && node.group && !this.userProvidedTheGroups) { result = node.data ? node.data[column.getId()] : undefined; } else if (colDef.valueGetter) { result = this.executeValueGetter(colDef.valueGetter, data, column, node); } else if (field && data) { result = this.getValueUsingField(data, field, column.isFieldContainsDots()); } else { result = undefined; } // the result could be an expression itself, if we are allowing cell values to be expressions if (this.cellExpressions && (typeof result === 'string') && result.indexOf('=') === 0) { var cellValueGetter = result.substring(1); result = this.executeValueGetter(cellValueGetter, data, column, node); } return result; }; ValueService.prototype.getValueUsingField = function (data, field, fieldContainsDots) { if (!field || !data) { return; } // if no '.', then it's not a deep value if (!fieldContainsDots) { return data[field]; } else { // otherwise it is a deep value, so need to dig for it var fields = field.split('.'); var currentObject = data; for (var i = 0; i < fields.length; i++) { currentObject = currentObject[fields[i]]; if (utils_1.Utils.missing(currentObject)) { return null; } } return currentObject; } }; ValueService.prototype.setValue = function (rowNode, colKey, newValue) { var column = this.columnController.getOriginalColumn(colKey); if (!rowNode || !column) { return; } // this will only happen if user is trying to paste into a group row, which doesn't make sense // the user should not be trying to paste into group rows var data = rowNode.data; if (utils_1.Utils.missing(data)) { return; } var field = column.getColDef().field; var newValueHandler = column.getColDef().newValueHandler; // need either a field or a newValueHandler for this to work if (utils_1.Utils.missing(field) && utils_1.Utils.missing(newValueHandler)) { return; } var paramsForCallbacks = { node: rowNode, data: rowNode.data, oldValue: this.getValue(column, rowNode), newValue: newValue, colDef: column.getColDef(), api: this.gridOptionsWrapper.getApi(), context: this.gridOptionsWrapper.getContext() }; if (newValueHandler) { newValueHandler(paramsForCallbacks); } else { this.setValueUsingField(data, field, newValue, column.isFieldContainsDots()); } // reset quick filter on this row rowNode.resetQuickFilterAggregateText(); paramsForCallbacks.newValue = this.getValue(column, rowNode); if (typeof column.getColDef().onCellValueChanged === 'function') { column.getColDef().onCellValueChanged(paramsForCallbacks); } this.eventService.dispatchEvent(events_1.Events.EVENT_CELL_VALUE_CHANGED, paramsForCallbacks); }; ValueService.prototype.setValueUsingField = function (data, field, newValue, isFieldContainsDots) { // if no '.', then it's not a deep value if (!isFieldContainsDots) { data[field] = newValue; } else { // otherwise it is a deep value, so need to dig for it var fieldPieces = field.split('.'); var currentObject = data; while (fieldPieces.length > 0 && currentObject) { var fieldPiece = fieldPieces.shift(); if (fieldPieces.length === 0) { currentObject[fieldPiece] = newValue; } else { currentObject = currentObject[fieldPiece]; } } } }; ValueService.prototype.executeValueGetter = function (valueGetter, data, column, node) { var context = this.gridOptionsWrapper.getContext(); var api = this.gridOptionsWrapper.getApi(); var params = { data: data, node: node, colDef: column.getColDef(), api: api, context: context, getValue: this.getValueCallback.bind(this, data, node) }; if (typeof valueGetter === 'function') { // valueGetter is a function, so just call it return valueGetter(params); } else if (typeof valueGetter === 'string') { // valueGetter is an expression, so execute the expression return this.expressionService.evaluate(valueGetter, params); } }; ValueService.prototype.getValueCallback = function (data, node, field) { var otherColumn = this.columnController.getOriginalColumn(field); if (otherColumn) { return this.getValueUsingSpecificData(otherColumn, data, node); } else { return null; } }; __decorate([ context_2.Autowired('gridOptionsWrapper'), __metadata('design:type', gridOptionsWrapper_1.GridOptionsWrapper) ], ValueService.prototype, "gridOptionsWrapper", void 0); __decorate([ context_2.Autowired('expressionService'), __metadata('design:type', expressionService_1.ExpressionService) ], ValueService.prototype, "expressionService", void 0); __decorate([ context_2.Autowired('columnController'), __metadata('design:type', columnController_1.ColumnController) ], ValueService.prototype, "columnController", void 0); __decorate([ context_2.Autowired('eventService'), __metadata('design:type', eventService_1.EventService) ], ValueService.prototype, "eventService", void 0); __decorate([ context_3.PostConstruct, __metadata('design:type', Function), __metadata('design:paramtypes', []), __metadata('design:returntype', void 0) ], ValueService.prototype, "init", null); ValueService = __decorate([ context_1.Bean('valueService'), __metadata('design:paramtypes', []) ], ValueService); return ValueService; })(); exports.ValueService = ValueService; /***/ }, /* 30 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var utils_1 = __webpack_require__(7); var BorderLayout = (function () { function BorderLayout(params) { this.sizeChangeListeners = []; this.isLayoutPanel = true; this.fullHeight = !params.north && !params.south; var template; if (!params.dontFill) { if (this.fullHeight) { template = '<div style="height: 100%; overflow: auto; position: relative;">' + '<div id="west" style="height: 100%; float: left;"></div>' + '<div id="east" style="height: 100%; float: right;"></div>' + '<div id="center" style="height: 100%;"></div>' + '<div id="overlay" style="pointer-events: none; position: absolute; height: 100%; width: 100%; top: 0px; left: 0px;"></div>' + '</div>'; } else { template = '<div style="height: 100%; position: relative;">' + '<div id="north"></div>' + '<div id="centerRow" style="height: 100%; overflow: hidden;">' + '<div id="west" style="height: 100%; float: left;"></div>' + '<div id="east" style="height: 100%; float: right;"></div>' + '<div id="center" style="height: 100%;"></div>' + '</div>' + '<div id="south"></div>' + '<div id="overlay" style="pointer-events: none; position: absolute; height: 100%; width: 100%; top: 0px; left: 0px;"></div>' + '</div>'; } this.layoutActive = true; } else { template = '<div style="position: relative;">' + '<div id="north"></div>' + '<div id="centerRow">' + '<div id="west"></div>' + '<div id="east"></div>' + '<div id="center"></div>' + '</div>' + '<div id="south"></div>' + '<div id="overlay" style="pointer-events: none; position: absolute; height: 100%; width: 100%; top: 0px; left: 0px;"></div>' + '</div>'; this.layoutActive = false; } this.eGui = utils_1.Utils.loadTemplate(template); this.id = 'borderLayout'; if (params.name) { this.id += '_' + params.name; } this.eGui.setAttribute('id', this.id); this.childPanels = []; if (params) { this.setupPanels(params); } this.overlays = params.overlays; this.setupOverlays(); } BorderLayout.prototype.addSizeChangeListener = function (listener) { this.sizeChangeListeners.push(listener); }; BorderLayout.prototype.fireSizeChanged = function () { this.sizeChangeListeners.forEach(function (listener) { listener(); }); }; BorderLayout.prototype.setupPanels = function (params) { this.eNorthWrapper = this.eGui.querySelector('#north'); this.eSouthWrapper = this.eGui.querySelector('#south'); this.eEastWrapper = this.eGui.querySelector('#east'); this.eWestWrapper = this.eGui.querySelector('#west'); this.eCenterWrapper = this.eGui.querySelector('#center'); this.eOverlayWrapper = this.eGui.querySelector('#overlay'); this.eCenterRow = this.eGui.querySelector('#centerRow'); this.eNorthChildLayout = this.setupPanel(params.north, this.eNorthWrapper); this.eSouthChildLayout = this.setupPanel(params.south, this.eSouthWrapper); this.eEastChildLayout = this.setupPanel(params.east, this.eEastWrapper); this.eWestChildLayout = this.setupPanel(params.west, this.eWestWrapper); this.eCenterChildLayout = this.setupPanel(params.center, this.eCenterWrapper); }; BorderLayout.prototype.setupPanel = function (content, ePanel) { if (!ePanel) { return; } if (content) { if (content.isLayoutPanel) { this.childPanels.push(content); ePanel.appendChild(content.getGui()); return content; } else { ePanel.appendChild(content); return null; } } else { ePanel.parentNode.removeChild(ePanel); return null; } }; BorderLayout.prototype.getGui = function () { return this.eGui; }; // returns true if any item changed size, otherwise returns false BorderLayout.prototype.doLayout = function () { if (!utils_1.Utils.isVisible(this.eGui)) { return false; } var atLeastOneChanged = false; var childLayouts = [this.eNorthChildLayout, this.eSouthChildLayout, this.eEastChildLayout, this.eWestChildLayout]; var that = this; utils_1.Utils.forEach(childLayouts, function (childLayout) { var childChangedSize = that.layoutChild(childLayout); if (childChangedSize) { atLeastOneChanged = true; } }); if (this.layoutActive) { var ourHeightChanged = this.layoutHeight(); var ourWidthChanged = this.layoutWidth(); if (ourHeightChanged || ourWidthChanged) { atLeastOneChanged = true; } } var centerChanged = this.layoutChild(this.eCenterChildLayout); if (centerChanged) { atLeastOneChanged = true; } if (atLeastOneChanged) { this.fireSizeChanged(); } return atLeastOneChanged; }; BorderLayout.prototype.layoutChild = function (childPanel) { if (childPanel) { return childPanel.doLayout(); } else { return false; } }; BorderLayout.prototype.layoutHeight = function () { if (this.fullHeight) { return this.layoutHeightFullHeight(); } else { return this.layoutHeightNormal(); } }; // full height never changes the height, because the center is always 100%, // however we do check for change, to inform the listeners BorderLayout.prototype.layoutHeightFullHeight = function () { var centerHeight = utils_1.Utils.offsetHeight(this.eGui); if (centerHeight < 0) { centerHeight = 0; } if (this.centerHeightLastTime !== centerHeight) { this.centerHeightLastTime = centerHeight; return true; } else { return false; } }; BorderLayout.prototype.layoutHeightNormal = function () { var totalHeight = utils_1.Utils.offsetHeight(this.eGui); var northHeight = utils_1.Utils.offsetHeight(this.eNorthWrapper); var southHeight = utils_1.Utils.offsetHeight(this.eSouthWrapper); var centerHeight = totalHeight - northHeight - southHeight; if (centerHeight < 0) { centerHeight = 0; } if (this.centerHeightLastTime !== centerHeight) { this.eCenterRow.style.height = centerHeight + 'px'; this.centerHeightLastTime = centerHeight; return true; // return true because there was a change } else { return false; } }; BorderLayout.prototype.getCentreHeight = function () { return this.centerHeightLastTime; }; BorderLayout.prototype.layoutWidth = function () { var totalWidth = utils_1.Utils.offsetWidth(this.eGui); var eastWidth = utils_1.Utils.offsetWidth(this.eEastWrapper); var westWidth = utils_1.Utils.offsetWidth(this.eWestWrapper); var centerWidth = totalWidth - eastWidth - westWidth; if (centerWidth < 0) { centerWidth = 0; } if (this.centerWidthLastTime !== centerWidth) { this.centerWidthLastTime = centerWidth; this.eCenterWrapper.style.width = centerWidth + 'px'; return true; // return true because there was a change } else { return false; } }; BorderLayout.prototype.setEastVisible = function (visible) { if (this.eEastWrapper) { this.eEastWrapper.style.display = visible ? '' : 'none'; } this.doLayout(); }; BorderLayout.prototype.setNorthVisible = function (visible) { if (this.eNorthWrapper) { this.eNorthWrapper.style.display = visible ? '' : 'none'; } this.doLayout(); }; BorderLayout.prototype.setupOverlays = function () { // if no overlays, just remove the panel if (!this.overlays) { this.eOverlayWrapper.parentNode.removeChild(this.eOverlayWrapper); return; } this.hideOverlay(); // //this.setOverlayVisible(false); }; BorderLayout.prototype.hideOverlay = function () { utils_1.Utils.removeAllChildren(this.eOverlayWrapper); this.eOverlayWrapper.style.display = 'none'; }; BorderLayout.prototype.showOverlay = function (key) { var overlay = this.overlays ? this.overlays[key] : null; if (overlay) { utils_1.Utils.removeAllChildren(this.eOverlayWrapper); this.eOverlayWrapper.style.display = ''; this.eOverlayWrapper.appendChild(overlay); } else { console.log('ag-Grid: unknown overlay'); this.hideOverlay(); } }; BorderLayout.prototype.setSouthVisible = function (visible) { if (this.eSouthWrapper) { this.eSouthWrapper.style.display = visible ? '' : 'none'; } this.doLayout(); }; return BorderLayout; })(); exports.BorderLayout = BorderLayout; /***/ }, /* 31 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __metadata = (this && this.__metadata) || function (k, v) { if (typeof Reflect === "object" && typeof Reflect.metadata === "function") return Reflect.metadata(k, v); }; var context_1 = __webpack_require__(6); var context_2 = __webpack_require__(6); var logger_1 = __webpack_require__(5); var context_3 = __webpack_require__(6); var utils_1 = __webpack_require__(7); /** Adds drag listening onto an element. In ag-Grid this is used twice, first is resizing columns, * second is moving the columns and column groups around (ie the 'drag' part of Drag and Drop. */ var DragService = (function () { function DragService() { this.onMouseUpListener = this.onMouseUp.bind(this); this.onMouseMoveListener = this.onMouseMove.bind(this); this.destroyFunctions = []; } DragService.prototype.init = function () { this.logger = this.loggerFactory.create('DragService'); }; DragService.prototype.destroy = function () { this.destroyFunctions.forEach(function (func) { return func(); }); }; DragService.prototype.addDragSource = function (params) { var listener = this.onMouseDown.bind(this, params); params.eElement.addEventListener('mousedown', listener); this.destroyFunctions.push(function () { return params.eElement.removeEventListener('mousedown', listener); }); }; // gets called whenever mouse down on any drag source DragService.prototype.onMouseDown = function (params, mouseEvent) { // only interested in left button clicks if (mouseEvent.button !== 0) { return; } this.currentDragParams = params; this.dragging = false; this.eventLastTime = mouseEvent; this.dragStartEvent = mouseEvent; // we temporally add these listeners, for the duration of the drag, they // are removed in mouseup handling. document.addEventListener('mousemove', this.onMouseMoveListener); document.addEventListener('mouseup', this.onMouseUpListener); // see if we want to start dragging straight away if (params.dragStartPixels === 0) { this.onMouseMove(mouseEvent); } }; // returns true if the event is close to the original event by X pixels either vertically or horizontally. // we only start dragging after X pixels so this allows us to know if we should start dragging yet. DragService.prototype.isEventNearStartEvent = function (event) { // by default, we wait 4 pixels before starting the drag var requiredPixelDiff = utils_1.Utils.exists(this.currentDragParams.dragStartPixels) ? this.currentDragParams.dragStartPixels : 4; if (requiredPixelDiff === 0) { return false; } var diffX = Math.abs(event.clientX - this.dragStartEvent.clientX); var diffY = Math.abs(event.clientY - this.dragStartEvent.clientY); return Math.max(diffX, diffY) <= requiredPixelDiff; }; // only gets called after a mouse down - as this is only added after mouseDown // and is removed when mouseUp happens DragService.prototype.onMouseMove = function (mouseEvent) { if (!this.dragging) { // if mouse hasn't travelled from the start position enough, do nothing var toEarlyToDrag = !this.dragging && this.isEventNearStartEvent(mouseEvent); if (toEarlyToDrag) { return; } else { this.dragging = true; this.currentDragParams.onDragStart(this.dragStartEvent); } } this.currentDragParams.onDragging(mouseEvent); }; DragService.prototype.onMouseUp = function (mouseEvent) { document.removeEventListener('mouseup', this.onMouseUpListener); document.removeEventListener('mousemove', this.onMouseMoveListener); if (this.dragging) { this.currentDragParams.onDragStop(mouseEvent); } this.dragStartEvent = null; this.eventLastTime = null; this.dragging = false; }; __decorate([ context_2.Autowired('loggerFactory'), __metadata('design:type', logger_1.LoggerFactory) ], DragService.prototype, "loggerFactory", void 0); __decorate([ context_3.PostConstruct, __metadata('design:type', Function), __metadata('design:paramtypes', []), __metadata('design:returntype', void 0) ], DragService.prototype, "init", null); __decorate([ context_1.PreDestroy, __metadata('design:type', Function), __metadata('design:paramtypes', []), __metadata('design:returntype', void 0) ], DragService.prototype, "destroy", null); DragService = __decorate([ context_1.Bean('dragService'), __metadata('design:paramtypes', []) ], DragService); return DragService; })(); exports.DragService = DragService; /***/ }, /* 32 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __metadata = (this && this.__metadata) || function (k, v) { if (typeof Reflect === "object" && typeof Reflect.metadata === "function") return Reflect.metadata(k, v); }; var context_1 = __webpack_require__(6); var context_2 = __webpack_require__(6); var gridPanel_1 = __webpack_require__(24); var columnController_1 = __webpack_require__(13); var column_1 = __webpack_require__(15); var constants_1 = __webpack_require__(8); var floatingRowModel_1 = __webpack_require__(26); var utils_1 = __webpack_require__(7); var gridCell_1 = __webpack_require__(33); var gridOptionsWrapper_1 = __webpack_require__(3); var MouseEventService = (function () { function MouseEventService() { } MouseEventService.prototype.getCellForMouseEvent = function (mouseEvent) { var floating = this.getFloating(mouseEvent); var rowIndex = this.getRowIndex(mouseEvent, floating); var column = this.getColumn(mouseEvent); if (rowIndex >= 0 && utils_1.Utils.exists(column)) { return new gridCell_1.GridCell(rowIndex, floating, column); } else { return null; } }; MouseEventService.prototype.getFloating = function (mouseEvent) { var floatingTopRect = this.gridPanel.getFloatingTopClientRect(); var floatingBottomRect = this.gridPanel.getFloatingBottomClientRect(); var floatingTopRowsExist = !this.floatingRowModel.isEmpty(constants_1.Constants.FLOATING_TOP); var floatingBottomRowsExist = !this.floatingRowModel.isEmpty(constants_1.Constants.FLOATING_BOTTOM); if (floatingTopRowsExist && floatingTopRect.bottom >= mouseEvent.clientY) { return constants_1.Constants.FLOATING_TOP; } else if (floatingBottomRowsExist && floatingBottomRect.top <= mouseEvent.clientY) { return constants_1.Constants.FLOATING_BOTTOM; } else { return null; } }; MouseEventService.prototype.getFloatingRowIndex = function (mouseEvent, floating) { var clientRect; switch (floating) { case constants_1.Constants.FLOATING_TOP: clientRect = this.gridPanel.getFloatingTopClientRect(); break; case constants_1.Constants.FLOATING_BOTTOM: clientRect = this.gridPanel.getFloatingBottomClientRect(); break; } var bodyY = mouseEvent.clientY - clientRect.top; var rowIndex = this.floatingRowModel.getRowAtPixel(bodyY, floating); return rowIndex; }; MouseEventService.prototype.getRowIndex = function (mouseEvent, floating) { switch (floating) { case constants_1.Constants.FLOATING_TOP: case constants_1.Constants.FLOATING_BOTTOM: return this.getFloatingRowIndex(mouseEvent, floating); default: return this.getBodyRowIndex(mouseEvent); } }; MouseEventService.prototype.getBodyRowIndex = function (mouseEvent) { var clientRect = this.gridPanel.getBodyViewportClientRect(); var scrollY = this.gridPanel.getVerticalScrollPosition(); var bodyY = mouseEvent.clientY - clientRect.top + scrollY; var rowIndex = this.rowModel.getRowIndexAtPixel(bodyY); return rowIndex; }; MouseEventService.prototype.getContainer = function (mouseEvent) { var centerRect = this.gridPanel.getBodyViewportClientRect(); var mouseX = mouseEvent.clientX; if (mouseX < centerRect.left && this.columnController.isPinningLeft()) { return column_1.Column.PINNED_LEFT; } else if (mouseX > centerRect.right && this.columnController.isPinningRight()) { return column_1.Column.PINNED_RIGHT; } else { return null; } }; MouseEventService.prototype.getColumn = function (mouseEvent) { if (this.columnController.isEmpty()) { return null; } var container = this.getContainer(mouseEvent); var columns = this.getColumnsForContainer(container); var containerX = this.getXForContainer(container, mouseEvent); var hoveringColumn; if (containerX < 0) { hoveringColumn = columns[0]; } columns.forEach(function (column) { var afterLeft = containerX >= column.getLeft(); var beforeRight = containerX <= column.getRight(); if (afterLeft && beforeRight) { hoveringColumn = column; } }); if (!hoveringColumn) { hoveringColumn = columns[columns.length - 1]; } return hoveringColumn; }; MouseEventService.prototype.getColumnsForContainer = function (container) { switch (container) { case column_1.Column.PINNED_LEFT: return this.columnController.getDisplayedLeftColumns(); case column_1.Column.PINNED_RIGHT: return this.columnController.getDisplayedRightColumns(); default: return this.columnController.getDisplayedCenterColumns(); } }; MouseEventService.prototype.getXForContainer = function (container, mouseEvent) { var containerX; switch (container) { case column_1.Column.PINNED_LEFT: containerX = this.gridPanel.getPinnedLeftColsViewportClientRect().left; break; case column_1.Column.PINNED_RIGHT: containerX = this.gridPanel.getPinnedRightColsViewportClientRect().left; break; default: var centerRect = this.gridPanel.getBodyViewportClientRect(); var centerScroll = this.gridPanel.getHorizontalScrollPosition(); containerX = centerRect.left - centerScroll; } var result = mouseEvent.clientX - containerX; return result; }; __decorate([ context_2.Autowired('gridPanel'), __metadata('design:type', gridPanel_1.GridPanel) ], MouseEventService.prototype, "gridPanel", void 0); __decorate([ context_2.Autowired('columnController'), __metadata('design:type', columnController_1.ColumnController) ], MouseEventService.prototype, "columnController", void 0); __decorate([ context_2.Autowired('rowModel'), __metadata('design:type', Object) ], MouseEventService.prototype, "rowModel", void 0); __decorate([ context_2.Autowired('floatingRowModel'), __metadata('design:type', floatingRowModel_1.FloatingRowModel) ], MouseEventService.prototype, "floatingRowModel", void 0); __decorate([ context_2.Autowired('gridOptionsWrapper'), __metadata('design:type', gridOptionsWrapper_1.GridOptionsWrapper) ], MouseEventService.prototype, "gridOptionsWrapper", void 0); MouseEventService = __decorate([ context_1.Bean('mouseEventService'), __metadata('design:paramtypes', []) ], MouseEventService); return MouseEventService; })(); exports.MouseEventService = MouseEventService; /***/ }, /* 33 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var utils_1 = __webpack_require__(7); var gridRow_1 = __webpack_require__(34); var GridCell = (function () { function GridCell(rowIndex, floating, column) { this.rowIndex = rowIndex; this.column = column; this.floating = utils_1.Utils.makeNull(floating); } GridCell.prototype.getGridRow = function () { return new gridRow_1.GridRow(this.rowIndex, this.floating); }; GridCell.prototype.toString = function () { return "rowIndex = " + this.rowIndex + ", floating = " + this.floating + ", column = " + (this.column ? this.column.getId() : null); }; GridCell.prototype.createId = function () { return this.rowIndex + "." + this.floating + "." + this.column.getId(); }; return GridCell; })(); exports.GridCell = GridCell; /***/ }, /* 34 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var constants_1 = __webpack_require__(8); var utils_1 = __webpack_require__(7); var gridCell_1 = __webpack_require__(33); var GridRow = (function () { function GridRow(rowIndex, floating) { this.rowIndex = rowIndex; this.floating = utils_1.Utils.makeNull(floating); } GridRow.prototype.isFloatingTop = function () { return this.floating === constants_1.Constants.FLOATING_TOP; }; GridRow.prototype.isFloatingBottom = function () { return this.floating === constants_1.Constants.FLOATING_BOTTOM; }; GridRow.prototype.isNotFloating = function () { return !this.isFloatingBottom() && !this.isFloatingTop(); }; GridRow.prototype.equals = function (otherSelection) { return this.rowIndex === otherSelection.rowIndex && this.floating === otherSelection.floating; }; GridRow.prototype.toString = function () { return "rowIndex = " + this.rowIndex + ", floating = " + this.floating; }; GridRow.prototype.getGridCell = function (column) { return new gridCell_1.GridCell(this.rowIndex, this.floating, column); }; // tests if this row selection is before the other row selection GridRow.prototype.before = function (otherSelection) { var otherFloating = otherSelection.floating; switch (this.floating) { case constants_1.Constants.FLOATING_TOP: // we we are floating top, and other isn't, then we are always before if (otherFloating !== constants_1.Constants.FLOATING_TOP) { return true; } break; case constants_1.Constants.FLOATING_BOTTOM: // if we are floating bottom, and the other isn't, then we are never before if (otherFloating !== constants_1.Constants.FLOATING_BOTTOM) { return false; } break; default: // if we are not floating, but the other one is floating... if (utils_1.Utils.exists(otherFloating)) { if (otherFloating === constants_1.Constants.FLOATING_TOP) { // we are not floating, other is floating top, we are first return false; } else { // we are not floating, other is floating bottom, we are always first return true; } } break; } return this.rowIndex <= otherSelection.rowIndex; }; return GridRow; })(); exports.GridRow = GridRow; /***/ }, /* 35 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __metadata = (this && this.__metadata) || function (k, v) { if (typeof Reflect === "object" && typeof Reflect.metadata === "function") return Reflect.metadata(k, v); }; var context_1 = __webpack_require__(6); var eventService_1 = __webpack_require__(4); var events_1 = __webpack_require__(10); var gridOptionsWrapper_1 = __webpack_require__(3); var columnController_1 = __webpack_require__(13); var utils_1 = __webpack_require__(7); var gridCell_1 = __webpack_require__(33); var constants_1 = __webpack_require__(8); var FocusedCellController = (function () { function FocusedCellController() { } FocusedCellController.prototype.init = function () { this.eventService.addEventListener(events_1.Events.EVENT_COLUMN_EVERYTHING_CHANGED, this.clearFocusedCell.bind(this)); this.eventService.addEventListener(events_1.Events.EVENT_COLUMN_GROUP_OPENED, this.clearFocusedCell.bind(this)); this.eventService.addEventListener(events_1.Events.EVENT_COLUMN_MOVED, this.clearFocusedCell.bind(this)); this.eventService.addEventListener(events_1.Events.EVENT_COLUMN_PINNED, this.clearFocusedCell.bind(this)); this.eventService.addEventListener(events_1.Events.EVENT_COLUMN_ROW_GROUP_CHANGED, this.clearFocusedCell.bind(this)); this.eventService.addEventListener(events_1.Events.EVENT_COLUMN_VISIBLE, this.clearFocusedCell.bind(this)); //this.eventService.addEventListener(Events.EVENT_COLUMN_VISIBLE, this.clearFocusedCell.bind(this)); }; FocusedCellController.prototype.clearFocusedCell = function () { this.focusedCell = null; this.onCellFocused(false); }; FocusedCellController.prototype.getFocusedCell = function () { return this.focusedCell; }; // we check if the browser is focusing something, and if it is, and // it's the cell we think is focused, then return the cell. so this // methods returns the cell if a) we think it has focus and b) the // browser thinks it has focus. this then returns nothign if we // first focus a cell, then second click outside the grid, as then the // grid cell will still be focused as far as the grid is conerned, // however the browser focus will have moved somewhere else. FocusedCellController.prototype.getFocusCellIfBrowserFocused = function () { if (!this.focusedCell) { return null; } var browserFocusedCell = this.getGridCellForDomElement(document.activeElement); if (!browserFocusedCell) { return null; } var gridFocusId = this.focusedCell.createId(); var browserFocusId = browserFocusedCell.createId(); if (gridFocusId === browserFocusId) { return this.focusedCell; } else { return null; } }; FocusedCellController.prototype.getGridCellForDomElement = function (eBrowserCell) { if (!eBrowserCell) { return null; } var column = null; var row = null; var floating = null; var that = this; while (eBrowserCell) { checkRow(eBrowserCell); checkColumn(eBrowserCell); eBrowserCell = eBrowserCell.parentNode; } if (utils_1.Utils.exists(column) && utils_1.Utils.exists(row)) { var gridCell = new gridCell_1.GridCell(row, floating, column); return gridCell; } else { return null; } function checkRow(eTarget) { // match the column by checking a) it has a valid colId and b) it has the 'ag-cell' class var rowId = utils_1.Utils.getElementAttribute(eTarget, 'row'); if (utils_1.Utils.exists(rowId) && utils_1.Utils.containsClass(eTarget, 'ag-row')) { if (rowId.indexOf('ft') === 0) { floating = constants_1.Constants.FLOATING_TOP; rowId = rowId.substr(3); } else if (rowId.indexOf('fb') === 0) { floating = constants_1.Constants.FLOATING_BOTTOM; rowId = rowId.substr(3); } else { floating = null; } row = parseInt(rowId); } } function checkColumn(eTarget) { // match the column by checking a) it has a valid colId and b) it has the 'ag-cell' class var colId = utils_1.Utils.getElementAttribute(eTarget, 'colid'); if (utils_1.Utils.exists(colId) && utils_1.Utils.containsClass(eTarget, 'ag-cell')) { var foundColumn = that.columnController.getOriginalColumn(colId); if (foundColumn) { column = foundColumn; } } } }; FocusedCellController.prototype.setFocusedCell = function (rowIndex, colKey, floating, forceBrowserFocus) { if (forceBrowserFocus === void 0) { forceBrowserFocus = false; } if (this.gridOptionsWrapper.isSuppressCellSelection()) { return; } var column = utils_1.Utils.makeNull(this.columnController.getOriginalColumn(colKey)); this.focusedCell = new gridCell_1.GridCell(rowIndex, utils_1.Utils.makeNull(floating), column); this.onCellFocused(forceBrowserFocus); }; FocusedCellController.prototype.isCellFocused = function (gridCell) { if (utils_1.Utils.missing(this.focusedCell)) { return false; } return this.focusedCell.column === gridCell.column && this.isRowFocused(gridCell.rowIndex, gridCell.floating); }; FocusedCellController.prototype.isRowFocused = function (rowIndex, floating) { if (utils_1.Utils.missing(this.focusedCell)) { return false; } var floatingOrNull = utils_1.Utils.makeNull(floating); return this.focusedCell.rowIndex === rowIndex && this.focusedCell.floating === floatingOrNull; }; FocusedCellController.prototype.onCellFocused = function (forceBrowserFocus) { var event = { rowIndex: null, column: null, floating: null, forceBrowserFocus: forceBrowserFocus }; if (this.focusedCell) { event.rowIndex = this.focusedCell.rowIndex; event.column = this.focusedCell.column; event.floating = this.focusedCell.floating; } this.eventService.dispatchEvent(events_1.Events.EVENT_CELL_FOCUSED, event); }; __decorate([ context_1.Autowired('eventService'), __metadata('design:type', eventService_1.EventService) ], FocusedCellController.prototype, "eventService", void 0); __decorate([ context_1.Autowired('gridOptionsWrapper'), __metadata('design:type', gridOptionsWrapper_1.GridOptionsWrapper) ], FocusedCellController.prototype, "gridOptionsWrapper", void 0); __decorate([ context_1.Autowired('columnController'), __metadata('design:type', columnController_1.ColumnController) ], FocusedCellController.prototype, "columnController", void 0); __decorate([ context_1.PostConstruct, __metadata('design:type', Function), __metadata('design:paramtypes', []), __metadata('design:returntype', void 0) ], FocusedCellController.prototype, "init", null); FocusedCellController = __decorate([ context_1.Bean('focusedCellController'), __metadata('design:paramtypes', []) ], FocusedCellController); return FocusedCellController; })(); exports.FocusedCellController = FocusedCellController; /***/ }, /* 36 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __metadata = (this && this.__metadata) || function (k, v) { if (typeof Reflect === "object" && typeof Reflect.metadata === "function") return Reflect.metadata(k, v); }; var context_1 = __webpack_require__(6); var context_2 = __webpack_require__(6); var TemplateService = (function () { function TemplateService() { this.templateCache = {}; this.waitingCallbacks = {}; } // returns the template if it is loaded, or null if it is not loaded // but will call the callback when it is loaded TemplateService.prototype.getTemplate = function (url, callback) { var templateFromCache = this.templateCache[url]; if (templateFromCache) { return templateFromCache; } var callbackList = this.waitingCallbacks[url]; var that = this; if (!callbackList) { // first time this was called, so need a new list for callbacks callbackList = []; this.waitingCallbacks[url] = callbackList; // and also need to do the http request var client = new XMLHttpRequest(); client.onload = function () { that.handleHttpResult(this, url); }; client.open("GET", url); client.send(); } // add this callback if (callback) { callbackList.push(callback); } // caller needs to wait for template to load, so return null return null; }; TemplateService.prototype.handleHttpResult = function (httpResult, url) { if (httpResult.status !== 200 || httpResult.response === null) { console.warn('Unable to get template error ' + httpResult.status + ' - ' + url); return; } // response success, so process it // in IE9 the response is in - responseText this.templateCache[url] = httpResult.response || httpResult.responseText; // inform all listeners that this is now in the cache var callbacks = this.waitingCallbacks[url]; for (var i = 0; i < callbacks.length; i++) { var callback = callbacks[i]; // we could pass the callback the response, however we know the client of this code // is the cell renderer, and it passes the 'cellRefresh' method in as the callback // which doesn't take any parameters. callback(); } if (this.$scope) { var that = this; setTimeout(function () { that.$scope.$apply(); }, 0); } }; __decorate([ context_2.Autowired('$scope'), __metadata('design:type', Object) ], TemplateService.prototype, "$scope", void 0); TemplateService = __decorate([ context_1.Bean('templateService'), __metadata('design:paramtypes', []) ], TemplateService); return TemplateService; })(); exports.TemplateService = TemplateService; /***/ }, /* 37 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __metadata = (this && this.__metadata) || function (k, v) { if (typeof Reflect === "object" && typeof Reflect.metadata === "function") return Reflect.metadata(k, v); }; var utils_1 = __webpack_require__(7); var renderedCell_1 = __webpack_require__(38); var rowNode_1 = __webpack_require__(27); var gridOptionsWrapper_1 = __webpack_require__(3); var columnController_1 = __webpack_require__(13); var column_1 = __webpack_require__(15); var events_1 = __webpack_require__(10); var eventService_1 = __webpack_require__(4); var context_1 = __webpack_require__(6); var focusedCellController_1 = __webpack_require__(35); var constants_1 = __webpack_require__(8); var cellRendererService_1 = __webpack_require__(60); var cellRendererFactory_1 = __webpack_require__(55); var RenderedRow = (function () { function RenderedRow(parentScope, rowRenderer, eBodyContainer, ePinnedLeftContainer, ePinnedRightContainer, node, rowIndex) { this.renderedCells = {}; this.destroyFunctions = []; this.parentScope = parentScope; this.rowRenderer = rowRenderer; this.eBodyContainer = eBodyContainer; this.ePinnedLeftContainer = ePinnedLeftContainer; this.ePinnedRightContainer = ePinnedRightContainer; this.rowIndex = rowIndex; this.rowNode = node; } RenderedRow.prototype.init = function () { var _this = this; this.createContainers(); var groupHeaderTakesEntireRow = this.gridOptionsWrapper.isGroupUseEntireRow(); this.rowIsHeaderThatSpans = this.rowNode.group && groupHeaderTakesEntireRow; this.scope = this.createChildScopeOrNull(this.rowNode.data); if (this.rowIsHeaderThatSpans) { this.refreshGroupRow(); } else { this.refreshCellsIntoRow(); } this.addDynamicStyles(); this.addDynamicClasses(); this.addRowIds(); this.setTopAndHeightCss(); this.addRowSelectedListener(); this.addCellFocusedListener(); this.addNodeDataChangedListener(); this.addColumnListener(); this.addHoverFunctionality(); this.attachContainers(); this.gridOptionsWrapper.executeProcessRowPostCreateFunc({ eRow: this.eBodyRow, ePinnedLeftRow: this.ePinnedLeftRow, ePinnedRightRow: this.ePinnedRightRow, node: this.rowNode, api: this.gridOptionsWrapper.getApi(), rowIndex: this.rowIndex, addRenderedRowListener: this.addEventListener.bind(this), columnApi: this.gridOptionsWrapper.getColumnApi(), context: this.gridOptionsWrapper.getContext() }); if (this.scope) { this.eLeftCenterAndRightRows.forEach(function (row) { return _this.$compile(row)(_this.scope); }); } }; RenderedRow.prototype.addColumnListener = function () { var _this = this; var columnListener = this.onColumnChanged.bind(this); this.mainEventService.addEventListener(events_1.Events.EVENT_COLUMN_GROUP_OPENED, columnListener); //this.mainEventService.addEventListener(Events.EVENT_COLUMN_MOVED, columnListener); //this.mainEventService.addEventListener(Events.EVENT_COLUMN_ROW_GROUP_CHANGE, columnListener); //this.mainEventService.addEventListener(Events.EVENT_COLUMN_RESIZED, columnListener); //this.mainEventService.addEventListener(Events.EVENT_COLUMN_VALUE_CHANGE, columnListener); this.mainEventService.addEventListener(events_1.Events.EVENT_COLUMN_VISIBLE, columnListener); this.mainEventService.addEventListener(events_1.Events.EVENT_COLUMN_PINNED, columnListener); this.destroyFunctions.push(function () { _this.mainEventService.removeEventListener(events_1.Events.EVENT_COLUMN_GROUP_OPENED, columnListener); //this.mainEventService.removeEventListener(Events.EVENT_COLUMN_MOVED, columnListener); //this.mainEventService.removeEventListener(Events.EVENT_COLUMN_ROW_GROUP_CHANGE, columnListener); //this.mainEventService.removeEventListener(Events.EVENT_COLUMN_RESIZED, columnListener); //this.mainEventService.removeEventListener(Events.EVENT_COLUMN_VALUE_CHANGE, columnListener); _this.mainEventService.removeEventListener(events_1.Events.EVENT_COLUMN_VISIBLE, columnListener); _this.mainEventService.removeEventListener(events_1.Events.EVENT_COLUMN_PINNED, columnListener); }); }; RenderedRow.prototype.onColumnChanged = function (event) { // if row is a group row that spans, then it's not impacted by column changes, with exception of pinning if (this.rowIsHeaderThatSpans) { var columnPinned = event.getType() === events_1.Events.EVENT_COLUMN_PINNED; if (columnPinned) { this.refreshGroupRow(); } } else { this.refreshCellsIntoRow(); } }; // method makes sure the right cells are present, and are in the right container. so when this gets called for // the first time, it sets up all the cells. but then over time the cells might appear / dissappear or move // container (ie into pinned) RenderedRow.prototype.refreshCellsIntoRow = function () { var _this = this; var columns = this.columnController.getAllDisplayedColumns(); var renderedCellKeys = Object.keys(this.renderedCells); columns.forEach(function (column) { var renderedCell = _this.getOrCreateCell(column); _this.ensureCellInCorrectRow(renderedCell); utils_1.Utils.removeFromArray(renderedCellKeys, column.getColId()); }); // remove old cells from gui, but we don't destroy them, we might use them again renderedCellKeys.forEach(function (key) { var renderedCell = _this.renderedCells[key]; // could be old reference, ie removed cell if (!renderedCell) { return; } if (renderedCell.getParentRow()) { renderedCell.getParentRow().removeChild(renderedCell.getGui()); renderedCell.setParentRow(null); } renderedCell.destroy(); _this.renderedCells[key] = null; }); }; RenderedRow.prototype.ensureCellInCorrectRow = function (renderedCell) { var eRowGui = renderedCell.getGui(); var column = renderedCell.getColumn(); var rowWeWant; switch (column.getPinned()) { case column_1.Column.PINNED_LEFT: rowWeWant = this.ePinnedLeftRow; break; case column_1.Column.PINNED_RIGHT: rowWeWant = this.ePinnedRightRow; break; default: rowWeWant = this.eBodyRow; break; } // if in wrong container, remove it var oldRow = renderedCell.getParentRow(); var inWrongRow = oldRow !== rowWeWant; if (inWrongRow) { // take out from old row if (oldRow) { oldRow.removeChild(eRowGui); } rowWeWant.appendChild(eRowGui); renderedCell.setParentRow(rowWeWant); } }; RenderedRow.prototype.getOrCreateCell = function (column) { var colId = column.getColId(); if (this.renderedCells[colId]) { return this.renderedCells[colId]; } else { var renderedCell = new renderedCell_1.RenderedCell(column, this.rowNode, this.rowIndex, this.scope, this); this.context.wireBean(renderedCell); this.renderedCells[colId] = renderedCell; return renderedCell; } }; RenderedRow.prototype.addRowSelectedListener = function () { var _this = this; var rowSelectedListener = function () { var selected = _this.rowNode.isSelected(); _this.eLeftCenterAndRightRows.forEach(function (row) { return utils_1.Utils.addOrRemoveCssClass(row, 'ag-row-selected', selected); }); }; this.rowNode.addEventListener(rowNode_1.RowNode.EVENT_ROW_SELECTED, rowSelectedListener); this.destroyFunctions.push(function () { _this.rowNode.removeEventListener(rowNode_1.RowNode.EVENT_ROW_SELECTED, rowSelectedListener); }); }; RenderedRow.prototype.addHoverFunctionality = function () { var _this = this; var onGuiMouseEnter = this.rowNode.onMouseEnter.bind(this.rowNode); var onGuiMouseLeave = this.rowNode.onMouseLeave.bind(this.rowNode); this.eLeftCenterAndRightRows.forEach(function (eRow) { eRow.addEventListener('mouseenter', onGuiMouseEnter); eRow.addEventListener('mouseleave', onGuiMouseLeave); }); var onNodeMouseEnter = this.addHoverClass.bind(this, true); var onNodeMouseLeave = this.addHoverClass.bind(this, false); this.rowNode.addEventListener(rowNode_1.RowNode.EVENT_MOUSE_ENTER, onNodeMouseEnter); this.rowNode.addEventListener(rowNode_1.RowNode.EVENT_MOUSE_LEAVE, onNodeMouseLeave); this.destroyFunctions.push(function () { _this.eLeftCenterAndRightRows.forEach(function (eRow) { eRow.removeEventListener('mouseenter', onGuiMouseEnter); eRow.removeEventListener('mouseleave', onGuiMouseLeave); }); _this.rowNode.removeEventListener(rowNode_1.RowNode.EVENT_MOUSE_ENTER, onNodeMouseEnter); _this.rowNode.removeEventListener(rowNode_1.RowNode.EVENT_MOUSE_LEAVE, onNodeMouseLeave); }); }; RenderedRow.prototype.addHoverClass = function (hover) { this.eLeftCenterAndRightRows.forEach(function (eRow) { return utils_1.Utils.addOrRemoveCssClass(eRow, 'ag-row-hover', hover); }); }; RenderedRow.prototype.addCellFocusedListener = function () { var _this = this; var rowFocusedLastTime = null; var rowFocusedListener = function () { var rowFocused = _this.focusedCellController.isRowFocused(_this.rowIndex, _this.rowNode.floating); if (rowFocused !== rowFocusedLastTime) { _this.eLeftCenterAndRightRows.forEach(function (row) { return utils_1.Utils.addOrRemoveCssClass(row, 'ag-row-focus', rowFocused); }); _this.eLeftCenterAndRightRows.forEach(function (row) { return utils_1.Utils.addOrRemoveCssClass(row, 'ag-row-no-focus', !rowFocused); }); rowFocusedLastTime = rowFocused; } }; this.mainEventService.addEventListener(events_1.Events.EVENT_CELL_FOCUSED, rowFocusedListener); this.destroyFunctions.push(function () { _this.mainEventService.removeEventListener(events_1.Events.EVENT_CELL_FOCUSED, rowFocusedListener); }); rowFocusedListener(); }; RenderedRow.prototype.forEachRenderedCell = function (callback) { utils_1.Utils.iterateObject(this.renderedCells, function (key, renderedCell) { if (renderedCell) { callback(renderedCell); } }); }; RenderedRow.prototype.addNodeDataChangedListener = function () { var _this = this; var nodeDataChangedListener = function () { var animate = false; var newData = true; _this.forEachRenderedCell(function (renderedCell) { return renderedCell.refreshCell(animate, newData); }); }; this.rowNode.addEventListener(rowNode_1.RowNode.EVENT_DATA_CHANGED, nodeDataChangedListener); this.destroyFunctions.push(function () { _this.rowNode.removeEventListener(rowNode_1.RowNode.EVENT_DATA_CHANGED, nodeDataChangedListener); }); }; RenderedRow.prototype.createContainers = function () { this.eBodyRow = this.createRowContainer(); this.eLeftCenterAndRightRows = [this.eBodyRow]; if (!this.gridOptionsWrapper.isForPrint()) { this.ePinnedLeftRow = this.createRowContainer(); this.ePinnedRightRow = this.createRowContainer(); this.eLeftCenterAndRightRows.push(this.ePinnedLeftRow); this.eLeftCenterAndRightRows.push(this.ePinnedRightRow); } }; RenderedRow.prototype.attachContainers = function () { this.eBodyContainer.appendChild(this.eBodyRow); if (!this.gridOptionsWrapper.isForPrint()) { this.ePinnedLeftContainer.appendChild(this.ePinnedLeftRow); this.ePinnedRightContainer.appendChild(this.ePinnedRightRow); } }; RenderedRow.prototype.onMouseEvent = function (eventName, mouseEvent, eventSource, cell) { var renderedCell = this.renderedCells[cell.column.getId()]; if (renderedCell) { renderedCell.onMouseEvent(eventName, mouseEvent, eventSource); } }; RenderedRow.prototype.setTopAndHeightCss = function () { // if showing scrolls, position on the container if (!this.gridOptionsWrapper.isForPrint()) { var topPx = this.rowNode.rowTop + "px"; this.eLeftCenterAndRightRows.forEach(function (row) { return row.style.top = topPx; }); } var heightPx = this.rowNode.rowHeight + 'px'; this.eLeftCenterAndRightRows.forEach(function (row) { return row.style.height = heightPx; }); }; // adds in row and row-id attributes to the row RenderedRow.prototype.addRowIds = function () { var rowStr = this.rowIndex.toString(); if (this.rowNode.floating === constants_1.Constants.FLOATING_BOTTOM) { rowStr = 'fb-' + rowStr; } else if (this.rowNode.floating === constants_1.Constants.FLOATING_TOP) { rowStr = 'ft-' + rowStr; } this.eLeftCenterAndRightRows.forEach(function (row) { return row.setAttribute('row', rowStr); }); if (typeof this.gridOptionsWrapper.getBusinessKeyForNodeFunc() === 'function') { var businessKey = this.gridOptionsWrapper.getBusinessKeyForNodeFunc()(this.rowNode); if (typeof businessKey === 'string' || typeof businessKey === 'number') { this.eLeftCenterAndRightRows.forEach(function (row) { return row.setAttribute('row-id', businessKey); }); } } }; RenderedRow.prototype.addEventListener = function (eventType, listener) { if (!this.renderedRowEventService) { this.renderedRowEventService = new eventService_1.EventService(); } this.renderedRowEventService.addEventListener(eventType, listener); }; RenderedRow.prototype.removeEventListener = function (eventType, listener) { this.renderedRowEventService.removeEventListener(eventType, listener); }; RenderedRow.prototype.getRenderedCellForColumn = function (column) { return this.renderedCells[column.getColId()]; }; RenderedRow.prototype.getCellForCol = function (column) { var renderedCell = this.renderedCells[column.getColId()]; if (renderedCell) { return renderedCell.getGui(); } else { return null; } }; RenderedRow.prototype.destroy = function () { this.destroyFunctions.forEach(function (func) { return func(); }); this.destroyScope(); this.eBodyContainer.removeChild(this.eBodyRow); if (!this.gridOptionsWrapper.isForPrint()) { this.ePinnedLeftContainer.removeChild(this.ePinnedLeftRow); this.ePinnedRightContainer.removeChild(this.ePinnedRightRow); } this.forEachRenderedCell(function (renderedCell) { return renderedCell.destroy(); }); if (this.renderedRowEventService) { this.renderedRowEventService.dispatchEvent(RenderedRow.EVENT_RENDERED_ROW_REMOVED, { node: this.rowNode }); } }; RenderedRow.prototype.destroyScope = function () { if (this.scope) { this.scope.$destroy(); this.scope = null; } }; RenderedRow.prototype.isDataInList = function (rows) { return rows.indexOf(this.rowNode.data) >= 0; }; RenderedRow.prototype.isGroup = function () { return this.rowNode.group === true; }; RenderedRow.prototype.refreshGroupRow = function () { // where the components go changes with pinning, it's easiest ot just remove from all containers // and start again if the pinning changes utils_1.Utils.removeAllChildren(this.ePinnedLeftRow); utils_1.Utils.removeAllChildren(this.ePinnedRightRow); utils_1.Utils.removeAllChildren(this.eBodyRow); // create main component if not already existing from previous refresh if (!this.eGroupRow) { this.eGroupRow = this.createGroupSpanningEntireRowCell(false); } var pinningLeft = this.columnController.isPinningLeft(); var pinningRight = this.columnController.isPinningRight(); // if pinning left, then main component goes into left and we pad centre, otherwise it goes into centre if (pinningLeft) { this.ePinnedLeftRow.appendChild(this.eGroupRow); if (!this.eGroupRowPaddingCentre) { this.eGroupRowPaddingCentre = this.createGroupSpanningEntireRowCell(true); } this.eBodyRow.appendChild(this.eGroupRowPaddingCentre); } else { this.eBodyRow.appendChild(this.eGroupRow); } // main component is never in right, but if pinning right, we put padding into the right if (pinningRight) { if (!this.eGroupRowPaddingRight) { this.eGroupRowPaddingRight = this.createGroupSpanningEntireRowCell(true); } this.ePinnedRightRow.appendChild(this.eGroupRowPaddingRight); } }; RenderedRow.prototype.createGroupSpanningEntireRowCell = function (padding) { var eRow = document.createElement('span'); // padding means we are on the right hand side of a pinned table, ie // in the main body. if (!padding) { var cellRenderer = this.gridOptionsWrapper.getGroupRowRenderer(); var cellRendererParams = this.gridOptionsWrapper.getGroupRowRendererParams(); if (!cellRenderer) { cellRenderer = cellRendererFactory_1.CellRendererFactory.GROUP; cellRendererParams = { innerRenderer: this.gridOptionsWrapper.getGroupRowInnerRenderer(), }; } var params = { data: this.rowNode.data, node: this.rowNode, $scope: this.scope, rowIndex: this.rowIndex, api: this.gridOptionsWrapper.getApi(), columnApi: this.gridOptionsWrapper.getColumnApi(), context: this.gridOptionsWrapper.getContext(), eGridCell: eRow, eParentOfValue: eRow, addRenderedRowListener: this.addEventListener.bind(this), colDef: { cellRenderer: cellRenderer, cellRendererParams: cellRendererParams } }; if (cellRendererParams) { utils_1.Utils.assign(params, cellRendererParams); } var cellComponent = this.cellRendererService.useCellRenderer(cellRenderer, eRow, params); if (cellComponent && cellComponent.destroy) { this.destroyFunctions.push(function () { return cellComponent.destroy(); }); } } if (this.rowNode.footer) { utils_1.Utils.addCssClass(eRow, 'ag-footer-cell-entire-row'); } else { utils_1.Utils.addCssClass(eRow, 'ag-group-cell-entire-row'); } return eRow; }; RenderedRow.prototype.createChildScopeOrNull = function (data) { if (this.gridOptionsWrapper.isAngularCompileRows()) { var newChildScope = this.parentScope.$new(); newChildScope.data = data; newChildScope.context = this.gridOptionsWrapper.getContext(); return newChildScope; } else { return null; } }; RenderedRow.prototype.addDynamicStyles = function () { var rowStyle = this.gridOptionsWrapper.getRowStyle(); if (rowStyle) { if (typeof rowStyle === 'function') { console.log('ag-Grid: rowStyle should be an object of key/value styles, not be a function, use getRowStyle() instead'); } else { this.eLeftCenterAndRightRows.forEach(function (row) { return utils_1.Utils.addStylesToElement(row, rowStyle); }); } } var rowStyleFunc = this.gridOptionsWrapper.getRowStyleFunc(); if (rowStyleFunc) { var params = { data: this.rowNode.data, node: this.rowNode, api: this.gridOptionsWrapper.getApi(), context: this.gridOptionsWrapper.getContext(), $scope: this.scope }; var cssToUseFromFunc = rowStyleFunc(params); this.eLeftCenterAndRightRows.forEach(function (row) { return utils_1.Utils.addStylesToElement(row, cssToUseFromFunc); }); } }; RenderedRow.prototype.createParams = function () { var params = { node: this.rowNode, data: this.rowNode.data, rowIndex: this.rowIndex, $scope: this.scope, context: this.gridOptionsWrapper.getContext(), api: this.gridOptionsWrapper.getApi() }; return params; }; RenderedRow.prototype.createEvent = function (event, eventSource) { var agEvent = this.createParams(); agEvent.event = event; agEvent.eventSource = eventSource; return agEvent; }; RenderedRow.prototype.createRowContainer = function () { var _this = this; var eRow = document.createElement('div'); eRow.addEventListener("click", this.onRowClicked.bind(this)); eRow.addEventListener("dblclick", function (event) { var agEvent = _this.createEvent(event, _this); _this.mainEventService.dispatchEvent(events_1.Events.EVENT_ROW_DOUBLE_CLICKED, agEvent); }); return eRow; }; RenderedRow.prototype.onRowClicked = function (event) { var agEvent = this.createEvent(event, this); this.mainEventService.dispatchEvent(events_1.Events.EVENT_ROW_CLICKED, agEvent); // ctrlKey for windows, metaKey for Apple var multiSelectKeyPressed = event.ctrlKey || event.metaKey; var shiftKeyPressed = event.shiftKey; // we do not allow selecting groups by clicking (as the click here expands the group) // so return if it's a group row if (this.rowNode.group) { return; } // we also don't allow selection of floating rows if (this.rowNode.floating) { return; } // making local variables to make the below more readable var gridOptionsWrapper = this.gridOptionsWrapper; // if no selection method enabled, do nothing if (!gridOptionsWrapper.isRowSelection()) { return; } // if click selection suppressed, do nothing if (gridOptionsWrapper.isSuppressRowClickSelection()) { return; } if (this.rowNode.isSelected()) { if (multiSelectKeyPressed) { if (gridOptionsWrapper.isRowDeselection()) { this.rowNode.setSelectedParams({ newValue: false }); } } else { // selected with no multi key, must make sure anything else is unselected this.rowNode.setSelectedParams({ newValue: true, clearSelection: true }); } } else { this.rowNode.setSelectedParams({ newValue: true, clearSelection: !multiSelectKeyPressed, rangeSelect: shiftKeyPressed }); } }; RenderedRow.prototype.getRowNode = function () { return this.rowNode; }; RenderedRow.prototype.getRowIndex = function () { return this.rowIndex; }; RenderedRow.prototype.refreshCells = function (colIds, animate) { if (!colIds) { return; } var columnsToRefresh = this.columnController.getGridColumns(colIds); this.forEachRenderedCell(function (renderedCell) { var colForCel = renderedCell.getColumn(); if (columnsToRefresh.indexOf(colForCel) >= 0) { renderedCell.refreshCell(animate); } }); }; RenderedRow.prototype.addDynamicClasses = function () { var _this = this; var classes = []; classes.push('ag-row'); classes.push('ag-row-no-focus'); classes.push(this.rowIndex % 2 == 0 ? "ag-row-even" : "ag-row-odd"); if (this.rowNode.isSelected()) { classes.push("ag-row-selected"); } if (this.rowNode.group) { classes.push("ag-row-group"); // if a group, put the level of the group in classes.push("ag-row-level-" + this.rowNode.level); if (!this.rowNode.footer && this.rowNode.expanded) { classes.push("ag-row-group-expanded"); } if (!this.rowNode.footer && !this.rowNode.expanded) { // opposite of expanded is contracted according to the internet. classes.push("ag-row-group-contracted"); } if (this.rowNode.footer) { classes.push("ag-row-footer"); } } else { // if a leaf, and a parent exists, put a level of the parent, else put level of 0 for top level item if (this.rowNode.parent) { classes.push("ag-row-level-" + (this.rowNode.parent.level + 1)); } else { classes.push("ag-row-level-0"); } } // add in extra classes provided by the config var gridOptionsRowClass = this.gridOptionsWrapper.getRowClass(); if (gridOptionsRowClass) { if (typeof gridOptionsRowClass === 'function') { console.warn('ag-Grid: rowClass should not be a function, please use getRowClass instead'); } else { if (typeof gridOptionsRowClass === 'string') { classes.push(gridOptionsRowClass); } else if (Array.isArray(gridOptionsRowClass)) { gridOptionsRowClass.forEach(function (classItem) { classes.push(classItem); }); } } } var gridOptionsRowClassFunc = this.gridOptionsWrapper.getRowClassFunc(); if (gridOptionsRowClassFunc) { var params = { node: this.rowNode, data: this.rowNode.data, rowIndex: this.rowIndex, context: this.gridOptionsWrapper.getContext(), api: this.gridOptionsWrapper.getApi() }; var classToUseFromFunc = gridOptionsRowClassFunc(params); if (classToUseFromFunc) { if (typeof classToUseFromFunc === 'string') { classes.push(classToUseFromFunc); } else if (Array.isArray(classToUseFromFunc)) { classToUseFromFunc.forEach(function (classItem) { classes.push(classItem); }); } } } classes.forEach(function (classStr) { _this.eLeftCenterAndRightRows.forEach(function (row) { return utils_1.Utils.addCssClass(row, classStr); }); }); }; RenderedRow.EVENT_RENDERED_ROW_REMOVED = 'renderedRowRemoved'; __decorate([ context_1.Autowired('gridOptionsWrapper'), __metadata('design:type', gridOptionsWrapper_1.GridOptionsWrapper) ], RenderedRow.prototype, "gridOptionsWrapper", void 0); __decorate([ context_1.Autowired('columnController'), __metadata('design:type', columnController_1.ColumnController) ], RenderedRow.prototype, "columnController", void 0); __decorate([ context_1.Autowired('$compile'), __metadata('design:type', Object) ], RenderedRow.prototype, "$compile", void 0); __decorate([ context_1.Autowired('eventService'), __metadata('design:type', eventService_1.EventService) ], RenderedRow.prototype, "mainEventService", void 0); __decorate([ context_1.Autowired('context'), __metadata('design:type', context_1.Context) ], RenderedRow.prototype, "context", void 0); __decorate([ context_1.Autowired('focusedCellController'), __metadata('design:type', focusedCellController_1.FocusedCellController) ], RenderedRow.prototype, "focusedCellController", void 0); __decorate([ context_1.Autowired('cellRendererService'), __metadata('design:type', cellRendererService_1.CellRendererService) ], RenderedRow.prototype, "cellRendererService", void 0); __decorate([ context_1.PostConstruct, __metadata('design:type', Function), __metadata('design:paramtypes', []), __metadata('design:returntype', void 0) ], RenderedRow.prototype, "init", null); return RenderedRow; })(); exports.RenderedRow = RenderedRow; /***/ }, /* 38 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var __extends = (this && this.__extends) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __metadata = (this && this.__metadata) || function (k, v) { if (typeof Reflect === "object" && typeof Reflect.metadata === "function") return Reflect.metadata(k, v); }; var utils_1 = __webpack_require__(7); var column_1 = __webpack_require__(15); var rowNode_1 = __webpack_require__(27); var gridOptionsWrapper_1 = __webpack_require__(3); var expressionService_1 = __webpack_require__(18); var rowRenderer_1 = __webpack_require__(23); var templateService_1 = __webpack_require__(36); var columnController_1 = __webpack_require__(13); var valueService_1 = __webpack_require__(29); var eventService_1 = __webpack_require__(4); var constants_1 = __webpack_require__(8); var events_1 = __webpack_require__(10); var context_1 = __webpack_require__(6); var gridApi_1 = __webpack_require__(11); var focusedCellController_1 = __webpack_require__(35); var gridCell_1 = __webpack_require__(33); var focusService_1 = __webpack_require__(39); var cellEditorFactory_1 = __webpack_require__(48); var component_1 = __webpack_require__(47); var popupService_1 = __webpack_require__(44); var cellRendererFactory_1 = __webpack_require__(55); var cellRendererService_1 = __webpack_require__(60); var valueFormatterService_1 = __webpack_require__(61); var checkboxSelectionComponent_1 = __webpack_require__(62); var RenderedCell = (function (_super) { __extends(RenderedCell, _super); function RenderedCell(column, node, rowIndex, scope, renderedRow) { _super.call(this, '<div/>'); this.firstRightPinned = false; this.lastLeftPinned = false; // because we reference eGridCell everywhere in this class, // we keep a local reference this.eGridCell = this.getGui(); this.column = column; this.node = node; this.rowIndex = rowIndex; this.scope = scope; this.renderedRow = renderedRow; this.gridCell = new gridCell_1.GridCell(rowIndex, node.floating, column); } RenderedCell.prototype.destroy = function () { _super.prototype.destroy.call(this); if (this.cellEditor && this.cellEditor.destroy) { this.cellEditor.destroy(); } if (this.cellRenderer && this.cellRenderer.destroy) { this.cellRenderer.destroy(); } }; RenderedCell.prototype.setPinnedClasses = function () { var _this = this; var firstPinnedChangedListener = function () { if (_this.firstRightPinned !== _this.column.isFirstRightPinned()) { _this.firstRightPinned = _this.column.isFirstRightPinned(); utils_1.Utils.addOrRemoveCssClass(_this.eGridCell, 'ag-cell-first-right-pinned', _this.firstRightPinned); } if (_this.lastLeftPinned !== _this.column.isLastLeftPinned()) { _this.lastLeftPinned = _this.column.isLastLeftPinned(); utils_1.Utils.addOrRemoveCssClass(_this.eGridCell, 'ag-cell-last-left-pinned', _this.lastLeftPinned); } }; this.column.addEventListener(column_1.Column.EVENT_FIRST_RIGHT_PINNED_CHANGED, firstPinnedChangedListener); this.column.addEventListener(column_1.Column.EVENT_LAST_LEFT_PINNED_CHANGED, firstPinnedChangedListener); this.addDestroyFunc(function () { _this.column.removeEventListener(column_1.Column.EVENT_FIRST_RIGHT_PINNED_CHANGED, firstPinnedChangedListener); _this.column.removeEventListener(column_1.Column.EVENT_LAST_LEFT_PINNED_CHANGED, firstPinnedChangedListener); }); firstPinnedChangedListener(); }; RenderedCell.prototype.getParentRow = function () { return this.eParentRow; }; RenderedCell.prototype.setParentRow = function (eParentRow) { this.eParentRow = eParentRow; }; RenderedCell.prototype.calculateCheckboxSelection = function () { // never allow selection on floating rows if (this.node.floating) { return false; } // if boolean set, then just use it var colDef = this.column.getColDef(); if (typeof colDef.checkboxSelection === 'boolean') { return colDef.checkboxSelection; } // if function, then call the function to find out. we first check colDef for // a function, and if missing then check gridOptions, so colDef has precedence var selectionFunc; if (typeof colDef.checkboxSelection === 'function') { selectionFunc = colDef.checkboxSelection; } if (!selectionFunc && this.gridOptionsWrapper.getCheckboxSelection()) { selectionFunc = this.gridOptionsWrapper.getCheckboxSelection(); } if (selectionFunc) { var params = this.createParams(); return selectionFunc(params); } return false; }; RenderedCell.prototype.getColumn = function () { return this.column; }; RenderedCell.prototype.getValue = function () { var data = this.getDataForRow(); return this.valueService.getValueUsingSpecificData(this.column, data, this.node); }; RenderedCell.prototype.getDataForRow = function () { if (this.node.footer) { // if footer, we always show the data return this.node.data; } else if (this.node.group) { // if header and header is expanded, we show data in footer only var footersEnabled = this.gridOptionsWrapper.isGroupIncludeFooter(); var suppressHideHeader = this.gridOptionsWrapper.isGroupSuppressBlankHeader(); if (this.node.expanded && footersEnabled && !suppressHideHeader) { return undefined; } else { return this.node.data; } } else { // otherwise it's a normal node, just return data as normal return this.node.data; } }; RenderedCell.prototype.setLeftOnCell = function () { var _this = this; var leftChangedListener = function () { var newLeft = _this.column.getLeft(); if (utils_1.Utils.exists(newLeft)) { _this.eGridCell.style.left = _this.column.getLeft() + 'px'; } else { _this.eGridCell.style.left = ''; } }; this.column.addEventListener(column_1.Column.EVENT_LEFT_CHANGED, leftChangedListener); this.addDestroyFunc(function () { _this.column.removeEventListener(column_1.Column.EVENT_LEFT_CHANGED, leftChangedListener); }); leftChangedListener(); }; RenderedCell.prototype.addRangeSelectedListener = function () { var _this = this; if (!this.rangeController) { return; } var rangeCountLastTime = 0; var rangeSelectedListener = function () { var rangeCount = _this.rangeController.getCellRangeCount(_this.gridCell); if (rangeCountLastTime !== rangeCount) { utils_1.Utils.addOrRemoveCssClass(_this.eGridCell, 'ag-cell-range-selected', rangeCount !== 0); utils_1.Utils.addOrRemoveCssClass(_this.eGridCell, 'ag-cell-range-selected-1', rangeCount === 1); utils_1.Utils.addOrRemoveCssClass(_this.eGridCell, 'ag-cell-range-selected-2', rangeCount === 2); utils_1.Utils.addOrRemoveCssClass(_this.eGridCell, 'ag-cell-range-selected-3', rangeCount === 3); utils_1.Utils.addOrRemoveCssClass(_this.eGridCell, 'ag-cell-range-selected-4', rangeCount >= 4); rangeCountLastTime = rangeCount; } }; this.eventService.addEventListener(events_1.Events.EVENT_RANGE_SELECTION_CHANGED, rangeSelectedListener); this.addDestroyFunc(function () { _this.eventService.removeEventListener(events_1.Events.EVENT_RANGE_SELECTION_CHANGED, rangeSelectedListener); }); rangeSelectedListener(); }; RenderedCell.prototype.addHighlightListener = function () { var _this = this; if (!this.rangeController) { return; } var clipboardListener = function (event) { var cellId = _this.gridCell.createId(); var shouldFlash = event.cells[cellId]; if (shouldFlash) { _this.animateCellWithHighlight(); } }; this.eventService.addEventListener(events_1.Events.EVENT_FLASH_CELLS, clipboardListener); this.addDestroyFunc(function () { _this.eventService.removeEventListener(events_1.Events.EVENT_FLASH_CELLS, clipboardListener); }); }; RenderedCell.prototype.addChangeListener = function () { var _this = this; var cellChangeListener = function (event) { if (event.column === _this.column) { _this.refreshCell(); _this.animateCellWithDataChanged(); } }; this.addDestroyableEventListener(this.node, rowNode_1.RowNode.EVENT_CELL_CHANGED, cellChangeListener); }; RenderedCell.prototype.animateCellWithDataChanged = function () { if (this.gridOptionsWrapper.isEnableCellChangeFlash() || this.column.getColDef().enableCellChangeFlash) { this.animateCell('data-changed'); } }; RenderedCell.prototype.animateCellWithHighlight = function () { this.animateCell('highlight'); }; RenderedCell.prototype.animateCell = function (cssName) { var _this = this; var fullName = 'ag-cell-' + cssName; var animationFullName = 'ag-cell-' + cssName + '-animation'; // we want to highlight the cells, without any animation utils_1.Utils.addCssClass(this.eGridCell, fullName); utils_1.Utils.removeCssClass(this.eGridCell, animationFullName); // then once that is applied, we remove the highlight with animation setTimeout(function () { utils_1.Utils.removeCssClass(_this.eGridCell, fullName); utils_1.Utils.addCssClass(_this.eGridCell, animationFullName); setTimeout(function () { // and then to leave things as we got them, we remove the animation utils_1.Utils.removeCssClass(_this.eGridCell, animationFullName); }, 1000); }, 500); }; RenderedCell.prototype.addCellFocusedListener = function () { var _this = this; // set to null, not false, as we need to set 'ag-cell-no-focus' first time around var cellFocusedLastTime = null; var cellFocusedListener = function (event) { var cellFocused = _this.focusedCellController.isCellFocused(_this.gridCell); // see if we need to change the classes on this cell if (cellFocused !== cellFocusedLastTime) { utils_1.Utils.addOrRemoveCssClass(_this.eGridCell, 'ag-cell-focus', cellFocused); utils_1.Utils.addOrRemoveCssClass(_this.eGridCell, 'ag-cell-no-focus', !cellFocused); cellFocusedLastTime = cellFocused; } // if this cell was just focused, see if we need to force browser focus, his can // happen if focus is programmatically set. if (cellFocused && event && event.forceBrowserFocus) { _this.eGridCell.focus(); } // if another cell was focused, and we are editing, then stop editing if (_this.editingCell && !cellFocused) { _this.stopEditing(); } }; this.eventService.addEventListener(events_1.Events.EVENT_CELL_FOCUSED, cellFocusedListener); this.addDestroyFunc(function () { _this.eventService.removeEventListener(events_1.Events.EVENT_CELL_FOCUSED, cellFocusedListener); }); cellFocusedListener(); }; RenderedCell.prototype.setWidthOnCell = function () { var _this = this; var widthChangedListener = function () { _this.eGridCell.style.width = _this.column.getActualWidth() + "px"; }; this.column.addEventListener(column_1.Column.EVENT_WIDTH_CHANGED, widthChangedListener); this.addDestroyFunc(function () { _this.column.removeEventListener(column_1.Column.EVENT_WIDTH_CHANGED, widthChangedListener); }); widthChangedListener(); }; RenderedCell.prototype.init = function () { this.value = this.getValue(); this.checkboxSelection = this.calculateCheckboxSelection(); this.setLeftOnCell(); this.setWidthOnCell(); this.setPinnedClasses(); this.addRangeSelectedListener(); this.addHighlightListener(); this.addChangeListener(); this.addCellFocusedListener(); this.addKeyDownListener(); this.addKeyPressListener(); // this.addFocusListener(); // only set tab index if cell selection is enabled if (!this.gridOptionsWrapper.isSuppressCellSelection()) { this.eGridCell.setAttribute("tabindex", "-1"); } // these are the grid styles, don't change between soft refreshes this.addClasses(); this.setInlineEditingClass(); this.createParentOfValue(); this.populateCell(); }; RenderedCell.prototype.onEnterKeyDown = function () { if (this.editingCell) { this.stopEditing(); this.focusCell(true); } else { this.startEditingIfEnabled(constants_1.Constants.KEY_ENTER); } }; RenderedCell.prototype.onF2KeyDown = function () { if (!this.editingCell) { this.startEditingIfEnabled(constants_1.Constants.KEY_F2); } }; RenderedCell.prototype.onEscapeKeyDown = function () { if (this.editingCell) { this.stopEditing(true); this.focusCell(true); } }; RenderedCell.prototype.onPopupEditorClosed = function () { if (this.editingCell) { this.stopEditing(true); // we only focus cell again if this cell is still focused. it is possible // it is not focused if the user cancelled the edit by clicking on another // cell outside of this one if (this.focusedCellController.isCellFocused(this.gridCell)) { this.focusCell(true); } } }; RenderedCell.prototype.onTabKeyDown = function (event) { var editNextCell; if (this.editingCell) { // if editing, we stop editing, then start editing next cell this.stopEditing(); editNextCell = true; } else { // otherwise we just move to the next cell editNextCell = false; } var foundCell = this.rowRenderer.moveFocusToNextCell(this.rowIndex, this.column, this.node.floating, event.shiftKey, editNextCell); // only prevent default if we found a cell. so if user is on last cell and hits tab, then we default // to the normal tabbing so user can exit the grid. if (foundCell) { event.preventDefault(); } }; RenderedCell.prototype.onBackspaceOrDeleteKeyPressed = function (key) { if (!this.editingCell) { this.startEditingIfEnabled(key); } }; RenderedCell.prototype.onSpaceKeyPressed = function () { if (!this.editingCell && this.gridOptionsWrapper.isRowSelection()) { var selected = this.node.isSelected(); this.node.setSelected(!selected); } // prevent default as space key, by default, moves browser scroll down event.preventDefault(); }; RenderedCell.prototype.onNavigationKeyPressed = function (event, key) { if (this.editingCell) { this.stopEditing(); } this.rowRenderer.navigateToNextCell(key, this.rowIndex, this.column, this.node.floating); // if we don't prevent default, the grid will scroll with the navigation keys event.preventDefault(); }; RenderedCell.prototype.addKeyPressListener = function () { var _this = this; var that = this; var keyPressListener = function (event) { if (that.isCellEditable()) { var pressedChar = String.fromCharCode(event.charCode); if (pressedChar === ' ') { that.onSpaceKeyPressed(); } else { if (RenderedCell.PRINTABLE_CHARACTERS.indexOf(pressedChar) >= 0) { that.startEditingIfEnabled(null, pressedChar); // if we don't prevent default, then the keypress also gets applied to the text field // (at least when doing the default editor), but we need to allow the editor to decide // what it wants to do. event.preventDefault(); } } } }; this.eGridCell.addEventListener('keypress', keyPressListener); this.addDestroyFunc(function () { _this.eGridCell.removeEventListener('keypress', keyPressListener); }); }; RenderedCell.prototype.onKeyDown = function (event) { var key = event.which || event.keyCode; switch (key) { case constants_1.Constants.KEY_ENTER: this.onEnterKeyDown(); break; case constants_1.Constants.KEY_F2: this.onF2KeyDown(); break; case constants_1.Constants.KEY_ESCAPE: this.onEscapeKeyDown(); break; case constants_1.Constants.KEY_TAB: this.onTabKeyDown(event); break; case constants_1.Constants.KEY_BACKSPACE: case constants_1.Constants.KEY_DELETE: this.onBackspaceOrDeleteKeyPressed(key); break; case constants_1.Constants.KEY_DOWN: case constants_1.Constants.KEY_UP: case constants_1.Constants.KEY_RIGHT: case constants_1.Constants.KEY_LEFT: this.onNavigationKeyPressed(event, key); break; } }; RenderedCell.prototype.addKeyDownListener = function () { var _this = this; var editingKeyListener = this.onKeyDown.bind(this); this.eGridCell.addEventListener('keydown', editingKeyListener); this.addDestroyFunc(function () { _this.eGridCell.removeEventListener('keydown', editingKeyListener); }); }; RenderedCell.prototype.createCellEditor = function (keyPress, charPress) { var colDef = this.column.getColDef(); var cellEditor = this.cellEditorFactory.createCellEditor(colDef.cellEditor); if (cellEditor.init) { var params = { value: this.getValue(), keyPress: keyPress, charPress: charPress, column: this.column, node: this.node, api: this.gridOptionsWrapper.getApi(), columnApi: this.gridOptionsWrapper.getColumnApi(), context: this.gridOptionsWrapper.getContext(), onKeyDown: this.onKeyDown.bind(this), stopEditing: this.stopEditingAndFocus.bind(this) }; if (colDef.cellEditorParams) { utils_1.Utils.assign(params, colDef.cellEditorParams); } if (cellEditor.init) { cellEditor.init(params); } } return cellEditor; }; // cell editors call this, when they want to stop for reasons other // than what we pick up on. eg selecting from a dropdown ends editing. RenderedCell.prototype.stopEditingAndFocus = function () { this.stopEditing(); this.focusCell(true); }; // called by rowRenderer when user navigates via tab key RenderedCell.prototype.startEditingIfEnabled = function (keyPress, charPress) { if (!this.isCellEditable()) { return; } var cellEditor = this.createCellEditor(keyPress, charPress); if (cellEditor.isCancelBeforeStart && cellEditor.isCancelBeforeStart()) { if (cellEditor.destroy) { cellEditor.destroy(); } return; } if (!cellEditor.getGui) { console.warn("ag-Grid: cellEditor for column " + this.column.getId() + " is missing getGui() method"); return; } this.cellEditor = cellEditor; this.editingCell = true; this.cellEditorInPopup = this.cellEditor.isPopup && this.cellEditor.isPopup(); this.setInlineEditingClass(); if (this.cellEditorInPopup) { this.addPopupCellEditor(); } else { this.addInCellEditor(); } if (cellEditor.afterGuiAttached) { cellEditor.afterGuiAttached(); } }; RenderedCell.prototype.addInCellEditor = function () { utils_1.Utils.removeAllChildren(this.eGridCell); this.eGridCell.appendChild(this.cellEditor.getGui()); if (this.gridOptionsWrapper.isAngularCompileRows()) { this.$compile(this.eGridCell)(this.scope); } }; RenderedCell.prototype.addPopupCellEditor = function () { var _this = this; var ePopupGui = this.cellEditor.getGui(); this.hideEditorPopup = this.popupService.addAsModalPopup(ePopupGui, true, // callback for when popup disappears function () { // we only call stopEditing if we are editing, as // it's possible the popup called 'stop editing' // before this, eg if 'enter key' was pressed on // the editor if (_this.editingCell) { _this.onPopupEditorClosed(); } }); this.popupService.positionPopupOverComponent({ eventSource: this.eGridCell, ePopup: ePopupGui, keepWithinBounds: true }); if (this.gridOptionsWrapper.isAngularCompileRows()) { this.$compile(ePopupGui)(this.scope); } }; RenderedCell.prototype.focusCell = function (forceBrowserFocus) { this.focusedCellController.setFocusedCell(this.rowIndex, this.column, this.node.floating, forceBrowserFocus); }; // pass in 'true' to cancel the editing. RenderedCell.prototype.stopEditing = function (cancel) { if (cancel === void 0) { cancel = false; } if (!this.editingCell) { return; } this.editingCell = false; // also have another option here to cancel after editing, so for example user could have a popup editor and // it is closed by user clicking outside the editor. then the editor will close automatically (with false // passed above) and we need to see if the editor wants to accept the new value. var cancelAfterEnd = this.cellEditor.isCancelAfterEnd && this.cellEditor.isCancelAfterEnd(); var acceptNewValue = !cancel && !cancelAfterEnd; if (acceptNewValue) { var newValue = this.cellEditor.getValue(); this.valueService.setValue(this.node, this.column, newValue); this.value = this.getValue(); } if (this.cellEditor.destroy) { this.cellEditor.destroy(); } if (this.cellEditorInPopup) { this.hideEditorPopup(); this.hideEditorPopup = null; } else { utils_1.Utils.removeAllChildren(this.eGridCell); // put the cell back the way it was before editing if (this.checkboxSelection) { // if wrapper, then put the wrapper back this.eGridCell.appendChild(this.eCellWrapper); } else { // if cellRenderer, then put the gui back in. if the renderer has // a refresh, it will be called. however if it doesn't, then later // the renderer will be destroyed and a new one will be created. if (this.cellRenderer) { this.eGridCell.appendChild(this.cellRenderer.getGui()); } } } this.setInlineEditingClass(); this.refreshCell(); }; RenderedCell.prototype.createParams = function () { var params = { node: this.node, data: this.node.data, value: this.value, rowIndex: this.rowIndex, colDef: this.column.getColDef(), $scope: this.scope, context: this.gridOptionsWrapper.getContext(), api: this.gridApi, columnApi: this.columnApi }; return params; }; RenderedCell.prototype.createEvent = function (event, eventSource) { var agEvent = this.createParams(); agEvent.event = event; //agEvent.eventSource = eventSource; return agEvent; }; RenderedCell.prototype.isCellEditable = function () { if (this.editingCell) { return false; } // never allow editing of groups if (this.node.group) { return false; } return this.column.isCellEditable(this.node); }; RenderedCell.prototype.onMouseEvent = function (eventName, mouseEvent, eventSource) { switch (eventName) { case 'click': this.onCellClicked(mouseEvent); break; case 'mousedown': this.onMouseDown(); break; case 'dblclick': this.onCellDoubleClicked(mouseEvent, eventSource); break; case 'contextmenu': this.onContextMenu(mouseEvent); break; } }; RenderedCell.prototype.onContextMenu = function (mouseEvent) { // to allow us to debug in chrome, we ignore the event if ctrl is pressed, // thus the normal menu is displayed if (mouseEvent.ctrlKey || mouseEvent.metaKey) { return; } var colDef = this.column.getColDef(); var agEvent = this.createEvent(mouseEvent); this.eventService.dispatchEvent(events_1.Events.EVENT_CELL_CONTEXT_MENU, agEvent); if (colDef.onCellContextMenu) { colDef.onCellContextMenu(agEvent); } if (this.contextMenuFactory && !this.gridOptionsWrapper.isSuppressContextMenu()) { this.contextMenuFactory.showMenu(this.node, this.column, this.value, mouseEvent); mouseEvent.preventDefault(); } }; RenderedCell.prototype.onCellDoubleClicked = function (mouseEvent, eventSource) { var colDef = this.column.getColDef(); // always dispatch event to eventService var agEvent = this.createEvent(mouseEvent, eventSource); this.eventService.dispatchEvent(events_1.Events.EVENT_CELL_DOUBLE_CLICKED, agEvent); // check if colDef also wants to handle event if (typeof colDef.onCellDoubleClicked === 'function') { colDef.onCellDoubleClicked(agEvent); } if (!this.gridOptionsWrapper.isSingleClickEdit()) { this.startEditingIfEnabled(); } }; RenderedCell.prototype.onMouseDown = function () { // we pass false to focusCell, as we don't want the cell to focus // also get the browser focus. if we did, then the cellRenderer could // have a text field in it, for example, and as the user clicks on the // text field, the text field, the focus doesn't get to the text // field, instead to goes to the div behind, making it impossible to // select the text field. this.focusCell(false); // if it's a right click, then if the cell is already in range, // don't change the range, however if the cell is not in a range, // we set a new range if (this.rangeController) { var thisCell = this.gridCell; var cellAlreadyInRange = this.rangeController.isCellInAnyRange(thisCell); if (!cellAlreadyInRange) { this.rangeController.setRangeToCell(thisCell); } } }; RenderedCell.prototype.onCellClicked = function (mouseEvent) { var agEvent = this.createEvent(mouseEvent, this); this.eventService.dispatchEvent(events_1.Events.EVENT_CELL_CLICKED, agEvent); var colDef = this.column.getColDef(); if (colDef.onCellClicked) { colDef.onCellClicked(agEvent); } if (this.gridOptionsWrapper.isSingleClickEdit()) { this.startEditingIfEnabled(); } }; // if we are editing inline, then we don't have the padding in the cell (set in the themes) // to allow the text editor full access to the entire cell RenderedCell.prototype.setInlineEditingClass = function () { var editingInline = this.editingCell && !this.cellEditorInPopup; utils_1.Utils.addOrRemoveCssClass(this.eGridCell, 'ag-cell-inline-editing', editingInline); utils_1.Utils.addOrRemoveCssClass(this.eGridCell, 'ag-cell-not-inline-editing', !editingInline); }; RenderedCell.prototype.populateCell = function () { // populate this.putDataIntoCell(); // style this.addStylesFromColDef(); this.addClassesFromColDef(); this.addClassesFromRules(); }; RenderedCell.prototype.addStylesFromColDef = function () { var colDef = this.column.getColDef(); if (colDef.cellStyle) { var cssToUse; if (typeof colDef.cellStyle === 'function') { var cellStyleParams = { value: this.value, data: this.node.data, node: this.node, colDef: colDef, column: this.column, $scope: this.scope, context: this.gridOptionsWrapper.getContext(), api: this.gridOptionsWrapper.getApi() }; var cellStyleFunc = colDef.cellStyle; cssToUse = cellStyleFunc(cellStyleParams); } else { cssToUse = colDef.cellStyle; } if (cssToUse) { utils_1.Utils.addStylesToElement(this.eGridCell, cssToUse); } } }; RenderedCell.prototype.addClassesFromColDef = function () { var _this = this; var colDef = this.column.getColDef(); if (colDef.cellClass) { var classToUse; if (typeof colDef.cellClass === 'function') { var cellClassParams = { value: this.value, data: this.node.data, node: this.node, colDef: colDef, $scope: this.scope, context: this.gridOptionsWrapper.getContext(), api: this.gridOptionsWrapper.getApi() }; var cellClassFunc = colDef.cellClass; classToUse = cellClassFunc(cellClassParams); } else { classToUse = colDef.cellClass; } if (typeof classToUse === 'string') { utils_1.Utils.addCssClass(this.eGridCell, classToUse); } else if (Array.isArray(classToUse)) { classToUse.forEach(function (cssClassItem) { utils_1.Utils.addCssClass(_this.eGridCell, cssClassItem); }); } } }; RenderedCell.prototype.addClassesFromRules = function () { var colDef = this.column.getColDef(); var classRules = colDef.cellClassRules; if (typeof classRules === 'object' && classRules !== null) { var params = { value: this.value, data: this.node.data, node: this.node, colDef: colDef, rowIndex: this.rowIndex, api: this.gridOptionsWrapper.getApi(), context: this.gridOptionsWrapper.getContext() }; var classNames = Object.keys(classRules); for (var i = 0; i < classNames.length; i++) { var className = classNames[i]; var rule = classRules[className]; var resultOfRule; if (typeof rule === 'string') { resultOfRule = this.expressionService.evaluate(rule, params); } else if (typeof rule === 'function') { resultOfRule = rule(params); } if (resultOfRule) { utils_1.Utils.addCssClass(this.eGridCell, className); } else { utils_1.Utils.removeCssClass(this.eGridCell, className); } } } }; RenderedCell.prototype.createParentOfValue = function () { if (this.checkboxSelection) { this.eCellWrapper = document.createElement('span'); utils_1.Utils.addCssClass(this.eCellWrapper, 'ag-cell-wrapper'); this.eGridCell.appendChild(this.eCellWrapper); var cbSelectionComponent = new checkboxSelectionComponent_1.CheckboxSelectionComponent(); this.context.wireBean(cbSelectionComponent); cbSelectionComponent.init({ rowNode: this.node }); this.eCellWrapper.appendChild(cbSelectionComponent.getGui()); this.addDestroyFunc(function () { return cbSelectionComponent.destroy(); }); // eventually we call eSpanWithValue.innerHTML = xxx, so cannot include the checkbox (above) in this span this.eSpanWithValue = document.createElement('span'); utils_1.Utils.addCssClass(this.eSpanWithValue, 'ag-cell-value'); this.eCellWrapper.appendChild(this.eSpanWithValue); this.eParentOfValue = this.eSpanWithValue; } else { utils_1.Utils.addCssClass(this.eGridCell, 'ag-cell-value'); this.eParentOfValue = this.eGridCell; } }; RenderedCell.prototype.isVolatile = function () { return this.column.getColDef().volatile; }; RenderedCell.prototype.refreshCell = function (animate, newData) { if (animate === void 0) { animate = false; } if (newData === void 0) { newData = false; } this.value = this.getValue(); // if it's 'new data', then we don't refresh the cellRenderer, even if refresh method is available. // this is because if the whole data is new (ie we are showing stock price 'BBA' now and not 'SSD') // then we are not showing a movement in the stock price, rather we are showing different stock. if (!newData && this.cellRenderer && this.cellRenderer.refresh) { // if the cell renderer has a refresh method, we call this instead of doing a refresh // note: should pass in params here instead of value?? so that client has formattedValue var valueFormatted = this.formatValue(this.value); var cellRendererParams = this.column.getColDef().cellRendererParams; var params = this.createRendererAndRefreshParams(valueFormatted, cellRendererParams); this.cellRenderer.refresh(params); // need to check rules. note, we ignore colDef classes and styles, these are assumed to be static this.addClassesFromRules(); } else { // otherwise we rip out the cell and replace it utils_1.Utils.removeAllChildren(this.eParentOfValue); // remove old renderer component if it exists if (this.cellRenderer && this.cellRenderer.destroy) { this.cellRenderer.destroy(); } this.cellRenderer = null; this.populateCell(); // if angular compiling, then need to also compile the cell again (angular compiling sucks, please wait...) if (this.gridOptionsWrapper.isAngularCompileRows()) { this.$compile(this.eGridCell)(this.scope); } } if (animate) { this.animateCellWithDataChanged(); } }; RenderedCell.prototype.putDataIntoCell = function () { // template gets preference, then cellRenderer, then do it ourselves var colDef = this.column.getColDef(); var valueFormatted = this.valueFormatterService.formatValue(this.column, this.node, this.scope, this.rowIndex, this.value); if (colDef.template) { this.eParentOfValue.innerHTML = colDef.template; } else if (colDef.templateUrl) { var template = this.templateService.getTemplate(colDef.templateUrl, this.refreshCell.bind(this, true)); if (template) { this.eParentOfValue.innerHTML = template; } } else if (colDef.floatingCellRenderer && this.node.floating) { this.useCellRenderer(colDef.floatingCellRenderer, colDef.floatingCellRendererParams, valueFormatted); } else if (colDef.cellRenderer) { this.useCellRenderer(colDef.cellRenderer, colDef.cellRendererParams, valueFormatted); } else { // if we insert undefined, then it displays as the string 'undefined', ugly! var valueToRender = utils_1.Utils.exists(valueFormatted) ? valueFormatted : this.value; if (utils_1.Utils.exists(valueToRender) && valueToRender !== '') { this.eParentOfValue.innerHTML = valueToRender.toString(); } } if (colDef.tooltipField) { var data = this.getDataForRow(); var tooltip = data[colDef.tooltipField]; this.eParentOfValue.setAttribute('title', tooltip); } }; RenderedCell.prototype.formatValue = function (value) { return this.valueFormatterService.formatValue(this.column, this.node, this.scope, this.rowIndex, value); }; RenderedCell.prototype.createRendererAndRefreshParams = function (valueFormatted, cellRendererParams) { var params = { value: this.value, valueFormatted: valueFormatted, valueGetter: this.getValue, formatValue: this.formatValue.bind(this), data: this.node.data, node: this.node, colDef: this.column.getColDef(), column: this.column, $scope: this.scope, rowIndex: this.rowIndex, api: this.gridOptionsWrapper.getApi(), columnApi: this.gridOptionsWrapper.getColumnApi(), context: this.gridOptionsWrapper.getContext(), refreshCell: this.refreshCell.bind(this), eGridCell: this.eGridCell, eParentOfValue: this.eParentOfValue, addRenderedRowListener: this.renderedRow.addEventListener.bind(this.renderedRow) }; if (cellRendererParams) { utils_1.Utils.assign(params, cellRendererParams); } return params; }; RenderedCell.prototype.useCellRenderer = function (cellRendererKey, cellRendererParams, valueFormatted) { var params = this.createRendererAndRefreshParams(valueFormatted, cellRendererParams); this.cellRenderer = this.cellRendererService.useCellRenderer(cellRendererKey, this.eParentOfValue, params); }; RenderedCell.prototype.addClasses = function () { utils_1.Utils.addCssClass(this.eGridCell, 'ag-cell'); this.eGridCell.setAttribute("colId", this.column.getColId()); if (this.node.group && this.node.footer) { utils_1.Utils.addCssClass(this.eGridCell, 'ag-footer-cell'); } if (this.node.group && !this.node.footer) { utils_1.Utils.addCssClass(this.eGridCell, 'ag-group-cell'); } }; RenderedCell.PRINTABLE_CHARACTERS = 'qwertyuiopasdfghjklzxcvbnmQWERTYUIOPASDFGHJKLZXCVBNM1234567890!"£$%^&*()_+-=[];\'#,./\|<>?:@~{}'; __decorate([ context_1.Autowired('context'), __metadata('design:type', context_1.Context) ], RenderedCell.prototype, "context", void 0); __decorate([ context_1.Autowired('columnApi'), __metadata('design:type', columnController_1.ColumnApi) ], RenderedCell.prototype, "columnApi", void 0); __decorate([ context_1.Autowired('gridApi'), __metadata('design:type', gridApi_1.GridApi) ], RenderedCell.prototype, "gridApi", void 0); __decorate([ context_1.Autowired('gridOptionsWrapper'), __metadata('design:type', gridOptionsWrapper_1.GridOptionsWrapper) ], RenderedCell.prototype, "gridOptionsWrapper", void 0); __decorate([ context_1.Autowired('expressionService'), __metadata('design:type', expressionService_1.ExpressionService) ], RenderedCell.prototype, "expressionService", void 0); __decorate([ context_1.Autowired('rowRenderer'), __metadata('design:type', rowRenderer_1.RowRenderer) ], RenderedCell.prototype, "rowRenderer", void 0); __decorate([ context_1.Autowired('$compile'), __metadata('design:type', Object) ], RenderedCell.prototype, "$compile", void 0); __decorate([ context_1.Autowired('templateService'), __metadata('design:type', templateService_1.TemplateService) ], RenderedCell.prototype, "templateService", void 0); __decorate([ context_1.Autowired('valueService'), __metadata('design:type', valueService_1.ValueService) ], RenderedCell.prototype, "valueService", void 0); __decorate([ context_1.Autowired('eventService'), __metadata('design:type', eventService_1.EventService) ], RenderedCell.prototype, "eventService", void 0); __decorate([ context_1.Autowired('columnController'), __metadata('design:type', columnController_1.ColumnController) ], RenderedCell.prototype, "columnController", void 0); __decorate([ context_1.Optional('rangeController'), __metadata('design:type', Object) ], RenderedCell.prototype, "rangeController", void 0); __decorate([ context_1.Autowired('focusedCellController'), __metadata('design:type', focusedCellController_1.FocusedCellController) ], RenderedCell.prototype, "focusedCellController", void 0); __decorate([ context_1.Optional('contextMenuFactory'), __metadata('design:type', Object) ], RenderedCell.prototype, "contextMenuFactory", void 0); __decorate([ context_1.Autowired('focusService'), __metadata('design:type', focusService_1.FocusService) ], RenderedCell.prototype, "focusService", void 0); __decorate([ context_1.Autowired('cellEditorFactory'), __metadata('design:type', cellEditorFactory_1.CellEditorFactory) ], RenderedCell.prototype, "cellEditorFactory", void 0); __decorate([ context_1.Autowired('cellRendererFactory'), __metadata('design:type', cellRendererFactory_1.CellRendererFactory) ], RenderedCell.prototype, "cellRendererFactory", void 0); __decorate([ context_1.Autowired('popupService'), __metadata('design:type', popupService_1.PopupService) ], RenderedCell.prototype, "popupService", void 0); __decorate([ context_1.Autowired('cellRendererService'), __metadata('design:type', cellRendererService_1.CellRendererService) ], RenderedCell.prototype, "cellRendererService", void 0); __decorate([ context_1.Autowired('valueFormatterService'), __metadata('design:type', valueFormatterService_1.ValueFormatterService) ], RenderedCell.prototype, "valueFormatterService", void 0); __decorate([ context_1.PostConstruct, __metadata('design:type', Function), __metadata('design:paramtypes', []), __metadata('design:returntype', void 0) ], RenderedCell.prototype, "init", null); return RenderedCell; })(component_1.Component); exports.RenderedCell = RenderedCell; /***/ }, /* 39 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __metadata = (this && this.__metadata) || function (k, v) { if (typeof Reflect === "object" && typeof Reflect.metadata === "function") return Reflect.metadata(k, v); }; var context_1 = __webpack_require__(6); var utils_1 = __webpack_require__(7); var gridCore_1 = __webpack_require__(40); var columnController_1 = __webpack_require__(13); var constants_1 = __webpack_require__(8); var gridCell_1 = __webpack_require__(33); // tracks when focus goes into a cell. cells listen to this, so they know to stop editing // if focus goes into another cell. var FocusService = (function () { function FocusService() { this.destroyMethods = []; this.listeners = []; } FocusService.prototype.addListener = function (listener) { this.listeners.push(listener); }; FocusService.prototype.removeListener = function (listener) { utils_1.Utils.removeFromArray(this.listeners, listener); }; FocusService.prototype.init = function () { var _this = this; var focusListener = function (focusEvent) { var gridCell = _this.getCellForFocus(focusEvent); if (gridCell) { _this.informListeners({ gridCell: gridCell }); } }; var eRootGui = this.gridCore.getRootGui(); eRootGui.addEventListener('focus', focusListener, true); this.destroyMethods.push(function () { eRootGui.removeEventListener('focus', focusListener); }); }; FocusService.prototype.getCellForFocus = function (focusEvent) { var column = null; var row = null; var floating = null; var that = this; var eTarget = focusEvent.target; while (eTarget) { checkRow(eTarget); checkColumn(eTarget); eTarget = eTarget.parentNode; } if (utils_1.Utils.exists(column) && utils_1.Utils.exists(row)) { var gridCell = new gridCell_1.GridCell(row, floating, column); return gridCell; } else { return null; } function checkRow(eTarget) { // match the column by checking a) it has a valid colId and b) it has the 'ag-cell' class var rowId = utils_1.Utils.getElementAttribute(eTarget, 'row'); if (utils_1.Utils.exists(rowId) && utils_1.Utils.containsClass(eTarget, 'ag-row')) { if (rowId.indexOf('ft') === 0) { floating = constants_1.Constants.FLOATING_TOP; rowId = rowId.substr(3); } else if (rowId.indexOf('fb') === 0) { floating = constants_1.Constants.FLOATING_BOTTOM; rowId = rowId.substr(3); } else { floating = null; } row = parseInt(rowId); } } function checkColumn(eTarget) { // match the column by checking a) it has a valid colId and b) it has the 'ag-cell' class var colId = utils_1.Utils.getElementAttribute(eTarget, 'colid'); if (utils_1.Utils.exists(colId) && utils_1.Utils.containsClass(eTarget, 'ag-cell')) { var foundColumn = that.columnController.getOriginalColumn(colId); if (foundColumn) { column = foundColumn; } } } }; FocusService.prototype.informListeners = function (event) { this.listeners.forEach(function (listener) { return listener(event); }); }; FocusService.prototype.destroy = function () { this.destroyMethods.forEach(function (destroyMethod) { return destroyMethod(); }); }; __decorate([ context_1.Autowired('gridCore'), __metadata('design:type', gridCore_1.GridCore) ], FocusService.prototype, "gridCore", void 0); __decorate([ context_1.Autowired('columnController'), __metadata('design:type', columnController_1.ColumnController) ], FocusService.prototype, "columnController", void 0); __decorate([ context_1.PostConstruct, __metadata('design:type', Function), __metadata('design:paramtypes', []), __metadata('design:returntype', void 0) ], FocusService.prototype, "init", null); __decorate([ context_1.PreDestroy, __metadata('design:type', Function), __metadata('design:paramtypes', []), __metadata('design:returntype', void 0) ], FocusService.prototype, "destroy", null); FocusService = __decorate([ context_1.Bean('focusService'), __metadata('design:paramtypes', []) ], FocusService); return FocusService; })(); exports.FocusService = FocusService; /***/ }, /* 40 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __metadata = (this && this.__metadata) || function (k, v) { if (typeof Reflect === "object" && typeof Reflect.metadata === "function") return Reflect.metadata(k, v); }; var __param = (this && this.__param) || function (paramIndex, decorator) { return function (target, key) { decorator(target, key, paramIndex); } }; var gridOptionsWrapper_1 = __webpack_require__(3); var paginationController_1 = __webpack_require__(41); var columnController_1 = __webpack_require__(13); var rowRenderer_1 = __webpack_require__(23); var filterManager_1 = __webpack_require__(43); var eventService_1 = __webpack_require__(4); var gridPanel_1 = __webpack_require__(24); var logger_1 = __webpack_require__(5); var constants_1 = __webpack_require__(8); var popupService_1 = __webpack_require__(44); var events_1 = __webpack_require__(10); var borderLayout_1 = __webpack_require__(30); var context_1 = __webpack_require__(6); var focusedCellController_1 = __webpack_require__(35); var component_1 = __webpack_require__(47); var GridCore = (function () { function GridCore(loggerFactory) { this.logger = loggerFactory.create('GridCore'); } GridCore.prototype.init = function () { var _this = this; // and the last bean, done in it's own section, as it's optional var toolPanelGui; var eSouthPanel = this.createSouthPanel(); if (this.toolPanel && !this.gridOptionsWrapper.isForPrint()) { toolPanelGui = this.toolPanel.getGui(); } var rowGroupGui; if (this.rowGroupCompFactory) { this.rowGroupComp = this.rowGroupCompFactory.create(); rowGroupGui = this.rowGroupComp.getGui(); } this.eRootPanel = new borderLayout_1.BorderLayout({ center: this.gridPanel.getLayout(), east: toolPanelGui, north: rowGroupGui, south: eSouthPanel, dontFill: this.gridOptionsWrapper.isForPrint(), name: 'eRootPanel' }); // see what the grid options are for default of toolbar this.showToolPanel(this.gridOptionsWrapper.isShowToolPanel()); this.eGridDiv.appendChild(this.eRootPanel.getGui()); // if using angular, watch for quickFilter changes if (this.$scope) { this.$scope.$watch(this.quickFilterOnScope, function (newFilter) { return _this.filterManager.setQuickFilter(newFilter); }); } if (!this.gridOptionsWrapper.isForPrint()) { this.addWindowResizeListener(); } this.doLayout(); this.finished = false; this.periodicallyDoLayout(); this.eventService.addEventListener(events_1.Events.EVENT_COLUMN_ROW_GROUP_CHANGED, this.onRowGroupChanged.bind(this)); this.eventService.addEventListener(events_1.Events.EVENT_COLUMN_EVERYTHING_CHANGED, this.onRowGroupChanged.bind(this)); this.onRowGroupChanged(); this.logger.log('ready'); }; GridCore.prototype.getRootGui = function () { return this.eRootPanel.getGui(); }; GridCore.prototype.createSouthPanel = function () { if (!this.statusBar && this.gridOptionsWrapper.isEnableStatusBar()) { console.warn('ag-Grid: status bar is only available in ag-Grid-Enterprise'); } var statusBarEnabled = this.statusBar && this.gridOptionsWrapper.isEnableStatusBar(); var paginationPanelEnabled = this.gridOptionsWrapper.isRowModelPagination() && !this.gridOptionsWrapper.isForPrint(); if (!statusBarEnabled && !paginationPanelEnabled) { return null; } var eSouthPanel = document.createElement('div'); if (statusBarEnabled) { eSouthPanel.appendChild(this.statusBar.getGui()); } if (paginationPanelEnabled) { eSouthPanel.appendChild(this.paginationController.getGui()); } return eSouthPanel; }; GridCore.prototype.onRowGroupChanged = function () { if (!this.rowGroupComp) { return; } var rowGroupPanelShow = this.gridOptionsWrapper.getRowGroupPanelShow(); if (rowGroupPanelShow === constants_1.Constants.ALWAYS) { this.eRootPanel.setNorthVisible(true); } else if (rowGroupPanelShow === constants_1.Constants.ONLY_WHEN_GROUPING) { var grouping = !this.columnController.isRowGroupEmpty(); this.eRootPanel.setNorthVisible(grouping); } else { this.eRootPanel.setNorthVisible(false); } }; GridCore.prototype.addWindowResizeListener = function () { var that = this; // putting this into a function, so when we remove the function, // we are sure we are removing the exact same function (i'm not // sure what 'bind' does to the function reference, if it's safe // the result from 'bind'). this.windowResizeListener = function resizeListener() { that.doLayout(); }; window.addEventListener('resize', this.windowResizeListener); }; GridCore.prototype.periodicallyDoLayout = function () { if (!this.finished) { var that = this; setTimeout(function () { that.doLayout(); that.gridPanel.periodicallyCheck(); that.periodicallyDoLayout(); }, 500); } }; GridCore.prototype.showToolPanel = function (show) { if (show && !this.toolPanel) { console.warn('ag-Grid: toolPanel is only available in ag-Grid Enterprise'); this.toolPanelShowing = false; return; } this.toolPanelShowing = show; this.eRootPanel.setEastVisible(show); }; GridCore.prototype.isToolPanelShowing = function () { return this.toolPanelShowing; }; GridCore.prototype.destroy = function () { if (this.windowResizeListener) { window.removeEventListener('resize', this.windowResizeListener); this.logger.log('Removing windowResizeListener'); } this.finished = true; this.eGridDiv.removeChild(this.eRootPanel.getGui()); this.logger.log('Grid DOM removed'); }; GridCore.prototype.ensureNodeVisible = function (comparator) { if (this.doingVirtualPaging) { throw 'Cannot use ensureNodeVisible when doing virtual paging, as we cannot check rows that are not in memory'; } // look for the node index we want to display var rowCount = this.rowModel.getRowCount(); var comparatorIsAFunction = typeof comparator === 'function'; var indexToSelect = -1; // go through all the nodes, find the one we want to show for (var i = 0; i < rowCount; i++) { var node = this.rowModel.getRow(i); if (comparatorIsAFunction) { if (comparator(node)) { indexToSelect = i; break; } } else { // check object equality against node and data if (comparator === node || comparator === node.data) { indexToSelect = i; break; } } } if (indexToSelect >= 0) { this.gridPanel.ensureIndexVisible(indexToSelect); } }; GridCore.prototype.doLayout = function () { // need to do layout first, as drawVirtualRows and setPinnedColHeight // need to know the result of the resizing of the panels. var sizeChanged = this.eRootPanel.doLayout(); // both of the two below should be done in gridPanel, the gridPanel should register 'resize' to the panel if (sizeChanged) { this.rowRenderer.drawVirtualRows(); var event = { clientWidth: this.eRootPanel.getGui().clientWidth, clientHeight: this.eRootPanel.getGui().clientHeight }; this.eventService.dispatchEvent(events_1.Events.EVENT_GRID_SIZE_CHANGED, event); } }; __decorate([ context_1.Autowired('gridOptions'), __metadata('design:type', Object) ], GridCore.prototype, "gridOptions", void 0); __decorate([ context_1.Autowired('gridOptionsWrapper'), __metadata('design:type', gridOptionsWrapper_1.GridOptionsWrapper) ], GridCore.prototype, "gridOptionsWrapper", void 0); __decorate([ context_1.Autowired('paginationController'), __metadata('design:type', paginationController_1.PaginationController) ], GridCore.prototype, "paginationController", void 0); __decorate([ context_1.Autowired('rowModel'), __metadata('design:type', Object) ], GridCore.prototype, "rowModel", void 0); __decorate([ context_1.Autowired('columnController'), __metadata('design:type', columnController_1.ColumnController) ], GridCore.prototype, "columnController", void 0); __decorate([ context_1.Autowired('rowRenderer'), __metadata('design:type', rowRenderer_1.RowRenderer) ], GridCore.prototype, "rowRenderer", void 0); __decorate([ context_1.Autowired('filterManager'), __metadata('design:type', filterManager_1.FilterManager) ], GridCore.prototype, "filterManager", void 0); __decorate([ context_1.Autowired('eventService'), __metadata('design:type', eventService_1.EventService) ], GridCore.prototype, "eventService", void 0); __decorate([ context_1.Autowired('gridPanel'), __metadata('design:type', gridPanel_1.GridPanel) ], GridCore.prototype, "gridPanel", void 0); __decorate([ context_1.Autowired('eGridDiv'), __metadata('design:type', HTMLElement) ], GridCore.prototype, "eGridDiv", void 0); __decorate([ context_1.Autowired('$scope'), __metadata('design:type', Object) ], GridCore.prototype, "$scope", void 0); __decorate([ context_1.Autowired('quickFilterOnScope'), __metadata('design:type', String) ], GridCore.prototype, "quickFilterOnScope", void 0); __decorate([ context_1.Autowired('popupService'), __metadata('design:type', popupService_1.PopupService) ], GridCore.prototype, "popupService", void 0); __decorate([ context_1.Autowired('focusedCellController'), __metadata('design:type', focusedCellController_1.FocusedCellController) ], GridCore.prototype, "focusedCellController", void 0); __decorate([ context_1.Optional('rowGroupCompFactory'), __metadata('design:type', Object) ], GridCore.prototype, "rowGroupCompFactory", void 0); __decorate([ context_1.Optional('toolPanel'), __metadata('design:type', component_1.Component) ], GridCore.prototype, "toolPanel", void 0); __decorate([ context_1.Optional('statusBar'), __metadata('design:type', component_1.Component) ], GridCore.prototype, "statusBar", void 0); __decorate([ context_1.PostConstruct, __metadata('design:type', Function), __metadata('design:paramtypes', []), __metadata('design:returntype', void 0) ], GridCore.prototype, "init", null); __decorate([ context_1.PreDestroy, __metadata('design:type', Function), __metadata('design:paramtypes', []), __metadata('design:returntype', void 0) ], GridCore.prototype, "destroy", null); GridCore = __decorate([ context_1.Bean('gridCore'), __param(0, context_1.Qualifier('loggerFactory')), __metadata('design:paramtypes', [logger_1.LoggerFactory]) ], GridCore); return GridCore; })(); exports.GridCore = GridCore; /***/ }, /* 41 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __metadata = (this && this.__metadata) || function (k, v) { if (typeof Reflect === "object" && typeof Reflect.metadata === "function") return Reflect.metadata(k, v); }; var utils_1 = __webpack_require__(7); var gridOptionsWrapper_1 = __webpack_require__(3); var context_1 = __webpack_require__(6); var gridPanel_1 = __webpack_require__(24); var selectionController_1 = __webpack_require__(28); var context_2 = __webpack_require__(6); var sortController_1 = __webpack_require__(42); var context_3 = __webpack_require__(6); var eventService_1 = __webpack_require__(4); var events_1 = __webpack_require__(10); var filterManager_1 = __webpack_require__(43); var constants_1 = __webpack_require__(8); var template = '<div class="ag-paging-panel ag-font-style">' + '<span id="pageRowSummaryPanel" class="ag-paging-row-summary-panel">' + '<span id="firstRowOnPage"></span>' + ' [TO] ' + '<span id="lastRowOnPage"></span>' + ' [OF] ' + '<span id="recordCount"></span>' + '</span>' + '<span class="ag-paging-page-summary-panel">' + '<button type="button" class="ag-paging-button" id="btFirst">[FIRST]</button>' + '<button type="button" class="ag-paging-button" id="btPrevious">[PREVIOUS]</button>' + '[PAGE] ' + '<span id="current"></span>' + ' [OF] ' + '<span id="total"></span>' + '<button type="button" class="ag-paging-button" id="btNext">[NEXT]</button>' + '<button type="button" class="ag-paging-button" id="btLast">[LAST]</button>' + '</span>' + '</div>'; var PaginationController = (function () { function PaginationController() { } PaginationController.prototype.init = function () { var _this = this; // if we are doing pagination, we are guaranteed that the model type // is normal. if it is not, then this paginationController service // will never be called. if (this.rowModel.getType() === constants_1.Constants.ROW_MODEL_TYPE_NORMAL) { this.inMemoryRowModel = this.rowModel; } this.setupComponents(); this.callVersion = 0; var paginationEnabled = this.gridOptionsWrapper.isRowModelPagination(); this.eventService.addEventListener(events_1.Events.EVENT_FILTER_CHANGED, function () { if (paginationEnabled && _this.gridOptionsWrapper.isEnableServerSideFilter()) { _this.reset(); } }); this.eventService.addEventListener(events_1.Events.EVENT_SORT_CHANGED, function () { if (paginationEnabled && _this.gridOptionsWrapper.isEnableServerSideSorting()) { _this.reset(); } }); if (paginationEnabled && this.gridOptionsWrapper.getDatasource()) { this.setDatasource(this.gridOptionsWrapper.getDatasource()); } }; PaginationController.prototype.setDatasource = function (datasource) { this.datasource = datasource; if (!datasource) { // only continue if we have a valid datasource to work with return; } this.reset(); }; PaginationController.prototype.reset = function () { // important to return here, as the user could be setting filter or sort before // data-source is set if (utils_1.Utils.missing(this.datasource)) { return; } this.selectionController.reset(); // copy pageSize, to guard against it changing the the datasource between calls if (this.datasource.pageSize && typeof this.datasource.pageSize !== 'number') { console.warn('datasource.pageSize should be a number'); } this.pageSize = this.datasource.pageSize; // see if we know the total number of pages, or if it's 'to be decided' if (typeof this.datasource.rowCount === 'number' && this.datasource.rowCount >= 0) { this.rowCount = this.datasource.rowCount; this.foundMaxRow = true; this.calculateTotalPages(); } else { this.rowCount = 0; this.foundMaxRow = false; this.totalPages = null; } this.currentPage = 0; // hide the summary panel until something is loaded this.ePageRowSummaryPanel.style.visibility = 'hidden'; this.setTotalLabels(); this.loadPage(); }; // the native method number.toLocaleString(undefined, {minimumFractionDigits: 0}) puts in decimal places in IE PaginationController.prototype.myToLocaleString = function (input) { if (typeof input !== 'number') { return ''; } else { // took this from: http://blog.tompawlak.org/number-currency-formatting-javascript return input.toString().replace(/(\d)(?=(\d{3})+(?!\d))/g, "$1,"); } }; PaginationController.prototype.setTotalLabels = function () { if (this.foundMaxRow) { this.lbTotal.innerHTML = this.myToLocaleString(this.totalPages); this.lbRecordCount.innerHTML = this.myToLocaleString(this.rowCount); } else { var moreText = this.gridOptionsWrapper.getLocaleTextFunc()('more', 'more'); this.lbTotal.innerHTML = moreText; this.lbRecordCount.innerHTML = moreText; } }; PaginationController.prototype.calculateTotalPages = function () { this.totalPages = Math.floor((this.rowCount - 1) / this.pageSize) + 1; }; PaginationController.prototype.pageLoaded = function (rows, lastRowIndex) { var firstId = this.currentPage * this.pageSize; this.inMemoryRowModel.setRowData(rows, true, firstId); // see if we hit the last row if (!this.foundMaxRow && typeof lastRowIndex === 'number' && lastRowIndex >= 0) { this.foundMaxRow = true; this.rowCount = lastRowIndex; this.calculateTotalPages(); this.setTotalLabels(); // if overshot pages, go back if (this.currentPage > this.totalPages) { this.currentPage = this.totalPages - 1; this.loadPage(); } } this.enableOrDisableButtons(); this.updateRowLabels(); }; PaginationController.prototype.updateRowLabels = function () { var startRow; var endRow; if (this.isZeroPagesToDisplay()) { startRow = 0; endRow = 0; } else { startRow = (this.pageSize * this.currentPage) + 1; endRow = startRow + this.pageSize - 1; if (this.foundMaxRow && endRow > this.rowCount) { endRow = this.rowCount; } } this.lbFirstRowOnPage.innerHTML = this.myToLocaleString(startRow); this.lbLastRowOnPage.innerHTML = this.myToLocaleString(endRow); // show the summary panel, when first shown, this is blank this.ePageRowSummaryPanel.style.visibility = ""; }; PaginationController.prototype.loadPage = function () { this.enableOrDisableButtons(); var startRow = this.currentPage * this.datasource.pageSize; var endRow = (this.currentPage + 1) * this.datasource.pageSize; this.lbCurrent.innerHTML = this.myToLocaleString(this.currentPage + 1); this.callVersion++; var callVersionCopy = this.callVersion; var that = this; this.gridPanel.showLoadingOverlay(); var sortModel; if (this.gridOptionsWrapper.isEnableServerSideSorting()) { sortModel = this.sortController.getSortModel(); } var filterModel; if (this.gridOptionsWrapper.isEnableServerSideFilter()) { filterModel = this.filterManager.getFilterModel(); } var params = { startRow: startRow, endRow: endRow, successCallback: successCallback, failCallback: failCallback, sortModel: sortModel, filterModel: filterModel, context: this.gridOptionsWrapper.getContext() }; // check if old version of datasource used var getRowsParams = utils_1.Utils.getFunctionParameters(this.datasource.getRows); if (getRowsParams.length > 1) { console.warn('ag-grid: It looks like your paging datasource is of the old type, taking more than one parameter.'); console.warn('ag-grid: From ag-grid 1.9.0, now the getRows takes one parameter. See the documentation for details.'); } this.datasource.getRows(params); function successCallback(rows, lastRowIndex) { if (that.isCallDaemon(callVersionCopy)) { return; } that.pageLoaded(rows, lastRowIndex); } function failCallback() { if (that.isCallDaemon(callVersionCopy)) { return; } // set in an empty set of rows, this will at // least get rid of the loading panel, and // stop blocking things that.inMemoryRowModel.setRowData([], true); } }; PaginationController.prototype.isCallDaemon = function (versionCopy) { return versionCopy !== this.callVersion; }; PaginationController.prototype.onBtNext = function () { this.currentPage++; this.loadPage(); }; PaginationController.prototype.onBtPrevious = function () { this.currentPage--; this.loadPage(); }; PaginationController.prototype.onBtFirst = function () { this.currentPage = 0; this.loadPage(); }; PaginationController.prototype.onBtLast = function () { this.currentPage = this.totalPages - 1; this.loadPage(); }; PaginationController.prototype.isZeroPagesToDisplay = function () { return this.foundMaxRow && this.totalPages === 0; }; PaginationController.prototype.enableOrDisableButtons = function () { var disablePreviousAndFirst = this.currentPage === 0; this.btPrevious.disabled = disablePreviousAndFirst; this.btFirst.disabled = disablePreviousAndFirst; var zeroPagesToDisplay = this.isZeroPagesToDisplay(); var onLastPage = this.foundMaxRow && this.currentPage === (this.totalPages - 1); var disableNext = onLastPage || zeroPagesToDisplay; this.btNext.disabled = disableNext; var disableLast = !this.foundMaxRow || zeroPagesToDisplay || this.currentPage === (this.totalPages - 1); this.btLast.disabled = disableLast; }; PaginationController.prototype.createTemplate = function () { var localeTextFunc = this.gridOptionsWrapper.getLocaleTextFunc(); return template .replace('[PAGE]', localeTextFunc('page', 'Page')) .replace('[TO]', localeTextFunc('to', 'to')) .replace('[OF]', localeTextFunc('of', 'of')) .replace('[OF]', localeTextFunc('of', 'of')) .replace('[FIRST]', localeTextFunc('first', 'First')) .replace('[PREVIOUS]', localeTextFunc('previous', 'Previous')) .replace('[NEXT]', localeTextFunc('next', 'Next')) .replace('[LAST]', localeTextFunc('last', 'Last')); }; PaginationController.prototype.getGui = function () { return this.eGui; }; PaginationController.prototype.setupComponents = function () { this.eGui = utils_1.Utils.loadTemplate(this.createTemplate()); this.btNext = this.eGui.querySelector('#btNext'); this.btPrevious = this.eGui.querySelector('#btPrevious'); this.btFirst = this.eGui.querySelector('#btFirst'); this.btLast = this.eGui.querySelector('#btLast'); this.lbCurrent = this.eGui.querySelector('#current'); this.lbTotal = this.eGui.querySelector('#total'); this.lbRecordCount = this.eGui.querySelector('#recordCount'); this.lbFirstRowOnPage = this.eGui.querySelector('#firstRowOnPage'); this.lbLastRowOnPage = this.eGui.querySelector('#lastRowOnPage'); this.ePageRowSummaryPanel = this.eGui.querySelector('#pageRowSummaryPanel'); var that = this; this.btNext.addEventListener('click', function () { that.onBtNext(); }); this.btPrevious.addEventListener('click', function () { that.onBtPrevious(); }); this.btFirst.addEventListener('click', function () { that.onBtFirst(); }); this.btLast.addEventListener('click', function () { that.onBtLast(); }); }; __decorate([ context_2.Autowired('filterManager'), __metadata('design:type', filterManager_1.FilterManager) ], PaginationController.prototype, "filterManager", void 0); __decorate([ context_2.Autowired('gridPanel'), __metadata('design:type', gridPanel_1.GridPanel) ], PaginationController.prototype, "gridPanel", void 0); __decorate([ context_2.Autowired('gridOptionsWrapper'), __metadata('design:type', gridOptionsWrapper_1.GridOptionsWrapper) ], PaginationController.prototype, "gridOptionsWrapper", void 0); __decorate([ context_2.Autowired('selectionController'), __metadata('design:type', selectionController_1.SelectionController) ], PaginationController.prototype, "selectionController", void 0); __decorate([ context_2.Autowired('sortController'), __metadata('design:type', sortController_1.SortController) ], PaginationController.prototype, "sortController", void 0); __decorate([ context_2.Autowired('eventService'), __metadata('design:type', eventService_1.EventService) ], PaginationController.prototype, "eventService", void 0); __decorate([ context_2.Autowired('rowModel'), __metadata('design:type', Object) ], PaginationController.prototype, "rowModel", void 0); __decorate([ context_3.PostConstruct, __metadata('design:type', Function), __metadata('design:paramtypes', []), __metadata('design:returntype', void 0) ], PaginationController.prototype, "init", null); PaginationController = __decorate([ context_1.Bean('paginationController'), __metadata('design:paramtypes', []) ], PaginationController); return PaginationController; })(); exports.PaginationController = PaginationController; /***/ }, /* 42 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __metadata = (this && this.__metadata) || function (k, v) { if (typeof Reflect === "object" && typeof Reflect.metadata === "function") return Reflect.metadata(k, v); }; var column_1 = __webpack_require__(15); var context_1 = __webpack_require__(6); var gridOptionsWrapper_1 = __webpack_require__(3); var columnController_1 = __webpack_require__(13); var eventService_1 = __webpack_require__(4); var events_1 = __webpack_require__(10); var context_2 = __webpack_require__(6); var utils_1 = __webpack_require__(7); var SortController = (function () { function SortController() { } SortController.prototype.progressSort = function (column, multiSort) { // update sort on current col column.setSort(this.getNextSortDirection(column)); // sortedAt used for knowing order of cols when multi-col sort if (column.getSort()) { column.setSortedAt(new Date().valueOf()); } else { column.setSortedAt(null); } var doingMultiSort = multiSort && !this.gridOptionsWrapper.isSuppressMultiSort(); // clear sort on all columns except this one, and update the icons if (!doingMultiSort) { this.clearSortBarThisColumn(column); } this.dispatchSortChangedEvents(); }; SortController.prototype.dispatchSortChangedEvents = function () { this.eventService.dispatchEvent(events_1.Events.EVENT_BEFORE_SORT_CHANGED); this.eventService.dispatchEvent(events_1.Events.EVENT_SORT_CHANGED); this.eventService.dispatchEvent(events_1.Events.EVENT_AFTER_SORT_CHANGED); }; SortController.prototype.clearSortBarThisColumn = function (columnToSkip) { this.columnController.getAllColumnsIncludingAuto().forEach(function (columnToClear) { // Do not clear if either holding shift, or if column in question was clicked if (!(columnToClear === columnToSkip)) { columnToClear.setSort(null); } }); }; SortController.prototype.getNextSortDirection = function (column) { var sortingOrder; if (column.getColDef().sortingOrder) { sortingOrder = column.getColDef().sortingOrder; } else if (this.gridOptionsWrapper.getSortingOrder()) { sortingOrder = this.gridOptionsWrapper.getSortingOrder(); } else { sortingOrder = SortController.DEFAULT_SORTING_ORDER; } if (!Array.isArray(sortingOrder) || sortingOrder.length <= 0) { console.warn('ag-grid: sortingOrder must be an array with at least one element, currently it\'s ' + sortingOrder); return; } var currentIndex = sortingOrder.indexOf(column.getSort()); var notInArray = currentIndex < 0; var lastItemInArray = currentIndex == sortingOrder.length - 1; var result; if (notInArray || lastItemInArray) { result = sortingOrder[0]; } else { result = sortingOrder[currentIndex + 1]; } // verify the sort type exists, as the user could provide the sortOrder, need to make sure it's valid if (SortController.DEFAULT_SORTING_ORDER.indexOf(result) < 0) { console.warn('ag-grid: invalid sort type ' + result); return null; } return result; }; // used by the public api, for saving the sort model SortController.prototype.getSortModel = function () { var columnsWithSorting = this.getColumnsWithSortingOrdered(); return utils_1.Utils.map(columnsWithSorting, function (column) { return { colId: column.getColId(), sort: column.getSort() }; }); }; SortController.prototype.setSortModel = function (sortModel) { if (!this.gridOptionsWrapper.isEnableSorting()) { console.warn('ag-grid: You are setting the sort model on a grid that does not have sorting enabled'); return; } // first up, clear any previous sort var sortModelProvided = sortModel && sortModel.length > 0; var allColumnsIncludingAuto = this.columnController.getAllColumnsIncludingAuto(); allColumnsIncludingAuto.forEach(function (column) { var sortForCol = null; var sortedAt = -1; if (sortModelProvided && !column.getColDef().suppressSorting) { for (var j = 0; j < sortModel.length; j++) { var sortModelEntry = sortModel[j]; if (typeof sortModelEntry.colId === 'string' && typeof column.getColId() === 'string' && sortModelEntry.colId === column.getColId()) { sortForCol = sortModelEntry.sort; sortedAt = j; } } } if (sortForCol) { column.setSort(sortForCol); column.setSortedAt(sortedAt); } else { column.setSort(null); column.setSortedAt(null); } }); this.dispatchSortChangedEvents(); }; SortController.prototype.getColumnsWithSortingOrdered = function () { // pull out all the columns that have sorting set var allColumnsIncludingAuto = this.columnController.getAllColumnsIncludingAuto(); var columnsWithSorting = utils_1.Utils.filter(allColumnsIncludingAuto, function (column) { return !!column.getSort(); }); // put the columns in order of which one got sorted first columnsWithSorting.sort(function (a, b) { return a.sortedAt - b.sortedAt; }); return columnsWithSorting; }; // used by row controller, when doing the sorting SortController.prototype.getSortForRowController = function () { var columnsWithSorting = this.getColumnsWithSortingOrdered(); return utils_1.Utils.map(columnsWithSorting, function (column) { var ascending = column.getSort() === column_1.Column.SORT_ASC; return { inverter: ascending ? 1 : -1, column: column }; }); }; SortController.DEFAULT_SORTING_ORDER = [column_1.Column.SORT_ASC, column_1.Column.SORT_DESC, null]; __decorate([ context_1.Autowired('gridOptionsWrapper'), __metadata('design:type', gridOptionsWrapper_1.GridOptionsWrapper) ], SortController.prototype, "gridOptionsWrapper", void 0); __decorate([ context_1.Autowired('columnController'), __metadata('design:type', columnController_1.ColumnController) ], SortController.prototype, "columnController", void 0); __decorate([ context_1.Autowired('eventService'), __metadata('design:type', eventService_1.EventService) ], SortController.prototype, "eventService", void 0); SortController = __decorate([ context_2.Bean('sortController'), __metadata('design:paramtypes', []) ], SortController); return SortController; })(); exports.SortController = SortController; /***/ }, /* 43 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __metadata = (this && this.__metadata) || function (k, v) { if (typeof Reflect === "object" && typeof Reflect.metadata === "function") return Reflect.metadata(k, v); }; var utils_1 = __webpack_require__(7); var gridOptionsWrapper_1 = __webpack_require__(3); var popupService_1 = __webpack_require__(44); var valueService_1 = __webpack_require__(29); var columnController_1 = __webpack_require__(13); var textFilter_1 = __webpack_require__(45); var numberFilter_1 = __webpack_require__(46); var context_1 = __webpack_require__(6); var eventService_1 = __webpack_require__(4); var events_1 = __webpack_require__(10); var FilterManager = (function () { function FilterManager() { this.allFilters = {}; this.quickFilter = null; this.availableFilters = { 'text': textFilter_1.TextFilter, 'number': numberFilter_1.NumberFilter }; } FilterManager.prototype.init = function () { this.eventService.addEventListener(events_1.Events.EVENT_ROW_DATA_CHANGED, this.onNewRowsLoaded.bind(this)); this.eventService.addEventListener(events_1.Events.EVENT_NEW_COLUMNS_LOADED, this.onNewColumnsLoaded.bind(this)); this.quickFilter = this.parseQuickFilter(this.gridOptionsWrapper.getQuickFilterText()); }; FilterManager.prototype.registerFilter = function (key, Filter) { this.availableFilters[key] = Filter; }; FilterManager.prototype.setFilterModel = function (model) { var _this = this; if (model) { // mark the filters as we set them, so any active filters left over we stop var modelKeys = Object.keys(model); utils_1.Utils.iterateObject(this.allFilters, function (colId, filterWrapper) { utils_1.Utils.removeFromArray(modelKeys, colId); var newModel = model[colId]; _this.setModelOnFilterWrapper(filterWrapper.filter, newModel); }); // at this point, processedFields contains data for which we don't have a filter working yet utils_1.Utils.iterateArray(modelKeys, function (colId) { var column = _this.columnController.getOriginalColumn(colId); if (!column) { console.warn('Warning ag-grid setFilterModel - no column found for colId ' + colId); return; } var filterWrapper = _this.getOrCreateFilterWrapper(column); _this.setModelOnFilterWrapper(filterWrapper.filter, model[colId]); }); } else { utils_1.Utils.iterateObject(this.allFilters, function (key, filterWrapper) { _this.setModelOnFilterWrapper(filterWrapper.filter, null); }); } this.onFilterChanged(); }; FilterManager.prototype.setModelOnFilterWrapper = function (filter, newModel) { // because user can provide filters, we provide useful error checking and messages if (typeof filter.getApi !== 'function') { console.warn('Warning ag-grid - filter missing getApi method, which is needed for getFilterModel'); return; } var filterApi = filter.getApi(); if (typeof filterApi.setModel !== 'function') { console.warn('Warning ag-grid - filter API missing setModel method, which is needed for setFilterModel'); return; } filterApi.setModel(newModel); }; FilterManager.prototype.getFilterModel = function () { var result = {}; utils_1.Utils.iterateObject(this.allFilters, function (key, filterWrapper) { // because user can provide filters, we provide useful error checking and messages if (typeof filterWrapper.filter.getApi !== 'function') { console.warn('Warning ag-grid - filter missing getApi method, which is needed for getFilterModel'); return; } var filterApi = filterWrapper.filter.getApi(); if (typeof filterApi.getModel !== 'function') { console.warn('Warning ag-grid - filter API missing getModel method, which is needed for getFilterModel'); return; } var model = filterApi.getModel(); if (utils_1.Utils.exists(model)) { result[key] = model; } }); return result; }; // returns true if any advanced filter (ie not quick filter) active FilterManager.prototype.isAdvancedFilterPresent = function () { var atLeastOneActive = false; utils_1.Utils.iterateObject(this.allFilters, function (key, filterWrapper) { if (!filterWrapper.filter.isFilterActive) { console.error('Filter is missing method isFilterActive'); } if (filterWrapper.filter.isFilterActive()) { atLeastOneActive = true; filterWrapper.column.setFilterActive(true); } else { filterWrapper.column.setFilterActive(false); } }); return atLeastOneActive; }; // returns true if quickFilter or advancedFilter FilterManager.prototype.isAnyFilterPresent = function () { return this.isQuickFilterPresent() || this.advancedFilterPresent || this.externalFilterPresent; }; FilterManager.prototype.doesFilterPass = function (node, filterToSkip) { var data = node.data; var colKeys = Object.keys(this.allFilters); for (var i = 0, l = colKeys.length; i < l; i++) { var colId = colKeys[i]; var filterWrapper = this.allFilters[colId]; // if no filter, always pass if (filterWrapper === undefined) { continue; } if (filterWrapper.filter === filterToSkip) { continue; } // don't bother with filters that are not active if (!filterWrapper.filter.isFilterActive()) { continue; } if (!filterWrapper.filter.doesFilterPass) { console.error('Filter is missing method doesFilterPass'); } var params = { node: node, data: data }; if (!filterWrapper.filter.doesFilterPass(params)) { return false; } } // all filters passed return true; }; FilterManager.prototype.parseQuickFilter = function (newFilter) { if (utils_1.Utils.missing(newFilter) || newFilter === "") { return null; } if (this.gridOptionsWrapper.isRowModelVirtual()) { console.warn('ag-grid: cannot do quick filtering when doing virtual paging'); return null; } return newFilter.toUpperCase(); }; // returns true if it has changed (not just same value again) FilterManager.prototype.setQuickFilter = function (newFilter) { var parsedFilter = this.parseQuickFilter(newFilter); if (this.quickFilter !== parsedFilter) { this.quickFilter = parsedFilter; this.onFilterChanged(); } }; FilterManager.prototype.onFilterChanged = function () { this.eventService.dispatchEvent(events_1.Events.EVENT_BEFORE_FILTER_CHANGED); this.advancedFilterPresent = this.isAdvancedFilterPresent(); this.externalFilterPresent = this.gridOptionsWrapper.isExternalFilterPresent(); utils_1.Utils.iterateObject(this.allFilters, function (key, filterWrapper) { if (filterWrapper.filter.onAnyFilterChanged) { filterWrapper.filter.onAnyFilterChanged(); } }); this.eventService.dispatchEvent(events_1.Events.EVENT_FILTER_CHANGED); this.eventService.dispatchEvent(events_1.Events.EVENT_AFTER_FILTER_CHANGED); }; FilterManager.prototype.isQuickFilterPresent = function () { return this.quickFilter !== null; }; FilterManager.prototype.doesRowPassOtherFilters = function (filterToSkip, node) { return this.doesRowPassFilter(node, filterToSkip); }; FilterManager.prototype.doesRowPassFilter = function (node, filterToSkip) { //first up, check quick filter if (this.isQuickFilterPresent()) { if (!node.quickFilterAggregateText) { this.aggregateRowForQuickFilter(node); } if (node.quickFilterAggregateText.indexOf(this.quickFilter) < 0) { //quick filter fails, so skip item return false; } } //secondly, give the client a chance to reject this row if (this.externalFilterPresent) { if (!this.gridOptionsWrapper.doesExternalFilterPass(node)) { return false; } } //lastly, check our internal advanced filter if (this.advancedFilterPresent) { if (!this.doesFilterPass(node, filterToSkip)) { return false; } } //got this far, all filters pass return true; }; FilterManager.prototype.aggregateRowForQuickFilter = function (node) { var aggregatedText = ''; var that = this; this.columnController.getAllOriginalColumns().forEach(function (column) { var value = that.valueService.getValue(column, node); if (value && value !== '') { aggregatedText = aggregatedText + value.toString().toUpperCase() + "_"; } }); node.quickFilterAggregateText = aggregatedText; }; FilterManager.prototype.onNewRowsLoaded = function () { var that = this; Object.keys(this.allFilters).forEach(function (field) { var filter = that.allFilters[field].filter; if (filter.onNewRowsLoaded) { filter.onNewRowsLoaded(); } }); }; FilterManager.prototype.createValueGetter = function (column) { var that = this; return function valueGetter(node) { return that.valueService.getValue(column, node); }; }; FilterManager.prototype.getFilterApi = function (column) { var filterWrapper = this.getOrCreateFilterWrapper(column); if (filterWrapper) { if (typeof filterWrapper.filter.getApi === 'function') { return filterWrapper.filter.getApi(); } } }; FilterManager.prototype.getOrCreateFilterWrapper = function (column) { var filterWrapper = this.allFilters[column.getColId()]; if (!filterWrapper) { filterWrapper = this.createFilterWrapper(column); this.allFilters[column.getColId()] = filterWrapper; } return filterWrapper; }; // destroys the filter, so it not longer takes par FilterManager.prototype.destroyFilter = function (column) { var filterWrapper = this.allFilters[column.getColId()]; if (filterWrapper) { if (filterWrapper.destroy) { filterWrapper.destroy(); } delete this.allFilters[column.getColId()]; this.onFilterChanged(); filterWrapper.column.setFilterActive(false); } }; FilterManager.prototype.createFilterWrapper = function (column) { var _this = this; var colDef = column.getColDef(); var filterWrapper = { column: column, filter: null, scope: null, gui: null }; if (typeof colDef.filter === 'function') { // if user provided a filter, just use it // first up, create child scope if needed if (this.gridOptionsWrapper.isAngularCompileFilters()) { filterWrapper.scope = this.$scope.$new(); filterWrapper.scope.context = this.gridOptionsWrapper.getContext(); } // now create filter (had to cast to any to get 'new' working) this.assertMethodHasNoParameters(colDef.filter); filterWrapper.filter = new colDef.filter(); } else if (utils_1.Utils.missing(colDef.filter) || typeof colDef.filter === 'string') { var Filter = this.getFilterFromCache(colDef.filter); filterWrapper.filter = new Filter(); } else { console.error('ag-Grid: colDef.filter should be function or a string'); } this.context.wireBean(filterWrapper.filter); var filterChangedCallback = this.onFilterChanged.bind(this); var filterModifiedCallback = function () { return _this.eventService.dispatchEvent(events_1.Events.EVENT_FILTER_MODIFIED); }; var doesRowPassOtherFilters = this.doesRowPassOtherFilters.bind(this, filterWrapper.filter); var filterParams = colDef.filterParams; var params = { column: column, colDef: colDef, rowModel: this.rowModel, filterChangedCallback: filterChangedCallback, filterModifiedCallback: filterModifiedCallback, filterParams: filterParams, localeTextFunc: this.gridOptionsWrapper.getLocaleTextFunc(), valueGetter: this.createValueGetter(column), doesRowPassOtherFilter: doesRowPassOtherFilters, context: this.gridOptionsWrapper.getContext(), $scope: filterWrapper.scope }; if (!filterWrapper.filter.init) { throw 'Filter is missing method init'; } filterWrapper.filter.init(params); if (!filterWrapper.filter.getGui) { throw 'Filter is missing method getGui'; } var eFilterGui = document.createElement('div'); eFilterGui.className = 'ag-filter'; var guiFromFilter = filterWrapper.filter.getGui(); if (utils_1.Utils.isNodeOrElement(guiFromFilter)) { //a dom node or element was returned, so add child eFilterGui.appendChild(guiFromFilter); } else { //otherwise assume it was html, so just insert var eTextSpan = document.createElement('span'); eTextSpan.innerHTML = guiFromFilter; eFilterGui.appendChild(eTextSpan); } if (filterWrapper.scope) { filterWrapper.gui = this.$compile(eFilterGui)(filterWrapper.scope)[0]; } else { filterWrapper.gui = eFilterGui; } return filterWrapper; }; FilterManager.prototype.getFilterFromCache = function (filterType) { var defaultFilterType = this.enterprise ? 'set' : 'text'; var defaultFilter = this.availableFilters[defaultFilterType]; if (utils_1.Utils.missing(filterType)) { return defaultFilter; } if (!this.enterprise && filterType === 'set') { console.warn('ag-Grid: Set filter is only available in Enterprise ag-Grid'); filterType = 'text'; } if (this.availableFilters[filterType]) { return this.availableFilters[filterType]; } else { console.error('ag-Grid: Could not find filter type ' + filterType); return this.availableFilters[defaultFilter]; } }; FilterManager.prototype.onNewColumnsLoaded = function () { this.destroy(); }; FilterManager.prototype.destroy = function () { utils_1.Utils.iterateObject(this.allFilters, function (key, filterWrapper) { if (filterWrapper.filter.destroy) { filterWrapper.filter.destroy(); filterWrapper.column.setFilterActive(false); } }); this.allFilters = {}; }; FilterManager.prototype.assertMethodHasNoParameters = function (theMethod) { var getRowsParams = utils_1.Utils.getFunctionParameters(theMethod); if (getRowsParams.length > 0) { console.warn('ag-grid: It looks like your filter is of the old type and expecting parameters in the constructor.'); console.warn('ag-grid: From ag-grid 1.14, the constructor should take no parameters and init() used instead.'); } }; __decorate([ context_1.Autowired('$compile'), __metadata('design:type', Object) ], FilterManager.prototype, "$compile", void 0); __decorate([ context_1.Autowired('$scope'), __metadata('design:type', Object) ], FilterManager.prototype, "$scope", void 0); __decorate([ context_1.Autowired('gridOptionsWrapper'), __metadata('design:type', gridOptionsWrapper_1.GridOptionsWrapper) ], FilterManager.prototype, "gridOptionsWrapper", void 0); __decorate([ context_1.Autowired('gridCore'), __metadata('design:type', Object) ], FilterManager.prototype, "gridCore", void 0); __decorate([ context_1.Autowired('popupService'), __metadata('design:type', popupService_1.PopupService) ], FilterManager.prototype, "popupService", void 0); __decorate([ context_1.Autowired('valueService'), __metadata('design:type', valueService_1.ValueService) ], FilterManager.prototype, "valueService", void 0); __decorate([ context_1.Autowired('columnController'), __metadata('design:type', columnController_1.ColumnController) ], FilterManager.prototype, "columnController", void 0); __decorate([ context_1.Autowired('rowModel'), __metadata('design:type', Object) ], FilterManager.prototype, "rowModel", void 0); __decorate([ context_1.Autowired('eventService'), __metadata('design:type', eventService_1.EventService) ], FilterManager.prototype, "eventService", void 0); __decorate([ context_1.Autowired('enterprise'), __metadata('design:type', Boolean) ], FilterManager.prototype, "enterprise", void 0); __decorate([ context_1.Autowired('context'), __metadata('design:type', context_1.Context) ], FilterManager.prototype, "context", void 0); __decorate([ context_1.PostConstruct, __metadata('design:type', Function), __metadata('design:paramtypes', []), __metadata('design:returntype', void 0) ], FilterManager.prototype, "init", null); __decorate([ context_1.PreDestroy, __metadata('design:type', Function), __metadata('design:paramtypes', []), __metadata('design:returntype', void 0) ], FilterManager.prototype, "destroy", null); FilterManager = __decorate([ context_1.Bean('filterManager'), __metadata('design:paramtypes', []) ], FilterManager); return FilterManager; })(); exports.FilterManager = FilterManager; /***/ }, /* 44 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __metadata = (this && this.__metadata) || function (k, v) { if (typeof Reflect === "object" && typeof Reflect.metadata === "function") return Reflect.metadata(k, v); }; var utils_1 = __webpack_require__(7); var constants_1 = __webpack_require__(8); var context_1 = __webpack_require__(6); var gridCore_1 = __webpack_require__(40); var PopupService = (function () { function PopupService() { } // this.popupService.setPopupParent(this.eRootPanel.getGui()); PopupService.prototype.getPopupParent = function () { return this.gridCore.getRootGui(); }; PopupService.prototype.positionPopupForMenu = function (params) { var sourceRect = params.eventSource.getBoundingClientRect(); var parentRect = this.getPopupParent().getBoundingClientRect(); var x = sourceRect.right - parentRect.left - 2; var y = sourceRect.top - parentRect.top; var minWidth; if (params.ePopup.clientWidth > 0) { minWidth = params.ePopup.clientWidth; } else { minWidth = 200; } var widthOfParent = parentRect.right - parentRect.left; var maxX = widthOfParent - minWidth; if (x > maxX) { // try putting menu to the left x = sourceRect.left - minWidth; } if (x < 0) { x = 0; } params.ePopup.style.left = x + "px"; params.ePopup.style.top = y + "px"; }; PopupService.prototype.positionPopupUnderMouseEvent = function (params) { var parentRect = this.getPopupParent().getBoundingClientRect(); this.positionPopup({ ePopup: params.ePopup, x: params.mouseEvent.clientX - parentRect.left, y: params.mouseEvent.clientY - parentRect.top, keepWithinBounds: true }); }; PopupService.prototype.positionPopupUnderComponent = function (params) { var sourceRect = params.eventSource.getBoundingClientRect(); var parentRect = this.getPopupParent().getBoundingClientRect(); this.positionPopup({ ePopup: params.ePopup, minWidth: params.minWidth, nudgeX: params.nudgeX, nudgeY: params.nudgeY, x: sourceRect.left - parentRect.left, y: sourceRect.top - parentRect.top + sourceRect.height, keepWithinBounds: params.keepWithinBounds }); }; PopupService.prototype.positionPopupOverComponent = function (params) { var sourceRect = params.eventSource.getBoundingClientRect(); var parentRect = this.getPopupParent().getBoundingClientRect(); this.positionPopup({ ePopup: params.ePopup, minWidth: params.minWidth, nudgeX: params.nudgeX, nudgeY: params.nudgeY, x: sourceRect.left - parentRect.left, y: sourceRect.top - parentRect.top, keepWithinBounds: params.keepWithinBounds }); }; PopupService.prototype.positionPopup = function (params) { var parentRect = this.getPopupParent().getBoundingClientRect(); var x = params.x; var y = params.y; if (params.nudgeX) { x += params.nudgeX; } if (params.nudgeY) { y += params.nudgeY; } // if popup is overflowing to the right, move it left if (params.keepWithinBounds) { var minWidth; if (params.minWidth > 0) { minWidth = params.minWidth; } else if (params.ePopup.clientWidth > 0) { minWidth = params.ePopup.clientWidth; } else { minWidth = 200; } var widthOfParent = parentRect.right - parentRect.left; var maxX = widthOfParent - minWidth; if (x > maxX) { x = maxX; } if (x < 0) { x = 0; } } params.ePopup.style.left = x + "px"; params.ePopup.style.top = y + "px"; }; //adds an element to a div, but also listens to background checking for clicks, //so that when the background is clicked, the child is removed again, giving //a model look to popups. PopupService.prototype.addAsModalPopup = function (eChild, closeOnEsc, closedCallback) { var eBody = document.body; if (!eBody) { console.warn('ag-grid: could not find the body of the document, document.body is empty'); return; } var popupAlreadyShown = utils_1.Utils.isVisible(eChild); if (popupAlreadyShown) { return; } this.getPopupParent().appendChild(eChild); var that = this; var popupHidden = false; // if we add these listeners now, then the current mouse // click will be included, which we don't want setTimeout(function () { if (closeOnEsc) { eBody.addEventListener('keydown', hidePopupOnEsc); } eBody.addEventListener('click', hidePopup); eBody.addEventListener('contextmenu', hidePopup); //eBody.addEventListener('mousedown', hidePopup); eChild.addEventListener('click', consumeClick); //eChild.addEventListener('mousedown', consumeClick); }, 0); var eventFromChild = null; function hidePopupOnEsc(event) { var key = event.which || event.keyCode; if (key === constants_1.Constants.KEY_ESCAPE) { hidePopup(null); } } function hidePopup(event) { if (event && event === eventFromChild) { return; } // this method should only be called once. the client can have different // paths, each one wanting to close, so this method may be called multiple // times. if (popupHidden) { return; } popupHidden = true; that.getPopupParent().removeChild(eChild); eBody.removeEventListener('keydown', hidePopupOnEsc); //eBody.removeEventListener('mousedown', hidePopupOnEsc); eBody.removeEventListener('click', hidePopup); eBody.removeEventListener('contextmenu', hidePopup); eChild.removeEventListener('click', consumeClick); //eChild.removeEventListener('mousedown', consumeClick); if (closedCallback) { closedCallback(); } } function consumeClick(event) { eventFromChild = event; } return hidePopup; }; __decorate([ context_1.Autowired('gridCore'), __metadata('design:type', gridCore_1.GridCore) ], PopupService.prototype, "gridCore", void 0); PopupService = __decorate([ context_1.Bean('popupService'), __metadata('design:paramtypes', []) ], PopupService); return PopupService; })(); exports.PopupService = PopupService; /***/ }, /* 45 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var utils_1 = __webpack_require__(7); var template = '<div>' + '<div>' + '<select class="ag-filter-select" id="filterType">' + '<option value="1">[CONTAINS]</option>' + '<option value="2">[EQUALS]</option>' + '<option value="3">[NOT EQUALS]</option>' + '<option value="4">[STARTS WITH]</option>' + '<option value="5">[ENDS WITH]</option>' + '</select>' + '</div>' + '<div>' + '<input class="ag-filter-filter" id="filterText" type="text" placeholder="[FILTER...]"/>' + '</div>' + '<div class="ag-filter-apply-panel" id="applyPanel">' + '<button type="button" id="applyButton">[APPLY FILTER]</button>' + '</div>' + '</div>'; var CONTAINS = 1; var EQUALS = 2; var NOT_EQUALS = 3; var STARTS_WITH = 4; var ENDS_WITH = 5; var TextFilter = (function () { function TextFilter() { } TextFilter.prototype.init = function (params) { this.filterParams = params.filterParams; this.applyActive = this.filterParams && this.filterParams.apply === true; this.filterChangedCallback = params.filterChangedCallback; this.filterModifiedCallback = params.filterModifiedCallback; this.localeTextFunc = params.localeTextFunc; this.valueGetter = params.valueGetter; this.createGui(); this.filterText = null; this.filterType = CONTAINS; this.createApi(); }; TextFilter.prototype.onNewRowsLoaded = function () { var keepSelection = this.filterParams && this.filterParams.newRowsAction === 'keep'; if (!keepSelection) { this.api.setType(CONTAINS); this.api.setFilter(null); } }; TextFilter.prototype.afterGuiAttached = function () { this.eFilterTextField.focus(); }; TextFilter.prototype.doesFilterPass = function (node) { if (!this.filterText) { return true; } var value = this.valueGetter(node); if (!value) { return false; } var valueLowerCase = value.toString().toLowerCase(); switch (this.filterType) { case CONTAINS: return valueLowerCase.indexOf(this.filterText) >= 0; case EQUALS: return valueLowerCase === this.filterText; case NOT_EQUALS: return valueLowerCase != this.filterText; case STARTS_WITH: return valueLowerCase.indexOf(this.filterText) === 0; case ENDS_WITH: var index = valueLowerCase.lastIndexOf(this.filterText); return index >= 0 && index === (valueLowerCase.length - this.filterText.length); default: // should never happen console.warn('invalid filter type ' + this.filterType); return false; } }; TextFilter.prototype.getGui = function () { return this.eGui; }; TextFilter.prototype.isFilterActive = function () { return this.filterText !== null; }; TextFilter.prototype.createTemplate = function () { return template .replace('[FILTER...]', this.localeTextFunc('filterOoo', 'Filter...')) .replace('[EQUALS]', this.localeTextFunc('equals', 'Equals')) .replace('[NOT EQUALS]', this.localeTextFunc('notEquals', 'Not equals')) .replace('[CONTAINS]', this.localeTextFunc('contains', 'Contains')) .replace('[STARTS WITH]', this.localeTextFunc('startsWith', 'Starts with')) .replace('[ENDS WITH]', this.localeTextFunc('endsWith', 'Ends with')) .replace('[APPLY FILTER]', this.localeTextFunc('applyFilter', 'Apply Filter')); }; TextFilter.prototype.createGui = function () { this.eGui = utils_1.Utils.loadTemplate(this.createTemplate()); this.eFilterTextField = this.eGui.querySelector("#filterText"); this.eTypeSelect = this.eGui.querySelector("#filterType"); utils_1.Utils.addChangeListener(this.eFilterTextField, this.onFilterChanged.bind(this)); this.eTypeSelect.addEventListener("change", this.onTypeChanged.bind(this)); this.setupApply(); }; TextFilter.prototype.setupApply = function () { var _this = this; if (this.applyActive) { this.eApplyButton = this.eGui.querySelector('#applyButton'); this.eApplyButton.addEventListener('click', function () { _this.filterChangedCallback(); }); } else { utils_1.Utils.removeElement(this.eGui, '#applyPanel'); } }; TextFilter.prototype.onTypeChanged = function () { this.filterType = parseInt(this.eTypeSelect.value); this.filterChanged(); }; TextFilter.prototype.onFilterChanged = function () { var filterText = utils_1.Utils.makeNull(this.eFilterTextField.value); if (filterText && filterText.trim() === '') { filterText = null; } var newFilterText; if (filterText !== null && filterText !== undefined) { newFilterText = filterText.toLowerCase(); } else { newFilterText = null; } if (this.filterText !== newFilterText) { this.filterText = newFilterText; this.filterChanged(); } }; TextFilter.prototype.filterChanged = function () { this.filterModifiedCallback(); if (!this.applyActive) { this.filterChangedCallback(); } }; TextFilter.prototype.createApi = function () { var that = this; this.api = { EQUALS: EQUALS, NOT_EQUALS: NOT_EQUALS, CONTAINS: CONTAINS, STARTS_WITH: STARTS_WITH, ENDS_WITH: ENDS_WITH, setType: function (type) { that.filterType = type; that.eTypeSelect.value = type; }, setFilter: function (filter) { filter = utils_1.Utils.makeNull(filter); if (filter) { that.filterText = filter.toLowerCase(); that.eFilterTextField.value = filter; } else { that.filterText = null; that.eFilterTextField.value = null; } }, getType: function () { return that.filterType; }, getFilter: function () { return that.filterText; }, getModel: function () { if (that.isFilterActive()) { return { type: that.filterType, filter: that.filterText }; } else { return null; } }, setModel: function (dataModel) { if (dataModel) { this.setType(dataModel.type); this.setFilter(dataModel.filter); } else { this.setFilter(null); } } }; }; TextFilter.prototype.getApi = function () { return this.api; }; return TextFilter; })(); exports.TextFilter = TextFilter; /***/ }, /* 46 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var utils_1 = __webpack_require__(7); var template = '<div>' + '<div>' + '<select class="ag-filter-select" id="filterType">' + '<option value="1">[EQUALS]</option>' + '<option value="2">[NOT EQUAL]</option>' + '<option value="3">[LESS THAN]</option>' + '<option value="4">[LESS THAN OR EQUAL]</option>' + '<option value="5">[GREATER THAN]</option>' + '<option value="6">[GREATER THAN OR EQUAL]</option>' + '</select>' + '</div>' + '<div>' + '<input class="ag-filter-filter" id="filterText" type="text" placeholder="[FILTER...]"/>' + '</div>' + '<div class="ag-filter-apply-panel" id="applyPanel">' + '<button type="button" id="applyButton">[APPLY FILTER]</button>' + '</div>' + '</div>'; var EQUALS = 1; var NOT_EQUAL = 2; var LESS_THAN = 3; var LESS_THAN_OR_EQUAL = 4; var GREATER_THAN = 5; var GREATER_THAN_OR_EQUAL = 6; var NumberFilter = (function () { function NumberFilter() { } NumberFilter.prototype.init = function (params) { this.filterParams = params.filterParams; this.applyActive = this.filterParams && this.filterParams.apply === true; this.filterChangedCallback = params.filterChangedCallback; this.filterModifiedCallback = params.filterModifiedCallback; this.localeTextFunc = params.localeTextFunc; this.valueGetter = params.valueGetter; this.createGui(); this.filterNumber = null; this.filterType = EQUALS; this.createApi(); }; NumberFilter.prototype.onNewRowsLoaded = function () { var keepSelection = this.filterParams && this.filterParams.newRowsAction === 'keep'; if (!keepSelection) { this.api.setType(EQUALS); this.api.setFilter(null); } }; NumberFilter.prototype.afterGuiAttached = function () { this.eFilterTextField.focus(); }; NumberFilter.prototype.doesFilterPass = function (node) { if (this.filterNumber === null) { return true; } var value = this.valueGetter(node); if (!value && value !== 0) { return false; } var valueAsNumber; if (typeof value === 'number') { valueAsNumber = value; } else { valueAsNumber = parseFloat(value); } switch (this.filterType) { case EQUALS: return valueAsNumber === this.filterNumber; case LESS_THAN: return valueAsNumber < this.filterNumber; case GREATER_THAN: return valueAsNumber > this.filterNumber; case LESS_THAN_OR_EQUAL: return valueAsNumber <= this.filterNumber; case GREATER_THAN_OR_EQUAL: return valueAsNumber >= this.filterNumber; case NOT_EQUAL: return valueAsNumber != this.filterNumber; default: // should never happen console.warn('invalid filter type ' + this.filterType); return false; } }; NumberFilter.prototype.getGui = function () { return this.eGui; }; NumberFilter.prototype.isFilterActive = function () { return this.filterNumber !== null; }; NumberFilter.prototype.createTemplate = function () { return template .replace('[FILTER...]', this.localeTextFunc('filterOoo', 'Filter...')) .replace('[EQUALS]', this.localeTextFunc('equals', 'Equals')) .replace('[LESS THAN]', this.localeTextFunc('lessThan', 'Less than')) .replace('[GREATER THAN]', this.localeTextFunc('greaterThan', 'Greater than')) .replace('[LESS THAN OR EQUAL]', this.localeTextFunc('lessThanOrEqual', 'Less than or equal')) .replace('[GREATER THAN OR EQUAL]', this.localeTextFunc('greaterThanOrEqual', 'Greater than or equal')) .replace('[NOT EQUAL]', this.localeTextFunc('notEqual', 'Not equal')) .replace('[APPLY FILTER]', this.localeTextFunc('applyFilter', 'Apply Filter')); }; NumberFilter.prototype.createGui = function () { this.eGui = utils_1.Utils.loadTemplate(this.createTemplate()); this.eFilterTextField = this.eGui.querySelector("#filterText"); this.eTypeSelect = this.eGui.querySelector("#filterType"); utils_1.Utils.addChangeListener(this.eFilterTextField, this.onFilterChanged.bind(this)); this.eTypeSelect.addEventListener("change", this.onTypeChanged.bind(this)); this.setupApply(); }; NumberFilter.prototype.setupApply = function () { var _this = this; if (this.applyActive) { this.eApplyButton = this.eGui.querySelector('#applyButton'); this.eApplyButton.addEventListener('click', function () { _this.filterChangedCallback(); }); } else { utils_1.Utils.removeElement(this.eGui, '#applyPanel'); } }; NumberFilter.prototype.onTypeChanged = function () { this.filterType = parseInt(this.eTypeSelect.value); this.filterChanged(); }; NumberFilter.prototype.filterChanged = function () { this.filterModifiedCallback(); if (!this.applyActive) { this.filterChangedCallback(); } }; NumberFilter.prototype.onFilterChanged = function () { var filterText = utils_1.Utils.makeNull(this.eFilterTextField.value); if (filterText && filterText.trim() === '') { filterText = null; } var newFilter; if (filterText !== null && filterText !== undefined) { newFilter = parseFloat(filterText); } else { newFilter = null; } if (this.filterNumber !== newFilter) { this.filterNumber = newFilter; this.filterChanged(); } }; NumberFilter.prototype.createApi = function () { var that = this; this.api = { EQUALS: EQUALS, NOT_EQUAL: NOT_EQUAL, LESS_THAN: LESS_THAN, GREATER_THAN: GREATER_THAN, LESS_THAN_OR_EQUAL: LESS_THAN_OR_EQUAL, GREATER_THAN_OR_EQUAL: GREATER_THAN_OR_EQUAL, setType: function (type) { that.filterType = type; that.eTypeSelect.value = type; }, setFilter: function (filter) { filter = utils_1.Utils.makeNull(filter); if (filter !== null && !(typeof filter === 'number')) { filter = parseFloat(filter); } that.filterNumber = filter; that.eFilterTextField.value = filter; }, getType: function () { return that.filterType; }, getFilter: function () { return that.filterNumber; }, getModel: function () { if (that.isFilterActive()) { return { type: that.filterType, filter: that.filterNumber }; } else { return null; } }, setModel: function (dataModel) { if (dataModel) { this.setType(dataModel.type); this.setFilter(dataModel.filter); } else { this.setFilter(null); } } }; }; NumberFilter.prototype.getApi = function () { return this.api; }; return NumberFilter; })(); exports.NumberFilter = NumberFilter; /***/ }, /* 47 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var utils_1 = __webpack_require__(7); var eventService_1 = __webpack_require__(4); var Component = (function () { function Component(template) { this.destroyFunctions = []; this.childComponents = []; if (template) { this.eGui = utils_1.Utils.loadTemplate(template); } } Component.prototype.setTemplate = function (template) { this.eGui = utils_1.Utils.loadTemplate(template); }; Component.prototype.addEventListener = function (eventType, listener) { if (!this.localEventService) { this.localEventService = new eventService_1.EventService(); } this.localEventService.addEventListener(eventType, listener); }; Component.prototype.removeEventListener = function (eventType, listener) { if (this.localEventService) { this.localEventService.removeEventListener(eventType, listener); } }; Component.prototype.dispatchEvent = function (eventType, event) { if (this.localEventService) { this.localEventService.dispatchEvent(eventType, event); } }; Component.prototype.getGui = function () { return this.eGui; }; Component.prototype.queryForHtmlElement = function (cssSelector) { return this.eGui.querySelector(cssSelector); }; Component.prototype.queryForHtmlInputElement = function (cssSelector) { return this.eGui.querySelector(cssSelector); }; Component.prototype.appendChild = function (newChild) { if (utils_1.Utils.isNodeOrElement(newChild)) { this.eGui.appendChild(newChild); } else { var childComponent = newChild; this.eGui.appendChild(childComponent.getGui()); this.childComponents.push(childComponent); } }; Component.prototype.setVisible = function (visible) { utils_1.Utils.addOrRemoveCssClass(this.eGui, 'ag-hidden', !visible); }; Component.prototype.destroy = function () { this.childComponents.forEach(function (childComponent) { return childComponent.destroy(); }); this.destroyFunctions.forEach(function (func) { return func(); }); }; Component.prototype.addGuiEventListener = function (event, listener) { var _this = this; this.getGui().addEventListener(event, listener); this.destroyFunctions.push(function () { return _this.getGui().removeEventListener(event, listener); }); }; Component.prototype.addDestroyableEventListener = function (eElement, event, listener) { if (eElement instanceof HTMLElement) { eElement.addEventListener(event, listener); } else { eElement.addEventListener(event, listener); } this.destroyFunctions.push(function () { if (eElement instanceof HTMLElement) { eElement.removeEventListener(event, listener); } else { eElement.removeEventListener(event, listener); } }); }; Component.prototype.addDestroyFunc = function (func) { this.destroyFunctions.push(func); }; return Component; })(); exports.Component = Component; /***/ }, /* 48 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __metadata = (this && this.__metadata) || function (k, v) { if (typeof Reflect === "object" && typeof Reflect.metadata === "function") return Reflect.metadata(k, v); }; var context_1 = __webpack_require__(6); var utils_1 = __webpack_require__(7); var textCellEditor_1 = __webpack_require__(49); var selectCellEditor_1 = __webpack_require__(50); var popupEditorWrapper_1 = __webpack_require__(51); var popupTextCellEditor_1 = __webpack_require__(52); var popupSelectCellEditor_1 = __webpack_require__(53); var dateCellEditor_1 = __webpack_require__(54); var gridOptionsWrapper_1 = __webpack_require__(3); var CellEditorFactory = (function () { function CellEditorFactory() { this.cellEditorMap = {}; } CellEditorFactory.prototype.init = function () { this.cellEditorMap[CellEditorFactory.TEXT] = textCellEditor_1.TextCellEditor; this.cellEditorMap[CellEditorFactory.SELECT] = selectCellEditor_1.SelectCellEditor; this.cellEditorMap[CellEditorFactory.POPUP_TEXT] = popupTextCellEditor_1.PopupTextCellEditor; this.cellEditorMap[CellEditorFactory.POPUP_SELECT] = popupSelectCellEditor_1.PopupSelectCellEditor; this.cellEditorMap[CellEditorFactory.DATE] = dateCellEditor_1.DateCellEditor; }; CellEditorFactory.prototype.addCellEditor = function (key, cellEditor) { this.cellEditorMap[key] = cellEditor; }; // private registerEditorsFromGridOptions(): void { // var userProvidedCellEditors = this.gridOptionsWrapper.getCellEditors(); // _.iterateObject(userProvidedCellEditors, (key: string, cellEditor: {new(): ICellEditor})=> { // this.addCellEditor(key, cellEditor); // }); // } CellEditorFactory.prototype.createCellEditor = function (key) { var CellEditorClass; if (utils_1.Utils.missing(key)) { CellEditorClass = this.cellEditorMap[CellEditorFactory.TEXT]; } else if (typeof key === 'string') { CellEditorClass = this.cellEditorMap[key]; if (utils_1.Utils.missing(CellEditorClass)) { console.warn('ag-Grid: unable to find cellEditor for key ' + key); CellEditorClass = this.cellEditorMap[CellEditorFactory.TEXT]; } } else { CellEditorClass = key; } var cellEditor = new CellEditorClass(); this.context.wireBean(cellEditor); if (cellEditor.isPopup && cellEditor.isPopup()) { cellEditor = new popupEditorWrapper_1.PopupEditorWrapper(cellEditor); } return cellEditor; }; CellEditorFactory.TEXT = 'text'; CellEditorFactory.SELECT = 'select'; CellEditorFactory.DATE = 'date'; CellEditorFactory.POPUP_TEXT = 'popupText'; CellEditorFactory.POPUP_SELECT = 'popupSelect'; __decorate([ context_1.Autowired('context'), __metadata('design:type', context_1.Context) ], CellEditorFactory.prototype, "context", void 0); __decorate([ context_1.Autowired('gridOptionsWrapper'), __metadata('design:type', gridOptionsWrapper_1.GridOptionsWrapper) ], CellEditorFactory.prototype, "gridOptionsWrapper", void 0); __decorate([ context_1.PostConstruct, __metadata('design:type', Function), __metadata('design:paramtypes', []), __metadata('design:returntype', void 0) ], CellEditorFactory.prototype, "init", null); CellEditorFactory = __decorate([ context_1.Bean('cellEditorFactory'), __metadata('design:paramtypes', []) ], CellEditorFactory); return CellEditorFactory; })(); exports.CellEditorFactory = CellEditorFactory; /***/ }, /* 49 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var __extends = (this && this.__extends) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; var constants_1 = __webpack_require__(8); var component_1 = __webpack_require__(47); var utils_1 = __webpack_require__(7); var TextCellEditor = (function (_super) { __extends(TextCellEditor, _super); function TextCellEditor() { _super.call(this, TextCellEditor.TEMPLATE); } TextCellEditor.prototype.init = function (params) { var eInput = this.getGui(); var startValue; var keyPressBackspaceOrDelete = params.keyPress === constants_1.Constants.KEY_BACKSPACE || params.keyPress === constants_1.Constants.KEY_DELETE; if (keyPressBackspaceOrDelete) { startValue = ''; } else if (params.charPress) { startValue = params.charPress; } else { startValue = params.value; if (params.keyPress === constants_1.Constants.KEY_F2) { this.putCursorAtEndOnFocus = true; } else { this.highlightAllOnFocus = true; } } if (utils_1.Utils.exists(startValue)) { eInput.value = startValue; } this.addDestroyableEventListener(eInput, 'keydown', function (event) { var isNavigationKey = event.keyCode === constants_1.Constants.KEY_LEFT || event.keyCode === constants_1.Constants.KEY_RIGHT; if (isNavigationKey) { event.stopPropagation(); } }); }; TextCellEditor.prototype.afterGuiAttached = function () { var eInput = this.getGui(); eInput.focus(); if (this.highlightAllOnFocus) { eInput.select(); } else { // when we started editing, we want the carot at the end, not the start. // this comes into play in two scenarios: a) when user hits F2 and b) // when user hits a printable character, then on IE (and only IE) the carot // was placed after the first character, thus 'apply' would end up as 'pplea' var length = eInput.value ? eInput.value.length : 0; if (length > 0) { eInput.setSelectionRange(length, length); } } }; TextCellEditor.prototype.getValue = function () { var eInput = this.getGui(); return eInput.value; }; TextCellEditor.TEMPLATE = '<input class="ag-cell-edit-input" type="text"/>'; return TextCellEditor; })(component_1.Component); exports.TextCellEditor = TextCellEditor; /***/ }, /* 50 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var __extends = (this && this.__extends) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; var component_1 = __webpack_require__(47); var utils_1 = __webpack_require__(7); var SelectCellEditor = (function (_super) { __extends(SelectCellEditor, _super); function SelectCellEditor() { _super.call(this, '<div class="ag-cell-edit-input"><select class="ag-cell-edit-input"/></div>'); } SelectCellEditor.prototype.init = function (params) { var eSelect = this.getGui().querySelector('select'); if (utils_1.Utils.missing(params.values)) { console.log('ag-Grid: no values found for select cellEditor'); return; } params.values.forEach(function (value) { var option = document.createElement('option'); option.value = value; option.text = value; if (params.value === value) { option.selected = true; } eSelect.appendChild(option); }); this.addDestroyableEventListener(eSelect, 'change', function () { return params.stopEditing(); }); }; SelectCellEditor.prototype.afterGuiAttached = function () { var eSelect = this.getGui().querySelector('select'); eSelect.focus(); }; SelectCellEditor.prototype.getValue = function () { var eSelect = this.getGui().querySelector('select'); return eSelect.value; }; return SelectCellEditor; })(component_1.Component); exports.SelectCellEditor = SelectCellEditor; /***/ }, /* 51 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var __extends = (this && this.__extends) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; var component_1 = __webpack_require__(47); var PopupEditorWrapper = (function (_super) { __extends(PopupEditorWrapper, _super); function PopupEditorWrapper(cellEditor) { _super.call(this, '<div class="ag-popup-editor"/>'); this.getGuiCalledOnChild = false; this.cellEditor = cellEditor; this.addDestroyFunc(function () { return cellEditor.destroy(); }); this.addDestroyableEventListener( // this needs to be 'super' and not 'this' as if we call 'this', // it ends up called 'getGui()' on the child before 'init' was called, // which is not good _super.prototype.getGui.call(this), 'keydown', this.onKeyDown.bind(this)); } PopupEditorWrapper.prototype.onKeyDown = function (event) { this.params.onKeyDown(event); }; PopupEditorWrapper.prototype.getGui = function () { // we call getGui() on child here (rather than in the constructor) // as we should wait for 'init' to be called on child first. if (!this.getGuiCalledOnChild) { this.appendChild(this.cellEditor.getGui()); this.getGuiCalledOnChild = true; } return _super.prototype.getGui.call(this); }; PopupEditorWrapper.prototype.init = function (params) { this.params = params; if (this.cellEditor.init) { this.cellEditor.init(params); } }; PopupEditorWrapper.prototype.afterGuiAttached = function () { if (this.cellEditor.afterGuiAttached) { this.cellEditor.afterGuiAttached(); } }; PopupEditorWrapper.prototype.getValue = function () { return this.cellEditor.getValue(); }; PopupEditorWrapper.prototype.isPopup = function () { return true; }; return PopupEditorWrapper; })(component_1.Component); exports.PopupEditorWrapper = PopupEditorWrapper; /***/ }, /* 52 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var __extends = (this && this.__extends) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; var textCellEditor_1 = __webpack_require__(49); var PopupTextCellEditor = (function (_super) { __extends(PopupTextCellEditor, _super); function PopupTextCellEditor() { _super.apply(this, arguments); } PopupTextCellEditor.prototype.isPopup = function () { return true; }; return PopupTextCellEditor; })(textCellEditor_1.TextCellEditor); exports.PopupTextCellEditor = PopupTextCellEditor; /***/ }, /* 53 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var __extends = (this && this.__extends) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; var selectCellEditor_1 = __webpack_require__(50); var PopupSelectCellEditor = (function (_super) { __extends(PopupSelectCellEditor, _super); function PopupSelectCellEditor() { _super.apply(this, arguments); } PopupSelectCellEditor.prototype.isPopup = function () { return true; }; return PopupSelectCellEditor; })(selectCellEditor_1.SelectCellEditor); exports.PopupSelectCellEditor = PopupSelectCellEditor; /***/ }, /* 54 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var __extends = (this && this.__extends) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __metadata = (this && this.__metadata) || function (k, v) { if (typeof Reflect === "object" && typeof Reflect.metadata === "function") return Reflect.metadata(k, v); }; var component_1 = __webpack_require__(47); var context_1 = __webpack_require__(6); var popupService_1 = __webpack_require__(44); var utils_1 = __webpack_require__(7); var DateCellEditor = (function (_super) { __extends(DateCellEditor, _super); function DateCellEditor() { _super.call(this, DateCellEditor.TEMPLATE); this.eText = this.queryForHtmlInputElement('input'); this.eButton = this.queryForHtmlElement('button'); this.eButton.addEventListener('click', this.onBtPush.bind(this)); } DateCellEditor.prototype.getValue = function () { return this.eText.value; }; DateCellEditor.prototype.onBtPush = function () { var ePopup = utils_1.Utils.loadTemplate('<div style="position: absolute; border: 1px solid darkgreen; background: lightcyan">' + '<div>This is the popup</div>' + '<div><input/></div>' + '<div>Under the input</div>' + '</div>'); this.popupService.addAsModalPopup(ePopup, true, function () { console.log('popup was closed'); }); this.popupService.positionPopupUnderComponent({ eventSource: this.getGui(), ePopup: ePopup }); var eText = ePopup.querySelector('input'); eText.focus(); }; DateCellEditor.prototype.afterGuiAttached = function () { this.eText.focus(); }; DateCellEditor.TEMPLATE = '<span>' + '<input type="text" style="width: 80%"/>' + '<button style="width: 20%">+</button>' + '</span>'; __decorate([ context_1.Autowired('popupService'), __metadata('design:type', popupService_1.PopupService) ], DateCellEditor.prototype, "popupService", void 0); return DateCellEditor; })(component_1.Component); exports.DateCellEditor = DateCellEditor; /***/ }, /* 55 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __metadata = (this && this.__metadata) || function (k, v) { if (typeof Reflect === "object" && typeof Reflect.metadata === "function") return Reflect.metadata(k, v); }; var context_1 = __webpack_require__(6); var utils_1 = __webpack_require__(7); var gridOptionsWrapper_1 = __webpack_require__(3); var eventService_1 = __webpack_require__(4); var expressionService_1 = __webpack_require__(18); var animateSlideCellRenderer_1 = __webpack_require__(56); var animateShowChangeCellRenderer_1 = __webpack_require__(57); var groupCellRenderer_1 = __webpack_require__(58); var CellRendererFactory = (function () { function CellRendererFactory() { this.cellRendererMap = {}; } CellRendererFactory.prototype.init = function () { this.cellRendererMap[CellRendererFactory.ANIMATE_SLIDE] = animateSlideCellRenderer_1.AnimateSlideCellRenderer; this.cellRendererMap[CellRendererFactory.ANIMATE_SHOW_CHANGE] = animateShowChangeCellRenderer_1.AnimateShowChangeCellRenderer; this.cellRendererMap[CellRendererFactory.GROUP] = groupCellRenderer_1.GroupCellRenderer; // this.registerRenderersFromGridOptions(); }; // private registerRenderersFromGridOptions(): void { // var userProvidedCellRenderers = this.gridOptionsWrapper.getCellRenderers(); // _.iterateObject(userProvidedCellRenderers, (key: string, cellRenderer: {new(): ICellRenderer} | ICellRendererFunc)=> { // this.addCellRenderer(key, cellRenderer); // }); // } CellRendererFactory.prototype.addCellRenderer = function (key, cellRenderer) { this.cellRendererMap[key] = cellRenderer; }; CellRendererFactory.prototype.getCellRenderer = function (key) { var result = this.cellRendererMap[key]; if (utils_1.Utils.missing(result)) { console.warn('ag-Grid: unable to find cellRenderer for key ' + key); return null; } return result; }; CellRendererFactory.ANIMATE_SLIDE = 'animateSlide'; CellRendererFactory.ANIMATE_SHOW_CHANGE = 'animateShowChange'; CellRendererFactory.GROUP = 'group'; __decorate([ context_1.Autowired('gridOptionsWrapper'), __metadata('design:type', gridOptionsWrapper_1.GridOptionsWrapper) ], CellRendererFactory.prototype, "gridOptionsWrapper", void 0); __decorate([ context_1.Autowired('expressionService'), __metadata('design:type', expressionService_1.ExpressionService) ], CellRendererFactory.prototype, "expressionService", void 0); __decorate([ context_1.Autowired('eventService'), __metadata('design:type', eventService_1.EventService) ], CellRendererFactory.prototype, "eventService", void 0); __decorate([ context_1.PostConstruct, __metadata('design:type', Function), __metadata('design:paramtypes', []), __metadata('design:returntype', void 0) ], CellRendererFactory.prototype, "init", null); CellRendererFactory = __decorate([ context_1.Bean('cellRendererFactory'), __metadata('design:paramtypes', []) ], CellRendererFactory); return CellRendererFactory; })(); exports.CellRendererFactory = CellRendererFactory; /***/ }, /* 56 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var __extends = (this && this.__extends) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; var utils_1 = __webpack_require__(7); var component_1 = __webpack_require__(47); var AnimateSlideCellRenderer = (function (_super) { __extends(AnimateSlideCellRenderer, _super); function AnimateSlideCellRenderer() { _super.call(this, AnimateSlideCellRenderer.TEMPLATE); this.refreshCount = 0; this.eCurrent = this.queryForHtmlElement('.ag-value-slide-current'); } AnimateSlideCellRenderer.prototype.init = function (params) { this.params = params; this.refresh(params); }; AnimateSlideCellRenderer.prototype.addSlideAnimation = function () { var _this = this; this.refreshCount++; // below we keep checking this, and stop working on the animation // if it no longer matches - this means another animation has started // and this one is stale. var refreshCountCopy = this.refreshCount; // if old animation, remove it if (this.ePrevious) { this.getGui().removeChild(this.ePrevious); } this.ePrevious = utils_1.Utils.loadTemplate('<span class="ag-value-slide-previous ag-fade-out"></span>'); this.ePrevious.innerHTML = this.eCurrent.innerHTML; this.getGui().insertBefore(this.ePrevious, this.eCurrent); // having timeout of 0 allows use to skip to the next css turn, // so we know the previous css classes have been applied. so the // complex set of setTimeout below creates the animation setTimeout(function () { if (refreshCountCopy !== _this.refreshCount) { return; } utils_1.Utils.addCssClass(_this.ePrevious, 'ag-fade-out-end'); }, 50); setTimeout(function () { if (refreshCountCopy !== _this.refreshCount) { return; } _this.getGui().removeChild(_this.ePrevious); _this.ePrevious = null; }, 3000); }; AnimateSlideCellRenderer.prototype.refresh = function (params) { var value = params.value; if (utils_1.Utils.missing(value)) { value = ''; } if (value === this.lastValue) { return; } this.addSlideAnimation(); this.lastValue = value; if (utils_1.Utils.exists(params.valueFormatted)) { this.eCurrent.innerHTML = params.valueFormatted; } else if (utils_1.Utils.exists(params.value)) { this.eCurrent.innerHTML = value; } else { this.eCurrent.innerHTML = ''; } }; AnimateSlideCellRenderer.TEMPLATE = '<span>' + '<span class="ag-value-slide-current"></span>' + '</span>'; return AnimateSlideCellRenderer; })(component_1.Component); exports.AnimateSlideCellRenderer = AnimateSlideCellRenderer; /***/ }, /* 57 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var __extends = (this && this.__extends) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; var utils_1 = __webpack_require__(7); var component_1 = __webpack_require__(47); var ARROW_UP = '&#65514;'; var ARROW_DOWN = '&#65516;'; var AnimateShowChangeCellRenderer = (function (_super) { __extends(AnimateShowChangeCellRenderer, _super); function AnimateShowChangeCellRenderer() { _super.call(this, AnimateShowChangeCellRenderer.TEMPLATE); this.refreshCount = 0; } AnimateShowChangeCellRenderer.prototype.init = function (params) { this.params = params; this.eValue = this.queryForHtmlElement('.ag-value-change-value'); this.eDelta = this.queryForHtmlElement('.ag-value-change-delta'); this.refresh(params); }; AnimateShowChangeCellRenderer.prototype.showDelta = function (params, delta) { var absDelta = Math.abs(delta); var valueFormatted = params.formatValue(absDelta); var valueToUse = utils_1.Utils.exists(valueFormatted) ? valueFormatted : absDelta; var deltaUp = (delta >= 0); if (deltaUp) { this.eDelta.innerHTML = ARROW_UP + valueToUse; } else { // because negative, use ABS to remove sign this.eDelta.innerHTML = ARROW_DOWN + valueToUse; } // class makes it green (in ag-fresh) utils_1.Utils.addOrRemoveCssClass(this.eDelta, 'ag-value-change-delta-up', deltaUp); // class makes it red (in ag-fresh) utils_1.Utils.addOrRemoveCssClass(this.eDelta, 'ag-value-change-delta-down', !deltaUp); }; AnimateShowChangeCellRenderer.prototype.setTimerToRemoveDelta = function () { var _this = this; // the refreshCount makes sure that if the value updates again while // the below timer is waiting, then the below timer will realise it // is not the most recent and will not try to remove the delta value. this.refreshCount++; var refreshCountCopy = this.refreshCount; setTimeout(function () { if (refreshCountCopy === _this.refreshCount) { _this.hideDeltaValue(); } }, 2000); }; AnimateShowChangeCellRenderer.prototype.hideDeltaValue = function () { utils_1.Utils.removeCssClass(this.eValue, 'ag-value-change-value-highlight'); this.eDelta.innerHTML = ''; }; AnimateShowChangeCellRenderer.prototype.refresh = function (params) { var value = params.value; if (value === this.lastValue) { return; } if (utils_1.Utils.exists(params.valueFormatted)) { this.eValue.innerHTML = params.valueFormatted; } else if (utils_1.Utils.exists(params.value)) { this.eValue.innerHTML = value; } else { this.eValue.innerHTML = ''; } if (typeof value === 'number' && typeof this.lastValue === 'number') { var delta = value - this.lastValue; this.showDelta(params, delta); } // highlight the current value, but only if it's not new, otherwise it // would get highlighted first time the value is shown if (this.lastValue) { utils_1.Utils.addCssClass(this.eValue, 'ag-value-change-value-highlight'); } this.setTimerToRemoveDelta(); this.lastValue = value; }; AnimateShowChangeCellRenderer.TEMPLATE = '<span>' + '<span class="ag-value-change-delta"></span>' + '<span class="ag-value-change-value"></span>' + '</span>'; return AnimateShowChangeCellRenderer; })(component_1.Component); exports.AnimateShowChangeCellRenderer = AnimateShowChangeCellRenderer; /***/ }, /* 58 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var __extends = (this && this.__extends) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __metadata = (this && this.__metadata) || function (k, v) { if (typeof Reflect === "object" && typeof Reflect.metadata === "function") return Reflect.metadata(k, v); }; var svgFactory_1 = __webpack_require__(59); var gridOptionsWrapper_1 = __webpack_require__(3); var expressionService_1 = __webpack_require__(18); var eventService_1 = __webpack_require__(4); var constants_1 = __webpack_require__(8); var utils_1 = __webpack_require__(7); var events_1 = __webpack_require__(10); var context_1 = __webpack_require__(6); var component_1 = __webpack_require__(47); var cellRendererService_1 = __webpack_require__(60); var valueFormatterService_1 = __webpack_require__(61); var checkboxSelectionComponent_1 = __webpack_require__(62); var columnController_1 = __webpack_require__(13); var svgFactory = svgFactory_1.SvgFactory.getInstance(); var GroupCellRenderer = (function (_super) { __extends(GroupCellRenderer, _super); function GroupCellRenderer() { _super.call(this, GroupCellRenderer.TEMPLATE); this.eExpanded = this.queryForHtmlElement('.ag-group-expanded'); this.eContracted = this.queryForHtmlElement('.ag-group-contracted'); this.eCheckbox = this.queryForHtmlElement('.ag-group-checkbox'); this.eValue = this.queryForHtmlElement('.ag-group-value'); this.eChildCount = this.queryForHtmlElement('.ag-group-child-count'); } GroupCellRenderer.prototype.init = function (params) { this.rowNode = params.node; this.rowIndex = params.rowIndex; this.gridApi = params.api; this.addExpandAndContract(params.eGridCell); this.addCheckboxIfNeeded(params); this.addValueElement(params); this.addPadding(params); }; GroupCellRenderer.prototype.addPadding = function (params) { // only do this if an indent - as this overwrites the padding that // the theme set, which will make things look 'not aligned' for the // first group level. var node = this.rowNode; var suppressPadding = params.suppressPadding; if (!suppressPadding && (node.footer || node.level > 0)) { var paddingFactor; if (params.colDef && params.padding >= 0) { paddingFactor = params.padding; } else { paddingFactor = 10; } var paddingPx = node.level * paddingFactor; var reducedLeafNode = this.columnController.isReduce() && this.rowNode.leafGroup; if (node.footer) { paddingPx += 15; } else if (!node.group || reducedLeafNode) { paddingPx += 10; } this.getGui().style.paddingLeft = paddingPx + 'px'; } }; GroupCellRenderer.prototype.addValueElement = function (params) { if (params.innerRenderer) { this.createFromInnerRenderer(params); } else if (this.rowNode.footer) { this.createFooterCell(params); } else if (this.rowNode.group) { this.createGroupCell(params); this.addChildCount(params); } else { this.createLeafCell(params); } }; GroupCellRenderer.prototype.createFromInnerRenderer = function (params) { this.cellRendererService.useCellRenderer(params.innerRenderer, this.eValue, params); }; GroupCellRenderer.prototype.createFooterCell = function (params) { var footerValue; var groupName = this.getGroupName(params); if (params.footerValueGetter) { var footerValueGetter = params.footerValueGetter; // params is same as we were given, except we set the value as the item to display var paramsClone = utils_1.Utils.cloneObject(params); paramsClone.value = groupName; if (typeof footerValueGetter === 'function') { footerValue = footerValueGetter(paramsClone); } else if (typeof footerValueGetter === 'string') { footerValue = this.expressionService.evaluate(footerValueGetter, paramsClone); } else { console.warn('ag-Grid: footerValueGetter should be either a function or a string (expression)'); } } else { footerValue = 'Total ' + groupName; } this.eValue.innerHTML = footerValue; }; GroupCellRenderer.prototype.createGroupCell = function (params) { // pull out the column that the grouping is on var rowGroupColumns = params.columnApi.getRowGroupColumns(); // if we are using in memory grid grouping, then we try to look up the column that // we did the grouping on. however if it is not possible (happens when user provides // the data already grouped) then we just the current col, ie use cellrenderer of current col var columnOfGroupedCol = rowGroupColumns[params.node.level]; if (utils_1.Utils.missing(columnOfGroupedCol)) { columnOfGroupedCol = params.column; } var colDefOfGroupedCol = columnOfGroupedCol.getColDef(); var groupName = this.getGroupName(params); var valueFormatted = this.valueFormatterService.formatValue(columnOfGroupedCol, params.node, params.scope, this.rowIndex, groupName); // reuse the params but change the value if (colDefOfGroupedCol && typeof colDefOfGroupedCol.cellRenderer === 'function') { // reuse the params but change the value params.value = groupName; params.valueFormatted = valueFormatted; // because we are talking about the different column to the original, any user provided params // are for the wrong column, so need to copy them in again. if (colDefOfGroupedCol.cellRendererParams) { utils_1.Utils.assign(params, colDefOfGroupedCol.cellRendererParams); } this.cellRendererService.useCellRenderer(colDefOfGroupedCol.cellRenderer, this.eValue, params); } else { var valueToRender = utils_1.Utils.exists(valueFormatted) ? valueFormatted : groupName; if (utils_1.Utils.exists(valueToRender) && valueToRender !== '') { this.eValue.appendChild(document.createTextNode(valueToRender)); } } }; GroupCellRenderer.prototype.addChildCount = function (params) { // only include the child count if it's included, eg if user doing custom aggregation, // then this could be left out, or set to -1, ie no child count var suppressCount = params.suppressCount; if (!suppressCount && params.node.allChildrenCount >= 0) { this.eChildCount.innerHTML = "(" + params.node.allChildrenCount + ")"; } }; GroupCellRenderer.prototype.getGroupName = function (params) { if (params.keyMap && typeof params.keyMap === 'object') { var valueFromMap = params.keyMap[params.node.key]; if (valueFromMap) { return valueFromMap; } else { return params.node.key; } } else { return params.node.key; } }; GroupCellRenderer.prototype.createLeafCell = function (params) { if (utils_1.Utils.exists(params.value)) { this.eValue.innerHTML = params.value; } }; GroupCellRenderer.prototype.addCheckboxIfNeeded = function (params) { var checkboxNeeded = params.checkbox && !this.rowNode.footer && !this.rowNode.floating; if (checkboxNeeded) { var cbSelectionComponent = new checkboxSelectionComponent_1.CheckboxSelectionComponent(); this.context.wireBean(cbSelectionComponent); cbSelectionComponent.init({ rowNode: this.rowNode }); this.eCheckbox.appendChild(cbSelectionComponent.getGui()); this.addDestroyFunc(function () { return cbSelectionComponent.destroy(); }); } }; GroupCellRenderer.prototype.addExpandAndContract = function (eGroupCell) { var eExpandedIcon = utils_1.Utils.createIconNoSpan('groupExpanded', this.gridOptionsWrapper, null, svgFactory.createGroupContractedIcon); var eContractedIcon = utils_1.Utils.createIconNoSpan('groupContracted', this.gridOptionsWrapper, null, svgFactory.createGroupExpandedIcon); this.eExpanded.appendChild(eExpandedIcon); this.eContracted.appendChild(eContractedIcon); this.addDestroyableEventListener(this.eExpanded, 'click', this.onExpandOrContract.bind(this)); this.addDestroyableEventListener(this.eContracted, 'click', this.onExpandOrContract.bind(this)); this.addDestroyableEventListener(eGroupCell, 'dblclick', this.onExpandOrContract.bind(this)); // expand / contract as the user hits enter this.addDestroyableEventListener(eGroupCell, 'keydown', this.onKeyDown.bind(this)); this.showExpandAndContractIcons(); }; GroupCellRenderer.prototype.onKeyDown = function (event) { if (utils_1.Utils.isKeyPressed(event, constants_1.Constants.KEY_ENTER)) { this.onExpandOrContract(); event.preventDefault(); } }; GroupCellRenderer.prototype.onExpandOrContract = function () { this.rowNode.expanded = !this.rowNode.expanded; var refreshIndex = this.getRefreshFromIndex(); this.gridApi.onGroupExpandedOrCollapsed(refreshIndex); this.showExpandAndContractIcons(); var event = { node: this.rowNode }; this.eventService.dispatchEvent(events_1.Events.EVENT_ROW_GROUP_OPENED, event); }; GroupCellRenderer.prototype.showExpandAndContractIcons = function () { var reducedLeafNode = this.columnController.isReduce() && this.rowNode.leafGroup; var expandable = this.rowNode.group && !this.rowNode.footer && !reducedLeafNode; if (expandable) { // if expandable, show one based on expand state utils_1.Utils.setVisible(this.eExpanded, this.rowNode.expanded); utils_1.Utils.setVisible(this.eContracted, !this.rowNode.expanded); } else { // it not expandable, show neither utils_1.Utils.setVisible(this.eExpanded, false); utils_1.Utils.setVisible(this.eContracted, false); } }; // if we are showing footers, then opening / closing the group also changes the group // row, as the 'summaries' move to and from the header and footer. if not using footers, // then we only need to refresh from this row down. GroupCellRenderer.prototype.getRefreshFromIndex = function () { if (this.gridOptionsWrapper.isGroupIncludeFooter()) { return this.rowIndex; } else { return this.rowIndex + 1; } }; GroupCellRenderer.TEMPLATE = '<span>' + '<span class="ag-group-expanded"></span>' + '<span class="ag-group-contracted"></span>' + '<span class="ag-group-checkbox"></span>' + '<span class="ag-group-value"></span>' + '<span class="ag-group-child-count"></span>' + '</span>'; __decorate([ context_1.Autowired('gridOptionsWrapper'), __metadata('design:type', gridOptionsWrapper_1.GridOptionsWrapper) ], GroupCellRenderer.prototype, "gridOptionsWrapper", void 0); __decorate([ context_1.Autowired('expressionService'), __metadata('design:type', expressionService_1.ExpressionService) ], GroupCellRenderer.prototype, "expressionService", void 0); __decorate([ context_1.Autowired('eventService'), __metadata('design:type', eventService_1.EventService) ], GroupCellRenderer.prototype, "eventService", void 0); __decorate([ context_1.Autowired('cellRendererService'), __metadata('design:type', cellRendererService_1.CellRendererService) ], GroupCellRenderer.prototype, "cellRendererService", void 0); __decorate([ context_1.Autowired('valueFormatterService'), __metadata('design:type', valueFormatterService_1.ValueFormatterService) ], GroupCellRenderer.prototype, "valueFormatterService", void 0); __decorate([ context_1.Autowired('context'), __metadata('design:type', context_1.Context) ], GroupCellRenderer.prototype, "context", void 0); __decorate([ context_1.Autowired('columnController'), __metadata('design:type', columnController_1.ColumnController) ], GroupCellRenderer.prototype, "columnController", void 0); return GroupCellRenderer; })(component_1.Component); exports.GroupCellRenderer = GroupCellRenderer; /***/ }, /* 59 */ /***/ function(module, exports) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var SVG_NS = "http://www.w3.org/2000/svg"; var SvgFactory = (function () { function SvgFactory() { } SvgFactory.getInstance = function () { if (!this.theInstance) { this.theInstance = new SvgFactory(); } return this.theInstance; }; SvgFactory.prototype.createFilterSvg = function () { var eSvg = createIconSvg(); var eFunnel = document.createElementNS(SVG_NS, "polygon"); eFunnel.setAttribute("points", "0,0 4,4 4,10 6,10 6,4 10,0"); eFunnel.setAttribute("class", "ag-header-icon"); eSvg.appendChild(eFunnel); return eSvg; }; SvgFactory.prototype.createFilterSvg12 = function () { var eSvg = createIconSvg(12); var eFunnel = document.createElementNS(SVG_NS, "polygon"); eFunnel.setAttribute("points", "0,0 5,5 5,12 7,12 7,5 12,0"); eFunnel.setAttribute("class", "ag-header-icon"); eSvg.appendChild(eFunnel); return eSvg; }; SvgFactory.prototype.createMenuSvg = function () { var eSvg = document.createElementNS(SVG_NS, "svg"); var size = "12"; eSvg.setAttribute("width", size); eSvg.setAttribute("height", size); ["0", "5", "10"].forEach(function (y) { var eLine = document.createElementNS(SVG_NS, "rect"); eLine.setAttribute("y", y); eLine.setAttribute("width", size); eLine.setAttribute("height", "2"); eLine.setAttribute("class", "ag-header-icon"); eSvg.appendChild(eLine); }); return eSvg; }; SvgFactory.prototype.createColumnsSvg12 = function () { var eSvg = createIconSvg(12); [0, 4, 8].forEach(function (y) { [0, 7].forEach(function (x) { var eBar = document.createElementNS(SVG_NS, "rect"); eBar.setAttribute("y", y.toString()); eBar.setAttribute("x", x.toString()); eBar.setAttribute("width", "5"); eBar.setAttribute("height", "3"); eBar.setAttribute("class", "ag-header-icon"); eSvg.appendChild(eBar); }); }); return eSvg; }; SvgFactory.prototype.createArrowUpSvg = function () { return createPolygonSvg("0,10 5,0 10,10"); }; SvgFactory.prototype.createArrowLeftSvg = function () { return createPolygonSvg("10,0 0,5 10,10"); }; SvgFactory.prototype.createArrowDownSvg = function () { return createPolygonSvg("0,0 5,10 10,0"); }; SvgFactory.prototype.createArrowRightSvg = function () { return createPolygonSvg("0,0 10,5 0,10"); }; SvgFactory.prototype.createSmallArrowRightSvg = function () { return createPolygonSvg("0,0 6,3 0,6", 6); }; SvgFactory.prototype.createSmallArrowDownSvg = function () { return createPolygonSvg("0,0 3,6 6,0", 6); }; //public createOpenSvg() { // return createPlusMinus(true); //} // //public createCloseSvg() { // return createPlusMinus(false); //} // UnSort Icon SVG SvgFactory.prototype.createArrowUpDownSvg = function () { var svg = createIconSvg(); var eAscIcon = document.createElementNS(SVG_NS, "polygon"); eAscIcon.setAttribute("points", '0,4 5,0 10,4'); svg.appendChild(eAscIcon); var eDescIcon = document.createElementNS(SVG_NS, "polygon"); eDescIcon.setAttribute("points", '0,6 5,10 10,6'); svg.appendChild(eDescIcon); return svg; }; //public createFolderOpen(size: number): HTMLElement { // var svg = `<svg width="${size}" height="${size}" viewBox="0 0 1792 1792" xmlns="http://www.w3.org/2000/svg"><path d="M1717 931q0-35-53-35h-1088q-40 0-85.5 21.5t-71.5 52.5l-294 363q-18 24-18 40 0 35 53 35h1088q40 0 86-22t71-53l294-363q18-22 18-39zm-1141-163h768v-160q0-40-28-68t-68-28h-576q-40 0-68-28t-28-68v-64q0-40-28-68t-68-28h-320q-40 0-68 28t-28 68v853l256-315q44-53 116-87.5t140-34.5zm1269 163q0 62-46 120l-295 363q-43 53-116 87.5t-140 34.5h-1088q-92 0-158-66t-66-158v-960q0-92 66-158t158-66h320q92 0 158 66t66 158v32h544q92 0 158 66t66 158v160h192q54 0 99 24.5t67 70.5q15 32 15 68z"/></svg>`; // return _.loadTemplate(svg); //} // //public createFolderClosed(size: number): HTMLElement { // var svg = `<svg width="${size}" height="${size}" viewBox="0 0 1792 1792" xmlns="http://www.w3.org/2000/svg"><path d="M1600 1312v-704q0-40-28-68t-68-28h-704q-40 0-68-28t-28-68v-64q0-40-28-68t-68-28h-320q-40 0-68 28t-28 68v960q0 40 28 68t68 28h1216q40 0 68-28t28-68zm128-704v704q0 92-66 158t-158 66h-1216q-92 0-158-66t-66-158v-960q0-92 66-158t158-66h320q92 0 158 66t66 158v32h672q92 0 158 66t66 158z"/></svg>`; // return _.loadTemplate(svg); //} SvgFactory.prototype.createFolderOpen = function () { var eImg = document.createElement('img'); eImg.src = 'data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAABAAAAAQCAYAAAAf8/9hAAAAGXRFWHRTb2Z0d2FyZQBBZG9iZSBJbWFnZVJlYWR5ccllPAAAAZpJREFUeNqkU0tLQkEUPjN3ShAzF66CaNGiaNEviFpLgbSpXf2ACIqgFkELaVFhtAratQ8qokU/oFVbMQtJvWpWGvYwtet9TWfu1QorvOGBb84M5/WdOTOEcw7tCKHBlT8sMIhr4BfLGXC4BrALM8QUoveHG9oPQ/NhwVCQbOjp0C5F6zDiwE7Aed/p5tKWruufTlY8bkqliqVN8wvH6wvhydWd5UYdkYCqqgaKotQTCEewnJuDBSqVmshOrWhKgCJVqeHcKtiGKdqTgGIOQmwGum7AxVUKinXKzX1/1y5Xp6g8gpe8iBxuGZhcKjyXQZIkmBkfczS62YnRQCKX75/b3t8QDNhD8QX83V5Ipe7Bybug2Pt5NJ7A4nEqGOQKT+Bzu0HTDNB1syUYYxCJy0kwzIRogb0rKjAiQVXXHLVQrqqvsZtsFu8hbyXwe73WeMQtO5GonJGxuiyeC+Oa4fF5PEirw9nbx9FdxtN5eMwkzcgRnoeCa9DVM/CvH/R2l+axkz3clQguOFjw1f+FUzEQCqJG2v3OHwIMAOW1JPnAAAJxAAAAAElFTkSuQmCC'; return eImg; }; SvgFactory.prototype.createFolderClosed = function () { var eImg = document.createElement('img'); eImg.src = 'data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAABAAAAAQCAYAAAAf8/9hAAAAGXRFWHRTb2Z0d2FyZQBBZG9iZSBJbWFnZVJlYWR5ccllPAAAARlJREFUeNqsUz1PwzAUPDtOUASpYKkQVWcQA/+DhbLA32CoKAMSTAwgFsQfQWLoX4GRDFXGIiqiyk4e7wUWmg8phJPOtvzunc6WrYgIXaD06KKhij0eD2uqUxBeDC9OmcNKCYd7ujm7ryodXz5ong6UPpqcP9+O76y1vwS+7yOOY1jr0OttlQyiaB0n148TAyK9XFqkaboiSTEYDNnkDUkyKxkkiSQkzQbwsiyHcBXz+Tv6/W1m+QiSEDT1igTO5RBWYbH4rNwPw/AnQU5ek0EdCj33SgLjHEHYzoAkgfmHBDmZuktsQqHPvxN0MyCbbWjtIQjWWhlIj/QqtT+6QrSz+6ef9DF7VTwFzE2madnu5K2prt/5S4ABADcIlSf6Ag8YAAAAAElFTkSuQmCC'; return eImg; }; SvgFactory.prototype.createColumnIcon = function () { var eImg = document.createElement('img'); eImg.src = 'data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAAYAAAAOCAYAAAAMn20lAAAAGXRFWHRTb2Z0d2FyZQBBZG9iZSBJbWFnZVJlYWR5ccllPAAAAyJpVFh0WE1MOmNvbS5hZG9iZS54bXAAAAAAADw/eHBhY2tldCBiZWdpbj0i77u/IiBpZD0iVzVNME1wQ2VoaUh6cmVTek5UY3prYzlkIj8+IDx4OnhtcG1ldGEgeG1sbnM6eD0iYWRvYmU6bnM6bWV0YS8iIHg6eG1wdGs9IkFkb2JlIFhNUCBDb3JlIDUuMy1jMDExIDY2LjE0NTY2MSwgMjAxMi8wMi8wNi0xNDo1NjoyNyAgICAgICAgIj4gPHJkZjpSREYgeG1sbnM6cmRmPSJodHRwOi8vd3d3LnczLm9yZy8xOTk5LzAyLzIyLXJkZi1zeW50YXgtbnMjIj4gPHJkZjpEZXNjcmlwdGlvbiByZGY6YWJvdXQ9IiIgeG1sbnM6eG1wPSJodHRwOi8vbnMuYWRvYmUuY29tL3hhcC8xLjAvIiB4bWxuczp4bXBNTT0iaHR0cDovL25zLmFkb2JlLmNvbS94YXAvMS4wL21tLyIgeG1sbnM6c3RSZWY9Imh0dHA6Ly9ucy5hZG9iZS5jb20veGFwLzEuMC9zVHlwZS9SZXNvdXJjZVJlZiMiIHhtcDpDcmVhdG9yVG9vbD0iQWRvYmUgUGhvdG9zaG9wIENTNiAoV2luZG93cykiIHhtcE1NOkluc3RhbmNlSUQ9InhtcC5paWQ6RTcwQ0JFMzlENjZEMTFFNUFEQ0U5RDRCNjFFRENGMUMiIHhtcE1NOkRvY3VtZW50SUQ9InhtcC5kaWQ6RTcwQ0JFM0FENjZEMTFFNUFEQ0U5RDRCNjFFRENGMUMiPiA8eG1wTU06RGVyaXZlZEZyb20gc3RSZWY6aW5zdGFuY2VJRD0ieG1wLmlpZDpFNzBDQkUzN0Q2NkQxMUU1QURDRTlENEI2MUVEQ0YxQyIgc3RSZWY6ZG9jdW1lbnRJRD0ieG1wLmRpZDpFNzBDQkUzOEQ2NkQxMUU1QURDRTlENEI2MUVEQ0YxQyIvPiA8L3JkZjpEZXNjcmlwdGlvbj4gPC9yZGY6UkRGPiA8L3g6eG1wbWV0YT4gPD94cGFja2V0IGVuZD0iciI/PqDOrJYAAABxSURBVHjalJBBDsAgCAQXxXvj2/o/X9Cvmd4lUpV4MXroJMTAuihQSklVMSCysxSBW4uWKzjG6zZLDxrlWis5EVEThoWmi3N+nxAYs2WnXQY34L3HisMWPQlHB+2FPtNW6D/8+ziBRcroOXc0B/wEGABY6TPS1FU0bwAAAABJRU5ErkJggg=='; return eImg; }; SvgFactory.prototype.createColumnsIcon = function () { var eImg = document.createElement('img'); eImg.src = 'data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAABAAAAAQCAYAAAAf8/9hAAAAGXRFWHRTb2Z0d2FyZQBBZG9iZSBJbWFnZVJlYWR5ccllPAAAAyJpVFh0WE1MOmNvbS5hZG9iZS54bXAAAAAAADw/eHBhY2tldCBiZWdpbj0i77u/IiBpZD0iVzVNME1wQ2VoaUh6cmVTek5UY3prYzlkIj8+IDx4OnhtcG1ldGEgeG1sbnM6eD0iYWRvYmU6bnM6bWV0YS8iIHg6eG1wdGs9IkFkb2JlIFhNUCBDb3JlIDUuMy1jMDExIDY2LjE0NTY2MSwgMjAxMi8wMi8wNi0xNDo1NjoyNyAgICAgICAgIj4gPHJkZjpSREYgeG1sbnM6cmRmPSJodHRwOi8vd3d3LnczLm9yZy8xOTk5LzAyLzIyLXJkZi1zeW50YXgtbnMjIj4gPHJkZjpEZXNjcmlwdGlvbiByZGY6YWJvdXQ9IiIgeG1sbnM6eG1wPSJodHRwOi8vbnMuYWRvYmUuY29tL3hhcC8xLjAvIiB4bWxuczp4bXBNTT0iaHR0cDovL25zLmFkb2JlLmNvbS94YXAvMS4wL21tLyIgeG1sbnM6c3RSZWY9Imh0dHA6Ly9ucy5hZG9iZS5jb20veGFwLzEuMC9zVHlwZS9SZXNvdXJjZVJlZiMiIHhtcDpDcmVhdG9yVG9vbD0iQWRvYmUgUGhvdG9zaG9wIENTNiAoV2luZG93cykiIHhtcE1NOkluc3RhbmNlSUQ9InhtcC5paWQ6OENFQkI4NDhENzJDMTFFNUJDNEVFRjgwRDI3MkU1Q0EiIHhtcE1NOkRvY3VtZW50SUQ9InhtcC5kaWQ6OENFQkI4NDlENzJDMTFFNUJDNEVFRjgwRDI3MkU1Q0EiPiA8eG1wTU06RGVyaXZlZEZyb20gc3RSZWY6aW5zdGFuY2VJRD0ieG1wLmlpZDo4Q0VCQjg0NkQ3MkMxMUU1QkM0RUVGODBEMjcyRTVDQSIgc3RSZWY6ZG9jdW1lbnRJRD0ieG1wLmRpZDo4Q0VCQjg0N0Q3MkMxMUU1QkM0RUVGODBEMjcyRTVDQSIvPiA8L3JkZjpEZXNjcmlwdGlvbj4gPC9yZGY6UkRGPiA8L3g6eG1wbWV0YT4gPD94cGFja2V0IGVuZD0iciI/Pj6ozGQAAAAuSURBVHjaYmRgYPjPgBswQml8anBK/idGDQsxNpCghnTAOBoGo2EwGgZgABBgAHbrH/l4grETAAAAAElFTkSuQmCC'; return eImg; }; SvgFactory.prototype.createPinIcon = function () { var eImg = document.createElement('img'); eImg.src = 'data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAABAAAAAQCAYAAAAf8/9hAAAAGXRFWHRTb2Z0d2FyZQBBZG9iZSBJbWFnZVJlYWR5ccllPAAAAedJREFUeNqkUktLG1EYPTN31CIN0oWbIAWhKJR0FXcG6gOqkKGKVvEXCKULC91YSBcK7jXgQoIbFxn3ErFgFlIfCxUsQsCoIJYEm9LWNsGmJjPTM+Oo44Aa6IUzd+bec77H+UYyTRP/s5SsLFfCCxEjOhD9CXw64ccXJj7nLleYaMSvaa/+Au9Y73P3RUUBDIuXyaAxGu35A7xnkM57A7icCZXIO8/nkVleRn1/f9cv0xzjfVclFdi9N8ZivfnDQxQKBTwoFvFicLCVQSesJIpHMEY8dSqQWa54Eov1fF9ZQVHXsZNMblhnNE/wPmJPIX1zjOG2+fkgslnozHR2eopLcSIe3yoD48y45FbIxoVJNjimyMehoW3T58PvdBq53V18zeWwFo+vUfyBlCVvj0Li4/M1DnaAUtXCQkNDR4f/294eaoTAwdHRCROMWlzJZfC+1cKcJF07b5o+btWvV1eDyVBouyUcDj5UFDg924tVYtERpz0mCkmSulOp1GQgEIj0yvKPYiKBlwMDQXfPU47walEEmb8z0a5p2qaiKMPEoz6ezQLdM8DWNDDzltym24YthHimquoshSoDicvzZkK9S+h48pjCN4ZhrBPHTptlD0qevezwdCtAHVHrMti4A7rr3eb+E2AAoGnGkgkzpg8AAAAASUVORK5CYII='; return eImg; }; SvgFactory.prototype.createPlusIcon = function () { var eImg = document.createElement('img'); eImg.src = 'data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAABAAAAAQCAYAAAAf8/9hAAAAGXRFWHRTb2Z0d2FyZQBBZG9iZSBJbWFnZVJlYWR5ccllPAAAAatJREFUeNqkU71KA0EQ/vaiib+lWCiordidpSg+QHwDBSt7n8DGhwhYCPoEgqCCINomARuLVIqgYKFG5f6z68xOzrvzYuXA3P7MzLffN7unjDH4jw3xx91bQXuxU4woNDjUX7VgsFOIH3/BnHgC0J65AzwFjDpZgoG7vb7lMsPDq6MiuK+B+kjGwFpCUjwK1DIQ3/dl0ssVh5TTM0UJP8aBgBKGleSGIWyP0oKYRm3KPSgYJ0Q0EpEgCASA2WmWZQY3kazBmjP9UhBFEbTWAgA0f9W2yHeG+vrd+tqGy5r5xNTT9erSqpvfdxwHN7fXOQZ0QhzH1oWArLsfXXieJ/KTGEZLcbVaTVn9ALTOLk9L+mYX5lxd0Xh6eGyVgspK6APwI8n3x9hmNpORJOuBo5ah8GcTc7dAHmkhNpYQlpHr47Hq2NspA1yEwHkoO/MVYLMmWJNarjEUQBzQw7rPvardFC8tZuOEwwB4p9PHqXgCdm738sUDJPB8mnwKj7qCTtJ527+XyAs6tOf2Bb6SP0OeGxRTVMp2h9nweWMoKS20l3+QT/vwqfZbgAEAUCrnlLQ+w4QAAAAASUVORK5CYII='; return eImg; }; SvgFactory.prototype.createMinusIcon = function () { var eImg = document.createElement('img'); eImg.src = 'data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAABAAAAAQCAYAAAAf8/9hAAAAGXRFWHRTb2Z0d2FyZQBBZG9iZSBJbWFnZVJlYWR5ccllPAAAAKVJREFUeNpi/P//PwMlgImBQjBqAAMDy3JGRgZGBoaZQGxMikZg3J0F4nSWHxC+cUBamvHXr18Zfv36Bca/f/8G43///oExKLphmImJieHagQMQF7QDiSwg/vnzJ8P3799RDPj79y+KRhhmBLr6I1DPNJABtxkYZM4xMFx7uXAhSX5/CtQD0gv0OgMfyCAgZgViZiL1/wXi30D8h3E0KVNuAECAAQDr51qtGxzf1wAAAABJRU5ErkJggg=='; return eImg; }; SvgFactory.prototype.createMoveIcon = function () { var eImg = document.createElement('img'); eImg.src = 'data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAABAAAAAQCAYAAAAf8/9hAAAAGXRFWHRTb2Z0d2FyZQBBZG9iZSBJbWFnZVJlYWR5ccllPAAAAoZJREFUeNpsU81rE0EUf7uzu2lNVJL6Eb0IBWusepqcKm3wEFkvxqDgQbwUtYeeg5cccwj4F7QKChEPipRcdMGDiaAoJAexLYViwYsfbU1JYkx3Zz98b8220Wbg7ez7vXm/mffmN9Kh1G2QGQOmMDiRyYEkSaCoKjDGdAAooOUdxzFsIcDzPPhSvgeO7YDrOLBRmQdlJHULVE0DNRSCvqFjUuHqhWP8+etvhR5m0CeengVhmiAsywdl2Dt03K1wZSrO220XaCaf8AFrQel32s0mrDcaWfovrq3Vc9OTvHj/Tb0Xzh6JxQwNyxtIgPXpqqJk94fDM+1Oh6CaEF4QTiIOGJ/DdQtBObsEmGxbll/rkCyDPDwMzW4XhHD88EH0NcRxDUeX4/qdnsi0s8Aas+kEp8Zg82pMkmpDigKbjSbQTD7hFL94/jin9ZRHBNLo3Wrt+uUkbzQsiEZVMPGKfv76DaawodnahkhY86+PNnXxs77ZgVOjMahWVuufi1NJRZhWvvT0beHGtQn++Nm7en+DzqXO8vfVxX+wsYnT/JWxWEe95P0eILsvkkdPKn4PUEBJmunILab5992PLVU++skoNmOniT7JX2Fkt5GM1EjqbMohXzQmqo7KwCQ6zYKiabu30PpQAnZ0HKSRMcMRwnBddw4ZOO4GLRYKFFdDhrrteTMMdWB9/QTdH8sIp0EKmNT4GWDjGZAPJ3TcrbBv+ibfwtwDqBvzYck/truxYjjLZRDflwLt7JUmEoAymdPV7INa5IXn0Uw+4f8PIqATMLQIWpQ0E/RFTmQ4nLx0B1Zfzrsr5eAmbLQW2hYpHwkcqfegNBJhzwY9sGC4aCZaF81CAvePAAMAcwtApJX/Wo0AAAAASUVORK5CYII='; return eImg; }; SvgFactory.prototype.createLeftIcon = function () { var eImg = document.createElement('img'); eImg.src = 'data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAABAAAAAQCAYAAAAf8/9hAAAAGXRFWHRTb2Z0d2FyZQBBZG9iZSBJbWFnZVJlYWR5ccllPAAAAe9JREFUeNqkUz1oE2EYfu7uuyRKLCFt6g+4VNQWWod+mQRRR1En0UFOHKoNCMKNju4SEQsOzsFNcRGl4CS42AzaKhKcsqhk0Etj7u+773y/6+USbOLSF5574b33eX+e906L4xh7MaYeC/c/IFcowMznEzDTBGPMoldnqEFtkPy708mIqvHHe0s7BcaYJYSwRwPu9vbYRH1XJI4tEYb2jYtHOHko9LvdxE9cYZQcBoF9+9oJ7jgRQt+HFAJSyv9rkO6UkGvXF3mr9QelkpkUINsYR6T8Jrkay8i+b9+5yfnmppMmSFw6e4yrIynBBsdS3jQ1PH/zeTiBIt+9dZpvbTlZh1+Oh/Z3F33XRUj7R1GUxA3DwMx0EYHnDUUMPe9Rfe1tc26uiL6M8aXno+UH6O7PIShPIapMQx6sQMxW4JbL+MkKCKhwNgGN2FD7Pnz82j63coF/aoc4ekDHtxfrzUniaZrW/FfEBomI9Scv7fnVq7zdBwIqajBWpeTd99d3vgBNCaQSzMOLyJ+6ApSPWxSzD61a/MfThupSjVuvxk2A3sazYYGBGbML0OcvW9rMyeRLFO8eVGXnKyacMiug5ikSplLs05dXzqNQWpbv6/URjpK+m6JH3GhQQI2QI+RTmBO0EwQ/RUBcqe31d/4rwAB0lPTXqN6HzgAAAABJRU5ErkJggg=='; return eImg; }; SvgFactory.prototype.createRightIcon = function () { var eImg = document.createElement('img'); eImg.src = 'data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAABAAAAAQCAYAAAAf8/9hAAAAGXRFWHRTb2Z0d2FyZQBBZG9iZSBJbWFnZVJlYWR5ccllPAAAAfBJREFUeNqkUz1s00AU/hwSh1SEhiFCYuhCVSExgHRiYKjEVCEyMMGAsjCxZunesWM7dIgEA8JISPyoUhFDFoZOSE2GgtrSIAYWSEPb1HUS23c+8+7iuE5/JKQ+6fOdz/e+970fG2EY4jyWVo9b819hGEZ8WCgW4z2dV2lZFUJYgnNwz9PwXRebc3cGBMfN6XSQy+eHryyCMuv43dRpBCpSz7b1qlB+cI3RWkEYlv+LQFkgBLxuV8s9OAhQLk0w7vsnSHQKVMhqQuYRSRBouK5AqyXwpHSdvfywUYkKb8UEFIU9fXybOY6A+jbszGAP7O/7RBKg2eR4dH+KvV5ej0k0gaqobXO0214c3acUDnt99Pp9cKqDUqLsx68LuHd3gtU+b1eOCOiSaaZQKJjgMsSOy7EnJcSYCZnLwKbojic1weTVMXz81KhTexeSKdSXqrUzh2X84Qxr9SQmx1P48q6mnTPZrJUs4jMp5QlHlSd1Y203fRGFK8DPV28HzqZpjXShW3+D00bamCrpNU9DuvvcGsjea1rO+nvw39+AxRCGckyO8ciQFG8gPT27ptX8/b4gt1asYGdzRGE6MVCXCJcj5NShbG9B/NnYhttpyMYL5XmTYEdw1KgMFSgJJiEbIXNGPQXBi+CTrzTO+zv/E2AA3Y8Nbp4Kn1sAAAAASUVORK5CYII='; return eImg; }; SvgFactory.prototype.createColumnVisibleIcon = function () { var eImg = document.createElement('img'); eImg.src = 'data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAABAAAAAQCAYAAAAf8/9hAAAAGXRFWHRTb2Z0d2FyZQBBZG9iZSBJbWFnZVJlYWR5ccllPAAAAdhJREFUeNrUk01LAlEUhu845QdRUxZBhIIWtFBso2AwRAVNLqKltHCb63b9A/9AixZCELhyYdAmEyYCBcOlNa1CSQoxog/DMY3x9p5B27Zw1YGH8XrO+55759wROOdsmLCwIWNoAwFh/ugfZQKsAQV4gbNf9woqIAeuQHOgGxgIMNix2Wx7iqIsxmKxWU3TxgqFgpWSsix3fT5fK5VKPedyuftOp5OE7oz60hHsYD8UCh3k83k5k8ksGYYx5XK5rK2WzgiIrPQf5aiGakljakVRjKDrZaPR6Oi6zglVVTlFMnnMZXmdK8o2x674IE+1pCHtCFx2w+GwE9u3drtd81yJRAKdDXZ4eGSuFxb87PHxjg3yVEsaNNolg5NSqTTVbDaX7Agq8Hg8TFWLbGVl0xTY7TY2Our5NfhCQPNAWtFisdSr1WqvWCwawWBwRpKkcZyXadoN83qXmSQ50V1jGxurpnGlUqnH4/FzvItTmoo5ApjQNMIOh2MrEon4o9Gov1arzZXL5XHKBwKBT7fbXU+n07fZbPa23W5f4BVd93o9TgYimATTMHHCbB5PN9ZSf0LmrsEHRDWInvB8w/oFvAv920iFDkBzF/64fHTjvoFOxsL//5h+BBgAwjbgRLl5ImwAAAAASUVORK5CYII='; return eImg; }; SvgFactory.prototype.createColumnHiddenIcon = function () { var eImg = document.createElement('img'); eImg.src = 'data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAABAAAAAQCAYAAAAf8/9hAAAAGXRFWHRTb2Z0d2FyZQBBZG9iZSBJbWFnZVJlYWR5ccllPAAAAyJpVFh0WE1MOmNvbS5hZG9iZS54bXAAAAAAADw/eHBhY2tldCBiZWdpbj0i77u/IiBpZD0iVzVNME1wQ2VoaUh6cmVTek5UY3prYzlkIj8+IDx4OnhtcG1ldGEgeG1sbnM6eD0iYWRvYmU6bnM6bWV0YS8iIHg6eG1wdGs9IkFkb2JlIFhNUCBDb3JlIDUuMy1jMDExIDY2LjE0NTY2MSwgMjAxMi8wMi8wNi0xNDo1NjoyNyAgICAgICAgIj4gPHJkZjpSREYgeG1sbnM6cmRmPSJodHRwOi8vd3d3LnczLm9yZy8xOTk5LzAyLzIyLXJkZi1zeW50YXgtbnMjIj4gPHJkZjpEZXNjcmlwdGlvbiByZGY6YWJvdXQ9IiIgeG1sbnM6eG1wPSJodHRwOi8vbnMuYWRvYmUuY29tL3hhcC8xLjAvIiB4bWxuczp4bXBNTT0iaHR0cDovL25zLmFkb2JlLmNvbS94YXAvMS4wL21tLyIgeG1sbnM6c3RSZWY9Imh0dHA6Ly9ucy5hZG9iZS5jb20veGFwLzEuMC9zVHlwZS9SZXNvdXJjZVJlZiMiIHhtcDpDcmVhdG9yVG9vbD0iQWRvYmUgUGhvdG9zaG9wIENTNiAoV2luZG93cykiIHhtcE1NOkluc3RhbmNlSUQ9InhtcC5paWQ6N0ZGNDRBMkJENkU3MTFFNUIwOTBGRTc0MTA3OTI2OEYiIHhtcE1NOkRvY3VtZW50SUQ9InhtcC5kaWQ6N0ZGNDRBMkNENkU3MTFFNUIwOTBGRTc0MTA3OTI2OEYiPiA8eG1wTU06RGVyaXZlZEZyb20gc3RSZWY6aW5zdGFuY2VJRD0ieG1wLmlpZDo3RkY0NEEyOUQ2RTcxMUU1QjA5MEZFNzQxMDc5MjY4RiIgc3RSZWY6ZG9jdW1lbnRJRD0ieG1wLmRpZDo3RkY0NEEyQUQ2RTcxMUU1QjA5MEZFNzQxMDc5MjY4RiIvPiA8L3JkZjpEZXNjcmlwdGlvbj4gPC9yZGY6UkRGPiA8L3g6eG1wbWV0YT4gPD94cGFja2V0IGVuZD0iciI/PjQ0mkwAAACISURBVHjaYvz//z8DJYCJgUIwDAxgKSwspMwAIOYDYlcgtgNiJSBWBGJhIGaHyoHAJyD+CcRvgfg+EN8D4kNAvBtkwGEg1iNgkSCUlgBibSg7D4gvgwywRXKBChArALEIELMCsQBU8Qcg/g3Eb4D4ARDfBeKDMBeAnLcWikkGjKMpcRAYABBgACqXGpPEq63VAAAAAElFTkSuQmCC'; return eImg; }; SvgFactory.prototype.createColumnIndeterminateIcon = function () { var eImg = document.createElement('img'); eImg.src = 'data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAABAAAAAQCAYAAAAf8/9hAAAAGXRFWHRTb2Z0d2FyZQBBZG9iZSBJbWFnZVJlYWR5ccllPAAAAyJpVFh0WE1MOmNvbS5hZG9iZS54bXAAAAAAADw/eHBhY2tldCBiZWdpbj0i77u/IiBpZD0iVzVNME1wQ2VoaUh6cmVTek5UY3prYzlkIj8+IDx4OnhtcG1ldGEgeG1sbnM6eD0iYWRvYmU6bnM6bWV0YS8iIHg6eG1wdGs9IkFkb2JlIFhNUCBDb3JlIDUuMy1jMDExIDY2LjE0NTY2MSwgMjAxMi8wMi8wNi0xNDo1NjoyNyAgICAgICAgIj4gPHJkZjpSREYgeG1sbnM6cmRmPSJodHRwOi8vd3d3LnczLm9yZy8xOTk5LzAyLzIyLXJkZi1zeW50YXgtbnMjIj4gPHJkZjpEZXNjcmlwdGlvbiByZGY6YWJvdXQ9IiIgeG1sbnM6eG1wPSJodHRwOi8vbnMuYWRvYmUuY29tL3hhcC8xLjAvIiB4bWxuczp4bXBNTT0iaHR0cDovL25zLmFkb2JlLmNvbS94YXAvMS4wL21tLyIgeG1sbnM6c3RSZWY9Imh0dHA6Ly9ucy5hZG9iZS5jb20veGFwLzEuMC9zVHlwZS9SZXNvdXJjZVJlZiMiIHhtcDpDcmVhdG9yVG9vbD0iQWRvYmUgUGhvdG9zaG9wIENTNiAoV2luZG93cykiIHhtcE1NOkluc3RhbmNlSUQ9InhtcC5paWQ6OUY1QTkyNDUxRTkzMTFFNkFEQzVDNjE1NDE4RDlEQUMiIHhtcE1NOkRvY3VtZW50SUQ9InhtcC5kaWQ6OUY1QTkyNDYxRTkzMTFFNkFEQzVDNjE1NDE4RDlEQUMiPiA8eG1wTU06RGVyaXZlZEZyb20gc3RSZWY6aW5zdGFuY2VJRD0ieG1wLmlpZDo5RjVBOTI0MzFFOTMxMUU2QURDNUM2MTU0MThEOURBQyIgc3RSZWY6ZG9jdW1lbnRJRD0ieG1wLmRpZDo5RjVBOTI0NDFFOTMxMUU2QURDNUM2MTU0MThEOURBQyIvPiA8L3JkZjpEZXNjcmlwdGlvbj4gPC9yZGY6UkRGPiA8L3g6eG1wbWV0YT4gPD94cGFja2V0IGVuZD0iciI/Por9Q7gAAAGzSURBVHja1JOxSwJRHMffqXcqSoVBQ0FDNN7iIBxO5WA3NYoEjm0u/T2Bkw2ONZlgNEk4Bw6GiGiippmRnp76+n4PbWhpcOoHH57P+36/7/e8n4qUUmxSLrFhbRygoJwPq6tsgRMQB0cgtNINQA0UwCMYrX3rAAUB516v9zIejx+nUqm90WgUDIfDaq1WE9PpdK6q6mc2m+0WCoUX7K/hu+O5TPCBq0gkUiqXy0PbtqVlWXK5XDqwuE4mEzmfzyU11NJDr3C73SZOfeh0OtPxeCyR7oixlzhdVqtV2ev1nCB+Tw219NDrQRtJwzBCaF+bzWbsSGQyGVEsFoWmacLj8YjBYCBisZhIp9MC3Qhq6YEmyQ5OTdO8bTQak263K8m69d+FIOc5tfTQywAvTrmIRqM3pVLptd1uy3q9/nN3slgsZLPZlHxGDbX00Ou8ApfLxbdh+P3+MyTriURC7/f7+7hCsFKpCF3XvwKBQCuXyz3n8/ln/Bb3yH9iOAPcYAfsIiSEsAOsh9hvA99qDizwAVMDphbWd+zfwFBZTSOFfqBxJv4YPk6cDcYMVv7/n+lbgAEAtdcjOjP715MAAAAASUVORK5CYII='; return eImg; }; SvgFactory.prototype.createGroupIcon = function () { var eImg = document.createElement('img'); eImg.src = 'data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAABAAAAAQCAYAAAAf8/9hAAAAGXRFWHRTb2Z0d2FyZQBBZG9iZSBJbWFnZVJlYWR5ccllPAAAAyJpVFh0WE1MOmNvbS5hZG9iZS54bXAAAAAAADw/eHBhY2tldCBiZWdpbj0i77u/IiBpZD0iVzVNME1wQ2VoaUh6cmVTek5UY3prYzlkIj8+IDx4OnhtcG1ldGEgeG1sbnM6eD0iYWRvYmU6bnM6bWV0YS8iIHg6eG1wdGs9IkFkb2JlIFhNUCBDb3JlIDUuMy1jMDExIDY2LjE0NTY2MSwgMjAxMi8wMi8wNi0xNDo1NjoyNyAgICAgICAgIj4gPHJkZjpSREYgeG1sbnM6cmRmPSJodHRwOi8vd3d3LnczLm9yZy8xOTk5LzAyLzIyLXJkZi1zeW50YXgtbnMjIj4gPHJkZjpEZXNjcmlwdGlvbiByZGY6YWJvdXQ9IiIgeG1sbnM6eG1wPSJodHRwOi8vbnMuYWRvYmUuY29tL3hhcC8xLjAvIiB4bWxuczp4bXBNTT0iaHR0cDovL25zLmFkb2JlLmNvbS94YXAvMS4wL21tLyIgeG1sbnM6c3RSZWY9Imh0dHA6Ly9ucy5hZG9iZS5jb20veGFwLzEuMC9zVHlwZS9SZXNvdXJjZVJlZiMiIHhtcDpDcmVhdG9yVG9vbD0iQWRvYmUgUGhvdG9zaG9wIENTNiAoV2luZG93cykiIHhtcE1NOkluc3RhbmNlSUQ9InhtcC5paWQ6NUVCNUI1OUNENkYwMTFFNThGNjJDNUE3ODIwMEZERDciIHhtcE1NOkRvY3VtZW50SUQ9InhtcC5kaWQ6NUVCNUI1OURENkYwMTFFNThGNjJDNUE3ODIwMEZERDciPiA8eG1wTU06RGVyaXZlZEZyb20gc3RSZWY6aW5zdGFuY2VJRD0ieG1wLmlpZDo1RUI1QjU5QUQ2RjAxMUU1OEY2MkM1QTc4MjAwRkRENyIgc3RSZWY6ZG9jdW1lbnRJRD0ieG1wLmRpZDo1RUI1QjU5QkQ2RjAxMUU1OEY2MkM1QTc4MjAwRkRENyIvPiA8L3JkZjpEZXNjcmlwdGlvbj4gPC9yZGY6UkRGPiA8L3g6eG1wbWV0YT4gPD94cGFja2V0IGVuZD0iciI/PlkCTGoAAACDSURBVHjaYmRgYPjPgBswQun/+BT8X3x5DoZErG4KCj/3/DcMNZMNuRiYGPADRiRX4HYBJV5AB0QrhAGW//8hehgZES6FiaGLYzUAq7sxNf0nxQCsinHFAguegCPKBYxoYfAfWQxNnPgwINJVYMDEQCEYfLHASGoKRQlxPN7BqQggwAAN+SopPnDCwgAAAABJRU5ErkJggg=='; return eImg; }; SvgFactory.prototype.createPivotIcon = function () { var eImg = document.createElement('img'); eImg.src = 'data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAABAAAAAQCAYAAAAf8/9hAAAAGXRFWHRTb2Z0d2FyZQBBZG9iZSBJbWFnZVJlYWR5ccllPAAAAitJREFUeNqcU01rE1EUPfPVJjFqdYw2pJQkNS2hYhQUiwj+AaugKFYUBWutG3HjokgNrroRKYKbglBBFF0o1IW404qClGIDxpYKTQgULZJmmpiYkPnwvmtNspPmweOcmXnnvPPufSOdjsf7AfjR3PiOU6OjV50mh9CqtmVJDlkNjWU3tPXEiA6hlS3Lkm3HQbFYxO5hnTF0pQ3Bwa3MAxc98F9wMd95TsOOswpzoRFa1TJNyaKHtTUD07cNdv9wx6jtNDNW53N369xyOiC0qmmanMAwcjh+/yimrr/D28kjf8WLizjY3c38YzKJw729zKcTCU4gtLUE+Xwejy+94gWfl5agKQr8uo4Eccu2USr48SWVQq5QWE/gcAJZuIgF5XIF5yf7GfcGg9Cos4O3UoiFw2jFLrx+/wtRet+3nkJoOAEbkJtty5g484I+yUivrODekxb4tmuInZhCuFPHyHAXZubnUTXNWgKhlc1qlY+gaZsw9PwkY4fPhxsDXvxcrWL25TE8G+8DFAOxSAQHotG6AWlrRXS52vD08ifGr5kM1+BBPIBkOo3flQpaNA2zCwug+8MGdkMCPoLbvQ0DDw8xRgIBBNvbsUoF6yK+h+pQJpN91JH9PT2NCWS1Ui4rNhtswZubPxi/LS9TTWxemKTK/9t1jtramEBo1Vw226pRvEfj3oaL6v3vVRYaoZXcodA12ePpbOZXtEuljEToprmZprpBvehn4Y8AAwDB0mLL0M405wAAAABJRU5ErkJggg=='; return eImg; }; SvgFactory.prototype.createAggregationIcon = function () { var eImg = document.createElement('img'); eImg.src = 'data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAABAAAAAQCAYAAAAf8/9hAAAAGXRFWHRTb2Z0d2FyZQBBZG9iZSBJbWFnZVJlYWR5ccllPAAAAMZJREFUeNpi/P//PwMlgImBQjDwBrCgmMYENq8RiLVxqL8KxPX//v1DiIACEYYZGRlBmBOIe4B4PRDrQMUYoGyQGIoebAbADJkAxFuAWA9JXJdYA0CYC4inAPFOINZHlkPWgxKIcFMhQA0aFveB+DbOUERxDhQAbTEC4qNAPBfqEmRx3F6AAhOgojNAvBikGckumDiKHhY0B3ECcTVQQhRIg/B1NNeeB1IgQ7/BXYvmdE6oAnYcPv4NxF+BerAbMDTzAkCAAQChYIl8b86M1gAAAABJRU5ErkJggg=='; return eImg; }; SvgFactory.prototype.createGroupIcon12 = function () { var eImg = document.createElement('img'); eImg.src = 'data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAAwAAAAMCAYAAABWdVznAAAAGXRFWHRTb2Z0d2FyZQBBZG9iZSBJbWFnZVJlYWR5ccllPAAAAyJpVFh0WE1MOmNvbS5hZG9iZS54bXAAAAAAADw/eHBhY2tldCBiZWdpbj0i77u/IiBpZD0iVzVNME1wQ2VoaUh6cmVTek5UY3prYzlkIj8+IDx4OnhtcG1ldGEgeG1sbnM6eD0iYWRvYmU6bnM6bWV0YS8iIHg6eG1wdGs9IkFkb2JlIFhNUCBDb3JlIDUuMy1jMDExIDY2LjE0NTY2MSwgMjAxMi8wMi8wNi0xNDo1NjoyNyAgICAgICAgIj4gPHJkZjpSREYgeG1sbnM6cmRmPSJodHRwOi8vd3d3LnczLm9yZy8xOTk5LzAyLzIyLXJkZi1zeW50YXgtbnMjIj4gPHJkZjpEZXNjcmlwdGlvbiByZGY6YWJvdXQ9IiIgeG1sbnM6eG1wPSJodHRwOi8vbnMuYWRvYmUuY29tL3hhcC8xLjAvIiB4bWxuczp4bXBNTT0iaHR0cDovL25zLmFkb2JlLmNvbS94YXAvMS4wL21tLyIgeG1sbnM6c3RSZWY9Imh0dHA6Ly9ucy5hZG9iZS5jb20veGFwLzEuMC9zVHlwZS9SZXNvdXJjZVJlZiMiIHhtcDpDcmVhdG9yVG9vbD0iQWRvYmUgUGhvdG9zaG9wIENTNiAoV2luZG93cykiIHhtcE1NOkluc3RhbmNlSUQ9InhtcC5paWQ6MTNFQzE0NTdEOTk1MTFFNUI4MjJGMjBFRDk4MkMxNjAiIHhtcE1NOkRvY3VtZW50SUQ9InhtcC5kaWQ6MTNFQzE0NThEOTk1MTFFNUI4MjJGMjBFRDk4MkMxNjAiPiA8eG1wTU06RGVyaXZlZEZyb20gc3RSZWY6aW5zdGFuY2VJRD0ieG1wLmlpZDoxM0VDMTQ1NUQ5OTUxMUU1QjgyMkYyMEVEOTgyQzE2MCIgc3RSZWY6ZG9jdW1lbnRJRD0ieG1wLmRpZDoxM0VDMTQ1NkQ5OTUxMUU1QjgyMkYyMEVEOTgyQzE2MCIvPiA8L3JkZjpEZXNjcmlwdGlvbj4gPC9yZGY6UkRGPiA8L3g6eG1wbWV0YT4gPD94cGFja2V0IGVuZD0iciI/PiInRbAAAAEjSURBVHjaYuTi5XqkpKvI9/fXHwZWDlaGZ/eeM7x59raDAQj4pOQrBBUVGP78+MfAzMbE8PLKhU8Mhnb6/6//P/f/8N/d/x8AWUn1cf+BaleCsFPt5P/T/v//3/zj//8JQFrB1vM/I5IN3EAbfgBt+Au0QRBqw3sMG0DiQMwPxFuB2BzKZmLAAViA+BOU/QOI7wPxRyhfCIhT0NT/ZETi7AZiZiD+DOXL6EdlGdkWFzF8evaDgUuIg2F9eiTYBrhuIJ4NxHegfDsgnobuJGQbNgBxMRDfhfLFgDgB3UnInPVALMxAACDbcBGItwDxAyhfCRismejBiuyHiUBsDMQmUL6cSXIJf0hTDsNboEN42RkYJth58TPisV0eaMNFdBsAAgwANVJzd8zQrUcAAAAASUVORK5CYII='; return eImg; }; SvgFactory.prototype.createCutIcon = function () { var eImg = document.createElement('img'); eImg.src = 'data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAABAAAAAQCAYAAAAf8/9hAAAAGXRFWHRTb2Z0d2FyZQBBZG9iZSBJbWFnZVJlYWR5ccllPAAAAlRJREFUeNqkU09okmEcfj6ThNRhjUEJDhxDZ1t4sI3lDrKDhESHpC6x6yBoh52GfcdBJDvtElEUdKhOSq1JjF0SabSton9OmIeRxVKIrUgdU5xvv8e+hXXYpRcefv+e5/mh7/tpSin8z9Gi0Sg0TTsv+edarfa+Wq2iUqmgXC6DudVqhd1uh81ma+UWi8Uv3G5ZPJ9MJmGq1+twOBynBOek6T9oG+fkkU8djymVSiGTyWBiYuL6QSb7YvLIp679+D0ej57NZpX8JD0QCPj7+vrgcrnAyJp9zskj3zD928Tr9er5fF5FIhFdiH4aMLJmn/N98R+Dq5qGSUFQwKFs1AuFggqFQrrT6bzIyJp9zoMGn7qWQU6ST4JNQeK3kd/n8+nFYlGFw+HFdDqtWLOfMHjk5wwDjckRwGYGeJVnBMdXgaNrbveJKysr/etu91pHtVo8BnyXWUnwsgHM7wAVX7MJ0cEmjWvW4eGzjpGRXnNnZ8cFeRi9pRI+dnXtjMbj/cLp57rG1tbPH0tLwd3l5QHp3RBU8E7Txr4MDb1V8bh60tOzfhN4vTc9rRYkCm4tGDX7nJNHPnWt/+CFpt1rF9emptScxKfA2DNZwThn9NtNWjoxMH1Tqru+va02NzbK47FY4PHMzJtdYPYD8OChGDCyZp9z8sinrnWXt4E7q4ODRbrelw0x2Xjyn1fImn3OySOfutYt+IDRSeCycAZeAYm7wKLkshR87A1+cILDAss4EDkNXJI8Ows8yin1nENn+5MXNA3hnpHzHBKYjWhqe4lffwkwAMRcPMqRQZ4vAAAAAElFTkSuQmCC'; return eImg; }; SvgFactory.prototype.createCopyIcon = function () { var eImg = document.createElement('img'); eImg.src = 'data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAABAAAAAQCAYAAAAf8/9hAAAAGXRFWHRTb2Z0d2FyZQBBZG9iZSBJbWFnZVJlYWR5ccllPAAAAgBJREFUeNqMk79rFEEcxd/M7V2QAzVFEOMFGwNiIGCjEdIEhYODmEawsFf8G4QQSCPYyqUWCdhY2qSQECSpInvFJYT8Ki6dZO8Sb2P29pfvu+4sm+UKv/AYZna/b95ndla9WFyEUmoewG0Mr+9hGB5EYYhypZIseO0fCHa3sP/LhxVFkazd+by0tOIFAQac+3w5imPYto1Pa2tv+VxR+8bRuv8EevIRxn5uQoszpWI2RjSIBgMMLi/hui76/T6+Li+v8Pkz9k0Wo409pFHAJooUCiWqYlk46nTQ2ttD+/gY75pNPKjVmmfd7gf2vKbu5U0sMWBpzWatNcAkv7n789lZ1GdmMqQ3cbxApIUikg58H5S0JgkSE/L/L1JmoNJmMZEDzCNdK5cxwtFxHHxcXcXTqalm27Zf7rRaRKBBhkAhxcgjiYlUo16HfKlqtYpv29u95Az81EClCFLyaQ0SCib/dtNJ6qsGfDmJnRqoXIKiyVUDz8sSSGy5VnI3ikh5k1KplBnog/V19BxnRCZmV15dGCSdO1wziphcS3rrT7d71zk5Ob8+Pf3eMN4aH3/8qtGYM0hp7iyJbO0bBOrMPTz8kl6OpGoTEzEncwapaCLrRNfu6Wli0Etl6mbfdb0MiYrlXsjZyAUTE0qwOxsbo9aQ3/dGEWlYRRcX5xxG/wowAC8cIjzfyA4lAAAAAElFTkSuQmCC'; return eImg; }; SvgFactory.prototype.createPasteIcon = function () { var eImg = document.createElement('img'); eImg.src = 'data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAABAAAAAQCAYAAAAf8/9hAAAAGXRFWHRTb2Z0d2FyZQBBZG9iZSBJbWFnZVJlYWR5ccllPAAAAadJREFUeNpinGLPAAaMjAxwcJ9Tk+0Bt7YPkCkKFXqt8PXqFsXv13/B1Pz/D6FZENoYZgKxMYgh9OI6i567q5hFUp4kiH9i3qTnT3auqWPgZ/gDVXsWiNPBFk+2hxtwxi0syfjy5csM0vFzGTg42Bj4+XnAEh8/fmH48eMXw9OFyQy6uroMu1bNAxlgAnbB338IJ6hlzWU4uXgJw6FDO4Ga+Rl4eXkZWFlZGb58/crw6eNHBjG7Iga1yAiG7SvmwfWw/P2LMADkraiYaIb79+4xYAOKSkpgNch6UFzwFxgy//79Y5BTUMBqwF+g3H8mJgZkPSgu+Ac04M+/fwz4AAswulBc8Ocfqg1/kGWxAEagAch6WP78RfUCIQOYmJkZ/qC44A+qAb8JeIEZZMkfXC4gwgsQNUgG/CbRC2BXIhvw8AsDgzQnkgEEvACxBMJ++h0YJmufMTA8ABry8xckGkFOxIdBakBqQXpAekGZiXPTSwbeUAEgB5hsObm58acDoJp3nxkYNn1gEANyP4MNAGKxh18ZbsXxsjMQA97/Z7gF0gPEfwACDAB/y9xB1I3/FQAAAABJRU5ErkJggg=='; return eImg; }; SvgFactory.prototype.createMenuIcon = function () { var eImg = document.createElement('img'); eImg.src = 'data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAABAAAAAQCAYAAAAf8/9hAAAAGXRFWHRTb2Z0d2FyZQBBZG9iZSBJbWFnZVJlYWR5ccllPAAAAyJpVFh0WE1MOmNvbS5hZG9iZS54bXAAAAAAADw/eHBhY2tldCBiZWdpbj0i77u/IiBpZD0iVzVNME1wQ2VoaUh6cmVTek5UY3prYzlkIj8+IDx4OnhtcG1ldGEgeG1sbnM6eD0iYWRvYmU6bnM6bWV0YS8iIHg6eG1wdGs9IkFkb2JlIFhNUCBDb3JlIDUuMy1jMDExIDY2LjE0NTY2MSwgMjAxMi8wMi8wNi0xNDo1NjoyNyAgICAgICAgIj4gPHJkZjpSREYgeG1sbnM6cmRmPSJodHRwOi8vd3d3LnczLm9yZy8xOTk5LzAyLzIyLXJkZi1zeW50YXgtbnMjIj4gPHJkZjpEZXNjcmlwdGlvbiByZGY6YWJvdXQ9IiIgeG1sbnM6eG1wPSJodHRwOi8vbnMuYWRvYmUuY29tL3hhcC8xLjAvIiB4bWxuczp4bXBNTT0iaHR0cDovL25zLmFkb2JlLmNvbS94YXAvMS4wL21tLyIgeG1sbnM6c3RSZWY9Imh0dHA6Ly9ucy5hZG9iZS5jb20veGFwLzEuMC9zVHlwZS9SZXNvdXJjZVJlZiMiIHhtcDpDcmVhdG9yVG9vbD0iQWRvYmUgUGhvdG9zaG9wIENTNiAoV2luZG93cykiIHhtcE1NOkluc3RhbmNlSUQ9InhtcC5paWQ6QjM3MUVBMzlERkJEMTFFNUEwMjFFNDJDMDlCMUY3OTciIHhtcE1NOkRvY3VtZW50SUQ9InhtcC5kaWQ6QjM3MUVBM0FERkJEMTFFNUEwMjFFNDJDMDlCMUY3OTciPiA8eG1wTU06RGVyaXZlZEZyb20gc3RSZWY6aW5zdGFuY2VJRD0ieG1wLmlpZDpCMzcxRUEzN0RGQkQxMUU1QTAyMUU0MkMwOUIxRjc5NyIgc3RSZWY6ZG9jdW1lbnRJRD0ieG1wLmRpZDpCMzcxRUEzOERGQkQxMUU1QTAyMUU0MkMwOUIxRjc5NyIvPiA8L3JkZjpEZXNjcmlwdGlvbj4gPC9yZGY6UkRGPiA8L3g6eG1wbWV0YT4gPD94cGFja2V0IGVuZD0iciI/Pux7nZcAAAGtSURBVHjalFM9a8JQFL0veYkfYJUQEYuIIF07uToVpGuHOgid3dJN+i+K4C6CXQqFjplcCoKbXZ0EqRUFP/CTxCS9NzTdNOmBx32P3Nx3zj33sXq9/tRqtbRYLCaLomhBANi2La5WK7NSqTRYNpt1LMsCLACO47iLMXY2CoIAm80GZFkGoVQqfWy3WzBNE6gQVveNhmHAbreDYrHYZaPRKKTr+i0ykTDBPnUzgfYEvFkYDAZWoVDQWb/fB9QD6XQajscjBCkQDodhOBzCcrkEVq1WXfoEL9EPlEdSZrMZ8Pl8frVYLO7QgRB+sPx+/GUk4qUGNvOdYSO+JpPJJdHyc8ADnUluIpH45vv9XiFbiFIQC71IjuBe5ZlM5gYlPHLOL7C4AcEgofXbXC7X4PF4vKuqahf+AWJxOBwgEokA6/V67kFRFFcGLU/SqShJkusATSNbr9fQ6XSuU6mUQP3BBIaJZyM6BuPx2Mnn85+sVqu9ttvt+2QyGXgOqInT6RTK5fIbwwl0iFI0Gv2btCA9QPdcOVzTtOdms/mAnnKkaAexES0UcG/hc375EWAA94tOP0vEOEcAAAAASUVORK5CYII='; return eImg; }; SvgFactory.prototype.createCheckboxCheckedIcon = function () { var eImg = document.createElement('img'); eImg.src = 'data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAA4AAAAOCAYAAAAfSC3RAAAAGXRFWHRTb2Z0d2FyZQBBZG9iZSBJbWFnZVJlYWR5ccllPAAAA2ZpVFh0WE1MOmNvbS5hZG9iZS54bXAAAAAAADw/eHBhY2tldCBiZWdpbj0i77u/IiBpZD0iVzVNME1wQ2VoaUh6cmVTek5UY3prYzlkIj8+IDx4OnhtcG1ldGEgeG1sbnM6eD0iYWRvYmU6bnM6bWV0YS8iIHg6eG1wdGs9IkFkb2JlIFhNUCBDb3JlIDUuMy1jMDExIDY2LjE0NTY2MSwgMjAxMi8wMi8wNi0xNDo1NjoyNyAgICAgICAgIj4gPHJkZjpSREYgeG1sbnM6cmRmPSJodHRwOi8vd3d3LnczLm9yZy8xOTk5LzAyLzIyLXJkZi1zeW50YXgtbnMjIj4gPHJkZjpEZXNjcmlwdGlvbiByZGY6YWJvdXQ9IiIgeG1sbnM6eG1wTU09Imh0dHA6Ly9ucy5hZG9iZS5jb20veGFwLzEuMC9tbS8iIHhtbG5zOnN0UmVmPSJodHRwOi8vbnMuYWRvYmUuY29tL3hhcC8xLjAvc1R5cGUvUmVzb3VyY2VSZWYjIiB4bWxuczp4bXA9Imh0dHA6Ly9ucy5hZG9iZS5jb20veGFwLzEuMC8iIHhtcE1NOk9yaWdpbmFsRG9jdW1lbnRJRD0ieG1wLmRpZDpFQ0VGQkU3ODM4MTFFNjExQjlCQzhERUVDNkNGMzFDMyIgeG1wTU06RG9jdW1lbnRJRD0ieG1wLmRpZDpBRkJCRDU1MTEyM0ExMUU2ODE4MUUyOTNBNTRGQkIxNyIgeG1wTU06SW5zdGFuY2VJRD0ieG1wLmlpZDpBRkJCRDU1MDEyM0ExMUU2ODE4MUUyOTNBNTRGQkIxNyIgeG1wOkNyZWF0b3JUb29sPSJBZG9iZSBQaG90b3Nob3AgQ1M2IChXaW5kb3dzKSI+IDx4bXBNTTpEZXJpdmVkRnJvbSBzdFJlZjppbnN0YW5jZUlEPSJ4bXAuaWlkOjIzMkM4M0M1M0MxMUU2MTFCOUJDOERFRUM2Q0YzMUMzIiBzdFJlZjpkb2N1bWVudElEPSJ4bXAuZGlkOkVDRUZCRTc4MzgxMUU2MTFCOUJDOERFRUM2Q0YzMUMzIi8+IDwvcmRmOkRlc2NyaXB0aW9uPiA8L3JkZjpSREY+IDwveDp4bXBtZXRhPiA8P3hwYWNrZXQgZW5kPSJyIj8+riMaEQAAAL5JREFUeNqUks0JhDAQhSd7tgtLMDUIyTXF2IdNWIE3c0ruYg9LtgcPzvpEF8SfHR8MGR75hpcwRERmrjQXCyutDKUQAkuFu2AUpsyiJ1JK0UtycRgGMsbsPBFYVRVZaw/+7Zu895znOY/j+PPWT7oGp2lirTU3TbPz/4IAAGLALeic47Ztlx7RELHrusPAAwgoy7LlrOuay7I8TXIadYOLouC+7+XgBiP2lTbw0crFGAF9ANq1kS75G8xXgAEAiqu9OeWZ/voAAAAASUVORK5CYII='; return eImg; }; SvgFactory.prototype.createCheckboxUncheckedIcon = function () { var eImg = document.createElement('img'); eImg.src = 'data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAA4AAAAOCAYAAAAfSC3RAAAAGXRFWHRTb2Z0d2FyZQBBZG9iZSBJbWFnZVJlYWR5ccllPAAAA2ZpVFh0WE1MOmNvbS5hZG9iZS54bXAAAAAAADw/eHBhY2tldCBiZWdpbj0i77u/IiBpZD0iVzVNME1wQ2VoaUh6cmVTek5UY3prYzlkIj8+IDx4OnhtcG1ldGEgeG1sbnM6eD0iYWRvYmU6bnM6bWV0YS8iIHg6eG1wdGs9IkFkb2JlIFhNUCBDb3JlIDUuMy1jMDExIDY2LjE0NTY2MSwgMjAxMi8wMi8wNi0xNDo1NjoyNyAgICAgICAgIj4gPHJkZjpSREYgeG1sbnM6cmRmPSJodHRwOi8vd3d3LnczLm9yZy8xOTk5LzAyLzIyLXJkZi1zeW50YXgtbnMjIj4gPHJkZjpEZXNjcmlwdGlvbiByZGY6YWJvdXQ9IiIgeG1sbnM6eG1wTU09Imh0dHA6Ly9ucy5hZG9iZS5jb20veGFwLzEuMC9tbS8iIHhtbG5zOnN0UmVmPSJodHRwOi8vbnMuYWRvYmUuY29tL3hhcC8xLjAvc1R5cGUvUmVzb3VyY2VSZWYjIiB4bWxuczp4bXA9Imh0dHA6Ly9ucy5hZG9iZS5jb20veGFwLzEuMC8iIHhtcE1NOk9yaWdpbmFsRG9jdW1lbnRJRD0ieG1wLmRpZDpFQ0VGQkU3ODM4MTFFNjExQjlCQzhERUVDNkNGMzFDMyIgeG1wTU06RG9jdW1lbnRJRD0ieG1wLmRpZDo2MkU1Rjk1NDExNDExMUU2ODhEQkMyRTJGOUNGODYyQyIgeG1wTU06SW5zdGFuY2VJRD0ieG1wLmlpZDo2MkU1Rjk1MzExNDExMUU2ODhEQkMyRTJGOUNGODYyQyIgeG1wOkNyZWF0b3JUb29sPSJBZG9iZSBQaG90b3Nob3AgQ1M2IChXaW5kb3dzKSI+IDx4bXBNTTpEZXJpdmVkRnJvbSBzdFJlZjppbnN0YW5jZUlEPSJ4bXAuaWlkOjI1MkM4M0M1M0MxMUU2MTFCOUJDOERFRUM2Q0YzMUMzIiBzdFJlZjpkb2N1bWVudElEPSJ4bXAuZGlkOkVDRUZCRTc4MzgxMUU2MTFCOUJDOERFRUM2Q0YzMUMzIi8+IDwvcmRmOkRlc2NyaXB0aW9uPiA8L3JkZjpSREY+IDwveDp4bXBtZXRhPiA8P3hwYWNrZXQgZW5kPSJyIj8+t+CXswAAAFBJREFUeNrsksENwDAIA023a9YGNqlItkixlAFIn1VOMv5wvACAOxOZWUwsB6Gqswp36QivJNhBRHDhI0f8j9jNrCy4O2twNMobT/7QeQUYAFaKU1yE2OfhAAAAAElFTkSuQmCC'; return eImg; }; SvgFactory.prototype.createCheckboxIndeterminateIcon = function () { var eImg = document.createElement('img'); eImg.src = 'data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAA4AAAAOCAYAAAAfSC3RAAAAGXRFWHRTb2Z0d2FyZQBBZG9iZSBJbWFnZVJlYWR5ccllPAAAA2ZpVFh0WE1MOmNvbS5hZG9iZS54bXAAAAAAADw/eHBhY2tldCBiZWdpbj0i77u/IiBpZD0iVzVNME1wQ2VoaUh6cmVTek5UY3prYzlkIj8+IDx4OnhtcG1ldGEgeG1sbnM6eD0iYWRvYmU6bnM6bWV0YS8iIHg6eG1wdGs9IkFkb2JlIFhNUCBDb3JlIDUuMy1jMDExIDY2LjE0NTY2MSwgMjAxMi8wMi8wNi0xNDo1NjoyNyAgICAgICAgIj4gPHJkZjpSREYgeG1sbnM6cmRmPSJodHRwOi8vd3d3LnczLm9yZy8xOTk5LzAyLzIyLXJkZi1zeW50YXgtbnMjIj4gPHJkZjpEZXNjcmlwdGlvbiByZGY6YWJvdXQ9IiIgeG1sbnM6eG1wTU09Imh0dHA6Ly9ucy5hZG9iZS5jb20veGFwLzEuMC9tbS8iIHhtbG5zOnN0UmVmPSJodHRwOi8vbnMuYWRvYmUuY29tL3hhcC8xLjAvc1R5cGUvUmVzb3VyY2VSZWYjIiB4bWxuczp4bXA9Imh0dHA6Ly9ucy5hZG9iZS5jb20veGFwLzEuMC8iIHhtcE1NOk9yaWdpbmFsRG9jdW1lbnRJRD0ieG1wLmRpZDpFQ0VGQkU3ODM4MTFFNjExQjlCQzhERUVDNkNGMzFDMyIgeG1wTU06RG9jdW1lbnRJRD0ieG1wLmRpZDpGMjU4MzhGQjEyM0ExMUU2QjAxM0Q2QjZFQ0IzNzM4NiIgeG1wTU06SW5zdGFuY2VJRD0ieG1wLmlpZDpGMjU4MzhGQTEyM0ExMUU2QjAxM0Q2QjZFQ0IzNzM4NiIgeG1wOkNyZWF0b3JUb29sPSJBZG9iZSBQaG90b3Nob3AgQ1M2IChXaW5kb3dzKSI+IDx4bXBNTTpEZXJpdmVkRnJvbSBzdFJlZjppbnN0YW5jZUlEPSJ4bXAuaWlkOjIzMkM4M0M1M0MxMUU2MTFCOUJDOERFRUM2Q0YzMUMzIiBzdFJlZjpkb2N1bWVudElEPSJ4bXAuZGlkOkVDRUZCRTc4MzgxMUU2MTFCOUJDOERFRUM2Q0YzMUMzIi8+IDwvcmRmOkRlc2NyaXB0aW9uPiA8L3JkZjpSREY+IDwveDp4bXBtZXRhPiA8P3hwYWNrZXQgZW5kPSJyIj8+2Xml2QAAAGBJREFUeNpiYGBg8ATiZ0D8n0j8DKqH4dnhw4f/EwtAakF6GEGmAAEDKYCRkZGBiYFMQH+NLNjcjw2ghwMLIQWDx48Do/H5kSNHiNZw9OhREPUCRHiBNJOQyJ+A9AAEGACqkFldNkPUwwAAAABJRU5ErkJggg=='; return eImg; }; SvgFactory.prototype.createGroupExpandedIcon = function () { var eImg = document.createElement('img'); eImg.src = 'data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAAsAAAALCAYAAACprHcmAAAAGXRFWHRTb2Z0d2FyZQBBZG9iZSBJbWFnZVJlYWR5ccllPAAAAyJpVFh0WE1MOmNvbS5hZG9iZS54bXAAAAAAADw/eHBhY2tldCBiZWdpbj0i77u/IiBpZD0iVzVNME1wQ2VoaUh6cmVTek5UY3prYzlkIj8+IDx4OnhtcG1ldGEgeG1sbnM6eD0iYWRvYmU6bnM6bWV0YS8iIHg6eG1wdGs9IkFkb2JlIFhNUCBDb3JlIDUuMy1jMDExIDY2LjE0NTY2MSwgMjAxMi8wMi8wNi0xNDo1NjoyNyAgICAgICAgIj4gPHJkZjpSREYgeG1sbnM6cmRmPSJodHRwOi8vd3d3LnczLm9yZy8xOTk5LzAyLzIyLXJkZi1zeW50YXgtbnMjIj4gPHJkZjpEZXNjcmlwdGlvbiByZGY6YWJvdXQ9IiIgeG1sbnM6eG1wPSJodHRwOi8vbnMuYWRvYmUuY29tL3hhcC8xLjAvIiB4bWxuczp4bXBNTT0iaHR0cDovL25zLmFkb2JlLmNvbS94YXAvMS4wL21tLyIgeG1sbnM6c3RSZWY9Imh0dHA6Ly9ucy5hZG9iZS5jb20veGFwLzEuMC9zVHlwZS9SZXNvdXJjZVJlZiMiIHhtcDpDcmVhdG9yVG9vbD0iQWRvYmUgUGhvdG9zaG9wIENTNiAoV2luZG93cykiIHhtcE1NOkluc3RhbmNlSUQ9InhtcC5paWQ6NzBBODQ4M0ExMjM4MTFFNkFDNEJDMjUzQUJBQ0I2QjkiIHhtcE1NOkRvY3VtZW50SUQ9InhtcC5kaWQ6NzBBODQ4M0IxMjM4MTFFNkFDNEJDMjUzQUJBQ0I2QjkiPiA8eG1wTU06RGVyaXZlZEZyb20gc3RSZWY6aW5zdGFuY2VJRD0ieG1wLmlpZDo3MEE4NDgzODEyMzgxMUU2QUM0QkMyNTNBQkFDQjZCOSIgc3RSZWY6ZG9jdW1lbnRJRD0ieG1wLmRpZDo3MEE4NDgzOTEyMzgxMUU2QUM0QkMyNTNBQkFDQjZCOSIvPiA8L3JkZjpEZXNjcmlwdGlvbj4gPC9yZGY6UkRGPiA8L3g6eG1wbWV0YT4gPD94cGFja2V0IGVuZD0iciI/PhKAo60AAADVSURBVHjajFC9DkRgEJzzFhqiligURKcjR+UFJK7wGN7jOq+glXgCvSgUCnyVn47GHsVdcURsss3s7OzOPEzTdB3HeTPGeMMw0DQNOI4Dz/PI8xyWZSGO4y4MwxeSJGnruqarGseRNE1r4fv+YSgIwgErioJwpgrggHmeR7Bt+xZ5GAbCNE2/0zvpv78v6bpOUFX1lvK6roQz92dkWZYJiqLcSmOeZ9qDb6uqusx5WRaSJIlBFEUnTdNuC536vifXdaksSwqCgLIsoyiKdnNs23l+BBgAK/54I/P5bhMAAAAASUVORK5CYII='; return eImg; }; SvgFactory.prototype.createGroupContractedIcon = function () { var eImg = document.createElement('img'); eImg.src = 'data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAAsAAAALCAYAAACprHcmAAAAGXRFWHRTb2Z0d2FyZQBBZG9iZSBJbWFnZVJlYWR5ccllPAAAAyJpVFh0WE1MOmNvbS5hZG9iZS54bXAAAAAAADw/eHBhY2tldCBiZWdpbj0i77u/IiBpZD0iVzVNME1wQ2VoaUh6cmVTek5UY3prYzlkIj8+IDx4OnhtcG1ldGEgeG1sbnM6eD0iYWRvYmU6bnM6bWV0YS8iIHg6eG1wdGs9IkFkb2JlIFhNUCBDb3JlIDUuMy1jMDExIDY2LjE0NTY2MSwgMjAxMi8wMi8wNi0xNDo1NjoyNyAgICAgICAgIj4gPHJkZjpSREYgeG1sbnM6cmRmPSJodHRwOi8vd3d3LnczLm9yZy8xOTk5LzAyLzIyLXJkZi1zeW50YXgtbnMjIj4gPHJkZjpEZXNjcmlwdGlvbiByZGY6YWJvdXQ9IiIgeG1sbnM6eG1wPSJodHRwOi8vbnMuYWRvYmUuY29tL3hhcC8xLjAvIiB4bWxuczp4bXBNTT0iaHR0cDovL25zLmFkb2JlLmNvbS94YXAvMS4wL21tLyIgeG1sbnM6c3RSZWY9Imh0dHA6Ly9ucy5hZG9iZS5jb20veGFwLzEuMC9zVHlwZS9SZXNvdXJjZVJlZiMiIHhtcDpDcmVhdG9yVG9vbD0iQWRvYmUgUGhvdG9zaG9wIENTNiAoV2luZG93cykiIHhtcE1NOkluc3RhbmNlSUQ9InhtcC5paWQ6N0U2QUVBRDYxMjM4MTFFNjk3NjVBRUM0MUJDRjFCODgiIHhtcE1NOkRvY3VtZW50SUQ9InhtcC5kaWQ6N0U2QUVBRDcxMjM4MTFFNjk3NjVBRUM0MUJDRjFCODgiPiA8eG1wTU06RGVyaXZlZEZyb20gc3RSZWY6aW5zdGFuY2VJRD0ieG1wLmlpZDo3RTZBRUFENDEyMzgxMUU2OTc2NUFFQzQxQkNGMUI4OCIgc3RSZWY6ZG9jdW1lbnRJRD0ieG1wLmRpZDo3RTZBRUFENTEyMzgxMUU2OTc2NUFFQzQxQkNGMUI4OCIvPiA8L3JkZjpEZXNjcmlwdGlvbj4gPC9yZGY6UkRGPiA8L3g6eG1wbWV0YT4gPD94cGFja2V0IGVuZD0iciI/PhjzsKsAAADSSURBVHjajJAvioVgFMXPuAuLYhYMBsVmU54mNyA4wWW4j2luwSq4ArsYDAZ9X/JP0+KZ58CkgTffD264l3MPnPPh+34cRdGXEEL1PA/TNEFRFKiqirZtEQQByrJ85nn+iaqq5nEc+Y5t2+g4zow0TSlD13XEf66/JElChGEoJV7Xldj3/WfRNI0A/sx9v3Fdl7BtW8r5ui6CkpimSViWJSU+joN38fMwDG+F53nSMAwBXdejuq6fr9K5LAvjOGbf98yyjE3TsCiKO5x4/Ty+BRgA3R6JXc/jqsQAAAAASUVORK5CYII='; return eImg; }; return SvgFactory; })(); exports.SvgFactory = SvgFactory; // i couldn't figure out how to not make these blurry /*function createPlusMinus(plus: boolean) { var eSvg = document.createElementNS(SVG_NS, "svg"); var size = "14"; eSvg.setAttribute("width", size); eSvg.setAttribute("height", size); var eRect = document.createElementNS(SVG_NS, "rect"); eRect.setAttribute('x', '1'); eRect.setAttribute('y', '1'); eRect.setAttribute('width', '12'); eRect.setAttribute('height', '12'); eRect.setAttribute('rx', '2'); eRect.setAttribute('ry', '2'); eRect.setAttribute('fill', 'none'); eRect.setAttribute('stroke', 'black'); eRect.setAttribute('stroke-width', '1'); eRect.setAttribute('stroke-linecap', 'butt'); eSvg.appendChild(eRect); var eLineAcross = document.createElementNS(SVG_NS, "line"); eLineAcross.setAttribute('x1','2'); eLineAcross.setAttribute('x2','12'); eLineAcross.setAttribute('y1','7'); eLineAcross.setAttribute('y2','7'); eLineAcross.setAttribute('stroke','black'); eLineAcross.setAttribute('stroke-width', '1'); eLineAcross.setAttribute('stroke-linecap', 'butt'); eSvg.appendChild(eLineAcross); if (plus) { var eLineDown = document.createElementNS(SVG_NS, "line"); eLineDown.setAttribute('x1','7'); eLineDown.setAttribute('x2','7'); eLineDown.setAttribute('y1','2'); eLineDown.setAttribute('y2','12'); eLineDown.setAttribute('stroke','black'); eLineDown.setAttribute('stroke-width', '1'); eLineDown.setAttribute('stroke-linecap', 'butt'); eSvg.appendChild(eLineDown); } return eSvg; }*/ function createPolygonSvg(points, width) { var eSvg = createIconSvg(width); var eDescIcon = document.createElementNS(SVG_NS, "polygon"); eDescIcon.setAttribute("points", points); eSvg.appendChild(eDescIcon); return eSvg; } // util function for the above function createIconSvg(width) { var eSvg = document.createElementNS(SVG_NS, "svg"); if (width > 0) { eSvg.setAttribute("width", width); eSvg.setAttribute("height", width); } else { eSvg.setAttribute("width", "10"); eSvg.setAttribute("height", "10"); } return eSvg; } function createCircle(fill) { var eSvg = createIconSvg(); var eCircle = document.createElementNS(SVG_NS, "circle"); eCircle.setAttribute("cx", "5"); eCircle.setAttribute("cy", "5"); eCircle.setAttribute("r", "5"); eCircle.setAttribute("stroke", "black"); eCircle.setAttribute("stroke-width", "2"); if (fill) { eCircle.setAttribute("fill", "black"); } else { eCircle.setAttribute("fill", "none"); } eSvg.appendChild(eCircle); return eSvg; } /***/ }, /* 60 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __metadata = (this && this.__metadata) || function (k, v) { if (typeof Reflect === "object" && typeof Reflect.metadata === "function") return Reflect.metadata(k, v); }; var utils_1 = __webpack_require__(7); var context_1 = __webpack_require__(6); var cellRendererFactory_1 = __webpack_require__(55); /** Class to use a cellRenderer. */ var CellRendererService = (function () { function CellRendererService() { } /** Uses a cellRenderer, and returns the cellRenderer object if it is a class implementing ICellRenderer. * @cellRendererKey: The cellRenderer to use. Can be: a) a class that we call 'new' on b) a function we call * or c) a string that we use to look up the cellRenderer. * @params: The params to pass to the cell renderer if it's a function or a class. * @eTarget: The DOM element we will put the results of the html element into * * @return: If options a, it returns the created class instance */ CellRendererService.prototype.useCellRenderer = function (cellRendererKey, eTarget, params) { var cellRenderer = this.lookUpCellRenderer(cellRendererKey); if (utils_1.Utils.missing(cellRenderer)) { // this is a bug in users config, they specified a cellRenderer that doesn't exist, // the factory already printed to console, so here we just skip return; } var resultFromRenderer; var iCellRendererInstance = null; this.checkForDeprecatedItems(cellRenderer); // we check if the class has the 'getGui' method to know if it's a component var rendererIsAComponent = this.doesImplementICellRenderer(cellRenderer); // if it's a component, we create and initialise it if (rendererIsAComponent) { var CellRendererClass = cellRenderer; iCellRendererInstance = new CellRendererClass(); this.context.wireBean(iCellRendererInstance); if (iCellRendererInstance.init) { iCellRendererInstance.init(params); } resultFromRenderer = iCellRendererInstance.getGui(); } else { // otherwise it's a function, so we just use it var cellRendererFunc = cellRenderer; resultFromRenderer = cellRendererFunc(params); } if (resultFromRenderer === null || resultFromRenderer === '') { return; } if (utils_1.Utils.isNodeOrElement(resultFromRenderer)) { // a dom node or element was returned, so add child eTarget.appendChild(resultFromRenderer); } else { // otherwise assume it was html, so just insert eTarget.innerHTML = resultFromRenderer; } return iCellRendererInstance; }; CellRendererService.prototype.checkForDeprecatedItems = function (cellRenderer) { if (cellRenderer && cellRenderer.renderer) { console.warn('ag-grid: colDef.cellRenderer should not be an object, it should be a string, function or class. this ' + 'changed in v4.1.x, please check the documentation on Cell Rendering, or if you are doing grouping, look at the grouping examples.'); } }; CellRendererService.prototype.doesImplementICellRenderer = function (cellRenderer) { // see if the class has a prototype that defines a getGui method. this is very rough, // but javascript doesn't have types, so is the only way! return cellRenderer.prototype && 'getGui' in cellRenderer.prototype; }; CellRendererService.prototype.lookUpCellRenderer = function (cellRendererKey) { if (typeof cellRendererKey === 'string') { return this.cellRendererFactory.getCellRenderer(cellRendererKey); } else { return cellRendererKey; } }; __decorate([ context_1.Autowired('cellRendererFactory'), __metadata('design:type', cellRendererFactory_1.CellRendererFactory) ], CellRendererService.prototype, "cellRendererFactory", void 0); __decorate([ context_1.Autowired('context'), __metadata('design:type', context_1.Context) ], CellRendererService.prototype, "context", void 0); CellRendererService = __decorate([ context_1.Bean('cellRendererService'), __metadata('design:paramtypes', []) ], CellRendererService); return CellRendererService; })(); exports.CellRendererService = CellRendererService; /***/ }, /* 61 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __metadata = (this && this.__metadata) || function (k, v) { if (typeof Reflect === "object" && typeof Reflect.metadata === "function") return Reflect.metadata(k, v); }; var context_1 = __webpack_require__(6); var gridOptionsWrapper_1 = __webpack_require__(3); var ValueFormatterService = (function () { function ValueFormatterService() { } ValueFormatterService.prototype.formatValue = function (column, rowNode, $scope, rowIndex, value) { var formatter; var colDef = column.getColDef(); // if floating, give preference to the floating formatter if (rowNode.floating) { formatter = colDef.floatingCellFormatter ? colDef.floatingCellFormatter : colDef.cellFormatter; } else { formatter = colDef.cellFormatter; } var result = null; if (formatter) { var params = { value: value, node: rowNode, column: column, $scope: $scope, rowIndex: rowIndex, api: this.gridOptionsWrapper.getApi(), context: this.gridOptionsWrapper.getContext() }; result = formatter(params); } return result; }; __decorate([ context_1.Autowired('gridOptionsWrapper'), __metadata('design:type', gridOptionsWrapper_1.GridOptionsWrapper) ], ValueFormatterService.prototype, "gridOptionsWrapper", void 0); ValueFormatterService = __decorate([ context_1.Bean('valueFormatterService'), __metadata('design:paramtypes', []) ], ValueFormatterService); return ValueFormatterService; })(); exports.ValueFormatterService = ValueFormatterService; /***/ }, /* 62 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var __extends = (this && this.__extends) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __metadata = (this && this.__metadata) || function (k, v) { if (typeof Reflect === "object" && typeof Reflect.metadata === "function") return Reflect.metadata(k, v); }; var component_1 = __webpack_require__(47); var rowNode_1 = __webpack_require__(27); var utils_1 = __webpack_require__(7); var context_1 = __webpack_require__(6); var gridOptionsWrapper_1 = __webpack_require__(3); var svgFactory_1 = __webpack_require__(59); var svgFactory = svgFactory_1.SvgFactory.getInstance(); var CheckboxSelectionComponent = (function (_super) { __extends(CheckboxSelectionComponent, _super); function CheckboxSelectionComponent() { _super.call(this, "<span class=\"ag-selection-checkbox\"/>"); } CheckboxSelectionComponent.prototype.createAndAddIcons = function () { this.eCheckedIcon = utils_1.Utils.createIconNoSpan('checkboxChecked', this.gridOptionsWrapper, null, svgFactory.createCheckboxCheckedIcon); this.eUncheckedIcon = utils_1.Utils.createIconNoSpan('checkboxUnchecked', this.gridOptionsWrapper, null, svgFactory.createCheckboxUncheckedIcon); this.eIndeterminateIcon = utils_1.Utils.createIconNoSpan('checkboxIndeterminate', this.gridOptionsWrapper, null, svgFactory.createCheckboxIndeterminateIcon); var eGui = this.getGui(); eGui.appendChild(this.eCheckedIcon); eGui.appendChild(this.eUncheckedIcon); eGui.appendChild(this.eIndeterminateIcon); }; CheckboxSelectionComponent.prototype.onSelectionChanged = function () { var state = this.rowNode.isSelected(); utils_1.Utils.setVisible(this.eCheckedIcon, state === true); utils_1.Utils.setVisible(this.eUncheckedIcon, state === false); utils_1.Utils.setVisible(this.eIndeterminateIcon, typeof state !== 'boolean'); }; CheckboxSelectionComponent.prototype.onCheckedClicked = function () { this.rowNode.setSelected(false); }; CheckboxSelectionComponent.prototype.onUncheckedClicked = function (event) { this.rowNode.setSelectedParams({ newValue: true, rangeSelect: event.shiftKey }); }; CheckboxSelectionComponent.prototype.onIndeterminateClicked = function (event) { this.rowNode.setSelectedParams({ newValue: true, rangeSelect: event.shiftKey }); }; CheckboxSelectionComponent.prototype.init = function (params) { this.createAndAddIcons(); this.rowNode = params.rowNode; this.onSelectionChanged(); // we don't want the row clicked event to fire when selecting the checkbox, otherwise the row // would possibly get selected twice this.addGuiEventListener('click', function (event) { return event.stopPropagation(); }); // likewise we don't want double click on this icon to open a group this.addGuiEventListener('dblclick', function (event) { return event.stopPropagation(); }); this.addDestroyableEventListener(this.eCheckedIcon, 'click', this.onCheckedClicked.bind(this)); this.addDestroyableEventListener(this.eUncheckedIcon, 'click', this.onUncheckedClicked.bind(this)); this.addDestroyableEventListener(this.eIndeterminateIcon, 'click', this.onIndeterminateClicked.bind(this)); this.addDestroyableEventListener(this.rowNode, rowNode_1.RowNode.EVENT_ROW_SELECTED, this.onSelectionChanged.bind(this)); }; __decorate([ context_1.Autowired('gridOptionsWrapper'), __metadata('design:type', gridOptionsWrapper_1.GridOptionsWrapper) ], CheckboxSelectionComponent.prototype, "gridOptionsWrapper", void 0); return CheckboxSelectionComponent; })(component_1.Component); exports.CheckboxSelectionComponent = CheckboxSelectionComponent; /***/ }, /* 63 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __metadata = (this && this.__metadata) || function (k, v) { if (typeof Reflect === "object" && typeof Reflect.metadata === "function") return Reflect.metadata(k, v); }; var context_1 = __webpack_require__(6); var constants_1 = __webpack_require__(8); var columnController_1 = __webpack_require__(13); var floatingRowModel_1 = __webpack_require__(26); var utils_1 = __webpack_require__(7); var gridRow_1 = __webpack_require__(34); var gridCell_1 = __webpack_require__(33); var CellNavigationService = (function () { function CellNavigationService() { } CellNavigationService.prototype.getNextCellToFocus = function (key, lastCellToFocus) { switch (key) { case constants_1.Constants.KEY_UP: return this.getCellAbove(lastCellToFocus); case constants_1.Constants.KEY_DOWN: return this.getCellBelow(lastCellToFocus); case constants_1.Constants.KEY_RIGHT: return this.getCellToRight(lastCellToFocus); case constants_1.Constants.KEY_LEFT: return this.getCellToLeft(lastCellToFocus); default: console.log('ag-Grid: unknown key for navigation ' + key); } }; CellNavigationService.prototype.getCellToLeft = function (lastCell) { var colToLeft = this.columnController.getDisplayedColBefore(lastCell.column); if (!colToLeft) { return null; } else { return new gridCell_1.GridCell(lastCell.rowIndex, lastCell.floating, colToLeft); } }; CellNavigationService.prototype.getCellToRight = function (lastCell) { var colToRight = this.columnController.getDisplayedColAfter(lastCell.column); // if already on right, do nothing if (!colToRight) { return null; } else { return new gridCell_1.GridCell(lastCell.rowIndex, lastCell.floating, colToRight); } }; CellNavigationService.prototype.getRowBelow = function (lastRow) { // if already on top row, do nothing if (this.isLastRowInContainer(lastRow)) { if (lastRow.isFloatingBottom()) { return null; } else if (lastRow.isNotFloating()) { if (this.floatingRowModel.isRowsToRender(constants_1.Constants.FLOATING_BOTTOM)) { return new gridRow_1.GridRow(0, constants_1.Constants.FLOATING_BOTTOM); } else { return null; } } else { if (this.rowModel.isRowsToRender()) { return new gridRow_1.GridRow(0, null); } else if (this.floatingRowModel.isRowsToRender(constants_1.Constants.FLOATING_BOTTOM)) { return new gridRow_1.GridRow(0, constants_1.Constants.FLOATING_BOTTOM); } else { return null; } } } else { return new gridRow_1.GridRow(lastRow.rowIndex + 1, lastRow.floating); } }; CellNavigationService.prototype.getCellBelow = function (lastCell) { var rowBelow = this.getRowBelow(lastCell.getGridRow()); if (rowBelow) { return new gridCell_1.GridCell(rowBelow.rowIndex, rowBelow.floating, lastCell.column); } else { return null; } }; CellNavigationService.prototype.isLastRowInContainer = function (gridRow) { if (gridRow.isFloatingTop()) { var lastTopIndex = this.floatingRowModel.getFloatingTopRowData().length - 1; return lastTopIndex === gridRow.rowIndex; } else if (gridRow.isFloatingBottom()) { var lastBottomIndex = this.floatingRowModel.getFloatingBottomRowData().length - 1; return lastBottomIndex === gridRow.rowIndex; } else { var lastBodyIndex = this.rowModel.getRowCount() - 1; return lastBodyIndex === gridRow.rowIndex; } }; CellNavigationService.prototype.getRowAbove = function (lastRow) { // if already on top row, do nothing if (lastRow.rowIndex === 0) { if (lastRow.isFloatingTop()) { return null; } else if (lastRow.isNotFloating()) { if (this.floatingRowModel.isRowsToRender(constants_1.Constants.FLOATING_TOP)) { return this.getLastFloatingTopRow(); } else { return null; } } else { // last floating bottom if (this.rowModel.isRowsToRender()) { return this.getLastBodyCell(); } else if (this.floatingRowModel.isRowsToRender(constants_1.Constants.FLOATING_TOP)) { return this.getLastFloatingTopRow(); } else { return null; } } } else { return new gridRow_1.GridRow(lastRow.rowIndex - 1, lastRow.floating); } }; CellNavigationService.prototype.getCellAbove = function (lastCell) { var rowAbove = this.getRowAbove(lastCell.getGridRow()); if (rowAbove) { return new gridCell_1.GridCell(rowAbove.rowIndex, rowAbove.floating, lastCell.column); } else { return null; } }; CellNavigationService.prototype.getLastBodyCell = function () { var lastBodyRow = this.rowModel.getRowCount() - 1; return new gridRow_1.GridRow(lastBodyRow, null); }; CellNavigationService.prototype.getLastFloatingTopRow = function () { var lastFloatingRow = this.floatingRowModel.getFloatingTopRowData().length - 1; return new gridRow_1.GridRow(lastFloatingRow, constants_1.Constants.FLOATING_TOP); }; CellNavigationService.prototype.getNextTabbedCell = function (gridCell, backwards) { if (backwards) { return this.getNextTabbedCellBackwards(gridCell); } else { return this.getNextTabbedCellForwards(gridCell); } }; CellNavigationService.prototype.getNextTabbedCellForwards = function (gridCell) { var displayedColumns = this.columnController.getAllDisplayedColumns(); var newRowIndex = gridCell.rowIndex; var newFloating = gridCell.floating; // move along to the next cell var newColumn = this.columnController.getDisplayedColAfter(gridCell.column); // check if end of the row, and if so, go forward a row if (!newColumn) { newColumn = displayedColumns[0]; var rowBelow = this.getRowBelow(gridCell.getGridRow()); if (utils_1.Utils.missing(rowBelow)) { return; } newRowIndex = rowBelow.rowIndex; newFloating = rowBelow.floating; } return new gridCell_1.GridCell(newRowIndex, newFloating, newColumn); }; CellNavigationService.prototype.getNextTabbedCellBackwards = function (gridCell) { var displayedColumns = this.columnController.getAllDisplayedColumns(); var newRowIndex = gridCell.rowIndex; var newFloating = gridCell.floating; // move along to the next cell var newColumn = this.columnController.getDisplayedColBefore(gridCell.column); // check if end of the row, and if so, go forward a row if (!newColumn) { newColumn = displayedColumns[displayedColumns.length - 1]; var rowAbove = this.getRowAbove(gridCell.getGridRow()); if (utils_1.Utils.missing(rowAbove)) { return; } newRowIndex = rowAbove.rowIndex; newFloating = rowAbove.floating; } return new gridCell_1.GridCell(newRowIndex, newFloating, newColumn); }; __decorate([ context_1.Autowired('columnController'), __metadata('design:type', columnController_1.ColumnController) ], CellNavigationService.prototype, "columnController", void 0); __decorate([ context_1.Autowired('rowModel'), __metadata('design:type', Object) ], CellNavigationService.prototype, "rowModel", void 0); __decorate([ context_1.Autowired('floatingRowModel'), __metadata('design:type', floatingRowModel_1.FloatingRowModel) ], CellNavigationService.prototype, "floatingRowModel", void 0); CellNavigationService = __decorate([ context_1.Bean('cellNavigationService'), __metadata('design:paramtypes', []) ], CellNavigationService); return CellNavigationService; })(); exports.CellNavigationService = CellNavigationService; /***/ }, /* 64 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var events_1 = __webpack_require__(10); var ColumnChangeEvent = (function () { function ColumnChangeEvent(type) { this.type = type; } ColumnChangeEvent.prototype.toString = function () { var result = 'ColumnChangeEvent {type: ' + this.type; if (this.column) { result += ', column: ' + this.column.getColId(); } if (this.columnGroup) { result += true ? this.columnGroup.getColGroupDef().headerName : '(not defined]'; } if (this.toIndex) { result += ', toIndex: ' + this.toIndex; } if (this.visible) { result += ', visible: ' + this.visible; } if (this.pinned) { result += ', pinned: ' + this.pinned; } if (typeof this.finished == 'boolean') { result += ', finished: ' + this.finished; } result += '}'; return result; }; ColumnChangeEvent.prototype.withPinned = function (pinned) { this.pinned = pinned; return this; }; ColumnChangeEvent.prototype.withVisible = function (visible) { this.visible = visible; return this; }; ColumnChangeEvent.prototype.isVisible = function () { return this.visible; }; ColumnChangeEvent.prototype.getPinned = function () { return this.pinned; }; ColumnChangeEvent.prototype.withColumn = function (column) { this.column = column; return this; }; ColumnChangeEvent.prototype.withColumns = function (columns) { this.columns = columns; return this; }; ColumnChangeEvent.prototype.withFinished = function (finished) { this.finished = finished; return this; }; ColumnChangeEvent.prototype.withColumnGroup = function (columnGroup) { this.columnGroup = columnGroup; return this; }; ColumnChangeEvent.prototype.withToIndex = function (toIndex) { this.toIndex = toIndex; return this; }; ColumnChangeEvent.prototype.getToIndex = function () { return this.toIndex; }; ColumnChangeEvent.prototype.getType = function () { return this.type; }; ColumnChangeEvent.prototype.getColumn = function () { return this.column; }; ColumnChangeEvent.prototype.getColumns = function () { return this.columns; }; ColumnChangeEvent.prototype.getColumnGroup = function () { return this.columnGroup; }; ColumnChangeEvent.prototype.isPinnedPanelVisibilityImpacted = function () { return this.type === events_1.Events.EVENT_COLUMN_EVERYTHING_CHANGED || this.type === events_1.Events.EVENT_COLUMN_GROUP_OPENED || this.type === events_1.Events.EVENT_COLUMN_VISIBLE || this.type === events_1.Events.EVENT_PIVOT_VALUE_CHANGED || this.type === events_1.Events.EVENT_COLUMN_PINNED; }; ColumnChangeEvent.prototype.isContainerWidthImpacted = function () { return this.type === events_1.Events.EVENT_COLUMN_EVERYTHING_CHANGED || this.type === events_1.Events.EVENT_COLUMN_GROUP_OPENED || this.type === events_1.Events.EVENT_COLUMN_VISIBLE || this.type === events_1.Events.EVENT_COLUMN_RESIZED || this.type === events_1.Events.EVENT_COLUMN_PINNED || this.type === events_1.Events.EVENT_PIVOT_VALUE_CHANGED || this.type === events_1.Events.EVENT_COLUMN_ROW_GROUP_CHANGED; }; ColumnChangeEvent.prototype.isIndividualColumnResized = function () { return this.type === events_1.Events.EVENT_COLUMN_RESIZED && this.column !== undefined && this.column !== null; }; ColumnChangeEvent.prototype.isFinished = function () { return this.finished; }; return ColumnChangeEvent; })(); exports.ColumnChangeEvent = ColumnChangeEvent; /***/ }, /* 65 */ /***/ function(module, exports) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ // class returns unique instance id's for columns. // eg, the following calls (in this order) will result in: // // getInstanceIdForKey('country') => 0 // getInstanceIdForKey('country') => 1 // getInstanceIdForKey('country') => 2 // getInstanceIdForKey('country') => 3 // getInstanceIdForKey('age') => 0 // getInstanceIdForKey('age') => 1 // getInstanceIdForKey('country') => 4 var GroupInstanceIdCreator = (function () { function GroupInstanceIdCreator() { // this map contains keys to numbers, so we remember what the last call was this.existingIds = {}; } GroupInstanceIdCreator.prototype.getInstanceIdForKey = function (key) { var lastResult = this.existingIds[key]; var result; if (typeof lastResult !== 'number') { // first time this key result = 0; } else { result = lastResult + 1; } this.existingIds[key] = result; return result; }; return GroupInstanceIdCreator; })(); exports.GroupInstanceIdCreator = GroupInstanceIdCreator; /***/ }, /* 66 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var utils_1 = __webpack_require__(7); function defaultGroupComparator(valueA, valueB, nodeA, nodeB) { var nodeAIsGroup = utils_1.Utils.exists(nodeA) && nodeA.group; var nodeBIsGroup = utils_1.Utils.exists(nodeB) && nodeB.group; var bothAreGroups = nodeAIsGroup && nodeBIsGroup; var bothAreNormal = !nodeAIsGroup && !nodeBIsGroup; if (bothAreGroups) { return utils_1.Utils.defaultComparator(nodeA.key, nodeB.key); } else if (bothAreNormal) { return utils_1.Utils.defaultComparator(valueA, valueB); } else if (nodeAIsGroup) { return 1; } else { return -1; } } exports.defaultGroupComparator = defaultGroupComparator; /***/ }, /* 67 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __metadata = (this && this.__metadata) || function (k, v) { if (typeof Reflect === "object" && typeof Reflect.metadata === "function") return Reflect.metadata(k, v); }; var context_1 = __webpack_require__(6); var valueService_1 = __webpack_require__(29); var columnController_1 = __webpack_require__(13); var utils_1 = __webpack_require__(7); var eventService_1 = __webpack_require__(4); var PivotService = (function () { function PivotService() { } PivotService.prototype.mapRowNode = function (rowNode) { var pivotColumns = this.columnController.getPivotColumns(); if (pivotColumns.length === 0) { rowNode.childrenMapped = null; return; } rowNode.childrenMapped = this.mapChildren(rowNode.childrenAfterFilter, pivotColumns, 0, this.uniqueValues); }; PivotService.prototype.getUniqueValues = function () { return this.uniqueValues; }; PivotService.prototype.mapChildren = function (children, pivotColumns, pivotIndex, uniqueValues) { var _this = this; var mappedChildren = {}; var pivotColumn = pivotColumns[pivotIndex]; // map the children out based on the pivot column children.forEach(function (child) { var key = _this.valueService.getValue(pivotColumn, child); if (utils_1.Utils.missing(key)) { key = ''; } if (!uniqueValues[key]) { uniqueValues[key] = {}; } if (!mappedChildren[key]) { mappedChildren[key] = []; } mappedChildren[key].push(child); }); // if it's the last pivot column, return as is, otherwise go one level further in the map if (pivotIndex === pivotColumns.length - 1) { return mappedChildren; } else { var result = {}; utils_1.Utils.iterateObject(mappedChildren, function (key, value) { result[key] = _this.mapChildren(value, pivotColumns, pivotIndex + 1, uniqueValues[key]); }); return result; } }; PivotService.prototype.execute = function (rootNode) { this.uniqueValues = {}; var that = this; function findLeafGroups(rowNode) { if (rowNode.leafGroup) { that.mapRowNode(rowNode); } else { rowNode.childrenAfterFilter.forEach(function (child) { findLeafGroups(child); }); } } findLeafGroups(rootNode); this.createPivotColumnDefs(); this.columnController.onPivotValueChanged(); }; PivotService.prototype.getPivotColumnGroupDefs = function () { return this.pivotColumnGroupDefs; }; PivotService.prototype.getPivotColumnDefs = function () { return this.pivotColumnDefs; }; PivotService.prototype.createPivotColumnDefs = function () { this.pivotColumnGroupDefs = []; this.pivotColumnDefs = []; var that = this; var pivotColumns = this.columnController.getPivotColumns(); var levelsDeep = pivotColumns.length; var columnIdSequence = 0; recursivelyAddGroup(this.pivotColumnGroupDefs, 1, this.uniqueValues, []); function recursivelyAddGroup(parentChildren, index, uniqueValues, keys) { // var column = pivotColumns[index]; utils_1.Utils.iterateObject(uniqueValues, function (key, value) { var newKeys = keys.slice(0); newKeys.push(key); var createGroup = index !== levelsDeep; if (createGroup) { var groupDef = { children: [], headerName: key }; parentChildren.push(groupDef); recursivelyAddGroup(groupDef.children, index + 1, value, newKeys); } else { var valueColumns = that.columnController.getValueColumns(); if (valueColumns.length === 1) { var colDef = createColDef(valueColumns[0], key, newKeys); parentChildren.push(colDef); that.pivotColumnDefs.push(colDef); } else { var valueGroup = { children: [], headerName: key }; parentChildren.push(valueGroup); valueColumns.forEach(function (valueColumn) { var colDef = createColDef(valueColumn, valueColumn.getColDef().headerName, newKeys); valueGroup.children.push(colDef); that.pivotColumnDefs.push(colDef); }); } } }); } function createColDef(valueColumn, headerName, pivotKeys) { var colDef = {}; if (valueColumn) { var colDefToCopy = valueColumn.getColDef(); utils_1.Utils.assign(colDef, colDefToCopy); } colDef.valueGetter = null; colDef.headerName = headerName; colDef.colId = 'pivot_' + columnIdSequence++; colDef.keys = pivotKeys; colDef.valueColumn = valueColumn; return colDef; } }; __decorate([ context_1.Autowired('rowModel'), __metadata('design:type', Object) ], PivotService.prototype, "rowModel", void 0); __decorate([ context_1.Autowired('valueService'), __metadata('design:type', valueService_1.ValueService) ], PivotService.prototype, "valueService", void 0); __decorate([ context_1.Autowired('columnController'), __metadata('design:type', columnController_1.ColumnController) ], PivotService.prototype, "columnController", void 0); __decorate([ context_1.Autowired('eventService'), __metadata('design:type', eventService_1.EventService) ], PivotService.prototype, "eventService", void 0); PivotService = __decorate([ context_1.Bean('pivotService'), __metadata('design:paramtypes', []) ], PivotService); return PivotService; })(); exports.PivotService = PivotService; /***/ }, /* 68 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __metadata = (this && this.__metadata) || function (k, v) { if (typeof Reflect === "object" && typeof Reflect.metadata === "function") return Reflect.metadata(k, v); }; var gridOptionsWrapper_1 = __webpack_require__(3); var columnController_1 = __webpack_require__(13); var gridPanel_1 = __webpack_require__(24); var column_1 = __webpack_require__(15); var context_1 = __webpack_require__(6); var headerContainer_1 = __webpack_require__(69); var eventService_1 = __webpack_require__(4); var events_1 = __webpack_require__(10); var HeaderRenderer = (function () { function HeaderRenderer() { } HeaderRenderer.prototype.init = function () { this.eHeaderViewport = this.gridPanel.getHeaderViewport(); this.eRoot = this.gridPanel.getRoot(); this.eHeaderOverlay = this.gridPanel.getHeaderOverlay(); this.pinnedLeftContainer = new headerContainer_1.HeaderContainer(this.gridPanel.getPinnedLeftHeader(), null, this.eRoot, column_1.Column.PINNED_LEFT); this.pinnedRightContainer = new headerContainer_1.HeaderContainer(this.gridPanel.getPinnedRightHeader(), null, this.eRoot, column_1.Column.PINNED_RIGHT); this.centerContainer = new headerContainer_1.HeaderContainer(this.gridPanel.getHeaderContainer(), this.gridPanel.getHeaderViewport(), this.eRoot, null); this.context.wireBean(this.pinnedLeftContainer); this.context.wireBean(this.pinnedRightContainer); this.context.wireBean(this.centerContainer); // unlike the table data, the header more often 'refreshes everything' as a way to redraw, rather than // do delta changes based on the event. this is because groups have bigger impacts, eg a column move // can end up in a group splitting into two, or joining into one. this complexity makes the job much // harder to do delta updates. instead we just shotgun - which is fine, as the header is relatively // small compared to the body, so the cpu cost is low in comparison. it does mean we don't get any // animations. this.eventService.addEventListener(events_1.Events.EVENT_COLUMN_EVERYTHING_CHANGED, this.refreshHeader.bind(this)); this.eventService.addEventListener(events_1.Events.EVENT_COLUMN_ROW_GROUP_CHANGED, this.refreshHeader.bind(this)); this.eventService.addEventListener(events_1.Events.EVENT_COLUMN_MOVED, this.refreshHeader.bind(this)); this.eventService.addEventListener(events_1.Events.EVENT_COLUMN_VISIBLE, this.refreshHeader.bind(this)); this.eventService.addEventListener(events_1.Events.EVENT_COLUMN_GROUP_OPENED, this.refreshHeader.bind(this)); this.eventService.addEventListener(events_1.Events.EVENT_COLUMN_PINNED, this.refreshHeader.bind(this)); this.eventService.addEventListener(events_1.Events.EVENT_HEADER_HEIGHT_CHANGED, this.refreshHeader.bind(this)); this.eventService.addEventListener(events_1.Events.EVENT_PIVOT_VALUE_CHANGED, this.refreshHeader.bind(this)); // for resized, the individual cells take care of this, so don't need to refresh everything this.eventService.addEventListener(events_1.Events.EVENT_COLUMN_RESIZED, this.setPinnedColContainerWidth.bind(this)); if (this.columnController.isReady()) { this.refreshHeader(); } }; // this is called from the API and refreshes everything, should be broken out // into refresh everything vs just something changed HeaderRenderer.prototype.refreshHeader = function () { this.pinnedLeftContainer.removeAllChildren(); this.pinnedRightContainer.removeAllChildren(); this.centerContainer.removeAllChildren(); this.pinnedLeftContainer.insertHeaderRowsIntoContainer(); this.pinnedRightContainer.insertHeaderRowsIntoContainer(); this.centerContainer.insertHeaderRowsIntoContainer(); // if forPrint, overlay is missing var rowHeight = this.gridOptionsWrapper.getHeaderHeight(); // we can probably get rid of this when we no longer need the overlay var dept = this.columnController.getColumnDept(); if (this.eHeaderOverlay) { this.eHeaderOverlay.style.height = rowHeight + 'px'; this.eHeaderOverlay.style.top = ((dept - 1) * rowHeight) + 'px'; } this.setPinnedColContainerWidth(); }; HeaderRenderer.prototype.setPinnedColContainerWidth = function () { if (this.gridOptionsWrapper.isForPrint()) { // pinned col doesn't exist when doing forPrint return; } var pinnedLeftWidth = this.columnController.getPinnedLeftContainerWidth() + 'px'; this.eHeaderViewport.style.marginLeft = pinnedLeftWidth; var pinnedRightWidth = this.columnController.getPinnedRightContainerWidth() + 'px'; this.eHeaderViewport.style.marginRight = pinnedRightWidth; }; HeaderRenderer.prototype.onIndividualColumnResized = function (column) { this.pinnedLeftContainer.onIndividualColumnResized(column); this.pinnedRightContainer.onIndividualColumnResized(column); this.centerContainer.onIndividualColumnResized(column); }; __decorate([ context_1.Autowired('gridOptionsWrapper'), __metadata('design:type', gridOptionsWrapper_1.GridOptionsWrapper) ], HeaderRenderer.prototype, "gridOptionsWrapper", void 0); __decorate([ context_1.Autowired('columnController'), __metadata('design:type', columnController_1.ColumnController) ], HeaderRenderer.prototype, "columnController", void 0); __decorate([ context_1.Autowired('gridPanel'), __metadata('design:type', gridPanel_1.GridPanel) ], HeaderRenderer.prototype, "gridPanel", void 0); __decorate([ context_1.Autowired('context'), __metadata('design:type', context_1.Context) ], HeaderRenderer.prototype, "context", void 0); __decorate([ context_1.Autowired('eventService'), __metadata('design:type', eventService_1.EventService) ], HeaderRenderer.prototype, "eventService", void 0); __decorate([ context_1.PostConstruct, __metadata('design:type', Function), __metadata('design:paramtypes', []), __metadata('design:returntype', void 0) ], HeaderRenderer.prototype, "init", null); HeaderRenderer = __decorate([ context_1.Bean('headerRenderer'), __metadata('design:paramtypes', []) ], HeaderRenderer); return HeaderRenderer; })(); exports.HeaderRenderer = HeaderRenderer; /***/ }, /* 69 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __metadata = (this && this.__metadata) || function (k, v) { if (typeof Reflect === "object" && typeof Reflect.metadata === "function") return Reflect.metadata(k, v); }; var utils_1 = __webpack_require__(7); var columnGroup_1 = __webpack_require__(14); var gridOptionsWrapper_1 = __webpack_require__(3); var context_1 = __webpack_require__(6); var column_1 = __webpack_require__(15); var context_2 = __webpack_require__(6); var renderedHeaderGroupCell_1 = __webpack_require__(70); var renderedHeaderCell_1 = __webpack_require__(74); var dragAndDropService_1 = __webpack_require__(73); var moveColumnController_1 = __webpack_require__(76); var columnController_1 = __webpack_require__(13); var gridPanel_1 = __webpack_require__(24); var context_3 = __webpack_require__(6); var HeaderContainer = (function () { function HeaderContainer(eContainer, eViewport, eRoot, pinned) { this.headerElements = []; this.eContainer = eContainer; this.eRoot = eRoot; this.pinned = pinned; this.eViewport = eViewport; } HeaderContainer.prototype.init = function () { var moveColumnController = new moveColumnController_1.MoveColumnController(this.pinned); this.context.wireBean(moveColumnController); var secondaryContainers; switch (this.pinned) { case column_1.Column.PINNED_LEFT: secondaryContainers = this.gridPanel.getDropTargetLeftContainers(); break; case column_1.Column.PINNED_RIGHT: secondaryContainers = this.gridPanel.getDropTargetPinnedRightContainers(); break; default: secondaryContainers = this.gridPanel.getDropTargetBodyContainers(); break; } var icon = this.pinned ? dragAndDropService_1.DragAndDropService.ICON_PINNED : dragAndDropService_1.DragAndDropService.ICON_MOVE; this.dropTarget = { eContainer: this.eViewport ? this.eViewport : this.eContainer, iconName: icon, eSecondaryContainers: secondaryContainers, onDragging: moveColumnController.onDragging.bind(moveColumnController), onDragEnter: moveColumnController.onDragEnter.bind(moveColumnController), onDragLeave: moveColumnController.onDragLeave.bind(moveColumnController), onDragStop: moveColumnController.onDragStop.bind(moveColumnController) }; this.dragAndDropService.addDropTarget(this.dropTarget); }; HeaderContainer.prototype.removeAllChildren = function () { this.headerElements.forEach(function (headerElement) { headerElement.destroy(); }); this.headerElements.length = 0; utils_1.Utils.removeAllChildren(this.eContainer); }; HeaderContainer.prototype.insertHeaderRowsIntoContainer = function () { var _this = this; var cellTree = this.columnController.getDisplayedColumnGroups(this.pinned); // if we are displaying header groups, then we have many rows here. // go through each row of the header, one by one. var rowHeight = this.gridOptionsWrapper.getHeaderHeight(); for (var dept = 0;; dept++) { var nodesAtDept = []; this.addTreeNodesAtDept(cellTree, dept, nodesAtDept); // we want to break the for loop when we get to an empty set of cells, // that's how we know we have finished rendering the last row. if (nodesAtDept.length === 0) { break; } var eRow = document.createElement('div'); eRow.className = 'ag-header-row'; eRow.style.top = (dept * rowHeight) + 'px'; eRow.style.height = rowHeight + 'px'; nodesAtDept.forEach(function (child) { // skip groups that have no displayed children. this can happen when the group is broken, // and this section happens to have nothing to display for the open / closed state if (child instanceof columnGroup_1.ColumnGroup && child.getDisplayedChildren().length == 0) { return; } var renderedHeaderElement = _this.createHeaderElement(child); _this.headerElements.push(renderedHeaderElement); var eGui = renderedHeaderElement.getGui(); eRow.appendChild(eGui); }); this.eContainer.appendChild(eRow); } }; HeaderContainer.prototype.addTreeNodesAtDept = function (cellTree, dept, result) { var _this = this; cellTree.forEach(function (abstractColumn) { if (dept === 0) { result.push(abstractColumn); } else if (abstractColumn instanceof columnGroup_1.ColumnGroup) { var columnGroup = abstractColumn; _this.addTreeNodesAtDept(columnGroup.getDisplayedChildren(), dept - 1, result); } else { } }); }; HeaderContainer.prototype.createHeaderElement = function (columnGroupChild) { var result; if (columnGroupChild instanceof columnGroup_1.ColumnGroup) { result = new renderedHeaderGroupCell_1.RenderedHeaderGroupCell(columnGroupChild, this.eRoot, this.$scope, this.dropTarget); } else { result = new renderedHeaderCell_1.RenderedHeaderCell(columnGroupChild, this.$scope, this.eRoot, this.dropTarget); } this.context.wireBean(result); return result; }; HeaderContainer.prototype.onIndividualColumnResized = function (column) { this.headerElements.forEach(function (headerElement) { headerElement.onIndividualColumnResized(column); }); }; __decorate([ context_1.Autowired('gridOptionsWrapper'), __metadata('design:type', gridOptionsWrapper_1.GridOptionsWrapper) ], HeaderContainer.prototype, "gridOptionsWrapper", void 0); __decorate([ context_1.Autowired('context'), __metadata('design:type', context_2.Context) ], HeaderContainer.prototype, "context", void 0); __decorate([ context_1.Autowired('$scope'), __metadata('design:type', Object) ], HeaderContainer.prototype, "$scope", void 0); __decorate([ context_1.Autowired('dragAndDropService'), __metadata('design:type', dragAndDropService_1.DragAndDropService) ], HeaderContainer.prototype, "dragAndDropService", void 0); __decorate([ context_1.Autowired('columnController'), __metadata('design:type', columnController_1.ColumnController) ], HeaderContainer.prototype, "columnController", void 0); __decorate([ context_1.Autowired('gridPanel'), __metadata('design:type', gridPanel_1.GridPanel) ], HeaderContainer.prototype, "gridPanel", void 0); __decorate([ context_3.PostConstruct, __metadata('design:type', Function), __metadata('design:paramtypes', []), __metadata('design:returntype', void 0) ], HeaderContainer.prototype, "init", null); return HeaderContainer; })(); exports.HeaderContainer = HeaderContainer; /***/ }, /* 70 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __metadata = (this && this.__metadata) || function (k, v) { if (typeof Reflect === "object" && typeof Reflect.metadata === "function") return Reflect.metadata(k, v); }; var utils_1 = __webpack_require__(7); var svgFactory_1 = __webpack_require__(59); var columnController_1 = __webpack_require__(13); var filterManager_1 = __webpack_require__(43); var gridOptionsWrapper_1 = __webpack_require__(3); var column_1 = __webpack_require__(15); var horizontalDragService_1 = __webpack_require__(71); var context_1 = __webpack_require__(6); var cssClassApplier_1 = __webpack_require__(72); var dragAndDropService_1 = __webpack_require__(73); var svgFactory = svgFactory_1.SvgFactory.getInstance(); var RenderedHeaderGroupCell = (function () { function RenderedHeaderGroupCell(columnGroup, eRoot, parentScope, dragSourceDropTarget) { this.destroyFunctions = []; this.columnGroup = columnGroup; this.parentScope = parentScope; this.eRoot = eRoot; this.parentScope = parentScope; this.dragSourceDropTarget = dragSourceDropTarget; } RenderedHeaderGroupCell.prototype.getGui = function () { return this.eHeaderGroupCell; }; RenderedHeaderGroupCell.prototype.onIndividualColumnResized = function (column) { if (this.columnGroup.isChildInThisGroupDeepSearch(column)) { this.setWidth(); } }; RenderedHeaderGroupCell.prototype.init = function () { this.eHeaderGroupCell = document.createElement('div'); cssClassApplier_1.CssClassApplier.addHeaderClassesFromCollDef(this.columnGroup.getColGroupDef(), this.eHeaderGroupCell, this.gridOptionsWrapper); this.displayName = this.columnGroup.getHeaderName(); this.setupResize(); this.addClasses(); this.setupLabel(); this.setupMove(); this.setWidth(); }; RenderedHeaderGroupCell.prototype.setupLabel = function () { // no renderer, default text render if (this.displayName && this.displayName !== '') { var eGroupCellLabel = document.createElement("div"); eGroupCellLabel.className = 'ag-header-group-cell-label'; this.eHeaderGroupCell.appendChild(eGroupCellLabel); if (utils_1.Utils.isBrowserSafari()) { eGroupCellLabel.style.display = 'table-cell'; } var eInnerText = document.createElement("span"); eInnerText.className = 'ag-header-group-text'; eInnerText.innerHTML = this.displayName; eGroupCellLabel.appendChild(eInnerText); if (this.columnGroup.isExpandable()) { this.addGroupExpandIcon(eGroupCellLabel); } } }; RenderedHeaderGroupCell.prototype.addClasses = function () { utils_1.Utils.addCssClass(this.eHeaderGroupCell, 'ag-header-group-cell'); // having different classes below allows the style to not have a bottom border // on the group header, if no group is specified if (this.columnGroup.getColGroupDef()) { utils_1.Utils.addCssClass(this.eHeaderGroupCell, 'ag-header-group-cell-with-group'); } else { utils_1.Utils.addCssClass(this.eHeaderGroupCell, 'ag-header-group-cell-no-group'); } }; RenderedHeaderGroupCell.prototype.setupResize = function () { var _this = this; if (!this.gridOptionsWrapper.isEnableColResize()) { return; } this.eHeaderCellResize = document.createElement("div"); this.eHeaderCellResize.className = "ag-header-cell-resize"; this.eHeaderGroupCell.appendChild(this.eHeaderCellResize); this.dragService.addDragHandling({ eDraggableElement: this.eHeaderCellResize, eBody: this.eRoot, cursor: 'col-resize', startAfterPixels: 0, onDragStart: this.onDragStart.bind(this), onDragging: this.onDragging.bind(this) }); if (!this.gridOptionsWrapper.isSuppressAutoSize()) { this.eHeaderCellResize.addEventListener('dblclick', function (event) { // get list of all the column keys we are responsible for var keys = []; _this.columnGroup.getDisplayedLeafColumns().forEach(function (column) { // not all cols in the group may be participating with auto-resize if (!column.getColDef().suppressAutoSize) { keys.push(column.getColId()); } }); if (keys.length > 0) { _this.columnController.autoSizeColumns(keys); } }); } }; RenderedHeaderGroupCell.prototype.setupMove = function () { var eLabel = this.eHeaderGroupCell.querySelector('.ag-header-group-cell-label'); if (!eLabel) { return; } if (this.gridOptionsWrapper.isSuppressMovableColumns()) { return; } // if any child is fixed, then don't allow moving var atLeastOneChildNotMovable = false; this.columnGroup.getLeafColumns().forEach(function (column) { if (column.getColDef().suppressMovable) { atLeastOneChildNotMovable = true; } }); if (atLeastOneChildNotMovable) { return; } // don't allow moving of headers when forPrint, as the header overlay doesn't exist if (this.gridOptionsWrapper.isForPrint()) { return; } if (eLabel) { var dragSource = { eElement: eLabel, dragItemName: this.displayName, // we add in the original group leaf columns, so we move both visible and non-visible items dragItem: this.getAllColumnsInThisGroup(), dragSourceDropTarget: this.dragSourceDropTarget }; this.dragAndDropService.addDragSource(dragSource); } }; // when moving the columns, we want to move all the columns in this group in one go, and in the order they // are currently in the screen. RenderedHeaderGroupCell.prototype.getAllColumnsInThisGroup = function () { var allColumnsOriginalOrder = this.columnGroup.getOriginalColumnGroup().getLeafColumns(); var allColumnsCurrentOrder = []; this.columnController.getAllDisplayedColumns().forEach(function (column) { if (allColumnsOriginalOrder.indexOf(column) >= 0) { allColumnsCurrentOrder.push(column); utils_1.Utils.removeFromArray(allColumnsOriginalOrder, column); } }); // we are left with non-visible columns, stick these in at the end allColumnsOriginalOrder.forEach(function (column) { return allColumnsCurrentOrder.push(column); }); return allColumnsCurrentOrder; }; RenderedHeaderGroupCell.prototype.setWidth = function () { var _this = this; var widthChangedListener = function () { _this.eHeaderGroupCell.style.width = _this.columnGroup.getActualWidth() + 'px'; }; this.columnGroup.getLeafColumns().forEach(function (column) { column.addEventListener(column_1.Column.EVENT_WIDTH_CHANGED, widthChangedListener); _this.destroyFunctions.push(function () { column.removeEventListener(column_1.Column.EVENT_WIDTH_CHANGED, widthChangedListener); }); }); widthChangedListener(); }; RenderedHeaderGroupCell.prototype.destroy = function () { this.destroyFunctions.forEach(function (func) { func(); }); }; RenderedHeaderGroupCell.prototype.addGroupExpandIcon = function (eGroupCellLabel) { var eGroupIcon; if (this.columnGroup.isExpanded()) { eGroupIcon = utils_1.Utils.createIcon('columnGroupOpened', this.gridOptionsWrapper, null, svgFactory.createGroupContractedIcon); } else { eGroupIcon = utils_1.Utils.createIcon('columnGroupClosed', this.gridOptionsWrapper, null, svgFactory.createGroupExpandedIcon); } eGroupIcon.className = 'ag-header-expand-icon'; eGroupCellLabel.appendChild(eGroupIcon); var that = this; eGroupIcon.onclick = function () { var newExpandedValue = !that.columnGroup.isExpanded(); that.columnController.setColumnGroupOpened(that.columnGroup, newExpandedValue); }; }; RenderedHeaderGroupCell.prototype.onDragStart = function () { var _this = this; this.groupWidthStart = this.columnGroup.getActualWidth(); this.childrenWidthStarts = []; this.columnGroup.getDisplayedLeafColumns().forEach(function (column) { _this.childrenWidthStarts.push(column.getActualWidth()); }); }; RenderedHeaderGroupCell.prototype.onDragging = function (dragChange, finished) { var _this = this; var newWidth = this.groupWidthStart + dragChange; var minWidth = this.columnGroup.getMinWidth(); if (newWidth < minWidth) { newWidth = minWidth; } // distribute the new width to the child headers var changeRatio = newWidth / this.groupWidthStart; // keep track of pixels used, and last column gets the remaining, // to cater for rounding errors, and min width adjustments var pixelsToDistribute = newWidth; var displayedColumns = this.columnGroup.getDisplayedLeafColumns(); displayedColumns.forEach(function (column, index) { var notLastCol = index !== (displayedColumns.length - 1); var newChildSize; if (notLastCol) { // if not the last col, calculate the column width as normal var startChildSize = _this.childrenWidthStarts[index]; newChildSize = startChildSize * changeRatio; if (newChildSize < column.getMinWidth()) { newChildSize = column.getMinWidth(); } pixelsToDistribute -= newChildSize; } else { // if last col, give it the remaining pixels newChildSize = pixelsToDistribute; } _this.columnController.setColumnWidth(column, newChildSize, finished); }); }; __decorate([ context_1.Autowired('filterManager'), __metadata('design:type', filterManager_1.FilterManager) ], RenderedHeaderGroupCell.prototype, "filterManager", void 0); __decorate([ context_1.Autowired('gridOptionsWrapper'), __metadata('design:type', gridOptionsWrapper_1.GridOptionsWrapper) ], RenderedHeaderGroupCell.prototype, "gridOptionsWrapper", void 0); __decorate([ context_1.Autowired('horizontalDragService'), __metadata('design:type', horizontalDragService_1.HorizontalDragService) ], RenderedHeaderGroupCell.prototype, "dragService", void 0); __decorate([ context_1.Autowired('columnController'), __metadata('design:type', columnController_1.ColumnController) ], RenderedHeaderGroupCell.prototype, "columnController", void 0); __decorate([ context_1.Autowired('dragAndDropService'), __metadata('design:type', dragAndDropService_1.DragAndDropService) ], RenderedHeaderGroupCell.prototype, "dragAndDropService", void 0); __decorate([ context_1.PostConstruct, __metadata('design:type', Function), __metadata('design:paramtypes', []), __metadata('design:returntype', void 0) ], RenderedHeaderGroupCell.prototype, "init", null); return RenderedHeaderGroupCell; })(); exports.RenderedHeaderGroupCell = RenderedHeaderGroupCell; /***/ }, /* 71 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __metadata = (this && this.__metadata) || function (k, v) { if (typeof Reflect === "object" && typeof Reflect.metadata === "function") return Reflect.metadata(k, v); }; var context_1 = __webpack_require__(6); var HorizontalDragService = (function () { function HorizontalDragService() { } HorizontalDragService.prototype.addDragHandling = function (params) { params.eDraggableElement.addEventListener('mousedown', function (startEvent) { new DragInstance(params, startEvent); }); }; HorizontalDragService = __decorate([ context_1.Bean('horizontalDragService'), __metadata('design:paramtypes', []) ], HorizontalDragService); return HorizontalDragService; })(); exports.HorizontalDragService = HorizontalDragService; var DragInstance = (function () { function DragInstance(params, startEvent) { this.mouseMove = this.onMouseMove.bind(this); this.mouseUp = this.onMouseUp.bind(this); this.mouseLeave = this.onMouseLeave.bind(this); this.lastDelta = 0; this.params = params; this.eDragParent = document.querySelector('body'); this.dragStartX = startEvent.clientX; this.startEvent = startEvent; this.eDragParent.addEventListener('mousemove', this.mouseMove); this.eDragParent.addEventListener('mouseup', this.mouseUp); this.eDragParent.addEventListener('mouseleave', this.mouseLeave); this.draggingStarted = false; var startAfterPixelsExist = typeof params.startAfterPixels === 'number' && params.startAfterPixels > 0; if (!startAfterPixelsExist) { this.startDragging(); } } DragInstance.prototype.startDragging = function () { this.draggingStarted = true; this.oldBodyCursor = this.params.eBody.style.cursor; this.oldParentCursor = this.eDragParent.style.cursor; this.oldMsUserSelect = this.eDragParent.style.msUserSelect; this.oldWebkitUserSelect = this.eDragParent.style.webkitUserSelect; // change the body cursor, so when drag moves out of the drag bar, the cursor is still 'resize' (or 'move' this.params.eBody.style.cursor = this.params.cursor; // same for outside the grid, we want to keep the resize (or move) cursor this.eDragParent.style.cursor = this.params.cursor; // we don't want text selection outside the grid (otherwise it looks weird as text highlights when we move) this.eDragParent.style.msUserSelect = 'none'; this.eDragParent.style.webkitUserSelect = 'none'; this.params.onDragStart(this.startEvent); }; DragInstance.prototype.onMouseMove = function (moveEvent) { var newX = moveEvent.clientX; this.lastDelta = newX - this.dragStartX; if (!this.draggingStarted) { var dragExceededStartAfterPixels = Math.abs(this.lastDelta) >= this.params.startAfterPixels; if (dragExceededStartAfterPixels) { this.startDragging(); } } if (this.draggingStarted) { this.params.onDragging(this.lastDelta, false); } }; DragInstance.prototype.onMouseUp = function () { this.stopDragging(); }; DragInstance.prototype.onMouseLeave = function () { this.stopDragging(); }; DragInstance.prototype.stopDragging = function () { // reset cursor back to original cursor, if they were changed in the first place if (this.draggingStarted) { this.params.eBody.style.cursor = this.oldBodyCursor; this.eDragParent.style.cursor = this.oldParentCursor; this.eDragParent.style.msUserSelect = this.oldMsUserSelect; this.eDragParent.style.webkitUserSelect = this.oldWebkitUserSelect; this.params.onDragging(this.lastDelta, true); } // always remove the listeners, as these are always added this.eDragParent.removeEventListener('mousemove', this.mouseMove); this.eDragParent.removeEventListener('mouseup', this.mouseUp); this.eDragParent.removeEventListener('mouseleave', this.mouseLeave); }; return DragInstance; })(); /***/ }, /* 72 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var utils_1 = __webpack_require__(7); var CssClassApplier = (function () { function CssClassApplier() { } CssClassApplier.addHeaderClassesFromCollDef = function (abstractColDef, eHeaderCell, gridOptionsWrapper) { if (abstractColDef && abstractColDef.headerClass) { var classToUse; if (typeof abstractColDef.headerClass === 'function') { var params = { // bad naming, as colDef here can be a group or a column, // however most people won't appreciate the difference, // so keeping it as colDef to avoid confusion. colDef: abstractColDef, context: gridOptionsWrapper.getContext(), api: gridOptionsWrapper.getApi() }; var headerClassFunc = abstractColDef.headerClass; classToUse = headerClassFunc(params); } else { classToUse = abstractColDef.headerClass; } if (typeof classToUse === 'string') { utils_1.Utils.addCssClass(eHeaderCell, classToUse); } else if (Array.isArray(classToUse)) { classToUse.forEach(function (cssClassItem) { utils_1.Utils.addCssClass(eHeaderCell, cssClassItem); }); } } }; return CssClassApplier; })(); exports.CssClassApplier = CssClassApplier; /***/ }, /* 73 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __metadata = (this && this.__metadata) || function (k, v) { if (typeof Reflect === "object" && typeof Reflect.metadata === "function") return Reflect.metadata(k, v); }; var __param = (this && this.__param) || function (paramIndex, decorator) { return function (target, key) { decorator(target, key, paramIndex); } }; var context_1 = __webpack_require__(6); var logger_1 = __webpack_require__(5); var context_2 = __webpack_require__(6); var utils_1 = __webpack_require__(7); var gridOptionsWrapper_1 = __webpack_require__(3); var context_3 = __webpack_require__(6); var svgFactory_1 = __webpack_require__(59); var dragService_1 = __webpack_require__(31); var columnController_1 = __webpack_require__(13); var svgFactory = svgFactory_1.SvgFactory.getInstance(); var DragAndDropService = (function () { function DragAndDropService() { this.dropTargets = []; } DragAndDropService.prototype.init = function () { this.ePinnedIcon = utils_1.Utils.createIcon('columnMovePin', this.gridOptionsWrapper, null, svgFactory.createPinIcon); this.ePlusIcon = utils_1.Utils.createIcon('columnMoveAdd', this.gridOptionsWrapper, null, svgFactory.createPlusIcon); this.eHiddenIcon = utils_1.Utils.createIcon('columnMoveHide', this.gridOptionsWrapper, null, svgFactory.createColumnHiddenIcon); this.eMoveIcon = utils_1.Utils.createIcon('columnMoveMove', this.gridOptionsWrapper, null, svgFactory.createMoveIcon); this.eLeftIcon = utils_1.Utils.createIcon('columnMoveLeft', this.gridOptionsWrapper, null, svgFactory.createLeftIcon); this.eRightIcon = utils_1.Utils.createIcon('columnMoveRight', this.gridOptionsWrapper, null, svgFactory.createRightIcon); this.eGroupIcon = utils_1.Utils.createIcon('columnMoveGroup', this.gridOptionsWrapper, null, svgFactory.createGroupIcon); }; DragAndDropService.prototype.setBeans = function (loggerFactory) { this.logger = loggerFactory.create('OldToolPanelDragAndDropService'); this.eBody = document.querySelector('body'); if (!this.eBody) { console.warn('ag-Grid: could not find document body, it is needed for dragging columns'); } }; // we do not need to clean up drag sources, as we are just adding a listener to the element. // when the element is disposed, the drag source is also disposed, even though this service // remains. this is a bit different to normal 'addListener' methods DragAndDropService.prototype.addDragSource = function (dragSource) { this.dragService.addDragSource({ eElement: dragSource.eElement, onDragStart: this.onDragStart.bind(this, dragSource), onDragStop: this.onDragStop.bind(this), onDragging: this.onDragging.bind(this) }); }; DragAndDropService.prototype.nudge = function () { if (this.dragging) { this.onDragging(this.eventLastTime); } }; DragAndDropService.prototype.onDragStart = function (dragSource, mouseEvent) { this.dragging = true; this.dragSource = dragSource; this.eventLastTime = mouseEvent; this.dragSource.dragItem.forEach(function (column) { return column.setMoving(true); }); this.dragItem = this.dragSource.dragItem; this.lastDropTarget = this.dragSource.dragSourceDropTarget; this.createGhost(); }; DragAndDropService.prototype.onDragStop = function (mouseEvent) { this.eventLastTime = null; this.dragging = false; this.dragItem.forEach(function (column) { return column.setMoving(false); }); if (this.lastDropTarget && this.lastDropTarget.onDragStop) { var draggingEvent = this.createDropTargetEvent(this.lastDropTarget, mouseEvent, null); this.lastDropTarget.onDragStop(draggingEvent); } this.lastDropTarget = null; this.dragItem = null; this.removeGhost(); }; DragAndDropService.prototype.onDragging = function (mouseEvent) { var direction = this.workOutDirection(mouseEvent); this.eventLastTime = mouseEvent; this.positionGhost(mouseEvent); // check if mouseEvent intersects with any of the drop targets var dropTarget = utils_1.Utils.find(this.dropTargets, this.isMouseOnDropTarget.bind(this, mouseEvent)); if (dropTarget !== this.lastDropTarget) { this.leaveLastTargetIfExists(mouseEvent, direction); this.enterDragTargetIfExists(dropTarget, mouseEvent, direction); this.lastDropTarget = dropTarget; } else if (dropTarget) { var draggingEvent = this.createDropTargetEvent(dropTarget, mouseEvent, direction); dropTarget.onDragging(draggingEvent); } }; DragAndDropService.prototype.enterDragTargetIfExists = function (dropTarget, mouseEvent, direction) { if (!dropTarget) { return; } var dragEnterEvent = this.createDropTargetEvent(dropTarget, mouseEvent, direction); dropTarget.onDragEnter(dragEnterEvent); this.setGhostIcon(dropTarget.iconName); }; DragAndDropService.prototype.leaveLastTargetIfExists = function (mouseEvent, direction) { if (!this.lastDropTarget) { return; } var dragLeaveEvent = this.createDropTargetEvent(this.lastDropTarget, mouseEvent, direction); this.lastDropTarget.onDragLeave(dragLeaveEvent); this.setGhostIcon(null); }; // checks if the mouse is on the drop target. it checks eContainer and eSecondaryContainers DragAndDropService.prototype.isMouseOnDropTarget = function (mouseEvent, dropTarget) { var ePrimaryAndSecondaryContainers = [dropTarget.eContainer]; if (dropTarget.eSecondaryContainers) { ePrimaryAndSecondaryContainers = ePrimaryAndSecondaryContainers.concat(dropTarget.eSecondaryContainers); } var gotMatch = false; ePrimaryAndSecondaryContainers.forEach(function (eContainer) { if (!eContainer) { return; } // secondary can be missing var rect = eContainer.getBoundingClientRect(); // if element is not visible, then width and height are zero if (rect.width === 0 || rect.height === 0) { return; } var horizontalFit = mouseEvent.clientX >= rect.left && mouseEvent.clientX <= rect.right; var verticalFit = mouseEvent.clientY >= rect.top && mouseEvent.clientY <= rect.bottom; //console.log(`rect.width = ${rect.width} || rect.height = ${rect.height} ## verticalFit = ${verticalFit}, horizontalFit = ${horizontalFit}, `); if (horizontalFit && verticalFit) { gotMatch = true; } }); return gotMatch; }; DragAndDropService.prototype.addDropTarget = function (dropTarget) { this.dropTargets.push(dropTarget); }; DragAndDropService.prototype.workOutDirection = function (event) { var direction; if (this.eventLastTime.clientX > event.clientX) { direction = DragAndDropService.DIRECTION_LEFT; } else if (this.eventLastTime.clientX < event.clientX) { direction = DragAndDropService.DIRECTION_RIGHT; } else { direction = null; } return direction; }; DragAndDropService.prototype.createDropTargetEvent = function (dropTarget, event, direction) { // localise x and y to the target component var rect = dropTarget.eContainer.getBoundingClientRect(); var x = event.clientX - rect.left; var y = event.clientY - rect.top; var dropTargetEvent = { event: event, x: x, y: y, direction: direction, dragSource: this.dragSource }; return dropTargetEvent; }; DragAndDropService.prototype.positionGhost = function (event) { var ghostRect = this.eGhost.getBoundingClientRect(); var ghostHeight = ghostRect.height; // for some reason, without the '-2', it still overlapped by 1 or 2 pixels, which // then brought in scrollbars to the browser. no idea why, but putting in -2 here // works around it which is good enough for me. var browserWidth = utils_1.Utils.getBodyWidth() - 2; var browserHeight = utils_1.Utils.getBodyHeight() - 2; // put ghost vertically in middle of cursor var top = event.pageY - (ghostHeight / 2); // horizontally, place cursor just right of icon var left = event.pageX - 30; // check ghost is not positioned outside of the browser if (browserWidth > 0) { if ((left + this.eGhost.clientWidth) > browserWidth) { left = browserWidth - this.eGhost.clientWidth; } } if (left < 0) { left = 0; } if (browserHeight > 0) { if ((top + this.eGhost.clientHeight) > browserHeight) { top = browserHeight - this.eGhost.clientHeight; } } if (top < 0) { top = 0; } this.eGhost.style.left = left + 'px'; this.eGhost.style.top = top + 'px'; }; DragAndDropService.prototype.removeGhost = function () { if (this.eGhost) { this.eBody.removeChild(this.eGhost); } this.eGhost = null; }; DragAndDropService.prototype.createGhost = function () { this.eGhost = utils_1.Utils.loadTemplate(DragAndDropService.GHOST_TEMPLATE); this.eGhostIcon = this.eGhost.querySelector('.ag-dnd-ghost-icon'); if (this.lastDropTarget) { this.setGhostIcon(this.lastDropTarget.iconName); } var eText = this.eGhost.querySelector('.ag-dnd-ghost-label'); eText.innerHTML = this.dragSource.dragItemName; this.eGhost.style.height = this.gridOptionsWrapper.getHeaderHeight() + 'px'; this.eGhost.style.top = '20px'; this.eGhost.style.left = '20px'; this.eBody.appendChild(this.eGhost); }; /* // took this out as it wasn't making sense when dragging from the side panel, as it was possible to drag columns that were not visible - which is fine, as you are selecting from all columns here. what should be done is we check what columns to include in the drag depending on what started to drag - but that is to much coding for now, so just hardcoding the width to 200px for now. private getActualWidth(columns: Column[]): number { var totalColWidth = 0; // we only include displayed columns so hidden columns do not add space as this would look weird, // if for example moving a group with 5 cols, but only 1 displayed, we want ghost to be just the width // of the 1 displayed column var allDisplayedColumns = this.columnController.getAllDisplayedColumns(); var displayedColumns = _.filter(columns, column => allDisplayedColumns.indexOf(column) >= 0 ); displayedColumns.forEach( column => totalColWidth += column.getActualWidth() ); return totalColWidth; } */ DragAndDropService.prototype.setGhostIcon = function (iconName, shake) { if (shake === void 0) { shake = false; } utils_1.Utils.removeAllChildren(this.eGhostIcon); var eIcon; switch (iconName) { case DragAndDropService.ICON_ADD: eIcon = this.ePlusIcon; break; case DragAndDropService.ICON_PINNED: eIcon = this.ePinnedIcon; break; case DragAndDropService.ICON_MOVE: eIcon = this.eMoveIcon; break; case DragAndDropService.ICON_LEFT: eIcon = this.eLeftIcon; break; case DragAndDropService.ICON_RIGHT: eIcon = this.eRightIcon; break; case DragAndDropService.ICON_GROUP: eIcon = this.eGroupIcon; break; default: eIcon = this.eHiddenIcon; break; } this.eGhostIcon.appendChild(eIcon); utils_1.Utils.addOrRemoveCssClass(this.eGhostIcon, 'ag-shake-left-to-right', shake); }; DragAndDropService.DIRECTION_LEFT = 'left'; DragAndDropService.DIRECTION_RIGHT = 'right'; DragAndDropService.ICON_PINNED = 'pinned'; DragAndDropService.ICON_ADD = 'add'; DragAndDropService.ICON_MOVE = 'move'; DragAndDropService.ICON_LEFT = 'left'; DragAndDropService.ICON_RIGHT = 'right'; DragAndDropService.ICON_GROUP = 'group'; DragAndDropService.GHOST_TEMPLATE = '<div class="ag-dnd-ghost">' + ' <span class="ag-dnd-ghost-icon ag-shake-left-to-right"></span>' + ' <div class="ag-dnd-ghost-label">' + ' </div>' + '</div>'; __decorate([ context_3.Autowired('gridOptionsWrapper'), __metadata('design:type', gridOptionsWrapper_1.GridOptionsWrapper) ], DragAndDropService.prototype, "gridOptionsWrapper", void 0); __decorate([ context_3.Autowired('dragService'), __metadata('design:type', dragService_1.DragService) ], DragAndDropService.prototype, "dragService", void 0); __decorate([ context_3.Autowired('columnController'), __metadata('design:type', columnController_1.ColumnController) ], DragAndDropService.prototype, "columnController", void 0); __decorate([ context_1.PostConstruct, __metadata('design:type', Function), __metadata('design:paramtypes', []), __metadata('design:returntype', void 0) ], DragAndDropService.prototype, "init", null); __decorate([ __param(0, context_1.Qualifier('loggerFactory')), __metadata('design:type', Function), __metadata('design:paramtypes', [logger_1.LoggerFactory]), __metadata('design:returntype', void 0) ], DragAndDropService.prototype, "setBeans", null); DragAndDropService = __decorate([ context_2.Bean('dragAndDropService'), __metadata('design:paramtypes', []) ], DragAndDropService); return DragAndDropService; })(); exports.DragAndDropService = DragAndDropService; /***/ }, /* 74 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __metadata = (this && this.__metadata) || function (k, v) { if (typeof Reflect === "object" && typeof Reflect.metadata === "function") return Reflect.metadata(k, v); }; var utils_1 = __webpack_require__(7); var column_1 = __webpack_require__(15); var filterManager_1 = __webpack_require__(43); var columnController_1 = __webpack_require__(13); var headerTemplateLoader_1 = __webpack_require__(75); var gridOptionsWrapper_1 = __webpack_require__(3); var horizontalDragService_1 = __webpack_require__(71); var gridCore_1 = __webpack_require__(40); var context_1 = __webpack_require__(6); var cssClassApplier_1 = __webpack_require__(72); var dragAndDropService_1 = __webpack_require__(73); var sortController_1 = __webpack_require__(42); var RenderedHeaderCell = (function () { function RenderedHeaderCell(column, parentScope, eRoot, dragSourceDropTarget) { // for better structured code, anything we need to do when this column gets destroyed, // we put a function in here. otherwise we would have a big destroy function with lots // of 'if / else' mapping to things that got created. this.destroyFunctions = []; this.column = column; this.parentScope = parentScope; this.eRoot = eRoot; this.dragSourceDropTarget = dragSourceDropTarget; } RenderedHeaderCell.prototype.init = function () { this.eHeaderCell = this.headerTemplateLoader.createHeaderElement(this.column); utils_1.Utils.addCssClass(this.eHeaderCell, 'ag-header-cell'); this.createScope(this.parentScope); this.addAttributes(); cssClassApplier_1.CssClassApplier.addHeaderClassesFromCollDef(this.column.getColDef(), this.eHeaderCell, this.gridOptionsWrapper); // label div var eHeaderCellLabel = this.eHeaderCell.querySelector('#agHeaderCellLabel'); this.displayName = this.columnController.getDisplayNameForCol(this.column); this.setupMovingCss(); this.setupTooltip(); this.setupResize(); this.setupMove(eHeaderCellLabel); this.setupMenu(); this.setupSort(eHeaderCellLabel); this.setupFilterIcon(); this.setupText(); this.setupWidth(); }; RenderedHeaderCell.prototype.setupTooltip = function () { var colDef = this.column.getColDef(); // add tooltip if exists if (colDef.headerTooltip) { this.eHeaderCell.title = colDef.headerTooltip; } }; RenderedHeaderCell.prototype.setupText = function () { var colDef = this.column.getColDef(); // render the cell, use a renderer if one is provided var headerCellRenderer; if (colDef.headerCellRenderer) { headerCellRenderer = colDef.headerCellRenderer; } else if (this.gridOptionsWrapper.getHeaderCellRenderer()) { headerCellRenderer = this.gridOptionsWrapper.getHeaderCellRenderer(); } var eText = this.eHeaderCell.querySelector('#agText'); if (eText) { if (headerCellRenderer) { this.useRenderer(this.displayName, headerCellRenderer, eText); } else { // no renderer, default text render eText.className = 'ag-header-cell-text'; eText.innerHTML = this.displayName; } } }; RenderedHeaderCell.prototype.setupFilterIcon = function () { var _this = this; var eFilterIcon = this.eHeaderCell.querySelector('#agFilter'); if (!eFilterIcon) { return; } var filterChangedListener = function () { var filterPresent = _this.column.isFilterActive(); utils_1.Utils.addOrRemoveCssClass(_this.eHeaderCell, 'ag-header-cell-filtered', filterPresent); utils_1.Utils.addOrRemoveCssClass(eFilterIcon, 'ag-hidden', !filterPresent); }; this.column.addEventListener(column_1.Column.EVENT_FILTER_ACTIVE_CHANGED, filterChangedListener); this.destroyFunctions.push(function () { _this.column.removeEventListener(column_1.Column.EVENT_FILTER_ACTIVE_CHANGED, filterChangedListener); }); filterChangedListener(); }; RenderedHeaderCell.prototype.setupWidth = function () { var _this = this; var widthChangedListener = function () { _this.eHeaderCell.style.width = _this.column.getActualWidth() + 'px'; }; this.column.addEventListener(column_1.Column.EVENT_WIDTH_CHANGED, widthChangedListener); this.destroyFunctions.push(function () { _this.column.removeEventListener(column_1.Column.EVENT_WIDTH_CHANGED, widthChangedListener); }); widthChangedListener(); }; RenderedHeaderCell.prototype.getGui = function () { return this.eHeaderCell; }; RenderedHeaderCell.prototype.destroy = function () { this.destroyFunctions.forEach(function (func) { func(); }); }; RenderedHeaderCell.prototype.createScope = function (parentScope) { var _this = this; if (this.gridOptionsWrapper.isAngularCompileHeaders()) { this.childScope = parentScope.$new(); this.childScope.colDef = this.column.getColDef(); this.childScope.colDefWrapper = this.column; this.childScope.context = this.gridOptionsWrapper.getContext(); this.destroyFunctions.push(function () { _this.childScope.$destroy(); }); } }; RenderedHeaderCell.prototype.addAttributes = function () { this.eHeaderCell.setAttribute("colId", this.column.getColId()); }; RenderedHeaderCell.prototype.setupMenu = function () { var _this = this; var eMenu = this.eHeaderCell.querySelector('#agMenu'); // if no menu provided in template, do nothing if (!eMenu) { return; } var weWantMenu = this.menuFactory.isMenuEnabled(this.column) && !this.column.getColDef().suppressMenu; if (!weWantMenu) { utils_1.Utils.removeFromParent(eMenu); return; } eMenu.addEventListener('click', function () { return _this.showMenu(eMenu); }); if (!this.gridOptionsWrapper.isSuppressMenuHide()) { eMenu.style.opacity = '0'; this.eHeaderCell.addEventListener('mouseover', function () { eMenu.style.opacity = '1'; }); this.eHeaderCell.addEventListener('mouseout', function () { eMenu.style.opacity = '0'; }); } var style = eMenu.style; style['transition'] = 'opacity 0.2s, border 0.2s'; style['-webkit-transition'] = 'opacity 0.2s, border 0.2s'; }; RenderedHeaderCell.prototype.showMenu = function (eventSource) { this.menuFactory.showMenuAfterButtonClick(this.column, eventSource); }; RenderedHeaderCell.prototype.setupMovingCss = function () { var _this = this; // this function adds or removes the moving css, based on if the col is moving var addMovingCssFunc = function () { if (_this.column.isMoving()) { utils_1.Utils.addCssClass(_this.eHeaderCell, 'ag-header-cell-moving'); } else { utils_1.Utils.removeCssClass(_this.eHeaderCell, 'ag-header-cell-moving'); } }; // call it now once, so the col is set up correctly addMovingCssFunc(); // then call it every time we are informed of a moving state change in the col this.column.addEventListener(column_1.Column.EVENT_MOVING_CHANGED, addMovingCssFunc); // finally we remove the listener when this cell is no longer rendered this.destroyFunctions.push(function () { _this.column.removeEventListener(column_1.Column.EVENT_MOVING_CHANGED, addMovingCssFunc); }); }; RenderedHeaderCell.prototype.setupMove = function (eHeaderCellLabel) { if (this.gridOptionsWrapper.isSuppressMovableColumns() || this.column.getColDef().suppressMovable) { return; } if (this.gridOptionsWrapper.isForPrint()) { // don't allow moving of headers when forPrint, as the header overlay doesn't exist return; } if (eHeaderCellLabel) { var dragSource = { eElement: eHeaderCellLabel, dragItem: [this.column], dragItemName: this.displayName, dragSourceDropTarget: this.dragSourceDropTarget }; this.dragAndDropService.addDragSource(dragSource); } }; RenderedHeaderCell.prototype.setupResize = function () { var _this = this; var colDef = this.column.getColDef(); var eResize = this.eHeaderCell.querySelector('#agResizeBar'); // if no eResize in template, do nothing if (!eResize) { return; } var weWantResize = this.gridOptionsWrapper.isEnableColResize() && !colDef.suppressResize; if (!weWantResize) { utils_1.Utils.removeFromParent(eResize); return; } this.dragService.addDragHandling({ eDraggableElement: eResize, eBody: this.eRoot, cursor: 'col-resize', startAfterPixels: 0, onDragStart: this.onDragStart.bind(this), onDragging: this.onDragging.bind(this) }); var weWantAutoSize = !this.gridOptionsWrapper.isSuppressAutoSize() && !colDef.suppressAutoSize; if (weWantAutoSize) { eResize.addEventListener('dblclick', function () { _this.columnController.autoSizeColumn(_this.column); }); } }; RenderedHeaderCell.prototype.useRenderer = function (headerNameValue, headerCellRenderer, eText) { // renderer provided, use it var cellRendererParams = { colDef: this.column.getColDef(), $scope: this.childScope, context: this.gridOptionsWrapper.getContext(), value: headerNameValue, api: this.gridOptionsWrapper.getApi(), eHeaderCell: this.eHeaderCell }; var cellRendererResult = headerCellRenderer(cellRendererParams); var childToAppend; if (utils_1.Utils.isNodeOrElement(cellRendererResult)) { // a dom node or element was returned, so add child childToAppend = cellRendererResult; } else { // otherwise assume it was html, so just insert var eTextSpan = document.createElement("span"); eTextSpan.innerHTML = cellRendererResult; childToAppend = eTextSpan; } // angular compile header if option is turned on if (this.gridOptionsWrapper.isAngularCompileHeaders()) { var childToAppendCompiled = this.$compile(childToAppend)(this.childScope)[0]; eText.appendChild(childToAppendCompiled); } else { eText.appendChild(childToAppend); } }; RenderedHeaderCell.prototype.setupSort = function (eHeaderCellLabel) { var _this = this; var enableSorting = this.gridOptionsWrapper.isEnableSorting() && !this.column.getColDef().suppressSorting; if (!enableSorting) { utils_1.Utils.removeFromParent(this.eHeaderCell.querySelector('#agSortAsc')); utils_1.Utils.removeFromParent(this.eHeaderCell.querySelector('#agSortDesc')); utils_1.Utils.removeFromParent(this.eHeaderCell.querySelector('#agNoSort')); return; } // add sortable class for styling utils_1.Utils.addCssClass(this.eHeaderCell, 'ag-header-cell-sortable'); // add the event on the header, so when clicked, we do sorting if (eHeaderCellLabel) { eHeaderCellLabel.addEventListener("click", function (event) { _this.sortController.progressSort(_this.column, event.shiftKey); }); } // add listener for sort changing, and update the icons accordingly var eSortAsc = this.eHeaderCell.querySelector('#agSortAsc'); var eSortDesc = this.eHeaderCell.querySelector('#agSortDesc'); var eSortNone = this.eHeaderCell.querySelector('#agNoSort'); var sortChangedListener = function () { utils_1.Utils.addOrRemoveCssClass(_this.eHeaderCell, 'ag-header-cell-sorted-asc', _this.column.isSortAscending()); utils_1.Utils.addOrRemoveCssClass(_this.eHeaderCell, 'ag-header-cell-sorted-desc', _this.column.isSortDescending()); utils_1.Utils.addOrRemoveCssClass(_this.eHeaderCell, 'ag-header-cell-sorted-none', _this.column.isSortNone()); if (eSortAsc) { utils_1.Utils.addOrRemoveCssClass(eSortAsc, 'ag-hidden', !_this.column.isSortAscending()); } if (eSortDesc) { utils_1.Utils.addOrRemoveCssClass(eSortDesc, 'ag-hidden', !_this.column.isSortDescending()); } if (eSortNone) { var alwaysHideNoSort = !_this.column.getColDef().unSortIcon && !_this.gridOptionsWrapper.isUnSortIcon(); utils_1.Utils.addOrRemoveCssClass(eSortNone, 'ag-hidden', alwaysHideNoSort || !_this.column.isSortNone()); } }; this.column.addEventListener(column_1.Column.EVENT_SORT_CHANGED, sortChangedListener); this.destroyFunctions.push(function () { _this.column.removeEventListener(column_1.Column.EVENT_SORT_CHANGED, sortChangedListener); }); sortChangedListener(); }; RenderedHeaderCell.prototype.onDragStart = function () { this.startWidth = this.column.getActualWidth(); }; RenderedHeaderCell.prototype.onDragging = function (dragChange, finished) { var newWidth = this.startWidth + dragChange; this.columnController.setColumnWidth(this.column, newWidth, finished); }; RenderedHeaderCell.prototype.onIndividualColumnResized = function (column) { if (this.column !== column) { return; } var newWidthPx = column.getActualWidth() + "px"; this.eHeaderCell.style.width = newWidthPx; }; __decorate([ context_1.Autowired('context'), __metadata('design:type', context_1.Context) ], RenderedHeaderCell.prototype, "context", void 0); __decorate([ context_1.Autowired('filterManager'), __metadata('design:type', filterManager_1.FilterManager) ], RenderedHeaderCell.prototype, "filterManager", void 0); __decorate([ context_1.Autowired('columnController'), __metadata('design:type', columnController_1.ColumnController) ], RenderedHeaderCell.prototype, "columnController", void 0); __decorate([ context_1.Autowired('$compile'), __metadata('design:type', Object) ], RenderedHeaderCell.prototype, "$compile", void 0); __decorate([ context_1.Autowired('gridCore'), __metadata('design:type', gridCore_1.GridCore) ], RenderedHeaderCell.prototype, "gridCore", void 0); __decorate([ context_1.Autowired('headerTemplateLoader'), __metadata('design:type', headerTemplateLoader_1.HeaderTemplateLoader) ], RenderedHeaderCell.prototype, "headerTemplateLoader", void 0); __decorate([ context_1.Autowired('horizontalDragService'), __metadata('design:type', horizontalDragService_1.HorizontalDragService) ], RenderedHeaderCell.prototype, "dragService", void 0); __decorate([ context_1.Autowired('menuFactory'), __metadata('design:type', Object) ], RenderedHeaderCell.prototype, "menuFactory", void 0); __decorate([ context_1.Autowired('gridOptionsWrapper'), __metadata('design:type', gridOptionsWrapper_1.GridOptionsWrapper) ], RenderedHeaderCell.prototype, "gridOptionsWrapper", void 0); __decorate([ context_1.Autowired('dragAndDropService'), __metadata('design:type', dragAndDropService_1.DragAndDropService) ], RenderedHeaderCell.prototype, "dragAndDropService", void 0); __decorate([ context_1.Autowired('sortController'), __metadata('design:type', sortController_1.SortController) ], RenderedHeaderCell.prototype, "sortController", void 0); __decorate([ context_1.PostConstruct, __metadata('design:type', Function), __metadata('design:paramtypes', []), __metadata('design:returntype', void 0) ], RenderedHeaderCell.prototype, "init", null); return RenderedHeaderCell; })(); exports.RenderedHeaderCell = RenderedHeaderCell; /***/ }, /* 75 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __metadata = (this && this.__metadata) || function (k, v) { if (typeof Reflect === "object" && typeof Reflect.metadata === "function") return Reflect.metadata(k, v); }; var utils_1 = __webpack_require__(7); var svgFactory_1 = __webpack_require__(59); var gridOptionsWrapper_1 = __webpack_require__(3); var context_1 = __webpack_require__(6); var svgFactory = svgFactory_1.SvgFactory.getInstance(); var HeaderTemplateLoader = (function () { function HeaderTemplateLoader() { } HeaderTemplateLoader.prototype.createHeaderElement = function (column) { var params = { column: column, colDef: column.getColDef, context: this.gridOptionsWrapper.getContext(), api: this.gridOptionsWrapper.getApi() }; // option 1 - see if user provided a template in colDef var userProvidedTemplate = column.getColDef().headerCellTemplate; if (typeof userProvidedTemplate === 'function') { var colDefFunc = userProvidedTemplate; userProvidedTemplate = colDefFunc(params); } // option 2 - check the gridOptions for cellTemplate if (!userProvidedTemplate && this.gridOptionsWrapper.getHeaderCellTemplate()) { userProvidedTemplate = this.gridOptionsWrapper.getHeaderCellTemplate(); } // option 3 - check the gridOptions for templateFunction if (!userProvidedTemplate && this.gridOptionsWrapper.getHeaderCellTemplateFunc()) { var gridOptionsFunc = this.gridOptionsWrapper.getHeaderCellTemplateFunc(); userProvidedTemplate = gridOptionsFunc(params); } // finally, if still no template, use the default if (!userProvidedTemplate) { userProvidedTemplate = this.createDefaultHeaderElement(column); } // template can be a string or a dom element, if string we need to convert to a dom element var result; if (typeof userProvidedTemplate === 'string') { result = utils_1.Utils.loadTemplate(userProvidedTemplate); } else if (utils_1.Utils.isNodeOrElement(userProvidedTemplate)) { result = userProvidedTemplate; } else { console.error('ag-Grid: header template must be a string or an HTML element'); } return result; }; HeaderTemplateLoader.prototype.createDefaultHeaderElement = function (column) { var eTemplate = utils_1.Utils.loadTemplate(HeaderTemplateLoader.HEADER_CELL_TEMPLATE); this.addInIcon(eTemplate, 'sortAscending', '#agSortAsc', column, svgFactory.createArrowUpSvg); this.addInIcon(eTemplate, 'sortDescending', '#agSortDesc', column, svgFactory.createArrowDownSvg); this.addInIcon(eTemplate, 'sortUnSort', '#agNoSort', column, svgFactory.createArrowUpDownSvg); this.addInIcon(eTemplate, 'menu', '#agMenu', column, svgFactory.createMenuSvg); this.addInIcon(eTemplate, 'filter', '#agFilter', column, svgFactory.createFilterSvg); return eTemplate; }; HeaderTemplateLoader.prototype.addInIcon = function (eTemplate, iconName, cssSelector, column, defaultIconFactory) { var eIcon = utils_1.Utils.createIconNoSpan(iconName, this.gridOptionsWrapper, column, defaultIconFactory); eTemplate.querySelector(cssSelector).appendChild(eIcon); }; HeaderTemplateLoader.HEADER_CELL_TEMPLATE = '<div class="ag-header-cell">' + ' <div id="agResizeBar" class="ag-header-cell-resize"></div>' + ' <span id="agMenu" class="ag-header-icon ag-header-cell-menu-button"></span>' + ' <div id="agHeaderCellLabel" class="ag-header-cell-label">' + ' <span id="agSortAsc" class="ag-header-icon ag-sort-ascending-icon"></span>' + ' <span id="agSortDesc" class="ag-header-icon ag-sort-descending-icon"></span>' + ' <span id="agNoSort" class="ag-header-icon ag-sort-none-icon"></span>' + ' <span id="agFilter" class="ag-header-icon ag-filter-icon"></span>' + ' <span id="agText" class="ag-header-cell-text"></span>' + ' </div>' + '</div>'; __decorate([ context_1.Autowired('gridOptionsWrapper'), __metadata('design:type', gridOptionsWrapper_1.GridOptionsWrapper) ], HeaderTemplateLoader.prototype, "gridOptionsWrapper", void 0); HeaderTemplateLoader = __decorate([ context_1.Bean('headerTemplateLoader'), __metadata('design:paramtypes', []) ], HeaderTemplateLoader); return HeaderTemplateLoader; })(); exports.HeaderTemplateLoader = HeaderTemplateLoader; /***/ }, /* 76 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __metadata = (this && this.__metadata) || function (k, v) { if (typeof Reflect === "object" && typeof Reflect.metadata === "function") return Reflect.metadata(k, v); }; var context_1 = __webpack_require__(6); var logger_1 = __webpack_require__(5); var columnController_1 = __webpack_require__(13); var column_1 = __webpack_require__(15); var utils_1 = __webpack_require__(7); var dragAndDropService_1 = __webpack_require__(73); var gridPanel_1 = __webpack_require__(24); var gridOptionsWrapper_1 = __webpack_require__(3); var MoveColumnController = (function () { function MoveColumnController(pinned) { this.needToMoveLeft = false; this.needToMoveRight = false; this.pinned = pinned; this.centerContainer = !utils_1.Utils.exists(pinned); } MoveColumnController.prototype.init = function () { this.logger = this.loggerFactory.create('MoveColumnController'); }; MoveColumnController.prototype.onDragEnter = function (draggingEvent) { // we do dummy drag, so make sure column appears in the right location when first placed var columns = draggingEvent.dragSource.dragItem; this.columnController.setColumnsVisible(columns, true); this.columnController.setColumnsPinned(columns, this.pinned); this.onDragging(draggingEvent, true); }; MoveColumnController.prototype.onDragLeave = function (draggingEvent) { if (!this.gridOptionsWrapper.isSuppressDragLeaveHidesColumns()) { var columns = draggingEvent.dragSource.dragItem; this.columnController.setColumnsVisible(columns, false); } this.ensureIntervalCleared(); }; MoveColumnController.prototype.onDragStop = function () { this.ensureIntervalCleared(); }; MoveColumnController.prototype.adjustXForScroll = function (draggingEvent) { if (this.centerContainer) { return draggingEvent.x + this.gridPanel.getHorizontalScrollPosition(); } else { return draggingEvent.x; } }; MoveColumnController.prototype.workOutNewIndex = function (displayedColumns, allColumns, dragColumn, direction, xAdjustedForScroll) { if (direction === dragAndDropService_1.DragAndDropService.DIRECTION_LEFT) { return this.getNewIndexForColMovingLeft(displayedColumns, allColumns, dragColumn, xAdjustedForScroll); } else { return this.getNewIndexForColMovingRight(displayedColumns, allColumns, dragColumn, xAdjustedForScroll); } }; MoveColumnController.prototype.checkCenterForScrolling = function (xAdjustedForScroll) { if (this.centerContainer) { // scroll if the mouse has gone outside the grid (or just outside the scrollable part if pinning) // putting in 50 buffer, so even if user gets to edge of grid, a scroll will happen var firstVisiblePixel = this.gridPanel.getHorizontalScrollPosition(); var lastVisiblePixel = firstVisiblePixel + this.gridPanel.getCenterWidth(); this.needToMoveLeft = xAdjustedForScroll < (firstVisiblePixel + 50); this.needToMoveRight = xAdjustedForScroll > (lastVisiblePixel - 50); if (this.needToMoveLeft || this.needToMoveRight) { this.ensureIntervalStarted(); } else { this.ensureIntervalCleared(); } } }; MoveColumnController.prototype.onDragging = function (draggingEvent, fromEnter) { if (fromEnter === void 0) { fromEnter = false; } this.lastDraggingEvent = draggingEvent; // if moving up or down (ie not left or right) then do nothing if (!draggingEvent.direction) { return; } var xAdjustedForScroll = this.adjustXForScroll(draggingEvent); // if the user is dragging into the panel, ie coming from the side panel into the main grid, // we don't want to scroll the grid this time, it would appear like the table is jumping // each time a column is dragged in. if (!fromEnter) { this.checkCenterForScrolling(xAdjustedForScroll); } var columnsToMove = draggingEvent.dragSource.dragItem; this.attemptMoveColumns(columnsToMove, draggingEvent.direction, xAdjustedForScroll, fromEnter); }; MoveColumnController.prototype.attemptMoveColumns = function (allMovingColumns, dragDirection, xAdjustedForScroll, fromEnter) { var displayedColumns = this.columnController.getDisplayedColumns(this.pinned); var gridColumns = this.columnController.getAllGridColumns(); var draggingLeft = dragDirection === dragAndDropService_1.DragAndDropService.DIRECTION_LEFT; var draggingRight = dragDirection === dragAndDropService_1.DragAndDropService.DIRECTION_RIGHT; var dragColumn; var displayedMovingColumns = utils_1.Utils.filter(allMovingColumns, function (column) { return displayedColumns.indexOf(column) >= 0; }); // if dragging left, we want to use the left most column, ie move the left most column to // under the mouse pointer if (draggingLeft) { dragColumn = displayedMovingColumns[0]; } else { dragColumn = displayedMovingColumns[displayedMovingColumns.length - 1]; } var newIndex = this.workOutNewIndex(displayedColumns, gridColumns, dragColumn, dragDirection, xAdjustedForScroll); var oldIndex = gridColumns.indexOf(dragColumn); // the two check below stop an error when the user grabs a group my a middle column, then // it is possible the mouse pointer is to the right of a column while been dragged left. // so we need to make sure that the mouse pointer is actually left of the left most column // if moving left, and right of the right most column if moving right // we check 'fromEnter' below so we move the column to the new spot if the mouse is coming from // outside the grid, eg if the column is moving from side panel, mouse is moving left, then we should // place the column to the RHS even if the mouse is moving left and the column is already on // the LHS. otherwise we stick to the rule described above. // only allow left drag if this column is moving left if (!fromEnter && draggingLeft && newIndex >= oldIndex) { return; } // only allow right drag if this column is moving right if (!fromEnter && draggingRight && newIndex <= oldIndex) { return; } // if moving right, the new index is the index of the right most column, so adjust to first column if (draggingRight) { newIndex = newIndex - allMovingColumns.length + 1; } this.columnController.moveColumns(allMovingColumns, newIndex); }; MoveColumnController.prototype.getNewIndexForColMovingLeft = function (displayedColumns, allColumns, dragColumn, x) { var usedX = 0; var leftColumn = null; for (var i = 0; i < displayedColumns.length; i++) { var currentColumn = displayedColumns[i]; if (currentColumn === dragColumn) { continue; } usedX += currentColumn.getActualWidth(); if (usedX > x) { break; } leftColumn = currentColumn; } var newIndex; if (leftColumn) { newIndex = allColumns.indexOf(leftColumn) + 1; var oldIndex = allColumns.indexOf(dragColumn); if (oldIndex < newIndex) { newIndex--; } } else { newIndex = 0; } return newIndex; }; MoveColumnController.prototype.getNewIndexForColMovingRight = function (displayedColumns, allColumns, dragColumnOrGroup, x) { var dragColumn = dragColumnOrGroup; var usedX = dragColumn.getActualWidth(); var leftColumn = null; for (var i = 0; i < displayedColumns.length; i++) { if (usedX > x) { break; } var currentColumn = displayedColumns[i]; if (currentColumn === dragColumn) { continue; } usedX += currentColumn.getActualWidth(); leftColumn = currentColumn; } var newIndex; if (leftColumn) { newIndex = allColumns.indexOf(leftColumn) + 1; var oldIndex = allColumns.indexOf(dragColumn); if (oldIndex < newIndex) { newIndex--; } } else { newIndex = 0; } return newIndex; }; MoveColumnController.prototype.ensureIntervalStarted = function () { if (!this.movingIntervalId) { this.intervalCount = 0; this.failedMoveAttempts = 0; this.movingIntervalId = setInterval(this.moveInterval.bind(this), 100); if (this.needToMoveLeft) { this.dragAndDropService.setGhostIcon(dragAndDropService_1.DragAndDropService.ICON_LEFT, true); } else { this.dragAndDropService.setGhostIcon(dragAndDropService_1.DragAndDropService.ICON_RIGHT, true); } } }; MoveColumnController.prototype.ensureIntervalCleared = function () { if (this.moveInterval) { clearInterval(this.movingIntervalId); this.movingIntervalId = null; this.dragAndDropService.setGhostIcon(dragAndDropService_1.DragAndDropService.ICON_MOVE); } }; MoveColumnController.prototype.moveInterval = function () { var pixelsToMove; this.intervalCount++; pixelsToMove = 10 + (this.intervalCount * 5); if (pixelsToMove > 100) { pixelsToMove = 100; } var pixelsMoved; if (this.needToMoveLeft) { pixelsMoved = this.gridPanel.scrollHorizontally(-pixelsToMove); } else if (this.needToMoveRight) { pixelsMoved = this.gridPanel.scrollHorizontally(pixelsToMove); } if (pixelsMoved !== 0) { this.onDragging(this.lastDraggingEvent); this.failedMoveAttempts = 0; } else { this.failedMoveAttempts++; this.dragAndDropService.setGhostIcon(dragAndDropService_1.DragAndDropService.ICON_PINNED); if (this.failedMoveAttempts > 7) { var columns = this.lastDraggingEvent.dragSource.dragItem; var pinType = this.needToMoveLeft ? column_1.Column.PINNED_LEFT : column_1.Column.PINNED_RIGHT; this.columnController.setColumnsPinned(columns, pinType); this.dragAndDropService.nudge(); } } }; __decorate([ context_1.Autowired('loggerFactory'), __metadata('design:type', logger_1.LoggerFactory) ], MoveColumnController.prototype, "loggerFactory", void 0); __decorate([ context_1.Autowired('columnController'), __metadata('design:type', columnController_1.ColumnController) ], MoveColumnController.prototype, "columnController", void 0); __decorate([ context_1.Autowired('gridPanel'), __metadata('design:type', gridPanel_1.GridPanel) ], MoveColumnController.prototype, "gridPanel", void 0); __decorate([ context_1.Autowired('dragAndDropService'), __metadata('design:type', dragAndDropService_1.DragAndDropService) ], MoveColumnController.prototype, "dragAndDropService", void 0); __decorate([ context_1.Autowired('gridOptionsWrapper'), __metadata('design:type', gridOptionsWrapper_1.GridOptionsWrapper) ], MoveColumnController.prototype, "gridOptionsWrapper", void 0); __decorate([ context_1.PostConstruct, __metadata('design:type', Function), __metadata('design:paramtypes', []), __metadata('design:returntype', void 0) ], MoveColumnController.prototype, "init", null); return MoveColumnController; })(); exports.MoveColumnController = MoveColumnController; /***/ }, /* 77 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __metadata = (this && this.__metadata) || function (k, v) { if (typeof Reflect === "object" && typeof Reflect.metadata === "function") return Reflect.metadata(k, v); }; var __param = (this && this.__param) || function (paramIndex, decorator) { return function (target, key) { decorator(target, key, paramIndex); } }; var utils_1 = __webpack_require__(7); var logger_1 = __webpack_require__(5); var context_1 = __webpack_require__(6); var context_2 = __webpack_require__(6); /** Functionality for internal DnD functionality between GUI widgets. Eg this service is used to drag columns * from the 'available columns' list and putting them into the 'grouped columns' in the tool panel. * This service is NOT used by the column headers for resizing and moving, that is a different use case. */ var OldToolPanelDragAndDropService = (function () { function OldToolPanelDragAndDropService() { this.destroyFunctions = []; } OldToolPanelDragAndDropService.prototype.agWire = function (loggerFactory) { this.logger = loggerFactory.create('OldToolPanelDragAndDropService'); // need to clean this up, add to 'finished' logic in grid var mouseUpListener = this.stopDragging.bind(this); document.addEventListener('mouseup', mouseUpListener); this.destroyFunctions.push(function () { document.removeEventListener('mouseup', mouseUpListener); }); }; OldToolPanelDragAndDropService.prototype.destroy = function () { this.destroyFunctions.forEach(function (func) { return func(); }); document.removeEventListener('mouseup', this.mouseUpEventListener); }; OldToolPanelDragAndDropService.prototype.stopDragging = function () { if (this.dragItem) { this.setDragCssClasses(this.dragItem.eDragSource, false); this.dragItem = null; } }; OldToolPanelDragAndDropService.prototype.setDragCssClasses = function (eListItem, dragging) { utils_1.Utils.addOrRemoveCssClass(eListItem, 'ag-dragging', dragging); utils_1.Utils.addOrRemoveCssClass(eListItem, 'ag-not-dragging', !dragging); }; OldToolPanelDragAndDropService.prototype.addDragSource = function (eDragSource, dragSourceCallback) { this.setDragCssClasses(eDragSource, false); eDragSource.addEventListener('mousedown', this.onMouseDownDragSource.bind(this, eDragSource, dragSourceCallback)); }; OldToolPanelDragAndDropService.prototype.onMouseDownDragSource = function (eDragSource, dragSourceCallback) { if (this.dragItem) { this.stopDragging(); } var data; if (dragSourceCallback.getData) { data = dragSourceCallback.getData(); } var containerId; if (dragSourceCallback.getContainerId) { containerId = dragSourceCallback.getContainerId(); } this.dragItem = { eDragSource: eDragSource, data: data, containerId: containerId }; this.setDragCssClasses(this.dragItem.eDragSource, true); }; OldToolPanelDragAndDropService.prototype.addDropTarget = function (eDropTarget, dropTargetCallback) { var _this = this; var mouseIn = false; var acceptDrag = false; eDropTarget.addEventListener('mouseover', function () { if (!mouseIn) { mouseIn = true; if (_this.dragItem) { acceptDrag = dropTargetCallback.acceptDrag(_this.dragItem); } else { acceptDrag = false; } } }); eDropTarget.addEventListener('mouseout', function () { if (acceptDrag) { dropTargetCallback.noDrop(); } mouseIn = false; acceptDrag = false; }); eDropTarget.addEventListener('mouseup', function () { // dragItem should never be null, checking just in case if (acceptDrag && _this.dragItem) { dropTargetCallback.drop(_this.dragItem); } }); }; __decorate([ __param(0, context_2.Qualifier('loggerFactory')), __metadata('design:type', Function), __metadata('design:paramtypes', [logger_1.LoggerFactory]), __metadata('design:returntype', void 0) ], OldToolPanelDragAndDropService.prototype, "agWire", null); __decorate([ context_1.PreDestroy, __metadata('design:type', Function), __metadata('design:paramtypes', []), __metadata('design:returntype', void 0) ], OldToolPanelDragAndDropService.prototype, "destroy", null); OldToolPanelDragAndDropService = __decorate([ context_1.Bean('oldToolPanelDragAndDropService'), __metadata('design:paramtypes', []) ], OldToolPanelDragAndDropService); return OldToolPanelDragAndDropService; })(); exports.OldToolPanelDragAndDropService = OldToolPanelDragAndDropService; /***/ }, /* 78 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __metadata = (this && this.__metadata) || function (k, v) { if (typeof Reflect === "object" && typeof Reflect.metadata === "function") return Reflect.metadata(k, v); }; var context_1 = __webpack_require__(6); var filterManager_1 = __webpack_require__(43); var utils_1 = __webpack_require__(7); var context_2 = __webpack_require__(6); var popupService_1 = __webpack_require__(44); var gridOptionsWrapper_1 = __webpack_require__(3); var StandardMenuFactory = (function () { function StandardMenuFactory() { } StandardMenuFactory.prototype.showMenuAfterMouseEvent = function (column, mouseEvent) { var _this = this; this.showPopup(column, function (eMenu) { _this.popupService.positionPopupUnderMouseEvent({ mouseEvent: mouseEvent, ePopup: eMenu }); }); }; StandardMenuFactory.prototype.showMenuAfterButtonClick = function (column, eventSource) { var _this = this; this.showPopup(column, function (eMenu) { _this.popupService.positionPopupUnderComponent({ eventSource: eventSource, ePopup: eMenu, keepWithinBounds: true }); }); }; StandardMenuFactory.prototype.showPopup = function (column, positionCallback) { var filterWrapper = this.filterManager.getOrCreateFilterWrapper(column); var eMenu = document.createElement('div'); utils_1.Utils.addCssClass(eMenu, 'ag-menu'); eMenu.appendChild(filterWrapper.gui); // need to show filter before positioning, as only after filter // is visible can we find out what the width of it is var hidePopup = this.popupService.addAsModalPopup(eMenu, true); positionCallback(eMenu); if (filterWrapper.filter.afterGuiAttached) { var params = { hidePopup: hidePopup }; filterWrapper.filter.afterGuiAttached(params); } }; StandardMenuFactory.prototype.isMenuEnabled = function (column) { // for standard, we show menu if filter is enabled, and he menu is not suppressed return this.gridOptionsWrapper.isEnableFilter(); }; __decorate([ context_2.Autowired('filterManager'), __metadata('design:type', filterManager_1.FilterManager) ], StandardMenuFactory.prototype, "filterManager", void 0); __decorate([ context_2.Autowired('popupService'), __metadata('design:type', popupService_1.PopupService) ], StandardMenuFactory.prototype, "popupService", void 0); __decorate([ context_2.Autowired('gridOptionsWrapper'), __metadata('design:type', gridOptionsWrapper_1.GridOptionsWrapper) ], StandardMenuFactory.prototype, "gridOptionsWrapper", void 0); StandardMenuFactory = __decorate([ context_1.Bean('menuFactory'), __metadata('design:paramtypes', []) ], StandardMenuFactory); return StandardMenuFactory; })(); exports.StandardMenuFactory = StandardMenuFactory; /***/ }, /* 79 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __metadata = (this && this.__metadata) || function (k, v) { if (typeof Reflect === "object" && typeof Reflect.metadata === "function") return Reflect.metadata(k, v); }; var context_1 = __webpack_require__(6); var context_2 = __webpack_require__(6); var gridOptionsWrapper_1 = __webpack_require__(3); var filterManager_1 = __webpack_require__(43); var FilterStage = (function () { function FilterStage() { } FilterStage.prototype.execute = function (rowNode) { var filterActive; if (this.gridOptionsWrapper.isEnableServerSideFilter()) { filterActive = false; } else { filterActive = this.filterManager.isAnyFilterPresent(); } this.recursivelyFilter(rowNode, filterActive); }; FilterStage.prototype.recursivelyFilter = function (rowNode, filterActive) { var _this = this; // recursively get all children that are groups to also filter rowNode.childrenAfterGroup.forEach(function (child) { if (child.group) { _this.recursivelyFilter(child, filterActive); } }); // result of filter for this node var filterResult; if (filterActive) { filterResult = []; rowNode.childrenAfterGroup.forEach(function (childNode) { if (childNode.group) { // a group is included in the result if it has any children of it's own. // by this stage, the child groups are already filtered if (childNode.childrenAfterFilter.length > 0) { filterResult.push(childNode); } } else { // a leaf level node is included if it passes the filter if (_this.filterManager.doesRowPassFilter(childNode)) { filterResult.push(childNode); } } }); } else { // if not filtering, the result is the original list filterResult = rowNode.childrenAfterGroup; } rowNode.childrenAfterFilter = filterResult; this.setAllChildrenCount(rowNode); }; FilterStage.prototype.setAllChildrenCount = function (rowNode) { var allChildrenCount = 0; rowNode.childrenAfterFilter.forEach(function (child) { if (child.group) { allChildrenCount += child.allChildrenCount; } else { allChildrenCount++; } }); rowNode.allChildrenCount = allChildrenCount; }; __decorate([ context_2.Autowired('gridOptionsWrapper'), __metadata('design:type', gridOptionsWrapper_1.GridOptionsWrapper) ], FilterStage.prototype, "gridOptionsWrapper", void 0); __decorate([ context_2.Autowired('filterManager'), __metadata('design:type', filterManager_1.FilterManager) ], FilterStage.prototype, "filterManager", void 0); FilterStage = __decorate([ context_1.Bean('filterStage'), __metadata('design:paramtypes', []) ], FilterStage); return FilterStage; })(); exports.FilterStage = FilterStage; /***/ }, /* 80 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __metadata = (this && this.__metadata) || function (k, v) { if (typeof Reflect === "object" && typeof Reflect.metadata === "function") return Reflect.metadata(k, v); }; var context_1 = __webpack_require__(6); var gridOptionsWrapper_1 = __webpack_require__(3); var sortController_1 = __webpack_require__(42); var valueService_1 = __webpack_require__(29); var utils_1 = __webpack_require__(7); var SortStage = (function () { function SortStage() { } SortStage.prototype.execute = function (rowNode) { // var sorting: any; var sortOptions; // if the sorting is already done by the server, then we should not do it here if (!this.gridOptionsWrapper.isEnableServerSideSorting()) { sortOptions = this.sortController.getSortForRowController(); } this.sortRowNode(rowNode, sortOptions); }; SortStage.prototype.sortRowNode = function (rowNode, sortOptions) { var _this = this; // sort any groups recursively rowNode.childrenAfterFilter.forEach(function (child) { if (child.group) { _this.sortRowNode(child, sortOptions); } }); rowNode.childrenAfterSort = rowNode.childrenAfterFilter.slice(0); var sortActive = utils_1.Utils.exists(sortOptions) && sortOptions.length > 0; if (sortActive) { rowNode.childrenAfterSort.sort(this.compareRowNodes.bind(this, sortOptions)); } this.updateChildIndexes(rowNode); }; SortStage.prototype.compareRowNodes = function (sortOptions, nodeA, nodeB) { // Iterate columns, return the first that doesn't match for (var i = 0, len = sortOptions.length; i < len; i++) { var sortOption = sortOptions[i]; // var compared = compare(nodeA, nodeB, sortOption.column, sortOption.inverter === -1); var isInverted = sortOption.inverter === -1; var valueA = this.valueService.getValue(sortOption.column, nodeA); var valueB = this.valueService.getValue(sortOption.column, nodeB); var comparatorResult; if (sortOption.column.getColDef().comparator) { //if comparator provided, use it comparatorResult = sortOption.column.getColDef().comparator(valueA, valueB, nodeA, nodeB, isInverted); } else { //otherwise do our own comparison comparatorResult = utils_1.Utils.defaultComparator(valueA, valueB); } if (comparatorResult !== 0) { return comparatorResult * sortOption.inverter; } } // All matched, these are identical as far as the sort is concerned: return 0; }; SortStage.prototype.updateChildIndexes = function (rowNode) { if (utils_1.Utils.missing(rowNode.childrenAfterSort)) { return; } rowNode.childrenAfterSort.forEach(function (child, index) { child.firstChild = index === 0; child.lastChild = index === rowNode.childrenAfterSort.length - 1; child.childIndex = index; }); }; __decorate([ context_1.Autowired('gridOptionsWrapper'), __metadata('design:type', gridOptionsWrapper_1.GridOptionsWrapper) ], SortStage.prototype, "gridOptionsWrapper", void 0); __decorate([ context_1.Autowired('sortController'), __metadata('design:type', sortController_1.SortController) ], SortStage.prototype, "sortController", void 0); __decorate([ context_1.Autowired('valueService'), __metadata('design:type', valueService_1.ValueService) ], SortStage.prototype, "valueService", void 0); SortStage = __decorate([ context_1.Bean('sortStage'), __metadata('design:paramtypes', []) ], SortStage); return SortStage; })(); exports.SortStage = SortStage; /***/ }, /* 81 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __metadata = (this && this.__metadata) || function (k, v) { if (typeof Reflect === "object" && typeof Reflect.metadata === "function") return Reflect.metadata(k, v); }; var context_1 = __webpack_require__(6); var rowNode_1 = __webpack_require__(27); var utils_1 = __webpack_require__(7); var gridOptionsWrapper_1 = __webpack_require__(3); var selectionController_1 = __webpack_require__(28); var eventService_1 = __webpack_require__(4); var columnController_1 = __webpack_require__(13); var FlattenStage = (function () { function FlattenStage() { } FlattenStage.prototype.execute = function (rootNode) { // even if not doing grouping, we do the mapping, as the client might // of passed in data that already has a grouping in it somewhere var result = []; // putting value into a wrapper so it's passed by reference var nextRowTop = { value: 0 }; // if we are reducing, and not grouping, then we want to show the root node, as that // is where the pivot values are var showRootNode = this.columnController.isReduce() && rootNode.leafGroup; var topList = showRootNode ? [rootNode] : rootNode.childrenAfterSort; this.recursivelyAddToRowsToDisplay(topList, result, nextRowTop); return result; }; FlattenStage.prototype.recursivelyAddToRowsToDisplay = function (rowsToFlatten, result, nextRowTop) { if (utils_1.Utils.missingOrEmpty(rowsToFlatten)) { return; } var groupSuppressRow = this.gridOptionsWrapper.isGroupSuppressRow(); for (var i = 0; i < rowsToFlatten.length; i++) { var rowNode = rowsToFlatten[i]; var skipGroupNode = groupSuppressRow && rowNode.group; if (!skipGroupNode) { this.addRowNodeToRowsToDisplay(rowNode, result, nextRowTop); } if (rowNode.group && rowNode.expanded) { this.recursivelyAddToRowsToDisplay(rowNode.childrenAfterSort, result, nextRowTop); // put a footer in if user is looking for it if (this.gridOptionsWrapper.isGroupIncludeFooter()) { var footerNode = this.createFooterNode(rowNode); this.addRowNodeToRowsToDisplay(footerNode, result, nextRowTop); } } } }; // duplicated method, it's also in floatingRowModel FlattenStage.prototype.addRowNodeToRowsToDisplay = function (rowNode, result, nextRowTop) { result.push(rowNode); rowNode.rowHeight = this.gridOptionsWrapper.getRowHeightForNode(rowNode); rowNode.rowTop = nextRowTop.value; nextRowTop.value += rowNode.rowHeight; }; FlattenStage.prototype.createFooterNode = function (groupNode) { var footerNode = new rowNode_1.RowNode(); this.context.wireBean(footerNode); Object.keys(groupNode).forEach(function (key) { footerNode[key] = groupNode[key]; }); footerNode.footer = true; // get both header and footer to reference each other as siblings. this is never undone, // only overwritten. so if a group is expanded, then contracted, it will have a ghost // sibling - but that's fine, as we can ignore this if the header is contracted. footerNode.sibling = groupNode; groupNode.sibling = footerNode; return footerNode; }; __decorate([ context_1.Autowired('gridOptionsWrapper'), __metadata('design:type', gridOptionsWrapper_1.GridOptionsWrapper) ], FlattenStage.prototype, "gridOptionsWrapper", void 0); __decorate([ context_1.Autowired('selectionController'), __metadata('design:type', selectionController_1.SelectionController) ], FlattenStage.prototype, "selectionController", void 0); __decorate([ context_1.Autowired('eventService'), __metadata('design:type', eventService_1.EventService) ], FlattenStage.prototype, "eventService", void 0); __decorate([ context_1.Autowired('context'), __metadata('design:type', context_1.Context) ], FlattenStage.prototype, "context", void 0); __decorate([ context_1.Autowired('columnController'), __metadata('design:type', columnController_1.ColumnController) ], FlattenStage.prototype, "columnController", void 0); FlattenStage = __decorate([ context_1.Bean('flattenStage'), __metadata('design:paramtypes', []) ], FlattenStage); return FlattenStage; })(); exports.FlattenStage = FlattenStage; /***/ }, /* 82 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __metadata = (this && this.__metadata) || function (k, v) { if (typeof Reflect === "object" && typeof Reflect.metadata === "function") return Reflect.metadata(k, v); }; var utils_1 = __webpack_require__(7); var gridOptionsWrapper_1 = __webpack_require__(3); var rowNode_1 = __webpack_require__(27); var context_1 = __webpack_require__(6); var eventService_1 = __webpack_require__(4); var selectionController_1 = __webpack_require__(28); var events_1 = __webpack_require__(10); var sortController_1 = __webpack_require__(42); var filterManager_1 = __webpack_require__(43); var constants_1 = __webpack_require__(8); /* * This row controller is used for infinite scrolling only. For normal 'in memory' table, * or standard pagination, the inMemoryRowController is used. */ var logging = false; var VirtualPageRowModel = (function () { function VirtualPageRowModel() { this.datasourceVersion = 0; } VirtualPageRowModel.prototype.init = function () { var _this = this; this.rowHeight = this.gridOptionsWrapper.getRowHeightAsNumber(); var virtualEnabled = this.gridOptionsWrapper.isRowModelVirtual(); this.eventService.addEventListener(events_1.Events.EVENT_FILTER_CHANGED, function () { if (virtualEnabled && _this.gridOptionsWrapper.isEnableServerSideFilter()) { _this.reset(); } }); this.eventService.addEventListener(events_1.Events.EVENT_SORT_CHANGED, function () { if (virtualEnabled && _this.gridOptionsWrapper.isEnableServerSideSorting()) { _this.reset(); } }); if (virtualEnabled && this.gridOptionsWrapper.getDatasource()) { this.setDatasource(this.gridOptionsWrapper.getDatasource()); } }; VirtualPageRowModel.prototype.getType = function () { return constants_1.Constants.ROW_MODEL_TYPE_VIRTUAL; }; VirtualPageRowModel.prototype.setDatasource = function (datasource) { this.datasource = datasource; if (!datasource) { // only continue if we have a valid datasource to working with return; } this.reset(); }; VirtualPageRowModel.prototype.isEmpty = function () { return !this.datasource; }; VirtualPageRowModel.prototype.isRowsToRender = function () { return utils_1.Utils.exists(this.datasource); }; VirtualPageRowModel.prototype.reset = function () { // important to return here, as the user could be setting filter or sort before // data-source is set if (utils_1.Utils.missing(this.datasource)) { return; } this.selectionController.reset(); // see if datasource knows how many rows there are if (typeof this.datasource.rowCount === 'number' && this.datasource.rowCount >= 0) { this.virtualRowCount = this.datasource.rowCount; this.foundMaxRow = true; } else { this.virtualRowCount = 0; this.foundMaxRow = false; } // in case any daemon requests coming from datasource, we know it ignore them this.datasourceVersion++; // map of page numbers to rows in that page this.pageCache = {}; this.pageCacheSize = 0; // if a number is in this array, it means we are pending a load from it this.pageLoadsInProgress = []; this.pageLoadsQueued = []; this.pageAccessTimes = {}; // keeps a record of when each page was last viewed, used for LRU cache this.accessTime = 0; // rather than using the clock, we use this counter // the number of concurrent loads we are allowed to the server if (typeof this.datasource.maxConcurrentRequests === 'number' && this.datasource.maxConcurrentRequests > 0) { this.maxConcurrentDatasourceRequests = this.datasource.maxConcurrentRequests; } else { this.maxConcurrentDatasourceRequests = 2; } // the number of pages to keep in browser cache if (typeof this.datasource.maxPagesInCache === 'number' && this.datasource.maxPagesInCache > 0) { this.maxPagesInCache = this.datasource.maxPagesInCache; } else { // null is default, means don't have any max size on the cache this.maxPagesInCache = null; } this.pageSize = this.datasource.pageSize; // take a copy of page size, we don't want it changing this.overflowSize = this.datasource.overflowSize; // take a copy of page size, we don't want it changing this.doLoadOrQueue(0); this.rowRenderer.refreshView(); }; VirtualPageRowModel.prototype.createNodesFromRows = function (pageNumber, rows) { var nodes = []; if (rows) { for (var i = 0, j = rows.length; i < j; i++) { var virtualRowIndex = (pageNumber * this.pageSize) + i; var node = this.createNode(rows[i], virtualRowIndex, true); nodes.push(node); } } return nodes; }; VirtualPageRowModel.prototype.createNode = function (data, virtualRowIndex, realNode) { var rowHeight = this.rowHeight; var top = rowHeight * virtualRowIndex; var rowNode; if (realNode) { // if a real node, then always create a new one rowNode = new rowNode_1.RowNode(); this.context.wireBean(rowNode); rowNode.id = virtualRowIndex; rowNode.data = data; // and see if the previous one was selected, and if yes, swap it out this.selectionController.syncInRowNode(rowNode); } else { // if creating a proxy node, see if there is a copy in selected memory that we can use var rowNode = this.selectionController.getNodeForIdIfSelected(virtualRowIndex); if (!rowNode) { rowNode = new rowNode_1.RowNode(); this.context.wireBean(rowNode); rowNode.id = virtualRowIndex; rowNode.data = data; } } rowNode.rowTop = top; rowNode.rowHeight = rowHeight; return rowNode; }; VirtualPageRowModel.prototype.removeFromLoading = function (pageNumber) { var index = this.pageLoadsInProgress.indexOf(pageNumber); this.pageLoadsInProgress.splice(index, 1); }; VirtualPageRowModel.prototype.pageLoadFailed = function (pageNumber) { this.removeFromLoading(pageNumber); this.checkQueueForNextLoad(); }; VirtualPageRowModel.prototype.pageLoaded = function (pageNumber, rows, lastRow) { this.putPageIntoCacheAndPurge(pageNumber, rows); this.checkMaxRowAndInformRowRenderer(pageNumber, lastRow); this.removeFromLoading(pageNumber); this.checkQueueForNextLoad(); }; VirtualPageRowModel.prototype.putPageIntoCacheAndPurge = function (pageNumber, rows) { this.pageCache[pageNumber] = this.createNodesFromRows(pageNumber, rows); this.pageCacheSize++; if (logging) { console.log('adding page ' + pageNumber); } var needToPurge = this.maxPagesInCache && this.maxPagesInCache < this.pageCacheSize; if (needToPurge) { // find the LRU page var youngestPageIndex = this.findLeastRecentlyAccessedPage(Object.keys(this.pageCache)); if (logging) { console.log('purging page ' + youngestPageIndex + ' from cache ' + Object.keys(this.pageCache)); } delete this.pageCache[youngestPageIndex]; this.pageCacheSize--; } }; VirtualPageRowModel.prototype.checkMaxRowAndInformRowRenderer = function (pageNumber, lastRow) { if (!this.foundMaxRow) { // if we know the last row, use if if (typeof lastRow === 'number' && lastRow >= 0) { this.virtualRowCount = lastRow; this.foundMaxRow = true; } else { // otherwise, see if we need to add some virtual rows var thisPagePlusBuffer = ((pageNumber + 1) * this.pageSize) + this.overflowSize; if (this.virtualRowCount < thisPagePlusBuffer) { this.virtualRowCount = thisPagePlusBuffer; } } // if rowCount changes, refreshView, otherwise just refreshAllVirtualRows this.rowRenderer.refreshView(); } else { this.rowRenderer.refreshAllVirtualRows(); } }; VirtualPageRowModel.prototype.isPageAlreadyLoading = function (pageNumber) { var result = this.pageLoadsInProgress.indexOf(pageNumber) >= 0 || this.pageLoadsQueued.indexOf(pageNumber) >= 0; return result; }; VirtualPageRowModel.prototype.doLoadOrQueue = function (pageNumber) { // if we already tried to load this page, then ignore the request, // otherwise server would be hit 50 times just to display one page, the // first row to find the page missing is enough. if (this.isPageAlreadyLoading(pageNumber)) { return; } // try the page load - if not already doing a load, then we can go ahead if (this.pageLoadsInProgress.length < this.maxConcurrentDatasourceRequests) { // go ahead, load the page this.loadPage(pageNumber); } else { // otherwise, queue the request this.addToQueueAndPurgeQueue(pageNumber); } }; VirtualPageRowModel.prototype.addToQueueAndPurgeQueue = function (pageNumber) { if (logging) { console.log('queueing ' + pageNumber + ' - ' + this.pageLoadsQueued); } this.pageLoadsQueued.push(pageNumber); // see if there are more pages queued that are actually in our cache, if so there is // no point in loading them all as some will be purged as soon as loaded var needToPurge = this.maxPagesInCache && this.maxPagesInCache < this.pageLoadsQueued.length; if (needToPurge) { // find the LRU page var youngestPageIndex = this.findLeastRecentlyAccessedPage(this.pageLoadsQueued); if (logging) { console.log('de-queueing ' + pageNumber + ' - ' + this.pageLoadsQueued); } var indexToRemove = this.pageLoadsQueued.indexOf(youngestPageIndex); this.pageLoadsQueued.splice(indexToRemove, 1); } }; VirtualPageRowModel.prototype.findLeastRecentlyAccessedPage = function (pageIndexes) { var youngestPageIndex = -1; var youngestPageAccessTime = Number.MAX_VALUE; var that = this; pageIndexes.forEach(function (pageIndex) { var accessTimeThisPage = that.pageAccessTimes[pageIndex]; if (accessTimeThisPage < youngestPageAccessTime) { youngestPageAccessTime = accessTimeThisPage; youngestPageIndex = pageIndex; } }); return youngestPageIndex; }; VirtualPageRowModel.prototype.checkQueueForNextLoad = function () { if (this.pageLoadsQueued.length > 0) { // take from the front of the queue var pageToLoad = this.pageLoadsQueued[0]; this.pageLoadsQueued.splice(0, 1); if (logging) { console.log('dequeueing ' + pageToLoad + ' - ' + this.pageLoadsQueued); } this.loadPage(pageToLoad); } }; VirtualPageRowModel.prototype.loadPage = function (pageNumber) { this.pageLoadsInProgress.push(pageNumber); var startRow = pageNumber * this.pageSize; var endRow = (pageNumber + 1) * this.pageSize; var that = this; var datasourceVersionCopy = this.datasourceVersion; var sortModel; if (this.gridOptionsWrapper.isEnableServerSideSorting()) { sortModel = this.sortController.getSortModel(); } var filterModel; if (this.gridOptionsWrapper.isEnableServerSideFilter()) { filterModel = this.filterManager.getFilterModel(); } var params = { startRow: startRow, endRow: endRow, successCallback: successCallback, failCallback: failCallback, sortModel: sortModel, filterModel: filterModel, context: this.gridOptionsWrapper.getContext() }; // check if old version of datasource used var getRowsParams = utils_1.Utils.getFunctionParameters(this.datasource.getRows); if (getRowsParams.length > 1) { console.warn('ag-grid: It looks like your paging datasource is of the old type, taking more than one parameter.'); console.warn('ag-grid: From ag-grid 1.9.0, now the getRows takes one parameter. See the documentation for details.'); } this.datasource.getRows(params); function successCallback(rows, lastRowIndex) { if (that.requestIsDaemon(datasourceVersionCopy)) { return; } that.pageLoaded(pageNumber, rows, lastRowIndex); } function failCallback() { if (that.requestIsDaemon(datasourceVersionCopy)) { return; } that.pageLoadFailed(pageNumber); } }; VirtualPageRowModel.prototype.expandOrCollapseAll = function (expand) { console.warn('ag-Grid: can not expand or collapse all when doing virtual pagination'); }; // check that the datasource has not changed since the lats time we did a request VirtualPageRowModel.prototype.requestIsDaemon = function (datasourceVersionCopy) { return this.datasourceVersion !== datasourceVersionCopy; }; VirtualPageRowModel.prototype.getRow = function (rowIndex) { if (rowIndex > this.virtualRowCount) { return null; } var pageNumber = Math.floor(rowIndex / this.pageSize); var page = this.pageCache[pageNumber]; // for LRU cache, track when this page was last hit this.pageAccessTimes[pageNumber] = this.accessTime++; if (!page) { this.doLoadOrQueue(pageNumber); // return back an empty row, so table can at least render empty cells var dummyNode = this.createNode(null, rowIndex, false); return dummyNode; } else { var indexInThisPage = rowIndex % this.pageSize; return page[indexInThisPage]; } }; VirtualPageRowModel.prototype.forEachNode = function (callback) { var pageKeys = Object.keys(this.pageCache); for (var i = 0; i < pageKeys.length; i++) { var pageKey = pageKeys[i]; var page = this.pageCache[pageKey]; for (var j = 0; j < page.length; j++) { var node = page[j]; callback(node); } } }; VirtualPageRowModel.prototype.getRowCombinedHeight = function () { return this.virtualRowCount * this.rowHeight; }; VirtualPageRowModel.prototype.getRowIndexAtPixel = function (pixel) { if (this.rowHeight !== 0) { return Math.floor(pixel / this.rowHeight); } else { return 0; } }; VirtualPageRowModel.prototype.getRowCount = function () { return this.virtualRowCount; }; VirtualPageRowModel.prototype.setRowData = function (rows, refresh, firstId) { console.warn('setRowData - does not work with virtual pagination'); }; VirtualPageRowModel.prototype.forEachNodeAfterFilter = function (callback) { console.warn('forEachNodeAfterFilter - does not work with virtual pagination'); }; VirtualPageRowModel.prototype.forEachNodeAfterFilterAndSort = function (callback) { console.warn('forEachNodeAfterFilter - does not work with virtual pagination'); }; VirtualPageRowModel.prototype.refreshModel = function () { console.warn('forEachNodeAfterFilter - does not work with virtual pagination'); }; VirtualPageRowModel.prototype.getTopLevelNodes = function () { console.warn('getTopLevelNodes - does not work with virtual pagination'); return null; }; __decorate([ context_1.Autowired('rowRenderer'), __metadata('design:type', Object) ], VirtualPageRowModel.prototype, "rowRenderer", void 0); __decorate([ context_1.Autowired('gridOptionsWrapper'), __metadata('design:type', gridOptionsWrapper_1.GridOptionsWrapper) ], VirtualPageRowModel.prototype, "gridOptionsWrapper", void 0); __decorate([ context_1.Autowired('filterManager'), __metadata('design:type', filterManager_1.FilterManager) ], VirtualPageRowModel.prototype, "filterManager", void 0); __decorate([ context_1.Autowired('sortController'), __metadata('design:type', sortController_1.SortController) ], VirtualPageRowModel.prototype, "sortController", void 0); __decorate([ context_1.Autowired('selectionController'), __metadata('design:type', selectionController_1.SelectionController) ], VirtualPageRowModel.prototype, "selectionController", void 0); __decorate([ context_1.Autowired('eventService'), __metadata('design:type', eventService_1.EventService) ], VirtualPageRowModel.prototype, "eventService", void 0); __decorate([ context_1.Autowired('context'), __metadata('design:type', context_1.Context) ], VirtualPageRowModel.prototype, "context", void 0); __decorate([ context_1.PostConstruct, __metadata('design:type', Function), __metadata('design:paramtypes', []), __metadata('design:returntype', void 0) ], VirtualPageRowModel.prototype, "init", null); VirtualPageRowModel = __decorate([ context_1.Bean('rowModel'), __metadata('design:paramtypes', []) ], VirtualPageRowModel); return VirtualPageRowModel; })(); exports.VirtualPageRowModel = VirtualPageRowModel; /***/ }, /* 83 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __metadata = (this && this.__metadata) || function (k, v) { if (typeof Reflect === "object" && typeof Reflect.metadata === "function") return Reflect.metadata(k, v); }; var utils_1 = __webpack_require__(7); var constants_1 = __webpack_require__(8); var gridOptionsWrapper_1 = __webpack_require__(3); var columnController_1 = __webpack_require__(13); var filterManager_1 = __webpack_require__(43); var rowNode_1 = __webpack_require__(27); var eventService_1 = __webpack_require__(4); var events_1 = __webpack_require__(10); var context_1 = __webpack_require__(6); var selectionController_1 = __webpack_require__(28); var pivotService_1 = __webpack_require__(67); var RecursionType; (function (RecursionType) { RecursionType[RecursionType["Normal"] = 0] = "Normal"; RecursionType[RecursionType["AfterFilter"] = 1] = "AfterFilter"; RecursionType[RecursionType["AfterFilterAndSort"] = 2] = "AfterFilterAndSort"; })(RecursionType || (RecursionType = {})); ; var InMemoryRowModel = (function () { function InMemoryRowModel() { } InMemoryRowModel.prototype.init = function () { this.eventService.addModalPriorityEventListener(events_1.Events.EVENT_COLUMN_EVERYTHING_CHANGED, this.refreshModel.bind(this, constants_1.Constants.STEP_EVERYTHING)); this.eventService.addModalPriorityEventListener(events_1.Events.EVENT_COLUMN_ROW_GROUP_CHANGED, this.refreshModel.bind(this, constants_1.Constants.STEP_EVERYTHING)); this.eventService.addModalPriorityEventListener(events_1.Events.EVENT_COLUMN_VALUE_CHANGED, this.refreshModel.bind(this, constants_1.Constants.STEP_AGGREGATE)); this.eventService.addModalPriorityEventListener(events_1.Events.EVENT_COLUMN_PIVOT_CHANGED, this.refreshModel.bind(this, constants_1.Constants.STEP_PIVOT)); this.eventService.addModalPriorityEventListener(events_1.Events.EVENT_FILTER_CHANGED, this.refreshModel.bind(this, constants_1.Constants.STEP_FILTER)); this.eventService.addModalPriorityEventListener(events_1.Events.EVENT_SORT_CHANGED, this.refreshModel.bind(this, constants_1.Constants.STEP_SORT)); this.rootNode = new rowNode_1.RowNode(); this.rootNode.group = true; this.rootNode.allLeafChildren = []; this.context.wireBean(this.rootNode); if (this.gridOptionsWrapper.isRowModelDefault()) { this.setRowData(this.gridOptionsWrapper.getRowData(), this.columnController.isReady()); } }; InMemoryRowModel.prototype.getType = function () { return constants_1.Constants.ROW_MODEL_TYPE_NORMAL; }; InMemoryRowModel.prototype.refreshModel = function (step, fromIndex, groupState) { // this goes through the pipeline of stages. what's in my head is similar // to the diagram on this page: // http://commons.apache.org/sandbox/commons-pipeline/pipeline_basics.html // however we want to keep the results of each stage, hence we manually call // each step rather than have them chain each other. var _this = this; // fallthrough in below switch is on purpose, // eg if STEP_FILTER, then all steps below this // step get done // var start: number; // console.log('======= start ======='); switch (step) { case constants_1.Constants.STEP_EVERYTHING: // start = new Date().getTime(); this.doRowGrouping(groupState); // console.log('rowGrouping = ' + (new Date().getTime() - start)); case constants_1.Constants.STEP_FILTER: // start = new Date().getTime(); this.doFilter(); // console.log('filter = ' + (new Date().getTime() - start)); // case constants.STEP_PIVOT: // this.doPivot(); case constants_1.Constants.STEP_AGGREGATE: // start = new Date().getTime(); this.doAggregate(); // console.log('aggregation = ' + (new Date().getTime() - start)); case constants_1.Constants.STEP_SORT: // start = new Date().getTime(); this.doSort(); // console.log('sort = ' + (new Date().getTime() - start)); case constants_1.Constants.STEP_MAP: // start = new Date().getTime(); this.doRowsToDisplay(); } this.eventService.dispatchEvent(events_1.Events.EVENT_MODEL_UPDATED, { fromIndex: fromIndex }); if (this.$scope) { setTimeout(function () { _this.$scope.$apply(); }, 0); } }; InMemoryRowModel.prototype.isEmpty = function () { return utils_1.Utils.missing(this.rootNode) || utils_1.Utils.missing(this.rootNode.allLeafChildren) || this.rootNode.allLeafChildren.length === 0 || !this.columnController.isReady(); }; InMemoryRowModel.prototype.isRowsToRender = function () { return utils_1.Utils.exists(this.rowsToDisplay) && this.rowsToDisplay.length > 0; }; InMemoryRowModel.prototype.setDatasource = function (datasource) { console.error('ag-Grid: should never call setDatasource on inMemoryRowController'); }; InMemoryRowModel.prototype.getTopLevelNodes = function () { return this.rootNode ? this.rootNode.childrenAfterGroup : null; }; InMemoryRowModel.prototype.getRow = function (index) { return this.rowsToDisplay[index]; }; InMemoryRowModel.prototype.getVirtualRowCount = function () { console.warn('ag-Grid: rowModel.getVirtualRowCount() is not longer a function, use rowModel.getRowCount() instead'); return this.getRowCount(); }; InMemoryRowModel.prototype.getRowCount = function () { if (this.rowsToDisplay) { return this.rowsToDisplay.length; } else { return 0; } }; InMemoryRowModel.prototype.getRowIndexAtPixel = function (pixelToMatch) { if (this.isEmpty()) { return -1; } // do binary search of tree // http://oli.me.uk/2013/06/08/searching-javascript-arrays-with-a-binary-search/ var bottomPointer = 0; var topPointer = this.rowsToDisplay.length - 1; // quick check, if the pixel is out of bounds, then return last row if (pixelToMatch <= 0) { // if pixel is less than or equal zero, it's always the first row return 0; } var lastNode = this.rowsToDisplay[this.rowsToDisplay.length - 1]; if (lastNode.rowTop <= pixelToMatch) { return this.rowsToDisplay.length - 1; } while (true) { var midPointer = Math.floor((bottomPointer + topPointer) / 2); var currentRowNode = this.rowsToDisplay[midPointer]; if (this.isRowInPixel(currentRowNode, pixelToMatch)) { return midPointer; } else if (currentRowNode.rowTop < pixelToMatch) { bottomPointer = midPointer + 1; } else if (currentRowNode.rowTop > pixelToMatch) { topPointer = midPointer - 1; } } }; InMemoryRowModel.prototype.isRowInPixel = function (rowNode, pixelToMatch) { var topPixel = rowNode.rowTop; var bottomPixel = rowNode.rowTop + rowNode.rowHeight; var pixelInRow = topPixel <= pixelToMatch && bottomPixel > pixelToMatch; return pixelInRow; }; InMemoryRowModel.prototype.getRowCombinedHeight = function () { if (this.rowsToDisplay && this.rowsToDisplay.length > 0) { var lastRow = this.rowsToDisplay[this.rowsToDisplay.length - 1]; var lastPixel = lastRow.rowTop + lastRow.rowHeight; return lastPixel; } else { return 0; } }; InMemoryRowModel.prototype.forEachLeafNode = function (callback) { if (this.rootNode.allLeafChildren) { this.rootNode.allLeafChildren.forEach(function (rowNode, index) { return callback(rowNode, index); }); } }; InMemoryRowModel.prototype.forEachNode = function (callback) { this.recursivelyWalkNodesAndCallback(this.rootNode.childrenAfterGroup, callback, RecursionType.Normal, 0); }; InMemoryRowModel.prototype.forEachNodeAfterFilter = function (callback) { this.recursivelyWalkNodesAndCallback(this.rootNode.childrenAfterFilter, callback, RecursionType.AfterFilter, 0); }; InMemoryRowModel.prototype.forEachNodeAfterFilterAndSort = function (callback) { this.recursivelyWalkNodesAndCallback(this.rootNode.childrenAfterSort, callback, RecursionType.AfterFilterAndSort, 0); }; // iterates through each item in memory, and calls the callback function // nodes - the rowNodes to traverse // callback - the user provided callback // recursion type - need this to know what child nodes to recurse, eg if looking at all nodes, or filtered notes etc // index - works similar to the index in forEach in javascripts array function InMemoryRowModel.prototype.recursivelyWalkNodesAndCallback = function (nodes, callback, recursionType, index) { if (nodes) { for (var i = 0; i < nodes.length; i++) { var node = nodes[i]; callback(node, index++); // go to the next level if it is a group if (node.group) { // depending on the recursion type, we pick a difference set of children var nodeChildren; switch (recursionType) { case RecursionType.Normal: nodeChildren = node.childrenAfterGroup; break; case RecursionType.AfterFilter: nodeChildren = node.childrenAfterFilter; break; case RecursionType.AfterFilterAndSort: nodeChildren = node.childrenAfterSort; break; } if (nodeChildren) { index = this.recursivelyWalkNodesAndCallback(nodeChildren, callback, recursionType, index); } } } } return index; }; // it's possible to recompute the aggregate without doing the other parts // + gridApi.recomputeAggregates() InMemoryRowModel.prototype.doAggregate = function () { if (this.aggregationStage) { this.aggregationStage.execute(this.rootNode); } }; // + gridApi.expandAll() // + gridApi.collapseAll() InMemoryRowModel.prototype.expandOrCollapseAll = function (expand) { if (this.rootNode) { recursiveExpandOrCollapse(this.rootNode.childrenAfterGroup); } function recursiveExpandOrCollapse(rowNodes) { if (!rowNodes) { return; } rowNodes.forEach(function (rowNode) { if (rowNode.group) { rowNode.expanded = expand; recursiveExpandOrCollapse(rowNode.childrenAfterGroup); } }); } this.refreshModel(constants_1.Constants.STEP_MAP); }; InMemoryRowModel.prototype.doSort = function () { this.sortStage.execute(this.rootNode); }; InMemoryRowModel.prototype.doRowGrouping = function (groupState) { // grouping is enterprise only, so if service missing, skip the step var rowsAlreadyGrouped = utils_1.Utils.exists(this.gridOptionsWrapper.getNodeChildDetailsFunc()); if (rowsAlreadyGrouped) { return; } if (this.groupStage) { // remove old groups from the selection model, as we are about to replace them // with new groups this.selectionController.removeGroupsFromSelection(); this.groupStage.execute(this.rootNode); this.restoreGroupState(groupState); if (this.gridOptionsWrapper.isGroupSelectsChildren()) { this.selectionController.updateGroupsFromChildrenSelections(); } } else { this.rootNode.childrenAfterGroup = this.rootNode.allLeafChildren; } }; InMemoryRowModel.prototype.restoreGroupState = function (groupState) { if (!groupState) { return; } utils_1.Utils.traverseNodesWithKey(this.rootNode.childrenAfterGroup, function (node, key) { // if the group was open last time, then open it this time. however // if was not open last time, then don't touch the group, so the 'groupDefaultExpanded' // setting will take effect. if (typeof groupState[key] === 'boolean') { node.expanded = groupState[key]; } }); }; InMemoryRowModel.prototype.doFilter = function () { this.filterStage.execute(this.rootNode); }; InMemoryRowModel.prototype.doPivot = function () { this.pivotService.execute(this.rootNode); // fire event here??? // pivotService.createPivotColumns() // do pivot - create pivot columns? }; // rows: the rows to put into the model // firstId: the first id to use, used for paging, where we are not on the first page InMemoryRowModel.prototype.setRowData = function (rowData, refresh, firstId) { // remember group state, so we can expand groups that should be expanded var groupState = this.getGroupState(); // place each row into a wrapper this.createRowNodesFromData(rowData, firstId); // this event kicks off: // - clears selection // - updates filters // - shows 'no rows' overlay if needed this.eventService.dispatchEvent(events_1.Events.EVENT_ROW_DATA_CHANGED); if (refresh) { this.refreshModel(constants_1.Constants.STEP_EVERYTHING, null, groupState); } }; InMemoryRowModel.prototype.getGroupState = function () { if (!this.rootNode.childrenAfterGroup || !this.gridOptionsWrapper.isRememberGroupStateWhenNewData()) { return null; } var result = {}; utils_1.Utils.traverseNodesWithKey(this.rootNode.childrenAfterGroup, function (node, key) { return result[key] = node.expanded; }); return result; }; InMemoryRowModel.prototype.createRowNodesFromData = function (rowData, firstId) { this.rootNode.childrenAfterFilter = null; this.rootNode.childrenAfterGroup = null; this.rootNode.childrenAfterSort = null; this.rootNode.childrenMapped = null; var context = this.context; if (!rowData) { this.rootNode.allLeafChildren = []; return; } var rowNodeId = utils_1.Utils.exists(firstId) ? firstId : 0; // func below doesn't have 'this' pointer, so need to pull out these bits var nodeChildDetailsFunc = this.gridOptionsWrapper.getNodeChildDetailsFunc(); var suppressParentsInRowNodes = this.gridOptionsWrapper.isSuppressParentsInRowNodes(); var rowsAlreadyGrouped = utils_1.Utils.exists(nodeChildDetailsFunc); // kick off recursion var result = recursiveFunction(rowData, null, 0); if (rowsAlreadyGrouped) { this.rootNode.childrenAfterGroup = result; setLeafChildren(this.rootNode); } else { this.rootNode.allLeafChildren = result; } function setLeafChildren(node) { node.allLeafChildren = []; if (node.childrenAfterGroup) { node.childrenAfterGroup.forEach(function (childAfterGroup) { if (childAfterGroup.group) { if (childAfterGroup.allLeafChildren) { childAfterGroup.allLeafChildren.forEach(function (leafChild) { return node.allLeafChildren.push(leafChild); }); } } else { node.allLeafChildren.push(childAfterGroup); } }); } } function recursiveFunction(rowData, parent, level) { var rowNodes = []; rowData.forEach(function (dataItem) { var node = new rowNode_1.RowNode(); context.wireBean(node); var nodeChildDetails = nodeChildDetailsFunc ? nodeChildDetailsFunc(dataItem) : null; if (nodeChildDetails && nodeChildDetails.group) { node.group = true; node.childrenAfterGroup = recursiveFunction(nodeChildDetails.children, node, level + 1); node.expanded = nodeChildDetails.expanded === true; node.field = nodeChildDetails.field; node.key = nodeChildDetails.key; // pull out all the leaf children and add to our node setLeafChildren(node); } if (parent && !suppressParentsInRowNodes) { node.parent = parent; } node.level = level; node.id = rowNodeId++; node.data = dataItem; rowNodes.push(node); }); return rowNodes; } }; InMemoryRowModel.prototype.doRowsToDisplay = function () { // this.rowsToDisplay = this.flattenStage.execute(this.rowsAfterSort); this.rowsToDisplay = this.flattenStage.execute(this.rootNode); }; __decorate([ context_1.Autowired('gridOptionsWrapper'), __metadata('design:type', gridOptionsWrapper_1.GridOptionsWrapper) ], InMemoryRowModel.prototype, "gridOptionsWrapper", void 0); __decorate([ context_1.Autowired('columnController'), __metadata('design:type', columnController_1.ColumnController) ], InMemoryRowModel.prototype, "columnController", void 0); __decorate([ context_1.Autowired('filterManager'), __metadata('design:type', filterManager_1.FilterManager) ], InMemoryRowModel.prototype, "filterManager", void 0); __decorate([ context_1.Autowired('$scope'), __metadata('design:type', Object) ], InMemoryRowModel.prototype, "$scope", void 0); __decorate([ context_1.Autowired('selectionController'), __metadata('design:type', selectionController_1.SelectionController) ], InMemoryRowModel.prototype, "selectionController", void 0); __decorate([ context_1.Autowired('eventService'), __metadata('design:type', eventService_1.EventService) ], InMemoryRowModel.prototype, "eventService", void 0); __decorate([ context_1.Autowired('context'), __metadata('design:type', context_1.Context) ], InMemoryRowModel.prototype, "context", void 0); __decorate([ context_1.Autowired('pivotService'), __metadata('design:type', pivotService_1.PivotService) ], InMemoryRowModel.prototype, "pivotService", void 0); __decorate([ context_1.Autowired('filterStage'), __metadata('design:type', Object) ], InMemoryRowModel.prototype, "filterStage", void 0); __decorate([ context_1.Autowired('sortStage'), __metadata('design:type', Object) ], InMemoryRowModel.prototype, "sortStage", void 0); __decorate([ context_1.Autowired('flattenStage'), __metadata('design:type', Object) ], InMemoryRowModel.prototype, "flattenStage", void 0); __decorate([ context_1.Optional('groupStage'), __metadata('design:type', Object) ], InMemoryRowModel.prototype, "groupStage", void 0); __decorate([ context_1.Optional('aggregationStage'), __metadata('design:type', Object) ], InMemoryRowModel.prototype, "aggregationStage", void 0); __decorate([ // the rows mapped to rows to display context_1.PostConstruct, __metadata('design:type', Function), __metadata('design:paramtypes', []), __metadata('design:returntype', void 0) ], InMemoryRowModel.prototype, "init", null); InMemoryRowModel = __decorate([ context_1.Bean('rowModel'), __metadata('design:paramtypes', []) ], InMemoryRowModel); return InMemoryRowModel; })(); exports.InMemoryRowModel = InMemoryRowModel; /***/ }, /* 84 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var grid_1 = __webpack_require__(2); function initialiseAgGridWithAngular1(angular) { var angularModule = angular.module("agGrid", []); angularModule.directive("agGrid", function () { return { restrict: "A", controller: ['$element', '$scope', '$compile', '$attrs', AngularDirectiveController], scope: true }; }); } exports.initialiseAgGridWithAngular1 = initialiseAgGridWithAngular1; function AngularDirectiveController($element, $scope, $compile, $attrs) { var gridOptions; var quickFilterOnScope; var keyOfGridInScope = $attrs.agGrid; quickFilterOnScope = keyOfGridInScope + '.quickFilterText'; gridOptions = $scope.$eval(keyOfGridInScope); if (!gridOptions) { console.warn("WARNING - grid options for ag-Grid not found. Please ensure the attribute ag-grid points to a valid object on the scope"); return; } var eGridDiv = $element[0]; var grid = new grid_1.Grid(eGridDiv, gridOptions, null, $scope, $compile, quickFilterOnScope); $scope.$on("$destroy", function () { grid.destroy(); }); } /***/ }, /* 85 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var componentUtil_1 = __webpack_require__(9); var grid_1 = __webpack_require__(2); var registered = false; function initialiseAgGridWithWebComponents() { // only register to WebComponents once if (registered) { return; } registered = true; if (typeof document === 'undefined' || !document.registerElement) { console.error('ag-Grid: unable to find document.registerElement() function, unable to initialise ag-Grid as a Web Component'); } // i don't think this type of extension is possible in TypeScript, so back to // plain Javascript to create this object var AgileGridProto = Object.create(HTMLElement.prototype); // wrap each property with a get and set method, so we can track when changes are done componentUtil_1.ComponentUtil.ALL_PROPERTIES.forEach(function (key) { Object.defineProperty(AgileGridProto, key, { set: function (v) { this.__agGridSetProperty(key, v); }, get: function () { return this.__agGridGetProperty(key); } }); }); AgileGridProto.__agGridSetProperty = function (key, value) { if (!this.__attributes) { this.__attributes = {}; } this.__attributes[key] = value; // keeping this consistent with the ng2 onChange, so I can reuse the handling code var changeObject = {}; changeObject[key] = { currentValue: value }; this.onChange(changeObject); }; AgileGridProto.onChange = function (changes) { if (this._initialised) { componentUtil_1.ComponentUtil.processOnChange(changes, this._gridOptions, this.api); } }; AgileGridProto.__agGridGetProperty = function (key) { if (!this.__attributes) { this.__attributes = {}; } return this.__attributes[key]; }; AgileGridProto.setGridOptions = function (options) { var globalEventListener = this.globalEventListener.bind(this); this._gridOptions = componentUtil_1.ComponentUtil.copyAttributesToGridOptions(options, this); this._agGrid = new grid_1.Grid(this, this._gridOptions, globalEventListener); this.api = options.api; this.columnApi = options.columnApi; this._initialised = true; }; // copies all the attributes into this object AgileGridProto.createdCallback = function () { for (var i = 0; i < this.attributes.length; i++) { var attribute = this.attributes[i]; this.setPropertyFromAttribute(attribute); } }; AgileGridProto.setPropertyFromAttribute = function (attribute) { var name = toCamelCase(attribute.nodeName); var value = attribute.nodeValue; if (componentUtil_1.ComponentUtil.ALL_PROPERTIES.indexOf(name) >= 0) { this[name] = value; } }; AgileGridProto.attachedCallback = function (params) { }; AgileGridProto.detachedCallback = function (params) { }; AgileGridProto.attributeChangedCallback = function (attributeName) { var attribute = this.attributes[attributeName]; this.setPropertyFromAttribute(attribute); }; AgileGridProto.globalEventListener = function (eventType, event) { var eventLowerCase = eventType.toLowerCase(); var browserEvent = new Event(eventLowerCase); var browserEventNoType = browserEvent; browserEventNoType.agGridDetails = event; this.dispatchEvent(browserEvent); var callbackMethod = 'on' + eventLowerCase; if (typeof this[callbackMethod] === 'function') { this[callbackMethod](browserEvent); } }; // finally, register document.registerElement('ag-grid', { prototype: AgileGridProto }); } exports.initialiseAgGridWithWebComponents = initialiseAgGridWithWebComponents; function toCamelCase(myString) { if (typeof myString === 'string') { var result = myString.replace(/-([a-z])/g, function (g) { return g[1].toUpperCase(); }); return result; } else { return myString; } } /***/ }, /* 86 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var utils_1 = __webpack_require__(7); var TabbedLayout = (function () { function TabbedLayout(params) { var _this = this; this.items = []; this.params = params; this.eGui = document.createElement('div'); this.eGui.innerHTML = TabbedLayout.TEMPLATE; this.eHeader = this.eGui.querySelector('#tabHeader'); this.eBody = this.eGui.querySelector('#tabBody'); utils_1.Utils.addCssClass(this.eGui, params.cssClass); if (params.items) { params.items.forEach(function (item) { return _this.addItem(item); }); } } TabbedLayout.prototype.setAfterAttachedParams = function (params) { this.afterAttachedParams = params; }; TabbedLayout.prototype.getMinWidth = function () { var eDummyContainer = document.createElement('span'); // position fixed, so it isn't restricted to the boundaries of the parent eDummyContainer.style.position = 'fixed'; // we put the dummy into the body container, so it will inherit all the // css styles that the real cells are inheriting this.eGui.appendChild(eDummyContainer); var minWidth = 0; this.items.forEach(function (itemWrapper) { utils_1.Utils.removeAllChildren(eDummyContainer); var eClone = itemWrapper.tabbedItem.body.cloneNode(true); eDummyContainer.appendChild(eClone); if (minWidth < eDummyContainer.offsetWidth) { minWidth = eDummyContainer.offsetWidth; } }); this.eGui.removeChild(eDummyContainer); return minWidth; }; TabbedLayout.prototype.showFirstItem = function () { if (this.items.length > 0) { this.showItemWrapper(this.items[0]); } }; TabbedLayout.prototype.addItem = function (item) { var eHeaderButton = document.createElement('span'); eHeaderButton.appendChild(item.title); utils_1.Utils.addCssClass(eHeaderButton, 'ag-tab'); this.eHeader.appendChild(eHeaderButton); var wrapper = { tabbedItem: item, eHeaderButton: eHeaderButton }; this.items.push(wrapper); eHeaderButton.addEventListener('click', this.showItemWrapper.bind(this, wrapper)); }; TabbedLayout.prototype.showItem = function (tabbedItem) { var itemWrapper = utils_1.Utils.find(this.items, function (itemWrapper) { return itemWrapper.tabbedItem === tabbedItem; }); if (itemWrapper) { this.showItemWrapper(itemWrapper); } }; TabbedLayout.prototype.showItemWrapper = function (wrapper) { if (this.params.onItemClicked) { this.params.onItemClicked({ item: wrapper.tabbedItem }); } if (this.activeItem === wrapper) { utils_1.Utils.callIfPresent(this.params.onActiveItemClicked); return; } utils_1.Utils.removeAllChildren(this.eBody); this.eBody.appendChild(wrapper.tabbedItem.body); if (this.activeItem) { utils_1.Utils.removeCssClass(this.activeItem.eHeaderButton, 'ag-tab-selected'); } utils_1.Utils.addCssClass(wrapper.eHeaderButton, 'ag-tab-selected'); this.activeItem = wrapper; if (wrapper.tabbedItem.afterAttachedCallback) { wrapper.tabbedItem.afterAttachedCallback(this.afterAttachedParams); } }; TabbedLayout.prototype.getGui = function () { return this.eGui; }; TabbedLayout.TEMPLATE = '<div>' + '<div id="tabHeader" class="ag-tab-header"></div>' + '<div id="tabBody" class="ag-tab-body"></div>' + '</div>'; return TabbedLayout; })(); exports.TabbedLayout = TabbedLayout; /***/ }, /* 87 */ /***/ function(module, exports) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var VerticalStack = (function () { function VerticalStack() { this.isLayoutPanel = true; this.childPanels = []; this.eGui = document.createElement('div'); this.eGui.style.height = '100%'; } VerticalStack.prototype.addPanel = function (panel, height) { var component; if (panel.isLayoutPanel) { this.childPanels.push(panel); component = panel.getGui(); } else { component = panel; } if (height) { component.style.height = height; } this.eGui.appendChild(component); }; VerticalStack.prototype.getGui = function () { return this.eGui; }; VerticalStack.prototype.doLayout = function () { for (var i = 0; i < this.childPanels.length; i++) { this.childPanels[i].doLayout(); } }; return VerticalStack; })(); exports.VerticalStack = VerticalStack; /***/ }, /* 88 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var __extends = (this && this.__extends) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __metadata = (this && this.__metadata) || function (k, v) { if (typeof Reflect === "object" && typeof Reflect.metadata === "function") return Reflect.metadata(k, v); }; var component_1 = __webpack_require__(47); var context_1 = __webpack_require__(6); var utils_1 = __webpack_require__(7); var popupService_1 = __webpack_require__(44); var menuItemComponent_1 = __webpack_require__(89); var MenuList = (function (_super) { __extends(MenuList, _super); function MenuList() { _super.call(this, MenuList.TEMPLATE); this.timerCount = 0; } MenuList.prototype.clearActiveItem = function () { this.removeActiveItem(); this.removeOldChildPopup(); }; MenuList.prototype.addMenuItems = function (menuItems, defaultMenuItems) { var _this = this; if (utils_1.Utils.missing(menuItems)) { return; } menuItems.forEach(function (listItem) { if (listItem === 'separator') { _this.addSeparator(); } else { var menuItem; if (typeof listItem === 'string') { menuItem = defaultMenuItems[listItem]; } else { menuItem = listItem; } _this.addItem(menuItem); } }); }; MenuList.prototype.addItem = function (params) { var _this = this; var cMenuItem = new menuItemComponent_1.MenuItemComponent(params); this.context.wireBean(cMenuItem); this.getGui().appendChild(cMenuItem.getGui()); cMenuItem.addEventListener(menuItemComponent_1.MenuItemComponent.EVENT_ITEM_SELECTED, function (event) { if (params.childMenu) { _this.showChildMenu(params, cMenuItem); } else { _this.dispatchEvent(menuItemComponent_1.MenuItemComponent.EVENT_ITEM_SELECTED, event); } }); cMenuItem.addGuiEventListener('mouseenter', this.mouseEnterItem.bind(this, params, cMenuItem)); cMenuItem.addGuiEventListener('mouseleave', function () { return _this.timerCount++; }); if (params.childMenu) { this.addDestroyFunc(function () { return params.childMenu.destroy(); }); } }; MenuList.prototype.mouseEnterItem = function (menuItemParams, menuItem) { if (menuItemParams.disabled) { return; } if (this.activeMenuItemParams !== menuItemParams) { this.removeOldChildPopup(); } this.removeActiveItem(); this.activeMenuItemParams = menuItemParams; this.activeMenuItem = menuItem; utils_1.Utils.addCssClass(this.activeMenuItem.getGui(), 'ag-menu-option-active'); if (menuItemParams.childMenu) { this.addHoverForChildPopup(menuItemParams, menuItem); } }; MenuList.prototype.removeActiveItem = function () { if (this.activeMenuItem) { utils_1.Utils.removeCssClass(this.activeMenuItem.getGui(), 'ag-menu-option-active'); this.activeMenuItem = null; this.activeMenuItemParams = null; } }; MenuList.prototype.addHoverForChildPopup = function (menuItemParams, menuItem) { var _this = this; var timerCountCopy = this.timerCount; setTimeout(function () { var shouldShow = timerCountCopy === _this.timerCount; var showingThisMenu = _this.showingChildMenu === menuItemParams.childMenu; if (shouldShow && !showingThisMenu) { _this.showChildMenu(menuItemParams, menuItem); } }, 500); }; MenuList.prototype.showChildMenu = function (menuItemParams, menuItem) { this.removeOldChildPopup(); var ePopup = utils_1.Utils.loadTemplate('<div class="ag-menu"></div>'); ePopup.appendChild(menuItemParams.childMenu.getGui()); this.childPopupRemoveFunc = this.popupService.addAsModalPopup(ePopup, true); this.popupService.positionPopupForMenu({ eventSource: menuItem.getGui(), ePopup: ePopup }); this.showingChildMenu = menuItemParams.childMenu; }; MenuList.prototype.addSeparator = function () { this.getGui().appendChild(utils_1.Utils.loadTemplate(MenuList.SEPARATOR_TEMPLATE)); }; MenuList.prototype.removeOldChildPopup = function () { if (this.childPopupRemoveFunc) { this.showingChildMenu.clearActiveItem(); this.childPopupRemoveFunc(); this.childPopupRemoveFunc = null; this.showingChildMenu = null; } }; MenuList.prototype.destroy = function () { this.removeOldChildPopup(); _super.prototype.destroy.call(this); }; MenuList.TEMPLATE = '<div class="ag-menu-list"></div>'; MenuList.SEPARATOR_TEMPLATE = '<div class="ag-menu-separator">' + ' <span class="ag-menu-separator-cell"></span>' + ' <span class="ag-menu-separator-cell"></span>' + ' <span class="ag-menu-separator-cell"></span>' + ' <span class="ag-menu-separator-cell"></span>' + '</div>'; __decorate([ context_1.Autowired('context'), __metadata('design:type', context_1.Context) ], MenuList.prototype, "context", void 0); __decorate([ context_1.Autowired('popupService'), __metadata('design:type', popupService_1.PopupService) ], MenuList.prototype, "popupService", void 0); return MenuList; })(component_1.Component); exports.MenuList = MenuList; /***/ }, /* 89 */ /***/ function(module, exports, __webpack_require__) { /** * ag-grid - Advanced Data Grid / Data Table supporting Javascript / React / AngularJS / Web Components * @version v4.2.7 * @link http://www.ag-grid.com/ * @license MIT */ var __extends = (this && this.__extends) || function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; }; var __metadata = (this && this.__metadata) || function (k, v) { if (typeof Reflect === "object" && typeof Reflect.metadata === "function") return Reflect.metadata(k, v); }; var component_1 = __webpack_require__(47); var context_1 = __webpack_require__(6); var popupService_1 = __webpack_require__(44); var utils_1 = __webpack_require__(7); var svgFactory_1 = __webpack_require__(59); var svgFactory = svgFactory_1.SvgFactory.getInstance(); var MenuItemComponent = (function (_super) { __extends(MenuItemComponent, _super); function MenuItemComponent(params) { _super.call(this, MenuItemComponent.TEMPLATE); this.params = params; if (params.checked) { this.queryForHtmlElement('#eIcon').innerHTML = '&#10004;'; } else if (params.icon) { if (utils_1.Utils.isNodeOrElement(params.icon)) { this.queryForHtmlElement('#eIcon').appendChild(params.icon); } else if (typeof params.icon === 'string') { this.queryForHtmlElement('#eIcon').innerHTML = params.icon; } else { console.log('ag-Grid: menu item icon must be DOM node or string'); } } else { // if i didn't put space here, the alignment was messed up, probably // fixable with CSS but i was spending to much time trying to figure // it out. this.queryForHtmlElement('#eIcon').innerHTML = '&nbsp;'; } if (params.shortcut) { this.queryForHtmlElement('#eShortcut').innerHTML = params.shortcut; } if (params.childMenu) { this.queryForHtmlElement('#ePopupPointer').appendChild(svgFactory.createSmallArrowRightSvg()); } else { this.queryForHtmlElement('#ePopupPointer').innerHTML = '&nbsp;'; } this.queryForHtmlElement('#eName').innerHTML = params.name; if (params.disabled) { utils_1.Utils.addCssClass(this.getGui(), 'ag-menu-option-disabled'); } else { this.addGuiEventListener('click', this.onOptionSelected.bind(this)); } } MenuItemComponent.prototype.onOptionSelected = function () { this.dispatchEvent(MenuItemComponent.EVENT_ITEM_SELECTED, this.params); if (this.params.action) { this.params.action(); } }; MenuItemComponent.TEMPLATE = '<div class="ag-menu-option">' + ' <span id="eIcon" class="ag-menu-option-icon"></span>' + ' <span id="eName" class="ag-menu-option-text"></span>' + ' <span id="eShortcut" class="ag-menu-option-shortcut"></span>' + ' <span id="ePopupPointer" class="ag-menu-option-popup-pointer"></span>' + '</div>'; MenuItemComponent.EVENT_ITEM_SELECTED = 'itemSelected'; __decorate([ context_1.Autowired('popupService'), __metadata('design:type', popupService_1.PopupService) ], MenuItemComponent.prototype, "popupService", void 0); return MenuItemComponent; })(component_1.Component); exports.MenuItemComponent = MenuItemComponent; /***/ } /******/ ]) }); ;
src/routes.js
dchanko/odcg-calc
import React from 'react'; import { Route, IndexRoute } from 'react-router'; import Calc from './containers/Calc.react'; import About from './containers/About.react'; export default ( <Route path="/"> <IndexRoute component={Calc}/> <Route path="about" component={About}/> </Route> );
app/sites/all/modules/contrib/jquery_update/replace/jquery/1.9/jquery.min.js
DrupalCampWroclaw/website_2015
/*! jQuery v1.9.1 | (c) 2005, 2012 jQuery Foundation, Inc. | jquery.org/license //@ sourceMappingURL=jquery.min.map */(function(e,t){var n,r,i=typeof t,o=e.document,a=e.location,s=e.jQuery,u=e.$,l={},c=[],p="1.9.1",f=c.concat,d=c.push,h=c.slice,g=c.indexOf,m=l.toString,y=l.hasOwnProperty,v=p.trim,b=function(e,t){return new b.fn.init(e,t,r)},x=/[+-]?(?:\d*\.|)\d+(?:[eE][+-]?\d+|)/.source,w=/\S+/g,T=/^[\s\uFEFF\xA0]+|[\s\uFEFF\xA0]+$/g,N=/^(?:(<[\w\W]+>)[^>]*|#([\w-]*))$/,C=/^<(\w+)\s*\/?>(?:<\/\1>|)$/,k=/^[\],:{}\s]*$/,E=/(?:^|:|,)(?:\s*\[)+/g,S=/\\(?:["\\\/bfnrt]|u[\da-fA-F]{4})/g,A=/"[^"\\\r\n]*"|true|false|null|-?(?:\d+\.|)\d+(?:[eE][+-]?\d+|)/g,j=/^-ms-/,D=/-([\da-z])/gi,L=function(e,t){return t.toUpperCase()},H=function(e){(o.addEventListener||"load"===e.type||"complete"===o.readyState)&&(q(),b.ready())},q=function(){o.addEventListener?(o.removeEventListener("DOMContentLoaded",H,!1),e.removeEventListener("load",H,!1)):(o.detachEvent("onreadystatechange",H),e.detachEvent("onload",H))};b.fn=b.prototype={jquery:p,constructor:b,init:function(e,n,r){var i,a;if(!e)return this;if("string"==typeof e){if(i="<"===e.charAt(0)&&">"===e.charAt(e.length-1)&&e.length>=3?[null,e,null]:N.exec(e),!i||!i[1]&&n)return!n||n.jquery?(n||r).find(e):this.constructor(n).find(e);if(i[1]){if(n=n instanceof b?n[0]:n,b.merge(this,b.parseHTML(i[1],n&&n.nodeType?n.ownerDocument||n:o,!0)),C.test(i[1])&&b.isPlainObject(n))for(i in n)b.isFunction(this[i])?this[i](n[i]):this.attr(i,n[i]);return this}if(a=o.getElementById(i[2]),a&&a.parentNode){if(a.id!==i[2])return r.find(e);this.length=1,this[0]=a}return this.context=o,this.selector=e,this}return e.nodeType?(this.context=this[0]=e,this.length=1,this):b.isFunction(e)?r.ready(e):(e.selector!==t&&(this.selector=e.selector,this.context=e.context),b.makeArray(e,this))},selector:"",length:0,size:function(){return this.length},toArray:function(){return h.call(this)},get:function(e){return null==e?this.toArray():0>e?this[this.length+e]:this[e]},pushStack:function(e){var t=b.merge(this.constructor(),e);return t.prevObject=this,t.context=this.context,t},each:function(e,t){return b.each(this,e,t)},ready:function(e){return b.ready.promise().done(e),this},slice:function(){return this.pushStack(h.apply(this,arguments))},first:function(){return this.eq(0)},last:function(){return this.eq(-1)},eq:function(e){var t=this.length,n=+e+(0>e?t:0);return this.pushStack(n>=0&&t>n?[this[n]]:[])},map:function(e){return this.pushStack(b.map(this,function(t,n){return e.call(t,n,t)}))},end:function(){return this.prevObject||this.constructor(null)},push:d,sort:[].sort,splice:[].splice},b.fn.init.prototype=b.fn,b.extend=b.fn.extend=function(){var e,n,r,i,o,a,s=arguments[0]||{},u=1,l=arguments.length,c=!1;for("boolean"==typeof s&&(c=s,s=arguments[1]||{},u=2),"object"==typeof s||b.isFunction(s)||(s={}),l===u&&(s=this,--u);l>u;u++)if(null!=(o=arguments[u]))for(i in o)e=s[i],r=o[i],s!==r&&(c&&r&&(b.isPlainObject(r)||(n=b.isArray(r)))?(n?(n=!1,a=e&&b.isArray(e)?e:[]):a=e&&b.isPlainObject(e)?e:{},s[i]=b.extend(c,a,r)):r!==t&&(s[i]=r));return s},b.extend({noConflict:function(t){return e.$===b&&(e.$=u),t&&e.jQuery===b&&(e.jQuery=s),b},isReady:!1,readyWait:1,holdReady:function(e){e?b.readyWait++:b.ready(!0)},ready:function(e){if(e===!0?!--b.readyWait:!b.isReady){if(!o.body)return setTimeout(b.ready);b.isReady=!0,e!==!0&&--b.readyWait>0||(n.resolveWith(o,[b]),b.fn.trigger&&b(o).trigger("ready").off("ready"))}},isFunction:function(e){return"function"===b.type(e)},isArray:Array.isArray||function(e){return"array"===b.type(e)},isWindow:function(e){return null!=e&&e==e.window},isNumeric:function(e){return!isNaN(parseFloat(e))&&isFinite(e)},type:function(e){return null==e?e+"":"object"==typeof e||"function"==typeof e?l[m.call(e)]||"object":typeof e},isPlainObject:function(e){if(!e||"object"!==b.type(e)||e.nodeType||b.isWindow(e))return!1;try{if(e.constructor&&!y.call(e,"constructor")&&!y.call(e.constructor.prototype,"isPrototypeOf"))return!1}catch(n){return!1}var r;for(r in e);return r===t||y.call(e,r)},isEmptyObject:function(e){var t;for(t in e)return!1;return!0},error:function(e){throw Error(e)},parseHTML:function(e,t,n){if(!e||"string"!=typeof e)return null;"boolean"==typeof t&&(n=t,t=!1),t=t||o;var r=C.exec(e),i=!n&&[];return r?[t.createElement(r[1])]:(r=b.buildFragment([e],t,i),i&&b(i).remove(),b.merge([],r.childNodes))},parseJSON:function(n){return e.JSON&&e.JSON.parse?e.JSON.parse(n):null===n?n:"string"==typeof n&&(n=b.trim(n),n&&k.test(n.replace(S,"@").replace(A,"]").replace(E,"")))?Function("return "+n)():(b.error("Invalid JSON: "+n),t)},parseXML:function(n){var r,i;if(!n||"string"!=typeof n)return null;try{e.DOMParser?(i=new DOMParser,r=i.parseFromString(n,"text/xml")):(r=new ActiveXObject("Microsoft.XMLDOM"),r.async="false",r.loadXML(n))}catch(o){r=t}return r&&r.documentElement&&!r.getElementsByTagName("parsererror").length||b.error("Invalid XML: "+n),r},noop:function(){},globalEval:function(t){t&&b.trim(t)&&(e.execScript||function(t){e.eval.call(e,t)})(t)},camelCase:function(e){return e.replace(j,"ms-").replace(D,L)},nodeName:function(e,t){return e.nodeName&&e.nodeName.toLowerCase()===t.toLowerCase()},each:function(e,t,n){var r,i=0,o=e.length,a=M(e);if(n){if(a){for(;o>i;i++)if(r=t.apply(e[i],n),r===!1)break}else for(i in e)if(r=t.apply(e[i],n),r===!1)break}else if(a){for(;o>i;i++)if(r=t.call(e[i],i,e[i]),r===!1)break}else for(i in e)if(r=t.call(e[i],i,e[i]),r===!1)break;return e},trim:v&&!v.call("\ufeff\u00a0")?function(e){return null==e?"":v.call(e)}:function(e){return null==e?"":(e+"").replace(T,"")},makeArray:function(e,t){var n=t||[];return null!=e&&(M(Object(e))?b.merge(n,"string"==typeof e?[e]:e):d.call(n,e)),n},inArray:function(e,t,n){var r;if(t){if(g)return g.call(t,e,n);for(r=t.length,n=n?0>n?Math.max(0,r+n):n:0;r>n;n++)if(n in t&&t[n]===e)return n}return-1},merge:function(e,n){var r=n.length,i=e.length,o=0;if("number"==typeof r)for(;r>o;o++)e[i++]=n[o];else while(n[o]!==t)e[i++]=n[o++];return e.length=i,e},grep:function(e,t,n){var r,i=[],o=0,a=e.length;for(n=!!n;a>o;o++)r=!!t(e[o],o),n!==r&&i.push(e[o]);return i},map:function(e,t,n){var r,i=0,o=e.length,a=M(e),s=[];if(a)for(;o>i;i++)r=t(e[i],i,n),null!=r&&(s[s.length]=r);else for(i in e)r=t(e[i],i,n),null!=r&&(s[s.length]=r);return f.apply([],s)},guid:1,proxy:function(e,n){var r,i,o;return"string"==typeof n&&(o=e[n],n=e,e=o),b.isFunction(e)?(r=h.call(arguments,2),i=function(){return e.apply(n||this,r.concat(h.call(arguments)))},i.guid=e.guid=e.guid||b.guid++,i):t},access:function(e,n,r,i,o,a,s){var u=0,l=e.length,c=null==r;if("object"===b.type(r)){o=!0;for(u in r)b.access(e,n,u,r[u],!0,a,s)}else if(i!==t&&(o=!0,b.isFunction(i)||(s=!0),c&&(s?(n.call(e,i),n=null):(c=n,n=function(e,t,n){return c.call(b(e),n)})),n))for(;l>u;u++)n(e[u],r,s?i:i.call(e[u],u,n(e[u],r)));return o?e:c?n.call(e):l?n(e[0],r):a},now:function(){return(new Date).getTime()}}),b.ready.promise=function(t){if(!n)if(n=b.Deferred(),"complete"===o.readyState)setTimeout(b.ready);else if(o.addEventListener)o.addEventListener("DOMContentLoaded",H,!1),e.addEventListener("load",H,!1);else{o.attachEvent("onreadystatechange",H),e.attachEvent("onload",H);var r=!1;try{r=null==e.frameElement&&o.documentElement}catch(i){}r&&r.doScroll&&function a(){if(!b.isReady){try{r.doScroll("left")}catch(e){return setTimeout(a,50)}q(),b.ready()}}()}return n.promise(t)},b.each("Boolean Number String Function Array Date RegExp Object Error".split(" "),function(e,t){l["[object "+t+"]"]=t.toLowerCase()});function M(e){var t=e.length,n=b.type(e);return b.isWindow(e)?!1:1===e.nodeType&&t?!0:"array"===n||"function"!==n&&(0===t||"number"==typeof t&&t>0&&t-1 in e)}r=b(o);var _={};function F(e){var t=_[e]={};return b.each(e.match(w)||[],function(e,n){t[n]=!0}),t}b.Callbacks=function(e){e="string"==typeof e?_[e]||F(e):b.extend({},e);var n,r,i,o,a,s,u=[],l=!e.once&&[],c=function(t){for(r=e.memory&&t,i=!0,a=s||0,s=0,o=u.length,n=!0;u&&o>a;a++)if(u[a].apply(t[0],t[1])===!1&&e.stopOnFalse){r=!1;break}n=!1,u&&(l?l.length&&c(l.shift()):r?u=[]:p.disable())},p={add:function(){if(u){var t=u.length;(function i(t){b.each(t,function(t,n){var r=b.type(n);"function"===r?e.unique&&p.has(n)||u.push(n):n&&n.length&&"string"!==r&&i(n)})})(arguments),n?o=u.length:r&&(s=t,c(r))}return this},remove:function(){return u&&b.each(arguments,function(e,t){var r;while((r=b.inArray(t,u,r))>-1)u.splice(r,1),n&&(o>=r&&o--,a>=r&&a--)}),this},has:function(e){return e?b.inArray(e,u)>-1:!(!u||!u.length)},empty:function(){return u=[],this},disable:function(){return u=l=r=t,this},disabled:function(){return!u},lock:function(){return l=t,r||p.disable(),this},locked:function(){return!l},fireWith:function(e,t){return t=t||[],t=[e,t.slice?t.slice():t],!u||i&&!l||(n?l.push(t):c(t)),this},fire:function(){return p.fireWith(this,arguments),this},fired:function(){return!!i}};return p},b.extend({Deferred:function(e){var t=[["resolve","done",b.Callbacks("once memory"),"resolved"],["reject","fail",b.Callbacks("once memory"),"rejected"],["notify","progress",b.Callbacks("memory")]],n="pending",r={state:function(){return n},always:function(){return i.done(arguments).fail(arguments),this},then:function(){var e=arguments;return b.Deferred(function(n){b.each(t,function(t,o){var a=o[0],s=b.isFunction(e[t])&&e[t];i[o[1]](function(){var e=s&&s.apply(this,arguments);e&&b.isFunction(e.promise)?e.promise().done(n.resolve).fail(n.reject).progress(n.notify):n[a+"With"](this===r?n.promise():this,s?[e]:arguments)})}),e=null}).promise()},promise:function(e){return null!=e?b.extend(e,r):r}},i={};return r.pipe=r.then,b.each(t,function(e,o){var a=o[2],s=o[3];r[o[1]]=a.add,s&&a.add(function(){n=s},t[1^e][2].disable,t[2][2].lock),i[o[0]]=function(){return i[o[0]+"With"](this===i?r:this,arguments),this},i[o[0]+"With"]=a.fireWith}),r.promise(i),e&&e.call(i,i),i},when:function(e){var t=0,n=h.call(arguments),r=n.length,i=1!==r||e&&b.isFunction(e.promise)?r:0,o=1===i?e:b.Deferred(),a=function(e,t,n){return function(r){t[e]=this,n[e]=arguments.length>1?h.call(arguments):r,n===s?o.notifyWith(t,n):--i||o.resolveWith(t,n)}},s,u,l;if(r>1)for(s=Array(r),u=Array(r),l=Array(r);r>t;t++)n[t]&&b.isFunction(n[t].promise)?n[t].promise().done(a(t,l,n)).fail(o.reject).progress(a(t,u,s)):--i;return i||o.resolveWith(l,n),o.promise()}}),b.support=function(){var t,n,r,a,s,u,l,c,p,f,d=o.createElement("div");if(d.setAttribute("className","t"),d.innerHTML=" <link/><table></table><a href='/a'>a</a><input type='checkbox'/>",n=d.getElementsByTagName("*"),r=d.getElementsByTagName("a")[0],!n||!r||!n.length)return{};s=o.createElement("select"),l=s.appendChild(o.createElement("option")),a=d.getElementsByTagName("input")[0],r.style.cssText="top:1px;float:left;opacity:.5",t={getSetAttribute:"t"!==d.className,leadingWhitespace:3===d.firstChild.nodeType,tbody:!d.getElementsByTagName("tbody").length,htmlSerialize:!!d.getElementsByTagName("link").length,style:/top/.test(r.getAttribute("style")),hrefNormalized:"/a"===r.getAttribute("href"),opacity:/^0.5/.test(r.style.opacity),cssFloat:!!r.style.cssFloat,checkOn:!!a.value,optSelected:l.selected,enctype:!!o.createElement("form").enctype,html5Clone:"<:nav></:nav>"!==o.createElement("nav").cloneNode(!0).outerHTML,boxModel:"CSS1Compat"===o.compatMode,deleteExpando:!0,noCloneEvent:!0,inlineBlockNeedsLayout:!1,shrinkWrapBlocks:!1,reliableMarginRight:!0,boxSizingReliable:!0,pixelPosition:!1},a.checked=!0,t.noCloneChecked=a.cloneNode(!0).checked,s.disabled=!0,t.optDisabled=!l.disabled;try{delete d.test}catch(h){t.deleteExpando=!1}a=o.createElement("input"),a.setAttribute("value",""),t.input=""===a.getAttribute("value"),a.value="t",a.setAttribute("type","radio"),t.radioValue="t"===a.value,a.setAttribute("checked","t"),a.setAttribute("name","t"),u=o.createDocumentFragment(),u.appendChild(a),t.appendChecked=a.checked,t.checkClone=u.cloneNode(!0).cloneNode(!0).lastChild.checked,d.attachEvent&&(d.attachEvent("onclick",function(){t.noCloneEvent=!1}),d.cloneNode(!0).click());for(f in{submit:!0,change:!0,focusin:!0})d.setAttribute(c="on"+f,"t"),t[f+"Bubbles"]=c in e||d.attributes[c].expando===!1;return d.style.backgroundClip="content-box",d.cloneNode(!0).style.backgroundClip="",t.clearCloneStyle="content-box"===d.style.backgroundClip,b(function(){var n,r,a,s="padding:0;margin:0;border:0;display:block;box-sizing:content-box;-moz-box-sizing:content-box;-webkit-box-sizing:content-box;",u=o.getElementsByTagName("body")[0];u&&(n=o.createElement("div"),n.style.cssText="border:0;width:0;height:0;position:absolute;top:0;left:-9999px;margin-top:1px",u.appendChild(n).appendChild(d),d.innerHTML="<table><tr><td></td><td>t</td></tr></table>",a=d.getElementsByTagName("td"),a[0].style.cssText="padding:0;margin:0;border:0;display:none",p=0===a[0].offsetHeight,a[0].style.display="",a[1].style.display="none",t.reliableHiddenOffsets=p&&0===a[0].offsetHeight,d.innerHTML="",d.style.cssText="box-sizing:border-box;-moz-box-sizing:border-box;-webkit-box-sizing:border-box;padding:1px;border:1px;display:block;width:4px;margin-top:1%;position:absolute;top:1%;",t.boxSizing=4===d.offsetWidth,t.doesNotIncludeMarginInBodyOffset=1!==u.offsetTop,e.getComputedStyle&&(t.pixelPosition="1%"!==(e.getComputedStyle(d,null)||{}).top,t.boxSizingReliable="4px"===(e.getComputedStyle(d,null)||{width:"4px"}).width,r=d.appendChild(o.createElement("div")),r.style.cssText=d.style.cssText=s,r.style.marginRight=r.style.width="0",d.style.width="1px",t.reliableMarginRight=!parseFloat((e.getComputedStyle(r,null)||{}).marginRight)),typeof d.style.zoom!==i&&(d.innerHTML="",d.style.cssText=s+"width:1px;padding:1px;display:inline;zoom:1",t.inlineBlockNeedsLayout=3===d.offsetWidth,d.style.display="block",d.innerHTML="<div></div>",d.firstChild.style.width="5px",t.shrinkWrapBlocks=3!==d.offsetWidth,t.inlineBlockNeedsLayout&&(u.style.zoom=1)),u.removeChild(n),n=d=a=r=null)}),n=s=u=l=r=a=null,t}();var O=/(?:\{[\s\S]*\}|\[[\s\S]*\])$/,B=/([A-Z])/g;function P(e,n,r,i){if(b.acceptData(e)){var o,a,s=b.expando,u="string"==typeof n,l=e.nodeType,p=l?b.cache:e,f=l?e[s]:e[s]&&s;if(f&&p[f]&&(i||p[f].data)||!u||r!==t)return f||(l?e[s]=f=c.pop()||b.guid++:f=s),p[f]||(p[f]={},l||(p[f].toJSON=b.noop)),("object"==typeof n||"function"==typeof n)&&(i?p[f]=b.extend(p[f],n):p[f].data=b.extend(p[f].data,n)),o=p[f],i||(o.data||(o.data={}),o=o.data),r!==t&&(o[b.camelCase(n)]=r),u?(a=o[n],null==a&&(a=o[b.camelCase(n)])):a=o,a}}function R(e,t,n){if(b.acceptData(e)){var r,i,o,a=e.nodeType,s=a?b.cache:e,u=a?e[b.expando]:b.expando;if(s[u]){if(t&&(o=n?s[u]:s[u].data)){b.isArray(t)?t=t.concat(b.map(t,b.camelCase)):t in o?t=[t]:(t=b.camelCase(t),t=t in o?[t]:t.split(" "));for(r=0,i=t.length;i>r;r++)delete o[t[r]];if(!(n?$:b.isEmptyObject)(o))return}(n||(delete s[u].data,$(s[u])))&&(a?b.cleanData([e],!0):b.support.deleteExpando||s!=s.window?delete s[u]:s[u]=null)}}}b.extend({cache:{},expando:"jQuery"+(p+Math.random()).replace(/\D/g,""),noData:{embed:!0,object:"clsid:D27CDB6E-AE6D-11cf-96B8-444553540000",applet:!0},hasData:function(e){return e=e.nodeType?b.cache[e[b.expando]]:e[b.expando],!!e&&!$(e)},data:function(e,t,n){return P(e,t,n)},removeData:function(e,t){return R(e,t)},_data:function(e,t,n){return P(e,t,n,!0)},_removeData:function(e,t){return R(e,t,!0)},acceptData:function(e){if(e.nodeType&&1!==e.nodeType&&9!==e.nodeType)return!1;var t=e.nodeName&&b.noData[e.nodeName.toLowerCase()];return!t||t!==!0&&e.getAttribute("classid")===t}}),b.fn.extend({data:function(e,n){var r,i,o=this[0],a=0,s=null;if(e===t){if(this.length&&(s=b.data(o),1===o.nodeType&&!b._data(o,"parsedAttrs"))){for(r=o.attributes;r.length>a;a++)i=r[a].name,i.indexOf("data-")||(i=b.camelCase(i.slice(5)),W(o,i,s[i]));b._data(o,"parsedAttrs",!0)}return s}return"object"==typeof e?this.each(function(){b.data(this,e)}):b.access(this,function(n){return n===t?o?W(o,e,b.data(o,e)):null:(this.each(function(){b.data(this,e,n)}),t)},null,n,arguments.length>1,null,!0)},removeData:function(e){return this.each(function(){b.removeData(this,e)})}});function W(e,n,r){if(r===t&&1===e.nodeType){var i="data-"+n.replace(B,"-$1").toLowerCase();if(r=e.getAttribute(i),"string"==typeof r){try{r="true"===r?!0:"false"===r?!1:"null"===r?null:+r+""===r?+r:O.test(r)?b.parseJSON(r):r}catch(o){}b.data(e,n,r)}else r=t}return r}function $(e){var t;for(t in e)if(("data"!==t||!b.isEmptyObject(e[t]))&&"toJSON"!==t)return!1;return!0}b.extend({queue:function(e,n,r){var i;return e?(n=(n||"fx")+"queue",i=b._data(e,n),r&&(!i||b.isArray(r)?i=b._data(e,n,b.makeArray(r)):i.push(r)),i||[]):t},dequeue:function(e,t){t=t||"fx";var n=b.queue(e,t),r=n.length,i=n.shift(),o=b._queueHooks(e,t),a=function(){b.dequeue(e,t)};"inprogress"===i&&(i=n.shift(),r--),o.cur=i,i&&("fx"===t&&n.unshift("inprogress"),delete o.stop,i.call(e,a,o)),!r&&o&&o.empty.fire()},_queueHooks:function(e,t){var n=t+"queueHooks";return b._data(e,n)||b._data(e,n,{empty:b.Callbacks("once memory").add(function(){b._removeData(e,t+"queue"),b._removeData(e,n)})})}}),b.fn.extend({queue:function(e,n){var r=2;return"string"!=typeof e&&(n=e,e="fx",r--),r>arguments.length?b.queue(this[0],e):n===t?this:this.each(function(){var t=b.queue(this,e,n);b._queueHooks(this,e),"fx"===e&&"inprogress"!==t[0]&&b.dequeue(this,e)})},dequeue:function(e){return this.each(function(){b.dequeue(this,e)})},delay:function(e,t){return e=b.fx?b.fx.speeds[e]||e:e,t=t||"fx",this.queue(t,function(t,n){var r=setTimeout(t,e);n.stop=function(){clearTimeout(r)}})},clearQueue:function(e){return this.queue(e||"fx",[])},promise:function(e,n){var r,i=1,o=b.Deferred(),a=this,s=this.length,u=function(){--i||o.resolveWith(a,[a])};"string"!=typeof e&&(n=e,e=t),e=e||"fx";while(s--)r=b._data(a[s],e+"queueHooks"),r&&r.empty&&(i++,r.empty.add(u));return u(),o.promise(n)}});var I,z,X=/[\t\r\n]/g,U=/\r/g,V=/^(?:input|select|textarea|button|object)$/i,Y=/^(?:a|area)$/i,J=/^(?:checked|selected|autofocus|autoplay|async|controls|defer|disabled|hidden|loop|multiple|open|readonly|required|scoped)$/i,G=/^(?:checked|selected)$/i,Q=b.support.getSetAttribute,K=b.support.input;b.fn.extend({attr:function(e,t){return b.access(this,b.attr,e,t,arguments.length>1)},removeAttr:function(e){return this.each(function(){b.removeAttr(this,e)})},prop:function(e,t){return b.access(this,b.prop,e,t,arguments.length>1)},removeProp:function(e){return e=b.propFix[e]||e,this.each(function(){try{this[e]=t,delete this[e]}catch(n){}})},addClass:function(e){var t,n,r,i,o,a=0,s=this.length,u="string"==typeof e&&e;if(b.isFunction(e))return this.each(function(t){b(this).addClass(e.call(this,t,this.className))});if(u)for(t=(e||"").match(w)||[];s>a;a++)if(n=this[a],r=1===n.nodeType&&(n.className?(" "+n.className+" ").replace(X," "):" ")){o=0;while(i=t[o++])0>r.indexOf(" "+i+" ")&&(r+=i+" ");n.className=b.trim(r)}return this},removeClass:function(e){var t,n,r,i,o,a=0,s=this.length,u=0===arguments.length||"string"==typeof e&&e;if(b.isFunction(e))return this.each(function(t){b(this).removeClass(e.call(this,t,this.className))});if(u)for(t=(e||"").match(w)||[];s>a;a++)if(n=this[a],r=1===n.nodeType&&(n.className?(" "+n.className+" ").replace(X," "):"")){o=0;while(i=t[o++])while(r.indexOf(" "+i+" ")>=0)r=r.replace(" "+i+" "," ");n.className=e?b.trim(r):""}return this},toggleClass:function(e,t){var n=typeof e,r="boolean"==typeof t;return b.isFunction(e)?this.each(function(n){b(this).toggleClass(e.call(this,n,this.className,t),t)}):this.each(function(){if("string"===n){var o,a=0,s=b(this),u=t,l=e.match(w)||[];while(o=l[a++])u=r?u:!s.hasClass(o),s[u?"addClass":"removeClass"](o)}else(n===i||"boolean"===n)&&(this.className&&b._data(this,"__className__",this.className),this.className=this.className||e===!1?"":b._data(this,"__className__")||"")})},hasClass:function(e){var t=" "+e+" ",n=0,r=this.length;for(;r>n;n++)if(1===this[n].nodeType&&(" "+this[n].className+" ").replace(X," ").indexOf(t)>=0)return!0;return!1},val:function(e){var n,r,i,o=this[0];{if(arguments.length)return i=b.isFunction(e),this.each(function(n){var o,a=b(this);1===this.nodeType&&(o=i?e.call(this,n,a.val()):e,null==o?o="":"number"==typeof o?o+="":b.isArray(o)&&(o=b.map(o,function(e){return null==e?"":e+""})),r=b.valHooks[this.type]||b.valHooks[this.nodeName.toLowerCase()],r&&"set"in r&&r.set(this,o,"value")!==t||(this.value=o))});if(o)return r=b.valHooks[o.type]||b.valHooks[o.nodeName.toLowerCase()],r&&"get"in r&&(n=r.get(o,"value"))!==t?n:(n=o.value,"string"==typeof n?n.replace(U,""):null==n?"":n)}}}),b.extend({valHooks:{option:{get:function(e){var t=e.attributes.value;return!t||t.specified?e.value:e.text}},select:{get:function(e){var t,n,r=e.options,i=e.selectedIndex,o="select-one"===e.type||0>i,a=o?null:[],s=o?i+1:r.length,u=0>i?s:o?i:0;for(;s>u;u++)if(n=r[u],!(!n.selected&&u!==i||(b.support.optDisabled?n.disabled:null!==n.getAttribute("disabled"))||n.parentNode.disabled&&b.nodeName(n.parentNode,"optgroup"))){if(t=b(n).val(),o)return t;a.push(t)}return a},set:function(e,t){var n=b.makeArray(t);return b(e).find("option").each(function(){this.selected=b.inArray(b(this).val(),n)>=0}),n.length||(e.selectedIndex=-1),n}}},attr:function(e,n,r){var o,a,s,u=e.nodeType;if(e&&3!==u&&8!==u&&2!==u)return typeof e.getAttribute===i?b.prop(e,n,r):(a=1!==u||!b.isXMLDoc(e),a&&(n=n.toLowerCase(),o=b.attrHooks[n]||(J.test(n)?z:I)),r===t?o&&a&&"get"in o&&null!==(s=o.get(e,n))?s:(typeof e.getAttribute!==i&&(s=e.getAttribute(n)),null==s?t:s):null!==r?o&&a&&"set"in o&&(s=o.set(e,r,n))!==t?s:(e.setAttribute(n,r+""),r):(b.removeAttr(e,n),t))},removeAttr:function(e,t){var n,r,i=0,o=t&&t.match(w);if(o&&1===e.nodeType)while(n=o[i++])r=b.propFix[n]||n,J.test(n)?!Q&&G.test(n)?e[b.camelCase("default-"+n)]=e[r]=!1:e[r]=!1:b.attr(e,n,""),e.removeAttribute(Q?n:r)},attrHooks:{type:{set:function(e,t){if(!b.support.radioValue&&"radio"===t&&b.nodeName(e,"input")){var n=e.value;return e.setAttribute("type",t),n&&(e.value=n),t}}}},propFix:{tabindex:"tabIndex",readonly:"readOnly","for":"htmlFor","class":"className",maxlength:"maxLength",cellspacing:"cellSpacing",cellpadding:"cellPadding",rowspan:"rowSpan",colspan:"colSpan",usemap:"useMap",frameborder:"frameBorder",contenteditable:"contentEditable"},prop:function(e,n,r){var i,o,a,s=e.nodeType;if(e&&3!==s&&8!==s&&2!==s)return a=1!==s||!b.isXMLDoc(e),a&&(n=b.propFix[n]||n,o=b.propHooks[n]),r!==t?o&&"set"in o&&(i=o.set(e,r,n))!==t?i:e[n]=r:o&&"get"in o&&null!==(i=o.get(e,n))?i:e[n]},propHooks:{tabIndex:{get:function(e){var n=e.getAttributeNode("tabindex");return n&&n.specified?parseInt(n.value,10):V.test(e.nodeName)||Y.test(e.nodeName)&&e.href?0:t}}}}),z={get:function(e,n){var r=b.prop(e,n),i="boolean"==typeof r&&e.getAttribute(n),o="boolean"==typeof r?K&&Q?null!=i:G.test(n)?e[b.camelCase("default-"+n)]:!!i:e.getAttributeNode(n);return o&&o.value!==!1?n.toLowerCase():t},set:function(e,t,n){return t===!1?b.removeAttr(e,n):K&&Q||!G.test(n)?e.setAttribute(!Q&&b.propFix[n]||n,n):e[b.camelCase("default-"+n)]=e[n]=!0,n}},K&&Q||(b.attrHooks.value={get:function(e,n){var r=e.getAttributeNode(n);return b.nodeName(e,"input")?e.defaultValue:r&&r.specified?r.value:t},set:function(e,n,r){return b.nodeName(e,"input")?(e.defaultValue=n,t):I&&I.set(e,n,r)}}),Q||(I=b.valHooks.button={get:function(e,n){var r=e.getAttributeNode(n);return r&&("id"===n||"name"===n||"coords"===n?""!==r.value:r.specified)?r.value:t},set:function(e,n,r){var i=e.getAttributeNode(r);return i||e.setAttributeNode(i=e.ownerDocument.createAttribute(r)),i.value=n+="","value"===r||n===e.getAttribute(r)?n:t}},b.attrHooks.contenteditable={get:I.get,set:function(e,t,n){I.set(e,""===t?!1:t,n)}},b.each(["width","height"],function(e,n){b.attrHooks[n]=b.extend(b.attrHooks[n],{set:function(e,r){return""===r?(e.setAttribute(n,"auto"),r):t}})})),b.support.hrefNormalized||(b.each(["href","src","width","height"],function(e,n){b.attrHooks[n]=b.extend(b.attrHooks[n],{get:function(e){var r=e.getAttribute(n,2);return null==r?t:r}})}),b.each(["href","src"],function(e,t){b.propHooks[t]={get:function(e){return e.getAttribute(t,4)}}})),b.support.style||(b.attrHooks.style={get:function(e){return e.style.cssText||t},set:function(e,t){return e.style.cssText=t+""}}),b.support.optSelected||(b.propHooks.selected=b.extend(b.propHooks.selected,{get:function(e){var t=e.parentNode;return t&&(t.selectedIndex,t.parentNode&&t.parentNode.selectedIndex),null}})),b.support.enctype||(b.propFix.enctype="encoding"),b.support.checkOn||b.each(["radio","checkbox"],function(){b.valHooks[this]={get:function(e){return null===e.getAttribute("value")?"on":e.value}}}),b.each(["radio","checkbox"],function(){b.valHooks[this]=b.extend(b.valHooks[this],{set:function(e,n){return b.isArray(n)?e.checked=b.inArray(b(e).val(),n)>=0:t}})});var Z=/^(?:input|select|textarea)$/i,et=/^key/,tt=/^(?:mouse|contextmenu)|click/,nt=/^(?:focusinfocus|focusoutblur)$/,rt=/^([^.]*)(?:\.(.+)|)$/;function it(){return!0}function ot(){return!1}b.event={global:{},add:function(e,n,r,o,a){var s,u,l,c,p,f,d,h,g,m,y,v=b._data(e);if(v){r.handler&&(c=r,r=c.handler,a=c.selector),r.guid||(r.guid=b.guid++),(u=v.events)||(u=v.events={}),(f=v.handle)||(f=v.handle=function(e){return typeof b===i||e&&b.event.triggered===e.type?t:b.event.dispatch.apply(f.elem,arguments)},f.elem=e),n=(n||"").match(w)||[""],l=n.length;while(l--)s=rt.exec(n[l])||[],g=y=s[1],m=(s[2]||"").split(".").sort(),p=b.event.special[g]||{},g=(a?p.delegateType:p.bindType)||g,p=b.event.special[g]||{},d=b.extend({type:g,origType:y,data:o,handler:r,guid:r.guid,selector:a,needsContext:a&&b.expr.match.needsContext.test(a),namespace:m.join(".")},c),(h=u[g])||(h=u[g]=[],h.delegateCount=0,p.setup&&p.setup.call(e,o,m,f)!==!1||(e.addEventListener?e.addEventListener(g,f,!1):e.attachEvent&&e.attachEvent("on"+g,f))),p.add&&(p.add.call(e,d),d.handler.guid||(d.handler.guid=r.guid)),a?h.splice(h.delegateCount++,0,d):h.push(d),b.event.global[g]=!0;e=null}},remove:function(e,t,n,r,i){var o,a,s,u,l,c,p,f,d,h,g,m=b.hasData(e)&&b._data(e);if(m&&(c=m.events)){t=(t||"").match(w)||[""],l=t.length;while(l--)if(s=rt.exec(t[l])||[],d=g=s[1],h=(s[2]||"").split(".").sort(),d){p=b.event.special[d]||{},d=(r?p.delegateType:p.bindType)||d,f=c[d]||[],s=s[2]&&RegExp("(^|\\.)"+h.join("\\.(?:.*\\.|)")+"(\\.|$)"),u=o=f.length;while(o--)a=f[o],!i&&g!==a.origType||n&&n.guid!==a.guid||s&&!s.test(a.namespace)||r&&r!==a.selector&&("**"!==r||!a.selector)||(f.splice(o,1),a.selector&&f.delegateCount--,p.remove&&p.remove.call(e,a));u&&!f.length&&(p.teardown&&p.teardown.call(e,h,m.handle)!==!1||b.removeEvent(e,d,m.handle),delete c[d])}else for(d in c)b.event.remove(e,d+t[l],n,r,!0);b.isEmptyObject(c)&&(delete m.handle,b._removeData(e,"events"))}},trigger:function(n,r,i,a){var s,u,l,c,p,f,d,h=[i||o],g=y.call(n,"type")?n.type:n,m=y.call(n,"namespace")?n.namespace.split("."):[];if(l=f=i=i||o,3!==i.nodeType&&8!==i.nodeType&&!nt.test(g+b.event.triggered)&&(g.indexOf(".")>=0&&(m=g.split("."),g=m.shift(),m.sort()),u=0>g.indexOf(":")&&"on"+g,n=n[b.expando]?n:new b.Event(g,"object"==typeof n&&n),n.isTrigger=!0,n.namespace=m.join("."),n.namespace_re=n.namespace?RegExp("(^|\\.)"+m.join("\\.(?:.*\\.|)")+"(\\.|$)"):null,n.result=t,n.target||(n.target=i),r=null==r?[n]:b.makeArray(r,[n]),p=b.event.special[g]||{},a||!p.trigger||p.trigger.apply(i,r)!==!1)){if(!a&&!p.noBubble&&!b.isWindow(i)){for(c=p.delegateType||g,nt.test(c+g)||(l=l.parentNode);l;l=l.parentNode)h.push(l),f=l;f===(i.ownerDocument||o)&&h.push(f.defaultView||f.parentWindow||e)}d=0;while((l=h[d++])&&!n.isPropagationStopped())n.type=d>1?c:p.bindType||g,s=(b._data(l,"events")||{})[n.type]&&b._data(l,"handle"),s&&s.apply(l,r),s=u&&l[u],s&&b.acceptData(l)&&s.apply&&s.apply(l,r)===!1&&n.preventDefault();if(n.type=g,!(a||n.isDefaultPrevented()||p._default&&p._default.apply(i.ownerDocument,r)!==!1||"click"===g&&b.nodeName(i,"a")||!b.acceptData(i)||!u||!i[g]||b.isWindow(i))){f=i[u],f&&(i[u]=null),b.event.triggered=g;try{i[g]()}catch(v){}b.event.triggered=t,f&&(i[u]=f)}return n.result}},dispatch:function(e){e=b.event.fix(e);var n,r,i,o,a,s=[],u=h.call(arguments),l=(b._data(this,"events")||{})[e.type]||[],c=b.event.special[e.type]||{};if(u[0]=e,e.delegateTarget=this,!c.preDispatch||c.preDispatch.call(this,e)!==!1){s=b.event.handlers.call(this,e,l),n=0;while((o=s[n++])&&!e.isPropagationStopped()){e.currentTarget=o.elem,a=0;while((i=o.handlers[a++])&&!e.isImmediatePropagationStopped())(!e.namespace_re||e.namespace_re.test(i.namespace))&&(e.handleObj=i,e.data=i.data,r=((b.event.special[i.origType]||{}).handle||i.handler).apply(o.elem,u),r!==t&&(e.result=r)===!1&&(e.preventDefault(),e.stopPropagation()))}return c.postDispatch&&c.postDispatch.call(this,e),e.result}},handlers:function(e,n){var r,i,o,a,s=[],u=n.delegateCount,l=e.target;if(u&&l.nodeType&&(!e.button||"click"!==e.type))for(;l!=this;l=l.parentNode||this)if(1===l.nodeType&&(l.disabled!==!0||"click"!==e.type)){for(o=[],a=0;u>a;a++)i=n[a],r=i.selector+" ",o[r]===t&&(o[r]=i.needsContext?b(r,this).index(l)>=0:b.find(r,this,null,[l]).length),o[r]&&o.push(i);o.length&&s.push({elem:l,handlers:o})}return n.length>u&&s.push({elem:this,handlers:n.slice(u)}),s},fix:function(e){if(e[b.expando])return e;var t,n,r,i=e.type,a=e,s=this.fixHooks[i];s||(this.fixHooks[i]=s=tt.test(i)?this.mouseHooks:et.test(i)?this.keyHooks:{}),r=s.props?this.props.concat(s.props):this.props,e=new b.Event(a),t=r.length;while(t--)n=r[t],e[n]=a[n];return e.target||(e.target=a.srcElement||o),3===e.target.nodeType&&(e.target=e.target.parentNode),e.metaKey=!!e.metaKey,s.filter?s.filter(e,a):e},props:"altKey bubbles cancelable ctrlKey currentTarget eventPhase metaKey relatedTarget shiftKey target timeStamp view which".split(" "),fixHooks:{},keyHooks:{props:"char charCode key keyCode".split(" "),filter:function(e,t){return null==e.which&&(e.which=null!=t.charCode?t.charCode:t.keyCode),e}},mouseHooks:{props:"button buttons clientX clientY fromElement offsetX offsetY pageX pageY screenX screenY toElement".split(" "),filter:function(e,n){var r,i,a,s=n.button,u=n.fromElement;return null==e.pageX&&null!=n.clientX&&(i=e.target.ownerDocument||o,a=i.documentElement,r=i.body,e.pageX=n.clientX+(a&&a.scrollLeft||r&&r.scrollLeft||0)-(a&&a.clientLeft||r&&r.clientLeft||0),e.pageY=n.clientY+(a&&a.scrollTop||r&&r.scrollTop||0)-(a&&a.clientTop||r&&r.clientTop||0)),!e.relatedTarget&&u&&(e.relatedTarget=u===e.target?n.toElement:u),e.which||s===t||(e.which=1&s?1:2&s?3:4&s?2:0),e}},special:{load:{noBubble:!0},click:{trigger:function(){return b.nodeName(this,"input")&&"checkbox"===this.type&&this.click?(this.click(),!1):t}},focus:{trigger:function(){if(this!==o.activeElement&&this.focus)try{return this.focus(),!1}catch(e){}},delegateType:"focusin"},blur:{trigger:function(){return this===o.activeElement&&this.blur?(this.blur(),!1):t},delegateType:"focusout"},beforeunload:{postDispatch:function(e){e.result!==t&&(e.originalEvent.returnValue=e.result)}}},simulate:function(e,t,n,r){var i=b.extend(new b.Event,n,{type:e,isSimulated:!0,originalEvent:{}});r?b.event.trigger(i,null,t):b.event.dispatch.call(t,i),i.isDefaultPrevented()&&n.preventDefault()}},b.removeEvent=o.removeEventListener?function(e,t,n){e.removeEventListener&&e.removeEventListener(t,n,!1)}:function(e,t,n){var r="on"+t;e.detachEvent&&(typeof e[r]===i&&(e[r]=null),e.detachEvent(r,n))},b.Event=function(e,n){return this instanceof b.Event?(e&&e.type?(this.originalEvent=e,this.type=e.type,this.isDefaultPrevented=e.defaultPrevented||e.returnValue===!1||e.getPreventDefault&&e.getPreventDefault()?it:ot):this.type=e,n&&b.extend(this,n),this.timeStamp=e&&e.timeStamp||b.now(),this[b.expando]=!0,t):new b.Event(e,n)},b.Event.prototype={isDefaultPrevented:ot,isPropagationStopped:ot,isImmediatePropagationStopped:ot,preventDefault:function(){var e=this.originalEvent;this.isDefaultPrevented=it,e&&(e.preventDefault?e.preventDefault():e.returnValue=!1)},stopPropagation:function(){var e=this.originalEvent;this.isPropagationStopped=it,e&&(e.stopPropagation&&e.stopPropagation(),e.cancelBubble=!0)},stopImmediatePropagation:function(){this.isImmediatePropagationStopped=it,this.stopPropagation()}},b.each({mouseenter:"mouseover",mouseleave:"mouseout"},function(e,t){b.event.special[e]={delegateType:t,bindType:t,handle:function(e){var n,r=this,i=e.relatedTarget,o=e.handleObj; return(!i||i!==r&&!b.contains(r,i))&&(e.type=o.origType,n=o.handler.apply(this,arguments),e.type=t),n}}}),b.support.submitBubbles||(b.event.special.submit={setup:function(){return b.nodeName(this,"form")?!1:(b.event.add(this,"click._submit keypress._submit",function(e){var n=e.target,r=b.nodeName(n,"input")||b.nodeName(n,"button")?n.form:t;r&&!b._data(r,"submitBubbles")&&(b.event.add(r,"submit._submit",function(e){e._submit_bubble=!0}),b._data(r,"submitBubbles",!0))}),t)},postDispatch:function(e){e._submit_bubble&&(delete e._submit_bubble,this.parentNode&&!e.isTrigger&&b.event.simulate("submit",this.parentNode,e,!0))},teardown:function(){return b.nodeName(this,"form")?!1:(b.event.remove(this,"._submit"),t)}}),b.support.changeBubbles||(b.event.special.change={setup:function(){return Z.test(this.nodeName)?(("checkbox"===this.type||"radio"===this.type)&&(b.event.add(this,"propertychange._change",function(e){"checked"===e.originalEvent.propertyName&&(this._just_changed=!0)}),b.event.add(this,"click._change",function(e){this._just_changed&&!e.isTrigger&&(this._just_changed=!1),b.event.simulate("change",this,e,!0)})),!1):(b.event.add(this,"beforeactivate._change",function(e){var t=e.target;Z.test(t.nodeName)&&!b._data(t,"changeBubbles")&&(b.event.add(t,"change._change",function(e){!this.parentNode||e.isSimulated||e.isTrigger||b.event.simulate("change",this.parentNode,e,!0)}),b._data(t,"changeBubbles",!0))}),t)},handle:function(e){var n=e.target;return this!==n||e.isSimulated||e.isTrigger||"radio"!==n.type&&"checkbox"!==n.type?e.handleObj.handler.apply(this,arguments):t},teardown:function(){return b.event.remove(this,"._change"),!Z.test(this.nodeName)}}),b.support.focusinBubbles||b.each({focus:"focusin",blur:"focusout"},function(e,t){var n=0,r=function(e){b.event.simulate(t,e.target,b.event.fix(e),!0)};b.event.special[t]={setup:function(){0===n++&&o.addEventListener(e,r,!0)},teardown:function(){0===--n&&o.removeEventListener(e,r,!0)}}}),b.fn.extend({on:function(e,n,r,i,o){var a,s;if("object"==typeof e){"string"!=typeof n&&(r=r||n,n=t);for(a in e)this.on(a,n,r,e[a],o);return this}if(null==r&&null==i?(i=n,r=n=t):null==i&&("string"==typeof n?(i=r,r=t):(i=r,r=n,n=t)),i===!1)i=ot;else if(!i)return this;return 1===o&&(s=i,i=function(e){return b().off(e),s.apply(this,arguments)},i.guid=s.guid||(s.guid=b.guid++)),this.each(function(){b.event.add(this,e,i,r,n)})},one:function(e,t,n,r){return this.on(e,t,n,r,1)},off:function(e,n,r){var i,o;if(e&&e.preventDefault&&e.handleObj)return i=e.handleObj,b(e.delegateTarget).off(i.namespace?i.origType+"."+i.namespace:i.origType,i.selector,i.handler),this;if("object"==typeof e){for(o in e)this.off(o,n,e[o]);return this}return(n===!1||"function"==typeof n)&&(r=n,n=t),r===!1&&(r=ot),this.each(function(){b.event.remove(this,e,r,n)})},bind:function(e,t,n){return this.on(e,null,t,n)},unbind:function(e,t){return this.off(e,null,t)},delegate:function(e,t,n,r){return this.on(t,e,n,r)},undelegate:function(e,t,n){return 1===arguments.length?this.off(e,"**"):this.off(t,e||"**",n)},trigger:function(e,t){return this.each(function(){b.event.trigger(e,t,this)})},triggerHandler:function(e,n){var r=this[0];return r?b.event.trigger(e,n,r,!0):t}}),function(e,t){var n,r,i,o,a,s,u,l,c,p,f,d,h,g,m,y,v,x="sizzle"+-new Date,w=e.document,T={},N=0,C=0,k=it(),E=it(),S=it(),A=typeof t,j=1<<31,D=[],L=D.pop,H=D.push,q=D.slice,M=D.indexOf||function(e){var t=0,n=this.length;for(;n>t;t++)if(this[t]===e)return t;return-1},_="[\\x20\\t\\r\\n\\f]",F="(?:\\\\.|[\\w-]|[^\\x00-\\xa0])+",O=F.replace("w","w#"),B="([*^$|!~]?=)",P="\\["+_+"*("+F+")"+_+"*(?:"+B+_+"*(?:(['\"])((?:\\\\.|[^\\\\])*?)\\3|("+O+")|)|)"+_+"*\\]",R=":("+F+")(?:\\(((['\"])((?:\\\\.|[^\\\\])*?)\\3|((?:\\\\.|[^\\\\()[\\]]|"+P.replace(3,8)+")*)|.*)\\)|)",W=RegExp("^"+_+"+|((?:^|[^\\\\])(?:\\\\.)*)"+_+"+$","g"),$=RegExp("^"+_+"*,"+_+"*"),I=RegExp("^"+_+"*([\\x20\\t\\r\\n\\f>+~])"+_+"*"),z=RegExp(R),X=RegExp("^"+O+"$"),U={ID:RegExp("^#("+F+")"),CLASS:RegExp("^\\.("+F+")"),NAME:RegExp("^\\[name=['\"]?("+F+")['\"]?\\]"),TAG:RegExp("^("+F.replace("w","w*")+")"),ATTR:RegExp("^"+P),PSEUDO:RegExp("^"+R),CHILD:RegExp("^:(only|first|last|nth|nth-last)-(child|of-type)(?:\\("+_+"*(even|odd|(([+-]|)(\\d*)n|)"+_+"*(?:([+-]|)"+_+"*(\\d+)|))"+_+"*\\)|)","i"),needsContext:RegExp("^"+_+"*[>+~]|:(even|odd|eq|gt|lt|nth|first|last)(?:\\("+_+"*((?:-\\d)?\\d*)"+_+"*\\)|)(?=[^-]|$)","i")},V=/[\x20\t\r\n\f]*[+~]/,Y=/^[^{]+\{\s*\[native code/,J=/^(?:#([\w-]+)|(\w+)|\.([\w-]+))$/,G=/^(?:input|select|textarea|button)$/i,Q=/^h\d$/i,K=/'|\\/g,Z=/\=[\x20\t\r\n\f]*([^'"\]]*)[\x20\t\r\n\f]*\]/g,et=/\\([\da-fA-F]{1,6}[\x20\t\r\n\f]?|.)/g,tt=function(e,t){var n="0x"+t-65536;return n!==n?t:0>n?String.fromCharCode(n+65536):String.fromCharCode(55296|n>>10,56320|1023&n)};try{q.call(w.documentElement.childNodes,0)[0].nodeType}catch(nt){q=function(e){var t,n=[];while(t=this[e++])n.push(t);return n}}function rt(e){return Y.test(e+"")}function it(){var e,t=[];return e=function(n,r){return t.push(n+=" ")>i.cacheLength&&delete e[t.shift()],e[n]=r}}function ot(e){return e[x]=!0,e}function at(e){var t=p.createElement("div");try{return e(t)}catch(n){return!1}finally{t=null}}function st(e,t,n,r){var i,o,a,s,u,l,f,g,m,v;if((t?t.ownerDocument||t:w)!==p&&c(t),t=t||p,n=n||[],!e||"string"!=typeof e)return n;if(1!==(s=t.nodeType)&&9!==s)return[];if(!d&&!r){if(i=J.exec(e))if(a=i[1]){if(9===s){if(o=t.getElementById(a),!o||!o.parentNode)return n;if(o.id===a)return n.push(o),n}else if(t.ownerDocument&&(o=t.ownerDocument.getElementById(a))&&y(t,o)&&o.id===a)return n.push(o),n}else{if(i[2])return H.apply(n,q.call(t.getElementsByTagName(e),0)),n;if((a=i[3])&&T.getByClassName&&t.getElementsByClassName)return H.apply(n,q.call(t.getElementsByClassName(a),0)),n}if(T.qsa&&!h.test(e)){if(f=!0,g=x,m=t,v=9===s&&e,1===s&&"object"!==t.nodeName.toLowerCase()){l=ft(e),(f=t.getAttribute("id"))?g=f.replace(K,"\\$&"):t.setAttribute("id",g),g="[id='"+g+"'] ",u=l.length;while(u--)l[u]=g+dt(l[u]);m=V.test(e)&&t.parentNode||t,v=l.join(",")}if(v)try{return H.apply(n,q.call(m.querySelectorAll(v),0)),n}catch(b){}finally{f||t.removeAttribute("id")}}}return wt(e.replace(W,"$1"),t,n,r)}a=st.isXML=function(e){var t=e&&(e.ownerDocument||e).documentElement;return t?"HTML"!==t.nodeName:!1},c=st.setDocument=function(e){var n=e?e.ownerDocument||e:w;return n!==p&&9===n.nodeType&&n.documentElement?(p=n,f=n.documentElement,d=a(n),T.tagNameNoComments=at(function(e){return e.appendChild(n.createComment("")),!e.getElementsByTagName("*").length}),T.attributes=at(function(e){e.innerHTML="<select></select>";var t=typeof e.lastChild.getAttribute("multiple");return"boolean"!==t&&"string"!==t}),T.getByClassName=at(function(e){return e.innerHTML="<div class='hidden e'></div><div class='hidden'></div>",e.getElementsByClassName&&e.getElementsByClassName("e").length?(e.lastChild.className="e",2===e.getElementsByClassName("e").length):!1}),T.getByName=at(function(e){e.id=x+0,e.innerHTML="<a name='"+x+"'></a><div name='"+x+"'></div>",f.insertBefore(e,f.firstChild);var t=n.getElementsByName&&n.getElementsByName(x).length===2+n.getElementsByName(x+0).length;return T.getIdNotName=!n.getElementById(x),f.removeChild(e),t}),i.attrHandle=at(function(e){return e.innerHTML="<a href='#'></a>",e.firstChild&&typeof e.firstChild.getAttribute!==A&&"#"===e.firstChild.getAttribute("href")})?{}:{href:function(e){return e.getAttribute("href",2)},type:function(e){return e.getAttribute("type")}},T.getIdNotName?(i.find.ID=function(e,t){if(typeof t.getElementById!==A&&!d){var n=t.getElementById(e);return n&&n.parentNode?[n]:[]}},i.filter.ID=function(e){var t=e.replace(et,tt);return function(e){return e.getAttribute("id")===t}}):(i.find.ID=function(e,n){if(typeof n.getElementById!==A&&!d){var r=n.getElementById(e);return r?r.id===e||typeof r.getAttributeNode!==A&&r.getAttributeNode("id").value===e?[r]:t:[]}},i.filter.ID=function(e){var t=e.replace(et,tt);return function(e){var n=typeof e.getAttributeNode!==A&&e.getAttributeNode("id");return n&&n.value===t}}),i.find.TAG=T.tagNameNoComments?function(e,n){return typeof n.getElementsByTagName!==A?n.getElementsByTagName(e):t}:function(e,t){var n,r=[],i=0,o=t.getElementsByTagName(e);if("*"===e){while(n=o[i++])1===n.nodeType&&r.push(n);return r}return o},i.find.NAME=T.getByName&&function(e,n){return typeof n.getElementsByName!==A?n.getElementsByName(name):t},i.find.CLASS=T.getByClassName&&function(e,n){return typeof n.getElementsByClassName===A||d?t:n.getElementsByClassName(e)},g=[],h=[":focus"],(T.qsa=rt(n.querySelectorAll))&&(at(function(e){e.innerHTML="<select><option selected=''></option></select>",e.querySelectorAll("[selected]").length||h.push("\\["+_+"*(?:checked|disabled|ismap|multiple|readonly|selected|value)"),e.querySelectorAll(":checked").length||h.push(":checked")}),at(function(e){e.innerHTML="<input type='hidden' i=''/>",e.querySelectorAll("[i^='']").length&&h.push("[*^$]="+_+"*(?:\"\"|'')"),e.querySelectorAll(":enabled").length||h.push(":enabled",":disabled"),e.querySelectorAll("*,:x"),h.push(",.*:")})),(T.matchesSelector=rt(m=f.matchesSelector||f.mozMatchesSelector||f.webkitMatchesSelector||f.oMatchesSelector||f.msMatchesSelector))&&at(function(e){T.disconnectedMatch=m.call(e,"div"),m.call(e,"[s!='']:x"),g.push("!=",R)}),h=RegExp(h.join("|")),g=RegExp(g.join("|")),y=rt(f.contains)||f.compareDocumentPosition?function(e,t){var n=9===e.nodeType?e.documentElement:e,r=t&&t.parentNode;return e===r||!(!r||1!==r.nodeType||!(n.contains?n.contains(r):e.compareDocumentPosition&&16&e.compareDocumentPosition(r)))}:function(e,t){if(t)while(t=t.parentNode)if(t===e)return!0;return!1},v=f.compareDocumentPosition?function(e,t){var r;return e===t?(u=!0,0):(r=t.compareDocumentPosition&&e.compareDocumentPosition&&e.compareDocumentPosition(t))?1&r||e.parentNode&&11===e.parentNode.nodeType?e===n||y(w,e)?-1:t===n||y(w,t)?1:0:4&r?-1:1:e.compareDocumentPosition?-1:1}:function(e,t){var r,i=0,o=e.parentNode,a=t.parentNode,s=[e],l=[t];if(e===t)return u=!0,0;if(!o||!a)return e===n?-1:t===n?1:o?-1:a?1:0;if(o===a)return ut(e,t);r=e;while(r=r.parentNode)s.unshift(r);r=t;while(r=r.parentNode)l.unshift(r);while(s[i]===l[i])i++;return i?ut(s[i],l[i]):s[i]===w?-1:l[i]===w?1:0},u=!1,[0,0].sort(v),T.detectDuplicates=u,p):p},st.matches=function(e,t){return st(e,null,null,t)},st.matchesSelector=function(e,t){if((e.ownerDocument||e)!==p&&c(e),t=t.replace(Z,"='$1']"),!(!T.matchesSelector||d||g&&g.test(t)||h.test(t)))try{var n=m.call(e,t);if(n||T.disconnectedMatch||e.document&&11!==e.document.nodeType)return n}catch(r){}return st(t,p,null,[e]).length>0},st.contains=function(e,t){return(e.ownerDocument||e)!==p&&c(e),y(e,t)},st.attr=function(e,t){var n;return(e.ownerDocument||e)!==p&&c(e),d||(t=t.toLowerCase()),(n=i.attrHandle[t])?n(e):d||T.attributes?e.getAttribute(t):((n=e.getAttributeNode(t))||e.getAttribute(t))&&e[t]===!0?t:n&&n.specified?n.value:null},st.error=function(e){throw Error("Syntax error, unrecognized expression: "+e)},st.uniqueSort=function(e){var t,n=[],r=1,i=0;if(u=!T.detectDuplicates,e.sort(v),u){for(;t=e[r];r++)t===e[r-1]&&(i=n.push(r));while(i--)e.splice(n[i],1)}return e};function ut(e,t){var n=t&&e,r=n&&(~t.sourceIndex||j)-(~e.sourceIndex||j);if(r)return r;if(n)while(n=n.nextSibling)if(n===t)return-1;return e?1:-1}function lt(e){return function(t){var n=t.nodeName.toLowerCase();return"input"===n&&t.type===e}}function ct(e){return function(t){var n=t.nodeName.toLowerCase();return("input"===n||"button"===n)&&t.type===e}}function pt(e){return ot(function(t){return t=+t,ot(function(n,r){var i,o=e([],n.length,t),a=o.length;while(a--)n[i=o[a]]&&(n[i]=!(r[i]=n[i]))})})}o=st.getText=function(e){var t,n="",r=0,i=e.nodeType;if(i){if(1===i||9===i||11===i){if("string"==typeof e.textContent)return e.textContent;for(e=e.firstChild;e;e=e.nextSibling)n+=o(e)}else if(3===i||4===i)return e.nodeValue}else for(;t=e[r];r++)n+=o(t);return n},i=st.selectors={cacheLength:50,createPseudo:ot,match:U,find:{},relative:{">":{dir:"parentNode",first:!0}," ":{dir:"parentNode"},"+":{dir:"previousSibling",first:!0},"~":{dir:"previousSibling"}},preFilter:{ATTR:function(e){return e[1]=e[1].replace(et,tt),e[3]=(e[4]||e[5]||"").replace(et,tt),"~="===e[2]&&(e[3]=" "+e[3]+" "),e.slice(0,4)},CHILD:function(e){return e[1]=e[1].toLowerCase(),"nth"===e[1].slice(0,3)?(e[3]||st.error(e[0]),e[4]=+(e[4]?e[5]+(e[6]||1):2*("even"===e[3]||"odd"===e[3])),e[5]=+(e[7]+e[8]||"odd"===e[3])):e[3]&&st.error(e[0]),e},PSEUDO:function(e){var t,n=!e[5]&&e[2];return U.CHILD.test(e[0])?null:(e[4]?e[2]=e[4]:n&&z.test(n)&&(t=ft(n,!0))&&(t=n.indexOf(")",n.length-t)-n.length)&&(e[0]=e[0].slice(0,t),e[2]=n.slice(0,t)),e.slice(0,3))}},filter:{TAG:function(e){return"*"===e?function(){return!0}:(e=e.replace(et,tt).toLowerCase(),function(t){return t.nodeName&&t.nodeName.toLowerCase()===e})},CLASS:function(e){var t=k[e+" "];return t||(t=RegExp("(^|"+_+")"+e+"("+_+"|$)"))&&k(e,function(e){return t.test(e.className||typeof e.getAttribute!==A&&e.getAttribute("class")||"")})},ATTR:function(e,t,n){return function(r){var i=st.attr(r,e);return null==i?"!="===t:t?(i+="","="===t?i===n:"!="===t?i!==n:"^="===t?n&&0===i.indexOf(n):"*="===t?n&&i.indexOf(n)>-1:"$="===t?n&&i.slice(-n.length)===n:"~="===t?(" "+i+" ").indexOf(n)>-1:"|="===t?i===n||i.slice(0,n.length+1)===n+"-":!1):!0}},CHILD:function(e,t,n,r,i){var o="nth"!==e.slice(0,3),a="last"!==e.slice(-4),s="of-type"===t;return 1===r&&0===i?function(e){return!!e.parentNode}:function(t,n,u){var l,c,p,f,d,h,g=o!==a?"nextSibling":"previousSibling",m=t.parentNode,y=s&&t.nodeName.toLowerCase(),v=!u&&!s;if(m){if(o){while(g){p=t;while(p=p[g])if(s?p.nodeName.toLowerCase()===y:1===p.nodeType)return!1;h=g="only"===e&&!h&&"nextSibling"}return!0}if(h=[a?m.firstChild:m.lastChild],a&&v){c=m[x]||(m[x]={}),l=c[e]||[],d=l[0]===N&&l[1],f=l[0]===N&&l[2],p=d&&m.childNodes[d];while(p=++d&&p&&p[g]||(f=d=0)||h.pop())if(1===p.nodeType&&++f&&p===t){c[e]=[N,d,f];break}}else if(v&&(l=(t[x]||(t[x]={}))[e])&&l[0]===N)f=l[1];else while(p=++d&&p&&p[g]||(f=d=0)||h.pop())if((s?p.nodeName.toLowerCase()===y:1===p.nodeType)&&++f&&(v&&((p[x]||(p[x]={}))[e]=[N,f]),p===t))break;return f-=i,f===r||0===f%r&&f/r>=0}}},PSEUDO:function(e,t){var n,r=i.pseudos[e]||i.setFilters[e.toLowerCase()]||st.error("unsupported pseudo: "+e);return r[x]?r(t):r.length>1?(n=[e,e,"",t],i.setFilters.hasOwnProperty(e.toLowerCase())?ot(function(e,n){var i,o=r(e,t),a=o.length;while(a--)i=M.call(e,o[a]),e[i]=!(n[i]=o[a])}):function(e){return r(e,0,n)}):r}},pseudos:{not:ot(function(e){var t=[],n=[],r=s(e.replace(W,"$1"));return r[x]?ot(function(e,t,n,i){var o,a=r(e,null,i,[]),s=e.length;while(s--)(o=a[s])&&(e[s]=!(t[s]=o))}):function(e,i,o){return t[0]=e,r(t,null,o,n),!n.pop()}}),has:ot(function(e){return function(t){return st(e,t).length>0}}),contains:ot(function(e){return function(t){return(t.textContent||t.innerText||o(t)).indexOf(e)>-1}}),lang:ot(function(e){return X.test(e||"")||st.error("unsupported lang: "+e),e=e.replace(et,tt).toLowerCase(),function(t){var n;do if(n=d?t.getAttribute("xml:lang")||t.getAttribute("lang"):t.lang)return n=n.toLowerCase(),n===e||0===n.indexOf(e+"-");while((t=t.parentNode)&&1===t.nodeType);return!1}}),target:function(t){var n=e.location&&e.location.hash;return n&&n.slice(1)===t.id},root:function(e){return e===f},focus:function(e){return e===p.activeElement&&(!p.hasFocus||p.hasFocus())&&!!(e.type||e.href||~e.tabIndex)},enabled:function(e){return e.disabled===!1},disabled:function(e){return e.disabled===!0},checked:function(e){var t=e.nodeName.toLowerCase();return"input"===t&&!!e.checked||"option"===t&&!!e.selected},selected:function(e){return e.parentNode&&e.parentNode.selectedIndex,e.selected===!0},empty:function(e){for(e=e.firstChild;e;e=e.nextSibling)if(e.nodeName>"@"||3===e.nodeType||4===e.nodeType)return!1;return!0},parent:function(e){return!i.pseudos.empty(e)},header:function(e){return Q.test(e.nodeName)},input:function(e){return G.test(e.nodeName)},button:function(e){var t=e.nodeName.toLowerCase();return"input"===t&&"button"===e.type||"button"===t},text:function(e){var t;return"input"===e.nodeName.toLowerCase()&&"text"===e.type&&(null==(t=e.getAttribute("type"))||t.toLowerCase()===e.type)},first:pt(function(){return[0]}),last:pt(function(e,t){return[t-1]}),eq:pt(function(e,t,n){return[0>n?n+t:n]}),even:pt(function(e,t){var n=0;for(;t>n;n+=2)e.push(n);return e}),odd:pt(function(e,t){var n=1;for(;t>n;n+=2)e.push(n);return e}),lt:pt(function(e,t,n){var r=0>n?n+t:n;for(;--r>=0;)e.push(r);return e}),gt:pt(function(e,t,n){var r=0>n?n+t:n;for(;t>++r;)e.push(r);return e})}};for(n in{radio:!0,checkbox:!0,file:!0,password:!0,image:!0})i.pseudos[n]=lt(n);for(n in{submit:!0,reset:!0})i.pseudos[n]=ct(n);function ft(e,t){var n,r,o,a,s,u,l,c=E[e+" "];if(c)return t?0:c.slice(0);s=e,u=[],l=i.preFilter;while(s){(!n||(r=$.exec(s)))&&(r&&(s=s.slice(r[0].length)||s),u.push(o=[])),n=!1,(r=I.exec(s))&&(n=r.shift(),o.push({value:n,type:r[0].replace(W," ")}),s=s.slice(n.length));for(a in i.filter)!(r=U[a].exec(s))||l[a]&&!(r=l[a](r))||(n=r.shift(),o.push({value:n,type:a,matches:r}),s=s.slice(n.length));if(!n)break}return t?s.length:s?st.error(e):E(e,u).slice(0)}function dt(e){var t=0,n=e.length,r="";for(;n>t;t++)r+=e[t].value;return r}function ht(e,t,n){var i=t.dir,o=n&&"parentNode"===i,a=C++;return t.first?function(t,n,r){while(t=t[i])if(1===t.nodeType||o)return e(t,n,r)}:function(t,n,s){var u,l,c,p=N+" "+a;if(s){while(t=t[i])if((1===t.nodeType||o)&&e(t,n,s))return!0}else while(t=t[i])if(1===t.nodeType||o)if(c=t[x]||(t[x]={}),(l=c[i])&&l[0]===p){if((u=l[1])===!0||u===r)return u===!0}else if(l=c[i]=[p],l[1]=e(t,n,s)||r,l[1]===!0)return!0}}function gt(e){return e.length>1?function(t,n,r){var i=e.length;while(i--)if(!e[i](t,n,r))return!1;return!0}:e[0]}function mt(e,t,n,r,i){var o,a=[],s=0,u=e.length,l=null!=t;for(;u>s;s++)(o=e[s])&&(!n||n(o,r,i))&&(a.push(o),l&&t.push(s));return a}function yt(e,t,n,r,i,o){return r&&!r[x]&&(r=yt(r)),i&&!i[x]&&(i=yt(i,o)),ot(function(o,a,s,u){var l,c,p,f=[],d=[],h=a.length,g=o||xt(t||"*",s.nodeType?[s]:s,[]),m=!e||!o&&t?g:mt(g,f,e,s,u),y=n?i||(o?e:h||r)?[]:a:m;if(n&&n(m,y,s,u),r){l=mt(y,d),r(l,[],s,u),c=l.length;while(c--)(p=l[c])&&(y[d[c]]=!(m[d[c]]=p))}if(o){if(i||e){if(i){l=[],c=y.length;while(c--)(p=y[c])&&l.push(m[c]=p);i(null,y=[],l,u)}c=y.length;while(c--)(p=y[c])&&(l=i?M.call(o,p):f[c])>-1&&(o[l]=!(a[l]=p))}}else y=mt(y===a?y.splice(h,y.length):y),i?i(null,a,y,u):H.apply(a,y)})}function vt(e){var t,n,r,o=e.length,a=i.relative[e[0].type],s=a||i.relative[" "],u=a?1:0,c=ht(function(e){return e===t},s,!0),p=ht(function(e){return M.call(t,e)>-1},s,!0),f=[function(e,n,r){return!a&&(r||n!==l)||((t=n).nodeType?c(e,n,r):p(e,n,r))}];for(;o>u;u++)if(n=i.relative[e[u].type])f=[ht(gt(f),n)];else{if(n=i.filter[e[u].type].apply(null,e[u].matches),n[x]){for(r=++u;o>r;r++)if(i.relative[e[r].type])break;return yt(u>1&&gt(f),u>1&&dt(e.slice(0,u-1)).replace(W,"$1"),n,r>u&&vt(e.slice(u,r)),o>r&&vt(e=e.slice(r)),o>r&&dt(e))}f.push(n)}return gt(f)}function bt(e,t){var n=0,o=t.length>0,a=e.length>0,s=function(s,u,c,f,d){var h,g,m,y=[],v=0,b="0",x=s&&[],w=null!=d,T=l,C=s||a&&i.find.TAG("*",d&&u.parentNode||u),k=N+=null==T?1:Math.random()||.1;for(w&&(l=u!==p&&u,r=n);null!=(h=C[b]);b++){if(a&&h){g=0;while(m=e[g++])if(m(h,u,c)){f.push(h);break}w&&(N=k,r=++n)}o&&((h=!m&&h)&&v--,s&&x.push(h))}if(v+=b,o&&b!==v){g=0;while(m=t[g++])m(x,y,u,c);if(s){if(v>0)while(b--)x[b]||y[b]||(y[b]=L.call(f));y=mt(y)}H.apply(f,y),w&&!s&&y.length>0&&v+t.length>1&&st.uniqueSort(f)}return w&&(N=k,l=T),x};return o?ot(s):s}s=st.compile=function(e,t){var n,r=[],i=[],o=S[e+" "];if(!o){t||(t=ft(e)),n=t.length;while(n--)o=vt(t[n]),o[x]?r.push(o):i.push(o);o=S(e,bt(i,r))}return o};function xt(e,t,n){var r=0,i=t.length;for(;i>r;r++)st(e,t[r],n);return n}function wt(e,t,n,r){var o,a,u,l,c,p=ft(e);if(!r&&1===p.length){if(a=p[0]=p[0].slice(0),a.length>2&&"ID"===(u=a[0]).type&&9===t.nodeType&&!d&&i.relative[a[1].type]){if(t=i.find.ID(u.matches[0].replace(et,tt),t)[0],!t)return n;e=e.slice(a.shift().value.length)}o=U.needsContext.test(e)?0:a.length;while(o--){if(u=a[o],i.relative[l=u.type])break;if((c=i.find[l])&&(r=c(u.matches[0].replace(et,tt),V.test(a[0].type)&&t.parentNode||t))){if(a.splice(o,1),e=r.length&&dt(a),!e)return H.apply(n,q.call(r,0)),n;break}}}return s(e,p)(r,t,d,n,V.test(e)),n}i.pseudos.nth=i.pseudos.eq;function Tt(){}i.filters=Tt.prototype=i.pseudos,i.setFilters=new Tt,c(),st.attr=b.attr,b.find=st,b.expr=st.selectors,b.expr[":"]=b.expr.pseudos,b.unique=st.uniqueSort,b.text=st.getText,b.isXMLDoc=st.isXML,b.contains=st.contains}(e);var at=/Until$/,st=/^(?:parents|prev(?:Until|All))/,ut=/^.[^:#\[\.,]*$/,lt=b.expr.match.needsContext,ct={children:!0,contents:!0,next:!0,prev:!0};b.fn.extend({find:function(e){var t,n,r,i=this.length;if("string"!=typeof e)return r=this,this.pushStack(b(e).filter(function(){for(t=0;i>t;t++)if(b.contains(r[t],this))return!0}));for(n=[],t=0;i>t;t++)b.find(e,this[t],n);return n=this.pushStack(i>1?b.unique(n):n),n.selector=(this.selector?this.selector+" ":"")+e,n},has:function(e){var t,n=b(e,this),r=n.length;return this.filter(function(){for(t=0;r>t;t++)if(b.contains(this,n[t]))return!0})},not:function(e){return this.pushStack(ft(this,e,!1))},filter:function(e){return this.pushStack(ft(this,e,!0))},is:function(e){return!!e&&("string"==typeof e?lt.test(e)?b(e,this.context).index(this[0])>=0:b.filter(e,this).length>0:this.filter(e).length>0)},closest:function(e,t){var n,r=0,i=this.length,o=[],a=lt.test(e)||"string"!=typeof e?b(e,t||this.context):0;for(;i>r;r++){n=this[r];while(n&&n.ownerDocument&&n!==t&&11!==n.nodeType){if(a?a.index(n)>-1:b.find.matchesSelector(n,e)){o.push(n);break}n=n.parentNode}}return this.pushStack(o.length>1?b.unique(o):o)},index:function(e){return e?"string"==typeof e?b.inArray(this[0],b(e)):b.inArray(e.jquery?e[0]:e,this):this[0]&&this[0].parentNode?this.first().prevAll().length:-1},add:function(e,t){var n="string"==typeof e?b(e,t):b.makeArray(e&&e.nodeType?[e]:e),r=b.merge(this.get(),n);return this.pushStack(b.unique(r))},addBack:function(e){return this.add(null==e?this.prevObject:this.prevObject.filter(e))}}),b.fn.andSelf=b.fn.addBack;function pt(e,t){do e=e[t];while(e&&1!==e.nodeType);return e}b.each({parent:function(e){var t=e.parentNode;return t&&11!==t.nodeType?t:null},parents:function(e){return b.dir(e,"parentNode")},parentsUntil:function(e,t,n){return b.dir(e,"parentNode",n)},next:function(e){return pt(e,"nextSibling")},prev:function(e){return pt(e,"previousSibling")},nextAll:function(e){return b.dir(e,"nextSibling")},prevAll:function(e){return b.dir(e,"previousSibling")},nextUntil:function(e,t,n){return b.dir(e,"nextSibling",n)},prevUntil:function(e,t,n){return b.dir(e,"previousSibling",n)},siblings:function(e){return b.sibling((e.parentNode||{}).firstChild,e)},children:function(e){return b.sibling(e.firstChild)},contents:function(e){return b.nodeName(e,"iframe")?e.contentDocument||e.contentWindow.document:b.merge([],e.childNodes)}},function(e,t){b.fn[e]=function(n,r){var i=b.map(this,t,n);return at.test(e)||(r=n),r&&"string"==typeof r&&(i=b.filter(r,i)),i=this.length>1&&!ct[e]?b.unique(i):i,this.length>1&&st.test(e)&&(i=i.reverse()),this.pushStack(i)}}),b.extend({filter:function(e,t,n){return n&&(e=":not("+e+")"),1===t.length?b.find.matchesSelector(t[0],e)?[t[0]]:[]:b.find.matches(e,t)},dir:function(e,n,r){var i=[],o=e[n];while(o&&9!==o.nodeType&&(r===t||1!==o.nodeType||!b(o).is(r)))1===o.nodeType&&i.push(o),o=o[n];return i},sibling:function(e,t){var n=[];for(;e;e=e.nextSibling)1===e.nodeType&&e!==t&&n.push(e);return n}});function ft(e,t,n){if(t=t||0,b.isFunction(t))return b.grep(e,function(e,r){var i=!!t.call(e,r,e);return i===n});if(t.nodeType)return b.grep(e,function(e){return e===t===n});if("string"==typeof t){var r=b.grep(e,function(e){return 1===e.nodeType});if(ut.test(t))return b.filter(t,r,!n);t=b.filter(t,r)}return b.grep(e,function(e){return b.inArray(e,t)>=0===n})}function dt(e){var t=ht.split("|"),n=e.createDocumentFragment();if(n.createElement)while(t.length)n.createElement(t.pop());return n}var ht="abbr|article|aside|audio|bdi|canvas|data|datalist|details|figcaption|figure|footer|header|hgroup|mark|meter|nav|output|progress|section|summary|time|video",gt=/ jQuery\d+="(?:null|\d+)"/g,mt=RegExp("<(?:"+ht+")[\\s/>]","i"),yt=/^\s+/,vt=/<(?!area|br|col|embed|hr|img|input|link|meta|param)(([\w:]+)[^>]*)\/>/gi,bt=/<([\w:]+)/,xt=/<tbody/i,wt=/<|&#?\w+;/,Tt=/<(?:script|style|link)/i,Nt=/^(?:checkbox|radio)$/i,Ct=/checked\s*(?:[^=]|=\s*.checked.)/i,kt=/^$|\/(?:java|ecma)script/i,Et=/^true\/(.*)/,St=/^\s*<!(?:\[CDATA\[|--)|(?:\]\]|--)>\s*$/g,At={option:[1,"<select multiple='multiple'>","</select>"],legend:[1,"<fieldset>","</fieldset>"],area:[1,"<map>","</map>"],param:[1,"<object>","</object>"],thead:[1,"<table>","</table>"],tr:[2,"<table><tbody>","</tbody></table>"],col:[2,"<table><tbody></tbody><colgroup>","</colgroup></table>"],td:[3,"<table><tbody><tr>","</tr></tbody></table>"],_default:b.support.htmlSerialize?[0,"",""]:[1,"X<div>","</div>"]},jt=dt(o),Dt=jt.appendChild(o.createElement("div"));At.optgroup=At.option,At.tbody=At.tfoot=At.colgroup=At.caption=At.thead,At.th=At.td,b.fn.extend({text:function(e){return b.access(this,function(e){return e===t?b.text(this):this.empty().append((this[0]&&this[0].ownerDocument||o).createTextNode(e))},null,e,arguments.length)},wrapAll:function(e){if(b.isFunction(e))return this.each(function(t){b(this).wrapAll(e.call(this,t))});if(this[0]){var t=b(e,this[0].ownerDocument).eq(0).clone(!0);this[0].parentNode&&t.insertBefore(this[0]),t.map(function(){var e=this;while(e.firstChild&&1===e.firstChild.nodeType)e=e.firstChild;return e}).append(this)}return this},wrapInner:function(e){return b.isFunction(e)?this.each(function(t){b(this).wrapInner(e.call(this,t))}):this.each(function(){var t=b(this),n=t.contents();n.length?n.wrapAll(e):t.append(e)})},wrap:function(e){var t=b.isFunction(e);return this.each(function(n){b(this).wrapAll(t?e.call(this,n):e)})},unwrap:function(){return this.parent().each(function(){b.nodeName(this,"body")||b(this).replaceWith(this.childNodes)}).end()},append:function(){return this.domManip(arguments,!0,function(e){(1===this.nodeType||11===this.nodeType||9===this.nodeType)&&this.appendChild(e)})},prepend:function(){return this.domManip(arguments,!0,function(e){(1===this.nodeType||11===this.nodeType||9===this.nodeType)&&this.insertBefore(e,this.firstChild)})},before:function(){return this.domManip(arguments,!1,function(e){this.parentNode&&this.parentNode.insertBefore(e,this)})},after:function(){return this.domManip(arguments,!1,function(e){this.parentNode&&this.parentNode.insertBefore(e,this.nextSibling)})},remove:function(e,t){var n,r=0;for(;null!=(n=this[r]);r++)(!e||b.filter(e,[n]).length>0)&&(t||1!==n.nodeType||b.cleanData(Ot(n)),n.parentNode&&(t&&b.contains(n.ownerDocument,n)&&Mt(Ot(n,"script")),n.parentNode.removeChild(n)));return this},empty:function(){var e,t=0;for(;null!=(e=this[t]);t++){1===e.nodeType&&b.cleanData(Ot(e,!1));while(e.firstChild)e.removeChild(e.firstChild);e.options&&b.nodeName(e,"select")&&(e.options.length=0)}return this},clone:function(e,t){return e=null==e?!1:e,t=null==t?e:t,this.map(function(){return b.clone(this,e,t)})},html:function(e){return b.access(this,function(e){var n=this[0]||{},r=0,i=this.length;if(e===t)return 1===n.nodeType?n.innerHTML.replace(gt,""):t;if(!("string"!=typeof e||Tt.test(e)||!b.support.htmlSerialize&&mt.test(e)||!b.support.leadingWhitespace&&yt.test(e)||At[(bt.exec(e)||["",""])[1].toLowerCase()])){e=e.replace(vt,"<$1></$2>");try{for(;i>r;r++)n=this[r]||{},1===n.nodeType&&(b.cleanData(Ot(n,!1)),n.innerHTML=e);n=0}catch(o){}}n&&this.empty().append(e)},null,e,arguments.length)},replaceWith:function(e){var t=b.isFunction(e);return t||"string"==typeof e||(e=b(e).not(this).detach()),this.domManip([e],!0,function(e){var t=this.nextSibling,n=this.parentNode;n&&(b(this).remove(),n.insertBefore(e,t))})},detach:function(e){return this.remove(e,!0)},domManip:function(e,n,r){e=f.apply([],e);var i,o,a,s,u,l,c=0,p=this.length,d=this,h=p-1,g=e[0],m=b.isFunction(g);if(m||!(1>=p||"string"!=typeof g||b.support.checkClone)&&Ct.test(g))return this.each(function(i){var o=d.eq(i);m&&(e[0]=g.call(this,i,n?o.html():t)),o.domManip(e,n,r)});if(p&&(l=b.buildFragment(e,this[0].ownerDocument,!1,this),i=l.firstChild,1===l.childNodes.length&&(l=i),i)){for(n=n&&b.nodeName(i,"tr"),s=b.map(Ot(l,"script"),Ht),a=s.length;p>c;c++)o=l,c!==h&&(o=b.clone(o,!0,!0),a&&b.merge(s,Ot(o,"script"))),r.call(n&&b.nodeName(this[c],"table")?Lt(this[c],"tbody"):this[c],o,c);if(a)for(u=s[s.length-1].ownerDocument,b.map(s,qt),c=0;a>c;c++)o=s[c],kt.test(o.type||"")&&!b._data(o,"globalEval")&&b.contains(u,o)&&(o.src?b.ajax({url:o.src,type:"GET",dataType:"script",async:!1,global:!1,"throws":!0}):b.globalEval((o.text||o.textContent||o.innerHTML||"").replace(St,"")));l=i=null}return this}});function Lt(e,t){return e.getElementsByTagName(t)[0]||e.appendChild(e.ownerDocument.createElement(t))}function Ht(e){var t=e.getAttributeNode("type");return e.type=(t&&t.specified)+"/"+e.type,e}function qt(e){var t=Et.exec(e.type);return t?e.type=t[1]:e.removeAttribute("type"),e}function Mt(e,t){var n,r=0;for(;null!=(n=e[r]);r++)b._data(n,"globalEval",!t||b._data(t[r],"globalEval"))}function _t(e,t){if(1===t.nodeType&&b.hasData(e)){var n,r,i,o=b._data(e),a=b._data(t,o),s=o.events;if(s){delete a.handle,a.events={};for(n in s)for(r=0,i=s[n].length;i>r;r++)b.event.add(t,n,s[n][r])}a.data&&(a.data=b.extend({},a.data))}}function Ft(e,t){var n,r,i;if(1===t.nodeType){if(n=t.nodeName.toLowerCase(),!b.support.noCloneEvent&&t[b.expando]){i=b._data(t);for(r in i.events)b.removeEvent(t,r,i.handle);t.removeAttribute(b.expando)}"script"===n&&t.text!==e.text?(Ht(t).text=e.text,qt(t)):"object"===n?(t.parentNode&&(t.outerHTML=e.outerHTML),b.support.html5Clone&&e.innerHTML&&!b.trim(t.innerHTML)&&(t.innerHTML=e.innerHTML)):"input"===n&&Nt.test(e.type)?(t.defaultChecked=t.checked=e.checked,t.value!==e.value&&(t.value=e.value)):"option"===n?t.defaultSelected=t.selected=e.defaultSelected:("input"===n||"textarea"===n)&&(t.defaultValue=e.defaultValue)}}b.each({appendTo:"append",prependTo:"prepend",insertBefore:"before",insertAfter:"after",replaceAll:"replaceWith"},function(e,t){b.fn[e]=function(e){var n,r=0,i=[],o=b(e),a=o.length-1;for(;a>=r;r++)n=r===a?this:this.clone(!0),b(o[r])[t](n),d.apply(i,n.get());return this.pushStack(i)}});function Ot(e,n){var r,o,a=0,s=typeof e.getElementsByTagName!==i?e.getElementsByTagName(n||"*"):typeof e.querySelectorAll!==i?e.querySelectorAll(n||"*"):t;if(!s)for(s=[],r=e.childNodes||e;null!=(o=r[a]);a++)!n||b.nodeName(o,n)?s.push(o):b.merge(s,Ot(o,n));return n===t||n&&b.nodeName(e,n)?b.merge([e],s):s}function Bt(e){Nt.test(e.type)&&(e.defaultChecked=e.checked)}b.extend({clone:function(e,t,n){var r,i,o,a,s,u=b.contains(e.ownerDocument,e);if(b.support.html5Clone||b.isXMLDoc(e)||!mt.test("<"+e.nodeName+">")?o=e.cloneNode(!0):(Dt.innerHTML=e.outerHTML,Dt.removeChild(o=Dt.firstChild)),!(b.support.noCloneEvent&&b.support.noCloneChecked||1!==e.nodeType&&11!==e.nodeType||b.isXMLDoc(e)))for(r=Ot(o),s=Ot(e),a=0;null!=(i=s[a]);++a)r[a]&&Ft(i,r[a]);if(t)if(n)for(s=s||Ot(e),r=r||Ot(o),a=0;null!=(i=s[a]);a++)_t(i,r[a]);else _t(e,o);return r=Ot(o,"script"),r.length>0&&Mt(r,!u&&Ot(e,"script")),r=s=i=null,o},buildFragment:function(e,t,n,r){var i,o,a,s,u,l,c,p=e.length,f=dt(t),d=[],h=0;for(;p>h;h++)if(o=e[h],o||0===o)if("object"===b.type(o))b.merge(d,o.nodeType?[o]:o);else if(wt.test(o)){s=s||f.appendChild(t.createElement("div")),u=(bt.exec(o)||["",""])[1].toLowerCase(),c=At[u]||At._default,s.innerHTML=c[1]+o.replace(vt,"<$1></$2>")+c[2],i=c[0];while(i--)s=s.lastChild;if(!b.support.leadingWhitespace&&yt.test(o)&&d.push(t.createTextNode(yt.exec(o)[0])),!b.support.tbody){o="table"!==u||xt.test(o)?"<table>"!==c[1]||xt.test(o)?0:s:s.firstChild,i=o&&o.childNodes.length;while(i--)b.nodeName(l=o.childNodes[i],"tbody")&&!l.childNodes.length&&o.removeChild(l) }b.merge(d,s.childNodes),s.textContent="";while(s.firstChild)s.removeChild(s.firstChild);s=f.lastChild}else d.push(t.createTextNode(o));s&&f.removeChild(s),b.support.appendChecked||b.grep(Ot(d,"input"),Bt),h=0;while(o=d[h++])if((!r||-1===b.inArray(o,r))&&(a=b.contains(o.ownerDocument,o),s=Ot(f.appendChild(o),"script"),a&&Mt(s),n)){i=0;while(o=s[i++])kt.test(o.type||"")&&n.push(o)}return s=null,f},cleanData:function(e,t){var n,r,o,a,s=0,u=b.expando,l=b.cache,p=b.support.deleteExpando,f=b.event.special;for(;null!=(n=e[s]);s++)if((t||b.acceptData(n))&&(o=n[u],a=o&&l[o])){if(a.events)for(r in a.events)f[r]?b.event.remove(n,r):b.removeEvent(n,r,a.handle);l[o]&&(delete l[o],p?delete n[u]:typeof n.removeAttribute!==i?n.removeAttribute(u):n[u]=null,c.push(o))}}});var Pt,Rt,Wt,$t=/alpha\([^)]*\)/i,It=/opacity\s*=\s*([^)]*)/,zt=/^(top|right|bottom|left)$/,Xt=/^(none|table(?!-c[ea]).+)/,Ut=/^margin/,Vt=RegExp("^("+x+")(.*)$","i"),Yt=RegExp("^("+x+")(?!px)[a-z%]+$","i"),Jt=RegExp("^([+-])=("+x+")","i"),Gt={BODY:"block"},Qt={position:"absolute",visibility:"hidden",display:"block"},Kt={letterSpacing:0,fontWeight:400},Zt=["Top","Right","Bottom","Left"],en=["Webkit","O","Moz","ms"];function tn(e,t){if(t in e)return t;var n=t.charAt(0).toUpperCase()+t.slice(1),r=t,i=en.length;while(i--)if(t=en[i]+n,t in e)return t;return r}function nn(e,t){return e=t||e,"none"===b.css(e,"display")||!b.contains(e.ownerDocument,e)}function rn(e,t){var n,r,i,o=[],a=0,s=e.length;for(;s>a;a++)r=e[a],r.style&&(o[a]=b._data(r,"olddisplay"),n=r.style.display,t?(o[a]||"none"!==n||(r.style.display=""),""===r.style.display&&nn(r)&&(o[a]=b._data(r,"olddisplay",un(r.nodeName)))):o[a]||(i=nn(r),(n&&"none"!==n||!i)&&b._data(r,"olddisplay",i?n:b.css(r,"display"))));for(a=0;s>a;a++)r=e[a],r.style&&(t&&"none"!==r.style.display&&""!==r.style.display||(r.style.display=t?o[a]||"":"none"));return e}b.fn.extend({css:function(e,n){return b.access(this,function(e,n,r){var i,o,a={},s=0;if(b.isArray(n)){for(o=Rt(e),i=n.length;i>s;s++)a[n[s]]=b.css(e,n[s],!1,o);return a}return r!==t?b.style(e,n,r):b.css(e,n)},e,n,arguments.length>1)},show:function(){return rn(this,!0)},hide:function(){return rn(this)},toggle:function(e){var t="boolean"==typeof e;return this.each(function(){(t?e:nn(this))?b(this).show():b(this).hide()})}}),b.extend({cssHooks:{opacity:{get:function(e,t){if(t){var n=Wt(e,"opacity");return""===n?"1":n}}}},cssNumber:{columnCount:!0,fillOpacity:!0,fontWeight:!0,lineHeight:!0,opacity:!0,orphans:!0,widows:!0,zIndex:!0,zoom:!0},cssProps:{"float":b.support.cssFloat?"cssFloat":"styleFloat"},style:function(e,n,r,i){if(e&&3!==e.nodeType&&8!==e.nodeType&&e.style){var o,a,s,u=b.camelCase(n),l=e.style;if(n=b.cssProps[u]||(b.cssProps[u]=tn(l,u)),s=b.cssHooks[n]||b.cssHooks[u],r===t)return s&&"get"in s&&(o=s.get(e,!1,i))!==t?o:l[n];if(a=typeof r,"string"===a&&(o=Jt.exec(r))&&(r=(o[1]+1)*o[2]+parseFloat(b.css(e,n)),a="number"),!(null==r||"number"===a&&isNaN(r)||("number"!==a||b.cssNumber[u]||(r+="px"),b.support.clearCloneStyle||""!==r||0!==n.indexOf("background")||(l[n]="inherit"),s&&"set"in s&&(r=s.set(e,r,i))===t)))try{l[n]=r}catch(c){}}},css:function(e,n,r,i){var o,a,s,u=b.camelCase(n);return n=b.cssProps[u]||(b.cssProps[u]=tn(e.style,u)),s=b.cssHooks[n]||b.cssHooks[u],s&&"get"in s&&(a=s.get(e,!0,r)),a===t&&(a=Wt(e,n,i)),"normal"===a&&n in Kt&&(a=Kt[n]),""===r||r?(o=parseFloat(a),r===!0||b.isNumeric(o)?o||0:a):a},swap:function(e,t,n,r){var i,o,a={};for(o in t)a[o]=e.style[o],e.style[o]=t[o];i=n.apply(e,r||[]);for(o in t)e.style[o]=a[o];return i}}),e.getComputedStyle?(Rt=function(t){return e.getComputedStyle(t,null)},Wt=function(e,n,r){var i,o,a,s=r||Rt(e),u=s?s.getPropertyValue(n)||s[n]:t,l=e.style;return s&&(""!==u||b.contains(e.ownerDocument,e)||(u=b.style(e,n)),Yt.test(u)&&Ut.test(n)&&(i=l.width,o=l.minWidth,a=l.maxWidth,l.minWidth=l.maxWidth=l.width=u,u=s.width,l.width=i,l.minWidth=o,l.maxWidth=a)),u}):o.documentElement.currentStyle&&(Rt=function(e){return e.currentStyle},Wt=function(e,n,r){var i,o,a,s=r||Rt(e),u=s?s[n]:t,l=e.style;return null==u&&l&&l[n]&&(u=l[n]),Yt.test(u)&&!zt.test(n)&&(i=l.left,o=e.runtimeStyle,a=o&&o.left,a&&(o.left=e.currentStyle.left),l.left="fontSize"===n?"1em":u,u=l.pixelLeft+"px",l.left=i,a&&(o.left=a)),""===u?"auto":u});function on(e,t,n){var r=Vt.exec(t);return r?Math.max(0,r[1]-(n||0))+(r[2]||"px"):t}function an(e,t,n,r,i){var o=n===(r?"border":"content")?4:"width"===t?1:0,a=0;for(;4>o;o+=2)"margin"===n&&(a+=b.css(e,n+Zt[o],!0,i)),r?("content"===n&&(a-=b.css(e,"padding"+Zt[o],!0,i)),"margin"!==n&&(a-=b.css(e,"border"+Zt[o]+"Width",!0,i))):(a+=b.css(e,"padding"+Zt[o],!0,i),"padding"!==n&&(a+=b.css(e,"border"+Zt[o]+"Width",!0,i)));return a}function sn(e,t,n){var r=!0,i="width"===t?e.offsetWidth:e.offsetHeight,o=Rt(e),a=b.support.boxSizing&&"border-box"===b.css(e,"boxSizing",!1,o);if(0>=i||null==i){if(i=Wt(e,t,o),(0>i||null==i)&&(i=e.style[t]),Yt.test(i))return i;r=a&&(b.support.boxSizingReliable||i===e.style[t]),i=parseFloat(i)||0}return i+an(e,t,n||(a?"border":"content"),r,o)+"px"}function un(e){var t=o,n=Gt[e];return n||(n=ln(e,t),"none"!==n&&n||(Pt=(Pt||b("<iframe frameborder='0' width='0' height='0'/>").css("cssText","display:block !important")).appendTo(t.documentElement),t=(Pt[0].contentWindow||Pt[0].contentDocument).document,t.write("<!doctype html><html><body>"),t.close(),n=ln(e,t),Pt.detach()),Gt[e]=n),n}function ln(e,t){var n=b(t.createElement(e)).appendTo(t.body),r=b.css(n[0],"display");return n.remove(),r}b.each(["height","width"],function(e,n){b.cssHooks[n]={get:function(e,r,i){return r?0===e.offsetWidth&&Xt.test(b.css(e,"display"))?b.swap(e,Qt,function(){return sn(e,n,i)}):sn(e,n,i):t},set:function(e,t,r){var i=r&&Rt(e);return on(e,t,r?an(e,n,r,b.support.boxSizing&&"border-box"===b.css(e,"boxSizing",!1,i),i):0)}}}),b.support.opacity||(b.cssHooks.opacity={get:function(e,t){return It.test((t&&e.currentStyle?e.currentStyle.filter:e.style.filter)||"")?.01*parseFloat(RegExp.$1)+"":t?"1":""},set:function(e,t){var n=e.style,r=e.currentStyle,i=b.isNumeric(t)?"alpha(opacity="+100*t+")":"",o=r&&r.filter||n.filter||"";n.zoom=1,(t>=1||""===t)&&""===b.trim(o.replace($t,""))&&n.removeAttribute&&(n.removeAttribute("filter"),""===t||r&&!r.filter)||(n.filter=$t.test(o)?o.replace($t,i):o+" "+i)}}),b(function(){b.support.reliableMarginRight||(b.cssHooks.marginRight={get:function(e,n){return n?b.swap(e,{display:"inline-block"},Wt,[e,"marginRight"]):t}}),!b.support.pixelPosition&&b.fn.position&&b.each(["top","left"],function(e,n){b.cssHooks[n]={get:function(e,r){return r?(r=Wt(e,n),Yt.test(r)?b(e).position()[n]+"px":r):t}}})}),b.expr&&b.expr.filters&&(b.expr.filters.hidden=function(e){return 0>=e.offsetWidth&&0>=e.offsetHeight||!b.support.reliableHiddenOffsets&&"none"===(e.style&&e.style.display||b.css(e,"display"))},b.expr.filters.visible=function(e){return!b.expr.filters.hidden(e)}),b.each({margin:"",padding:"",border:"Width"},function(e,t){b.cssHooks[e+t]={expand:function(n){var r=0,i={},o="string"==typeof n?n.split(" "):[n];for(;4>r;r++)i[e+Zt[r]+t]=o[r]||o[r-2]||o[0];return i}},Ut.test(e)||(b.cssHooks[e+t].set=on)});var cn=/%20/g,pn=/\[\]$/,fn=/\r?\n/g,dn=/^(?:submit|button|image|reset|file)$/i,hn=/^(?:input|select|textarea|keygen)/i;b.fn.extend({serialize:function(){return b.param(this.serializeArray())},serializeArray:function(){return this.map(function(){var e=b.prop(this,"elements");return e?b.makeArray(e):this}).filter(function(){var e=this.type;return this.name&&!b(this).is(":disabled")&&hn.test(this.nodeName)&&!dn.test(e)&&(this.checked||!Nt.test(e))}).map(function(e,t){var n=b(this).val();return null==n?null:b.isArray(n)?b.map(n,function(e){return{name:t.name,value:e.replace(fn,"\r\n")}}):{name:t.name,value:n.replace(fn,"\r\n")}}).get()}}),b.param=function(e,n){var r,i=[],o=function(e,t){t=b.isFunction(t)?t():null==t?"":t,i[i.length]=encodeURIComponent(e)+"="+encodeURIComponent(t)};if(n===t&&(n=b.ajaxSettings&&b.ajaxSettings.traditional),b.isArray(e)||e.jquery&&!b.isPlainObject(e))b.each(e,function(){o(this.name,this.value)});else for(r in e)gn(r,e[r],n,o);return i.join("&").replace(cn,"+")};function gn(e,t,n,r){var i;if(b.isArray(t))b.each(t,function(t,i){n||pn.test(e)?r(e,i):gn(e+"["+("object"==typeof i?t:"")+"]",i,n,r)});else if(n||"object"!==b.type(t))r(e,t);else for(i in t)gn(e+"["+i+"]",t[i],n,r)}b.each("blur focus focusin focusout load resize scroll unload click dblclick mousedown mouseup mousemove mouseover mouseout mouseenter mouseleave change select submit keydown keypress keyup error contextmenu".split(" "),function(e,t){b.fn[t]=function(e,n){return arguments.length>0?this.on(t,null,e,n):this.trigger(t)}}),b.fn.hover=function(e,t){return this.mouseenter(e).mouseleave(t||e)};var mn,yn,vn=b.now(),bn=/\?/,xn=/#.*$/,wn=/([?&])_=[^&]*/,Tn=/^(.*?):[ \t]*([^\r\n]*)\r?$/gm,Nn=/^(?:about|app|app-storage|.+-extension|file|res|widget):$/,Cn=/^(?:GET|HEAD)$/,kn=/^\/\//,En=/^([\w.+-]+:)(?:\/\/([^\/?#:]*)(?::(\d+)|)|)/,Sn=b.fn.load,An={},jn={},Dn="*/".concat("*");try{yn=a.href}catch(Ln){yn=o.createElement("a"),yn.href="",yn=yn.href}mn=En.exec(yn.toLowerCase())||[];function Hn(e){return function(t,n){"string"!=typeof t&&(n=t,t="*");var r,i=0,o=t.toLowerCase().match(w)||[];if(b.isFunction(n))while(r=o[i++])"+"===r[0]?(r=r.slice(1)||"*",(e[r]=e[r]||[]).unshift(n)):(e[r]=e[r]||[]).push(n)}}function qn(e,n,r,i){var o={},a=e===jn;function s(u){var l;return o[u]=!0,b.each(e[u]||[],function(e,u){var c=u(n,r,i);return"string"!=typeof c||a||o[c]?a?!(l=c):t:(n.dataTypes.unshift(c),s(c),!1)}),l}return s(n.dataTypes[0])||!o["*"]&&s("*")}function Mn(e,n){var r,i,o=b.ajaxSettings.flatOptions||{};for(i in n)n[i]!==t&&((o[i]?e:r||(r={}))[i]=n[i]);return r&&b.extend(!0,e,r),e}b.fn.load=function(e,n,r){if("string"!=typeof e&&Sn)return Sn.apply(this,arguments);var i,o,a,s=this,u=e.indexOf(" ");return u>=0&&(i=e.slice(u,e.length),e=e.slice(0,u)),b.isFunction(n)?(r=n,n=t):n&&"object"==typeof n&&(a="POST"),s.length>0&&b.ajax({url:e,type:a,dataType:"html",data:n}).done(function(e){o=arguments,s.html(i?b("<div>").append(b.parseHTML(e)).find(i):e)}).complete(r&&function(e,t){s.each(r,o||[e.responseText,t,e])}),this},b.each(["ajaxStart","ajaxStop","ajaxComplete","ajaxError","ajaxSuccess","ajaxSend"],function(e,t){b.fn[t]=function(e){return this.on(t,e)}}),b.each(["get","post"],function(e,n){b[n]=function(e,r,i,o){return b.isFunction(r)&&(o=o||i,i=r,r=t),b.ajax({url:e,type:n,dataType:o,data:r,success:i})}}),b.extend({active:0,lastModified:{},etag:{},ajaxSettings:{url:yn,type:"GET",isLocal:Nn.test(mn[1]),global:!0,processData:!0,async:!0,contentType:"application/x-www-form-urlencoded; charset=UTF-8",accepts:{"*":Dn,text:"text/plain",html:"text/html",xml:"application/xml, text/xml",json:"application/json, text/javascript"},contents:{xml:/xml/,html:/html/,json:/json/},responseFields:{xml:"responseXML",text:"responseText"},converters:{"* text":e.String,"text html":!0,"text json":b.parseJSON,"text xml":b.parseXML},flatOptions:{url:!0,context:!0}},ajaxSetup:function(e,t){return t?Mn(Mn(e,b.ajaxSettings),t):Mn(b.ajaxSettings,e)},ajaxPrefilter:Hn(An),ajaxTransport:Hn(jn),ajax:function(e,n){"object"==typeof e&&(n=e,e=t),n=n||{};var r,i,o,a,s,u,l,c,p=b.ajaxSetup({},n),f=p.context||p,d=p.context&&(f.nodeType||f.jquery)?b(f):b.event,h=b.Deferred(),g=b.Callbacks("once memory"),m=p.statusCode||{},y={},v={},x=0,T="canceled",N={readyState:0,getResponseHeader:function(e){var t;if(2===x){if(!c){c={};while(t=Tn.exec(a))c[t[1].toLowerCase()]=t[2]}t=c[e.toLowerCase()]}return null==t?null:t},getAllResponseHeaders:function(){return 2===x?a:null},setRequestHeader:function(e,t){var n=e.toLowerCase();return x||(e=v[n]=v[n]||e,y[e]=t),this},overrideMimeType:function(e){return x||(p.mimeType=e),this},statusCode:function(e){var t;if(e)if(2>x)for(t in e)m[t]=[m[t],e[t]];else N.always(e[N.status]);return this},abort:function(e){var t=e||T;return l&&l.abort(t),k(0,t),this}};if(h.promise(N).complete=g.add,N.success=N.done,N.error=N.fail,p.url=((e||p.url||yn)+"").replace(xn,"").replace(kn,mn[1]+"//"),p.type=n.method||n.type||p.method||p.type,p.dataTypes=b.trim(p.dataType||"*").toLowerCase().match(w)||[""],null==p.crossDomain&&(r=En.exec(p.url.toLowerCase()),p.crossDomain=!(!r||r[1]===mn[1]&&r[2]===mn[2]&&(r[3]||("http:"===r[1]?80:443))==(mn[3]||("http:"===mn[1]?80:443)))),p.data&&p.processData&&"string"!=typeof p.data&&(p.data=b.param(p.data,p.traditional)),qn(An,p,n,N),2===x)return N;u=p.global,u&&0===b.active++&&b.event.trigger("ajaxStart"),p.type=p.type.toUpperCase(),p.hasContent=!Cn.test(p.type),o=p.url,p.hasContent||(p.data&&(o=p.url+=(bn.test(o)?"&":"?")+p.data,delete p.data),p.cache===!1&&(p.url=wn.test(o)?o.replace(wn,"$1_="+vn++):o+(bn.test(o)?"&":"?")+"_="+vn++)),p.ifModified&&(b.lastModified[o]&&N.setRequestHeader("If-Modified-Since",b.lastModified[o]),b.etag[o]&&N.setRequestHeader("If-None-Match",b.etag[o])),(p.data&&p.hasContent&&p.contentType!==!1||n.contentType)&&N.setRequestHeader("Content-Type",p.contentType),N.setRequestHeader("Accept",p.dataTypes[0]&&p.accepts[p.dataTypes[0]]?p.accepts[p.dataTypes[0]]+("*"!==p.dataTypes[0]?", "+Dn+"; q=0.01":""):p.accepts["*"]);for(i in p.headers)N.setRequestHeader(i,p.headers[i]);if(p.beforeSend&&(p.beforeSend.call(f,N,p)===!1||2===x))return N.abort();T="abort";for(i in{success:1,error:1,complete:1})N[i](p[i]);if(l=qn(jn,p,n,N)){N.readyState=1,u&&d.trigger("ajaxSend",[N,p]),p.async&&p.timeout>0&&(s=setTimeout(function(){N.abort("timeout")},p.timeout));try{x=1,l.send(y,k)}catch(C){if(!(2>x))throw C;k(-1,C)}}else k(-1,"No Transport");function k(e,n,r,i){var c,y,v,w,T,C=n;2!==x&&(x=2,s&&clearTimeout(s),l=t,a=i||"",N.readyState=e>0?4:0,r&&(w=_n(p,N,r)),e>=200&&300>e||304===e?(p.ifModified&&(T=N.getResponseHeader("Last-Modified"),T&&(b.lastModified[o]=T),T=N.getResponseHeader("etag"),T&&(b.etag[o]=T)),204===e?(c=!0,C="nocontent"):304===e?(c=!0,C="notmodified"):(c=Fn(p,w),C=c.state,y=c.data,v=c.error,c=!v)):(v=C,(e||!C)&&(C="error",0>e&&(e=0))),N.status=e,N.statusText=(n||C)+"",c?h.resolveWith(f,[y,C,N]):h.rejectWith(f,[N,C,v]),N.statusCode(m),m=t,u&&d.trigger(c?"ajaxSuccess":"ajaxError",[N,p,c?y:v]),g.fireWith(f,[N,C]),u&&(d.trigger("ajaxComplete",[N,p]),--b.active||b.event.trigger("ajaxStop")))}return N},getScript:function(e,n){return b.get(e,t,n,"script")},getJSON:function(e,t,n){return b.get(e,t,n,"json")}});function _n(e,n,r){var i,o,a,s,u=e.contents,l=e.dataTypes,c=e.responseFields;for(s in c)s in r&&(n[c[s]]=r[s]);while("*"===l[0])l.shift(),o===t&&(o=e.mimeType||n.getResponseHeader("Content-Type"));if(o)for(s in u)if(u[s]&&u[s].test(o)){l.unshift(s);break}if(l[0]in r)a=l[0];else{for(s in r){if(!l[0]||e.converters[s+" "+l[0]]){a=s;break}i||(i=s)}a=a||i}return a?(a!==l[0]&&l.unshift(a),r[a]):t}function Fn(e,t){var n,r,i,o,a={},s=0,u=e.dataTypes.slice(),l=u[0];if(e.dataFilter&&(t=e.dataFilter(t,e.dataType)),u[1])for(i in e.converters)a[i.toLowerCase()]=e.converters[i];for(;r=u[++s];)if("*"!==r){if("*"!==l&&l!==r){if(i=a[l+" "+r]||a["* "+r],!i)for(n in a)if(o=n.split(" "),o[1]===r&&(i=a[l+" "+o[0]]||a["* "+o[0]])){i===!0?i=a[n]:a[n]!==!0&&(r=o[0],u.splice(s--,0,r));break}if(i!==!0)if(i&&e["throws"])t=i(t);else try{t=i(t)}catch(c){return{state:"parsererror",error:i?c:"No conversion from "+l+" to "+r}}}l=r}return{state:"success",data:t}}b.ajaxSetup({accepts:{script:"text/javascript, application/javascript, application/ecmascript, application/x-ecmascript"},contents:{script:/(?:java|ecma)script/},converters:{"text script":function(e){return b.globalEval(e),e}}}),b.ajaxPrefilter("script",function(e){e.cache===t&&(e.cache=!1),e.crossDomain&&(e.type="GET",e.global=!1)}),b.ajaxTransport("script",function(e){if(e.crossDomain){var n,r=o.head||b("head")[0]||o.documentElement;return{send:function(t,i){n=o.createElement("script"),n.async=!0,e.scriptCharset&&(n.charset=e.scriptCharset),n.src=e.url,n.onload=n.onreadystatechange=function(e,t){(t||!n.readyState||/loaded|complete/.test(n.readyState))&&(n.onload=n.onreadystatechange=null,n.parentNode&&n.parentNode.removeChild(n),n=null,t||i(200,"success"))},r.insertBefore(n,r.firstChild)},abort:function(){n&&n.onload(t,!0)}}}});var On=[],Bn=/(=)\?(?=&|$)|\?\?/;b.ajaxSetup({jsonp:"callback",jsonpCallback:function(){var e=On.pop()||b.expando+"_"+vn++;return this[e]=!0,e}}),b.ajaxPrefilter("json jsonp",function(n,r,i){var o,a,s,u=n.jsonp!==!1&&(Bn.test(n.url)?"url":"string"==typeof n.data&&!(n.contentType||"").indexOf("application/x-www-form-urlencoded")&&Bn.test(n.data)&&"data");return u||"jsonp"===n.dataTypes[0]?(o=n.jsonpCallback=b.isFunction(n.jsonpCallback)?n.jsonpCallback():n.jsonpCallback,u?n[u]=n[u].replace(Bn,"$1"+o):n.jsonp!==!1&&(n.url+=(bn.test(n.url)?"&":"?")+n.jsonp+"="+o),n.converters["script json"]=function(){return s||b.error(o+" was not called"),s[0]},n.dataTypes[0]="json",a=e[o],e[o]=function(){s=arguments},i.always(function(){e[o]=a,n[o]&&(n.jsonpCallback=r.jsonpCallback,On.push(o)),s&&b.isFunction(a)&&a(s[0]),s=a=t}),"script"):t});var Pn,Rn,Wn=0,$n=e.ActiveXObject&&function(){var e;for(e in Pn)Pn[e](t,!0)};function In(){try{return new e.XMLHttpRequest}catch(t){}}function zn(){try{return new e.ActiveXObject("Microsoft.XMLHTTP")}catch(t){}}b.ajaxSettings.xhr=e.ActiveXObject?function(){return!this.isLocal&&In()||zn()}:In,Rn=b.ajaxSettings.xhr(),b.support.cors=!!Rn&&"withCredentials"in Rn,Rn=b.support.ajax=!!Rn,Rn&&b.ajaxTransport(function(n){if(!n.crossDomain||b.support.cors){var r;return{send:function(i,o){var a,s,u=n.xhr();if(n.username?u.open(n.type,n.url,n.async,n.username,n.password):u.open(n.type,n.url,n.async),n.xhrFields)for(s in n.xhrFields)u[s]=n.xhrFields[s];n.mimeType&&u.overrideMimeType&&u.overrideMimeType(n.mimeType),n.crossDomain||i["X-Requested-With"]||(i["X-Requested-With"]="XMLHttpRequest");try{for(s in i)u.setRequestHeader(s,i[s])}catch(l){}u.send(n.hasContent&&n.data||null),r=function(e,i){var s,l,c,p;try{if(r&&(i||4===u.readyState))if(r=t,a&&(u.onreadystatechange=b.noop,$n&&delete Pn[a]),i)4!==u.readyState&&u.abort();else{p={},s=u.status,l=u.getAllResponseHeaders(),"string"==typeof u.responseText&&(p.text=u.responseText);try{c=u.statusText}catch(f){c=""}s||!n.isLocal||n.crossDomain?1223===s&&(s=204):s=p.text?200:404}}catch(d){i||o(-1,d)}p&&o(s,c,p,l)},n.async?4===u.readyState?setTimeout(r):(a=++Wn,$n&&(Pn||(Pn={},b(e).unload($n)),Pn[a]=r),u.onreadystatechange=r):r()},abort:function(){r&&r(t,!0)}}}});var Xn,Un,Vn=/^(?:toggle|show|hide)$/,Yn=RegExp("^(?:([+-])=|)("+x+")([a-z%]*)$","i"),Jn=/queueHooks$/,Gn=[nr],Qn={"*":[function(e,t){var n,r,i=this.createTween(e,t),o=Yn.exec(t),a=i.cur(),s=+a||0,u=1,l=20;if(o){if(n=+o[2],r=o[3]||(b.cssNumber[e]?"":"px"),"px"!==r&&s){s=b.css(i.elem,e,!0)||n||1;do u=u||".5",s/=u,b.style(i.elem,e,s+r);while(u!==(u=i.cur()/a)&&1!==u&&--l)}i.unit=r,i.start=s,i.end=o[1]?s+(o[1]+1)*n:n}return i}]};function Kn(){return setTimeout(function(){Xn=t}),Xn=b.now()}function Zn(e,t){b.each(t,function(t,n){var r=(Qn[t]||[]).concat(Qn["*"]),i=0,o=r.length;for(;o>i;i++)if(r[i].call(e,t,n))return})}function er(e,t,n){var r,i,o=0,a=Gn.length,s=b.Deferred().always(function(){delete u.elem}),u=function(){if(i)return!1;var t=Xn||Kn(),n=Math.max(0,l.startTime+l.duration-t),r=n/l.duration||0,o=1-r,a=0,u=l.tweens.length;for(;u>a;a++)l.tweens[a].run(o);return s.notifyWith(e,[l,o,n]),1>o&&u?n:(s.resolveWith(e,[l]),!1)},l=s.promise({elem:e,props:b.extend({},t),opts:b.extend(!0,{specialEasing:{}},n),originalProperties:t,originalOptions:n,startTime:Xn||Kn(),duration:n.duration,tweens:[],createTween:function(t,n){var r=b.Tween(e,l.opts,t,n,l.opts.specialEasing[t]||l.opts.easing);return l.tweens.push(r),r},stop:function(t){var n=0,r=t?l.tweens.length:0;if(i)return this;for(i=!0;r>n;n++)l.tweens[n].run(1);return t?s.resolveWith(e,[l,t]):s.rejectWith(e,[l,t]),this}}),c=l.props;for(tr(c,l.opts.specialEasing);a>o;o++)if(r=Gn[o].call(l,e,c,l.opts))return r;return Zn(l,c),b.isFunction(l.opts.start)&&l.opts.start.call(e,l),b.fx.timer(b.extend(u,{elem:e,anim:l,queue:l.opts.queue})),l.progress(l.opts.progress).done(l.opts.done,l.opts.complete).fail(l.opts.fail).always(l.opts.always)}function tr(e,t){var n,r,i,o,a;for(i in e)if(r=b.camelCase(i),o=t[r],n=e[i],b.isArray(n)&&(o=n[1],n=e[i]=n[0]),i!==r&&(e[r]=n,delete e[i]),a=b.cssHooks[r],a&&"expand"in a){n=a.expand(n),delete e[r];for(i in n)i in e||(e[i]=n[i],t[i]=o)}else t[r]=o}b.Animation=b.extend(er,{tweener:function(e,t){b.isFunction(e)?(t=e,e=["*"]):e=e.split(" ");var n,r=0,i=e.length;for(;i>r;r++)n=e[r],Qn[n]=Qn[n]||[],Qn[n].unshift(t)},prefilter:function(e,t){t?Gn.unshift(e):Gn.push(e)}});function nr(e,t,n){var r,i,o,a,s,u,l,c,p,f=this,d=e.style,h={},g=[],m=e.nodeType&&nn(e);n.queue||(c=b._queueHooks(e,"fx"),null==c.unqueued&&(c.unqueued=0,p=c.empty.fire,c.empty.fire=function(){c.unqueued||p()}),c.unqueued++,f.always(function(){f.always(function(){c.unqueued--,b.queue(e,"fx").length||c.empty.fire()})})),1===e.nodeType&&("height"in t||"width"in t)&&(n.overflow=[d.overflow,d.overflowX,d.overflowY],"inline"===b.css(e,"display")&&"none"===b.css(e,"float")&&(b.support.inlineBlockNeedsLayout&&"inline"!==un(e.nodeName)?d.zoom=1:d.display="inline-block")),n.overflow&&(d.overflow="hidden",b.support.shrinkWrapBlocks||f.always(function(){d.overflow=n.overflow[0],d.overflowX=n.overflow[1],d.overflowY=n.overflow[2]}));for(i in t)if(a=t[i],Vn.exec(a)){if(delete t[i],u=u||"toggle"===a,a===(m?"hide":"show"))continue;g.push(i)}if(o=g.length){s=b._data(e,"fxshow")||b._data(e,"fxshow",{}),"hidden"in s&&(m=s.hidden),u&&(s.hidden=!m),m?b(e).show():f.done(function(){b(e).hide()}),f.done(function(){var t;b._removeData(e,"fxshow");for(t in h)b.style(e,t,h[t])});for(i=0;o>i;i++)r=g[i],l=f.createTween(r,m?s[r]:0),h[r]=s[r]||b.style(e,r),r in s||(s[r]=l.start,m&&(l.end=l.start,l.start="width"===r||"height"===r?1:0))}}function rr(e,t,n,r,i){return new rr.prototype.init(e,t,n,r,i)}b.Tween=rr,rr.prototype={constructor:rr,init:function(e,t,n,r,i,o){this.elem=e,this.prop=n,this.easing=i||"swing",this.options=t,this.start=this.now=this.cur(),this.end=r,this.unit=o||(b.cssNumber[n]?"":"px")},cur:function(){var e=rr.propHooks[this.prop];return e&&e.get?e.get(this):rr.propHooks._default.get(this)},run:function(e){var t,n=rr.propHooks[this.prop];return this.pos=t=this.options.duration?b.easing[this.easing](e,this.options.duration*e,0,1,this.options.duration):e,this.now=(this.end-this.start)*t+this.start,this.options.step&&this.options.step.call(this.elem,this.now,this),n&&n.set?n.set(this):rr.propHooks._default.set(this),this}},rr.prototype.init.prototype=rr.prototype,rr.propHooks={_default:{get:function(e){var t;return null==e.elem[e.prop]||e.elem.style&&null!=e.elem.style[e.prop]?(t=b.css(e.elem,e.prop,""),t&&"auto"!==t?t:0):e.elem[e.prop]},set:function(e){b.fx.step[e.prop]?b.fx.step[e.prop](e):e.elem.style&&(null!=e.elem.style[b.cssProps[e.prop]]||b.cssHooks[e.prop])?b.style(e.elem,e.prop,e.now+e.unit):e.elem[e.prop]=e.now}}},rr.propHooks.scrollTop=rr.propHooks.scrollLeft={set:function(e){e.elem.nodeType&&e.elem.parentNode&&(e.elem[e.prop]=e.now)}},b.each(["toggle","show","hide"],function(e,t){var n=b.fn[t];b.fn[t]=function(e,r,i){return null==e||"boolean"==typeof e?n.apply(this,arguments):this.animate(ir(t,!0),e,r,i)}}),b.fn.extend({fadeTo:function(e,t,n,r){return this.filter(nn).css("opacity",0).show().end().animate({opacity:t},e,n,r)},animate:function(e,t,n,r){var i=b.isEmptyObject(e),o=b.speed(t,n,r),a=function(){var t=er(this,b.extend({},e),o);a.finish=function(){t.stop(!0)},(i||b._data(this,"finish"))&&t.stop(!0)};return a.finish=a,i||o.queue===!1?this.each(a):this.queue(o.queue,a)},stop:function(e,n,r){var i=function(e){var t=e.stop;delete e.stop,t(r)};return"string"!=typeof e&&(r=n,n=e,e=t),n&&e!==!1&&this.queue(e||"fx",[]),this.each(function(){var t=!0,n=null!=e&&e+"queueHooks",o=b.timers,a=b._data(this);if(n)a[n]&&a[n].stop&&i(a[n]);else for(n in a)a[n]&&a[n].stop&&Jn.test(n)&&i(a[n]);for(n=o.length;n--;)o[n].elem!==this||null!=e&&o[n].queue!==e||(o[n].anim.stop(r),t=!1,o.splice(n,1));(t||!r)&&b.dequeue(this,e)})},finish:function(e){return e!==!1&&(e=e||"fx"),this.each(function(){var t,n=b._data(this),r=n[e+"queue"],i=n[e+"queueHooks"],o=b.timers,a=r?r.length:0;for(n.finish=!0,b.queue(this,e,[]),i&&i.cur&&i.cur.finish&&i.cur.finish.call(this),t=o.length;t--;)o[t].elem===this&&o[t].queue===e&&(o[t].anim.stop(!0),o.splice(t,1));for(t=0;a>t;t++)r[t]&&r[t].finish&&r[t].finish.call(this);delete n.finish})}});function ir(e,t){var n,r={height:e},i=0;for(t=t?1:0;4>i;i+=2-t)n=Zt[i],r["margin"+n]=r["padding"+n]=e;return t&&(r.opacity=r.width=e),r}b.each({slideDown:ir("show"),slideUp:ir("hide"),slideToggle:ir("toggle"),fadeIn:{opacity:"show"},fadeOut:{opacity:"hide"},fadeToggle:{opacity:"toggle"}},function(e,t){b.fn[e]=function(e,n,r){return this.animate(t,e,n,r)}}),b.speed=function(e,t,n){var r=e&&"object"==typeof e?b.extend({},e):{complete:n||!n&&t||b.isFunction(e)&&e,duration:e,easing:n&&t||t&&!b.isFunction(t)&&t};return r.duration=b.fx.off?0:"number"==typeof r.duration?r.duration:r.duration in b.fx.speeds?b.fx.speeds[r.duration]:b.fx.speeds._default,(null==r.queue||r.queue===!0)&&(r.queue="fx"),r.old=r.complete,r.complete=function(){b.isFunction(r.old)&&r.old.call(this),r.queue&&b.dequeue(this,r.queue)},r},b.easing={linear:function(e){return e},swing:function(e){return.5-Math.cos(e*Math.PI)/2}},b.timers=[],b.fx=rr.prototype.init,b.fx.tick=function(){var e,n=b.timers,r=0;for(Xn=b.now();n.length>r;r++)e=n[r],e()||n[r]!==e||n.splice(r--,1);n.length||b.fx.stop(),Xn=t},b.fx.timer=function(e){e()&&b.timers.push(e)&&b.fx.start()},b.fx.interval=13,b.fx.start=function(){Un||(Un=setInterval(b.fx.tick,b.fx.interval))},b.fx.stop=function(){clearInterval(Un),Un=null},b.fx.speeds={slow:600,fast:200,_default:400},b.fx.step={},b.expr&&b.expr.filters&&(b.expr.filters.animated=function(e){return b.grep(b.timers,function(t){return e===t.elem}).length}),b.fn.offset=function(e){if(arguments.length)return e===t?this:this.each(function(t){b.offset.setOffset(this,e,t)});var n,r,o={top:0,left:0},a=this[0],s=a&&a.ownerDocument;if(s)return n=s.documentElement,b.contains(n,a)?(typeof a.getBoundingClientRect!==i&&(o=a.getBoundingClientRect()),r=or(s),{top:o.top+(r.pageYOffset||n.scrollTop)-(n.clientTop||0),left:o.left+(r.pageXOffset||n.scrollLeft)-(n.clientLeft||0)}):o},b.offset={setOffset:function(e,t,n){var r=b.css(e,"position");"static"===r&&(e.style.position="relative");var i=b(e),o=i.offset(),a=b.css(e,"top"),s=b.css(e,"left"),u=("absolute"===r||"fixed"===r)&&b.inArray("auto",[a,s])>-1,l={},c={},p,f;u?(c=i.position(),p=c.top,f=c.left):(p=parseFloat(a)||0,f=parseFloat(s)||0),b.isFunction(t)&&(t=t.call(e,n,o)),null!=t.top&&(l.top=t.top-o.top+p),null!=t.left&&(l.left=t.left-o.left+f),"using"in t?t.using.call(e,l):i.css(l)}},b.fn.extend({position:function(){if(this[0]){var e,t,n={top:0,left:0},r=this[0];return"fixed"===b.css(r,"position")?t=r.getBoundingClientRect():(e=this.offsetParent(),t=this.offset(),b.nodeName(e[0],"html")||(n=e.offset()),n.top+=b.css(e[0],"borderTopWidth",!0),n.left+=b.css(e[0],"borderLeftWidth",!0)),{top:t.top-n.top-b.css(r,"marginTop",!0),left:t.left-n.left-b.css(r,"marginLeft",!0)}}},offsetParent:function(){return this.map(function(){var e=this.offsetParent||o.documentElement;while(e&&!b.nodeName(e,"html")&&"static"===b.css(e,"position"))e=e.offsetParent;return e||o.documentElement})}}),b.each({scrollLeft:"pageXOffset",scrollTop:"pageYOffset"},function(e,n){var r=/Y/.test(n);b.fn[e]=function(i){return b.access(this,function(e,i,o){var a=or(e);return o===t?a?n in a?a[n]:a.document.documentElement[i]:e[i]:(a?a.scrollTo(r?b(a).scrollLeft():o,r?o:b(a).scrollTop()):e[i]=o,t)},e,i,arguments.length,null)}});function or(e){return b.isWindow(e)?e:9===e.nodeType?e.defaultView||e.parentWindow:!1}b.each({Height:"height",Width:"width"},function(e,n){b.each({padding:"inner"+e,content:n,"":"outer"+e},function(r,i){b.fn[i]=function(i,o){var a=arguments.length&&(r||"boolean"!=typeof i),s=r||(i===!0||o===!0?"margin":"border");return b.access(this,function(n,r,i){var o;return b.isWindow(n)?n.document.documentElement["client"+e]:9===n.nodeType?(o=n.documentElement,Math.max(n.body["scroll"+e],o["scroll"+e],n.body["offset"+e],o["offset"+e],o["client"+e])):i===t?b.css(n,r,s):b.style(n,r,i,s)},n,a?i:t,a,null)}})}),e.jQuery=e.$=b,"function"==typeof define&&define.amd&&define.amd.jQuery&&define("jquery",[],function(){return b})})(window);
app/javascript/mastodon/features/compose/components/upload.js
tootcafe/mastodon
import React from 'react'; import ImmutablePropTypes from 'react-immutable-proptypes'; import PropTypes from 'prop-types'; import Motion from '../../ui/util/optional_motion'; import spring from 'react-motion/lib/spring'; import ImmutablePureComponent from 'react-immutable-pure-component'; import { FormattedMessage } from 'react-intl'; import classNames from 'classnames'; import Icon from 'mastodon/components/icon'; export default class Upload extends ImmutablePureComponent { static contextTypes = { router: PropTypes.object, }; static propTypes = { media: ImmutablePropTypes.map.isRequired, onUndo: PropTypes.func.isRequired, onOpenFocalPoint: PropTypes.func.isRequired, }; handleUndoClick = e => { e.stopPropagation(); this.props.onUndo(this.props.media.get('id')); } handleFocalPointClick = e => { e.stopPropagation(); this.props.onOpenFocalPoint(this.props.media.get('id')); } render () { const { media } = this.props; const focusX = media.getIn(['meta', 'focus', 'x']); const focusY = media.getIn(['meta', 'focus', 'y']); const x = ((focusX / 2) + .5) * 100; const y = ((focusY / -2) + .5) * 100; return ( <div className='compose-form__upload' tabIndex='0' role='button'> <Motion defaultStyle={{ scale: 0.8 }} style={{ scale: spring(1, { stiffness: 180, damping: 12 }) }}> {({ scale }) => ( <div className='compose-form__upload-thumbnail' style={{ transform: `scale(${scale})`, backgroundImage: `url(${media.get('preview_url')})`, backgroundPosition: `${x}% ${y}%` }}> <div className={classNames('compose-form__upload__actions', { active: true })}> <button className='icon-button' onClick={this.handleUndoClick}><Icon id='times' /> <FormattedMessage id='upload_form.undo' defaultMessage='Delete' /></button> <button className='icon-button' onClick={this.handleFocalPointClick}><Icon id='pencil' /> <FormattedMessage id='upload_form.edit' defaultMessage='Edit' /></button> </div> </div> )} </Motion> </div> ); } }
ExampleApp/__tests__/App.js
joshuapinter/react-native-unified-contacts
import 'react-native'; import React from 'react'; import App from '../App'; // Note: test renderer must be required after react-native. import renderer from 'react-test-renderer'; it('renders correctly', () => { const tree = renderer.create( <App /> ); });
ajax/libs/material-ui/5.0.0-alpha.10/es/Chip/Chip.min.js
cdnjs/cdnjs
import _extends from"@babel/runtime/helpers/esm/extends";import _objectWithoutPropertiesLoose from"@babel/runtime/helpers/esm/objectWithoutPropertiesLoose";import*as React from"react";import PropTypes from"prop-types";import clsx from"clsx";import{useThemeVariants}from"@material-ui/styles";import CancelIcon from"../internal/svg-icons/Cancel";import withStyles from"../styles/withStyles";import{emphasize,fade}from"../styles/colorManipulator";import useForkRef from"../utils/useForkRef";import unsupportedProp from"../utils/unsupportedProp";import capitalize from"../utils/capitalize";import ButtonBase from"../ButtonBase";export const styles=e=>{const o="light"===e.palette.type?e.palette.grey[300]:e.palette.grey[700],a=fade(e.palette.text.primary,.26);return{root:{fontFamily:e.typography.fontFamily,fontSize:e.typography.pxToRem(13),display:"inline-flex",alignItems:"center",justifyContent:"center",height:32,color:e.palette.getContrastText(o),backgroundColor:o,borderRadius:16,whiteSpace:"nowrap",transition:e.transitions.create(["background-color","box-shadow"]),cursor:"default",outline:0,textDecoration:"none",border:"none",padding:0,verticalAlign:"middle",boxSizing:"border-box","&$disabled":{opacity:e.palette.action.disabledOpacity,pointerEvents:"none"},"& $avatar":{marginLeft:5,marginRight:-6,width:24,height:24,color:"light"===e.palette.type?e.palette.grey[700]:e.palette.grey[300],fontSize:e.typography.pxToRem(12)},"& $avatarColorPrimary":{color:e.palette.primary.contrastText,backgroundColor:e.palette.primary.dark},"& $avatarColorSecondary":{color:e.palette.secondary.contrastText,backgroundColor:e.palette.secondary.dark},"& $avatarSmall":{marginLeft:4,marginRight:-4,width:18,height:18,fontSize:e.typography.pxToRem(10)}},sizeSmall:{height:24},colorPrimary:{backgroundColor:e.palette.primary.main,color:e.palette.primary.contrastText},colorSecondary:{backgroundColor:e.palette.secondary.main,color:e.palette.secondary.contrastText},disabled:{},clickable:{userSelect:"none",WebkitTapHighlightColor:"transparent",cursor:"pointer","&:hover, &$focusVisible":{backgroundColor:emphasize(o,.08)},"&:active":{boxShadow:e.shadows[1]}},clickableColorPrimary:{"&:hover, &$focusVisible":{backgroundColor:emphasize(e.palette.primary.main,.08)}},clickableColorSecondary:{"&:hover, &$focusVisible":{backgroundColor:emphasize(e.palette.secondary.main,.08)}},deletable:{"&$focusVisible":{backgroundColor:emphasize(o,.08)}},deletableColorPrimary:{"&$focusVisible":{backgroundColor:emphasize(e.palette.primary.main,.2)}},deletableColorSecondary:{"&$focusVisible":{backgroundColor:emphasize(e.palette.secondary.main,.2)}},outlined:{backgroundColor:"transparent",border:`1px solid ${"light"===e.palette.type?"rgba(0, 0, 0, 0.23)":"rgba(255, 255, 255, 0.23)"}`,"&$focusVisible, $clickable&:hover":{backgroundColor:fade(e.palette.text.primary,e.palette.action.hoverOpacity)},"& $avatar":{marginLeft:4},"& $avatarSmall":{marginLeft:2},"& $icon":{marginLeft:4},"& $iconSmall":{marginLeft:2},"& $deleteIcon":{marginRight:5},"& $deleteIconSmall":{marginRight:3}},default:{},outlinedPrimary:{color:e.palette.primary.main,border:`1px solid ${e.palette.primary.main}`,"&$focusVisible, $clickable&:hover":{backgroundColor:fade(e.palette.primary.main,e.palette.action.hoverOpacity)}},outlinedSecondary:{color:e.palette.secondary.main,border:`1px solid ${e.palette.secondary.main}`,"&$focusVisible, $clickable&:hover":{backgroundColor:fade(e.palette.secondary.main,e.palette.action.hoverOpacity)}},avatar:{},avatarSmall:{},avatarColorPrimary:{},avatarColorSecondary:{},icon:{color:"light"===e.palette.type?e.palette.grey[700]:e.palette.grey[300],marginLeft:5,marginRight:-6},iconSmall:{fontSize:18,marginLeft:4,marginRight:-4},iconColorPrimary:{color:"inherit"},iconColorSecondary:{color:"inherit"},label:{overflow:"hidden",textOverflow:"ellipsis",paddingLeft:12,paddingRight:12,whiteSpace:"nowrap"},labelSmall:{paddingLeft:8,paddingRight:8},deleteIcon:{WebkitTapHighlightColor:"transparent",color:a,fontSize:22,cursor:"pointer",margin:"0 5px 0 -6px","&:hover":{color:fade(a,.4)}},deleteIconSmall:{fontSize:16,marginRight:4,marginLeft:-4},deleteIconColorPrimary:{color:fade(e.palette.primary.contrastText,.7),"&:hover, &:active":{color:e.palette.primary.contrastText}},deleteIconColorSecondary:{color:fade(e.palette.secondary.contrastText,.7),"&:hover, &:active":{color:e.palette.secondary.contrastText}},deleteIconOutlinedColorPrimary:{color:fade(e.palette.primary.main,.7),"&:hover, &:active":{color:e.palette.primary.main}},deleteIconOutlinedColorSecondary:{color:fade(e.palette.secondary.main,.7),"&:hover, &:active":{color:e.palette.secondary.main}},focusVisible:{}}};function isDeleteKeyboardEvent(e){return"Backspace"===e.key||"Delete"===e.key}const Chip=React.forwardRef(function(e,o){const{avatar:a,classes:t,className:r,clickable:l,color:i="default",component:n,deleteIcon:c,disabled:s=!1,icon:p,label:d,onClick:m,onDelete:y,onKeyDown:u,onKeyUp:b,size:f="medium",variant:g="default"}=e,h=_objectWithoutPropertiesLoose(e,["avatar","classes","className","clickable","color","component","deleteIcon","disabled","icon","label","onClick","onDelete","onKeyDown","onKeyUp","size","variant"]),C=React.useRef(null),v=useForkRef(C,o),k=e=>{e.stopPropagation(),y&&y(e)},x=!(!1===l||!m)||l,S="small"===f,T=n||(x||y?ButtonBase:"div"),P=T===ButtonBase?{component:"div",focusVisibleClassName:t.focusVisible,disableRipple:Boolean(y)}:{};let $=null;if(y){const e=clsx("default"!==i&&("default"===g?t[`deleteIconColor${capitalize(i)}`]:t[`deleteIconOutlinedColor${capitalize(i)}`]),S&&t.deleteIconSmall);$=c&&React.isValidElement(c)?React.cloneElement(c,{className:clsx(c.props.className,t.deleteIcon,e),onClick:k}):React.createElement(CancelIcon,{className:clsx(t.deleteIcon,e),onClick:k})}let R=null;a&&React.isValidElement(a)&&(R=React.cloneElement(a,{className:clsx(t.avatar,a.props.className,S&&t.avatarSmall,"default"!==i&&t[`avatarColor${capitalize(i)}`])}));let z=null;p&&React.isValidElement(p)&&(z=React.cloneElement(p,{className:clsx(t.icon,p.props.className,S&&t.iconSmall,"default"!==i&&t[`iconColor${capitalize(i)}`])})),"production"!==process.env.NODE_ENV&&R&&z&&console.error("Material-UI: The Chip component can not handle the avatar and the icon prop at the same time. Pick one.");const I=useThemeVariants(_extends({},e,{clickable:x,color:i,disabled:s,size:f,variant:g}),"MuiChip");return React.createElement(T,_extends({className:clsx(t.root,t[g],I,r,"default"!==i&&[t[`color${capitalize(i)}`],x&&t[`clickableColor${capitalize(i)}`],y&&t[`deletableColor${capitalize(i)}`]],"default"!==g&&{primary:t.outlinedPrimary,secondary:t.outlinedSecondary}[i],s&&t.disabled,S&&t.sizeSmall,x&&t.clickable,y&&t.deletable),disabled:!(!x||!s)||void 0,onClick:m,onKeyDown:e=>{e.currentTarget===e.target&&isDeleteKeyboardEvent(e)&&e.preventDefault(),u&&u(e)},onKeyUp:e=>{e.currentTarget===e.target&&(y&&isDeleteKeyboardEvent(e)?y(e):"Escape"===e.key&&C.current&&C.current.blur()),b&&b(e)},ref:v},P,h),R||z,React.createElement("span",{className:clsx(t.label,S&&t.labelSmall)},d),$)});"production"!==process.env.NODE_ENV&&(Chip.propTypes={avatar:PropTypes.element,children:unsupportedProp,classes:PropTypes.object,className:PropTypes.string,clickable:PropTypes.bool,color:PropTypes.oneOf(["default","primary","secondary"]),component:PropTypes.elementType,deleteIcon:PropTypes.element,disabled:PropTypes.bool,icon:PropTypes.element,label:PropTypes.node,onClick:PropTypes.func,onDelete:PropTypes.func,onKeyDown:PropTypes.func,onKeyUp:PropTypes.func,size:PropTypes.oneOf(["medium","small"]),variant:PropTypes.oneOf(["default","outlined"])});export default withStyles(styles,{name:"MuiChip"})(Chip);
imports/ui/components/EditorialTeamView/EditorialTeamView.js
jamiebones/Journal_Publication
import React from 'react'; import PropTypes from 'prop-types'; import { Meteor } from 'meteor/meteor'; import { Link } from 'react-router'; import { Bert } from 'meteor/themeteorchef:bert'; import { Row, Col, FormGroup, ControlLabel, Panel , ButtonGroup, Media, FormControl, Button , Label , Modal , Well } from 'react-bootstrap'; import { Capitalize , GetNameFromUserId , JournalMessages } from '../../../modules/utilities'; import validate from '../../../modules/validate'; import EditorialTeam from '../EditorialTeam/EditorialTeam'; import Uploader from '../Uploader/Uploader.js'; import Journal from '../../../api/Journal/Journal'; import { createContainer } from 'meteor/react-meteor-data'; import './EditorialTeamView.scss'; class EditorialTeamView extends React.Component { constructor(props){ super(props); this.state = { showModal: false , show : false, index: "", } this.startEditMode = this.startEditMode.bind( this ); this.close = this.close.bind( this ); this.open = this.open.bind( this ); this.deleteMember = this.deleteMember.bind( this ); this.addNewMember = this.addNewMember.bind( this); this.handleRemoveImage = this.handleRemoveImage.bind( this ); } startEditMode(event , index){ event.preventDefault(); let value = index + 1 this.setState({"showModal" : true , "index" : value}) } addNewMember(event){ event.preventDefault(); this.setState({"showModal" : true , "index" : ""}) } deleteMember(event , id){ event.preventDefault(); const teamId = id; const { journal } = this.props; const journalId = journal[0] && journal[0]._id; if (confirm('Are you sure. This is permanent')){ Meteor.call('journal.removeTeamMember' , id , journalId , (error , response ) => { if (response){ Bert.alert('Successful' , 'success'); } else{ Bert.alert(`${error} : There was an error` , 'danger'); } }) } } close() { this.setState({ showModal: false }); } open() { this.setState({ showModal: true }); } handleRemoveImage( journalId , id ){ if (confirm('Are you sure? This is permanent!')) { Meteor.call('journal.deleteEditorsPics', journalId , id , (error) => { if (error) { Bert.alert(error.reason, 'danger'); } else { Bert.alert('Image removed!', 'success'); } }); } } render(){ const { journal } = this.props; return ( journal[0] && journal[0].settings && journal[0].settings.editorialTeam && journal[0].settings.editorialTeam.length ? ( <div className="top"> <Row> {journal[0] && journal[0].settings && journal[0].settings.editorialTeam.map(({imageUrl , firstname, qualification , title , fileName , awards , specialization , id , surname , department , position }, index)=>{ return ( <Col md={6} key={index}> <Media> <Media.Left align="top"> {imageUrl ? ( <div> <img className="img img-responsive" src={imageUrl} /> <br/> <Button bsSize="xsmall" bsStyle="danger" onClick={( )=> this.handleRemoveImage( journal[0] && journal[0]._id , id )} > Remove Image </Button> </div> ) : <Uploader paperId={ journal[0] && journal[0]._id } methodName="journal.saveEditorsPics" slingshot="EditorialTeamProfileImage" uploadMessage="upload profile picture" teamId={ id } /> } </Media.Left> <Media.Body> <Media.Heading>{title} {firstname} {surname}</Media.Heading> <p>Department : {department}</p> <p>Qualification : {qualification}</p> <p>Specialization : {specialization}</p> <p>Academic Awards : {awards}</p> <p>Journal Position : {position}</p> <p> <Button onClick={(event)=>this.startEditMode(event, index)}> Edit </Button> <Button bsStyle="danger" onClick={(event)=>this.deleteMember(event, id , imageUrl , fileName)}> Delete </Button> </p> </Media.Body> </Media> </Col> ) })} </Row> <Row> <div className="ModalOverlay"> <Modal bsSize="large" show={this.state.showModal} onHide={this.close} dialogClassName="custom-modal" aria-labelledby="contained-modal-title-lg"> <Modal.Header closeButton bsSize="large" aria-labelledby="contained-modal-title-lg"> <Modal.Title>{this.state.index ? ('Edit Details') : 'Add New Member'}</Modal.Title> </Modal.Header> <Modal.Body> <Row> <Col md={12}> {this.state.index ? ( <EditorialTeam journal={journal} index={this.state.index} close={this.close} /> ) : <EditorialTeam journal={journal} close={this.close} /> } </Col> </Row> </Modal.Body> <Modal.Footer> <ButtonGroup> <Button onClick={this.close}>Close</Button> </ButtonGroup> </Modal.Footer> </Modal> </div> </Row> <Row> <p className="pull-right"> <Button onClick={(event)=>this.addNewMember(event)}> Add New Member </Button> </p> </Row> </div> ) : <EditorialTeam journal={journal} /> ) } } export default EditorialTeamView; //export default EditorialTeamView;
fields/types/azurefile/AzureFileColumn.js
Ftonso/keystone
import React from 'react'; var AzureFileColumn = React.createClass({ renderValue () { var value = this.props.data.fields[this.props.col.path]; if (!value) return; return <a href={value.url} target="_blank">{value.url}</a>; }, render () { return ( <td className="ItemList__col"> <div className="ItemList__value ItemList__value--azure-file">{this.renderValue()}</div> </td> ); }, }); module.exports = AzureFileColumn;
app/components/weatherCardGroup.component.js
bryantwang1/react-weather
import React from 'react'; import WeatherCard from './weatherCard.component'; class WeatherCardGroup extends React.Component { render() { let weatherData = this.props.daily.data; let weatherCards = []; if (typeof weatherData != 'undefined') { let counter = 0; weatherCards = weatherData.map(day => { counter++; return ( <WeatherCard key={day.time} time={day.time} summary={day.summary} tempHigh={day.temperatureMax} tempLow={day.temperatureMin} timezone={this.props.timezone} icon={day.icon} slideNumber={counter} /> ); }); } return ( <div className="weather-card-group col-12"> <div className="row"> <h2>7 Day summary: </h2> <h4>{this.props.daily.summary}</h4> {weatherCards} </div> </div> ); } } export default WeatherCardGroup
src/components/common/form/RadioDefault.js
chejen/GoodJobShare
import React from 'react'; import PropTypes from 'prop-types'; import { makeId, } from 'utils/stringUtil'; import styles from './RadioDefault.module.css'; class RadioDefault extends React.PureComponent { constructor(props) { super(props); this.id = makeId(); } render() { const { label, value, checked, onChange, name, } = this.props; const id = `${this.id}-${value}`; return ( <label htmlFor={id} > <input id={id} type="radio" name={name} checked={checked} value={value} onChange={e => onChange(e.target.value)} style={{ display: 'none', }} /> <span className={checked ? styles.checked : styles.unchecked} /> <span style={{ display: 'inline-block', verticalAlign: 'middle', marginLeft: '6.5px', }} > <p style={{ color: '#333333', }} className="pM" > {label} </p> </span> </label> ); } } RadioDefault.propTypes = { label: PropTypes.string.isRequired, value: PropTypes.string.isRequired, checked: PropTypes.bool.isRequired, onChange: PropTypes.func.isRequired, name: PropTypes.string, }; export default RadioDefault;
app/javascripts/components/LabelModal.js
f96q/kptboard
import React from 'react' import Modal from 'react-modal' import { useDispatch, useSelector } from 'react-redux' import { actions } from '../actionCreators' export const LabelModal = (props) => { const { labelModal } = useSelector(state => ({ labelModal: state.label.labelModal })) const dispatch = useDispatch() const style = { overlay: { top: labelModal.clientY, left: labelModal.clientX, backgroundColor: 'transparent' }, content: { marginTop: 0, marginLeft: 0 } } const save = () => { if (labelModal.label.description == '') { return } if (labelModal.label.id) { dispatch(actions.channel.updateLabel({ id: labelModal.label.id, label: { description: labelModal.label.description } })) } else { dispatch(actions.channel.createLabel({ label: labelModal.label })) } dispatch(actions.label.closeLabelModal()) } if (labelModal.label.kind == null) { return null } return ( <Modal className="LabelModal label-modal modal-dialog" isOpen={labelModal.isOpen} style={style} contentLabel="Modal"> <div className="modal-content"> <div className={`modal-header LabelModal-header is-${labelModal.label.kind}`}> <h4 className="LabelModal-title modal-title" data-test="title">{labelModal.label.kind}</h4> </div> <div className="modal-body"> <textarea className="LabelModal-textarea form-control" data-test="textarea" rows="10" onChange={event => dispatch(actions.label.updateLabelModal({ description: event.target.value }))} onKeyDown={event => { if (event.keyCode == 13) save() }} value={labelModal.label.description} ></textarea> </div> <div className="modal-footer"> <button type="button" className="LabelModal-close btn btn-secondary" data-test="close" onClick={() => dispatch(actions.label.closeLabelModal({}))}>Close</button> <button type="button" className="LabelModal-save btn btn-primary" data-test="save" onClick={() => save()}>Save</button> </div> </div> </Modal> ) }
src/components/Nav/Nav.js
luisma1989/portfolio-react
import React from 'react' import './Nav.scss' export const Nav = () => ( <div id='main'> <ul id='navigationMenu'> <li> <a className='home' href='#'> <span>Home</span> </a> </li> <li> <a className='about' href='#'> <span>About</span> </a> </li> <li> <a className='services' href='#'> <span>Services</span> </a> </li> <li> <a className='portfolio' href='#'> <span>Portfolio</span> </a> </li> <li> <a className='contact' href='#'> <span>Contact us</span> </a> </li> </ul> </div> ) export default Nav
src/routes/Settings/components/components/AddSubscriptionPlan.js
TheModevShop/craft-app
import React from 'react'; class AddSubscriptionPlan extends React.Component { constructor(...args) { super(...args); this.state = { }; } componentDidMount() { } render() { return ( <div className="settings-page-wrapper"> </div> ); } } AddSubscriptionPlan.propTypes = { } export default AddSubscriptionPlan;
client/src/index.js
bsmithgall/biblio
import React from 'react'; import ReactDOM from 'react-dom'; import { createStore, applyMiddleware } from 'redux' import { Provider } from 'react-redux' import createLogger from 'redux-logger' import thunk from 'redux-thunk' import App from './app'; import reducers from './reducers' const middleware = [ thunk ] if (process.env.NODE_ENV !== 'production') { middleware.push(createLogger()) } const store = createStore( reducers, applyMiddleware(...middleware) ) ReactDOM.render( <Provider store={store}> <App /> </Provider>, document.getElementById('root') );
ajax/libs/core-js/0.9.18/core.js
zhangbg/cdnjs
/** * core-js 0.9.18 * https://github.com/zloirock/core-js * License: http://rock.mit-license.org * © 2015 Denis Pushkarev */ !function(undefined){ 'use strict'; var __e = null, __g = null; /******/ (function(modules) { // webpackBootstrap /******/ // The module cache /******/ var installedModules = {}; /******/ // The require function /******/ function __webpack_require__(moduleId) { /******/ // Check if module is in cache /******/ if(installedModules[moduleId]) /******/ return installedModules[moduleId].exports; /******/ // Create a new module (and put it into the cache) /******/ var module = installedModules[moduleId] = { /******/ exports: {}, /******/ id: moduleId, /******/ loaded: false /******/ }; /******/ // Execute the module function /******/ modules[moduleId].call(module.exports, module, module.exports, __webpack_require__); /******/ // Flag the module as loaded /******/ module.loaded = true; /******/ // Return the exports of the module /******/ return module.exports; /******/ } /******/ // expose the modules object (__webpack_modules__) /******/ __webpack_require__.m = modules; /******/ // expose the module cache /******/ __webpack_require__.c = installedModules; /******/ // __webpack_public_path__ /******/ __webpack_require__.p = ""; /******/ // Load entry module and return exports /******/ return __webpack_require__(0); /******/ }) /************************************************************************/ /******/ ([ /* 0 */ /***/ function(module, exports, __webpack_require__) { __webpack_require__(1); __webpack_require__(18); __webpack_require__(22); __webpack_require__(24); __webpack_require__(26); __webpack_require__(28); __webpack_require__(29); __webpack_require__(30); __webpack_require__(31); __webpack_require__(32); __webpack_require__(33); __webpack_require__(34); __webpack_require__(35); __webpack_require__(36); __webpack_require__(37); __webpack_require__(41); __webpack_require__(42); __webpack_require__(43); __webpack_require__(44); __webpack_require__(46); __webpack_require__(47); __webpack_require__(50); __webpack_require__(51); __webpack_require__(53); __webpack_require__(55); __webpack_require__(56); __webpack_require__(57); __webpack_require__(58); __webpack_require__(59); __webpack_require__(60); __webpack_require__(64); __webpack_require__(67); __webpack_require__(68); __webpack_require__(70); __webpack_require__(71); __webpack_require__(73); __webpack_require__(74); __webpack_require__(75); __webpack_require__(77); __webpack_require__(78); __webpack_require__(79); __webpack_require__(80); __webpack_require__(81); __webpack_require__(83); __webpack_require__(84); __webpack_require__(85); __webpack_require__(86); __webpack_require__(88); __webpack_require__(89); __webpack_require__(90); __webpack_require__(91); __webpack_require__(92); __webpack_require__(93); __webpack_require__(94); __webpack_require__(95); __webpack_require__(96); __webpack_require__(97); __webpack_require__(98); __webpack_require__(99); __webpack_require__(100); __webpack_require__(101); /***/ }, /* 1 */ /***/ function(module, exports, __webpack_require__) { var $ = __webpack_require__(2) , cel = __webpack_require__(4) , cof = __webpack_require__(5) , $def = __webpack_require__(9) , invoke = __webpack_require__(11) , arrayMethod = __webpack_require__(12) , IE_PROTO = __webpack_require__(8).safe('__proto__') , assert = __webpack_require__(14) , assertObject = assert.obj , ObjectProto = Object.prototype , html = $.html , A = [] , _slice = A.slice , _join = A.join , classof = cof.classof , has = $.has , defineProperty = $.setDesc , getOwnDescriptor = $.getDesc , defineProperties = $.setDescs , isFunction = $.isFunction , isObject = $.isObject , toObject = $.toObject , toLength = $.toLength , toIndex = $.toIndex , IE8_DOM_DEFINE = false , $indexOf = __webpack_require__(15)(false) , $forEach = arrayMethod(0) , $map = arrayMethod(1) , $filter = arrayMethod(2) , $some = arrayMethod(3) , $every = arrayMethod(4); if(!$.DESC){ try { IE8_DOM_DEFINE = defineProperty(cel('div'), 'x', {get: function(){ return 8; }} ).x == 8; } catch(e){ /* empty */ } $.setDesc = function(O, P, Attributes){ if(IE8_DOM_DEFINE)try { return defineProperty(O, P, Attributes); } catch(e){ /* empty */ } if('get' in Attributes || 'set' in Attributes)throw TypeError('Accessors not supported!'); if('value' in Attributes)assertObject(O)[P] = Attributes.value; return O; }; $.getDesc = function(O, P){ if(IE8_DOM_DEFINE)try { return getOwnDescriptor(O, P); } catch(e){ /* empty */ } if(has(O, P))return $.desc(!ObjectProto.propertyIsEnumerable.call(O, P), O[P]); }; $.setDescs = defineProperties = function(O, Properties){ assertObject(O); var keys = $.getKeys(Properties) , length = keys.length , i = 0 , P; while(length > i)$.setDesc(O, P = keys[i++], Properties[P]); return O; }; } $def($def.S + $def.F * !$.DESC, 'Object', { // 19.1.2.6 / 15.2.3.3 Object.getOwnPropertyDescriptor(O, P) getOwnPropertyDescriptor: $.getDesc, // 19.1.2.4 / 15.2.3.6 Object.defineProperty(O, P, Attributes) defineProperty: $.setDesc, // 19.1.2.3 / 15.2.3.7 Object.defineProperties(O, Properties) defineProperties: defineProperties }); // IE 8- don't enum bug keys var keys1 = ('constructor,hasOwnProperty,isPrototypeOf,propertyIsEnumerable,' + 'toLocaleString,toString,valueOf').split(',') // Additional keys for getOwnPropertyNames , keys2 = keys1.concat('length', 'prototype') , keysLen1 = keys1.length; // Create object with `null` prototype: use iframe Object with cleared prototype var createDict = function(){ // Thrash, waste and sodomy: IE GC bug var iframe = cel('iframe') , i = keysLen1 , gt = '>' , iframeDocument; iframe.style.display = 'none'; html.appendChild(iframe); iframe.src = 'javascript:'; // eslint-disable-line no-script-url // createDict = iframe.contentWindow.Object; // html.removeChild(iframe); iframeDocument = iframe.contentWindow.document; iframeDocument.open(); iframeDocument.write('<script>document.F=Object</script' + gt); iframeDocument.close(); createDict = iframeDocument.F; while(i--)delete createDict.prototype[keys1[i]]; return createDict(); }; function createGetKeys(names, length){ return function(object){ var O = toObject(object) , i = 0 , result = [] , key; for(key in O)if(key != IE_PROTO)has(O, key) && result.push(key); // Don't enum bug & hidden keys while(length > i)if(has(O, key = names[i++])){ ~$indexOf(result, key) || result.push(key); } return result; }; } function Empty(){} $def($def.S, 'Object', { // 19.1.2.9 / 15.2.3.2 Object.getPrototypeOf(O) getPrototypeOf: $.getProto = $.getProto || function(O){ O = Object(assert.def(O)); if(has(O, IE_PROTO))return O[IE_PROTO]; if(isFunction(O.constructor) && O instanceof O.constructor){ return O.constructor.prototype; } return O instanceof Object ? ObjectProto : null; }, // 19.1.2.7 / 15.2.3.4 Object.getOwnPropertyNames(O) getOwnPropertyNames: $.getNames = $.getNames || createGetKeys(keys2, keys2.length, true), // 19.1.2.2 / 15.2.3.5 Object.create(O [, Properties]) create: $.create = $.create || function(O, /*?*/Properties){ var result; if(O !== null){ Empty.prototype = assertObject(O); result = new Empty(); Empty.prototype = null; // add "__proto__" for Object.getPrototypeOf shim result[IE_PROTO] = O; } else result = createDict(); return Properties === undefined ? result : defineProperties(result, Properties); }, // 19.1.2.14 / 15.2.3.14 Object.keys(O) keys: $.getKeys = $.getKeys || createGetKeys(keys1, keysLen1, false), // 19.1.2.17 / 15.2.3.8 Object.seal(O) seal: function seal(it){ return it; // <- cap }, // 19.1.2.5 / 15.2.3.9 Object.freeze(O) freeze: function freeze(it){ return it; // <- cap }, // 19.1.2.15 / 15.2.3.10 Object.preventExtensions(O) preventExtensions: function preventExtensions(it){ return it; // <- cap }, // 19.1.2.13 / 15.2.3.11 Object.isSealed(O) isSealed: function isSealed(it){ return !isObject(it); // <- cap }, // 19.1.2.12 / 15.2.3.12 Object.isFrozen(O) isFrozen: function isFrozen(it){ return !isObject(it); // <- cap }, // 19.1.2.11 / 15.2.3.13 Object.isExtensible(O) isExtensible: function isExtensible(it){ return isObject(it); // <- cap } }); // 19.2.3.2 / 15.3.4.5 Function.prototype.bind(thisArg, args...) $def($def.P, 'Function', { bind: function(that /*, args... */){ var fn = assert.fn(this) , partArgs = _slice.call(arguments, 1); function bound(/* args... */){ var args = partArgs.concat(_slice.call(arguments)) , constr = this instanceof bound , ctx = constr ? $.create(fn.prototype) : that , result = invoke(fn, args, ctx); return constr ? ctx : result; } if(fn.prototype)bound.prototype = fn.prototype; return bound; } }); // Fix for not array-like ES3 string and DOM objects if(!(0 in Object('z') && 'z'[0] == 'z')){ $.ES5Object = function(it){ return cof(it) == 'String' ? it.split('') : Object(it); }; } var buggySlice = true; try { if(html)_slice.call(html); buggySlice = false; } catch(e){ /* empty */ } $def($def.P + $def.F * buggySlice, 'Array', { slice: function slice(begin, end){ var len = toLength(this.length) , klass = cof(this); end = end === undefined ? len : end; if(klass == 'Array')return _slice.call(this, begin, end); var start = toIndex(begin, len) , upTo = toIndex(end, len) , size = toLength(upTo - start) , cloned = Array(size) , i = 0; for(; i < size; i++)cloned[i] = klass == 'String' ? this.charAt(start + i) : this[start + i]; return cloned; } }); $def($def.P + $def.F * ($.ES5Object != Object), 'Array', { join: function join(){ return _join.apply($.ES5Object(this), arguments); } }); // 22.1.2.2 / 15.4.3.2 Array.isArray(arg) $def($def.S, 'Array', { isArray: function(arg){ return cof(arg) == 'Array'; } }); function createArrayReduce(isRight){ return function(callbackfn, memo){ assert.fn(callbackfn); var O = toObject(this) , length = toLength(O.length) , index = isRight ? length - 1 : 0 , i = isRight ? -1 : 1; if(arguments.length < 2)for(;;){ if(index in O){ memo = O[index]; index += i; break; } index += i; assert(isRight ? index >= 0 : length > index, 'Reduce of empty array with no initial value'); } for(;isRight ? index >= 0 : length > index; index += i)if(index in O){ memo = callbackfn(memo, O[index], index, this); } return memo; }; } $def($def.P, 'Array', { // 22.1.3.10 / 15.4.4.18 Array.prototype.forEach(callbackfn [, thisArg]) forEach: $.each = $.each || function forEach(callbackfn/*, that = undefined */){ return $forEach(this, callbackfn, arguments[1]); }, // 22.1.3.15 / 15.4.4.19 Array.prototype.map(callbackfn [, thisArg]) map: function map(callbackfn/*, that = undefined */){ return $map(this, callbackfn, arguments[1]); }, // 22.1.3.7 / 15.4.4.20 Array.prototype.filter(callbackfn [, thisArg]) filter: function filter(callbackfn/*, that = undefined */){ return $filter(this, callbackfn, arguments[1]); }, // 22.1.3.23 / 15.4.4.17 Array.prototype.some(callbackfn [, thisArg]) some: function some(callbackfn/*, that = undefined */){ return $some(this, callbackfn, arguments[1]); }, // 22.1.3.5 / 15.4.4.16 Array.prototype.every(callbackfn [, thisArg]) every: function every(callbackfn/*, that = undefined */){ return $every(this, callbackfn, arguments[1]); }, // 22.1.3.18 / 15.4.4.21 Array.prototype.reduce(callbackfn [, initialValue]) reduce: createArrayReduce(false), // 22.1.3.19 / 15.4.4.22 Array.prototype.reduceRight(callbackfn [, initialValue]) reduceRight: createArrayReduce(true), // 22.1.3.11 / 15.4.4.14 Array.prototype.indexOf(searchElement [, fromIndex]) indexOf: function indexOf(el /*, fromIndex = 0 */){ return $indexOf(this, el, arguments[1]); }, // 22.1.3.14 / 15.4.4.15 Array.prototype.lastIndexOf(searchElement [, fromIndex]) lastIndexOf: function(el, fromIndex /* = @[*-1] */){ var O = toObject(this) , length = toLength(O.length) , index = length - 1; if(arguments.length > 1)index = Math.min(index, $.toInteger(fromIndex)); if(index < 0)index = toLength(length + index); for(;index >= 0; index--)if(index in O)if(O[index] === el)return index; return -1; } }); // 21.1.3.25 / 15.5.4.20 String.prototype.trim() $def($def.P, 'String', {trim: __webpack_require__(16)(/^\s*([\s\S]*\S)?\s*$/, '$1')}); // 20.3.3.1 / 15.9.4.4 Date.now() $def($def.S, 'Date', {now: function(){ return +new Date; }}); function lz(num){ return num > 9 ? num : '0' + num; } // 20.3.4.36 / 15.9.5.43 Date.prototype.toISOString() // PhantomJS and old webkit had a broken Date implementation. var date = new Date(-5e13 - 1) , brokenDate = !(date.toISOString && date.toISOString() == '0385-07-25T07:06:39.999Z' && __webpack_require__(17)(function(){ new Date(NaN).toISOString(); })); $def($def.P + $def.F * brokenDate, 'Date', {toISOString: function(){ if(!isFinite(this))throw RangeError('Invalid time value'); var d = this , y = d.getUTCFullYear() , m = d.getUTCMilliseconds() , s = y < 0 ? '-' : y > 9999 ? '+' : ''; return s + ('00000' + Math.abs(y)).slice(s ? -6 : -4) + '-' + lz(d.getUTCMonth() + 1) + '-' + lz(d.getUTCDate()) + 'T' + lz(d.getUTCHours()) + ':' + lz(d.getUTCMinutes()) + ':' + lz(d.getUTCSeconds()) + '.' + (m > 99 ? m : '0' + lz(m)) + 'Z'; }}); if(classof(function(){ return arguments; }()) == 'Object')cof.classof = function(it){ var tag = classof(it); return tag == 'Object' && isFunction(it.callee) ? 'Arguments' : tag; }; /***/ }, /* 2 */ /***/ function(module, exports, __webpack_require__) { 'use strict'; var global = typeof self != 'undefined' ? self : Function('return this')() , core = {} , defineProperty = Object.defineProperty , hasOwnProperty = {}.hasOwnProperty , ceil = Math.ceil , floor = Math.floor , max = Math.max , min = Math.min; // The engine works fine with descriptors? Thank's IE8 for his funny defineProperty. var DESC = !!function(){ try { return defineProperty({}, 'a', {get: function(){ return 2; }}).a == 2; } catch(e){ /* empty */ } }(); var hide = createDefiner(1); // 7.1.4 ToInteger function toInteger(it){ return isNaN(it = +it) ? 0 : (it > 0 ? floor : ceil)(it); } function desc(bitmap, value){ return { enumerable : !(bitmap & 1), configurable: !(bitmap & 2), writable : !(bitmap & 4), value : value }; } function simpleSet(object, key, value){ object[key] = value; return object; } function createDefiner(bitmap){ return DESC ? function(object, key, value){ return $.setDesc(object, key, desc(bitmap, value)); } : simpleSet; } function isObject(it){ return it !== null && (typeof it == 'object' || typeof it == 'function'); } function isFunction(it){ return typeof it == 'function'; } function assertDefined(it){ if(it == undefined)throw TypeError("Can't call method on " + it); return it; } var $ = module.exports = __webpack_require__(3)({ g: global, core: core, html: global.document && document.documentElement, // http://jsperf.com/core-js-isobject isObject: isObject, isFunction: isFunction, that: function(){ return this; }, // 7.1.4 ToInteger toInteger: toInteger, // 7.1.15 ToLength toLength: function(it){ return it > 0 ? min(toInteger(it), 0x1fffffffffffff) : 0; // pow(2, 53) - 1 == 9007199254740991 }, toIndex: function(index, length){ index = toInteger(index); return index < 0 ? max(index + length, 0) : min(index, length); }, has: function(it, key){ return hasOwnProperty.call(it, key); }, create: Object.create, getProto: Object.getPrototypeOf, DESC: DESC, desc: desc, getDesc: Object.getOwnPropertyDescriptor, setDesc: defineProperty, setDescs: Object.defineProperties, getKeys: Object.keys, getNames: Object.getOwnPropertyNames, getSymbols: Object.getOwnPropertySymbols, assertDefined: assertDefined, // Dummy, fix for not array-like ES3 string in es5 module ES5Object: Object, toObject: function(it){ return $.ES5Object(assertDefined(it)); }, hide: hide, def: createDefiner(0), set: global.Symbol ? simpleSet : hide, each: [].forEach }); /* eslint-disable no-undef */ if(typeof __e != 'undefined')__e = core; if(typeof __g != 'undefined')__g = global; /***/ }, /* 3 */ /***/ function(module, exports, __webpack_require__) { module.exports = function($){ $.FW = true; $.path = $.g; return $; }; /***/ }, /* 4 */ /***/ function(module, exports, __webpack_require__) { var $ = __webpack_require__(2) , document = $.g.document , isObject = $.isObject // in old IE typeof document.createElement is 'object' , is = isObject(document) && isObject(document.createElement); module.exports = function(it){ return is ? document.createElement(it) : {}; }; /***/ }, /* 5 */ /***/ function(module, exports, __webpack_require__) { var $ = __webpack_require__(2) , TAG = __webpack_require__(6)('toStringTag') , toString = {}.toString; function cof(it){ return toString.call(it).slice(8, -1); } cof.classof = function(it){ var O, T; return it == undefined ? it === undefined ? 'Undefined' : 'Null' : typeof (T = (O = Object(it))[TAG]) == 'string' ? T : cof(O); }; cof.set = function(it, tag, stat){ if(it && !$.has(it = stat ? it : it.prototype, TAG))$.hide(it, TAG, tag); }; module.exports = cof; /***/ }, /* 6 */ /***/ function(module, exports, __webpack_require__) { var global = __webpack_require__(2).g , store = __webpack_require__(7)('wks'); module.exports = function(name){ return store[name] || (store[name] = global.Symbol && global.Symbol[name] || __webpack_require__(8).safe('Symbol.' + name)); }; /***/ }, /* 7 */ /***/ function(module, exports, __webpack_require__) { var $ = __webpack_require__(2) , SHARED = '__core-js_shared__' , store = $.g[SHARED] || ($.g[SHARED] = {}); module.exports = function(key){ return store[key] || (store[key] = {}); }; /***/ }, /* 8 */ /***/ function(module, exports, __webpack_require__) { var sid = 0; function uid(key){ return 'Symbol('.concat(key === undefined ? '' : key, ')_', (++sid + Math.random()).toString(36)); } uid.safe = __webpack_require__(2).g.Symbol || uid; module.exports = uid; /***/ }, /* 9 */ /***/ function(module, exports, __webpack_require__) { var $ = __webpack_require__(2) , global = $.g , core = $.core , isFunction = $.isFunction , $redef = __webpack_require__(10); function ctx(fn, that){ return function(){ return fn.apply(that, arguments); }; } global.core = core; // type bitmap $def.F = 1; // forced $def.G = 2; // global $def.S = 4; // static $def.P = 8; // proto $def.B = 16; // bind $def.W = 32; // wrap function $def(type, name, source){ var key, own, out, exp , isGlobal = type & $def.G , isProto = type & $def.P , target = isGlobal ? global : type & $def.S ? global[name] : (global[name] || {}).prototype , exports = isGlobal ? core : core[name] || (core[name] = {}); if(isGlobal)source = name; for(key in source){ // contains in native own = !(type & $def.F) && target && key in target; // export native or passed out = (own ? target : source)[key]; // bind timers to global for call from export context if(type & $def.B && own)exp = ctx(out, global); else exp = isProto && isFunction(out) ? ctx(Function.call, out) : out; // extend global if(target && !own)$redef(target, key, out); // export if(exports[key] != out)$.hide(exports, key, exp); if(isProto)(exports.prototype || (exports.prototype = {}))[key] = out; } } module.exports = $def; /***/ }, /* 10 */ /***/ function(module, exports, __webpack_require__) { var $ = __webpack_require__(2) , tpl = String({}.hasOwnProperty) , SRC = __webpack_require__(8).safe('src') , _toString = Function.toString; function $redef(O, key, val, safe){ if($.isFunction(val)){ var base = O[key]; $.hide(val, SRC, base ? String(base) : tpl.replace(/hasOwnProperty/, String(key))); if(!('name' in val))val.name = key; } if(O === $.g){ O[key] = val; } else { if(!safe)delete O[key]; $.hide(O, key, val); } } // add fake Function#toString for correct work wrapped methods / constructors // with methods similar to LoDash isNative $redef(Function.prototype, 'toString', function toString(){ return $.has(this, SRC) ? this[SRC] : _toString.call(this); }); $.core.inspectSource = function(it){ return _toString.call(it); }; module.exports = $redef; /***/ }, /* 11 */ /***/ function(module, exports, __webpack_require__) { // Fast apply // http://jsperf.lnkit.com/fast-apply/5 module.exports = function(fn, args, that){ var un = that === undefined; switch(args.length){ case 0: return un ? fn() : fn.call(that); case 1: return un ? fn(args[0]) : fn.call(that, args[0]); case 2: return un ? fn(args[0], args[1]) : fn.call(that, args[0], args[1]); case 3: return un ? fn(args[0], args[1], args[2]) : fn.call(that, args[0], args[1], args[2]); case 4: return un ? fn(args[0], args[1], args[2], args[3]) : fn.call(that, args[0], args[1], args[2], args[3]); case 5: return un ? fn(args[0], args[1], args[2], args[3], args[4]) : fn.call(that, args[0], args[1], args[2], args[3], args[4]); } return fn.apply(that, args); }; /***/ }, /* 12 */ /***/ function(module, exports, __webpack_require__) { // 0 -> Array#forEach // 1 -> Array#map // 2 -> Array#filter // 3 -> Array#some // 4 -> Array#every // 5 -> Array#find // 6 -> Array#findIndex var $ = __webpack_require__(2) , ctx = __webpack_require__(13); module.exports = function(TYPE){ var IS_MAP = TYPE == 1 , IS_FILTER = TYPE == 2 , IS_SOME = TYPE == 3 , IS_EVERY = TYPE == 4 , IS_FIND_INDEX = TYPE == 6 , NO_HOLES = TYPE == 5 || IS_FIND_INDEX; return function($this, callbackfn, that){ var O = Object($.assertDefined($this)) , self = $.ES5Object(O) , f = ctx(callbackfn, that, 3) , length = $.toLength(self.length) , index = 0 , result = IS_MAP ? Array(length) : IS_FILTER ? [] : undefined , val, res; for(;length > index; index++)if(NO_HOLES || index in self){ val = self[index]; res = f(val, index, O); if(TYPE){ if(IS_MAP)result[index] = res; // map else if(res)switch(TYPE){ case 3: return true; // some case 5: return val; // find case 6: return index; // findIndex case 2: result.push(val); // filter } else if(IS_EVERY)return false; // every } } return IS_FIND_INDEX ? -1 : IS_SOME || IS_EVERY ? IS_EVERY : result; }; }; /***/ }, /* 13 */ /***/ function(module, exports, __webpack_require__) { // Optional / simple context binding var assertFunction = __webpack_require__(14).fn; module.exports = function(fn, that, length){ assertFunction(fn); if(~length && that === undefined)return fn; switch(length){ case 1: return function(a){ return fn.call(that, a); }; case 2: return function(a, b){ return fn.call(that, a, b); }; case 3: return function(a, b, c){ return fn.call(that, a, b, c); }; } return function(/* ...args */){ return fn.apply(that, arguments); }; }; /***/ }, /* 14 */ /***/ function(module, exports, __webpack_require__) { var $ = __webpack_require__(2); function assert(condition, msg1, msg2){ if(!condition)throw TypeError(msg2 ? msg1 + msg2 : msg1); } assert.def = $.assertDefined; assert.fn = function(it){ if(!$.isFunction(it))throw TypeError(it + ' is not a function!'); return it; }; assert.obj = function(it){ if(!$.isObject(it))throw TypeError(it + ' is not an object!'); return it; }; assert.inst = function(it, Constructor, name){ if(!(it instanceof Constructor))throw TypeError(name + ": use the 'new' operator!"); return it; }; module.exports = assert; /***/ }, /* 15 */ /***/ function(module, exports, __webpack_require__) { // false -> Array#indexOf // true -> Array#includes var $ = __webpack_require__(2); module.exports = function(IS_INCLUDES){ return function($this, el, fromIndex){ var O = $.toObject($this) , length = $.toLength(O.length) , index = $.toIndex(fromIndex, length) , value; if(IS_INCLUDES && el != el)while(length > index){ value = O[index++]; if(value != value)return true; } else for(;length > index; index++)if(IS_INCLUDES || index in O){ if(O[index] === el)return IS_INCLUDES || index; } return !IS_INCLUDES && -1; }; }; /***/ }, /* 16 */ /***/ function(module, exports, __webpack_require__) { 'use strict'; module.exports = function(regExp, replace, isStatic){ var replacer = replace === Object(replace) ? function(part){ return replace[part]; } : replace; return function(it){ return String(isStatic ? it : this).replace(regExp, replacer); }; }; /***/ }, /* 17 */ /***/ function(module, exports, __webpack_require__) { module.exports = function(exec){ try { exec(); return false; } catch(e){ return true; } }; /***/ }, /* 18 */ /***/ function(module, exports, __webpack_require__) { 'use strict'; // ECMAScript 6 symbols shim var $ = __webpack_require__(2) , setTag = __webpack_require__(5).set , uid = __webpack_require__(8) , shared = __webpack_require__(7) , $def = __webpack_require__(9) , $redef = __webpack_require__(10) , keyOf = __webpack_require__(19) , enumKeys = __webpack_require__(20) , assertObject = __webpack_require__(14).obj , ObjectProto = Object.prototype , DESC = $.DESC , has = $.has , $create = $.create , getDesc = $.getDesc , setDesc = $.setDesc , desc = $.desc , $names = __webpack_require__(21) , getNames = $names.get , toObject = $.toObject , $Symbol = $.g.Symbol , setter = false , TAG = uid('tag') , HIDDEN = uid('hidden') , _propertyIsEnumerable = {}.propertyIsEnumerable , SymbolRegistry = shared('symbol-registry') , AllSymbols = shared('symbols') , useNative = $.isFunction($Symbol); var setSymbolDesc = DESC ? function(){ // fallback for old Android try { return $create(setDesc({}, HIDDEN, { get: function(){ return setDesc(this, HIDDEN, {value: false})[HIDDEN]; } }))[HIDDEN] || setDesc; } catch(e){ return function(it, key, D){ var protoDesc = getDesc(ObjectProto, key); if(protoDesc)delete ObjectProto[key]; setDesc(it, key, D); if(protoDesc && it !== ObjectProto)setDesc(ObjectProto, key, protoDesc); }; } }() : setDesc; function wrap(tag){ var sym = AllSymbols[tag] = $.set($create($Symbol.prototype), TAG, tag); DESC && setter && setSymbolDesc(ObjectProto, tag, { configurable: true, set: function(value){ if(has(this, HIDDEN) && has(this[HIDDEN], tag))this[HIDDEN][tag] = false; setSymbolDesc(this, tag, desc(1, value)); } }); return sym; } function defineProperty(it, key, D){ if(D && has(AllSymbols, key)){ if(!D.enumerable){ if(!has(it, HIDDEN))setDesc(it, HIDDEN, desc(1, {})); it[HIDDEN][key] = true; } else { if(has(it, HIDDEN) && it[HIDDEN][key])it[HIDDEN][key] = false; D = $create(D, {enumerable: desc(0, false)}); } return setSymbolDesc(it, key, D); } return setDesc(it, key, D); } function defineProperties(it, P){ assertObject(it); var keys = enumKeys(P = toObject(P)) , i = 0 , l = keys.length , key; while(l > i)defineProperty(it, key = keys[i++], P[key]); return it; } function create(it, P){ return P === undefined ? $create(it) : defineProperties($create(it), P); } function propertyIsEnumerable(key){ var E = _propertyIsEnumerable.call(this, key); return E || !has(this, key) || !has(AllSymbols, key) || has(this, HIDDEN) && this[HIDDEN][key] ? E : true; } function getOwnPropertyDescriptor(it, key){ var D = getDesc(it = toObject(it), key); if(D && has(AllSymbols, key) && !(has(it, HIDDEN) && it[HIDDEN][key]))D.enumerable = true; return D; } function getOwnPropertyNames(it){ var names = getNames(toObject(it)) , result = [] , i = 0 , key; while(names.length > i)if(!has(AllSymbols, key = names[i++]) && key != HIDDEN)result.push(key); return result; } function getOwnPropertySymbols(it){ var names = getNames(toObject(it)) , result = [] , i = 0 , key; while(names.length > i)if(has(AllSymbols, key = names[i++]))result.push(AllSymbols[key]); return result; } // 19.4.1.1 Symbol([description]) if(!useNative){ $Symbol = function Symbol(){ if(this instanceof $Symbol)throw TypeError('Symbol is not a constructor'); return wrap(uid(arguments[0])); }; $redef($Symbol.prototype, 'toString', function(){ return this[TAG]; }); $.create = create; $.setDesc = defineProperty; $.getDesc = getOwnPropertyDescriptor; $.setDescs = defineProperties; $.getNames = $names.get = getOwnPropertyNames; $.getSymbols = getOwnPropertySymbols; if($.DESC && $.FW)$redef(ObjectProto, 'propertyIsEnumerable', propertyIsEnumerable, true); } var symbolStatics = { // 19.4.2.1 Symbol.for(key) 'for': function(key){ return has(SymbolRegistry, key += '') ? SymbolRegistry[key] : SymbolRegistry[key] = $Symbol(key); }, // 19.4.2.5 Symbol.keyFor(sym) keyFor: function keyFor(key){ return keyOf(SymbolRegistry, key); }, useSetter: function(){ setter = true; }, useSimple: function(){ setter = false; } }; // 19.4.2.2 Symbol.hasInstance // 19.4.2.3 Symbol.isConcatSpreadable // 19.4.2.4 Symbol.iterator // 19.4.2.6 Symbol.match // 19.4.2.8 Symbol.replace // 19.4.2.9 Symbol.search // 19.4.2.10 Symbol.species // 19.4.2.11 Symbol.split // 19.4.2.12 Symbol.toPrimitive // 19.4.2.13 Symbol.toStringTag // 19.4.2.14 Symbol.unscopables $.each.call(( 'hasInstance,isConcatSpreadable,iterator,match,replace,search,' + 'species,split,toPrimitive,toStringTag,unscopables' ).split(','), function(it){ var sym = __webpack_require__(6)(it); symbolStatics[it] = useNative ? sym : wrap(sym); } ); setter = true; $def($def.G + $def.W, {Symbol: $Symbol}); $def($def.S, 'Symbol', symbolStatics); $def($def.S + $def.F * !useNative, 'Object', { // 19.1.2.2 Object.create(O [, Properties]) create: create, // 19.1.2.4 Object.defineProperty(O, P, Attributes) defineProperty: defineProperty, // 19.1.2.3 Object.defineProperties(O, Properties) defineProperties: defineProperties, // 19.1.2.6 Object.getOwnPropertyDescriptor(O, P) getOwnPropertyDescriptor: getOwnPropertyDescriptor, // 19.1.2.7 Object.getOwnPropertyNames(O) getOwnPropertyNames: getOwnPropertyNames, // 19.1.2.8 Object.getOwnPropertySymbols(O) getOwnPropertySymbols: getOwnPropertySymbols }); // 19.4.3.5 Symbol.prototype[@@toStringTag] setTag($Symbol, 'Symbol'); // 20.2.1.9 Math[@@toStringTag] setTag(Math, 'Math', true); // 24.3.3 JSON[@@toStringTag] setTag($.g.JSON, 'JSON', true); /***/ }, /* 19 */ /***/ function(module, exports, __webpack_require__) { var $ = __webpack_require__(2); module.exports = function(object, el){ var O = $.toObject(object) , keys = $.getKeys(O) , length = keys.length , index = 0 , key; while(length > index)if(O[key = keys[index++]] === el)return key; }; /***/ }, /* 20 */ /***/ function(module, exports, __webpack_require__) { var $ = __webpack_require__(2); module.exports = function(it){ var keys = $.getKeys(it) , getDesc = $.getDesc , getSymbols = $.getSymbols; if(getSymbols)$.each.call(getSymbols(it), function(key){ if(getDesc(it, key).enumerable)keys.push(key); }); return keys; }; /***/ }, /* 21 */ /***/ function(module, exports, __webpack_require__) { // fallback for IE11 buggy Object.getOwnPropertyNames with iframe and window var $ = __webpack_require__(2) , toString = {}.toString , getNames = $.getNames; var windowNames = typeof window == 'object' && Object.getOwnPropertyNames ? Object.getOwnPropertyNames(window) : []; function getWindowNames(it){ try { return getNames(it); } catch(e){ return windowNames.slice(); } } module.exports.get = function getOwnPropertyNames(it){ if(windowNames && toString.call(it) == '[object Window]')return getWindowNames(it); return getNames($.toObject(it)); }; /***/ }, /* 22 */ /***/ function(module, exports, __webpack_require__) { // 19.1.3.1 Object.assign(target, source) var $def = __webpack_require__(9); $def($def.S, 'Object', {assign: __webpack_require__(23)}); /***/ }, /* 23 */ /***/ function(module, exports, __webpack_require__) { var $ = __webpack_require__(2) , enumKeys = __webpack_require__(20); // 19.1.2.1 Object.assign(target, source, ...) /* eslint-disable no-unused-vars */ module.exports = Object.assign || function assign(target, source){ /* eslint-enable no-unused-vars */ var T = Object($.assertDefined(target)) , l = arguments.length , i = 1; while(l > i){ var S = $.ES5Object(arguments[i++]) , keys = enumKeys(S) , length = keys.length , j = 0 , key; while(length > j)T[key = keys[j++]] = S[key]; } return T; }; /***/ }, /* 24 */ /***/ function(module, exports, __webpack_require__) { // 19.1.3.10 Object.is(value1, value2) var $def = __webpack_require__(9); $def($def.S, 'Object', { is: __webpack_require__(25) }); /***/ }, /* 25 */ /***/ function(module, exports, __webpack_require__) { module.exports = Object.is || function is(x, y){ return x === y ? x !== 0 || 1 / x === 1 / y : x != x && y != y; }; /***/ }, /* 26 */ /***/ function(module, exports, __webpack_require__) { // 19.1.3.19 Object.setPrototypeOf(O, proto) var $def = __webpack_require__(9); $def($def.S, 'Object', {setPrototypeOf: __webpack_require__(27).set}); /***/ }, /* 27 */ /***/ function(module, exports, __webpack_require__) { // Works with __proto__ only. Old v8 can't work with null proto objects. /* eslint-disable no-proto */ var $ = __webpack_require__(2) , assert = __webpack_require__(14); function check(O, proto){ assert.obj(O); assert(proto === null || $.isObject(proto), proto, ": can't set as prototype!"); } module.exports = { set: Object.setPrototypeOf || ('__proto__' in {} // eslint-disable-line ? function(buggy, set){ try { set = __webpack_require__(13)(Function.call, $.getDesc(Object.prototype, '__proto__').set, 2); set({}, []); } catch(e){ buggy = true; } return function setPrototypeOf(O, proto){ check(O, proto); if(buggy)O.__proto__ = proto; else set(O, proto); return O; }; }() : undefined), check: check }; /***/ }, /* 28 */ /***/ function(module, exports, __webpack_require__) { 'use strict'; // 19.1.3.6 Object.prototype.toString() var cof = __webpack_require__(5) , tmp = {}; tmp[__webpack_require__(6)('toStringTag')] = 'z'; if(__webpack_require__(2).FW && cof(tmp) != 'z'){ __webpack_require__(10)(Object.prototype, 'toString', function toString(){ return '[object ' + cof.classof(this) + ']'; }, true); } /***/ }, /* 29 */ /***/ function(module, exports, __webpack_require__) { var $ = __webpack_require__(2) , $def = __webpack_require__(9) , isObject = $.isObject , toObject = $.toObject; $.each.call(('freeze,seal,preventExtensions,isFrozen,isSealed,isExtensible,' + 'getOwnPropertyDescriptor,getPrototypeOf,keys,getOwnPropertyNames').split(',') , function(KEY, ID){ var fn = ($.core.Object || {})[KEY] || Object[KEY] , forced = 0 , method = {}; method[KEY] = ID == 0 ? function freeze(it){ return isObject(it) ? fn(it) : it; } : ID == 1 ? function seal(it){ return isObject(it) ? fn(it) : it; } : ID == 2 ? function preventExtensions(it){ return isObject(it) ? fn(it) : it; } : ID == 3 ? function isFrozen(it){ return isObject(it) ? fn(it) : true; } : ID == 4 ? function isSealed(it){ return isObject(it) ? fn(it) : true; } : ID == 5 ? function isExtensible(it){ return isObject(it) ? fn(it) : false; } : ID == 6 ? function getOwnPropertyDescriptor(it, key){ return fn(toObject(it), key); } : ID == 7 ? function getPrototypeOf(it){ return fn(Object($.assertDefined(it))); } : ID == 8 ? function keys(it){ return fn(toObject(it)); } : __webpack_require__(21).get; try { fn('z'); } catch(e){ forced = 1; } $def($def.S + $def.F * forced, 'Object', method); }); /***/ }, /* 30 */ /***/ function(module, exports, __webpack_require__) { 'use strict'; var $ = __webpack_require__(2) , NAME = 'name' , setDesc = $.setDesc , FunctionProto = Function.prototype; // 19.2.4.2 name NAME in FunctionProto || $.FW && $.DESC && setDesc(FunctionProto, NAME, { configurable: true, get: function(){ var match = String(this).match(/^\s*function ([^ (]*)/) , name = match ? match[1] : ''; $.has(this, NAME) || setDesc(this, NAME, $.desc(5, name)); return name; }, set: function(value){ $.has(this, NAME) || setDesc(this, NAME, $.desc(0, value)); } }); /***/ }, /* 31 */ /***/ function(module, exports, __webpack_require__) { var $ = __webpack_require__(2) , HAS_INSTANCE = __webpack_require__(6)('hasInstance') , FunctionProto = Function.prototype; // 19.2.3.6 Function.prototype[@@hasInstance](V) if(!(HAS_INSTANCE in FunctionProto))$.setDesc(FunctionProto, HAS_INSTANCE, {value: function(O){ if(!$.isFunction(this) || !$.isObject(O))return false; if(!$.isObject(this.prototype))return O instanceof this; // for environment w/o native `@@hasInstance` logic enough `instanceof`, but add this: while(O = $.getProto(O))if(this.prototype === O)return true; return false; }}); /***/ }, /* 32 */ /***/ function(module, exports, __webpack_require__) { 'use strict'; var $ = __webpack_require__(2) , isObject = $.isObject , isFunction = $.isFunction , NUMBER = 'Number' , $Number = $.g[NUMBER] , Base = $Number , proto = $Number.prototype; function toPrimitive(it){ var fn, val; if(isFunction(fn = it.valueOf) && !isObject(val = fn.call(it)))return val; if(isFunction(fn = it.toString) && !isObject(val = fn.call(it)))return val; throw TypeError("Can't convert object to number"); } function toNumber(it){ if(isObject(it))it = toPrimitive(it); if(typeof it == 'string' && it.length > 2 && it.charCodeAt(0) == 48){ var binary = false; switch(it.charCodeAt(1)){ case 66 : case 98 : binary = true; case 79 : case 111 : return parseInt(it.slice(2), binary ? 2 : 8); } } return +it; } if($.FW && !($Number('0o1') && $Number('0b1'))){ $Number = function Number(it){ return this instanceof $Number ? new Base(toNumber(it)) : toNumber(it); }; $.each.call($.DESC ? $.getNames(Base) : ( // ES3: 'MAX_VALUE,MIN_VALUE,NaN,NEGATIVE_INFINITY,POSITIVE_INFINITY,' + // ES6 (in case, if modules with ES6 Number statics required before): 'EPSILON,isFinite,isInteger,isNaN,isSafeInteger,MAX_SAFE_INTEGER,' + 'MIN_SAFE_INTEGER,parseFloat,parseInt,isInteger' ).split(','), function(key){ if($.has(Base, key) && !$.has($Number, key)){ $.setDesc($Number, key, $.getDesc(Base, key)); } } ); $Number.prototype = proto; proto.constructor = $Number; __webpack_require__(10)($.g, NUMBER, $Number); } /***/ }, /* 33 */ /***/ function(module, exports, __webpack_require__) { var $ = __webpack_require__(2) , $def = __webpack_require__(9) , abs = Math.abs , floor = Math.floor , _isFinite = $.g.isFinite , MAX_SAFE_INTEGER = 0x1fffffffffffff; // pow(2, 53) - 1 == 9007199254740991; function isInteger(it){ return !$.isObject(it) && _isFinite(it) && floor(it) === it; } $def($def.S, 'Number', { // 20.1.2.1 Number.EPSILON EPSILON: Math.pow(2, -52), // 20.1.2.2 Number.isFinite(number) isFinite: function isFinite(it){ return typeof it == 'number' && _isFinite(it); }, // 20.1.2.3 Number.isInteger(number) isInteger: isInteger, // 20.1.2.4 Number.isNaN(number) isNaN: function isNaN(number){ return number != number; }, // 20.1.2.5 Number.isSafeInteger(number) isSafeInteger: function isSafeInteger(number){ return isInteger(number) && abs(number) <= MAX_SAFE_INTEGER; }, // 20.1.2.6 Number.MAX_SAFE_INTEGER MAX_SAFE_INTEGER: MAX_SAFE_INTEGER, // 20.1.2.10 Number.MIN_SAFE_INTEGER MIN_SAFE_INTEGER: -MAX_SAFE_INTEGER, // 20.1.2.12 Number.parseFloat(string) parseFloat: parseFloat, // 20.1.2.13 Number.parseInt(string, radix) parseInt: parseInt }); /***/ }, /* 34 */ /***/ function(module, exports, __webpack_require__) { var Infinity = 1 / 0 , $def = __webpack_require__(9) , E = Math.E , pow = Math.pow , abs = Math.abs , exp = Math.exp , log = Math.log , sqrt = Math.sqrt , ceil = Math.ceil , floor = Math.floor , EPSILON = pow(2, -52) , EPSILON32 = pow(2, -23) , MAX32 = pow(2, 127) * (2 - EPSILON32) , MIN32 = pow(2, -126); function roundTiesToEven(n){ return n + 1 / EPSILON - 1 / EPSILON; } // 20.2.2.28 Math.sign(x) function sign(x){ return (x = +x) == 0 || x != x ? x : x < 0 ? -1 : 1; } // 20.2.2.5 Math.asinh(x) function asinh(x){ return !isFinite(x = +x) || x == 0 ? x : x < 0 ? -asinh(-x) : log(x + sqrt(x * x + 1)); } // 20.2.2.14 Math.expm1(x) function expm1(x){ return (x = +x) == 0 ? x : x > -1e-6 && x < 1e-6 ? x + x * x / 2 : exp(x) - 1; } $def($def.S, 'Math', { // 20.2.2.3 Math.acosh(x) acosh: function acosh(x){ return (x = +x) < 1 ? NaN : isFinite(x) ? log(x / E + sqrt(x + 1) * sqrt(x - 1) / E) + 1 : x; }, // 20.2.2.5 Math.asinh(x) asinh: asinh, // 20.2.2.7 Math.atanh(x) atanh: function atanh(x){ return (x = +x) == 0 ? x : log((1 + x) / (1 - x)) / 2; }, // 20.2.2.9 Math.cbrt(x) cbrt: function cbrt(x){ return sign(x = +x) * pow(abs(x), 1 / 3); }, // 20.2.2.11 Math.clz32(x) clz32: function clz32(x){ return (x >>>= 0) ? 31 - floor(log(x + 0.5) * Math.LOG2E) : 32; }, // 20.2.2.12 Math.cosh(x) cosh: function cosh(x){ return (exp(x = +x) + exp(-x)) / 2; }, // 20.2.2.14 Math.expm1(x) expm1: expm1, // 20.2.2.16 Math.fround(x) fround: function fround(x){ var $abs = abs(x) , $sign = sign(x) , a, result; if($abs < MIN32)return $sign * roundTiesToEven($abs / MIN32 / EPSILON32) * MIN32 * EPSILON32; a = (1 + EPSILON32 / EPSILON) * $abs; result = a - (a - $abs); if(result > MAX32 || result != result)return $sign * Infinity; return $sign * result; }, // 20.2.2.17 Math.hypot([value1[, value2[, … ]]]) hypot: function hypot(value1, value2){ // eslint-disable-line no-unused-vars var sum = 0 , i = 0 , len = arguments.length , larg = 0 , arg, div; while(i < len){ arg = abs(arguments[i++]); if(larg < arg){ div = larg / arg; sum = sum * div * div + 1; larg = arg; } else if(arg > 0){ div = arg / larg; sum += div * div; } else sum += arg; } return larg === Infinity ? Infinity : larg * sqrt(sum); }, // 20.2.2.18 Math.imul(x, y) imul: function imul(x, y){ var UInt16 = 0xffff , xn = +x , yn = +y , xl = UInt16 & xn , yl = UInt16 & yn; return 0 | xl * yl + ((UInt16 & xn >>> 16) * yl + xl * (UInt16 & yn >>> 16) << 16 >>> 0); }, // 20.2.2.20 Math.log1p(x) log1p: function log1p(x){ return (x = +x) > -1e-8 && x < 1e-8 ? x - x * x / 2 : log(1 + x); }, // 20.2.2.21 Math.log10(x) log10: function log10(x){ return log(x) / Math.LN10; }, // 20.2.2.22 Math.log2(x) log2: function log2(x){ return log(x) / Math.LN2; }, // 20.2.2.28 Math.sign(x) sign: sign, // 20.2.2.30 Math.sinh(x) sinh: function sinh(x){ return abs(x = +x) < 1 ? (expm1(x) - expm1(-x)) / 2 : (exp(x - 1) - exp(-x - 1)) * (E / 2); }, // 20.2.2.33 Math.tanh(x) tanh: function tanh(x){ var a = expm1(x = +x) , b = expm1(-x); return a == Infinity ? 1 : b == Infinity ? -1 : (a - b) / (exp(x) + exp(-x)); }, // 20.2.2.34 Math.trunc(x) trunc: function trunc(it){ return (it > 0 ? floor : ceil)(it); } }); /***/ }, /* 35 */ /***/ function(module, exports, __webpack_require__) { var $def = __webpack_require__(9) , toIndex = __webpack_require__(2).toIndex , fromCharCode = String.fromCharCode , $fromCodePoint = String.fromCodePoint; // length should be 1, old FF problem $def($def.S + $def.F * (!!$fromCodePoint && $fromCodePoint.length != 1), 'String', { // 21.1.2.2 String.fromCodePoint(...codePoints) fromCodePoint: function fromCodePoint(x){ // eslint-disable-line no-unused-vars var res = [] , len = arguments.length , i = 0 , code; while(len > i){ code = +arguments[i++]; if(toIndex(code, 0x10ffff) !== code)throw RangeError(code + ' is not a valid code point'); res.push(code < 0x10000 ? fromCharCode(code) : fromCharCode(((code -= 0x10000) >> 10) + 0xd800, code % 0x400 + 0xdc00) ); } return res.join(''); } }); /***/ }, /* 36 */ /***/ function(module, exports, __webpack_require__) { var $ = __webpack_require__(2) , $def = __webpack_require__(9); $def($def.S, 'String', { // 21.1.2.4 String.raw(callSite, ...substitutions) raw: function raw(callSite){ var tpl = $.toObject(callSite.raw) , len = $.toLength(tpl.length) , sln = arguments.length , res = [] , i = 0; while(len > i){ res.push(String(tpl[i++])); if(i < sln)res.push(String(arguments[i])); } return res.join(''); } }); /***/ }, /* 37 */ /***/ function(module, exports, __webpack_require__) { var set = __webpack_require__(2).set , $at = __webpack_require__(38)(true) , ITER = __webpack_require__(8).safe('iter') , $iter = __webpack_require__(39) , step = $iter.step; // 21.1.3.27 String.prototype[@@iterator]() __webpack_require__(40)(String, 'String', function(iterated){ set(this, ITER, {o: String(iterated), i: 0}); // 21.1.5.2.1 %StringIteratorPrototype%.next() }, function(){ var iter = this[ITER] , O = iter.o , index = iter.i , point; if(index >= O.length)return step(1); point = $at(O, index); iter.i += point.length; return step(0, point); }); /***/ }, /* 38 */ /***/ function(module, exports, __webpack_require__) { // true -> String#at // false -> String#codePointAt var $ = __webpack_require__(2); module.exports = function(TO_STRING){ return function(that, pos){ var s = String($.assertDefined(that)) , i = $.toInteger(pos) , l = s.length , a, b; if(i < 0 || i >= l)return TO_STRING ? '' : undefined; a = s.charCodeAt(i); return a < 0xd800 || a > 0xdbff || i + 1 === l || (b = s.charCodeAt(i + 1)) < 0xdc00 || b > 0xdfff ? TO_STRING ? s.charAt(i) : a : TO_STRING ? s.slice(i, i + 2) : (a - 0xd800 << 10) + (b - 0xdc00) + 0x10000; }; }; /***/ }, /* 39 */ /***/ function(module, exports, __webpack_require__) { 'use strict'; var $ = __webpack_require__(2) , cof = __webpack_require__(5) , classof = cof.classof , assert = __webpack_require__(14) , assertObject = assert.obj , SYMBOL_ITERATOR = __webpack_require__(6)('iterator') , FF_ITERATOR = '@@iterator' , Iterators = __webpack_require__(7)('iterators') , IteratorPrototype = {}; // 25.1.2.1.1 %IteratorPrototype%[@@iterator]() setIterator(IteratorPrototype, $.that); function setIterator(O, value){ $.hide(O, SYMBOL_ITERATOR, value); // Add iterator for FF iterator protocol if(FF_ITERATOR in [])$.hide(O, FF_ITERATOR, value); } module.exports = { // Safari has buggy iterators w/o `next` BUGGY: 'keys' in [] && !('next' in [].keys()), Iterators: Iterators, step: function(done, value){ return {value: value, done: !!done}; }, is: function(it){ var O = Object(it) , Symbol = $.g.Symbol; return (Symbol && Symbol.iterator || FF_ITERATOR) in O || SYMBOL_ITERATOR in O || $.has(Iterators, classof(O)); }, get: function(it){ var Symbol = $.g.Symbol , getIter; if(it != undefined){ getIter = it[Symbol && Symbol.iterator || FF_ITERATOR] || it[SYMBOL_ITERATOR] || Iterators[classof(it)]; } assert($.isFunction(getIter), it, ' is not iterable!'); return assertObject(getIter.call(it)); }, set: setIterator, create: function(Constructor, NAME, next, proto){ Constructor.prototype = $.create(proto || IteratorPrototype, {next: $.desc(1, next)}); cof.set(Constructor, NAME + ' Iterator'); } }; /***/ }, /* 40 */ /***/ function(module, exports, __webpack_require__) { var $def = __webpack_require__(9) , $redef = __webpack_require__(10) , $ = __webpack_require__(2) , cof = __webpack_require__(5) , $iter = __webpack_require__(39) , SYMBOL_ITERATOR = __webpack_require__(6)('iterator') , FF_ITERATOR = '@@iterator' , KEYS = 'keys' , VALUES = 'values' , Iterators = $iter.Iterators; module.exports = function(Base, NAME, Constructor, next, DEFAULT, IS_SET, FORCE){ $iter.create(Constructor, NAME, next); function createMethod(kind){ function $$(that){ return new Constructor(that, kind); } switch(kind){ case KEYS: return function keys(){ return $$(this); }; case VALUES: return function values(){ return $$(this); }; } return function entries(){ return $$(this); }; } var TAG = NAME + ' Iterator' , proto = Base.prototype , _native = proto[SYMBOL_ITERATOR] || proto[FF_ITERATOR] || DEFAULT && proto[DEFAULT] , _default = _native || createMethod(DEFAULT) , methods, key; // Fix native if(_native){ var IteratorPrototype = $.getProto(_default.call(new Base)); // Set @@toStringTag to native iterators cof.set(IteratorPrototype, TAG, true); // FF fix if($.FW && $.has(proto, FF_ITERATOR))$iter.set(IteratorPrototype, $.that); } // Define iterator if($.FW || FORCE)$iter.set(proto, _default); // Plug for library Iterators[NAME] = _default; Iterators[TAG] = $.that; if(DEFAULT){ methods = { keys: IS_SET ? _default : createMethod(KEYS), values: DEFAULT == VALUES ? _default : createMethod(VALUES), entries: DEFAULT != VALUES ? _default : createMethod('entries') }; if(FORCE)for(key in methods){ if(!(key in proto))$redef(proto, key, methods[key]); } else $def($def.P + $def.F * $iter.BUGGY, NAME, methods); } }; /***/ }, /* 41 */ /***/ function(module, exports, __webpack_require__) { 'use strict'; var $def = __webpack_require__(9) , $at = __webpack_require__(38)(false); $def($def.P, 'String', { // 21.1.3.3 String.prototype.codePointAt(pos) codePointAt: function codePointAt(pos){ return $at(this, pos); } }); /***/ }, /* 42 */ /***/ function(module, exports, __webpack_require__) { 'use strict'; var $ = __webpack_require__(2) , cof = __webpack_require__(5) , $def = __webpack_require__(9) , toLength = $.toLength; // should throw error on regex $def($def.P + $def.F * !__webpack_require__(17)(function(){ 'q'.endsWith(/./); }), 'String', { // 21.1.3.6 String.prototype.endsWith(searchString [, endPosition]) endsWith: function endsWith(searchString /*, endPosition = @length */){ if(cof(searchString) == 'RegExp')throw TypeError(); var that = String($.assertDefined(this)) , endPosition = arguments[1] , len = toLength(that.length) , end = endPosition === undefined ? len : Math.min(toLength(endPosition), len); searchString += ''; return that.slice(end - searchString.length, end) === searchString; } }); /***/ }, /* 43 */ /***/ function(module, exports, __webpack_require__) { 'use strict'; var $ = __webpack_require__(2) , cof = __webpack_require__(5) , $def = __webpack_require__(9); $def($def.P, 'String', { // 21.1.3.7 String.prototype.includes(searchString, position = 0) includes: function includes(searchString /*, position = 0 */){ if(cof(searchString) == 'RegExp')throw TypeError(); return !!~String($.assertDefined(this)).indexOf(searchString, arguments[1]); } }); /***/ }, /* 44 */ /***/ function(module, exports, __webpack_require__) { var $def = __webpack_require__(9); $def($def.P, 'String', { // 21.1.3.13 String.prototype.repeat(count) repeat: __webpack_require__(45) }); /***/ }, /* 45 */ /***/ function(module, exports, __webpack_require__) { 'use strict'; var $ = __webpack_require__(2); module.exports = function repeat(count){ var str = String($.assertDefined(this)) , res = '' , n = $.toInteger(count); if(n < 0 || n == Infinity)throw RangeError("Count can't be negative"); for(;n > 0; (n >>>= 1) && (str += str))if(n & 1)res += str; return res; }; /***/ }, /* 46 */ /***/ function(module, exports, __webpack_require__) { 'use strict'; var $ = __webpack_require__(2) , cof = __webpack_require__(5) , $def = __webpack_require__(9); // should throw error on regex $def($def.P + $def.F * !__webpack_require__(17)(function(){ 'q'.startsWith(/./); }), 'String', { // 21.1.3.18 String.prototype.startsWith(searchString [, position ]) startsWith: function startsWith(searchString /*, position = 0 */){ if(cof(searchString) == 'RegExp')throw TypeError(); var that = String($.assertDefined(this)) , index = $.toLength(Math.min(arguments[1], that.length)); searchString += ''; return that.slice(index, index + searchString.length) === searchString; } }); /***/ }, /* 47 */ /***/ function(module, exports, __webpack_require__) { var $ = __webpack_require__(2) , ctx = __webpack_require__(13) , $def = __webpack_require__(9) , $iter = __webpack_require__(39) , call = __webpack_require__(48); $def($def.S + $def.F * !__webpack_require__(49)(function(iter){ Array.from(iter); }), 'Array', { // 22.1.2.1 Array.from(arrayLike, mapfn = undefined, thisArg = undefined) from: function from(arrayLike/*, mapfn = undefined, thisArg = undefined*/){ var O = Object($.assertDefined(arrayLike)) , mapfn = arguments[1] , mapping = mapfn !== undefined , f = mapping ? ctx(mapfn, arguments[2], 2) : undefined , index = 0 , length, result, step, iterator; if($iter.is(O)){ iterator = $iter.get(O); // strange IE quirks mode bug -> use typeof instead of isFunction result = new (typeof this == 'function' ? this : Array); for(; !(step = iterator.next()).done; index++){ result[index] = mapping ? call(iterator, f, [step.value, index], true) : step.value; } } else { // strange IE quirks mode bug -> use typeof instead of isFunction result = new (typeof this == 'function' ? this : Array)(length = $.toLength(O.length)); for(; length > index; index++){ result[index] = mapping ? f(O[index], index) : O[index]; } } result.length = index; return result; } }); /***/ }, /* 48 */ /***/ function(module, exports, __webpack_require__) { var assertObject = __webpack_require__(14).obj; function close(iterator){ var ret = iterator['return']; if(ret !== undefined)assertObject(ret.call(iterator)); } function call(iterator, fn, value, entries){ try { return entries ? fn(assertObject(value)[0], value[1]) : fn(value); } catch(e){ close(iterator); throw e; } } call.close = close; module.exports = call; /***/ }, /* 49 */ /***/ function(module, exports, __webpack_require__) { var SYMBOL_ITERATOR = __webpack_require__(6)('iterator') , SAFE_CLOSING = false; try { var riter = [7][SYMBOL_ITERATOR](); riter['return'] = function(){ SAFE_CLOSING = true; }; Array.from(riter, function(){ throw 2; }); } catch(e){ /* empty */ } module.exports = function(exec){ if(!SAFE_CLOSING)return false; var safe = false; try { var arr = [7] , iter = arr[SYMBOL_ITERATOR](); iter.next = function(){ safe = true; }; arr[SYMBOL_ITERATOR] = function(){ return iter; }; exec(arr); } catch(e){ /* empty */ } return safe; }; /***/ }, /* 50 */ /***/ function(module, exports, __webpack_require__) { var $def = __webpack_require__(9); $def($def.S, 'Array', { // 22.1.2.3 Array.of( ...items) of: function of(/* ...args */){ var index = 0 , length = arguments.length // strange IE quirks mode bug -> use typeof instead of isFunction , result = new (typeof this == 'function' ? this : Array)(length); while(length > index)result[index] = arguments[index++]; result.length = length; return result; } }); /***/ }, /* 51 */ /***/ function(module, exports, __webpack_require__) { var $ = __webpack_require__(2) , setUnscope = __webpack_require__(52) , ITER = __webpack_require__(8).safe('iter') , $iter = __webpack_require__(39) , step = $iter.step , Iterators = $iter.Iterators; // 22.1.3.4 Array.prototype.entries() // 22.1.3.13 Array.prototype.keys() // 22.1.3.29 Array.prototype.values() // 22.1.3.30 Array.prototype[@@iterator]() __webpack_require__(40)(Array, 'Array', function(iterated, kind){ $.set(this, ITER, {o: $.toObject(iterated), i: 0, k: kind}); // 22.1.5.2.1 %ArrayIteratorPrototype%.next() }, function(){ var iter = this[ITER] , O = iter.o , kind = iter.k , index = iter.i++; if(!O || index >= O.length){ iter.o = undefined; return step(1); } if(kind == 'keys' )return step(0, index); if(kind == 'values')return step(0, O[index]); return step(0, [index, O[index]]); }, 'values'); // argumentsList[@@iterator] is %ArrayProto_values% (9.4.4.6, 9.4.4.7) Iterators.Arguments = Iterators.Array; setUnscope('keys'); setUnscope('values'); setUnscope('entries'); /***/ }, /* 52 */ /***/ function(module, exports, __webpack_require__) { // 22.1.3.31 Array.prototype[@@unscopables] var UNSCOPABLES = __webpack_require__(6)('unscopables'); if(!(UNSCOPABLES in []))__webpack_require__(2).hide(Array.prototype, UNSCOPABLES, {}); module.exports = function(key){ [][UNSCOPABLES][key] = true; }; /***/ }, /* 53 */ /***/ function(module, exports, __webpack_require__) { __webpack_require__(54)(Array); /***/ }, /* 54 */ /***/ function(module, exports, __webpack_require__) { var $ = __webpack_require__(2) , SPECIES = __webpack_require__(6)('species'); module.exports = function(C){ if($.DESC && !(SPECIES in C))$.setDesc(C, SPECIES, { configurable: true, get: $.that }); }; /***/ }, /* 55 */ /***/ function(module, exports, __webpack_require__) { 'use strict'; var $ = __webpack_require__(2) , $def = __webpack_require__(9) , toIndex = $.toIndex; $def($def.P, 'Array', { // 22.1.3.3 Array.prototype.copyWithin(target, start, end = this.length) copyWithin: function copyWithin(target/* = 0 */, start /* = 0, end = @length */){ var O = Object($.assertDefined(this)) , len = $.toLength(O.length) , to = toIndex(target, len) , from = toIndex(start, len) , end = arguments[2] , fin = end === undefined ? len : toIndex(end, len) , count = Math.min(fin - from, len - to) , inc = 1; if(from < to && to < from + count){ inc = -1; from = from + count - 1; to = to + count - 1; } while(count-- > 0){ if(from in O)O[to] = O[from]; else delete O[to]; to += inc; from += inc; } return O; } }); __webpack_require__(52)('copyWithin'); /***/ }, /* 56 */ /***/ function(module, exports, __webpack_require__) { 'use strict'; var $ = __webpack_require__(2) , $def = __webpack_require__(9) , toIndex = $.toIndex; $def($def.P, 'Array', { // 22.1.3.6 Array.prototype.fill(value, start = 0, end = this.length) fill: function fill(value /*, start = 0, end = @length */){ var O = Object($.assertDefined(this)) , length = $.toLength(O.length) , index = toIndex(arguments[1], length) , end = arguments[2] , endPos = end === undefined ? length : toIndex(end, length); while(endPos > index)O[index++] = value; return O; } }); __webpack_require__(52)('fill'); /***/ }, /* 57 */ /***/ function(module, exports, __webpack_require__) { 'use strict'; // 22.1.3.8 Array.prototype.find(predicate, thisArg = undefined) var KEY = 'find' , $def = __webpack_require__(9) , forced = true , $find = __webpack_require__(12)(5); // Shouldn't skip holes if(KEY in [])Array(1)[KEY](function(){ forced = false; }); $def($def.P + $def.F * forced, 'Array', { find: function find(callbackfn/*, that = undefined */){ return $find(this, callbackfn, arguments[1]); } }); __webpack_require__(52)(KEY); /***/ }, /* 58 */ /***/ function(module, exports, __webpack_require__) { 'use strict'; // 22.1.3.9 Array.prototype.findIndex(predicate, thisArg = undefined) var KEY = 'findIndex' , $def = __webpack_require__(9) , forced = true , $find = __webpack_require__(12)(6); // Shouldn't skip holes if(KEY in [])Array(1)[KEY](function(){ forced = false; }); $def($def.P + $def.F * forced, 'Array', { findIndex: function findIndex(callbackfn/*, that = undefined */){ return $find(this, callbackfn, arguments[1]); } }); __webpack_require__(52)(KEY); /***/ }, /* 59 */ /***/ function(module, exports, __webpack_require__) { var $ = __webpack_require__(2) , cof = __webpack_require__(5) , $RegExp = $.g.RegExp , Base = $RegExp , proto = $RegExp.prototype , re = /a/g // "new" creates a new object , CORRECT_NEW = new $RegExp(re) !== re // RegExp allows a regex with flags as the pattern , ALLOWS_RE_WITH_FLAGS = function(){ try { return $RegExp(re, 'i') == '/a/i'; } catch(e){ /* empty */ } }(); if($.FW && $.DESC){ if(!CORRECT_NEW || !ALLOWS_RE_WITH_FLAGS){ $RegExp = function RegExp(pattern, flags){ var patternIsRegExp = cof(pattern) == 'RegExp' , flagsIsUndefined = flags === undefined; if(!(this instanceof $RegExp) && patternIsRegExp && flagsIsUndefined)return pattern; return CORRECT_NEW ? new Base(patternIsRegExp && !flagsIsUndefined ? pattern.source : pattern, flags) : new Base(patternIsRegExp ? pattern.source : pattern , patternIsRegExp && flagsIsUndefined ? pattern.flags : flags); }; $.each.call($.getNames(Base), function(key){ key in $RegExp || $.setDesc($RegExp, key, { configurable: true, get: function(){ return Base[key]; }, set: function(it){ Base[key] = it; } }); }); proto.constructor = $RegExp; $RegExp.prototype = proto; __webpack_require__(10)($.g, 'RegExp', $RegExp); } // 21.2.5.3 get RegExp.prototype.flags() if(/./g.flags != 'g')$.setDesc(proto, 'flags', { configurable: true, get: __webpack_require__(16)(/^.*\/(\w*)$/, '$1') }); } __webpack_require__(54)($RegExp); /***/ }, /* 60 */ /***/ function(module, exports, __webpack_require__) { 'use strict'; var $ = __webpack_require__(2) , ctx = __webpack_require__(13) , cof = __webpack_require__(5) , $def = __webpack_require__(9) , assert = __webpack_require__(14) , forOf = __webpack_require__(61) , setProto = __webpack_require__(27).set , same = __webpack_require__(25) , species = __webpack_require__(54) , SPECIES = __webpack_require__(6)('species') , RECORD = __webpack_require__(8).safe('record') , PROMISE = 'Promise' , global = $.g , process = global.process , isNode = cof(process) == 'process' , asap = process && process.nextTick || __webpack_require__(62).set , P = global[PROMISE] , isFunction = $.isFunction , isObject = $.isObject , assertFunction = assert.fn , assertObject = assert.obj , Wrapper; function testResolve(sub){ var test = new P(function(){}); if(sub)test.constructor = Object; return P.resolve(test) === test; } var useNative = function(){ var works = false; function P2(x){ var self = new P(x); setProto(self, P2.prototype); return self; } try { works = isFunction(P) && isFunction(P.resolve) && testResolve(); setProto(P2, P); P2.prototype = $.create(P.prototype, {constructor: {value: P2}}); // actual Firefox has broken subclass support, test that if(!(P2.resolve(5).then(function(){}) instanceof P2)){ works = false; } // actual V8 bug, https://code.google.com/p/v8/issues/detail?id=4162 if(works && $.DESC){ var thenableThenGotten = false; P.resolve($.setDesc({}, 'then', { get: function(){ thenableThenGotten = true; } })); works = thenableThenGotten; } } catch(e){ works = false; } return works; }(); // helpers function isPromise(it){ return isObject(it) && (useNative ? cof.classof(it) == 'Promise' : RECORD in it); } function sameConstructor(a, b){ // library wrapper special case if(!$.FW && a === P && b === Wrapper)return true; return same(a, b); } function getConstructor(C){ var S = assertObject(C)[SPECIES]; return S != undefined ? S : C; } function isThenable(it){ var then; if(isObject(it))then = it.then; return isFunction(then) ? then : false; } function notify(record){ var chain = record.c; // strange IE + webpack dev server bug - use .call(global) if(chain.length)asap.call(global, function(){ var value = record.v , ok = record.s == 1 , i = 0; function run(react){ var cb = ok ? react.ok : react.fail , ret, then; try { if(cb){ if(!ok)record.h = true; ret = cb === true ? value : cb(value); if(ret === react.P){ react.rej(TypeError('Promise-chain cycle')); } else if(then = isThenable(ret)){ then.call(ret, react.res, react.rej); } else react.res(ret); } else react.rej(value); } catch(err){ react.rej(err); } } while(chain.length > i)run(chain[i++]); // variable length - can't use forEach chain.length = 0; }); } function isUnhandled(promise){ var record = promise[RECORD] , chain = record.a || record.c , i = 0 , react; if(record.h)return false; while(chain.length > i){ react = chain[i++]; if(react.fail || !isUnhandled(react.P))return false; } return true; } function $reject(value){ var record = this , promise; if(record.d)return; record.d = true; record = record.r || record; // unwrap record.v = value; record.s = 2; record.a = record.c.slice(); setTimeout(function(){ // strange IE + webpack dev server bug - use .call(global) asap.call(global, function(){ if(isUnhandled(promise = record.p)){ if(isNode){ process.emit('unhandledRejection', value, promise); } else if(global.console && console.error){ console.error('Unhandled promise rejection', value); } } record.a = undefined; }); }, 1); notify(record); } function $resolve(value){ var record = this , then; if(record.d)return; record.d = true; record = record.r || record; // unwrap try { if(then = isThenable(value)){ // strange IE + webpack dev server bug - use .call(global) asap.call(global, function(){ var wrapper = {r: record, d: false}; // wrap try { then.call(value, ctx($resolve, wrapper, 1), ctx($reject, wrapper, 1)); } catch(e){ $reject.call(wrapper, e); } }); } else { record.v = value; record.s = 1; notify(record); } } catch(e){ $reject.call({r: record, d: false}, e); // wrap } } // constructor polyfill if(!useNative){ // 25.4.3.1 Promise(executor) P = function Promise(executor){ assertFunction(executor); var record = { p: assert.inst(this, P, PROMISE), // <- promise c: [], // <- awaiting reactions a: undefined, // <- checked in isUnhandled reactions s: 0, // <- state d: false, // <- done v: undefined, // <- value h: false // <- handled rejection }; $.hide(this, RECORD, record); try { executor(ctx($resolve, record, 1), ctx($reject, record, 1)); } catch(err){ $reject.call(record, err); } }; __webpack_require__(63)(P.prototype, { // 25.4.5.3 Promise.prototype.then(onFulfilled, onRejected) then: function then(onFulfilled, onRejected){ var S = assertObject(assertObject(this).constructor)[SPECIES]; var react = { ok: isFunction(onFulfilled) ? onFulfilled : true, fail: isFunction(onRejected) ? onRejected : false }; var promise = react.P = new (S != undefined ? S : P)(function(res, rej){ react.res = assertFunction(res); react.rej = assertFunction(rej); }); var record = this[RECORD]; record.c.push(react); if(record.a)record.a.push(react); if(record.s)notify(record); return promise; }, // 25.4.5.1 Promise.prototype.catch(onRejected) 'catch': function(onRejected){ return this.then(undefined, onRejected); } }); } // export $def($def.G + $def.W + $def.F * !useNative, {Promise: P}); cof.set(P, PROMISE); species(P); species(Wrapper = $.core[PROMISE]); // statics $def($def.S + $def.F * !useNative, PROMISE, { // 25.4.4.5 Promise.reject(r) reject: function reject(r){ return new (getConstructor(this))(function(res, rej){ rej(r); }); } }); $def($def.S + $def.F * (!useNative || testResolve(true)), PROMISE, { // 25.4.4.6 Promise.resolve(x) resolve: function resolve(x){ return isPromise(x) && sameConstructor(x.constructor, this) ? x : new this(function(res){ res(x); }); } }); $def($def.S + $def.F * !(useNative && __webpack_require__(49)(function(iter){ P.all(iter)['catch'](function(){}); })), PROMISE, { // 25.4.4.1 Promise.all(iterable) all: function all(iterable){ var C = getConstructor(this) , values = []; return new C(function(res, rej){ forOf(iterable, false, values.push, values); var remaining = values.length , results = Array(remaining); if(remaining)$.each.call(values, function(promise, index){ C.resolve(promise).then(function(value){ results[index] = value; --remaining || res(results); }, rej); }); else res(results); }); }, // 25.4.4.4 Promise.race(iterable) race: function race(iterable){ var C = getConstructor(this); return new C(function(res, rej){ forOf(iterable, false, function(promise){ C.resolve(promise).then(res, rej); }); }); } }); /***/ }, /* 61 */ /***/ function(module, exports, __webpack_require__) { var ctx = __webpack_require__(13) , get = __webpack_require__(39).get , call = __webpack_require__(48); module.exports = function(iterable, entries, fn, that){ var iterator = get(iterable) , f = ctx(fn, that, entries ? 2 : 1) , step; while(!(step = iterator.next()).done){ if(call(iterator, f, step.value, entries) === false){ return call.close(iterator); } } }; /***/ }, /* 62 */ /***/ function(module, exports, __webpack_require__) { 'use strict'; var $ = __webpack_require__(2) , ctx = __webpack_require__(13) , cof = __webpack_require__(5) , invoke = __webpack_require__(11) , cel = __webpack_require__(4) , global = $.g , isFunction = $.isFunction , html = $.html , process = global.process , setTask = global.setImmediate , clearTask = global.clearImmediate , MessageChannel = global.MessageChannel , counter = 0 , queue = {} , ONREADYSTATECHANGE = 'onreadystatechange' , defer, channel, port; function run(){ var id = +this; if($.has(queue, id)){ var fn = queue[id]; delete queue[id]; fn(); } } function listner(event){ run.call(event.data); } // Node.js 0.9+ & IE10+ has setImmediate, otherwise: if(!isFunction(setTask) || !isFunction(clearTask)){ setTask = function(fn){ var args = [], i = 1; while(arguments.length > i)args.push(arguments[i++]); queue[++counter] = function(){ invoke(isFunction(fn) ? fn : Function(fn), args); }; defer(counter); return counter; }; clearTask = function(id){ delete queue[id]; }; // Node.js 0.8- if(cof(process) == 'process'){ defer = function(id){ process.nextTick(ctx(run, id, 1)); }; // Modern browsers, skip implementation for WebWorkers // IE8 has postMessage, but it's sync & typeof its postMessage is object } else if(global.addEventListener && isFunction(global.postMessage) && !global.importScripts){ defer = function(id){ global.postMessage(id, '*'); }; global.addEventListener('message', listner, false); // WebWorkers } else if(isFunction(MessageChannel)){ channel = new MessageChannel; port = channel.port2; channel.port1.onmessage = listner; defer = ctx(port.postMessage, port, 1); // IE8- } else if(ONREADYSTATECHANGE in cel('script')){ defer = function(id){ html.appendChild(cel('script'))[ONREADYSTATECHANGE] = function(){ html.removeChild(this); run.call(id); }; }; // Rest old browsers } else { defer = function(id){ setTimeout(ctx(run, id, 1), 0); }; } } module.exports = { set: setTask, clear: clearTask }; /***/ }, /* 63 */ /***/ function(module, exports, __webpack_require__) { var $redef = __webpack_require__(10); module.exports = function(target, src){ for(var key in src)$redef(target, key, src[key]); return target; }; /***/ }, /* 64 */ /***/ function(module, exports, __webpack_require__) { 'use strict'; var strong = __webpack_require__(65); // 23.1 Map Objects __webpack_require__(66)('Map', function(get){ return function Map(){ return get(this, arguments[0]); }; }, { // 23.1.3.6 Map.prototype.get(key) get: function get(key){ var entry = strong.getEntry(this, key); return entry && entry.v; }, // 23.1.3.9 Map.prototype.set(key, value) set: function set(key, value){ return strong.def(this, key === 0 ? 0 : key, value); } }, strong, true); /***/ }, /* 65 */ /***/ function(module, exports, __webpack_require__) { 'use strict'; var $ = __webpack_require__(2) , ctx = __webpack_require__(13) , safe = __webpack_require__(8).safe , assert = __webpack_require__(14) , forOf = __webpack_require__(61) , step = __webpack_require__(39).step , $has = $.has , set = $.set , isObject = $.isObject , hide = $.hide , isExtensible = Object.isExtensible || isObject , ID = safe('id') , O1 = safe('O1') , LAST = safe('last') , FIRST = safe('first') , ITER = safe('iter') , SIZE = $.DESC ? safe('size') : 'size' , id = 0; function fastKey(it, create){ // return primitive with prefix if(!isObject(it))return typeof it == 'symbol' ? it : (typeof it == 'string' ? 'S' : 'P') + it; if(!$has(it, ID)){ // can't set id to frozen object if(!isExtensible(it))return 'F'; // not necessary to add id if(!create)return 'E'; // add missing object id hide(it, ID, ++id); // return object id with prefix } return 'O' + it[ID]; } function getEntry(that, key){ // fast case var index = fastKey(key), entry; if(index !== 'F')return that[O1][index]; // frozen object case for(entry = that[FIRST]; entry; entry = entry.n){ if(entry.k == key)return entry; } } module.exports = { getConstructor: function(wrapper, NAME, IS_MAP, ADDER){ var C = wrapper(function(that, iterable){ assert.inst(that, C, NAME); set(that, O1, $.create(null)); set(that, SIZE, 0); set(that, LAST, undefined); set(that, FIRST, undefined); if(iterable != undefined)forOf(iterable, IS_MAP, that[ADDER], that); }); __webpack_require__(63)(C.prototype, { // 23.1.3.1 Map.prototype.clear() // 23.2.3.2 Set.prototype.clear() clear: function clear(){ for(var that = this, data = that[O1], entry = that[FIRST]; entry; entry = entry.n){ entry.r = true; if(entry.p)entry.p = entry.p.n = undefined; delete data[entry.i]; } that[FIRST] = that[LAST] = undefined; that[SIZE] = 0; }, // 23.1.3.3 Map.prototype.delete(key) // 23.2.3.4 Set.prototype.delete(value) 'delete': function(key){ var that = this , entry = getEntry(that, key); if(entry){ var next = entry.n , prev = entry.p; delete that[O1][entry.i]; entry.r = true; if(prev)prev.n = next; if(next)next.p = prev; if(that[FIRST] == entry)that[FIRST] = next; if(that[LAST] == entry)that[LAST] = prev; that[SIZE]--; } return !!entry; }, // 23.2.3.6 Set.prototype.forEach(callbackfn, thisArg = undefined) // 23.1.3.5 Map.prototype.forEach(callbackfn, thisArg = undefined) forEach: function forEach(callbackfn /*, that = undefined */){ var f = ctx(callbackfn, arguments[1], 3) , entry; while(entry = entry ? entry.n : this[FIRST]){ f(entry.v, entry.k, this); // revert to the last existing entry while(entry && entry.r)entry = entry.p; } }, // 23.1.3.7 Map.prototype.has(key) // 23.2.3.7 Set.prototype.has(value) has: function has(key){ return !!getEntry(this, key); } }); if($.DESC)$.setDesc(C.prototype, 'size', { get: function(){ return assert.def(this[SIZE]); } }); return C; }, def: function(that, key, value){ var entry = getEntry(that, key) , prev, index; // change existing entry if(entry){ entry.v = value; // create new entry } else { that[LAST] = entry = { i: index = fastKey(key, true), // <- index k: key, // <- key v: value, // <- value p: prev = that[LAST], // <- previous entry n: undefined, // <- next entry r: false // <- removed }; if(!that[FIRST])that[FIRST] = entry; if(prev)prev.n = entry; that[SIZE]++; // add to index if(index !== 'F')that[O1][index] = entry; } return that; }, getEntry: getEntry, // add .keys, .values, .entries, [@@iterator] // 23.1.3.4, 23.1.3.8, 23.1.3.11, 23.1.3.12, 23.2.3.5, 23.2.3.8, 23.2.3.10, 23.2.3.11 setIter: function(C, NAME, IS_MAP){ __webpack_require__(40)(C, NAME, function(iterated, kind){ set(this, ITER, {o: iterated, k: kind}); }, function(){ var iter = this[ITER] , kind = iter.k , entry = iter.l; // revert to the last existing entry while(entry && entry.r)entry = entry.p; // get next entry if(!iter.o || !(iter.l = entry = entry ? entry.n : iter.o[FIRST])){ // or finish the iteration iter.o = undefined; return step(1); } // return step by kind if(kind == 'keys' )return step(0, entry.k); if(kind == 'values')return step(0, entry.v); return step(0, [entry.k, entry.v]); }, IS_MAP ? 'entries' : 'values' , !IS_MAP, true); } }; /***/ }, /* 66 */ /***/ function(module, exports, __webpack_require__) { 'use strict'; var $ = __webpack_require__(2) , $def = __webpack_require__(9) , BUGGY = __webpack_require__(39).BUGGY , forOf = __webpack_require__(61) , species = __webpack_require__(54) , assertInstance = __webpack_require__(14).inst; module.exports = function(NAME, wrapper, methods, common, IS_MAP, IS_WEAK){ var Base = $.g[NAME] , C = Base , ADDER = IS_MAP ? 'set' : 'add' , proto = C && C.prototype , O = {}; function fixMethod(KEY){ var fn = proto[KEY]; __webpack_require__(10)(proto, KEY, KEY == 'delete' ? function(a){ return fn.call(this, a === 0 ? 0 : a); } : KEY == 'has' ? function has(a){ return fn.call(this, a === 0 ? 0 : a); } : KEY == 'get' ? function get(a){ return fn.call(this, a === 0 ? 0 : a); } : KEY == 'add' ? function add(a){ fn.call(this, a === 0 ? 0 : a); return this; } : function set(a, b){ fn.call(this, a === 0 ? 0 : a, b); return this; } ); } if(!$.isFunction(C) || !(IS_WEAK || !BUGGY && proto.forEach && proto.entries)){ // create collection constructor C = common.getConstructor(wrapper, NAME, IS_MAP, ADDER); __webpack_require__(63)(C.prototype, methods); } else { var inst = new C , chain = inst[ADDER](IS_WEAK ? {} : -0, 1) , buggyZero; // wrap for init collections from iterable if(!__webpack_require__(49)(function(iter){ new C(iter); })){ // eslint-disable-line no-new C = wrapper(function(target, iterable){ assertInstance(target, C, NAME); var that = new Base; if(iterable != undefined)forOf(iterable, IS_MAP, that[ADDER], that); return that; }); C.prototype = proto; proto.constructor = C; } IS_WEAK || inst.forEach(function(val, key){ buggyZero = 1 / key === -Infinity; }); // fix converting -0 key to +0 if(buggyZero){ fixMethod('delete'); fixMethod('has'); IS_MAP && fixMethod('get'); } // + fix .add & .set for chaining if(buggyZero || chain !== inst)fixMethod(ADDER); } __webpack_require__(5).set(C, NAME); O[NAME] = C; $def($def.G + $def.W + $def.F * (C != Base), O); species(C); species($.core[NAME]); // for wrapper if(!IS_WEAK)common.setIter(C, NAME, IS_MAP); return C; }; /***/ }, /* 67 */ /***/ function(module, exports, __webpack_require__) { 'use strict'; var strong = __webpack_require__(65); // 23.2 Set Objects __webpack_require__(66)('Set', function(get){ return function Set(){ return get(this, arguments[0]); }; }, { // 23.2.3.1 Set.prototype.add(value) add: function add(value){ return strong.def(this, value = value === 0 ? 0 : value, value); } }, strong); /***/ }, /* 68 */ /***/ function(module, exports, __webpack_require__) { 'use strict'; var $ = __webpack_require__(2) , weak = __webpack_require__(69) , leakStore = weak.leakStore , ID = weak.ID , WEAK = weak.WEAK , has = $.has , isObject = $.isObject , isExtensible = Object.isExtensible || isObject , tmp = {}; // 23.3 WeakMap Objects var $WeakMap = __webpack_require__(66)('WeakMap', function(get){ return function WeakMap(){ return get(this, arguments[0]); }; }, { // 23.3.3.3 WeakMap.prototype.get(key) get: function get(key){ if(isObject(key)){ if(!isExtensible(key))return leakStore(this).get(key); if(has(key, WEAK))return key[WEAK][this[ID]]; } }, // 23.3.3.5 WeakMap.prototype.set(key, value) set: function set(key, value){ return weak.def(this, key, value); } }, weak, true, true); // IE11 WeakMap frozen keys fix if(new $WeakMap().set((Object.freeze || Object)(tmp), 7).get(tmp) != 7){ $.each.call(['delete', 'has', 'get', 'set'], function(key){ var proto = $WeakMap.prototype , method = proto[key]; __webpack_require__(10)(proto, key, function(a, b){ // store frozen objects on leaky map if(isObject(a) && !isExtensible(a)){ var result = leakStore(this)[key](a, b); return key == 'set' ? this : result; // store all the rest on native weakmap } return method.call(this, a, b); }); }); } /***/ }, /* 69 */ /***/ function(module, exports, __webpack_require__) { 'use strict'; var $ = __webpack_require__(2) , safe = __webpack_require__(8).safe , assert = __webpack_require__(14) , forOf = __webpack_require__(61) , $has = $.has , isObject = $.isObject , hide = $.hide , isExtensible = Object.isExtensible || isObject , id = 0 , ID = safe('id') , WEAK = safe('weak') , LEAK = safe('leak') , method = __webpack_require__(12) , find = method(5) , findIndex = method(6); function findFrozen(store, key){ return find(store.array, function(it){ return it[0] === key; }); } // fallback for frozen keys function leakStore(that){ return that[LEAK] || hide(that, LEAK, { array: [], get: function(key){ var entry = findFrozen(this, key); if(entry)return entry[1]; }, has: function(key){ return !!findFrozen(this, key); }, set: function(key, value){ var entry = findFrozen(this, key); if(entry)entry[1] = value; else this.array.push([key, value]); }, 'delete': function(key){ var index = findIndex(this.array, function(it){ return it[0] === key; }); if(~index)this.array.splice(index, 1); return !!~index; } })[LEAK]; } module.exports = { getConstructor: function(wrapper, NAME, IS_MAP, ADDER){ var C = wrapper(function(that, iterable){ $.set(assert.inst(that, C, NAME), ID, id++); if(iterable != undefined)forOf(iterable, IS_MAP, that[ADDER], that); }); __webpack_require__(63)(C.prototype, { // 23.3.3.2 WeakMap.prototype.delete(key) // 23.4.3.3 WeakSet.prototype.delete(value) 'delete': function(key){ if(!isObject(key))return false; if(!isExtensible(key))return leakStore(this)['delete'](key); return $has(key, WEAK) && $has(key[WEAK], this[ID]) && delete key[WEAK][this[ID]]; }, // 23.3.3.4 WeakMap.prototype.has(key) // 23.4.3.4 WeakSet.prototype.has(value) has: function has(key){ if(!isObject(key))return false; if(!isExtensible(key))return leakStore(this).has(key); return $has(key, WEAK) && $has(key[WEAK], this[ID]); } }); return C; }, def: function(that, key, value){ if(!isExtensible(assert.obj(key))){ leakStore(that).set(key, value); } else { $has(key, WEAK) || hide(key, WEAK, {}); key[WEAK][that[ID]] = value; } return that; }, leakStore: leakStore, WEAK: WEAK, ID: ID }; /***/ }, /* 70 */ /***/ function(module, exports, __webpack_require__) { 'use strict'; var weak = __webpack_require__(69); // 23.4 WeakSet Objects __webpack_require__(66)('WeakSet', function(get){ return function WeakSet(){ return get(this, arguments[0]); }; }, { // 23.4.3.1 WeakSet.prototype.add(value) add: function add(value){ return weak.def(this, value, true); } }, weak, false, true); /***/ }, /* 71 */ /***/ function(module, exports, __webpack_require__) { var $ = __webpack_require__(2) , $def = __webpack_require__(9) , setProto = __webpack_require__(27) , $iter = __webpack_require__(39) , ITERATOR = __webpack_require__(6)('iterator') , ITER = __webpack_require__(8).safe('iter') , step = $iter.step , assert = __webpack_require__(14) , isObject = $.isObject , getProto = $.getProto , $Reflect = $.g.Reflect , _apply = Function.apply , assertObject = assert.obj , _isExtensible = Object.isExtensible || isObject , _preventExtensions = Object.preventExtensions // IE TP has broken Reflect.enumerate , buggyEnumerate = !($Reflect && $Reflect.enumerate && ITERATOR in $Reflect.enumerate({})); function Enumerate(iterated){ $.set(this, ITER, {o: iterated, k: undefined, i: 0}); } $iter.create(Enumerate, 'Object', function(){ var iter = this[ITER] , keys = iter.k , key; if(keys == undefined){ iter.k = keys = []; for(key in iter.o)keys.push(key); } do { if(iter.i >= keys.length)return step(1); } while(!((key = keys[iter.i++]) in iter.o)); return step(0, key); }); var reflect = { // 26.1.1 Reflect.apply(target, thisArgument, argumentsList) apply: function apply(target, thisArgument, argumentsList){ return _apply.call(target, thisArgument, argumentsList); }, // 26.1.2 Reflect.construct(target, argumentsList [, newTarget]) construct: function construct(target, argumentsList /*, newTarget*/){ var proto = assert.fn(arguments.length < 3 ? target : arguments[2]).prototype , instance = $.create(isObject(proto) ? proto : Object.prototype) , result = _apply.call(target, instance, argumentsList); return isObject(result) ? result : instance; }, // 26.1.3 Reflect.defineProperty(target, propertyKey, attributes) defineProperty: function defineProperty(target, propertyKey, attributes){ assertObject(target); try { $.setDesc(target, propertyKey, attributes); return true; } catch(e){ return false; } }, // 26.1.4 Reflect.deleteProperty(target, propertyKey) deleteProperty: function deleteProperty(target, propertyKey){ var desc = $.getDesc(assertObject(target), propertyKey); return desc && !desc.configurable ? false : delete target[propertyKey]; }, // 26.1.6 Reflect.get(target, propertyKey [, receiver]) get: function get(target, propertyKey/*, receiver*/){ var receiver = arguments.length < 3 ? target : arguments[2] , desc = $.getDesc(assertObject(target), propertyKey), proto; if(desc)return $.has(desc, 'value') ? desc.value : desc.get === undefined ? undefined : desc.get.call(receiver); return isObject(proto = getProto(target)) ? get(proto, propertyKey, receiver) : undefined; }, // 26.1.7 Reflect.getOwnPropertyDescriptor(target, propertyKey) getOwnPropertyDescriptor: function getOwnPropertyDescriptor(target, propertyKey){ return $.getDesc(assertObject(target), propertyKey); }, // 26.1.8 Reflect.getPrototypeOf(target) getPrototypeOf: function getPrototypeOf(target){ return getProto(assertObject(target)); }, // 26.1.9 Reflect.has(target, propertyKey) has: function has(target, propertyKey){ return propertyKey in target; }, // 26.1.10 Reflect.isExtensible(target) isExtensible: function isExtensible(target){ return _isExtensible(assertObject(target)); }, // 26.1.11 Reflect.ownKeys(target) ownKeys: __webpack_require__(72), // 26.1.12 Reflect.preventExtensions(target) preventExtensions: function preventExtensions(target){ assertObject(target); try { if(_preventExtensions)_preventExtensions(target); return true; } catch(e){ return false; } }, // 26.1.13 Reflect.set(target, propertyKey, V [, receiver]) set: function set(target, propertyKey, V/*, receiver*/){ var receiver = arguments.length < 4 ? target : arguments[3] , ownDesc = $.getDesc(assertObject(target), propertyKey) , existingDescriptor, proto; if(!ownDesc){ if(isObject(proto = getProto(target))){ return set(proto, propertyKey, V, receiver); } ownDesc = $.desc(0); } if($.has(ownDesc, 'value')){ if(ownDesc.writable === false || !isObject(receiver))return false; existingDescriptor = $.getDesc(receiver, propertyKey) || $.desc(0); existingDescriptor.value = V; $.setDesc(receiver, propertyKey, existingDescriptor); return true; } return ownDesc.set === undefined ? false : (ownDesc.set.call(receiver, V), true); } }; // 26.1.14 Reflect.setPrototypeOf(target, proto) if(setProto)reflect.setPrototypeOf = function setPrototypeOf(target, proto){ setProto.check(target, proto); try { setProto.set(target, proto); return true; } catch(e){ return false; } }; $def($def.G, {Reflect: {}}); $def($def.S + $def.F * buggyEnumerate, 'Reflect', { // 26.1.5 Reflect.enumerate(target) enumerate: function enumerate(target){ return new Enumerate(assertObject(target)); } }); $def($def.S, 'Reflect', reflect); /***/ }, /* 72 */ /***/ function(module, exports, __webpack_require__) { var $ = __webpack_require__(2) , assertObject = __webpack_require__(14).obj; module.exports = function ownKeys(it){ assertObject(it); var keys = $.getNames(it) , getSymbols = $.getSymbols; return getSymbols ? keys.concat(getSymbols(it)) : keys; }; /***/ }, /* 73 */ /***/ function(module, exports, __webpack_require__) { 'use strict'; var $def = __webpack_require__(9) , $includes = __webpack_require__(15)(true); $def($def.P, 'Array', { // https://github.com/domenic/Array.prototype.includes includes: function includes(el /*, fromIndex = 0 */){ return $includes(this, el, arguments[1]); } }); __webpack_require__(52)('includes'); /***/ }, /* 74 */ /***/ function(module, exports, __webpack_require__) { // https://github.com/mathiasbynens/String.prototype.at 'use strict'; var $def = __webpack_require__(9) , $at = __webpack_require__(38)(true); $def($def.P, 'String', { at: function at(pos){ return $at(this, pos); } }); /***/ }, /* 75 */ /***/ function(module, exports, __webpack_require__) { 'use strict'; var $def = __webpack_require__(9) , $pad = __webpack_require__(76); $def($def.P, 'String', { lpad: function lpad(n){ return $pad(this, n, arguments[1], true); } }); /***/ }, /* 76 */ /***/ function(module, exports, __webpack_require__) { // http://wiki.ecmascript.org/doku.php?id=strawman:string_padding var $ = __webpack_require__(2) , repeat = __webpack_require__(45); module.exports = function(that, minLength, fillChar, left){ // 1. Let O be CheckObjectCoercible(this value). // 2. Let S be ToString(O). var S = String($.assertDefined(that)); // 4. If intMinLength is undefined, return S. if(minLength === undefined)return S; // 4. Let intMinLength be ToInteger(minLength). var intMinLength = $.toInteger(minLength); // 5. Let fillLen be the number of characters in S minus intMinLength. var fillLen = intMinLength - S.length; // 6. If fillLen < 0, then throw a RangeError exception. // 7. If fillLen is +∞, then throw a RangeError exception. if(fillLen < 0 || fillLen === Infinity){ throw new RangeError('Cannot satisfy string length ' + minLength + ' for string: ' + S); } // 8. Let sFillStr be the string represented by fillStr. // 9. If sFillStr is undefined, let sFillStr be a space character. var sFillStr = fillChar === undefined ? ' ' : String(fillChar); // 10. Let sFillVal be a String made of sFillStr, repeated until fillLen is met. var sFillVal = repeat.call(sFillStr, Math.ceil(fillLen / sFillStr.length)); // truncate if we overflowed if(sFillVal.length > fillLen)sFillVal = left ? sFillVal.slice(sFillVal.length - fillLen) : sFillVal.slice(0, fillLen); // 11. Return a string made from sFillVal, followed by S. // 11. Return a String made from S, followed by sFillVal. return left ? sFillVal.concat(S) : S.concat(sFillVal); }; /***/ }, /* 77 */ /***/ function(module, exports, __webpack_require__) { 'use strict'; var $def = __webpack_require__(9) , $pad = __webpack_require__(76); $def($def.P, 'String', { rpad: function rpad(n){ return $pad(this, n, arguments[1], false); } }); /***/ }, /* 78 */ /***/ function(module, exports, __webpack_require__) { // https://github.com/benjamingr/RexExp.escape var $def = __webpack_require__(9); $def($def.S, 'RegExp', { escape: __webpack_require__(16)(/[\\^$*+?.()|[\]{}]/g, '\\$&', true) }); /***/ }, /* 79 */ /***/ function(module, exports, __webpack_require__) { // https://gist.github.com/WebReflection/9353781 var $ = __webpack_require__(2) , $def = __webpack_require__(9) , ownKeys = __webpack_require__(72); $def($def.S, 'Object', { getOwnPropertyDescriptors: function getOwnPropertyDescriptors(object){ var O = $.toObject(object) , result = {}; $.each.call(ownKeys(O), function(key){ $.setDesc(result, key, $.desc(0, $.getDesc(O, key))); }); return result; } }); /***/ }, /* 80 */ /***/ function(module, exports, __webpack_require__) { // http://goo.gl/XkBrjD var $ = __webpack_require__(2) , $def = __webpack_require__(9); function createObjectToArray(isEntries){ return function(object){ var O = $.toObject(object) , keys = $.getKeys(O) , length = keys.length , i = 0 , result = Array(length) , key; if(isEntries)while(length > i)result[i] = [key = keys[i++], O[key]]; else while(length > i)result[i] = O[keys[i++]]; return result; }; } $def($def.S, 'Object', { values: createObjectToArray(false), entries: createObjectToArray(true) }); /***/ }, /* 81 */ /***/ function(module, exports, __webpack_require__) { // https://github.com/DavidBruant/Map-Set.prototype.toJSON __webpack_require__(82)('Map'); /***/ }, /* 82 */ /***/ function(module, exports, __webpack_require__) { // https://github.com/DavidBruant/Map-Set.prototype.toJSON var $def = __webpack_require__(9) , forOf = __webpack_require__(61); module.exports = function(NAME){ $def($def.P, NAME, { toJSON: function toJSON(){ var arr = []; forOf(this, false, arr.push, arr); return arr; } }); }; /***/ }, /* 83 */ /***/ function(module, exports, __webpack_require__) { // https://github.com/DavidBruant/Map-Set.prototype.toJSON __webpack_require__(82)('Set'); /***/ }, /* 84 */ /***/ function(module, exports, __webpack_require__) { var $def = __webpack_require__(9) , $task = __webpack_require__(62); $def($def.G + $def.B, { setImmediate: $task.set, clearImmediate: $task.clear }); /***/ }, /* 85 */ /***/ function(module, exports, __webpack_require__) { __webpack_require__(51); var $ = __webpack_require__(2) , Iterators = __webpack_require__(39).Iterators , ITERATOR = __webpack_require__(6)('iterator') , ArrayValues = Iterators.Array , NL = $.g.NodeList , HTC = $.g.HTMLCollection , NLProto = NL && NL.prototype , HTCProto = HTC && HTC.prototype; if($.FW){ if(NL && !(ITERATOR in NLProto))$.hide(NLProto, ITERATOR, ArrayValues); if(HTC && !(ITERATOR in HTCProto))$.hide(HTCProto, ITERATOR, ArrayValues); } Iterators.NodeList = Iterators.HTMLCollection = ArrayValues; /***/ }, /* 86 */ /***/ function(module, exports, __webpack_require__) { // ie9- setTimeout & setInterval additional parameters fix var $ = __webpack_require__(2) , $def = __webpack_require__(9) , invoke = __webpack_require__(11) , partial = __webpack_require__(87) , navigator = $.g.navigator , MSIE = !!navigator && /MSIE .\./.test(navigator.userAgent); // <- dirty ie9- check function wrap(set){ return MSIE ? function(fn, time /*, ...args */){ return set(invoke( partial, [].slice.call(arguments, 2), $.isFunction(fn) ? fn : Function(fn) ), time); } : set; } $def($def.G + $def.B + $def.F * MSIE, { setTimeout: wrap($.g.setTimeout), setInterval: wrap($.g.setInterval) }); /***/ }, /* 87 */ /***/ function(module, exports, __webpack_require__) { 'use strict'; var $ = __webpack_require__(2) , invoke = __webpack_require__(11) , assertFunction = __webpack_require__(14).fn; module.exports = function(/* ...pargs */){ var fn = assertFunction(this) , length = arguments.length , pargs = Array(length) , i = 0 , _ = $.path._ , holder = false; while(length > i)if((pargs[i] = arguments[i++]) === _)holder = true; return function(/* ...args */){ var that = this , _length = arguments.length , j = 0, k = 0, args; if(!holder && !_length)return invoke(fn, pargs, that); args = pargs.slice(); if(holder)for(;length > j; j++)if(args[j] === _)args[j] = arguments[k++]; while(_length > k)args.push(arguments[k++]); return invoke(fn, args, that); }; }; /***/ }, /* 88 */ /***/ function(module, exports, __webpack_require__) { var $ = __webpack_require__(2) , ctx = __webpack_require__(13) , $def = __webpack_require__(9) , assign = __webpack_require__(23) , keyOf = __webpack_require__(19) , ITER = __webpack_require__(8).safe('iter') , assert = __webpack_require__(14) , $iter = __webpack_require__(39) , forOf = __webpack_require__(61) , step = $iter.step , getKeys = $.getKeys , toObject = $.toObject , has = $.has; function Dict(iterable){ var dict = $.create(null); if(iterable != undefined){ if($iter.is(iterable)){ forOf(iterable, true, function(key, value){ dict[key] = value; }); } else assign(dict, iterable); } return dict; } Dict.prototype = null; function DictIterator(iterated, kind){ $.set(this, ITER, {o: toObject(iterated), a: getKeys(iterated), i: 0, k: kind}); } $iter.create(DictIterator, 'Dict', function(){ var iter = this[ITER] , O = iter.o , keys = iter.a , kind = iter.k , key; do { if(iter.i >= keys.length){ iter.o = undefined; return step(1); } } while(!has(O, key = keys[iter.i++])); if(kind == 'keys' )return step(0, key); if(kind == 'values')return step(0, O[key]); return step(0, [key, O[key]]); }); function createDictIter(kind){ return function(it){ return new DictIterator(it, kind); }; } function generic(A, B){ // strange IE quirks mode bug -> use typeof instead of isFunction return typeof A == 'function' ? A : B; } // 0 -> Dict.forEach // 1 -> Dict.map // 2 -> Dict.filter // 3 -> Dict.some // 4 -> Dict.every // 5 -> Dict.find // 6 -> Dict.findKey // 7 -> Dict.mapPairs function createDictMethod(TYPE){ var IS_MAP = TYPE == 1 , IS_EVERY = TYPE == 4; return function(object, callbackfn, that /* = undefined */){ var f = ctx(callbackfn, that, 3) , O = toObject(object) , result = IS_MAP || TYPE == 7 || TYPE == 2 ? new (generic(this, Dict)) : undefined , key, val, res; for(key in O)if(has(O, key)){ val = O[key]; res = f(val, key, object); if(TYPE){ if(IS_MAP)result[key] = res; // map else if(res)switch(TYPE){ case 2: result[key] = val; break; // filter case 3: return true; // some case 5: return val; // find case 6: return key; // findKey case 7: result[res[0]] = res[1]; // mapPairs } else if(IS_EVERY)return false; // every } } return TYPE == 3 || IS_EVERY ? IS_EVERY : result; }; } // true -> Dict.turn // false -> Dict.reduce function createDictReduce(IS_TURN){ return function(object, mapfn, init){ assert.fn(mapfn); var O = toObject(object) , keys = getKeys(O) , length = keys.length , i = 0 , memo, key, result; if(IS_TURN){ memo = init == undefined ? new (generic(this, Dict)) : Object(init); } else if(arguments.length < 3){ assert(length, 'Reduce of empty object with no initial value'); memo = O[keys[i++]]; } else memo = Object(init); while(length > i)if(has(O, key = keys[i++])){ result = mapfn(memo, O[key], key, object); if(IS_TURN){ if(result === false)break; } else memo = result; } return memo; }; } var findKey = createDictMethod(6); $def($def.G + $def.F, {Dict: Dict}); $def($def.S, 'Dict', { keys: createDictIter('keys'), values: createDictIter('values'), entries: createDictIter('entries'), forEach: createDictMethod(0), map: createDictMethod(1), filter: createDictMethod(2), some: createDictMethod(3), every: createDictMethod(4), find: createDictMethod(5), findKey: findKey, mapPairs: createDictMethod(7), reduce: createDictReduce(false), turn: createDictReduce(true), keyOf: keyOf, includes: function(object, el){ return (el == el ? keyOf(object, el) : findKey(object, function(it){ return it != it; })) !== undefined; }, // Has / get / set own property has: has, get: function(object, key){ if(has(object, key))return object[key]; }, set: $.def, isDict: function(it){ return $.isObject(it) && $.getProto(it) === Dict.prototype; } }); /***/ }, /* 89 */ /***/ function(module, exports, __webpack_require__) { var core = __webpack_require__(2).core , $iter = __webpack_require__(39); core.isIterable = $iter.is; core.getIterator = $iter.get; /***/ }, /* 90 */ /***/ function(module, exports, __webpack_require__) { 'use strict'; var $ = __webpack_require__(2) , ctx = __webpack_require__(13) , safe = __webpack_require__(8).safe , $def = __webpack_require__(9) , $iter = __webpack_require__(39) , forOf = __webpack_require__(61) , ENTRIES = safe('entries') , FN = safe('fn') , ITER = safe('iter') , call = __webpack_require__(48) , getIterator = $iter.get , setIterator = $iter.set , createIterator = $iter.create; function $for(iterable, entries){ if(!(this instanceof $for))return new $for(iterable, entries); this[ITER] = getIterator(iterable); this[ENTRIES] = !!entries; } createIterator($for, 'Wrapper', function(){ return this[ITER].next(); }); var $forProto = $for.prototype; setIterator($forProto, function(){ return this[ITER]; // unwrap }); function createChainIterator(next){ function Iterator(iter, fn, that){ this[ITER] = getIterator(iter); this[ENTRIES] = iter[ENTRIES]; this[FN] = ctx(fn, that, iter[ENTRIES] ? 2 : 1); } createIterator(Iterator, 'Chain', next, $forProto); setIterator(Iterator.prototype, $.that); // override $forProto iterator return Iterator; } var MapIter = createChainIterator(function(){ var step = this[ITER].next(); return step.done ? step : $iter.step(0, call(this[ITER], this[FN], step.value, this[ENTRIES])); }); var FilterIter = createChainIterator(function(){ for(;;){ var step = this[ITER].next(); if(step.done || call(this[ITER], this[FN], step.value, this[ENTRIES]))return step; } }); __webpack_require__(63)($forProto, { of: function(fn, that){ forOf(this, this[ENTRIES], fn, that); }, array: function(fn, that){ var result = []; forOf(fn != undefined ? this.map(fn, that) : this, false, result.push, result); return result; }, filter: function(fn, that){ return new FilterIter(this, fn, that); }, map: function(fn, that){ return new MapIter(this, fn, that); } }); $for.isIterable = $iter.is; $for.getIterator = getIterator; $def($def.G + $def.F, {$for: $for}); /***/ }, /* 91 */ /***/ function(module, exports, __webpack_require__) { var $ = __webpack_require__(2) , $def = __webpack_require__(9) , partial = __webpack_require__(87); // https://esdiscuss.org/topic/promise-returning-delay-function $def($def.G + $def.F, { delay: function(time){ return new ($.core.Promise || $.g.Promise)(function(resolve){ setTimeout(partial.call(resolve, true), time); }); } }); /***/ }, /* 92 */ /***/ function(module, exports, __webpack_require__) { 'use strict'; var $ = __webpack_require__(2) , $def = __webpack_require__(9); // Placeholder $.core._ = $.path._ = $.path._ || {}; $def($def.P + $def.F, 'Function', { part: __webpack_require__(87) }); /***/ }, /* 93 */ /***/ function(module, exports, __webpack_require__) { var $ = __webpack_require__(2) , $def = __webpack_require__(9) , ownKeys = __webpack_require__(72); function define(target, mixin){ var keys = ownKeys($.toObject(mixin)) , length = keys.length , i = 0, key; while(length > i)$.setDesc(target, key = keys[i++], $.getDesc(mixin, key)); return target; } $def($def.S + $def.F, 'Object', { isObject: $.isObject, classof: __webpack_require__(5).classof, define: define, make: function(proto, mixin){ return define($.create(proto), mixin); } }); /***/ }, /* 94 */ /***/ function(module, exports, __webpack_require__) { 'use strict'; var $ = __webpack_require__(2) , $def = __webpack_require__(9) , assertFunction = __webpack_require__(14).fn; $def($def.P + $def.F, 'Array', { turn: function(fn, target /* = [] */){ assertFunction(fn); var memo = target == undefined ? [] : Object(target) , O = $.ES5Object(this) , length = $.toLength(O.length) , index = 0; while(length > index)if(fn(memo, O[index], index++, this) === false)break; return memo; } }); __webpack_require__(52)('turn'); /***/ }, /* 95 */ /***/ function(module, exports, __webpack_require__) { 'use strict'; var $ = __webpack_require__(2) , ITER = __webpack_require__(8).safe('iter'); __webpack_require__(40)(Number, 'Number', function(iterated){ $.set(this, ITER, {l: $.toLength(iterated), i: 0}); }, function(){ var iter = this[ITER] , i = iter.i++ , done = i >= iter.l; return {done: done, value: done ? undefined : i}; }); /***/ }, /* 96 */ /***/ function(module, exports, __webpack_require__) { 'use strict'; var $ = __webpack_require__(2) , $def = __webpack_require__(9) , invoke = __webpack_require__(11) , methods = {}; methods.random = function(lim /* = 0 */){ var a = +this , b = lim == undefined ? 0 : +lim , m = Math.min(a, b); return Math.random() * (Math.max(a, b) - m) + m; }; if($.FW)$.each.call(( // ES3: 'round,floor,ceil,abs,sin,asin,cos,acos,tan,atan,exp,sqrt,max,min,pow,atan2,' + // ES6: 'acosh,asinh,atanh,cbrt,clz32,cosh,expm1,hypot,imul,log1p,log10,log2,sign,sinh,tanh,trunc' ).split(','), function(key){ var fn = Math[key]; if(fn)methods[key] = function(/* ...args */){ // ie9- dont support strict mode & convert `this` to object -> convert it to number var args = [+this] , i = 0; while(arguments.length > i)args.push(arguments[i++]); return invoke(fn, args); }; } ); $def($def.P + $def.F, 'Number', methods); /***/ }, /* 97 */ /***/ function(module, exports, __webpack_require__) { var $def = __webpack_require__(9) , replacer = __webpack_require__(16); var escapeHTMLDict = { '&': '&amp;', '<': '&lt;', '>': '&gt;', '"': '&quot;', "'": '&apos;' }, unescapeHTMLDict = {}, key; for(key in escapeHTMLDict)unescapeHTMLDict[escapeHTMLDict[key]] = key; $def($def.P + $def.F, 'String', { escapeHTML: replacer(/[&<>"']/g, escapeHTMLDict), unescapeHTML: replacer(/&(?:amp|lt|gt|quot|apos);/g, unescapeHTMLDict) }); /***/ }, /* 98 */ /***/ function(module, exports, __webpack_require__) { var $ = __webpack_require__(2) , $def = __webpack_require__(9) , core = $.core , formatRegExp = /\b\w\w?\b/g , flexioRegExp = /:(.*)\|(.*)$/ , locales = {} , current = 'en' , SECONDS = 'Seconds' , MINUTES = 'Minutes' , HOURS = 'Hours' , DATE = 'Date' , MONTH = 'Month' , YEAR = 'FullYear'; function lz(num){ return num > 9 ? num : '0' + num; } function createFormat(prefix){ return function(template, locale /* = current */){ var that = this , dict = locales[$.has(locales, locale) ? locale : current]; function get(unit){ return that[prefix + unit](); } return String(template).replace(formatRegExp, function(part){ switch(part){ case 's' : return get(SECONDS); // Seconds : 0-59 case 'ss' : return lz(get(SECONDS)); // Seconds : 00-59 case 'm' : return get(MINUTES); // Minutes : 0-59 case 'mm' : return lz(get(MINUTES)); // Minutes : 00-59 case 'h' : return get(HOURS); // Hours : 0-23 case 'hh' : return lz(get(HOURS)); // Hours : 00-23 case 'D' : return get(DATE); // Date : 1-31 case 'DD' : return lz(get(DATE)); // Date : 01-31 case 'W' : return dict[0][get('Day')]; // Day : Понедельник case 'N' : return get(MONTH) + 1; // Month : 1-12 case 'NN' : return lz(get(MONTH) + 1); // Month : 01-12 case 'M' : return dict[2][get(MONTH)]; // Month : Январь case 'MM' : return dict[1][get(MONTH)]; // Month : Января case 'Y' : return get(YEAR); // Year : 2014 case 'YY' : return lz(get(YEAR) % 100); // Year : 14 } return part; }); }; } function addLocale(lang, locale){ function split(index){ var result = []; $.each.call(locale.months.split(','), function(it){ result.push(it.replace(flexioRegExp, '$' + index)); }); return result; } locales[lang] = [locale.weekdays.split(','), split(1), split(2)]; return core; } $def($def.P + $def.F, DATE, { format: createFormat('get'), formatUTC: createFormat('getUTC') }); addLocale(current, { weekdays: 'Sunday,Monday,Tuesday,Wednesday,Thursday,Friday,Saturday', months: 'January,February,March,April,May,June,July,August,September,October,November,December' }); addLocale('ru', { weekdays: 'Воскресенье,Понедельник,Вторник,Среда,Четверг,Пятница,Суббота', months: 'Январ:я|ь,Феврал:я|ь,Март:а|,Апрел:я|ь,Ма:я|й,Июн:я|ь,' + 'Июл:я|ь,Август:а|,Сентябр:я|ь,Октябр:я|ь,Ноябр:я|ь,Декабр:я|ь' }); core.locale = function(locale){ return $.has(locales, locale) ? current = locale : current; }; core.addLocale = addLocale; /***/ }, /* 99 */ /***/ function(module, exports, __webpack_require__) { var $def = __webpack_require__(9); $def($def.G + $def.F, {global: __webpack_require__(2).g}); /***/ }, /* 100 */ /***/ function(module, exports, __webpack_require__) { var $ = __webpack_require__(2) , $def = __webpack_require__(9) , log = {} , enabled = true; // Methods from https://github.com/DeveloperToolsWG/console-object/blob/master/api.md $.each.call(('assert,clear,count,debug,dir,dirxml,error,exception,' + 'group,groupCollapsed,groupEnd,info,isIndependentlyComposed,log,' + 'markTimeline,profile,profileEnd,table,time,timeEnd,timeline,' + 'timelineEnd,timeStamp,trace,warn').split(','), function(key){ log[key] = function(){ if(enabled && $.g.console && $.isFunction(console[key])){ return Function.apply.call(console[key], console, arguments); } }; }); $def($def.G + $def.F, {log: __webpack_require__(23)(log.log, log, { enable: function(){ enabled = true; }, disable: function(){ enabled = false; } })}); /***/ }, /* 101 */ /***/ function(module, exports, __webpack_require__) { // JavaScript 1.6 / Strawman array statics shim var $ = __webpack_require__(2) , $def = __webpack_require__(9) , $Array = $.core.Array || Array , statics = {}; function setStatics(keys, length){ $.each.call(keys.split(','), function(key){ if(length == undefined && key in $Array)statics[key] = $Array[key]; else if(key in [])statics[key] = __webpack_require__(13)(Function.call, [][key], length); }); } setStatics('pop,reverse,shift,keys,values,entries', 1); setStatics('indexOf,every,some,forEach,map,filter,find,findIndex,includes', 3); setStatics('join,slice,concat,push,splice,unshift,sort,lastIndexOf,' + 'reduce,reduceRight,copyWithin,fill,turn'); $def($def.S, 'Array', statics); /***/ } /******/ ]); // CommonJS export if(typeof module != 'undefined' && module.exports)module.exports = __e; // RequireJS export else if(typeof define == 'function' && define.amd)define(function(){return __e}); // Export to global object else __g.core = __e; }();
static/jquery-1.10.1.min.js
TPETb/TPPPTX
/*! jQuery v1.10.1 | (c) 2005, 2013 jQuery Foundation, Inc. | jquery.org/license //@ sourceMappingURL=jquery-1.10.1.min.map */ (function(e,t){var n,r,i=typeof t,o=e.location,a=e.document,s=a.documentElement,l=e.jQuery,u=e.$,c={},p=[],f="1.10.1",d=p.concat,h=p.push,g=p.slice,m=p.indexOf,y=c.toString,v=c.hasOwnProperty,b=f.trim,x=function(e,t){return new x.fn.init(e,t,r)},w=/[+-]?(?:\d*\.|)\d+(?:[eE][+-]?\d+|)/.source,T=/\S+/g,C=/^[\s\uFEFF\xA0]+|[\s\uFEFF\xA0]+$/g,N=/^(?:\s*(<[\w\W]+>)[^>]*|#([\w-]*))$/,k=/^<(\w+)\s*\/?>(?:<\/\1>|)$/,E=/^[\],:{}\s]*$/,S=/(?:^|:|,)(?:\s*\[)+/g,A=/\\(?:["\\\/bfnrt]|u[\da-fA-F]{4})/g,j=/"[^"\\\r\n]*"|true|false|null|-?(?:\d+\.|)\d+(?:[eE][+-]?\d+|)/g,D=/^-ms-/,L=/-([\da-z])/gi,H=function(e,t){return t.toUpperCase()},q=function(e){(a.addEventListener||"load"===e.type||"complete"===a.readyState)&&(_(),x.ready())},_=function(){a.addEventListener?(a.removeEventListener("DOMContentLoaded",q,!1),e.removeEventListener("load",q,!1)):(a.detachEvent("onreadystatechange",q),e.detachEvent("onload",q))};x.fn=x.prototype={jquery:f,constructor:x,init:function(e,n,r){var i,o;if(!e)return this;if("string"==typeof e){if(i="<"===e.charAt(0)&&">"===e.charAt(e.length-1)&&e.length>=3?[null,e,null]:N.exec(e),!i||!i[1]&&n)return!n||n.jquery?(n||r).find(e):this.constructor(n).find(e);if(i[1]){if(n=n instanceof x?n[0]:n,x.merge(this,x.parseHTML(i[1],n&&n.nodeType?n.ownerDocument||n:a,!0)),k.test(i[1])&&x.isPlainObject(n))for(i in n)x.isFunction(this[i])?this[i](n[i]):this.attr(i,n[i]);return this}if(o=a.getElementById(i[2]),o&&o.parentNode){if(o.id!==i[2])return r.find(e);this.length=1,this[0]=o}return this.context=a,this.selector=e,this}return e.nodeType?(this.context=this[0]=e,this.length=1,this):x.isFunction(e)?r.ready(e):(e.selector!==t&&(this.selector=e.selector,this.context=e.context),x.makeArray(e,this))},selector:"",length:0,toArray:function(){return g.call(this)},get:function(e){return null==e?this.toArray():0>e?this[this.length+e]:this[e]},pushStack:function(e){var t=x.merge(this.constructor(),e);return t.prevObject=this,t.context=this.context,t},each:function(e,t){return x.each(this,e,t)},ready:function(e){return x.ready.promise().done(e),this},slice:function(){return this.pushStack(g.apply(this,arguments))},first:function(){return this.eq(0)},last:function(){return this.eq(-1)},eq:function(e){var t=this.length,n=+e+(0>e?t:0);return this.pushStack(n>=0&&t>n?[this[n]]:[])},map:function(e){return this.pushStack(x.map(this,function(t,n){return e.call(t,n,t)}))},end:function(){return this.prevObject||this.constructor(null)},push:h,sort:[].sort,splice:[].splice},x.fn.init.prototype=x.fn,x.extend=x.fn.extend=function(){var e,n,r,i,o,a,s=arguments[0]||{},l=1,u=arguments.length,c=!1;for("boolean"==typeof s&&(c=s,s=arguments[1]||{},l=2),"object"==typeof s||x.isFunction(s)||(s={}),u===l&&(s=this,--l);u>l;l++)if(null!=(o=arguments[l]))for(i in o)e=s[i],r=o[i],s!==r&&(c&&r&&(x.isPlainObject(r)||(n=x.isArray(r)))?(n?(n=!1,a=e&&x.isArray(e)?e:[]):a=e&&x.isPlainObject(e)?e:{},s[i]=x.extend(c,a,r)):r!==t&&(s[i]=r));return s},x.extend({expando:"jQuery"+(f+Math.random()).replace(/\D/g,""),noConflict:function(t){return e.$===x&&(e.$=u),t&&e.jQuery===x&&(e.jQuery=l),x},isReady:!1,readyWait:1,holdReady:function(e){e?x.readyWait++:x.ready(!0)},ready:function(e){if(e===!0?!--x.readyWait:!x.isReady){if(!a.body)return setTimeout(x.ready);x.isReady=!0,e!==!0&&--x.readyWait>0||(n.resolveWith(a,[x]),x.fn.trigger&&x(a).trigger("ready").off("ready"))}},isFunction:function(e){return"function"===x.type(e)},isArray:Array.isArray||function(e){return"array"===x.type(e)},isWindow:function(e){return null!=e&&e==e.window},isNumeric:function(e){return!isNaN(parseFloat(e))&&isFinite(e)},type:function(e){return null==e?e+"":"object"==typeof e||"function"==typeof e?c[y.call(e)]||"object":typeof e},isPlainObject:function(e){var n;if(!e||"object"!==x.type(e)||e.nodeType||x.isWindow(e))return!1;try{if(e.constructor&&!v.call(e,"constructor")&&!v.call(e.constructor.prototype,"isPrototypeOf"))return!1}catch(r){return!1}if(x.support.ownLast)for(n in e)return v.call(e,n);for(n in e);return n===t||v.call(e,n)},isEmptyObject:function(e){var t;for(t in e)return!1;return!0},error:function(e){throw Error(e)},parseHTML:function(e,t,n){if(!e||"string"!=typeof e)return null;"boolean"==typeof t&&(n=t,t=!1),t=t||a;var r=k.exec(e),i=!n&&[];return r?[t.createElement(r[1])]:(r=x.buildFragment([e],t,i),i&&x(i).remove(),x.merge([],r.childNodes))},parseJSON:function(n){return e.JSON&&e.JSON.parse?e.JSON.parse(n):null===n?n:"string"==typeof n&&(n=x.trim(n),n&&E.test(n.replace(A,"@").replace(j,"]").replace(S,"")))?Function("return "+n)():(x.error("Invalid JSON: "+n),t)},parseXML:function(n){var r,i;if(!n||"string"!=typeof n)return null;try{e.DOMParser?(i=new DOMParser,r=i.parseFromString(n,"text/xml")):(r=new ActiveXObject("Microsoft.XMLDOM"),r.async="false",r.loadXML(n))}catch(o){r=t}return r&&r.documentElement&&!r.getElementsByTagName("parsererror").length||x.error("Invalid XML: "+n),r},noop:function(){},globalEval:function(t){t&&x.trim(t)&&(e.execScript||function(t){e.eval.call(e,t)})(t)},camelCase:function(e){return e.replace(D,"ms-").replace(L,H)},nodeName:function(e,t){return e.nodeName&&e.nodeName.toLowerCase()===t.toLowerCase()},each:function(e,t,n){var r,i=0,o=e.length,a=M(e);if(n){if(a){for(;o>i;i++)if(r=t.apply(e[i],n),r===!1)break}else for(i in e)if(r=t.apply(e[i],n),r===!1)break}else if(a){for(;o>i;i++)if(r=t.call(e[i],i,e[i]),r===!1)break}else for(i in e)if(r=t.call(e[i],i,e[i]),r===!1)break;return e},trim:b&&!b.call("\ufeff\u00a0")?function(e){return null==e?"":b.call(e)}:function(e){return null==e?"":(e+"").replace(C,"")},makeArray:function(e,t){var n=t||[];return null!=e&&(M(Object(e))?x.merge(n,"string"==typeof e?[e]:e):h.call(n,e)),n},inArray:function(e,t,n){var r;if(t){if(m)return m.call(t,e,n);for(r=t.length,n=n?0>n?Math.max(0,r+n):n:0;r>n;n++)if(n in t&&t[n]===e)return n}return-1},merge:function(e,n){var r=n.length,i=e.length,o=0;if("number"==typeof r)for(;r>o;o++)e[i++]=n[o];else while(n[o]!==t)e[i++]=n[o++];return e.length=i,e},grep:function(e,t,n){var r,i=[],o=0,a=e.length;for(n=!!n;a>o;o++)r=!!t(e[o],o),n!==r&&i.push(e[o]);return i},map:function(e,t,n){var r,i=0,o=e.length,a=M(e),s=[];if(a)for(;o>i;i++)r=t(e[i],i,n),null!=r&&(s[s.length]=r);else for(i in e)r=t(e[i],i,n),null!=r&&(s[s.length]=r);return d.apply([],s)},guid:1,proxy:function(e,n){var r,i,o;return"string"==typeof n&&(o=e[n],n=e,e=o),x.isFunction(e)?(r=g.call(arguments,2),i=function(){return e.apply(n||this,r.concat(g.call(arguments)))},i.guid=e.guid=e.guid||x.guid++,i):t},access:function(e,n,r,i,o,a,s){var l=0,u=e.length,c=null==r;if("object"===x.type(r)){o=!0;for(l in r)x.access(e,n,l,r[l],!0,a,s)}else if(i!==t&&(o=!0,x.isFunction(i)||(s=!0),c&&(s?(n.call(e,i),n=null):(c=n,n=function(e,t,n){return c.call(x(e),n)})),n))for(;u>l;l++)n(e[l],r,s?i:i.call(e[l],l,n(e[l],r)));return o?e:c?n.call(e):u?n(e[0],r):a},now:function(){return(new Date).getTime()},swap:function(e,t,n,r){var i,o,a={};for(o in t)a[o]=e.style[o],e.style[o]=t[o];i=n.apply(e,r||[]);for(o in t)e.style[o]=a[o];return i}}),x.ready.promise=function(t){if(!n)if(n=x.Deferred(),"complete"===a.readyState)setTimeout(x.ready);else if(a.addEventListener)a.addEventListener("DOMContentLoaded",q,!1),e.addEventListener("load",q,!1);else{a.attachEvent("onreadystatechange",q),e.attachEvent("onload",q);var r=!1;try{r=null==e.frameElement&&a.documentElement}catch(i){}r&&r.doScroll&&function o(){if(!x.isReady){try{r.doScroll("left")}catch(e){return setTimeout(o,50)}_(),x.ready()}}()}return n.promise(t)},x.each("Boolean Number String Function Array Date RegExp Object Error".split(" "),function(e,t){c["[object "+t+"]"]=t.toLowerCase()});function M(e){var t=e.length,n=x.type(e);return x.isWindow(e)?!1:1===e.nodeType&&t?!0:"array"===n||"function"!==n&&(0===t||"number"==typeof t&&t>0&&t-1 in e)}r=x(a),function(e,t){var n,r,i,o,a,s,l,u,c,p,f,d,h,g,m,y,v,b="sizzle"+-new Date,w=e.document,T=0,C=0,N=lt(),k=lt(),E=lt(),S=!1,A=function(){return 0},j=typeof t,D=1<<31,L={}.hasOwnProperty,H=[],q=H.pop,_=H.push,M=H.push,O=H.slice,F=H.indexOf||function(e){var t=0,n=this.length;for(;n>t;t++)if(this[t]===e)return t;return-1},B="checked|selected|async|autofocus|autoplay|controls|defer|disabled|hidden|ismap|loop|multiple|open|readonly|required|scoped",P="[\\x20\\t\\r\\n\\f]",R="(?:\\\\.|[\\w-]|[^\\x00-\\xa0])+",W=R.replace("w","w#"),$="\\["+P+"*("+R+")"+P+"*(?:([*^$|!~]?=)"+P+"*(?:(['\"])((?:\\\\.|[^\\\\])*?)\\3|("+W+")|)|)"+P+"*\\]",I=":("+R+")(?:\\(((['\"])((?:\\\\.|[^\\\\])*?)\\3|((?:\\\\.|[^\\\\()[\\]]|"+$.replace(3,8)+")*)|.*)\\)|)",z=RegExp("^"+P+"+|((?:^|[^\\\\])(?:\\\\.)*)"+P+"+$","g"),X=RegExp("^"+P+"*,"+P+"*"),U=RegExp("^"+P+"*([>+~]|"+P+")"+P+"*"),V=RegExp(P+"*[+~]"),Y=RegExp("="+P+"*([^\\]'\"]*)"+P+"*\\]","g"),J=RegExp(I),G=RegExp("^"+W+"$"),Q={ID:RegExp("^#("+R+")"),CLASS:RegExp("^\\.("+R+")"),TAG:RegExp("^("+R.replace("w","w*")+")"),ATTR:RegExp("^"+$),PSEUDO:RegExp("^"+I),CHILD:RegExp("^:(only|first|last|nth|nth-last)-(child|of-type)(?:\\("+P+"*(even|odd|(([+-]|)(\\d*)n|)"+P+"*(?:([+-]|)"+P+"*(\\d+)|))"+P+"*\\)|)","i"),bool:RegExp("^(?:"+B+")$","i"),needsContext:RegExp("^"+P+"*[>+~]|:(even|odd|eq|gt|lt|nth|first|last)(?:\\("+P+"*((?:-\\d)?\\d*)"+P+"*\\)|)(?=[^-]|$)","i")},K=/^[^{]+\{\s*\[native \w/,Z=/^(?:#([\w-]+)|(\w+)|\.([\w-]+))$/,et=/^(?:input|select|textarea|button)$/i,tt=/^h\d$/i,nt=/'|\\/g,rt=RegExp("\\\\([\\da-f]{1,6}"+P+"?|("+P+")|.)","ig"),it=function(e,t,n){var r="0x"+t-65536;return r!==r||n?t:0>r?String.fromCharCode(r+65536):String.fromCharCode(55296|r>>10,56320|1023&r)};try{M.apply(H=O.call(w.childNodes),w.childNodes),H[w.childNodes.length].nodeType}catch(ot){M={apply:H.length?function(e,t){_.apply(e,O.call(t))}:function(e,t){var n=e.length,r=0;while(e[n++]=t[r++]);e.length=n-1}}}function at(e,t,n,i){var o,a,s,l,u,c,d,m,y,x;if((t?t.ownerDocument||t:w)!==f&&p(t),t=t||f,n=n||[],!e||"string"!=typeof e)return n;if(1!==(l=t.nodeType)&&9!==l)return[];if(h&&!i){if(o=Z.exec(e))if(s=o[1]){if(9===l){if(a=t.getElementById(s),!a||!a.parentNode)return n;if(a.id===s)return n.push(a),n}else if(t.ownerDocument&&(a=t.ownerDocument.getElementById(s))&&v(t,a)&&a.id===s)return n.push(a),n}else{if(o[2])return M.apply(n,t.getElementsByTagName(e)),n;if((s=o[3])&&r.getElementsByClassName&&t.getElementsByClassName)return M.apply(n,t.getElementsByClassName(s)),n}if(r.qsa&&(!g||!g.test(e))){if(m=d=b,y=t,x=9===l&&e,1===l&&"object"!==t.nodeName.toLowerCase()){c=bt(e),(d=t.getAttribute("id"))?m=d.replace(nt,"\\$&"):t.setAttribute("id",m),m="[id='"+m+"'] ",u=c.length;while(u--)c[u]=m+xt(c[u]);y=V.test(e)&&t.parentNode||t,x=c.join(",")}if(x)try{return M.apply(n,y.querySelectorAll(x)),n}catch(T){}finally{d||t.removeAttribute("id")}}}return At(e.replace(z,"$1"),t,n,i)}function st(e){return K.test(e+"")}function lt(){var e=[];function t(n,r){return e.push(n+=" ")>o.cacheLength&&delete t[e.shift()],t[n]=r}return t}function ut(e){return e[b]=!0,e}function ct(e){var t=f.createElement("div");try{return!!e(t)}catch(n){return!1}finally{t.parentNode&&t.parentNode.removeChild(t),t=null}}function pt(e,t,n){e=e.split("|");var r,i=e.length,a=n?null:t;while(i--)(r=o.attrHandle[e[i]])&&r!==t||(o.attrHandle[e[i]]=a)}function ft(e,t){var n=e.getAttributeNode(t);return n&&n.specified?n.value:e[t]===!0?t.toLowerCase():null}function dt(e,t){return e.getAttribute(t,"type"===t.toLowerCase()?1:2)}function ht(e){return"input"===e.nodeName.toLowerCase()?e.defaultValue:t}function gt(e,t){var n=t&&e,r=n&&1===e.nodeType&&1===t.nodeType&&(~t.sourceIndex||D)-(~e.sourceIndex||D);if(r)return r;if(n)while(n=n.nextSibling)if(n===t)return-1;return e?1:-1}function mt(e){return function(t){var n=t.nodeName.toLowerCase();return"input"===n&&t.type===e}}function yt(e){return function(t){var n=t.nodeName.toLowerCase();return("input"===n||"button"===n)&&t.type===e}}function vt(e){return ut(function(t){return t=+t,ut(function(n,r){var i,o=e([],n.length,t),a=o.length;while(a--)n[i=o[a]]&&(n[i]=!(r[i]=n[i]))})})}s=at.isXML=function(e){var t=e&&(e.ownerDocument||e).documentElement;return t?"HTML"!==t.nodeName:!1},r=at.support={},p=at.setDocument=function(e){var n=e?e.ownerDocument||e:w,i=n.parentWindow;return n!==f&&9===n.nodeType&&n.documentElement?(f=n,d=n.documentElement,h=!s(n),i&&i.frameElement&&i.attachEvent("onbeforeunload",function(){p()}),r.attributes=ct(function(e){return e.innerHTML="<a href='#'></a>",pt("type|href|height|width",dt,"#"===e.firstChild.getAttribute("href")),pt(B,ft,null==e.getAttribute("disabled")),e.className="i",!e.getAttribute("className")}),r.input=ct(function(e){return e.innerHTML="<input>",e.firstChild.setAttribute("value",""),""===e.firstChild.getAttribute("value")}),pt("value",ht,r.attributes&&r.input),r.getElementsByTagName=ct(function(e){return e.appendChild(n.createComment("")),!e.getElementsByTagName("*").length}),r.getElementsByClassName=ct(function(e){return e.innerHTML="<div class='a'></div><div class='a i'></div>",e.firstChild.className="i",2===e.getElementsByClassName("i").length}),r.getById=ct(function(e){return d.appendChild(e).id=b,!n.getElementsByName||!n.getElementsByName(b).length}),r.getById?(o.find.ID=function(e,t){if(typeof t.getElementById!==j&&h){var n=t.getElementById(e);return n&&n.parentNode?[n]:[]}},o.filter.ID=function(e){var t=e.replace(rt,it);return function(e){return e.getAttribute("id")===t}}):(delete o.find.ID,o.filter.ID=function(e){var t=e.replace(rt,it);return function(e){var n=typeof e.getAttributeNode!==j&&e.getAttributeNode("id");return n&&n.value===t}}),o.find.TAG=r.getElementsByTagName?function(e,n){return typeof n.getElementsByTagName!==j?n.getElementsByTagName(e):t}:function(e,t){var n,r=[],i=0,o=t.getElementsByTagName(e);if("*"===e){while(n=o[i++])1===n.nodeType&&r.push(n);return r}return o},o.find.CLASS=r.getElementsByClassName&&function(e,n){return typeof n.getElementsByClassName!==j&&h?n.getElementsByClassName(e):t},m=[],g=[],(r.qsa=st(n.querySelectorAll))&&(ct(function(e){e.innerHTML="<select><option selected=''></option></select>",e.querySelectorAll("[selected]").length||g.push("\\["+P+"*(?:value|"+B+")"),e.querySelectorAll(":checked").length||g.push(":checked")}),ct(function(e){var t=n.createElement("input");t.setAttribute("type","hidden"),e.appendChild(t).setAttribute("t",""),e.querySelectorAll("[t^='']").length&&g.push("[*^$]="+P+"*(?:''|\"\")"),e.querySelectorAll(":enabled").length||g.push(":enabled",":disabled"),e.querySelectorAll("*,:x"),g.push(",.*:")})),(r.matchesSelector=st(y=d.webkitMatchesSelector||d.mozMatchesSelector||d.oMatchesSelector||d.msMatchesSelector))&&ct(function(e){r.disconnectedMatch=y.call(e,"div"),y.call(e,"[s!='']:x"),m.push("!=",I)}),g=g.length&&RegExp(g.join("|")),m=m.length&&RegExp(m.join("|")),v=st(d.contains)||d.compareDocumentPosition?function(e,t){var n=9===e.nodeType?e.documentElement:e,r=t&&t.parentNode;return e===r||!(!r||1!==r.nodeType||!(n.contains?n.contains(r):e.compareDocumentPosition&&16&e.compareDocumentPosition(r)))}:function(e,t){if(t)while(t=t.parentNode)if(t===e)return!0;return!1},r.sortDetached=ct(function(e){return 1&e.compareDocumentPosition(n.createElement("div"))}),A=d.compareDocumentPosition?function(e,t){if(e===t)return S=!0,0;var i=t.compareDocumentPosition&&e.compareDocumentPosition&&e.compareDocumentPosition(t);return i?1&i||!r.sortDetached&&t.compareDocumentPosition(e)===i?e===n||v(w,e)?-1:t===n||v(w,t)?1:c?F.call(c,e)-F.call(c,t):0:4&i?-1:1:e.compareDocumentPosition?-1:1}:function(e,t){var r,i=0,o=e.parentNode,a=t.parentNode,s=[e],l=[t];if(e===t)return S=!0,0;if(!o||!a)return e===n?-1:t===n?1:o?-1:a?1:c?F.call(c,e)-F.call(c,t):0;if(o===a)return gt(e,t);r=e;while(r=r.parentNode)s.unshift(r);r=t;while(r=r.parentNode)l.unshift(r);while(s[i]===l[i])i++;return i?gt(s[i],l[i]):s[i]===w?-1:l[i]===w?1:0},n):f},at.matches=function(e,t){return at(e,null,null,t)},at.matchesSelector=function(e,t){if((e.ownerDocument||e)!==f&&p(e),t=t.replace(Y,"='$1']"),!(!r.matchesSelector||!h||m&&m.test(t)||g&&g.test(t)))try{var n=y.call(e,t);if(n||r.disconnectedMatch||e.document&&11!==e.document.nodeType)return n}catch(i){}return at(t,f,null,[e]).length>0},at.contains=function(e,t){return(e.ownerDocument||e)!==f&&p(e),v(e,t)},at.attr=function(e,n){(e.ownerDocument||e)!==f&&p(e);var i=o.attrHandle[n.toLowerCase()],a=i&&L.call(o.attrHandle,n.toLowerCase())?i(e,n,!h):t;return a===t?r.attributes||!h?e.getAttribute(n):(a=e.getAttributeNode(n))&&a.specified?a.value:null:a},at.error=function(e){throw Error("Syntax error, unrecognized expression: "+e)},at.uniqueSort=function(e){var t,n=[],i=0,o=0;if(S=!r.detectDuplicates,c=!r.sortStable&&e.slice(0),e.sort(A),S){while(t=e[o++])t===e[o]&&(i=n.push(o));while(i--)e.splice(n[i],1)}return e},a=at.getText=function(e){var t,n="",r=0,i=e.nodeType;if(i){if(1===i||9===i||11===i){if("string"==typeof e.textContent)return e.textContent;for(e=e.firstChild;e;e=e.nextSibling)n+=a(e)}else if(3===i||4===i)return e.nodeValue}else for(;t=e[r];r++)n+=a(t);return n},o=at.selectors={cacheLength:50,createPseudo:ut,match:Q,attrHandle:{},find:{},relative:{">":{dir:"parentNode",first:!0}," ":{dir:"parentNode"},"+":{dir:"previousSibling",first:!0},"~":{dir:"previousSibling"}},preFilter:{ATTR:function(e){return e[1]=e[1].replace(rt,it),e[3]=(e[4]||e[5]||"").replace(rt,it),"~="===e[2]&&(e[3]=" "+e[3]+" "),e.slice(0,4)},CHILD:function(e){return e[1]=e[1].toLowerCase(),"nth"===e[1].slice(0,3)?(e[3]||at.error(e[0]),e[4]=+(e[4]?e[5]+(e[6]||1):2*("even"===e[3]||"odd"===e[3])),e[5]=+(e[7]+e[8]||"odd"===e[3])):e[3]&&at.error(e[0]),e},PSEUDO:function(e){var n,r=!e[5]&&e[2];return Q.CHILD.test(e[0])?null:(e[3]&&e[4]!==t?e[2]=e[4]:r&&J.test(r)&&(n=bt(r,!0))&&(n=r.indexOf(")",r.length-n)-r.length)&&(e[0]=e[0].slice(0,n),e[2]=r.slice(0,n)),e.slice(0,3))}},filter:{TAG:function(e){var t=e.replace(rt,it).toLowerCase();return"*"===e?function(){return!0}:function(e){return e.nodeName&&e.nodeName.toLowerCase()===t}},CLASS:function(e){var t=N[e+" "];return t||(t=RegExp("(^|"+P+")"+e+"("+P+"|$)"))&&N(e,function(e){return t.test("string"==typeof e.className&&e.className||typeof e.getAttribute!==j&&e.getAttribute("class")||"")})},ATTR:function(e,t,n){return function(r){var i=at.attr(r,e);return null==i?"!="===t:t?(i+="","="===t?i===n:"!="===t?i!==n:"^="===t?n&&0===i.indexOf(n):"*="===t?n&&i.indexOf(n)>-1:"$="===t?n&&i.slice(-n.length)===n:"~="===t?(" "+i+" ").indexOf(n)>-1:"|="===t?i===n||i.slice(0,n.length+1)===n+"-":!1):!0}},CHILD:function(e,t,n,r,i){var o="nth"!==e.slice(0,3),a="last"!==e.slice(-4),s="of-type"===t;return 1===r&&0===i?function(e){return!!e.parentNode}:function(t,n,l){var u,c,p,f,d,h,g=o!==a?"nextSibling":"previousSibling",m=t.parentNode,y=s&&t.nodeName.toLowerCase(),v=!l&&!s;if(m){if(o){while(g){p=t;while(p=p[g])if(s?p.nodeName.toLowerCase()===y:1===p.nodeType)return!1;h=g="only"===e&&!h&&"nextSibling"}return!0}if(h=[a?m.firstChild:m.lastChild],a&&v){c=m[b]||(m[b]={}),u=c[e]||[],d=u[0]===T&&u[1],f=u[0]===T&&u[2],p=d&&m.childNodes[d];while(p=++d&&p&&p[g]||(f=d=0)||h.pop())if(1===p.nodeType&&++f&&p===t){c[e]=[T,d,f];break}}else if(v&&(u=(t[b]||(t[b]={}))[e])&&u[0]===T)f=u[1];else while(p=++d&&p&&p[g]||(f=d=0)||h.pop())if((s?p.nodeName.toLowerCase()===y:1===p.nodeType)&&++f&&(v&&((p[b]||(p[b]={}))[e]=[T,f]),p===t))break;return f-=i,f===r||0===f%r&&f/r>=0}}},PSEUDO:function(e,t){var n,r=o.pseudos[e]||o.setFilters[e.toLowerCase()]||at.error("unsupported pseudo: "+e);return r[b]?r(t):r.length>1?(n=[e,e,"",t],o.setFilters.hasOwnProperty(e.toLowerCase())?ut(function(e,n){var i,o=r(e,t),a=o.length;while(a--)i=F.call(e,o[a]),e[i]=!(n[i]=o[a])}):function(e){return r(e,0,n)}):r}},pseudos:{not:ut(function(e){var t=[],n=[],r=l(e.replace(z,"$1"));return r[b]?ut(function(e,t,n,i){var o,a=r(e,null,i,[]),s=e.length;while(s--)(o=a[s])&&(e[s]=!(t[s]=o))}):function(e,i,o){return t[0]=e,r(t,null,o,n),!n.pop()}}),has:ut(function(e){return function(t){return at(e,t).length>0}}),contains:ut(function(e){return function(t){return(t.textContent||t.innerText||a(t)).indexOf(e)>-1}}),lang:ut(function(e){return G.test(e||"")||at.error("unsupported lang: "+e),e=e.replace(rt,it).toLowerCase(),function(t){var n;do if(n=h?t.lang:t.getAttribute("xml:lang")||t.getAttribute("lang"))return n=n.toLowerCase(),n===e||0===n.indexOf(e+"-");while((t=t.parentNode)&&1===t.nodeType);return!1}}),target:function(t){var n=e.location&&e.location.hash;return n&&n.slice(1)===t.id},root:function(e){return e===d},focus:function(e){return e===f.activeElement&&(!f.hasFocus||f.hasFocus())&&!!(e.type||e.href||~e.tabIndex)},enabled:function(e){return e.disabled===!1},disabled:function(e){return e.disabled===!0},checked:function(e){var t=e.nodeName.toLowerCase();return"input"===t&&!!e.checked||"option"===t&&!!e.selected},selected:function(e){return e.parentNode&&e.parentNode.selectedIndex,e.selected===!0},empty:function(e){for(e=e.firstChild;e;e=e.nextSibling)if(e.nodeName>"@"||3===e.nodeType||4===e.nodeType)return!1;return!0},parent:function(e){return!o.pseudos.empty(e)},header:function(e){return tt.test(e.nodeName)},input:function(e){return et.test(e.nodeName)},button:function(e){var t=e.nodeName.toLowerCase();return"input"===t&&"button"===e.type||"button"===t},text:function(e){var t;return"input"===e.nodeName.toLowerCase()&&"text"===e.type&&(null==(t=e.getAttribute("type"))||t.toLowerCase()===e.type)},first:vt(function(){return[0]}),last:vt(function(e,t){return[t-1]}),eq:vt(function(e,t,n){return[0>n?n+t:n]}),even:vt(function(e,t){var n=0;for(;t>n;n+=2)e.push(n);return e}),odd:vt(function(e,t){var n=1;for(;t>n;n+=2)e.push(n);return e}),lt:vt(function(e,t,n){var r=0>n?n+t:n;for(;--r>=0;)e.push(r);return e}),gt:vt(function(e,t,n){var r=0>n?n+t:n;for(;t>++r;)e.push(r);return e})}};for(n in{radio:!0,checkbox:!0,file:!0,password:!0,image:!0})o.pseudos[n]=mt(n);for(n in{submit:!0,reset:!0})o.pseudos[n]=yt(n);function bt(e,t){var n,r,i,a,s,l,u,c=k[e+" "];if(c)return t?0:c.slice(0);s=e,l=[],u=o.preFilter;while(s){(!n||(r=X.exec(s)))&&(r&&(s=s.slice(r[0].length)||s),l.push(i=[])),n=!1,(r=U.exec(s))&&(n=r.shift(),i.push({value:n,type:r[0].replace(z," ")}),s=s.slice(n.length));for(a in o.filter)!(r=Q[a].exec(s))||u[a]&&!(r=u[a](r))||(n=r.shift(),i.push({value:n,type:a,matches:r}),s=s.slice(n.length));if(!n)break}return t?s.length:s?at.error(e):k(e,l).slice(0)}function xt(e){var t=0,n=e.length,r="";for(;n>t;t++)r+=e[t].value;return r}function wt(e,t,n){var r=t.dir,o=n&&"parentNode"===r,a=C++;return t.first?function(t,n,i){while(t=t[r])if(1===t.nodeType||o)return e(t,n,i)}:function(t,n,s){var l,u,c,p=T+" "+a;if(s){while(t=t[r])if((1===t.nodeType||o)&&e(t,n,s))return!0}else while(t=t[r])if(1===t.nodeType||o)if(c=t[b]||(t[b]={}),(u=c[r])&&u[0]===p){if((l=u[1])===!0||l===i)return l===!0}else if(u=c[r]=[p],u[1]=e(t,n,s)||i,u[1]===!0)return!0}}function Tt(e){return e.length>1?function(t,n,r){var i=e.length;while(i--)if(!e[i](t,n,r))return!1;return!0}:e[0]}function Ct(e,t,n,r,i){var o,a=[],s=0,l=e.length,u=null!=t;for(;l>s;s++)(o=e[s])&&(!n||n(o,r,i))&&(a.push(o),u&&t.push(s));return a}function Nt(e,t,n,r,i,o){return r&&!r[b]&&(r=Nt(r)),i&&!i[b]&&(i=Nt(i,o)),ut(function(o,a,s,l){var u,c,p,f=[],d=[],h=a.length,g=o||St(t||"*",s.nodeType?[s]:s,[]),m=!e||!o&&t?g:Ct(g,f,e,s,l),y=n?i||(o?e:h||r)?[]:a:m;if(n&&n(m,y,s,l),r){u=Ct(y,d),r(u,[],s,l),c=u.length;while(c--)(p=u[c])&&(y[d[c]]=!(m[d[c]]=p))}if(o){if(i||e){if(i){u=[],c=y.length;while(c--)(p=y[c])&&u.push(m[c]=p);i(null,y=[],u,l)}c=y.length;while(c--)(p=y[c])&&(u=i?F.call(o,p):f[c])>-1&&(o[u]=!(a[u]=p))}}else y=Ct(y===a?y.splice(h,y.length):y),i?i(null,a,y,l):M.apply(a,y)})}function kt(e){var t,n,r,i=e.length,a=o.relative[e[0].type],s=a||o.relative[" "],l=a?1:0,c=wt(function(e){return e===t},s,!0),p=wt(function(e){return F.call(t,e)>-1},s,!0),f=[function(e,n,r){return!a&&(r||n!==u)||((t=n).nodeType?c(e,n,r):p(e,n,r))}];for(;i>l;l++)if(n=o.relative[e[l].type])f=[wt(Tt(f),n)];else{if(n=o.filter[e[l].type].apply(null,e[l].matches),n[b]){for(r=++l;i>r;r++)if(o.relative[e[r].type])break;return Nt(l>1&&Tt(f),l>1&&xt(e.slice(0,l-1).concat({value:" "===e[l-2].type?"*":""})).replace(z,"$1"),n,r>l&&kt(e.slice(l,r)),i>r&&kt(e=e.slice(r)),i>r&&xt(e))}f.push(n)}return Tt(f)}function Et(e,t){var n=0,r=t.length>0,a=e.length>0,s=function(s,l,c,p,d){var h,g,m,y=[],v=0,b="0",x=s&&[],w=null!=d,C=u,N=s||a&&o.find.TAG("*",d&&l.parentNode||l),k=T+=null==C?1:Math.random()||.1;for(w&&(u=l!==f&&l,i=n);null!=(h=N[b]);b++){if(a&&h){g=0;while(m=e[g++])if(m(h,l,c)){p.push(h);break}w&&(T=k,i=++n)}r&&((h=!m&&h)&&v--,s&&x.push(h))}if(v+=b,r&&b!==v){g=0;while(m=t[g++])m(x,y,l,c);if(s){if(v>0)while(b--)x[b]||y[b]||(y[b]=q.call(p));y=Ct(y)}M.apply(p,y),w&&!s&&y.length>0&&v+t.length>1&&at.uniqueSort(p)}return w&&(T=k,u=C),x};return r?ut(s):s}l=at.compile=function(e,t){var n,r=[],i=[],o=E[e+" "];if(!o){t||(t=bt(e)),n=t.length;while(n--)o=kt(t[n]),o[b]?r.push(o):i.push(o);o=E(e,Et(i,r))}return o};function St(e,t,n){var r=0,i=t.length;for(;i>r;r++)at(e,t[r],n);return n}function At(e,t,n,i){var a,s,u,c,p,f=bt(e);if(!i&&1===f.length){if(s=f[0]=f[0].slice(0),s.length>2&&"ID"===(u=s[0]).type&&r.getById&&9===t.nodeType&&h&&o.relative[s[1].type]){if(t=(o.find.ID(u.matches[0].replace(rt,it),t)||[])[0],!t)return n;e=e.slice(s.shift().value.length)}a=Q.needsContext.test(e)?0:s.length;while(a--){if(u=s[a],o.relative[c=u.type])break;if((p=o.find[c])&&(i=p(u.matches[0].replace(rt,it),V.test(s[0].type)&&t.parentNode||t))){if(s.splice(a,1),e=i.length&&xt(s),!e)return M.apply(n,i),n;break}}}return l(e,f)(i,t,!h,n,V.test(e)),n}o.pseudos.nth=o.pseudos.eq;function jt(){}jt.prototype=o.filters=o.pseudos,o.setFilters=new jt,r.sortStable=b.split("").sort(A).join("")===b,p(),[0,0].sort(A),r.detectDuplicates=S,x.find=at,x.expr=at.selectors,x.expr[":"]=x.expr.pseudos,x.unique=at.uniqueSort,x.text=at.getText,x.isXMLDoc=at.isXML,x.contains=at.contains}(e);var O={};function F(e){var t=O[e]={};return x.each(e.match(T)||[],function(e,n){t[n]=!0}),t}x.Callbacks=function(e){e="string"==typeof e?O[e]||F(e):x.extend({},e);var n,r,i,o,a,s,l=[],u=!e.once&&[],c=function(t){for(r=e.memory&&t,i=!0,a=s||0,s=0,o=l.length,n=!0;l&&o>a;a++)if(l[a].apply(t[0],t[1])===!1&&e.stopOnFalse){r=!1;break}n=!1,l&&(u?u.length&&c(u.shift()):r?l=[]:p.disable())},p={add:function(){if(l){var t=l.length;(function i(t){x.each(t,function(t,n){var r=x.type(n);"function"===r?e.unique&&p.has(n)||l.push(n):n&&n.length&&"string"!==r&&i(n)})})(arguments),n?o=l.length:r&&(s=t,c(r))}return this},remove:function(){return l&&x.each(arguments,function(e,t){var r;while((r=x.inArray(t,l,r))>-1)l.splice(r,1),n&&(o>=r&&o--,a>=r&&a--)}),this},has:function(e){return e?x.inArray(e,l)>-1:!(!l||!l.length)},empty:function(){return l=[],o=0,this},disable:function(){return l=u=r=t,this},disabled:function(){return!l},lock:function(){return u=t,r||p.disable(),this},locked:function(){return!u},fireWith:function(e,t){return t=t||[],t=[e,t.slice?t.slice():t],!l||i&&!u||(n?u.push(t):c(t)),this},fire:function(){return p.fireWith(this,arguments),this},fired:function(){return!!i}};return p},x.extend({Deferred:function(e){var t=[["resolve","done",x.Callbacks("once memory"),"resolved"],["reject","fail",x.Callbacks("once memory"),"rejected"],["notify","progress",x.Callbacks("memory")]],n="pending",r={state:function(){return n},always:function(){return i.done(arguments).fail(arguments),this},then:function(){var e=arguments;return x.Deferred(function(n){x.each(t,function(t,o){var a=o[0],s=x.isFunction(e[t])&&e[t];i[o[1]](function(){var e=s&&s.apply(this,arguments);e&&x.isFunction(e.promise)?e.promise().done(n.resolve).fail(n.reject).progress(n.notify):n[a+"With"](this===r?n.promise():this,s?[e]:arguments)})}),e=null}).promise()},promise:function(e){return null!=e?x.extend(e,r):r}},i={};return r.pipe=r.then,x.each(t,function(e,o){var a=o[2],s=o[3];r[o[1]]=a.add,s&&a.add(function(){n=s},t[1^e][2].disable,t[2][2].lock),i[o[0]]=function(){return i[o[0]+"With"](this===i?r:this,arguments),this},i[o[0]+"With"]=a.fireWith}),r.promise(i),e&&e.call(i,i),i},when:function(e){var t=0,n=g.call(arguments),r=n.length,i=1!==r||e&&x.isFunction(e.promise)?r:0,o=1===i?e:x.Deferred(),a=function(e,t,n){return function(r){t[e]=this,n[e]=arguments.length>1?g.call(arguments):r,n===s?o.notifyWith(t,n):--i||o.resolveWith(t,n)}},s,l,u;if(r>1)for(s=Array(r),l=Array(r),u=Array(r);r>t;t++)n[t]&&x.isFunction(n[t].promise)?n[t].promise().done(a(t,u,n)).fail(o.reject).progress(a(t,l,s)):--i;return i||o.resolveWith(u,n),o.promise()}}),x.support=function(t){var n,r,o,s,l,u,c,p,f,d=a.createElement("div");if(d.setAttribute("className","t"),d.innerHTML=" <link/><table></table><a href='/a'>a</a><input type='checkbox'/>",n=d.getElementsByTagName("*")||[],r=d.getElementsByTagName("a")[0],!r||!r.style||!n.length)return t;s=a.createElement("select"),u=s.appendChild(a.createElement("option")),o=d.getElementsByTagName("input")[0],r.style.cssText="top:1px;float:left;opacity:.5",t.getSetAttribute="t"!==d.className,t.leadingWhitespace=3===d.firstChild.nodeType,t.tbody=!d.getElementsByTagName("tbody").length,t.htmlSerialize=!!d.getElementsByTagName("link").length,t.style=/top/.test(r.getAttribute("style")),t.hrefNormalized="/a"===r.getAttribute("href"),t.opacity=/^0.5/.test(r.style.opacity),t.cssFloat=!!r.style.cssFloat,t.checkOn=!!o.value,t.optSelected=u.selected,t.enctype=!!a.createElement("form").enctype,t.html5Clone="<:nav></:nav>"!==a.createElement("nav").cloneNode(!0).outerHTML,t.inlineBlockNeedsLayout=!1,t.shrinkWrapBlocks=!1,t.pixelPosition=!1,t.deleteExpando=!0,t.noCloneEvent=!0,t.reliableMarginRight=!0,t.boxSizingReliable=!0,o.checked=!0,t.noCloneChecked=o.cloneNode(!0).checked,s.disabled=!0,t.optDisabled=!u.disabled;try{delete d.test}catch(h){t.deleteExpando=!1}o=a.createElement("input"),o.setAttribute("value",""),t.input=""===o.getAttribute("value"),o.value="t",o.setAttribute("type","radio"),t.radioValue="t"===o.value,o.setAttribute("checked","t"),o.setAttribute("name","t"),l=a.createDocumentFragment(),l.appendChild(o),t.appendChecked=o.checked,t.checkClone=l.cloneNode(!0).cloneNode(!0).lastChild.checked,d.attachEvent&&(d.attachEvent("onclick",function(){t.noCloneEvent=!1}),d.cloneNode(!0).click());for(f in{submit:!0,change:!0,focusin:!0})d.setAttribute(c="on"+f,"t"),t[f+"Bubbles"]=c in e||d.attributes[c].expando===!1;d.style.backgroundClip="content-box",d.cloneNode(!0).style.backgroundClip="",t.clearCloneStyle="content-box"===d.style.backgroundClip;for(f in x(t))break;return t.ownLast="0"!==f,x(function(){var n,r,o,s="padding:0;margin:0;border:0;display:block;box-sizing:content-box;-moz-box-sizing:content-box;-webkit-box-sizing:content-box;",l=a.getElementsByTagName("body")[0];l&&(n=a.createElement("div"),n.style.cssText="border:0;width:0;height:0;position:absolute;top:0;left:-9999px;margin-top:1px",l.appendChild(n).appendChild(d),d.innerHTML="<table><tr><td></td><td>t</td></tr></table>",o=d.getElementsByTagName("td"),o[0].style.cssText="padding:0;margin:0;border:0;display:none",p=0===o[0].offsetHeight,o[0].style.display="",o[1].style.display="none",t.reliableHiddenOffsets=p&&0===o[0].offsetHeight,d.innerHTML="",d.style.cssText="box-sizing:border-box;-moz-box-sizing:border-box;-webkit-box-sizing:border-box;padding:1px;border:1px;display:block;width:4px;margin-top:1%;position:absolute;top:1%;",x.swap(l,null!=l.style.zoom?{zoom:1}:{},function(){t.boxSizing=4===d.offsetWidth}),e.getComputedStyle&&(t.pixelPosition="1%"!==(e.getComputedStyle(d,null)||{}).top,t.boxSizingReliable="4px"===(e.getComputedStyle(d,null)||{width:"4px"}).width,r=d.appendChild(a.createElement("div")),r.style.cssText=d.style.cssText=s,r.style.marginRight=r.style.width="0",d.style.width="1px",t.reliableMarginRight=!parseFloat((e.getComputedStyle(r,null)||{}).marginRight)),typeof d.style.zoom!==i&&(d.innerHTML="",d.style.cssText=s+"width:1px;padding:1px;display:inline;zoom:1",t.inlineBlockNeedsLayout=3===d.offsetWidth,d.style.display="block",d.innerHTML="<div></div>",d.firstChild.style.width="5px",t.shrinkWrapBlocks=3!==d.offsetWidth,t.inlineBlockNeedsLayout&&(l.style.zoom=1)),l.removeChild(n),n=d=o=r=null) }),n=s=l=u=r=o=null,t}({});var B=/(?:\{[\s\S]*\}|\[[\s\S]*\])$/,P=/([A-Z])/g;function R(e,n,r,i){if(x.acceptData(e)){var o,a,s=x.expando,l=e.nodeType,u=l?x.cache:e,c=l?e[s]:e[s]&&s;if(c&&u[c]&&(i||u[c].data)||r!==t||"string"!=typeof n)return c||(c=l?e[s]=p.pop()||x.guid++:s),u[c]||(u[c]=l?{}:{toJSON:x.noop}),("object"==typeof n||"function"==typeof n)&&(i?u[c]=x.extend(u[c],n):u[c].data=x.extend(u[c].data,n)),a=u[c],i||(a.data||(a.data={}),a=a.data),r!==t&&(a[x.camelCase(n)]=r),"string"==typeof n?(o=a[n],null==o&&(o=a[x.camelCase(n)])):o=a,o}}function W(e,t,n){if(x.acceptData(e)){var r,i,o=e.nodeType,a=o?x.cache:e,s=o?e[x.expando]:x.expando;if(a[s]){if(t&&(r=n?a[s]:a[s].data)){x.isArray(t)?t=t.concat(x.map(t,x.camelCase)):t in r?t=[t]:(t=x.camelCase(t),t=t in r?[t]:t.split(" ")),i=t.length;while(i--)delete r[t[i]];if(n?!I(r):!x.isEmptyObject(r))return}(n||(delete a[s].data,I(a[s])))&&(o?x.cleanData([e],!0):x.support.deleteExpando||a!=a.window?delete a[s]:a[s]=null)}}}x.extend({cache:{},noData:{applet:!0,embed:!0,object:"clsid:D27CDB6E-AE6D-11cf-96B8-444553540000"},hasData:function(e){return e=e.nodeType?x.cache[e[x.expando]]:e[x.expando],!!e&&!I(e)},data:function(e,t,n){return R(e,t,n)},removeData:function(e,t){return W(e,t)},_data:function(e,t,n){return R(e,t,n,!0)},_removeData:function(e,t){return W(e,t,!0)},acceptData:function(e){if(e.nodeType&&1!==e.nodeType&&9!==e.nodeType)return!1;var t=e.nodeName&&x.noData[e.nodeName.toLowerCase()];return!t||t!==!0&&e.getAttribute("classid")===t}}),x.fn.extend({data:function(e,n){var r,i,o=null,a=0,s=this[0];if(e===t){if(this.length&&(o=x.data(s),1===s.nodeType&&!x._data(s,"parsedAttrs"))){for(r=s.attributes;r.length>a;a++)i=r[a].name,0===i.indexOf("data-")&&(i=x.camelCase(i.slice(5)),$(s,i,o[i]));x._data(s,"parsedAttrs",!0)}return o}return"object"==typeof e?this.each(function(){x.data(this,e)}):arguments.length>1?this.each(function(){x.data(this,e,n)}):s?$(s,e,x.data(s,e)):null},removeData:function(e){return this.each(function(){x.removeData(this,e)})}});function $(e,n,r){if(r===t&&1===e.nodeType){var i="data-"+n.replace(P,"-$1").toLowerCase();if(r=e.getAttribute(i),"string"==typeof r){try{r="true"===r?!0:"false"===r?!1:"null"===r?null:+r+""===r?+r:B.test(r)?x.parseJSON(r):r}catch(o){}x.data(e,n,r)}else r=t}return r}function I(e){var t;for(t in e)if(("data"!==t||!x.isEmptyObject(e[t]))&&"toJSON"!==t)return!1;return!0}x.extend({queue:function(e,n,r){var i;return e?(n=(n||"fx")+"queue",i=x._data(e,n),r&&(!i||x.isArray(r)?i=x._data(e,n,x.makeArray(r)):i.push(r)),i||[]):t},dequeue:function(e,t){t=t||"fx";var n=x.queue(e,t),r=n.length,i=n.shift(),o=x._queueHooks(e,t),a=function(){x.dequeue(e,t)};"inprogress"===i&&(i=n.shift(),r--),i&&("fx"===t&&n.unshift("inprogress"),delete o.stop,i.call(e,a,o)),!r&&o&&o.empty.fire()},_queueHooks:function(e,t){var n=t+"queueHooks";return x._data(e,n)||x._data(e,n,{empty:x.Callbacks("once memory").add(function(){x._removeData(e,t+"queue"),x._removeData(e,n)})})}}),x.fn.extend({queue:function(e,n){var r=2;return"string"!=typeof e&&(n=e,e="fx",r--),r>arguments.length?x.queue(this[0],e):n===t?this:this.each(function(){var t=x.queue(this,e,n);x._queueHooks(this,e),"fx"===e&&"inprogress"!==t[0]&&x.dequeue(this,e)})},dequeue:function(e){return this.each(function(){x.dequeue(this,e)})},delay:function(e,t){return e=x.fx?x.fx.speeds[e]||e:e,t=t||"fx",this.queue(t,function(t,n){var r=setTimeout(t,e);n.stop=function(){clearTimeout(r)}})},clearQueue:function(e){return this.queue(e||"fx",[])},promise:function(e,n){var r,i=1,o=x.Deferred(),a=this,s=this.length,l=function(){--i||o.resolveWith(a,[a])};"string"!=typeof e&&(n=e,e=t),e=e||"fx";while(s--)r=x._data(a[s],e+"queueHooks"),r&&r.empty&&(i++,r.empty.add(l));return l(),o.promise(n)}});var z,X,U=/[\t\r\n\f]/g,V=/\r/g,Y=/^(?:input|select|textarea|button|object)$/i,J=/^(?:a|area)$/i,G=/^(?:checked|selected)$/i,Q=x.support.getSetAttribute,K=x.support.input;x.fn.extend({attr:function(e,t){return x.access(this,x.attr,e,t,arguments.length>1)},removeAttr:function(e){return this.each(function(){x.removeAttr(this,e)})},prop:function(e,t){return x.access(this,x.prop,e,t,arguments.length>1)},removeProp:function(e){return e=x.propFix[e]||e,this.each(function(){try{this[e]=t,delete this[e]}catch(n){}})},addClass:function(e){var t,n,r,i,o,a=0,s=this.length,l="string"==typeof e&&e;if(x.isFunction(e))return this.each(function(t){x(this).addClass(e.call(this,t,this.className))});if(l)for(t=(e||"").match(T)||[];s>a;a++)if(n=this[a],r=1===n.nodeType&&(n.className?(" "+n.className+" ").replace(U," "):" ")){o=0;while(i=t[o++])0>r.indexOf(" "+i+" ")&&(r+=i+" ");n.className=x.trim(r)}return this},removeClass:function(e){var t,n,r,i,o,a=0,s=this.length,l=0===arguments.length||"string"==typeof e&&e;if(x.isFunction(e))return this.each(function(t){x(this).removeClass(e.call(this,t,this.className))});if(l)for(t=(e||"").match(T)||[];s>a;a++)if(n=this[a],r=1===n.nodeType&&(n.className?(" "+n.className+" ").replace(U," "):"")){o=0;while(i=t[o++])while(r.indexOf(" "+i+" ")>=0)r=r.replace(" "+i+" "," ");n.className=e?x.trim(r):""}return this},toggleClass:function(e,t){var n=typeof e,r="boolean"==typeof t;return x.isFunction(e)?this.each(function(n){x(this).toggleClass(e.call(this,n,this.className,t),t)}):this.each(function(){if("string"===n){var o,a=0,s=x(this),l=t,u=e.match(T)||[];while(o=u[a++])l=r?l:!s.hasClass(o),s[l?"addClass":"removeClass"](o)}else(n===i||"boolean"===n)&&(this.className&&x._data(this,"__className__",this.className),this.className=this.className||e===!1?"":x._data(this,"__className__")||"")})},hasClass:function(e){var t=" "+e+" ",n=0,r=this.length;for(;r>n;n++)if(1===this[n].nodeType&&(" "+this[n].className+" ").replace(U," ").indexOf(t)>=0)return!0;return!1},val:function(e){var n,r,i,o=this[0];{if(arguments.length)return i=x.isFunction(e),this.each(function(n){var o;1===this.nodeType&&(o=i?e.call(this,n,x(this).val()):e,null==o?o="":"number"==typeof o?o+="":x.isArray(o)&&(o=x.map(o,function(e){return null==e?"":e+""})),r=x.valHooks[this.type]||x.valHooks[this.nodeName.toLowerCase()],r&&"set"in r&&r.set(this,o,"value")!==t||(this.value=o))});if(o)return r=x.valHooks[o.type]||x.valHooks[o.nodeName.toLowerCase()],r&&"get"in r&&(n=r.get(o,"value"))!==t?n:(n=o.value,"string"==typeof n?n.replace(V,""):null==n?"":n)}}}),x.extend({valHooks:{option:{get:function(e){var t=x.find.attr(e,"value");return null!=t?t:e.text}},select:{get:function(e){var t,n,r=e.options,i=e.selectedIndex,o="select-one"===e.type||0>i,a=o?null:[],s=o?i+1:r.length,l=0>i?s:o?i:0;for(;s>l;l++)if(n=r[l],!(!n.selected&&l!==i||(x.support.optDisabled?n.disabled:null!==n.getAttribute("disabled"))||n.parentNode.disabled&&x.nodeName(n.parentNode,"optgroup"))){if(t=x(n).val(),o)return t;a.push(t)}return a},set:function(e,t){var n,r,i=e.options,o=x.makeArray(t),a=i.length;while(a--)r=i[a],(r.selected=x.inArray(x(r).val(),o)>=0)&&(n=!0);return n||(e.selectedIndex=-1),o}}},attr:function(e,n,r){var o,a,s=e.nodeType;if(e&&3!==s&&8!==s&&2!==s)return typeof e.getAttribute===i?x.prop(e,n,r):(1===s&&x.isXMLDoc(e)||(n=n.toLowerCase(),o=x.attrHooks[n]||(x.expr.match.bool.test(n)?X:z)),r===t?o&&"get"in o&&null!==(a=o.get(e,n))?a:(a=x.find.attr(e,n),null==a?t:a):null!==r?o&&"set"in o&&(a=o.set(e,r,n))!==t?a:(e.setAttribute(n,r+""),r):(x.removeAttr(e,n),t))},removeAttr:function(e,t){var n,r,i=0,o=t&&t.match(T);if(o&&1===e.nodeType)while(n=o[i++])r=x.propFix[n]||n,x.expr.match.bool.test(n)?K&&Q||!G.test(n)?e[r]=!1:e[x.camelCase("default-"+n)]=e[r]=!1:x.attr(e,n,""),e.removeAttribute(Q?n:r)},attrHooks:{type:{set:function(e,t){if(!x.support.radioValue&&"radio"===t&&x.nodeName(e,"input")){var n=e.value;return e.setAttribute("type",t),n&&(e.value=n),t}}}},propFix:{"for":"htmlFor","class":"className"},prop:function(e,n,r){var i,o,a,s=e.nodeType;if(e&&3!==s&&8!==s&&2!==s)return a=1!==s||!x.isXMLDoc(e),a&&(n=x.propFix[n]||n,o=x.propHooks[n]),r!==t?o&&"set"in o&&(i=o.set(e,r,n))!==t?i:e[n]=r:o&&"get"in o&&null!==(i=o.get(e,n))?i:e[n]},propHooks:{tabIndex:{get:function(e){var t=x.find.attr(e,"tabindex");return t?parseInt(t,10):Y.test(e.nodeName)||J.test(e.nodeName)&&e.href?0:-1}}}}),X={set:function(e,t,n){return t===!1?x.removeAttr(e,n):K&&Q||!G.test(n)?e.setAttribute(!Q&&x.propFix[n]||n,n):e[x.camelCase("default-"+n)]=e[n]=!0,n}},x.each(x.expr.match.bool.source.match(/\w+/g),function(e,n){var r=x.expr.attrHandle[n]||x.find.attr;x.expr.attrHandle[n]=K&&Q||!G.test(n)?function(e,n,i){var o=x.expr.attrHandle[n],a=i?t:(x.expr.attrHandle[n]=t)!=r(e,n,i)?n.toLowerCase():null;return x.expr.attrHandle[n]=o,a}:function(e,n,r){return r?t:e[x.camelCase("default-"+n)]?n.toLowerCase():null}}),K&&Q||(x.attrHooks.value={set:function(e,n,r){return x.nodeName(e,"input")?(e.defaultValue=n,t):z&&z.set(e,n,r)}}),Q||(z={set:function(e,n,r){var i=e.getAttributeNode(r);return i||e.setAttributeNode(i=e.ownerDocument.createAttribute(r)),i.value=n+="","value"===r||n===e.getAttribute(r)?n:t}},x.expr.attrHandle.id=x.expr.attrHandle.name=x.expr.attrHandle.coords=function(e,n,r){var i;return r?t:(i=e.getAttributeNode(n))&&""!==i.value?i.value:null},x.valHooks.button={get:function(e,n){var r=e.getAttributeNode(n);return r&&r.specified?r.value:t},set:z.set},x.attrHooks.contenteditable={set:function(e,t,n){z.set(e,""===t?!1:t,n)}},x.each(["width","height"],function(e,n){x.attrHooks[n]={set:function(e,r){return""===r?(e.setAttribute(n,"auto"),r):t}}})),x.support.hrefNormalized||x.each(["href","src"],function(e,t){x.propHooks[t]={get:function(e){return e.getAttribute(t,4)}}}),x.support.style||(x.attrHooks.style={get:function(e){return e.style.cssText||t},set:function(e,t){return e.style.cssText=t+""}}),x.support.optSelected||(x.propHooks.selected={get:function(e){var t=e.parentNode;return t&&(t.selectedIndex,t.parentNode&&t.parentNode.selectedIndex),null}}),x.each(["tabIndex","readOnly","maxLength","cellSpacing","cellPadding","rowSpan","colSpan","useMap","frameBorder","contentEditable"],function(){x.propFix[this.toLowerCase()]=this}),x.support.enctype||(x.propFix.enctype="encoding"),x.each(["radio","checkbox"],function(){x.valHooks[this]={set:function(e,n){return x.isArray(n)?e.checked=x.inArray(x(e).val(),n)>=0:t}},x.support.checkOn||(x.valHooks[this].get=function(e){return null===e.getAttribute("value")?"on":e.value})});var Z=/^(?:input|select|textarea)$/i,et=/^key/,tt=/^(?:mouse|contextmenu)|click/,nt=/^(?:focusinfocus|focusoutblur)$/,rt=/^([^.]*)(?:\.(.+)|)$/;function it(){return!0}function ot(){return!1}function at(){try{return a.activeElement}catch(e){}}x.event={global:{},add:function(e,n,r,o,a){var s,l,u,c,p,f,d,h,g,m,y,v=x._data(e);if(v){r.handler&&(c=r,r=c.handler,a=c.selector),r.guid||(r.guid=x.guid++),(l=v.events)||(l=v.events={}),(f=v.handle)||(f=v.handle=function(e){return typeof x===i||e&&x.event.triggered===e.type?t:x.event.dispatch.apply(f.elem,arguments)},f.elem=e),n=(n||"").match(T)||[""],u=n.length;while(u--)s=rt.exec(n[u])||[],g=y=s[1],m=(s[2]||"").split(".").sort(),g&&(p=x.event.special[g]||{},g=(a?p.delegateType:p.bindType)||g,p=x.event.special[g]||{},d=x.extend({type:g,origType:y,data:o,handler:r,guid:r.guid,selector:a,needsContext:a&&x.expr.match.needsContext.test(a),namespace:m.join(".")},c),(h=l[g])||(h=l[g]=[],h.delegateCount=0,p.setup&&p.setup.call(e,o,m,f)!==!1||(e.addEventListener?e.addEventListener(g,f,!1):e.attachEvent&&e.attachEvent("on"+g,f))),p.add&&(p.add.call(e,d),d.handler.guid||(d.handler.guid=r.guid)),a?h.splice(h.delegateCount++,0,d):h.push(d),x.event.global[g]=!0);e=null}},remove:function(e,t,n,r,i){var o,a,s,l,u,c,p,f,d,h,g,m=x.hasData(e)&&x._data(e);if(m&&(c=m.events)){t=(t||"").match(T)||[""],u=t.length;while(u--)if(s=rt.exec(t[u])||[],d=g=s[1],h=(s[2]||"").split(".").sort(),d){p=x.event.special[d]||{},d=(r?p.delegateType:p.bindType)||d,f=c[d]||[],s=s[2]&&RegExp("(^|\\.)"+h.join("\\.(?:.*\\.|)")+"(\\.|$)"),l=o=f.length;while(o--)a=f[o],!i&&g!==a.origType||n&&n.guid!==a.guid||s&&!s.test(a.namespace)||r&&r!==a.selector&&("**"!==r||!a.selector)||(f.splice(o,1),a.selector&&f.delegateCount--,p.remove&&p.remove.call(e,a));l&&!f.length&&(p.teardown&&p.teardown.call(e,h,m.handle)!==!1||x.removeEvent(e,d,m.handle),delete c[d])}else for(d in c)x.event.remove(e,d+t[u],n,r,!0);x.isEmptyObject(c)&&(delete m.handle,x._removeData(e,"events"))}},trigger:function(n,r,i,o){var s,l,u,c,p,f,d,h=[i||a],g=v.call(n,"type")?n.type:n,m=v.call(n,"namespace")?n.namespace.split("."):[];if(u=f=i=i||a,3!==i.nodeType&&8!==i.nodeType&&!nt.test(g+x.event.triggered)&&(g.indexOf(".")>=0&&(m=g.split("."),g=m.shift(),m.sort()),l=0>g.indexOf(":")&&"on"+g,n=n[x.expando]?n:new x.Event(g,"object"==typeof n&&n),n.isTrigger=o?2:3,n.namespace=m.join("."),n.namespace_re=n.namespace?RegExp("(^|\\.)"+m.join("\\.(?:.*\\.|)")+"(\\.|$)"):null,n.result=t,n.target||(n.target=i),r=null==r?[n]:x.makeArray(r,[n]),p=x.event.special[g]||{},o||!p.trigger||p.trigger.apply(i,r)!==!1)){if(!o&&!p.noBubble&&!x.isWindow(i)){for(c=p.delegateType||g,nt.test(c+g)||(u=u.parentNode);u;u=u.parentNode)h.push(u),f=u;f===(i.ownerDocument||a)&&h.push(f.defaultView||f.parentWindow||e)}d=0;while((u=h[d++])&&!n.isPropagationStopped())n.type=d>1?c:p.bindType||g,s=(x._data(u,"events")||{})[n.type]&&x._data(u,"handle"),s&&s.apply(u,r),s=l&&u[l],s&&x.acceptData(u)&&s.apply&&s.apply(u,r)===!1&&n.preventDefault();if(n.type=g,!o&&!n.isDefaultPrevented()&&(!p._default||p._default.apply(h.pop(),r)===!1)&&x.acceptData(i)&&l&&i[g]&&!x.isWindow(i)){f=i[l],f&&(i[l]=null),x.event.triggered=g;try{i[g]()}catch(y){}x.event.triggered=t,f&&(i[l]=f)}return n.result}},dispatch:function(e){e=x.event.fix(e);var n,r,i,o,a,s=[],l=g.call(arguments),u=(x._data(this,"events")||{})[e.type]||[],c=x.event.special[e.type]||{};if(l[0]=e,e.delegateTarget=this,!c.preDispatch||c.preDispatch.call(this,e)!==!1){s=x.event.handlers.call(this,e,u),n=0;while((o=s[n++])&&!e.isPropagationStopped()){e.currentTarget=o.elem,a=0;while((i=o.handlers[a++])&&!e.isImmediatePropagationStopped())(!e.namespace_re||e.namespace_re.test(i.namespace))&&(e.handleObj=i,e.data=i.data,r=((x.event.special[i.origType]||{}).handle||i.handler).apply(o.elem,l),r!==t&&(e.result=r)===!1&&(e.preventDefault(),e.stopPropagation()))}return c.postDispatch&&c.postDispatch.call(this,e),e.result}},handlers:function(e,n){var r,i,o,a,s=[],l=n.delegateCount,u=e.target;if(l&&u.nodeType&&(!e.button||"click"!==e.type))for(;u!=this;u=u.parentNode||this)if(1===u.nodeType&&(u.disabled!==!0||"click"!==e.type)){for(o=[],a=0;l>a;a++)i=n[a],r=i.selector+" ",o[r]===t&&(o[r]=i.needsContext?x(r,this).index(u)>=0:x.find(r,this,null,[u]).length),o[r]&&o.push(i);o.length&&s.push({elem:u,handlers:o})}return n.length>l&&s.push({elem:this,handlers:n.slice(l)}),s},fix:function(e){if(e[x.expando])return e;var t,n,r,i=e.type,o=e,s=this.fixHooks[i];s||(this.fixHooks[i]=s=tt.test(i)?this.mouseHooks:et.test(i)?this.keyHooks:{}),r=s.props?this.props.concat(s.props):this.props,e=new x.Event(o),t=r.length;while(t--)n=r[t],e[n]=o[n];return e.target||(e.target=o.srcElement||a),3===e.target.nodeType&&(e.target=e.target.parentNode),e.metaKey=!!e.metaKey,s.filter?s.filter(e,o):e},props:"altKey bubbles cancelable ctrlKey currentTarget eventPhase metaKey relatedTarget shiftKey target timeStamp view which".split(" "),fixHooks:{},keyHooks:{props:"char charCode key keyCode".split(" "),filter:function(e,t){return null==e.which&&(e.which=null!=t.charCode?t.charCode:t.keyCode),e}},mouseHooks:{props:"button buttons clientX clientY fromElement offsetX offsetY pageX pageY screenX screenY toElement".split(" "),filter:function(e,n){var r,i,o,s=n.button,l=n.fromElement;return null==e.pageX&&null!=n.clientX&&(i=e.target.ownerDocument||a,o=i.documentElement,r=i.body,e.pageX=n.clientX+(o&&o.scrollLeft||r&&r.scrollLeft||0)-(o&&o.clientLeft||r&&r.clientLeft||0),e.pageY=n.clientY+(o&&o.scrollTop||r&&r.scrollTop||0)-(o&&o.clientTop||r&&r.clientTop||0)),!e.relatedTarget&&l&&(e.relatedTarget=l===e.target?n.toElement:l),e.which||s===t||(e.which=1&s?1:2&s?3:4&s?2:0),e}},special:{load:{noBubble:!0},focus:{trigger:function(){if(this!==at()&&this.focus)try{return this.focus(),!1}catch(e){}},delegateType:"focusin"},blur:{trigger:function(){return this===at()&&this.blur?(this.blur(),!1):t},delegateType:"focusout"},click:{trigger:function(){return x.nodeName(this,"input")&&"checkbox"===this.type&&this.click?(this.click(),!1):t},_default:function(e){return x.nodeName(e.target,"a")}},beforeunload:{postDispatch:function(e){e.result!==t&&(e.originalEvent.returnValue=e.result)}}},simulate:function(e,t,n,r){var i=x.extend(new x.Event,n,{type:e,isSimulated:!0,originalEvent:{}});r?x.event.trigger(i,null,t):x.event.dispatch.call(t,i),i.isDefaultPrevented()&&n.preventDefault()}},x.removeEvent=a.removeEventListener?function(e,t,n){e.removeEventListener&&e.removeEventListener(t,n,!1)}:function(e,t,n){var r="on"+t;e.detachEvent&&(typeof e[r]===i&&(e[r]=null),e.detachEvent(r,n))},x.Event=function(e,n){return this instanceof x.Event?(e&&e.type?(this.originalEvent=e,this.type=e.type,this.isDefaultPrevented=e.defaultPrevented||e.returnValue===!1||e.getPreventDefault&&e.getPreventDefault()?it:ot):this.type=e,n&&x.extend(this,n),this.timeStamp=e&&e.timeStamp||x.now(),this[x.expando]=!0,t):new x.Event(e,n)},x.Event.prototype={isDefaultPrevented:ot,isPropagationStopped:ot,isImmediatePropagationStopped:ot,preventDefault:function(){var e=this.originalEvent;this.isDefaultPrevented=it,e&&(e.preventDefault?e.preventDefault():e.returnValue=!1)},stopPropagation:function(){var e=this.originalEvent;this.isPropagationStopped=it,e&&(e.stopPropagation&&e.stopPropagation(),e.cancelBubble=!0)},stopImmediatePropagation:function(){this.isImmediatePropagationStopped=it,this.stopPropagation()}},x.each({mouseenter:"mouseover",mouseleave:"mouseout"},function(e,t){x.event.special[e]={delegateType:t,bindType:t,handle:function(e){var n,r=this,i=e.relatedTarget,o=e.handleObj;return(!i||i!==r&&!x.contains(r,i))&&(e.type=o.origType,n=o.handler.apply(this,arguments),e.type=t),n}}}),x.support.submitBubbles||(x.event.special.submit={setup:function(){return x.nodeName(this,"form")?!1:(x.event.add(this,"click._submit keypress._submit",function(e){var n=e.target,r=x.nodeName(n,"input")||x.nodeName(n,"button")?n.form:t;r&&!x._data(r,"submitBubbles")&&(x.event.add(r,"submit._submit",function(e){e._submit_bubble=!0}),x._data(r,"submitBubbles",!0))}),t)},postDispatch:function(e){e._submit_bubble&&(delete e._submit_bubble,this.parentNode&&!e.isTrigger&&x.event.simulate("submit",this.parentNode,e,!0))},teardown:function(){return x.nodeName(this,"form")?!1:(x.event.remove(this,"._submit"),t)}}),x.support.changeBubbles||(x.event.special.change={setup:function(){return Z.test(this.nodeName)?(("checkbox"===this.type||"radio"===this.type)&&(x.event.add(this,"propertychange._change",function(e){"checked"===e.originalEvent.propertyName&&(this._just_changed=!0)}),x.event.add(this,"click._change",function(e){this._just_changed&&!e.isTrigger&&(this._just_changed=!1),x.event.simulate("change",this,e,!0)})),!1):(x.event.add(this,"beforeactivate._change",function(e){var t=e.target;Z.test(t.nodeName)&&!x._data(t,"changeBubbles")&&(x.event.add(t,"change._change",function(e){!this.parentNode||e.isSimulated||e.isTrigger||x.event.simulate("change",this.parentNode,e,!0)}),x._data(t,"changeBubbles",!0))}),t)},handle:function(e){var n=e.target;return this!==n||e.isSimulated||e.isTrigger||"radio"!==n.type&&"checkbox"!==n.type?e.handleObj.handler.apply(this,arguments):t},teardown:function(){return x.event.remove(this,"._change"),!Z.test(this.nodeName)}}),x.support.focusinBubbles||x.each({focus:"focusin",blur:"focusout"},function(e,t){var n=0,r=function(e){x.event.simulate(t,e.target,x.event.fix(e),!0)};x.event.special[t]={setup:function(){0===n++&&a.addEventListener(e,r,!0)},teardown:function(){0===--n&&a.removeEventListener(e,r,!0)}}}),x.fn.extend({on:function(e,n,r,i,o){var a,s;if("object"==typeof e){"string"!=typeof n&&(r=r||n,n=t);for(a in e)this.on(a,n,r,e[a],o);return this}if(null==r&&null==i?(i=n,r=n=t):null==i&&("string"==typeof n?(i=r,r=t):(i=r,r=n,n=t)),i===!1)i=ot;else if(!i)return this;return 1===o&&(s=i,i=function(e){return x().off(e),s.apply(this,arguments)},i.guid=s.guid||(s.guid=x.guid++)),this.each(function(){x.event.add(this,e,i,r,n)})},one:function(e,t,n,r){return this.on(e,t,n,r,1)},off:function(e,n,r){var i,o;if(e&&e.preventDefault&&e.handleObj)return i=e.handleObj,x(e.delegateTarget).off(i.namespace?i.origType+"."+i.namespace:i.origType,i.selector,i.handler),this;if("object"==typeof e){for(o in e)this.off(o,n,e[o]);return this}return(n===!1||"function"==typeof n)&&(r=n,n=t),r===!1&&(r=ot),this.each(function(){x.event.remove(this,e,r,n)})},trigger:function(e,t){return this.each(function(){x.event.trigger(e,t,this)})},triggerHandler:function(e,n){var r=this[0];return r?x.event.trigger(e,n,r,!0):t}});var st=/^.[^:#\[\.,]*$/,lt=/^(?:parents|prev(?:Until|All))/,ut=x.expr.match.needsContext,ct={children:!0,contents:!0,next:!0,prev:!0};x.fn.extend({find:function(e){var t,n=[],r=this,i=r.length;if("string"!=typeof e)return this.pushStack(x(e).filter(function(){for(t=0;i>t;t++)if(x.contains(r[t],this))return!0}));for(t=0;i>t;t++)x.find(e,r[t],n);return n=this.pushStack(i>1?x.unique(n):n),n.selector=this.selector?this.selector+" "+e:e,n},has:function(e){var t,n=x(e,this),r=n.length;return this.filter(function(){for(t=0;r>t;t++)if(x.contains(this,n[t]))return!0})},not:function(e){return this.pushStack(ft(this,e||[],!0))},filter:function(e){return this.pushStack(ft(this,e||[],!1))},is:function(e){return!!ft(this,"string"==typeof e&&ut.test(e)?x(e):e||[],!1).length},closest:function(e,t){var n,r=0,i=this.length,o=[],a=ut.test(e)||"string"!=typeof e?x(e,t||this.context):0;for(;i>r;r++)for(n=this[r];n&&n!==t;n=n.parentNode)if(11>n.nodeType&&(a?a.index(n)>-1:1===n.nodeType&&x.find.matchesSelector(n,e))){n=o.push(n);break}return this.pushStack(o.length>1?x.unique(o):o)},index:function(e){return e?"string"==typeof e?x.inArray(this[0],x(e)):x.inArray(e.jquery?e[0]:e,this):this[0]&&this[0].parentNode?this.first().prevAll().length:-1},add:function(e,t){var n="string"==typeof e?x(e,t):x.makeArray(e&&e.nodeType?[e]:e),r=x.merge(this.get(),n);return this.pushStack(x.unique(r))},addBack:function(e){return this.add(null==e?this.prevObject:this.prevObject.filter(e))}});function pt(e,t){do e=e[t];while(e&&1!==e.nodeType);return e}x.each({parent:function(e){var t=e.parentNode;return t&&11!==t.nodeType?t:null},parents:function(e){return x.dir(e,"parentNode")},parentsUntil:function(e,t,n){return x.dir(e,"parentNode",n)},next:function(e){return pt(e,"nextSibling")},prev:function(e){return pt(e,"previousSibling")},nextAll:function(e){return x.dir(e,"nextSibling")},prevAll:function(e){return x.dir(e,"previousSibling")},nextUntil:function(e,t,n){return x.dir(e,"nextSibling",n)},prevUntil:function(e,t,n){return x.dir(e,"previousSibling",n)},siblings:function(e){return x.sibling((e.parentNode||{}).firstChild,e)},children:function(e){return x.sibling(e.firstChild)},contents:function(e){return x.nodeName(e,"iframe")?e.contentDocument||e.contentWindow.document:x.merge([],e.childNodes)}},function(e,t){x.fn[e]=function(n,r){var i=x.map(this,t,n);return"Until"!==e.slice(-5)&&(r=n),r&&"string"==typeof r&&(i=x.filter(r,i)),this.length>1&&(ct[e]||(i=x.unique(i)),lt.test(e)&&(i=i.reverse())),this.pushStack(i)}}),x.extend({filter:function(e,t,n){var r=t[0];return n&&(e=":not("+e+")"),1===t.length&&1===r.nodeType?x.find.matchesSelector(r,e)?[r]:[]:x.find.matches(e,x.grep(t,function(e){return 1===e.nodeType}))},dir:function(e,n,r){var i=[],o=e[n];while(o&&9!==o.nodeType&&(r===t||1!==o.nodeType||!x(o).is(r)))1===o.nodeType&&i.push(o),o=o[n];return i},sibling:function(e,t){var n=[];for(;e;e=e.nextSibling)1===e.nodeType&&e!==t&&n.push(e);return n}});function ft(e,t,n){if(x.isFunction(t))return x.grep(e,function(e,r){return!!t.call(e,r,e)!==n});if(t.nodeType)return x.grep(e,function(e){return e===t!==n});if("string"==typeof t){if(st.test(t))return x.filter(t,e,n);t=x.filter(t,e)}return x.grep(e,function(e){return x.inArray(e,t)>=0!==n})}function dt(e){var t=ht.split("|"),n=e.createDocumentFragment();if(n.createElement)while(t.length)n.createElement(t.pop());return n}var ht="abbr|article|aside|audio|bdi|canvas|data|datalist|details|figcaption|figure|footer|header|hgroup|mark|meter|nav|output|progress|section|summary|time|video",gt=/ jQuery\d+="(?:null|\d+)"/g,mt=RegExp("<(?:"+ht+")[\\s/>]","i"),yt=/^\s+/,vt=/<(?!area|br|col|embed|hr|img|input|link|meta|param)(([\w:]+)[^>]*)\/>/gi,bt=/<([\w:]+)/,xt=/<tbody/i,wt=/<|&#?\w+;/,Tt=/<(?:script|style|link)/i,Ct=/^(?:checkbox|radio)$/i,Nt=/checked\s*(?:[^=]|=\s*.checked.)/i,kt=/^$|\/(?:java|ecma)script/i,Et=/^true\/(.*)/,St=/^\s*<!(?:\[CDATA\[|--)|(?:\]\]|--)>\s*$/g,At={option:[1,"<select multiple='multiple'>","</select>"],legend:[1,"<fieldset>","</fieldset>"],area:[1,"<map>","</map>"],param:[1,"<object>","</object>"],thead:[1,"<table>","</table>"],tr:[2,"<table><tbody>","</tbody></table>"],col:[2,"<table><tbody></tbody><colgroup>","</colgroup></table>"],td:[3,"<table><tbody><tr>","</tr></tbody></table>"],_default:x.support.htmlSerialize?[0,"",""]:[1,"X<div>","</div>"]},jt=dt(a),Dt=jt.appendChild(a.createElement("div"));At.optgroup=At.option,At.tbody=At.tfoot=At.colgroup=At.caption=At.thead,At.th=At.td,x.fn.extend({text:function(e){return x.access(this,function(e){return e===t?x.text(this):this.empty().append((this[0]&&this[0].ownerDocument||a).createTextNode(e))},null,e,arguments.length)},append:function(){return this.domManip(arguments,function(e){if(1===this.nodeType||11===this.nodeType||9===this.nodeType){var t=Lt(this,e);t.appendChild(e)}})},prepend:function(){return this.domManip(arguments,function(e){if(1===this.nodeType||11===this.nodeType||9===this.nodeType){var t=Lt(this,e);t.insertBefore(e,t.firstChild)}})},before:function(){return this.domManip(arguments,function(e){this.parentNode&&this.parentNode.insertBefore(e,this)})},after:function(){return this.domManip(arguments,function(e){this.parentNode&&this.parentNode.insertBefore(e,this.nextSibling)})},remove:function(e,t){var n,r=e?x.filter(e,this):this,i=0;for(;null!=(n=r[i]);i++)t||1!==n.nodeType||x.cleanData(Ft(n)),n.parentNode&&(t&&x.contains(n.ownerDocument,n)&&_t(Ft(n,"script")),n.parentNode.removeChild(n));return this},empty:function(){var e,t=0;for(;null!=(e=this[t]);t++){1===e.nodeType&&x.cleanData(Ft(e,!1));while(e.firstChild)e.removeChild(e.firstChild);e.options&&x.nodeName(e,"select")&&(e.options.length=0)}return this},clone:function(e,t){return e=null==e?!1:e,t=null==t?e:t,this.map(function(){return x.clone(this,e,t)})},html:function(e){return x.access(this,function(e){var n=this[0]||{},r=0,i=this.length;if(e===t)return 1===n.nodeType?n.innerHTML.replace(gt,""):t;if(!("string"!=typeof e||Tt.test(e)||!x.support.htmlSerialize&&mt.test(e)||!x.support.leadingWhitespace&&yt.test(e)||At[(bt.exec(e)||["",""])[1].toLowerCase()])){e=e.replace(vt,"<$1></$2>");try{for(;i>r;r++)n=this[r]||{},1===n.nodeType&&(x.cleanData(Ft(n,!1)),n.innerHTML=e);n=0}catch(o){}}n&&this.empty().append(e)},null,e,arguments.length)},replaceWith:function(){var e=x.map(this,function(e){return[e.nextSibling,e.parentNode]}),t=0;return this.domManip(arguments,function(n){var r=e[t++],i=e[t++];i&&(r&&r.parentNode!==i&&(r=this.nextSibling),x(this).remove(),i.insertBefore(n,r))},!0),t?this:this.remove()},detach:function(e){return this.remove(e,!0)},domManip:function(e,t,n){e=d.apply([],e);var r,i,o,a,s,l,u=0,c=this.length,p=this,f=c-1,h=e[0],g=x.isFunction(h);if(g||!(1>=c||"string"!=typeof h||x.support.checkClone)&&Nt.test(h))return this.each(function(r){var i=p.eq(r);g&&(e[0]=h.call(this,r,i.html())),i.domManip(e,t,n)});if(c&&(l=x.buildFragment(e,this[0].ownerDocument,!1,!n&&this),r=l.firstChild,1===l.childNodes.length&&(l=r),r)){for(a=x.map(Ft(l,"script"),Ht),o=a.length;c>u;u++)i=l,u!==f&&(i=x.clone(i,!0,!0),o&&x.merge(a,Ft(i,"script"))),t.call(this[u],i,u);if(o)for(s=a[a.length-1].ownerDocument,x.map(a,qt),u=0;o>u;u++)i=a[u],kt.test(i.type||"")&&!x._data(i,"globalEval")&&x.contains(s,i)&&(i.src?x._evalUrl(i.src):x.globalEval((i.text||i.textContent||i.innerHTML||"").replace(St,"")));l=r=null}return this}});function Lt(e,t){return x.nodeName(e,"table")&&x.nodeName(1===t.nodeType?t:t.firstChild,"tr")?e.getElementsByTagName("tbody")[0]||e.appendChild(e.ownerDocument.createElement("tbody")):e}function Ht(e){return e.type=(null!==x.find.attr(e,"type"))+"/"+e.type,e}function qt(e){var t=Et.exec(e.type);return t?e.type=t[1]:e.removeAttribute("type"),e}function _t(e,t){var n,r=0;for(;null!=(n=e[r]);r++)x._data(n,"globalEval",!t||x._data(t[r],"globalEval"))}function Mt(e,t){if(1===t.nodeType&&x.hasData(e)){var n,r,i,o=x._data(e),a=x._data(t,o),s=o.events;if(s){delete a.handle,a.events={};for(n in s)for(r=0,i=s[n].length;i>r;r++)x.event.add(t,n,s[n][r])}a.data&&(a.data=x.extend({},a.data))}}function Ot(e,t){var n,r,i;if(1===t.nodeType){if(n=t.nodeName.toLowerCase(),!x.support.noCloneEvent&&t[x.expando]){i=x._data(t);for(r in i.events)x.removeEvent(t,r,i.handle);t.removeAttribute(x.expando)}"script"===n&&t.text!==e.text?(Ht(t).text=e.text,qt(t)):"object"===n?(t.parentNode&&(t.outerHTML=e.outerHTML),x.support.html5Clone&&e.innerHTML&&!x.trim(t.innerHTML)&&(t.innerHTML=e.innerHTML)):"input"===n&&Ct.test(e.type)?(t.defaultChecked=t.checked=e.checked,t.value!==e.value&&(t.value=e.value)):"option"===n?t.defaultSelected=t.selected=e.defaultSelected:("input"===n||"textarea"===n)&&(t.defaultValue=e.defaultValue)}}x.each({appendTo:"append",prependTo:"prepend",insertBefore:"before",insertAfter:"after",replaceAll:"replaceWith"},function(e,t){x.fn[e]=function(e){var n,r=0,i=[],o=x(e),a=o.length-1;for(;a>=r;r++)n=r===a?this:this.clone(!0),x(o[r])[t](n),h.apply(i,n.get());return this.pushStack(i)}});function Ft(e,n){var r,o,a=0,s=typeof e.getElementsByTagName!==i?e.getElementsByTagName(n||"*"):typeof e.querySelectorAll!==i?e.querySelectorAll(n||"*"):t;if(!s)for(s=[],r=e.childNodes||e;null!=(o=r[a]);a++)!n||x.nodeName(o,n)?s.push(o):x.merge(s,Ft(o,n));return n===t||n&&x.nodeName(e,n)?x.merge([e],s):s}function Bt(e){Ct.test(e.type)&&(e.defaultChecked=e.checked)}x.extend({clone:function(e,t,n){var r,i,o,a,s,l=x.contains(e.ownerDocument,e);if(x.support.html5Clone||x.isXMLDoc(e)||!mt.test("<"+e.nodeName+">")?o=e.cloneNode(!0):(Dt.innerHTML=e.outerHTML,Dt.removeChild(o=Dt.firstChild)),!(x.support.noCloneEvent&&x.support.noCloneChecked||1!==e.nodeType&&11!==e.nodeType||x.isXMLDoc(e)))for(r=Ft(o),s=Ft(e),a=0;null!=(i=s[a]);++a)r[a]&&Ot(i,r[a]);if(t)if(n)for(s=s||Ft(e),r=r||Ft(o),a=0;null!=(i=s[a]);a++)Mt(i,r[a]);else Mt(e,o);return r=Ft(o,"script"),r.length>0&&_t(r,!l&&Ft(e,"script")),r=s=i=null,o},buildFragment:function(e,t,n,r){var i,o,a,s,l,u,c,p=e.length,f=dt(t),d=[],h=0;for(;p>h;h++)if(o=e[h],o||0===o)if("object"===x.type(o))x.merge(d,o.nodeType?[o]:o);else if(wt.test(o)){s=s||f.appendChild(t.createElement("div")),l=(bt.exec(o)||["",""])[1].toLowerCase(),c=At[l]||At._default,s.innerHTML=c[1]+o.replace(vt,"<$1></$2>")+c[2],i=c[0];while(i--)s=s.lastChild;if(!x.support.leadingWhitespace&&yt.test(o)&&d.push(t.createTextNode(yt.exec(o)[0])),!x.support.tbody){o="table"!==l||xt.test(o)?"<table>"!==c[1]||xt.test(o)?0:s:s.firstChild,i=o&&o.childNodes.length;while(i--)x.nodeName(u=o.childNodes[i],"tbody")&&!u.childNodes.length&&o.removeChild(u)}x.merge(d,s.childNodes),s.textContent="";while(s.firstChild)s.removeChild(s.firstChild);s=f.lastChild}else d.push(t.createTextNode(o));s&&f.removeChild(s),x.support.appendChecked||x.grep(Ft(d,"input"),Bt),h=0;while(o=d[h++])if((!r||-1===x.inArray(o,r))&&(a=x.contains(o.ownerDocument,o),s=Ft(f.appendChild(o),"script"),a&&_t(s),n)){i=0;while(o=s[i++])kt.test(o.type||"")&&n.push(o)}return s=null,f},cleanData:function(e,t){var n,r,o,a,s=0,l=x.expando,u=x.cache,c=x.support.deleteExpando,f=x.event.special;for(;null!=(n=e[s]);s++)if((t||x.acceptData(n))&&(o=n[l],a=o&&u[o])){if(a.events)for(r in a.events)f[r]?x.event.remove(n,r):x.removeEvent(n,r,a.handle); u[o]&&(delete u[o],c?delete n[l]:typeof n.removeAttribute!==i?n.removeAttribute(l):n[l]=null,p.push(o))}},_evalUrl:function(e){return x.ajax({url:e,type:"GET",dataType:"script",async:!1,global:!1,"throws":!0})}}),x.fn.extend({wrapAll:function(e){if(x.isFunction(e))return this.each(function(t){x(this).wrapAll(e.call(this,t))});if(this[0]){var t=x(e,this[0].ownerDocument).eq(0).clone(!0);this[0].parentNode&&t.insertBefore(this[0]),t.map(function(){var e=this;while(e.firstChild&&1===e.firstChild.nodeType)e=e.firstChild;return e}).append(this)}return this},wrapInner:function(e){return x.isFunction(e)?this.each(function(t){x(this).wrapInner(e.call(this,t))}):this.each(function(){var t=x(this),n=t.contents();n.length?n.wrapAll(e):t.append(e)})},wrap:function(e){var t=x.isFunction(e);return this.each(function(n){x(this).wrapAll(t?e.call(this,n):e)})},unwrap:function(){return this.parent().each(function(){x.nodeName(this,"body")||x(this).replaceWith(this.childNodes)}).end()}});var Pt,Rt,Wt,$t=/alpha\([^)]*\)/i,It=/opacity\s*=\s*([^)]*)/,zt=/^(top|right|bottom|left)$/,Xt=/^(none|table(?!-c[ea]).+)/,Ut=/^margin/,Vt=RegExp("^("+w+")(.*)$","i"),Yt=RegExp("^("+w+")(?!px)[a-z%]+$","i"),Jt=RegExp("^([+-])=("+w+")","i"),Gt={BODY:"block"},Qt={position:"absolute",visibility:"hidden",display:"block"},Kt={letterSpacing:0,fontWeight:400},Zt=["Top","Right","Bottom","Left"],en=["Webkit","O","Moz","ms"];function tn(e,t){if(t in e)return t;var n=t.charAt(0).toUpperCase()+t.slice(1),r=t,i=en.length;while(i--)if(t=en[i]+n,t in e)return t;return r}function nn(e,t){return e=t||e,"none"===x.css(e,"display")||!x.contains(e.ownerDocument,e)}function rn(e,t){var n,r,i,o=[],a=0,s=e.length;for(;s>a;a++)r=e[a],r.style&&(o[a]=x._data(r,"olddisplay"),n=r.style.display,t?(o[a]||"none"!==n||(r.style.display=""),""===r.style.display&&nn(r)&&(o[a]=x._data(r,"olddisplay",ln(r.nodeName)))):o[a]||(i=nn(r),(n&&"none"!==n||!i)&&x._data(r,"olddisplay",i?n:x.css(r,"display"))));for(a=0;s>a;a++)r=e[a],r.style&&(t&&"none"!==r.style.display&&""!==r.style.display||(r.style.display=t?o[a]||"":"none"));return e}x.fn.extend({css:function(e,n){return x.access(this,function(e,n,r){var i,o,a={},s=0;if(x.isArray(n)){for(o=Rt(e),i=n.length;i>s;s++)a[n[s]]=x.css(e,n[s],!1,o);return a}return r!==t?x.style(e,n,r):x.css(e,n)},e,n,arguments.length>1)},show:function(){return rn(this,!0)},hide:function(){return rn(this)},toggle:function(e){var t="boolean"==typeof e;return this.each(function(){(t?e:nn(this))?x(this).show():x(this).hide()})}}),x.extend({cssHooks:{opacity:{get:function(e,t){if(t){var n=Wt(e,"opacity");return""===n?"1":n}}}},cssNumber:{columnCount:!0,fillOpacity:!0,fontWeight:!0,lineHeight:!0,opacity:!0,orphans:!0,widows:!0,zIndex:!0,zoom:!0},cssProps:{"float":x.support.cssFloat?"cssFloat":"styleFloat"},style:function(e,n,r,i){if(e&&3!==e.nodeType&&8!==e.nodeType&&e.style){var o,a,s,l=x.camelCase(n),u=e.style;if(n=x.cssProps[l]||(x.cssProps[l]=tn(u,l)),s=x.cssHooks[n]||x.cssHooks[l],r===t)return s&&"get"in s&&(o=s.get(e,!1,i))!==t?o:u[n];if(a=typeof r,"string"===a&&(o=Jt.exec(r))&&(r=(o[1]+1)*o[2]+parseFloat(x.css(e,n)),a="number"),!(null==r||"number"===a&&isNaN(r)||("number"!==a||x.cssNumber[l]||(r+="px"),x.support.clearCloneStyle||""!==r||0!==n.indexOf("background")||(u[n]="inherit"),s&&"set"in s&&(r=s.set(e,r,i))===t)))try{u[n]=r}catch(c){}}},css:function(e,n,r,i){var o,a,s,l=x.camelCase(n);return n=x.cssProps[l]||(x.cssProps[l]=tn(e.style,l)),s=x.cssHooks[n]||x.cssHooks[l],s&&"get"in s&&(a=s.get(e,!0,r)),a===t&&(a=Wt(e,n,i)),"normal"===a&&n in Kt&&(a=Kt[n]),""===r||r?(o=parseFloat(a),r===!0||x.isNumeric(o)?o||0:a):a}}),e.getComputedStyle?(Rt=function(t){return e.getComputedStyle(t,null)},Wt=function(e,n,r){var i,o,a,s=r||Rt(e),l=s?s.getPropertyValue(n)||s[n]:t,u=e.style;return s&&(""!==l||x.contains(e.ownerDocument,e)||(l=x.style(e,n)),Yt.test(l)&&Ut.test(n)&&(i=u.width,o=u.minWidth,a=u.maxWidth,u.minWidth=u.maxWidth=u.width=l,l=s.width,u.width=i,u.minWidth=o,u.maxWidth=a)),l}):a.documentElement.currentStyle&&(Rt=function(e){return e.currentStyle},Wt=function(e,n,r){var i,o,a,s=r||Rt(e),l=s?s[n]:t,u=e.style;return null==l&&u&&u[n]&&(l=u[n]),Yt.test(l)&&!zt.test(n)&&(i=u.left,o=e.runtimeStyle,a=o&&o.left,a&&(o.left=e.currentStyle.left),u.left="fontSize"===n?"1em":l,l=u.pixelLeft+"px",u.left=i,a&&(o.left=a)),""===l?"auto":l});function on(e,t,n){var r=Vt.exec(t);return r?Math.max(0,r[1]-(n||0))+(r[2]||"px"):t}function an(e,t,n,r,i){var o=n===(r?"border":"content")?4:"width"===t?1:0,a=0;for(;4>o;o+=2)"margin"===n&&(a+=x.css(e,n+Zt[o],!0,i)),r?("content"===n&&(a-=x.css(e,"padding"+Zt[o],!0,i)),"margin"!==n&&(a-=x.css(e,"border"+Zt[o]+"Width",!0,i))):(a+=x.css(e,"padding"+Zt[o],!0,i),"padding"!==n&&(a+=x.css(e,"border"+Zt[o]+"Width",!0,i)));return a}function sn(e,t,n){var r=!0,i="width"===t?e.offsetWidth:e.offsetHeight,o=Rt(e),a=x.support.boxSizing&&"border-box"===x.css(e,"boxSizing",!1,o);if(0>=i||null==i){if(i=Wt(e,t,o),(0>i||null==i)&&(i=e.style[t]),Yt.test(i))return i;r=a&&(x.support.boxSizingReliable||i===e.style[t]),i=parseFloat(i)||0}return i+an(e,t,n||(a?"border":"content"),r,o)+"px"}function ln(e){var t=a,n=Gt[e];return n||(n=un(e,t),"none"!==n&&n||(Pt=(Pt||x("<iframe frameborder='0' width='0' height='0'/>").css("cssText","display:block !important")).appendTo(t.documentElement),t=(Pt[0].contentWindow||Pt[0].contentDocument).document,t.write("<!doctype html><html><body>"),t.close(),n=un(e,t),Pt.detach()),Gt[e]=n),n}function un(e,t){var n=x(t.createElement(e)).appendTo(t.body),r=x.css(n[0],"display");return n.remove(),r}x.each(["height","width"],function(e,n){x.cssHooks[n]={get:function(e,r,i){return r?0===e.offsetWidth&&Xt.test(x.css(e,"display"))?x.swap(e,Qt,function(){return sn(e,n,i)}):sn(e,n,i):t},set:function(e,t,r){var i=r&&Rt(e);return on(e,t,r?an(e,n,r,x.support.boxSizing&&"border-box"===x.css(e,"boxSizing",!1,i),i):0)}}}),x.support.opacity||(x.cssHooks.opacity={get:function(e,t){return It.test((t&&e.currentStyle?e.currentStyle.filter:e.style.filter)||"")?.01*parseFloat(RegExp.$1)+"":t?"1":""},set:function(e,t){var n=e.style,r=e.currentStyle,i=x.isNumeric(t)?"alpha(opacity="+100*t+")":"",o=r&&r.filter||n.filter||"";n.zoom=1,(t>=1||""===t)&&""===x.trim(o.replace($t,""))&&n.removeAttribute&&(n.removeAttribute("filter"),""===t||r&&!r.filter)||(n.filter=$t.test(o)?o.replace($t,i):o+" "+i)}}),x(function(){x.support.reliableMarginRight||(x.cssHooks.marginRight={get:function(e,n){return n?x.swap(e,{display:"inline-block"},Wt,[e,"marginRight"]):t}}),!x.support.pixelPosition&&x.fn.position&&x.each(["top","left"],function(e,n){x.cssHooks[n]={get:function(e,r){return r?(r=Wt(e,n),Yt.test(r)?x(e).position()[n]+"px":r):t}}})}),x.expr&&x.expr.filters&&(x.expr.filters.hidden=function(e){return 0>=e.offsetWidth&&0>=e.offsetHeight||!x.support.reliableHiddenOffsets&&"none"===(e.style&&e.style.display||x.css(e,"display"))},x.expr.filters.visible=function(e){return!x.expr.filters.hidden(e)}),x.each({margin:"",padding:"",border:"Width"},function(e,t){x.cssHooks[e+t]={expand:function(n){var r=0,i={},o="string"==typeof n?n.split(" "):[n];for(;4>r;r++)i[e+Zt[r]+t]=o[r]||o[r-2]||o[0];return i}},Ut.test(e)||(x.cssHooks[e+t].set=on)});var cn=/%20/g,pn=/\[\]$/,fn=/\r?\n/g,dn=/^(?:submit|button|image|reset|file)$/i,hn=/^(?:input|select|textarea|keygen)/i;x.fn.extend({serialize:function(){return x.param(this.serializeArray())},serializeArray:function(){return this.map(function(){var e=x.prop(this,"elements");return e?x.makeArray(e):this}).filter(function(){var e=this.type;return this.name&&!x(this).is(":disabled")&&hn.test(this.nodeName)&&!dn.test(e)&&(this.checked||!Ct.test(e))}).map(function(e,t){var n=x(this).val();return null==n?null:x.isArray(n)?x.map(n,function(e){return{name:t.name,value:e.replace(fn,"\r\n")}}):{name:t.name,value:n.replace(fn,"\r\n")}}).get()}}),x.param=function(e,n){var r,i=[],o=function(e,t){t=x.isFunction(t)?t():null==t?"":t,i[i.length]=encodeURIComponent(e)+"="+encodeURIComponent(t)};if(n===t&&(n=x.ajaxSettings&&x.ajaxSettings.traditional),x.isArray(e)||e.jquery&&!x.isPlainObject(e))x.each(e,function(){o(this.name,this.value)});else for(r in e)gn(r,e[r],n,o);return i.join("&").replace(cn,"+")};function gn(e,t,n,r){var i;if(x.isArray(t))x.each(t,function(t,i){n||pn.test(e)?r(e,i):gn(e+"["+("object"==typeof i?t:"")+"]",i,n,r)});else if(n||"object"!==x.type(t))r(e,t);else for(i in t)gn(e+"["+i+"]",t[i],n,r)}x.each("blur focus focusin focusout load resize scroll unload click dblclick mousedown mouseup mousemove mouseover mouseout mouseenter mouseleave change select submit keydown keypress keyup error contextmenu".split(" "),function(e,t){x.fn[t]=function(e,n){return arguments.length>0?this.on(t,null,e,n):this.trigger(t)}}),x.fn.extend({hover:function(e,t){return this.mouseenter(e).mouseleave(t||e)},bind:function(e,t,n){return this.on(e,null,t,n)},unbind:function(e,t){return this.off(e,null,t)},delegate:function(e,t,n,r){return this.on(t,e,n,r)},undelegate:function(e,t,n){return 1===arguments.length?this.off(e,"**"):this.off(t,e||"**",n)}});var mn,yn,vn=x.now(),bn=/\?/,xn=/#.*$/,wn=/([?&])_=[^&]*/,Tn=/^(.*?):[ \t]*([^\r\n]*)\r?$/gm,Cn=/^(?:about|app|app-storage|.+-extension|file|res|widget):$/,Nn=/^(?:GET|HEAD)$/,kn=/^\/\//,En=/^([\w.+-]+:)(?:\/\/([^\/?#:]*)(?::(\d+)|)|)/,Sn=x.fn.load,An={},jn={},Dn="*/".concat("*");try{yn=o.href}catch(Ln){yn=a.createElement("a"),yn.href="",yn=yn.href}mn=En.exec(yn.toLowerCase())||[];function Hn(e){return function(t,n){"string"!=typeof t&&(n=t,t="*");var r,i=0,o=t.toLowerCase().match(T)||[];if(x.isFunction(n))while(r=o[i++])"+"===r[0]?(r=r.slice(1)||"*",(e[r]=e[r]||[]).unshift(n)):(e[r]=e[r]||[]).push(n)}}function qn(e,n,r,i){var o={},a=e===jn;function s(l){var u;return o[l]=!0,x.each(e[l]||[],function(e,l){var c=l(n,r,i);return"string"!=typeof c||a||o[c]?a?!(u=c):t:(n.dataTypes.unshift(c),s(c),!1)}),u}return s(n.dataTypes[0])||!o["*"]&&s("*")}function _n(e,n){var r,i,o=x.ajaxSettings.flatOptions||{};for(i in n)n[i]!==t&&((o[i]?e:r||(r={}))[i]=n[i]);return r&&x.extend(!0,e,r),e}x.fn.load=function(e,n,r){if("string"!=typeof e&&Sn)return Sn.apply(this,arguments);var i,o,a,s=this,l=e.indexOf(" ");return l>=0&&(i=e.slice(l,e.length),e=e.slice(0,l)),x.isFunction(n)?(r=n,n=t):n&&"object"==typeof n&&(a="POST"),s.length>0&&x.ajax({url:e,type:a,dataType:"html",data:n}).done(function(e){o=arguments,s.html(i?x("<div>").append(x.parseHTML(e)).find(i):e)}).complete(r&&function(e,t){s.each(r,o||[e.responseText,t,e])}),this},x.each(["ajaxStart","ajaxStop","ajaxComplete","ajaxError","ajaxSuccess","ajaxSend"],function(e,t){x.fn[t]=function(e){return this.on(t,e)}}),x.extend({active:0,lastModified:{},etag:{},ajaxSettings:{url:yn,type:"GET",isLocal:Cn.test(mn[1]),global:!0,processData:!0,async:!0,contentType:"application/x-www-form-urlencoded; charset=UTF-8",accepts:{"*":Dn,text:"text/plain",html:"text/html",xml:"application/xml, text/xml",json:"application/json, text/javascript"},contents:{xml:/xml/,html:/html/,json:/json/},responseFields:{xml:"responseXML",text:"responseText",json:"responseJSON"},converters:{"* text":String,"text html":!0,"text json":x.parseJSON,"text xml":x.parseXML},flatOptions:{url:!0,context:!0}},ajaxSetup:function(e,t){return t?_n(_n(e,x.ajaxSettings),t):_n(x.ajaxSettings,e)},ajaxPrefilter:Hn(An),ajaxTransport:Hn(jn),ajax:function(e,n){"object"==typeof e&&(n=e,e=t),n=n||{};var r,i,o,a,s,l,u,c,p=x.ajaxSetup({},n),f=p.context||p,d=p.context&&(f.nodeType||f.jquery)?x(f):x.event,h=x.Deferred(),g=x.Callbacks("once memory"),m=p.statusCode||{},y={},v={},b=0,w="canceled",C={readyState:0,getResponseHeader:function(e){var t;if(2===b){if(!c){c={};while(t=Tn.exec(a))c[t[1].toLowerCase()]=t[2]}t=c[e.toLowerCase()]}return null==t?null:t},getAllResponseHeaders:function(){return 2===b?a:null},setRequestHeader:function(e,t){var n=e.toLowerCase();return b||(e=v[n]=v[n]||e,y[e]=t),this},overrideMimeType:function(e){return b||(p.mimeType=e),this},statusCode:function(e){var t;if(e)if(2>b)for(t in e)m[t]=[m[t],e[t]];else C.always(e[C.status]);return this},abort:function(e){var t=e||w;return u&&u.abort(t),k(0,t),this}};if(h.promise(C).complete=g.add,C.success=C.done,C.error=C.fail,p.url=((e||p.url||yn)+"").replace(xn,"").replace(kn,mn[1]+"//"),p.type=n.method||n.type||p.method||p.type,p.dataTypes=x.trim(p.dataType||"*").toLowerCase().match(T)||[""],null==p.crossDomain&&(r=En.exec(p.url.toLowerCase()),p.crossDomain=!(!r||r[1]===mn[1]&&r[2]===mn[2]&&(r[3]||("http:"===r[1]?"80":"443"))===(mn[3]||("http:"===mn[1]?"80":"443")))),p.data&&p.processData&&"string"!=typeof p.data&&(p.data=x.param(p.data,p.traditional)),qn(An,p,n,C),2===b)return C;l=p.global,l&&0===x.active++&&x.event.trigger("ajaxStart"),p.type=p.type.toUpperCase(),p.hasContent=!Nn.test(p.type),o=p.url,p.hasContent||(p.data&&(o=p.url+=(bn.test(o)?"&":"?")+p.data,delete p.data),p.cache===!1&&(p.url=wn.test(o)?o.replace(wn,"$1_="+vn++):o+(bn.test(o)?"&":"?")+"_="+vn++)),p.ifModified&&(x.lastModified[o]&&C.setRequestHeader("If-Modified-Since",x.lastModified[o]),x.etag[o]&&C.setRequestHeader("If-None-Match",x.etag[o])),(p.data&&p.hasContent&&p.contentType!==!1||n.contentType)&&C.setRequestHeader("Content-Type",p.contentType),C.setRequestHeader("Accept",p.dataTypes[0]&&p.accepts[p.dataTypes[0]]?p.accepts[p.dataTypes[0]]+("*"!==p.dataTypes[0]?", "+Dn+"; q=0.01":""):p.accepts["*"]);for(i in p.headers)C.setRequestHeader(i,p.headers[i]);if(p.beforeSend&&(p.beforeSend.call(f,C,p)===!1||2===b))return C.abort();w="abort";for(i in{success:1,error:1,complete:1})C[i](p[i]);if(u=qn(jn,p,n,C)){C.readyState=1,l&&d.trigger("ajaxSend",[C,p]),p.async&&p.timeout>0&&(s=setTimeout(function(){C.abort("timeout")},p.timeout));try{b=1,u.send(y,k)}catch(N){if(!(2>b))throw N;k(-1,N)}}else k(-1,"No Transport");function k(e,n,r,i){var c,y,v,w,T,N=n;2!==b&&(b=2,s&&clearTimeout(s),u=t,a=i||"",C.readyState=e>0?4:0,c=e>=200&&300>e||304===e,r&&(w=Mn(p,C,r)),w=On(p,w,C,c),c?(p.ifModified&&(T=C.getResponseHeader("Last-Modified"),T&&(x.lastModified[o]=T),T=C.getResponseHeader("etag"),T&&(x.etag[o]=T)),204===e||"HEAD"===p.type?N="nocontent":304===e?N="notmodified":(N=w.state,y=w.data,v=w.error,c=!v)):(v=N,(e||!N)&&(N="error",0>e&&(e=0))),C.status=e,C.statusText=(n||N)+"",c?h.resolveWith(f,[y,N,C]):h.rejectWith(f,[C,N,v]),C.statusCode(m),m=t,l&&d.trigger(c?"ajaxSuccess":"ajaxError",[C,p,c?y:v]),g.fireWith(f,[C,N]),l&&(d.trigger("ajaxComplete",[C,p]),--x.active||x.event.trigger("ajaxStop")))}return C},getJSON:function(e,t,n){return x.get(e,t,n,"json")},getScript:function(e,n){return x.get(e,t,n,"script")}}),x.each(["get","post"],function(e,n){x[n]=function(e,r,i,o){return x.isFunction(r)&&(o=o||i,i=r,r=t),x.ajax({url:e,type:n,dataType:o,data:r,success:i})}});function Mn(e,n,r){var i,o,a,s,l=e.contents,u=e.dataTypes;while("*"===u[0])u.shift(),o===t&&(o=e.mimeType||n.getResponseHeader("Content-Type"));if(o)for(s in l)if(l[s]&&l[s].test(o)){u.unshift(s);break}if(u[0]in r)a=u[0];else{for(s in r){if(!u[0]||e.converters[s+" "+u[0]]){a=s;break}i||(i=s)}a=a||i}return a?(a!==u[0]&&u.unshift(a),r[a]):t}function On(e,t,n,r){var i,o,a,s,l,u={},c=e.dataTypes.slice();if(c[1])for(a in e.converters)u[a.toLowerCase()]=e.converters[a];o=c.shift();while(o)if(e.responseFields[o]&&(n[e.responseFields[o]]=t),!l&&r&&e.dataFilter&&(t=e.dataFilter(t,e.dataType)),l=o,o=c.shift())if("*"===o)o=l;else if("*"!==l&&l!==o){if(a=u[l+" "+o]||u["* "+o],!a)for(i in u)if(s=i.split(" "),s[1]===o&&(a=u[l+" "+s[0]]||u["* "+s[0]])){a===!0?a=u[i]:u[i]!==!0&&(o=s[0],c.unshift(s[1]));break}if(a!==!0)if(a&&e["throws"])t=a(t);else try{t=a(t)}catch(p){return{state:"parsererror",error:a?p:"No conversion from "+l+" to "+o}}}return{state:"success",data:t}}x.ajaxSetup({accepts:{script:"text/javascript, application/javascript, application/ecmascript, application/x-ecmascript"},contents:{script:/(?:java|ecma)script/},converters:{"text script":function(e){return x.globalEval(e),e}}}),x.ajaxPrefilter("script",function(e){e.cache===t&&(e.cache=!1),e.crossDomain&&(e.type="GET",e.global=!1)}),x.ajaxTransport("script",function(e){if(e.crossDomain){var n,r=a.head||x("head")[0]||a.documentElement;return{send:function(t,i){n=a.createElement("script"),n.async=!0,e.scriptCharset&&(n.charset=e.scriptCharset),n.src=e.url,n.onload=n.onreadystatechange=function(e,t){(t||!n.readyState||/loaded|complete/.test(n.readyState))&&(n.onload=n.onreadystatechange=null,n.parentNode&&n.parentNode.removeChild(n),n=null,t||i(200,"success"))},r.insertBefore(n,r.firstChild)},abort:function(){n&&n.onload(t,!0)}}}});var Fn=[],Bn=/(=)\?(?=&|$)|\?\?/;x.ajaxSetup({jsonp:"callback",jsonpCallback:function(){var e=Fn.pop()||x.expando+"_"+vn++;return this[e]=!0,e}}),x.ajaxPrefilter("json jsonp",function(n,r,i){var o,a,s,l=n.jsonp!==!1&&(Bn.test(n.url)?"url":"string"==typeof n.data&&!(n.contentType||"").indexOf("application/x-www-form-urlencoded")&&Bn.test(n.data)&&"data");return l||"jsonp"===n.dataTypes[0]?(o=n.jsonpCallback=x.isFunction(n.jsonpCallback)?n.jsonpCallback():n.jsonpCallback,l?n[l]=n[l].replace(Bn,"$1"+o):n.jsonp!==!1&&(n.url+=(bn.test(n.url)?"&":"?")+n.jsonp+"="+o),n.converters["script json"]=function(){return s||x.error(o+" was not called"),s[0]},n.dataTypes[0]="json",a=e[o],e[o]=function(){s=arguments},i.always(function(){e[o]=a,n[o]&&(n.jsonpCallback=r.jsonpCallback,Fn.push(o)),s&&x.isFunction(a)&&a(s[0]),s=a=t}),"script"):t});var Pn,Rn,Wn=0,$n=e.ActiveXObject&&function(){var e;for(e in Pn)Pn[e](t,!0)};function In(){try{return new e.XMLHttpRequest}catch(t){}}function zn(){try{return new e.ActiveXObject("Microsoft.XMLHTTP")}catch(t){}}x.ajaxSettings.xhr=e.ActiveXObject?function(){return!this.isLocal&&In()||zn()}:In,Rn=x.ajaxSettings.xhr(),x.support.cors=!!Rn&&"withCredentials"in Rn,Rn=x.support.ajax=!!Rn,Rn&&x.ajaxTransport(function(n){if(!n.crossDomain||x.support.cors){var r;return{send:function(i,o){var a,s,l=n.xhr();if(n.username?l.open(n.type,n.url,n.async,n.username,n.password):l.open(n.type,n.url,n.async),n.xhrFields)for(s in n.xhrFields)l[s]=n.xhrFields[s];n.mimeType&&l.overrideMimeType&&l.overrideMimeType(n.mimeType),n.crossDomain||i["X-Requested-With"]||(i["X-Requested-With"]="XMLHttpRequest");try{for(s in i)l.setRequestHeader(s,i[s])}catch(u){}l.send(n.hasContent&&n.data||null),r=function(e,i){var s,u,c,p;try{if(r&&(i||4===l.readyState))if(r=t,a&&(l.onreadystatechange=x.noop,$n&&delete Pn[a]),i)4!==l.readyState&&l.abort();else{p={},s=l.status,u=l.getAllResponseHeaders(),"string"==typeof l.responseText&&(p.text=l.responseText);try{c=l.statusText}catch(f){c=""}s||!n.isLocal||n.crossDomain?1223===s&&(s=204):s=p.text?200:404}}catch(d){i||o(-1,d)}p&&o(s,c,p,u)},n.async?4===l.readyState?setTimeout(r):(a=++Wn,$n&&(Pn||(Pn={},x(e).unload($n)),Pn[a]=r),l.onreadystatechange=r):r()},abort:function(){r&&r(t,!0)}}}});var Xn,Un,Vn=/^(?:toggle|show|hide)$/,Yn=RegExp("^(?:([+-])=|)("+w+")([a-z%]*)$","i"),Jn=/queueHooks$/,Gn=[nr],Qn={"*":[function(e,t){var n=this.createTween(e,t),r=n.cur(),i=Yn.exec(t),o=i&&i[3]||(x.cssNumber[e]?"":"px"),a=(x.cssNumber[e]||"px"!==o&&+r)&&Yn.exec(x.css(n.elem,e)),s=1,l=20;if(a&&a[3]!==o){o=o||a[3],i=i||[],a=+r||1;do s=s||".5",a/=s,x.style(n.elem,e,a+o);while(s!==(s=n.cur()/r)&&1!==s&&--l)}return i&&(a=n.start=+a||+r||0,n.unit=o,n.end=i[1]?a+(i[1]+1)*i[2]:+i[2]),n}]};function Kn(){return setTimeout(function(){Xn=t}),Xn=x.now()}function Zn(e,t,n){var r,i=(Qn[t]||[]).concat(Qn["*"]),o=0,a=i.length;for(;a>o;o++)if(r=i[o].call(n,t,e))return r}function er(e,t,n){var r,i,o=0,a=Gn.length,s=x.Deferred().always(function(){delete l.elem}),l=function(){if(i)return!1;var t=Xn||Kn(),n=Math.max(0,u.startTime+u.duration-t),r=n/u.duration||0,o=1-r,a=0,l=u.tweens.length;for(;l>a;a++)u.tweens[a].run(o);return s.notifyWith(e,[u,o,n]),1>o&&l?n:(s.resolveWith(e,[u]),!1)},u=s.promise({elem:e,props:x.extend({},t),opts:x.extend(!0,{specialEasing:{}},n),originalProperties:t,originalOptions:n,startTime:Xn||Kn(),duration:n.duration,tweens:[],createTween:function(t,n){var r=x.Tween(e,u.opts,t,n,u.opts.specialEasing[t]||u.opts.easing);return u.tweens.push(r),r},stop:function(t){var n=0,r=t?u.tweens.length:0;if(i)return this;for(i=!0;r>n;n++)u.tweens[n].run(1);return t?s.resolveWith(e,[u,t]):s.rejectWith(e,[u,t]),this}}),c=u.props;for(tr(c,u.opts.specialEasing);a>o;o++)if(r=Gn[o].call(u,e,c,u.opts))return r;return x.map(c,Zn,u),x.isFunction(u.opts.start)&&u.opts.start.call(e,u),x.fx.timer(x.extend(l,{elem:e,anim:u,queue:u.opts.queue})),u.progress(u.opts.progress).done(u.opts.done,u.opts.complete).fail(u.opts.fail).always(u.opts.always)}function tr(e,t){var n,r,i,o,a;for(n in e)if(r=x.camelCase(n),i=t[r],o=e[n],x.isArray(o)&&(i=o[1],o=e[n]=o[0]),n!==r&&(e[r]=o,delete e[n]),a=x.cssHooks[r],a&&"expand"in a){o=a.expand(o),delete e[r];for(n in o)n in e||(e[n]=o[n],t[n]=i)}else t[r]=i}x.Animation=x.extend(er,{tweener:function(e,t){x.isFunction(e)?(t=e,e=["*"]):e=e.split(" ");var n,r=0,i=e.length;for(;i>r;r++)n=e[r],Qn[n]=Qn[n]||[],Qn[n].unshift(t)},prefilter:function(e,t){t?Gn.unshift(e):Gn.push(e)}});function nr(e,t,n){var r,i,o,a,s,l,u=this,c={},p=e.style,f=e.nodeType&&nn(e),d=x._data(e,"fxshow");n.queue||(s=x._queueHooks(e,"fx"),null==s.unqueued&&(s.unqueued=0,l=s.empty.fire,s.empty.fire=function(){s.unqueued||l()}),s.unqueued++,u.always(function(){u.always(function(){s.unqueued--,x.queue(e,"fx").length||s.empty.fire()})})),1===e.nodeType&&("height"in t||"width"in t)&&(n.overflow=[p.overflow,p.overflowX,p.overflowY],"inline"===x.css(e,"display")&&"none"===x.css(e,"float")&&(x.support.inlineBlockNeedsLayout&&"inline"!==ln(e.nodeName)?p.zoom=1:p.display="inline-block")),n.overflow&&(p.overflow="hidden",x.support.shrinkWrapBlocks||u.always(function(){p.overflow=n.overflow[0],p.overflowX=n.overflow[1],p.overflowY=n.overflow[2]}));for(r in t)if(i=t[r],Vn.exec(i)){if(delete t[r],o=o||"toggle"===i,i===(f?"hide":"show"))continue;c[r]=d&&d[r]||x.style(e,r)}if(!x.isEmptyObject(c)){d?"hidden"in d&&(f=d.hidden):d=x._data(e,"fxshow",{}),o&&(d.hidden=!f),f?x(e).show():u.done(function(){x(e).hide()}),u.done(function(){var t;x._removeData(e,"fxshow");for(t in c)x.style(e,t,c[t])});for(r in c)a=Zn(f?d[r]:0,r,u),r in d||(d[r]=a.start,f&&(a.end=a.start,a.start="width"===r||"height"===r?1:0))}}function rr(e,t,n,r,i){return new rr.prototype.init(e,t,n,r,i)}x.Tween=rr,rr.prototype={constructor:rr,init:function(e,t,n,r,i,o){this.elem=e,this.prop=n,this.easing=i||"swing",this.options=t,this.start=this.now=this.cur(),this.end=r,this.unit=o||(x.cssNumber[n]?"":"px")},cur:function(){var e=rr.propHooks[this.prop];return e&&e.get?e.get(this):rr.propHooks._default.get(this)},run:function(e){var t,n=rr.propHooks[this.prop];return this.pos=t=this.options.duration?x.easing[this.easing](e,this.options.duration*e,0,1,this.options.duration):e,this.now=(this.end-this.start)*t+this.start,this.options.step&&this.options.step.call(this.elem,this.now,this),n&&n.set?n.set(this):rr.propHooks._default.set(this),this}},rr.prototype.init.prototype=rr.prototype,rr.propHooks={_default:{get:function(e){var t;return null==e.elem[e.prop]||e.elem.style&&null!=e.elem.style[e.prop]?(t=x.css(e.elem,e.prop,""),t&&"auto"!==t?t:0):e.elem[e.prop]},set:function(e){x.fx.step[e.prop]?x.fx.step[e.prop](e):e.elem.style&&(null!=e.elem.style[x.cssProps[e.prop]]||x.cssHooks[e.prop])?x.style(e.elem,e.prop,e.now+e.unit):e.elem[e.prop]=e.now}}},rr.propHooks.scrollTop=rr.propHooks.scrollLeft={set:function(e){e.elem.nodeType&&e.elem.parentNode&&(e.elem[e.prop]=e.now)}},x.each(["toggle","show","hide"],function(e,t){var n=x.fn[t];x.fn[t]=function(e,r,i){return null==e||"boolean"==typeof e?n.apply(this,arguments):this.animate(ir(t,!0),e,r,i)}}),x.fn.extend({fadeTo:function(e,t,n,r){return this.filter(nn).css("opacity",0).show().end().animate({opacity:t},e,n,r)},animate:function(e,t,n,r){var i=x.isEmptyObject(e),o=x.speed(t,n,r),a=function(){var t=er(this,x.extend({},e),o);(i||x._data(this,"finish"))&&t.stop(!0)};return a.finish=a,i||o.queue===!1?this.each(a):this.queue(o.queue,a)},stop:function(e,n,r){var i=function(e){var t=e.stop;delete e.stop,t(r)};return"string"!=typeof e&&(r=n,n=e,e=t),n&&e!==!1&&this.queue(e||"fx",[]),this.each(function(){var t=!0,n=null!=e&&e+"queueHooks",o=x.timers,a=x._data(this);if(n)a[n]&&a[n].stop&&i(a[n]);else for(n in a)a[n]&&a[n].stop&&Jn.test(n)&&i(a[n]);for(n=o.length;n--;)o[n].elem!==this||null!=e&&o[n].queue!==e||(o[n].anim.stop(r),t=!1,o.splice(n,1));(t||!r)&&x.dequeue(this,e)})},finish:function(e){return e!==!1&&(e=e||"fx"),this.each(function(){var t,n=x._data(this),r=n[e+"queue"],i=n[e+"queueHooks"],o=x.timers,a=r?r.length:0;for(n.finish=!0,x.queue(this,e,[]),i&&i.stop&&i.stop.call(this,!0),t=o.length;t--;)o[t].elem===this&&o[t].queue===e&&(o[t].anim.stop(!0),o.splice(t,1));for(t=0;a>t;t++)r[t]&&r[t].finish&&r[t].finish.call(this);delete n.finish})}});function ir(e,t){var n,r={height:e},i=0;for(t=t?1:0;4>i;i+=2-t)n=Zt[i],r["margin"+n]=r["padding"+n]=e;return t&&(r.opacity=r.width=e),r}x.each({slideDown:ir("show"),slideUp:ir("hide"),slideToggle:ir("toggle"),fadeIn:{opacity:"show"},fadeOut:{opacity:"hide"},fadeToggle:{opacity:"toggle"}},function(e,t){x.fn[e]=function(e,n,r){return this.animate(t,e,n,r)}}),x.speed=function(e,t,n){var r=e&&"object"==typeof e?x.extend({},e):{complete:n||!n&&t||x.isFunction(e)&&e,duration:e,easing:n&&t||t&&!x.isFunction(t)&&t};return r.duration=x.fx.off?0:"number"==typeof r.duration?r.duration:r.duration in x.fx.speeds?x.fx.speeds[r.duration]:x.fx.speeds._default,(null==r.queue||r.queue===!0)&&(r.queue="fx"),r.old=r.complete,r.complete=function(){x.isFunction(r.old)&&r.old.call(this),r.queue&&x.dequeue(this,r.queue)},r},x.easing={linear:function(e){return e},swing:function(e){return.5-Math.cos(e*Math.PI)/2}},x.timers=[],x.fx=rr.prototype.init,x.fx.tick=function(){var e,n=x.timers,r=0;for(Xn=x.now();n.length>r;r++)e=n[r],e()||n[r]!==e||n.splice(r--,1);n.length||x.fx.stop(),Xn=t},x.fx.timer=function(e){e()&&x.timers.push(e)&&x.fx.start()},x.fx.interval=13,x.fx.start=function(){Un||(Un=setInterval(x.fx.tick,x.fx.interval))},x.fx.stop=function(){clearInterval(Un),Un=null},x.fx.speeds={slow:600,fast:200,_default:400},x.fx.step={},x.expr&&x.expr.filters&&(x.expr.filters.animated=function(e){return x.grep(x.timers,function(t){return e===t.elem}).length}),x.fn.offset=function(e){if(arguments.length)return e===t?this:this.each(function(t){x.offset.setOffset(this,e,t)});var n,r,o={top:0,left:0},a=this[0],s=a&&a.ownerDocument;if(s)return n=s.documentElement,x.contains(n,a)?(typeof a.getBoundingClientRect!==i&&(o=a.getBoundingClientRect()),r=or(s),{top:o.top+(r.pageYOffset||n.scrollTop)-(n.clientTop||0),left:o.left+(r.pageXOffset||n.scrollLeft)-(n.clientLeft||0)}):o},x.offset={setOffset:function(e,t,n){var r=x.css(e,"position");"static"===r&&(e.style.position="relative");var i=x(e),o=i.offset(),a=x.css(e,"top"),s=x.css(e,"left"),l=("absolute"===r||"fixed"===r)&&x.inArray("auto",[a,s])>-1,u={},c={},p,f;l?(c=i.position(),p=c.top,f=c.left):(p=parseFloat(a)||0,f=parseFloat(s)||0),x.isFunction(t)&&(t=t.call(e,n,o)),null!=t.top&&(u.top=t.top-o.top+p),null!=t.left&&(u.left=t.left-o.left+f),"using"in t?t.using.call(e,u):i.css(u)}},x.fn.extend({position:function(){if(this[0]){var e,t,n={top:0,left:0},r=this[0];return"fixed"===x.css(r,"position")?t=r.getBoundingClientRect():(e=this.offsetParent(),t=this.offset(),x.nodeName(e[0],"html")||(n=e.offset()),n.top+=x.css(e[0],"borderTopWidth",!0),n.left+=x.css(e[0],"borderLeftWidth",!0)),{top:t.top-n.top-x.css(r,"marginTop",!0),left:t.left-n.left-x.css(r,"marginLeft",!0)}}},offsetParent:function(){return this.map(function(){var e=this.offsetParent||s;while(e&&!x.nodeName(e,"html")&&"static"===x.css(e,"position"))e=e.offsetParent;return e||s})}}),x.each({scrollLeft:"pageXOffset",scrollTop:"pageYOffset"},function(e,n){var r=/Y/.test(n);x.fn[e]=function(i){return x.access(this,function(e,i,o){var a=or(e);return o===t?a?n in a?a[n]:a.document.documentElement[i]:e[i]:(a?a.scrollTo(r?x(a).scrollLeft():o,r?o:x(a).scrollTop()):e[i]=o,t)},e,i,arguments.length,null)}});function or(e){return x.isWindow(e)?e:9===e.nodeType?e.defaultView||e.parentWindow:!1}x.each({Height:"height",Width:"width"},function(e,n){x.each({padding:"inner"+e,content:n,"":"outer"+e},function(r,i){x.fn[i]=function(i,o){var a=arguments.length&&(r||"boolean"!=typeof i),s=r||(i===!0||o===!0?"margin":"border");return x.access(this,function(n,r,i){var o;return x.isWindow(n)?n.document.documentElement["client"+e]:9===n.nodeType?(o=n.documentElement,Math.max(n.body["scroll"+e],o["scroll"+e],n.body["offset"+e],o["offset"+e],o["client"+e])):i===t?x.css(n,r,s):x.style(n,r,i,s)},n,a?i:t,a,null)}})}),x.fn.size=function(){return this.length},x.fn.andSelf=x.fn.addBack,"object"==typeof module&&module&&"object"==typeof module.exports?module.exports=x:(e.jQuery=e.$=x,"function"==typeof define&&define.amd&&define("jquery",[],function(){return x}))})(window);
ajax/libs/react-slick/0.3.0/react-slick.js
emmy41124/cdnjs
var Slider = /******/ (function(modules) { // webpackBootstrap /******/ // The module cache /******/ var installedModules = {}; /******/ /******/ // The require function /******/ function __webpack_require__(moduleId) { /******/ /******/ // Check if module is in cache /******/ if(installedModules[moduleId]) /******/ return installedModules[moduleId].exports; /******/ /******/ // Create a new module (and put it into the cache) /******/ var module = installedModules[moduleId] = { /******/ exports: {}, /******/ id: moduleId, /******/ loaded: false /******/ }; /******/ /******/ // Execute the module function /******/ modules[moduleId].call(module.exports, module, module.exports, __webpack_require__); /******/ /******/ // Flag the module as loaded /******/ module.loaded = true; /******/ /******/ // Return the exports of the module /******/ return module.exports; /******/ } /******/ /******/ /******/ // expose the modules object (__webpack_modules__) /******/ __webpack_require__.m = modules; /******/ /******/ // expose the module cache /******/ __webpack_require__.c = installedModules; /******/ /******/ // __webpack_public_path__ /******/ __webpack_require__.p = ""; /******/ /******/ // Load entry module and return exports /******/ return __webpack_require__(0); /******/ }) /************************************************************************/ /******/ ([ /* 0 */ /***/ function(module, exports, __webpack_require__) { module.exports = __webpack_require__(1); /***/ }, /* 1 */ /***/ function(module, exports, __webpack_require__) { var React = __webpack_require__(2); var InnerSlider = __webpack_require__(3); var _ = __webpack_require__(7); //TBD import only required functions from lodash var json2mq = __webpack_require__(4); var assign = __webpack_require__(6); var ResponsiveMixin = __webpack_require__(5); var Slider = React.createClass({displayName: "Slider", mixins: [ResponsiveMixin], getInitialState: function () { return { breakpoint: null }; }, componentDidMount: function () { var breakpoints = _.sortBy(_.pluck(this.props.responsive, 'breakpoint')); var _props = this.props; breakpoints.forEach(function (breakpoint, index) { var query; if (index === 0) { query = json2mq({minWidth: 0, maxWidth: breakpoint}); } else { query = json2mq({minWidth: breakpoints[index-1], maxWidth: breakpoint}); } this.media(query, function () { this.setState({breakpoint: breakpoint}); }.bind(this)) }.bind(this)); // Register media query for full screen. Need to support resize from small to large var query = json2mq({minWidth: breakpoints.slice(-1)[0]}) this.media(query, function () { this.setState({breakpoint: null}); }.bind(this)) }, render: function () { var settings; var newProps; if (this.state.breakpoint) { newProps = _.filter(this.props.responsive, {breakpoint: this.state.breakpoint}); settings = _.assign({}, this.props, newProps[0].settings); } else { settings = this.props; } return ( React.createElement(InnerSlider, React.__spread({}, settings)) ); } }); module.exports = Slider; /***/ }, /* 2 */ /***/ function(module, exports, __webpack_require__) { module.exports = React; /***/ }, /* 3 */ /***/ function(module, exports, __webpack_require__) { var React = __webpack_require__(2); var cloneWithProps = __webpack_require__(12); var cx = __webpack_require__(13); var EventHandlersMixin = __webpack_require__(8); var HelpersMixin = __webpack_require__(9); var initialState = __webpack_require__(10); var defaultProps = __webpack_require__(11); var _ = __webpack_require__(7); var Slider = React.createClass({displayName: "Slider", mixins: [EventHandlersMixin, HelpersMixin], getInitialState: function () { return initialState; }, getDefaultProps: function () { return defaultProps; }, componentDidMount: function () { this.initialize(this.props); }, componentWillReceiveProps: function(nextProps) { this.initialize(nextProps); }, renderDots: function () { var classes, dotOptions; var dots = []; if (this.props.dots === true && this.state.slideCount > this.props.slidesToShow) { for (var i=0; i <= this.getDotCount(); i += 1) { classes = { 'slick-active': (this.state.currentSlide === i * this.props.slidesToScroll), }; dotOptions = { message: 'index', index: i }; dots.push(React.createElement("li", {key: i, className: cx(classes)}, React.createElement("button", {onClick: this.changeSlide.bind(this, dotOptions)}, i))); } return ( React.createElement("ul", {className: this.props.dotsClass, style: {display: 'block'}}, dots ) ); } else { return null; } }, renderSlides: function () { var key; var slides = []; var preCloneSlides = []; var postCloneSlides = []; var count = React.Children.count(this.props.children); React.Children.forEach(this.props.children, function (child, index) { slides.push(cloneWithProps(child, { key: index, 'data-index': index, className: this.getSlideClasses(index), style: _.assign({}, this.getSlideStyle(), child.props.style), })); if (this.props.infinite === true) { if (this.props.centerMode === true) { infiniteCount = this.props.slidesToShow + 1; } else { infiniteCount = this.props.slidesToShow; } if (index >= (count - infiniteCount)) { key = -(count - index); preCloneSlides.push(cloneWithProps(child, { key: key, 'data-index': key, className: this.getSlideClasses(key), style: _.assign({}, this.getSlideStyle(), child.props.style), })); } if (index < infiniteCount) { key = count + index; postCloneSlides.push(cloneWithProps(child, { key: key, 'data-index': key, className: this.getSlideClasses(key), style: _.assign({}, this.getSlideStyle(), child.props.style), })); } } }.bind(this)); return preCloneSlides.concat(slides, postCloneSlides); }, renderTrack: function () { return ( React.createElement("div", {ref: "track", className: "slick-track", style: this.state.trackStyle}, this.renderSlides() ) ); }, renderArrows: function () { var prevClasses = { 'slick-prev': true}; var nextClasses = { 'slick-next': true}; var prevHandler = this.changeSlide.bind(this, {message: 'previous'}); var nextHandler = this.changeSlide.bind(this, {message: 'next'}); if (this.props.infinite === false) { if (this.state.currentSlide === 0) { prevClasses['slick-disabled'] = true; prevHandler = null; } if (this.state.currentSlide >= (this.state.slideCount - this.props.slidesToShow)) { nextClasses['slick-disabled'] = true; nextHandler = null; } } var prevArrow = React.createElement("button", {key: 0, ref: "previous", type: "button", "data-role": "none", className: cx(prevClasses), style: {display: 'block'}, onClick: prevHandler}, " Previous"); var nextArrow = React.createElement("button", {key: 1, ref: "next", type: "button", "data-role": "none", className: cx(nextClasses), style: {display: 'block'}, onClick: nextHandler}, "Next"); return [prevArrow, nextArrow]; }, render: function () { return ( React.createElement("div", {className: 'slick-initialized slick-slider ' + this.props.className}, React.createElement("div", { ref: "list", className: "slick-list", style: this.getListStyle(), onMouseDown: this.swipeStart, onMouseMove: this.state.dragging ? this.swipeMove: null, onMouseUp: this.swipeEnd, onMouseLeave: this.state.dragging ? this.swipeEnd: null, onTouchStart: this.swipeStart, onTouchMove: this.state.dragging ? this.swipeMove: null, onTouchEnd: this.swipeEnd, onTouchCancel: this.state.dragging ? this.swipeEnd: null}, this.renderTrack() ), this.renderArrows(), this.renderDots() ) ); } }); module.exports = Slider; /***/ }, /* 4 */ /***/ function(module, exports, __webpack_require__) { var camel2hyphen = __webpack_require__(16); var isDimension = function (feature) { var re = /[height|width]$/; return re.test(feature); }; var obj2mq = function (obj) { var mq = ''; var features = Object.keys(obj); features.forEach(function (feature, index) { var value = obj[feature]; feature = camel2hyphen(feature); // Add px to dimension features if (isDimension(feature) && typeof value === 'number') { value = value + 'px'; } if (value === true) { mq += feature; } else if (value === false) { mq += 'not ' + feature; } else { mq += '(' + feature + ': ' + value + ')'; } if (index < features.length-1) { mq += ' and ' } }); return mq; }; var json2mq = function (query) { var mq = ''; if (typeof query === 'string') { return query; } // Handling array of media queries if (query instanceof Array) { query.forEach(function (q, index) { mq += obj2mq(q); if (index < query.length-1) { mq += ', ' } }); return mq; } // Handling single media query return obj2mq(query); }; module.exports = json2mq; /***/ }, /* 5 */ /***/ function(module, exports, __webpack_require__) { var enquire = __webpack_require__(17); var json2mq = __webpack_require__(15); var ResponsiveMixin = { media: function (query, handler) { query = json2mq(query); if (typeof handler === 'function') { handler = { match: handler }; } enquire.register(query, handler); // Queue the handlers to unregister them at unmount if (! this._responsiveMediaHandlers) { this._responsiveMediaHandlers = []; } this._responsiveMediaHandlers.push({query: query, handler: handler}); }, componentWillUnmount: function () { this._responsiveMediaHandlers.forEach(function(obj) { enquire.unregister(obj.query, obj.handler); }) } }; module.exports = ResponsiveMixin; /***/ }, /* 6 */ /***/ function(module, exports, __webpack_require__) { 'use strict'; function ToObject(val) { if (val == null) { throw new TypeError('Object.assign cannot be called with null or undefined'); } return Object(val); } module.exports = Object.assign || function (target, source) { var from; var keys; var to = ToObject(target); for (var s = 1; s < arguments.length; s++) { from = arguments[s]; keys = Object.keys(Object(from)); for (var i = 0; i < keys.length; i++) { to[keys[i]] = from[keys[i]]; } } return to; }; /***/ }, /* 7 */ /***/ function(module, exports, __webpack_require__) { var __WEBPACK_AMD_DEFINE_RESULT__;/* WEBPACK VAR INJECTION */(function(module, global) {/** * @license * Lo-Dash 2.4.1 (Custom Build) <http://lodash.com/> * Build: `lodash -o ./dist/lodash.compat.js` * Copyright 2012-2013 The Dojo Foundation <http://dojofoundation.org/> * Based on Underscore.js 1.5.2 <http://underscorejs.org/LICENSE> * Copyright 2009-2013 Jeremy Ashkenas, DocumentCloud and Investigative Reporters & Editors * Available under MIT license <http://lodash.com/license> */ ;(function() { /** Used as a safe reference for `undefined` in pre ES5 environments */ var undefined; /** Used to pool arrays and objects used internally */ var arrayPool = [], objectPool = []; /** Used to generate unique IDs */ var idCounter = 0; /** Used internally to indicate various things */ var indicatorObject = {}; /** Used to prefix keys to avoid issues with `__proto__` and properties on `Object.prototype` */ var keyPrefix = +new Date + ''; /** Used as the size when optimizations are enabled for large arrays */ var largeArraySize = 75; /** Used as the max size of the `arrayPool` and `objectPool` */ var maxPoolSize = 40; /** Used to detect and test whitespace */ var whitespace = ( // whitespace ' \t\x0B\f\xA0\ufeff' + // line terminators '\n\r\u2028\u2029' + // unicode category "Zs" space separators '\u1680\u180e\u2000\u2001\u2002\u2003\u2004\u2005\u2006\u2007\u2008\u2009\u200a\u202f\u205f\u3000' ); /** Used to match empty string literals in compiled template source */ var reEmptyStringLeading = /\b__p \+= '';/g, reEmptyStringMiddle = /\b(__p \+=) '' \+/g, reEmptyStringTrailing = /(__e\(.*?\)|\b__t\)) \+\n'';/g; /** * Used to match ES6 template delimiters * http://people.mozilla.org/~jorendorff/es6-draft.html#sec-literals-string-literals */ var reEsTemplate = /\$\{([^\\}]*(?:\\.[^\\}]*)*)\}/g; /** Used to match regexp flags from their coerced string values */ var reFlags = /\w*$/; /** Used to detected named functions */ var reFuncName = /^\s*function[ \n\r\t]+\w/; /** Used to match "interpolate" template delimiters */ var reInterpolate = /<%=([\s\S]+?)%>/g; /** Used to match leading whitespace and zeros to be removed */ var reLeadingSpacesAndZeros = RegExp('^[' + whitespace + ']*0+(?=.$)'); /** Used to ensure capturing order of template delimiters */ var reNoMatch = /($^)/; /** Used to detect functions containing a `this` reference */ var reThis = /\bthis\b/; /** Used to match unescaped characters in compiled string literals */ var reUnescapedString = /['\n\r\t\u2028\u2029\\]/g; /** Used to assign default `context` object properties */ var contextProps = [ 'Array', 'Boolean', 'Date', 'Error', 'Function', 'Math', 'Number', 'Object', 'RegExp', 'String', '_', 'attachEvent', 'clearTimeout', 'isFinite', 'isNaN', 'parseInt', 'setTimeout' ]; /** Used to fix the JScript [[DontEnum]] bug */ var shadowedProps = [ 'constructor', 'hasOwnProperty', 'isPrototypeOf', 'propertyIsEnumerable', 'toLocaleString', 'toString', 'valueOf' ]; /** Used to make template sourceURLs easier to identify */ var templateCounter = 0; /** `Object#toString` result shortcuts */ var argsClass = '[object Arguments]', arrayClass = '[object Array]', boolClass = '[object Boolean]', dateClass = '[object Date]', errorClass = '[object Error]', funcClass = '[object Function]', numberClass = '[object Number]', objectClass = '[object Object]', regexpClass = '[object RegExp]', stringClass = '[object String]'; /** Used to identify object classifications that `_.clone` supports */ var cloneableClasses = {}; cloneableClasses[funcClass] = false; cloneableClasses[argsClass] = cloneableClasses[arrayClass] = cloneableClasses[boolClass] = cloneableClasses[dateClass] = cloneableClasses[numberClass] = cloneableClasses[objectClass] = cloneableClasses[regexpClass] = cloneableClasses[stringClass] = true; /** Used as an internal `_.debounce` options object */ var debounceOptions = { 'leading': false, 'maxWait': 0, 'trailing': false }; /** Used as the property descriptor for `__bindData__` */ var descriptor = { 'configurable': false, 'enumerable': false, 'value': null, 'writable': false }; /** Used as the data object for `iteratorTemplate` */ var iteratorData = { 'args': '', 'array': null, 'bottom': '', 'firstArg': '', 'init': '', 'keys': null, 'loop': '', 'shadowedProps': null, 'support': null, 'top': '', 'useHas': false }; /** Used to determine if values are of the language type Object */ var objectTypes = { 'boolean': false, 'function': true, 'object': true, 'number': false, 'string': false, 'undefined': false }; /** Used to escape characters for inclusion in compiled string literals */ var stringEscapes = { '\\': '\\', "'": "'", '\n': 'n', '\r': 'r', '\t': 't', '\u2028': 'u2028', '\u2029': 'u2029' }; /** Used as a reference to the global object */ var root = (objectTypes[typeof window] && window) || this; /** Detect free variable `exports` */ var freeExports = objectTypes[typeof exports] && exports && !exports.nodeType && exports; /** Detect free variable `module` */ var freeModule = objectTypes[typeof module] && module && !module.nodeType && module; /** Detect the popular CommonJS extension `module.exports` */ var moduleExports = freeModule && freeModule.exports === freeExports && freeExports; /** Detect free variable `global` from Node.js or Browserified code and use it as `root` */ var freeGlobal = objectTypes[typeof global] && global; if (freeGlobal && (freeGlobal.global === freeGlobal || freeGlobal.window === freeGlobal)) { root = freeGlobal; } /*--------------------------------------------------------------------------*/ /** * The base implementation of `_.indexOf` without support for binary searches * or `fromIndex` constraints. * * @private * @param {Array} array The array to search. * @param {*} value The value to search for. * @param {number} [fromIndex=0] The index to search from. * @returns {number} Returns the index of the matched value or `-1`. */ function baseIndexOf(array, value, fromIndex) { var index = (fromIndex || 0) - 1, length = array ? array.length : 0; while (++index < length) { if (array[index] === value) { return index; } } return -1; } /** * An implementation of `_.contains` for cache objects that mimics the return * signature of `_.indexOf` by returning `0` if the value is found, else `-1`. * * @private * @param {Object} cache The cache object to inspect. * @param {*} value The value to search for. * @returns {number} Returns `0` if `value` is found, else `-1`. */ function cacheIndexOf(cache, value) { var type = typeof value; cache = cache.cache; if (type == 'boolean' || value == null) { return cache[value] ? 0 : -1; } if (type != 'number' && type != 'string') { type = 'object'; } var key = type == 'number' ? value : keyPrefix + value; cache = (cache = cache[type]) && cache[key]; return type == 'object' ? (cache && baseIndexOf(cache, value) > -1 ? 0 : -1) : (cache ? 0 : -1); } /** * Adds a given value to the corresponding cache object. * * @private * @param {*} value The value to add to the cache. */ function cachePush(value) { var cache = this.cache, type = typeof value; if (type == 'boolean' || value == null) { cache[value] = true; } else { if (type != 'number' && type != 'string') { type = 'object'; } var key = type == 'number' ? value : keyPrefix + value, typeCache = cache[type] || (cache[type] = {}); if (type == 'object') { (typeCache[key] || (typeCache[key] = [])).push(value); } else { typeCache[key] = true; } } } /** * Used by `_.max` and `_.min` as the default callback when a given * collection is a string value. * * @private * @param {string} value The character to inspect. * @returns {number} Returns the code unit of given character. */ function charAtCallback(value) { return value.charCodeAt(0); } /** * Used by `sortBy` to compare transformed `collection` elements, stable sorting * them in ascending order. * * @private * @param {Object} a The object to compare to `b`. * @param {Object} b The object to compare to `a`. * @returns {number} Returns the sort order indicator of `1` or `-1`. */ function compareAscending(a, b) { var ac = a.criteria, bc = b.criteria, index = -1, length = ac.length; while (++index < length) { var value = ac[index], other = bc[index]; if (value !== other) { if (value > other || typeof value == 'undefined') { return 1; } if (value < other || typeof other == 'undefined') { return -1; } } } // Fixes an `Array#sort` bug in the JS engine embedded in Adobe applications // that causes it, under certain circumstances, to return the same value for // `a` and `b`. See https://github.com/jashkenas/underscore/pull/1247 // // This also ensures a stable sort in V8 and other engines. // See http://code.google.com/p/v8/issues/detail?id=90 return a.index - b.index; } /** * Creates a cache object to optimize linear searches of large arrays. * * @private * @param {Array} [array=[]] The array to search. * @returns {null|Object} Returns the cache object or `null` if caching should not be used. */ function createCache(array) { var index = -1, length = array.length, first = array[0], mid = array[(length / 2) | 0], last = array[length - 1]; if (first && typeof first == 'object' && mid && typeof mid == 'object' && last && typeof last == 'object') { return false; } var cache = getObject(); cache['false'] = cache['null'] = cache['true'] = cache['undefined'] = false; var result = getObject(); result.array = array; result.cache = cache; result.push = cachePush; while (++index < length) { result.push(array[index]); } return result; } /** * Used by `template` to escape characters for inclusion in compiled * string literals. * * @private * @param {string} match The matched character to escape. * @returns {string} Returns the escaped character. */ function escapeStringChar(match) { return '\\' + stringEscapes[match]; } /** * Gets an array from the array pool or creates a new one if the pool is empty. * * @private * @returns {Array} The array from the pool. */ function getArray() { return arrayPool.pop() || []; } /** * Gets an object from the object pool or creates a new one if the pool is empty. * * @private * @returns {Object} The object from the pool. */ function getObject() { return objectPool.pop() || { 'array': null, 'cache': null, 'criteria': null, 'false': false, 'index': 0, 'null': false, 'number': null, 'object': null, 'push': null, 'string': null, 'true': false, 'undefined': false, 'value': null }; } /** * Checks if `value` is a DOM node in IE < 9. * * @private * @param {*} value The value to check. * @returns {boolean} Returns `true` if the `value` is a DOM node, else `false`. */ function isNode(value) { // IE < 9 presents DOM nodes as `Object` objects except they have `toString` // methods that are `typeof` "string" and still can coerce nodes to strings return typeof value.toString != 'function' && typeof (value + '') == 'string'; } /** * Releases the given array back to the array pool. * * @private * @param {Array} [array] The array to release. */ function releaseArray(array) { array.length = 0; if (arrayPool.length < maxPoolSize) { arrayPool.push(array); } } /** * Releases the given object back to the object pool. * * @private * @param {Object} [object] The object to release. */ function releaseObject(object) { var cache = object.cache; if (cache) { releaseObject(cache); } object.array = object.cache = object.criteria = object.object = object.number = object.string = object.value = null; if (objectPool.length < maxPoolSize) { objectPool.push(object); } } /** * Slices the `collection` from the `start` index up to, but not including, * the `end` index. * * Note: This function is used instead of `Array#slice` to support node lists * in IE < 9 and to ensure dense arrays are returned. * * @private * @param {Array|Object|string} collection The collection to slice. * @param {number} start The start index. * @param {number} end The end index. * @returns {Array} Returns the new array. */ function slice(array, start, end) { start || (start = 0); if (typeof end == 'undefined') { end = array ? array.length : 0; } var index = -1, length = end - start || 0, result = Array(length < 0 ? 0 : length); while (++index < length) { result[index] = array[start + index]; } return result; } /*--------------------------------------------------------------------------*/ /** * Create a new `lodash` function using the given context object. * * @static * @memberOf _ * @category Utilities * @param {Object} [context=root] The context object. * @returns {Function} Returns the `lodash` function. */ function runInContext(context) { // Avoid issues with some ES3 environments that attempt to use values, named // after built-in constructors like `Object`, for the creation of literals. // ES5 clears this up by stating that literals must use built-in constructors. // See http://es5.github.io/#x11.1.5. context = context ? _.defaults(root.Object(), context, _.pick(root, contextProps)) : root; /** Native constructor references */ var Array = context.Array, Boolean = context.Boolean, Date = context.Date, Error = context.Error, Function = context.Function, Math = context.Math, Number = context.Number, Object = context.Object, RegExp = context.RegExp, String = context.String, TypeError = context.TypeError; /** * Used for `Array` method references. * * Normally `Array.prototype` would suffice, however, using an array literal * avoids issues in Narwhal. */ var arrayRef = []; /** Used for native method references */ var errorProto = Error.prototype, objectProto = Object.prototype, stringProto = String.prototype; /** Used to restore the original `_` reference in `noConflict` */ var oldDash = context._; /** Used to resolve the internal [[Class]] of values */ var toString = objectProto.toString; /** Used to detect if a method is native */ var reNative = RegExp('^' + String(toString) .replace(/[.*+?^${}()|[\]\\]/g, '\\$&') .replace(/toString| for [^\]]+/g, '.*?') + '$' ); /** Native method shortcuts */ var ceil = Math.ceil, clearTimeout = context.clearTimeout, floor = Math.floor, fnToString = Function.prototype.toString, getPrototypeOf = isNative(getPrototypeOf = Object.getPrototypeOf) && getPrototypeOf, hasOwnProperty = objectProto.hasOwnProperty, push = arrayRef.push, propertyIsEnumerable = objectProto.propertyIsEnumerable, setTimeout = context.setTimeout, splice = arrayRef.splice, unshift = arrayRef.unshift; /** Used to set meta data on functions */ var defineProperty = (function() { // IE 8 only accepts DOM elements try { var o = {}, func = isNative(func = Object.defineProperty) && func, result = func(o, o, o) && func; } catch(e) { } return result; }()); /* Native method shortcuts for methods with the same name as other `lodash` methods */ var nativeCreate = isNative(nativeCreate = Object.create) && nativeCreate, nativeIsArray = isNative(nativeIsArray = Array.isArray) && nativeIsArray, nativeIsFinite = context.isFinite, nativeIsNaN = context.isNaN, nativeKeys = isNative(nativeKeys = Object.keys) && nativeKeys, nativeMax = Math.max, nativeMin = Math.min, nativeParseInt = context.parseInt, nativeRandom = Math.random; /** Used to lookup a built-in constructor by [[Class]] */ var ctorByClass = {}; ctorByClass[arrayClass] = Array; ctorByClass[boolClass] = Boolean; ctorByClass[dateClass] = Date; ctorByClass[funcClass] = Function; ctorByClass[objectClass] = Object; ctorByClass[numberClass] = Number; ctorByClass[regexpClass] = RegExp; ctorByClass[stringClass] = String; /** Used to avoid iterating non-enumerable properties in IE < 9 */ var nonEnumProps = {}; nonEnumProps[arrayClass] = nonEnumProps[dateClass] = nonEnumProps[numberClass] = { 'constructor': true, 'toLocaleString': true, 'toString': true, 'valueOf': true }; nonEnumProps[boolClass] = nonEnumProps[stringClass] = { 'constructor': true, 'toString': true, 'valueOf': true }; nonEnumProps[errorClass] = nonEnumProps[funcClass] = nonEnumProps[regexpClass] = { 'constructor': true, 'toString': true }; nonEnumProps[objectClass] = { 'constructor': true }; (function() { var length = shadowedProps.length; while (length--) { var key = shadowedProps[length]; for (var className in nonEnumProps) { if (hasOwnProperty.call(nonEnumProps, className) && !hasOwnProperty.call(nonEnumProps[className], key)) { nonEnumProps[className][key] = false; } } } }()); /*--------------------------------------------------------------------------*/ /** * Creates a `lodash` object which wraps the given value to enable intuitive * method chaining. * * In addition to Lo-Dash methods, wrappers also have the following `Array` methods: * `concat`, `join`, `pop`, `push`, `reverse`, `shift`, `slice`, `sort`, `splice`, * and `unshift` * * Chaining is supported in custom builds as long as the `value` method is * implicitly or explicitly included in the build. * * The chainable wrapper functions are: * `after`, `assign`, `bind`, `bindAll`, `bindKey`, `chain`, `compact`, * `compose`, `concat`, `countBy`, `create`, `createCallback`, `curry`, * `debounce`, `defaults`, `defer`, `delay`, `difference`, `filter`, `flatten`, * `forEach`, `forEachRight`, `forIn`, `forInRight`, `forOwn`, `forOwnRight`, * `functions`, `groupBy`, `indexBy`, `initial`, `intersection`, `invert`, * `invoke`, `keys`, `map`, `max`, `memoize`, `merge`, `min`, `object`, `omit`, * `once`, `pairs`, `partial`, `partialRight`, `pick`, `pluck`, `pull`, `push`, * `range`, `reject`, `remove`, `rest`, `reverse`, `shuffle`, `slice`, `sort`, * `sortBy`, `splice`, `tap`, `throttle`, `times`, `toArray`, `transform`, * `union`, `uniq`, `unshift`, `unzip`, `values`, `where`, `without`, `wrap`, * and `zip` * * The non-chainable wrapper functions are: * `clone`, `cloneDeep`, `contains`, `escape`, `every`, `find`, `findIndex`, * `findKey`, `findLast`, `findLastIndex`, `findLastKey`, `has`, `identity`, * `indexOf`, `isArguments`, `isArray`, `isBoolean`, `isDate`, `isElement`, * `isEmpty`, `isEqual`, `isFinite`, `isFunction`, `isNaN`, `isNull`, `isNumber`, * `isObject`, `isPlainObject`, `isRegExp`, `isString`, `isUndefined`, `join`, * `lastIndexOf`, `mixin`, `noConflict`, `parseInt`, `pop`, `random`, `reduce`, * `reduceRight`, `result`, `shift`, `size`, `some`, `sortedIndex`, `runInContext`, * `template`, `unescape`, `uniqueId`, and `value` * * The wrapper functions `first` and `last` return wrapped values when `n` is * provided, otherwise they return unwrapped values. * * Explicit chaining can be enabled by using the `_.chain` method. * * @name _ * @constructor * @category Chaining * @param {*} value The value to wrap in a `lodash` instance. * @returns {Object} Returns a `lodash` instance. * @example * * var wrapped = _([1, 2, 3]); * * // returns an unwrapped value * wrapped.reduce(function(sum, num) { * return sum + num; * }); * // => 6 * * // returns a wrapped value * var squares = wrapped.map(function(num) { * return num * num; * }); * * _.isArray(squares); * // => false * * _.isArray(squares.value()); * // => true */ function lodash(value) { // don't wrap if already wrapped, even if wrapped by a different `lodash` constructor return (value && typeof value == 'object' && !isArray(value) && hasOwnProperty.call(value, '__wrapped__')) ? value : new lodashWrapper(value); } /** * A fast path for creating `lodash` wrapper objects. * * @private * @param {*} value The value to wrap in a `lodash` instance. * @param {boolean} chainAll A flag to enable chaining for all methods * @returns {Object} Returns a `lodash` instance. */ function lodashWrapper(value, chainAll) { this.__chain__ = !!chainAll; this.__wrapped__ = value; } // ensure `new lodashWrapper` is an instance of `lodash` lodashWrapper.prototype = lodash.prototype; /** * An object used to flag environments features. * * @static * @memberOf _ * @type Object */ var support = lodash.support = {}; (function() { var ctor = function() { this.x = 1; }, object = { '0': 1, 'length': 1 }, props = []; ctor.prototype = { 'valueOf': 1, 'y': 1 }; for (var key in new ctor) { props.push(key); } for (key in arguments) { } /** * Detect if an `arguments` object's [[Class]] is resolvable (all but Firefox < 4, IE < 9). * * @memberOf _.support * @type boolean */ support.argsClass = toString.call(arguments) == argsClass; /** * Detect if `arguments` objects are `Object` objects (all but Narwhal and Opera < 10.5). * * @memberOf _.support * @type boolean */ support.argsObject = arguments.constructor == Object && !(arguments instanceof Array); /** * Detect if `name` or `message` properties of `Error.prototype` are * enumerable by default. (IE < 9, Safari < 5.1) * * @memberOf _.support * @type boolean */ support.enumErrorProps = propertyIsEnumerable.call(errorProto, 'message') || propertyIsEnumerable.call(errorProto, 'name'); /** * Detect if `prototype` properties are enumerable by default. * * Firefox < 3.6, Opera > 9.50 - Opera < 11.60, and Safari < 5.1 * (if the prototype or a property on the prototype has been set) * incorrectly sets a function's `prototype` property [[Enumerable]] * value to `true`. * * @memberOf _.support * @type boolean */ support.enumPrototypes = propertyIsEnumerable.call(ctor, 'prototype'); /** * Detect if functions can be decompiled by `Function#toString` * (all but PS3 and older Opera mobile browsers & avoided in Windows 8 apps). * * @memberOf _.support * @type boolean */ support.funcDecomp = !isNative(context.WinRTError) && reThis.test(runInContext); /** * Detect if `Function#name` is supported (all but IE). * * @memberOf _.support * @type boolean */ support.funcNames = typeof Function.name == 'string'; /** * Detect if `arguments` object indexes are non-enumerable * (Firefox < 4, IE < 9, PhantomJS, Safari < 5.1). * * @memberOf _.support * @type boolean */ support.nonEnumArgs = key != 0; /** * Detect if properties shadowing those on `Object.prototype` are non-enumerable. * * In IE < 9 an objects own properties, shadowing non-enumerable ones, are * made non-enumerable as well (a.k.a the JScript [[DontEnum]] bug). * * @memberOf _.support * @type boolean */ support.nonEnumShadows = !/valueOf/.test(props); /** * Detect if own properties are iterated after inherited properties (all but IE < 9). * * @memberOf _.support * @type boolean */ support.ownLast = props[0] != 'x'; /** * Detect if `Array#shift` and `Array#splice` augment array-like objects correctly. * * Firefox < 10, IE compatibility mode, and IE < 9 have buggy Array `shift()` * and `splice()` functions that fail to remove the last element, `value[0]`, * of array-like objects even though the `length` property is set to `0`. * The `shift()` method is buggy in IE 8 compatibility mode, while `splice()` * is buggy regardless of mode in IE < 9 and buggy in compatibility mode in IE 9. * * @memberOf _.support * @type boolean */ support.spliceObjects = (arrayRef.splice.call(object, 0, 1), !object[0]); /** * Detect lack of support for accessing string characters by index. * * IE < 8 can't access characters by index and IE 8 can only access * characters by index on string literals. * * @memberOf _.support * @type boolean */ support.unindexedChars = ('x'[0] + Object('x')[0]) != 'xx'; /** * Detect if a DOM node's [[Class]] is resolvable (all but IE < 9) * and that the JS engine errors when attempting to coerce an object to * a string without a `toString` function. * * @memberOf _.support * @type boolean */ try { support.nodeClass = !(toString.call(document) == objectClass && !({ 'toString': 0 } + '')); } catch(e) { support.nodeClass = true; } }(1)); /** * By default, the template delimiters used by Lo-Dash are similar to those in * embedded Ruby (ERB). Change the following template settings to use alternative * delimiters. * * @static * @memberOf _ * @type Object */ lodash.templateSettings = { /** * Used to detect `data` property values to be HTML-escaped. * * @memberOf _.templateSettings * @type RegExp */ 'escape': /<%-([\s\S]+?)%>/g, /** * Used to detect code to be evaluated. * * @memberOf _.templateSettings * @type RegExp */ 'evaluate': /<%([\s\S]+?)%>/g, /** * Used to detect `data` property values to inject. * * @memberOf _.templateSettings * @type RegExp */ 'interpolate': reInterpolate, /** * Used to reference the data object in the template text. * * @memberOf _.templateSettings * @type string */ 'variable': '', /** * Used to import variables into the compiled template. * * @memberOf _.templateSettings * @type Object */ 'imports': { /** * A reference to the `lodash` function. * * @memberOf _.templateSettings.imports * @type Function */ '_': lodash } }; /*--------------------------------------------------------------------------*/ /** * The template used to create iterator functions. * * @private * @param {Object} data The data object used to populate the text. * @returns {string} Returns the interpolated text. */ var iteratorTemplate = function(obj) { var __p = 'var index, iterable = ' + (obj.firstArg) + ', result = ' + (obj.init) + ';\nif (!iterable) return result;\n' + (obj.top) + ';'; if (obj.array) { __p += '\nvar length = iterable.length; index = -1;\nif (' + (obj.array) + ') { '; if (support.unindexedChars) { __p += '\n if (isString(iterable)) {\n iterable = iterable.split(\'\')\n } '; } __p += '\n while (++index < length) {\n ' + (obj.loop) + ';\n }\n}\nelse { '; } else if (support.nonEnumArgs) { __p += '\n var length = iterable.length; index = -1;\n if (length && isArguments(iterable)) {\n while (++index < length) {\n index += \'\';\n ' + (obj.loop) + ';\n }\n } else { '; } if (support.enumPrototypes) { __p += '\n var skipProto = typeof iterable == \'function\';\n '; } if (support.enumErrorProps) { __p += '\n var skipErrorProps = iterable === errorProto || iterable instanceof Error;\n '; } var conditions = []; if (support.enumPrototypes) { conditions.push('!(skipProto && index == "prototype")'); } if (support.enumErrorProps) { conditions.push('!(skipErrorProps && (index == "message" || index == "name"))'); } if (obj.useHas && obj.keys) { __p += '\n var ownIndex = -1,\n ownProps = objectTypes[typeof iterable] && keys(iterable),\n length = ownProps ? ownProps.length : 0;\n\n while (++ownIndex < length) {\n index = ownProps[ownIndex];\n'; if (conditions.length) { __p += ' if (' + (conditions.join(' && ')) + ') {\n '; } __p += (obj.loop) + '; '; if (conditions.length) { __p += '\n }'; } __p += '\n } '; } else { __p += '\n for (index in iterable) {\n'; if (obj.useHas) { conditions.push("hasOwnProperty.call(iterable, index)"); } if (conditions.length) { __p += ' if (' + (conditions.join(' && ')) + ') {\n '; } __p += (obj.loop) + '; '; if (conditions.length) { __p += '\n }'; } __p += '\n } '; if (support.nonEnumShadows) { __p += '\n\n if (iterable !== objectProto) {\n var ctor = iterable.constructor,\n isProto = iterable === (ctor && ctor.prototype),\n className = iterable === stringProto ? stringClass : iterable === errorProto ? errorClass : toString.call(iterable),\n nonEnum = nonEnumProps[className];\n '; for (k = 0; k < 7; k++) { __p += '\n index = \'' + (obj.shadowedProps[k]) + '\';\n if ((!(isProto && nonEnum[index]) && hasOwnProperty.call(iterable, index))'; if (!obj.useHas) { __p += ' || (!nonEnum[index] && iterable[index] !== objectProto[index])'; } __p += ') {\n ' + (obj.loop) + ';\n } '; } __p += '\n } '; } } if (obj.array || support.nonEnumArgs) { __p += '\n}'; } __p += (obj.bottom) + ';\nreturn result'; return __p }; /*--------------------------------------------------------------------------*/ /** * The base implementation of `_.bind` that creates the bound function and * sets its meta data. * * @private * @param {Array} bindData The bind data array. * @returns {Function} Returns the new bound function. */ function baseBind(bindData) { var func = bindData[0], partialArgs = bindData[2], thisArg = bindData[4]; function bound() { // `Function#bind` spec // http://es5.github.io/#x15.3.4.5 if (partialArgs) { // avoid `arguments` object deoptimizations by using `slice` instead // of `Array.prototype.slice.call` and not assigning `arguments` to a // variable as a ternary expression var args = slice(partialArgs); push.apply(args, arguments); } // mimic the constructor's `return` behavior // http://es5.github.io/#x13.2.2 if (this instanceof bound) { // ensure `new bound` is an instance of `func` var thisBinding = baseCreate(func.prototype), result = func.apply(thisBinding, args || arguments); return isObject(result) ? result : thisBinding; } return func.apply(thisArg, args || arguments); } setBindData(bound, bindData); return bound; } /** * The base implementation of `_.clone` without argument juggling or support * for `thisArg` binding. * * @private * @param {*} value The value to clone. * @param {boolean} [isDeep=false] Specify a deep clone. * @param {Function} [callback] The function to customize cloning values. * @param {Array} [stackA=[]] Tracks traversed source objects. * @param {Array} [stackB=[]] Associates clones with source counterparts. * @returns {*} Returns the cloned value. */ function baseClone(value, isDeep, callback, stackA, stackB) { if (callback) { var result = callback(value); if (typeof result != 'undefined') { return result; } } // inspect [[Class]] var isObj = isObject(value); if (isObj) { var className = toString.call(value); if (!cloneableClasses[className] || (!support.nodeClass && isNode(value))) { return value; } var ctor = ctorByClass[className]; switch (className) { case boolClass: case dateClass: return new ctor(+value); case numberClass: case stringClass: return new ctor(value); case regexpClass: result = ctor(value.source, reFlags.exec(value)); result.lastIndex = value.lastIndex; return result; } } else { return value; } var isArr = isArray(value); if (isDeep) { // check for circular references and return corresponding clone var initedStack = !stackA; stackA || (stackA = getArray()); stackB || (stackB = getArray()); var length = stackA.length; while (length--) { if (stackA[length] == value) { return stackB[length]; } } result = isArr ? ctor(value.length) : {}; } else { result = isArr ? slice(value) : assign({}, value); } // add array properties assigned by `RegExp#exec` if (isArr) { if (hasOwnProperty.call(value, 'index')) { result.index = value.index; } if (hasOwnProperty.call(value, 'input')) { result.input = value.input; } } // exit for shallow clone if (!isDeep) { return result; } // add the source value to the stack of traversed objects // and associate it with its clone stackA.push(value); stackB.push(result); // recursively populate clone (susceptible to call stack limits) (isArr ? baseEach : forOwn)(value, function(objValue, key) { result[key] = baseClone(objValue, isDeep, callback, stackA, stackB); }); if (initedStack) { releaseArray(stackA); releaseArray(stackB); } return result; } /** * The base implementation of `_.create` without support for assigning * properties to the created object. * * @private * @param {Object} prototype The object to inherit from. * @returns {Object} Returns the new object. */ function baseCreate(prototype, properties) { return isObject(prototype) ? nativeCreate(prototype) : {}; } // fallback for browsers without `Object.create` if (!nativeCreate) { baseCreate = (function() { function Object() {} return function(prototype) { if (isObject(prototype)) { Object.prototype = prototype; var result = new Object; Object.prototype = null; } return result || context.Object(); }; }()); } /** * The base implementation of `_.createCallback` without support for creating * "_.pluck" or "_.where" style callbacks. * * @private * @param {*} [func=identity] The value to convert to a callback. * @param {*} [thisArg] The `this` binding of the created callback. * @param {number} [argCount] The number of arguments the callback accepts. * @returns {Function} Returns a callback function. */ function baseCreateCallback(func, thisArg, argCount) { if (typeof func != 'function') { return identity; } // exit early for no `thisArg` or already bound by `Function#bind` if (typeof thisArg == 'undefined' || !('prototype' in func)) { return func; } var bindData = func.__bindData__; if (typeof bindData == 'undefined') { if (support.funcNames) { bindData = !func.name; } bindData = bindData || !support.funcDecomp; if (!bindData) { var source = fnToString.call(func); if (!support.funcNames) { bindData = !reFuncName.test(source); } if (!bindData) { // checks if `func` references the `this` keyword and stores the result bindData = reThis.test(source); setBindData(func, bindData); } } } // exit early if there are no `this` references or `func` is bound if (bindData === false || (bindData !== true && bindData[1] & 1)) { return func; } switch (argCount) { case 1: return function(value) { return func.call(thisArg, value); }; case 2: return function(a, b) { return func.call(thisArg, a, b); }; case 3: return function(value, index, collection) { return func.call(thisArg, value, index, collection); }; case 4: return function(accumulator, value, index, collection) { return func.call(thisArg, accumulator, value, index, collection); }; } return bind(func, thisArg); } /** * The base implementation of `createWrapper` that creates the wrapper and * sets its meta data. * * @private * @param {Array} bindData The bind data array. * @returns {Function} Returns the new function. */ function baseCreateWrapper(bindData) { var func = bindData[0], bitmask = bindData[1], partialArgs = bindData[2], partialRightArgs = bindData[3], thisArg = bindData[4], arity = bindData[5]; var isBind = bitmask & 1, isBindKey = bitmask & 2, isCurry = bitmask & 4, isCurryBound = bitmask & 8, key = func; function bound() { var thisBinding = isBind ? thisArg : this; if (partialArgs) { var args = slice(partialArgs); push.apply(args, arguments); } if (partialRightArgs || isCurry) { args || (args = slice(arguments)); if (partialRightArgs) { push.apply(args, partialRightArgs); } if (isCurry && args.length < arity) { bitmask |= 16 & ~32; return baseCreateWrapper([func, (isCurryBound ? bitmask : bitmask & ~3), args, null, thisArg, arity]); } } args || (args = arguments); if (isBindKey) { func = thisBinding[key]; } if (this instanceof bound) { thisBinding = baseCreate(func.prototype); var result = func.apply(thisBinding, args); return isObject(result) ? result : thisBinding; } return func.apply(thisBinding, args); } setBindData(bound, bindData); return bound; } /** * The base implementation of `_.difference` that accepts a single array * of values to exclude. * * @private * @param {Array} array The array to process. * @param {Array} [values] The array of values to exclude. * @returns {Array} Returns a new array of filtered values. */ function baseDifference(array, values) { var index = -1, indexOf = getIndexOf(), length = array ? array.length : 0, isLarge = length >= largeArraySize && indexOf === baseIndexOf, result = []; if (isLarge) { var cache = createCache(values); if (cache) { indexOf = cacheIndexOf; values = cache; } else { isLarge = false; } } while (++index < length) { var value = array[index]; if (indexOf(values, value) < 0) { result.push(value); } } if (isLarge) { releaseObject(values); } return result; } /** * The base implementation of `_.flatten` without support for callback * shorthands or `thisArg` binding. * * @private * @param {Array} array The array to flatten. * @param {boolean} [isShallow=false] A flag to restrict flattening to a single level. * @param {boolean} [isStrict=false] A flag to restrict flattening to arrays and `arguments` objects. * @param {number} [fromIndex=0] The index to start from. * @returns {Array} Returns a new flattened array. */ function baseFlatten(array, isShallow, isStrict, fromIndex) { var index = (fromIndex || 0) - 1, length = array ? array.length : 0, result = []; while (++index < length) { var value = array[index]; if (value && typeof value == 'object' && typeof value.length == 'number' && (isArray(value) || isArguments(value))) { // recursively flatten arrays (susceptible to call stack limits) if (!isShallow) { value = baseFlatten(value, isShallow, isStrict); } var valIndex = -1, valLength = value.length, resIndex = result.length; result.length += valLength; while (++valIndex < valLength) { result[resIndex++] = value[valIndex]; } } else if (!isStrict) { result.push(value); } } return result; } /** * The base implementation of `_.isEqual`, without support for `thisArg` binding, * that allows partial "_.where" style comparisons. * * @private * @param {*} a The value to compare. * @param {*} b The other value to compare. * @param {Function} [callback] The function to customize comparing values. * @param {Function} [isWhere=false] A flag to indicate performing partial comparisons. * @param {Array} [stackA=[]] Tracks traversed `a` objects. * @param {Array} [stackB=[]] Tracks traversed `b` objects. * @returns {boolean} Returns `true` if the values are equivalent, else `false`. */ function baseIsEqual(a, b, callback, isWhere, stackA, stackB) { // used to indicate that when comparing objects, `a` has at least the properties of `b` if (callback) { var result = callback(a, b); if (typeof result != 'undefined') { return !!result; } } // exit early for identical values if (a === b) { // treat `+0` vs. `-0` as not equal return a !== 0 || (1 / a == 1 / b); } var type = typeof a, otherType = typeof b; // exit early for unlike primitive values if (a === a && !(a && objectTypes[type]) && !(b && objectTypes[otherType])) { return false; } // exit early for `null` and `undefined` avoiding ES3's Function#call behavior // http://es5.github.io/#x15.3.4.4 if (a == null || b == null) { return a === b; } // compare [[Class]] names var className = toString.call(a), otherClass = toString.call(b); if (className == argsClass) { className = objectClass; } if (otherClass == argsClass) { otherClass = objectClass; } if (className != otherClass) { return false; } switch (className) { case boolClass: case dateClass: // coerce dates and booleans to numbers, dates to milliseconds and booleans // to `1` or `0` treating invalid dates coerced to `NaN` as not equal return +a == +b; case numberClass: // treat `NaN` vs. `NaN` as equal return (a != +a) ? b != +b // but treat `+0` vs. `-0` as not equal : (a == 0 ? (1 / a == 1 / b) : a == +b); case regexpClass: case stringClass: // coerce regexes to strings (http://es5.github.io/#x15.10.6.4) // treat string primitives and their corresponding object instances as equal return a == String(b); } var isArr = className == arrayClass; if (!isArr) { // unwrap any `lodash` wrapped values var aWrapped = hasOwnProperty.call(a, '__wrapped__'), bWrapped = hasOwnProperty.call(b, '__wrapped__'); if (aWrapped || bWrapped) { return baseIsEqual(aWrapped ? a.__wrapped__ : a, bWrapped ? b.__wrapped__ : b, callback, isWhere, stackA, stackB); } // exit for functions and DOM nodes if (className != objectClass || (!support.nodeClass && (isNode(a) || isNode(b)))) { return false; } // in older versions of Opera, `arguments` objects have `Array` constructors var ctorA = !support.argsObject && isArguments(a) ? Object : a.constructor, ctorB = !support.argsObject && isArguments(b) ? Object : b.constructor; // non `Object` object instances with different constructors are not equal if (ctorA != ctorB && !(isFunction(ctorA) && ctorA instanceof ctorA && isFunction(ctorB) && ctorB instanceof ctorB) && ('constructor' in a && 'constructor' in b) ) { return false; } } // assume cyclic structures are equal // the algorithm for detecting cyclic structures is adapted from ES 5.1 // section 15.12.3, abstract operation `JO` (http://es5.github.io/#x15.12.3) var initedStack = !stackA; stackA || (stackA = getArray()); stackB || (stackB = getArray()); var length = stackA.length; while (length--) { if (stackA[length] == a) { return stackB[length] == b; } } var size = 0; result = true; // add `a` and `b` to the stack of traversed objects stackA.push(a); stackB.push(b); // recursively compare objects and arrays (susceptible to call stack limits) if (isArr) { // compare lengths to determine if a deep comparison is necessary length = a.length; size = b.length; result = size == length; if (result || isWhere) { // deep compare the contents, ignoring non-numeric properties while (size--) { var index = length, value = b[size]; if (isWhere) { while (index--) { if ((result = baseIsEqual(a[index], value, callback, isWhere, stackA, stackB))) { break; } } } else if (!(result = baseIsEqual(a[size], value, callback, isWhere, stackA, stackB))) { break; } } } } else { // deep compare objects using `forIn`, instead of `forOwn`, to avoid `Object.keys` // which, in this case, is more costly forIn(b, function(value, key, b) { if (hasOwnProperty.call(b, key)) { // count the number of properties. size++; // deep compare each property value. return (result = hasOwnProperty.call(a, key) && baseIsEqual(a[key], value, callback, isWhere, stackA, stackB)); } }); if (result && !isWhere) { // ensure both objects have the same number of properties forIn(a, function(value, key, a) { if (hasOwnProperty.call(a, key)) { // `size` will be `-1` if `a` has more properties than `b` return (result = --size > -1); } }); } } stackA.pop(); stackB.pop(); if (initedStack) { releaseArray(stackA); releaseArray(stackB); } return result; } /** * The base implementation of `_.merge` without argument juggling or support * for `thisArg` binding. * * @private * @param {Object} object The destination object. * @param {Object} source The source object. * @param {Function} [callback] The function to customize merging properties. * @param {Array} [stackA=[]] Tracks traversed source objects. * @param {Array} [stackB=[]] Associates values with source counterparts. */ function baseMerge(object, source, callback, stackA, stackB) { (isArray(source) ? forEach : forOwn)(source, function(source, key) { var found, isArr, result = source, value = object[key]; if (source && ((isArr = isArray(source)) || isPlainObject(source))) { // avoid merging previously merged cyclic sources var stackLength = stackA.length; while (stackLength--) { if ((found = stackA[stackLength] == source)) { value = stackB[stackLength]; break; } } if (!found) { var isShallow; if (callback) { result = callback(value, source); if ((isShallow = typeof result != 'undefined')) { value = result; } } if (!isShallow) { value = isArr ? (isArray(value) ? value : []) : (isPlainObject(value) ? value : {}); } // add `source` and associated `value` to the stack of traversed objects stackA.push(source); stackB.push(value); // recursively merge objects and arrays (susceptible to call stack limits) if (!isShallow) { baseMerge(value, source, callback, stackA, stackB); } } } else { if (callback) { result = callback(value, source); if (typeof result == 'undefined') { result = source; } } if (typeof result != 'undefined') { value = result; } } object[key] = value; }); } /** * The base implementation of `_.random` without argument juggling or support * for returning floating-point numbers. * * @private * @param {number} min The minimum possible value. * @param {number} max The maximum possible value. * @returns {number} Returns a random number. */ function baseRandom(min, max) { return min + floor(nativeRandom() * (max - min + 1)); } /** * The base implementation of `_.uniq` without support for callback shorthands * or `thisArg` binding. * * @private * @param {Array} array The array to process. * @param {boolean} [isSorted=false] A flag to indicate that `array` is sorted. * @param {Function} [callback] The function called per iteration. * @returns {Array} Returns a duplicate-value-free array. */ function baseUniq(array, isSorted, callback) { var index = -1, indexOf = getIndexOf(), length = array ? array.length : 0, result = []; var isLarge = !isSorted && length >= largeArraySize && indexOf === baseIndexOf, seen = (callback || isLarge) ? getArray() : result; if (isLarge) { var cache = createCache(seen); indexOf = cacheIndexOf; seen = cache; } while (++index < length) { var value = array[index], computed = callback ? callback(value, index, array) : value; if (isSorted ? !index || seen[seen.length - 1] !== computed : indexOf(seen, computed) < 0 ) { if (callback || isLarge) { seen.push(computed); } result.push(value); } } if (isLarge) { releaseArray(seen.array); releaseObject(seen); } else if (callback) { releaseArray(seen); } return result; } /** * Creates a function that aggregates a collection, creating an object composed * of keys generated from the results of running each element of the collection * through a callback. The given `setter` function sets the keys and values * of the composed object. * * @private * @param {Function} setter The setter function. * @returns {Function} Returns the new aggregator function. */ function createAggregator(setter) { return function(collection, callback, thisArg) { var result = {}; callback = lodash.createCallback(callback, thisArg, 3); if (isArray(collection)) { var index = -1, length = collection.length; while (++index < length) { var value = collection[index]; setter(result, value, callback(value, index, collection), collection); } } else { baseEach(collection, function(value, key, collection) { setter(result, value, callback(value, key, collection), collection); }); } return result; }; } /** * Creates a function that, when called, either curries or invokes `func` * with an optional `this` binding and partially applied arguments. * * @private * @param {Function|string} func The function or method name to reference. * @param {number} bitmask The bitmask of method flags to compose. * The bitmask may be composed of the following flags: * 1 - `_.bind` * 2 - `_.bindKey` * 4 - `_.curry` * 8 - `_.curry` (bound) * 16 - `_.partial` * 32 - `_.partialRight` * @param {Array} [partialArgs] An array of arguments to prepend to those * provided to the new function. * @param {Array} [partialRightArgs] An array of arguments to append to those * provided to the new function. * @param {*} [thisArg] The `this` binding of `func`. * @param {number} [arity] The arity of `func`. * @returns {Function} Returns the new function. */ function createWrapper(func, bitmask, partialArgs, partialRightArgs, thisArg, arity) { var isBind = bitmask & 1, isBindKey = bitmask & 2, isCurry = bitmask & 4, isCurryBound = bitmask & 8, isPartial = bitmask & 16, isPartialRight = bitmask & 32; if (!isBindKey && !isFunction(func)) { throw new TypeError; } if (isPartial && !partialArgs.length) { bitmask &= ~16; isPartial = partialArgs = false; } if (isPartialRight && !partialRightArgs.length) { bitmask &= ~32; isPartialRight = partialRightArgs = false; } var bindData = func && func.__bindData__; if (bindData && bindData !== true) { // clone `bindData` bindData = slice(bindData); if (bindData[2]) { bindData[2] = slice(bindData[2]); } if (bindData[3]) { bindData[3] = slice(bindData[3]); } // set `thisBinding` is not previously bound if (isBind && !(bindData[1] & 1)) { bindData[4] = thisArg; } // set if previously bound but not currently (subsequent curried functions) if (!isBind && bindData[1] & 1) { bitmask |= 8; } // set curried arity if not yet set if (isCurry && !(bindData[1] & 4)) { bindData[5] = arity; } // append partial left arguments if (isPartial) { push.apply(bindData[2] || (bindData[2] = []), partialArgs); } // append partial right arguments if (isPartialRight) { unshift.apply(bindData[3] || (bindData[3] = []), partialRightArgs); } // merge flags bindData[1] |= bitmask; return createWrapper.apply(null, bindData); } // fast path for `_.bind` var creater = (bitmask == 1 || bitmask === 17) ? baseBind : baseCreateWrapper; return creater([func, bitmask, partialArgs, partialRightArgs, thisArg, arity]); } /** * Creates compiled iteration functions. * * @private * @param {...Object} [options] The compile options object(s). * @param {string} [options.array] Code to determine if the iterable is an array or array-like. * @param {boolean} [options.useHas] Specify using `hasOwnProperty` checks in the object loop. * @param {Function} [options.keys] A reference to `_.keys` for use in own property iteration. * @param {string} [options.args] A comma separated string of iteration function arguments. * @param {string} [options.top] Code to execute before the iteration branches. * @param {string} [options.loop] Code to execute in the object loop. * @param {string} [options.bottom] Code to execute after the iteration branches. * @returns {Function} Returns the compiled function. */ function createIterator() { // data properties iteratorData.shadowedProps = shadowedProps; // iterator options iteratorData.array = iteratorData.bottom = iteratorData.loop = iteratorData.top = ''; iteratorData.init = 'iterable'; iteratorData.useHas = true; // merge options into a template data object for (var object, index = 0; object = arguments[index]; index++) { for (var key in object) { iteratorData[key] = object[key]; } } var args = iteratorData.args; iteratorData.firstArg = /^[^,]+/.exec(args)[0]; // create the function factory var factory = Function( 'baseCreateCallback, errorClass, errorProto, hasOwnProperty, ' + 'indicatorObject, isArguments, isArray, isString, keys, objectProto, ' + 'objectTypes, nonEnumProps, stringClass, stringProto, toString', 'return function(' + args + ') {\n' + iteratorTemplate(iteratorData) + '\n}' ); // return the compiled function return factory( baseCreateCallback, errorClass, errorProto, hasOwnProperty, indicatorObject, isArguments, isArray, isString, iteratorData.keys, objectProto, objectTypes, nonEnumProps, stringClass, stringProto, toString ); } /** * Used by `escape` to convert characters to HTML entities. * * @private * @param {string} match The matched character to escape. * @returns {string} Returns the escaped character. */ function escapeHtmlChar(match) { return htmlEscapes[match]; } /** * Gets the appropriate "indexOf" function. If the `_.indexOf` method is * customized, this method returns the custom method, otherwise it returns * the `baseIndexOf` function. * * @private * @returns {Function} Returns the "indexOf" function. */ function getIndexOf() { var result = (result = lodash.indexOf) === indexOf ? baseIndexOf : result; return result; } /** * Checks if `value` is a native function. * * @private * @param {*} value The value to check. * @returns {boolean} Returns `true` if the `value` is a native function, else `false`. */ function isNative(value) { return typeof value == 'function' && reNative.test(value); } /** * Sets `this` binding data on a given function. * * @private * @param {Function} func The function to set data on. * @param {Array} value The data array to set. */ var setBindData = !defineProperty ? noop : function(func, value) { descriptor.value = value; defineProperty(func, '__bindData__', descriptor); }; /** * A fallback implementation of `isPlainObject` which checks if a given value * is an object created by the `Object` constructor, assuming objects created * by the `Object` constructor have no inherited enumerable properties and that * there are no `Object.prototype` extensions. * * @private * @param {*} value The value to check. * @returns {boolean} Returns `true` if `value` is a plain object, else `false`. */ function shimIsPlainObject(value) { var ctor, result; // avoid non Object objects, `arguments` objects, and DOM elements if (!(value && toString.call(value) == objectClass) || (ctor = value.constructor, isFunction(ctor) && !(ctor instanceof ctor)) || (!support.argsClass && isArguments(value)) || (!support.nodeClass && isNode(value))) { return false; } // IE < 9 iterates inherited properties before own properties. If the first // iterated property is an object's own property then there are no inherited // enumerable properties. if (support.ownLast) { forIn(value, function(value, key, object) { result = hasOwnProperty.call(object, key); return false; }); return result !== false; } // In most environments an object's own properties are iterated before // its inherited properties. If the last iterated property is an object's // own property then there are no inherited enumerable properties. forIn(value, function(value, key) { result = key; }); return typeof result == 'undefined' || hasOwnProperty.call(value, result); } /** * Used by `unescape` to convert HTML entities to characters. * * @private * @param {string} match The matched character to unescape. * @returns {string} Returns the unescaped character. */ function unescapeHtmlChar(match) { return htmlUnescapes[match]; } /*--------------------------------------------------------------------------*/ /** * Checks if `value` is an `arguments` object. * * @static * @memberOf _ * @category Objects * @param {*} value The value to check. * @returns {boolean} Returns `true` if the `value` is an `arguments` object, else `false`. * @example * * (function() { return _.isArguments(arguments); })(1, 2, 3); * // => true * * _.isArguments([1, 2, 3]); * // => false */ function isArguments(value) { return value && typeof value == 'object' && typeof value.length == 'number' && toString.call(value) == argsClass || false; } // fallback for browsers that can't detect `arguments` objects by [[Class]] if (!support.argsClass) { isArguments = function(value) { return value && typeof value == 'object' && typeof value.length == 'number' && hasOwnProperty.call(value, 'callee') && !propertyIsEnumerable.call(value, 'callee') || false; }; } /** * Checks if `value` is an array. * * @static * @memberOf _ * @type Function * @category Objects * @param {*} value The value to check. * @returns {boolean} Returns `true` if the `value` is an array, else `false`. * @example * * (function() { return _.isArray(arguments); })(); * // => false * * _.isArray([1, 2, 3]); * // => true */ var isArray = nativeIsArray || function(value) { return value && typeof value == 'object' && typeof value.length == 'number' && toString.call(value) == arrayClass || false; }; /** * A fallback implementation of `Object.keys` which produces an array of the * given object's own enumerable property names. * * @private * @type Function * @param {Object} object The object to inspect. * @returns {Array} Returns an array of property names. */ var shimKeys = createIterator({ 'args': 'object', 'init': '[]', 'top': 'if (!(objectTypes[typeof object])) return result', 'loop': 'result.push(index)' }); /** * Creates an array composed of the own enumerable property names of an object. * * @static * @memberOf _ * @category Objects * @param {Object} object The object to inspect. * @returns {Array} Returns an array of property names. * @example * * _.keys({ 'one': 1, 'two': 2, 'three': 3 }); * // => ['one', 'two', 'three'] (property order is not guaranteed across environments) */ var keys = !nativeKeys ? shimKeys : function(object) { if (!isObject(object)) { return []; } if ((support.enumPrototypes && typeof object == 'function') || (support.nonEnumArgs && object.length && isArguments(object))) { return shimKeys(object); } return nativeKeys(object); }; /** Reusable iterator options shared by `each`, `forIn`, and `forOwn` */ var eachIteratorOptions = { 'args': 'collection, callback, thisArg', 'top': "callback = callback && typeof thisArg == 'undefined' ? callback : baseCreateCallback(callback, thisArg, 3)", 'array': "typeof length == 'number'", 'keys': keys, 'loop': 'if (callback(iterable[index], index, collection) === false) return result' }; /** Reusable iterator options for `assign` and `defaults` */ var defaultsIteratorOptions = { 'args': 'object, source, guard', 'top': 'var args = arguments,\n' + ' argsIndex = 0,\n' + " argsLength = typeof guard == 'number' ? 2 : args.length;\n" + 'while (++argsIndex < argsLength) {\n' + ' iterable = args[argsIndex];\n' + ' if (iterable && objectTypes[typeof iterable]) {', 'keys': keys, 'loop': "if (typeof result[index] == 'undefined') result[index] = iterable[index]", 'bottom': ' }\n}' }; /** Reusable iterator options for `forIn` and `forOwn` */ var forOwnIteratorOptions = { 'top': 'if (!objectTypes[typeof iterable]) return result;\n' + eachIteratorOptions.top, 'array': false }; /** * Used to convert characters to HTML entities: * * Though the `>` character is escaped for symmetry, characters like `>` and `/` * don't require escaping in HTML and have no special meaning unless they're part * of a tag or an unquoted attribute value. * http://mathiasbynens.be/notes/ambiguous-ampersands (under "semi-related fun fact") */ var htmlEscapes = { '&': '&amp;', '<': '&lt;', '>': '&gt;', '"': '&quot;', "'": '&#39;' }; /** Used to convert HTML entities to characters */ var htmlUnescapes = invert(htmlEscapes); /** Used to match HTML entities and HTML characters */ var reEscapedHtml = RegExp('(' + keys(htmlUnescapes).join('|') + ')', 'g'), reUnescapedHtml = RegExp('[' + keys(htmlEscapes).join('') + ']', 'g'); /** * A function compiled to iterate `arguments` objects, arrays, objects, and * strings consistenly across environments, executing the callback for each * element in the collection. The callback is bound to `thisArg` and invoked * with three arguments; (value, index|key, collection). Callbacks may exit * iteration early by explicitly returning `false`. * * @private * @type Function * @param {Array|Object|string} collection The collection to iterate over. * @param {Function} [callback=identity] The function called per iteration. * @param {*} [thisArg] The `this` binding of `callback`. * @returns {Array|Object|string} Returns `collection`. */ var baseEach = createIterator(eachIteratorOptions); /*--------------------------------------------------------------------------*/ /** * Assigns own enumerable properties of source object(s) to the destination * object. Subsequent sources will overwrite property assignments of previous * sources. If a callback is provided it will be executed to produce the * assigned values. The callback is bound to `thisArg` and invoked with two * arguments; (objectValue, sourceValue). * * @static * @memberOf _ * @type Function * @alias extend * @category Objects * @param {Object} object The destination object. * @param {...Object} [source] The source objects. * @param {Function} [callback] The function to customize assigning values. * @param {*} [thisArg] The `this` binding of `callback`. * @returns {Object} Returns the destination object. * @example * * _.assign({ 'name': 'fred' }, { 'employer': 'slate' }); * // => { 'name': 'fred', 'employer': 'slate' } * * var defaults = _.partialRight(_.assign, function(a, b) { * return typeof a == 'undefined' ? b : a; * }); * * var object = { 'name': 'barney' }; * defaults(object, { 'name': 'fred', 'employer': 'slate' }); * // => { 'name': 'barney', 'employer': 'slate' } */ var assign = createIterator(defaultsIteratorOptions, { 'top': defaultsIteratorOptions.top.replace(';', ';\n' + "if (argsLength > 3 && typeof args[argsLength - 2] == 'function') {\n" + ' var callback = baseCreateCallback(args[--argsLength - 1], args[argsLength--], 2);\n' + "} else if (argsLength > 2 && typeof args[argsLength - 1] == 'function') {\n" + ' callback = args[--argsLength];\n' + '}' ), 'loop': 'result[index] = callback ? callback(result[index], iterable[index]) : iterable[index]' }); /** * Creates a clone of `value`. If `isDeep` is `true` nested objects will also * be cloned, otherwise they will be assigned by reference. If a callback * is provided it will be executed to produce the cloned values. If the * callback returns `undefined` cloning will be handled by the method instead. * The callback is bound to `thisArg` and invoked with one argument; (value). * * @static * @memberOf _ * @category Objects * @param {*} value The value to clone. * @param {boolean} [isDeep=false] Specify a deep clone. * @param {Function} [callback] The function to customize cloning values. * @param {*} [thisArg] The `this` binding of `callback`. * @returns {*} Returns the cloned value. * @example * * var characters = [ * { 'name': 'barney', 'age': 36 }, * { 'name': 'fred', 'age': 40 } * ]; * * var shallow = _.clone(characters); * shallow[0] === characters[0]; * // => true * * var deep = _.clone(characters, true); * deep[0] === characters[0]; * // => false * * _.mixin({ * 'clone': _.partialRight(_.clone, function(value) { * return _.isElement(value) ? value.cloneNode(false) : undefined; * }) * }); * * var clone = _.clone(document.body); * clone.childNodes.length; * // => 0 */ function clone(value, isDeep, callback, thisArg) { // allows working with "Collections" methods without using their `index` // and `collection` arguments for `isDeep` and `callback` if (typeof isDeep != 'boolean' && isDeep != null) { thisArg = callback; callback = isDeep; isDeep = false; } return baseClone(value, isDeep, typeof callback == 'function' && baseCreateCallback(callback, thisArg, 1)); } /** * Creates a deep clone of `value`. If a callback is provided it will be * executed to produce the cloned values. If the callback returns `undefined` * cloning will be handled by the method instead. The callback is bound to * `thisArg` and invoked with one argument; (value). * * Note: This method is loosely based on the structured clone algorithm. Functions * and DOM nodes are **not** cloned. The enumerable properties of `arguments` objects and * objects created by constructors other than `Object` are cloned to plain `Object` objects. * See http://www.w3.org/TR/html5/infrastructure.html#internal-structured-cloning-algorithm. * * @static * @memberOf _ * @category Objects * @param {*} value The value to deep clone. * @param {Function} [callback] The function to customize cloning values. * @param {*} [thisArg] The `this` binding of `callback`. * @returns {*} Returns the deep cloned value. * @example * * var characters = [ * { 'name': 'barney', 'age': 36 }, * { 'name': 'fred', 'age': 40 } * ]; * * var deep = _.cloneDeep(characters); * deep[0] === characters[0]; * // => false * * var view = { * 'label': 'docs', * 'node': element * }; * * var clone = _.cloneDeep(view, function(value) { * return _.isElement(value) ? value.cloneNode(true) : undefined; * }); * * clone.node == view.node; * // => false */ function cloneDeep(value, callback, thisArg) { return baseClone(value, true, typeof callback == 'function' && baseCreateCallback(callback, thisArg, 1)); } /** * Creates an object that inherits from the given `prototype` object. If a * `properties` object is provided its own enumerable properties are assigned * to the created object. * * @static * @memberOf _ * @category Objects * @param {Object} prototype The object to inherit from. * @param {Object} [properties] The properties to assign to the object. * @returns {Object} Returns the new object. * @example * * function Shape() { * this.x = 0; * this.y = 0; * } * * function Circle() { * Shape.call(this); * } * * Circle.prototype = _.create(Shape.prototype, { 'constructor': Circle }); * * var circle = new Circle; * circle instanceof Circle; * // => true * * circle instanceof Shape; * // => true */ function create(prototype, properties) { var result = baseCreate(prototype); return properties ? assign(result, properties) : result; } /** * Assigns own enumerable properties of source object(s) to the destination * object for all destination properties that resolve to `undefined`. Once a * property is set, additional defaults of the same property will be ignored. * * @static * @memberOf _ * @type Function * @category Objects * @param {Object} object The destination object. * @param {...Object} [source] The source objects. * @param- {Object} [guard] Allows working with `_.reduce` without using its * `key` and `object` arguments as sources. * @returns {Object} Returns the destination object. * @example * * var object = { 'name': 'barney' }; * _.defaults(object, { 'name': 'fred', 'employer': 'slate' }); * // => { 'name': 'barney', 'employer': 'slate' } */ var defaults = createIterator(defaultsIteratorOptions); /** * This method is like `_.findIndex` except that it returns the key of the * first element that passes the callback check, instead of the element itself. * * If a property name is provided for `callback` the created "_.pluck" style * callback will return the property value of the given element. * * If an object is provided for `callback` the created "_.where" style callback * will return `true` for elements that have the properties of the given object, * else `false`. * * @static * @memberOf _ * @category Objects * @param {Object} object The object to search. * @param {Function|Object|string} [callback=identity] The function called per * iteration. If a property name or object is provided it will be used to * create a "_.pluck" or "_.where" style callback, respectively. * @param {*} [thisArg] The `this` binding of `callback`. * @returns {string|undefined} Returns the key of the found element, else `undefined`. * @example * * var characters = { * 'barney': { 'age': 36, 'blocked': false }, * 'fred': { 'age': 40, 'blocked': true }, * 'pebbles': { 'age': 1, 'blocked': false } * }; * * _.findKey(characters, function(chr) { * return chr.age < 40; * }); * // => 'barney' (property order is not guaranteed across environments) * * // using "_.where" callback shorthand * _.findKey(characters, { 'age': 1 }); * // => 'pebbles' * * // using "_.pluck" callback shorthand * _.findKey(characters, 'blocked'); * // => 'fred' */ function findKey(object, callback, thisArg) { var result; callback = lodash.createCallback(callback, thisArg, 3); forOwn(object, function(value, key, object) { if (callback(value, key, object)) { result = key; return false; } }); return result; } /** * This method is like `_.findKey` except that it iterates over elements * of a `collection` in the opposite order. * * If a property name is provided for `callback` the created "_.pluck" style * callback will return the property value of the given element. * * If an object is provided for `callback` the created "_.where" style callback * will return `true` for elements that have the properties of the given object, * else `false`. * * @static * @memberOf _ * @category Objects * @param {Object} object The object to search. * @param {Function|Object|string} [callback=identity] The function called per * iteration. If a property name or object is provided it will be used to * create a "_.pluck" or "_.where" style callback, respectively. * @param {*} [thisArg] The `this` binding of `callback`. * @returns {string|undefined} Returns the key of the found element, else `undefined`. * @example * * var characters = { * 'barney': { 'age': 36, 'blocked': true }, * 'fred': { 'age': 40, 'blocked': false }, * 'pebbles': { 'age': 1, 'blocked': true } * }; * * _.findLastKey(characters, function(chr) { * return chr.age < 40; * }); * // => returns `pebbles`, assuming `_.findKey` returns `barney` * * // using "_.where" callback shorthand * _.findLastKey(characters, { 'age': 40 }); * // => 'fred' * * // using "_.pluck" callback shorthand * _.findLastKey(characters, 'blocked'); * // => 'pebbles' */ function findLastKey(object, callback, thisArg) { var result; callback = lodash.createCallback(callback, thisArg, 3); forOwnRight(object, function(value, key, object) { if (callback(value, key, object)) { result = key; return false; } }); return result; } /** * Iterates over own and inherited enumerable properties of an object, * executing the callback for each property. The callback is bound to `thisArg` * and invoked with three arguments; (value, key, object). Callbacks may exit * iteration early by explicitly returning `false`. * * @static * @memberOf _ * @type Function * @category Objects * @param {Object} object The object to iterate over. * @param {Function} [callback=identity] The function called per iteration. * @param {*} [thisArg] The `this` binding of `callback`. * @returns {Object} Returns `object`. * @example * * function Shape() { * this.x = 0; * this.y = 0; * } * * Shape.prototype.move = function(x, y) { * this.x += x; * this.y += y; * }; * * _.forIn(new Shape, function(value, key) { * console.log(key); * }); * // => logs 'x', 'y', and 'move' (property order is not guaranteed across environments) */ var forIn = createIterator(eachIteratorOptions, forOwnIteratorOptions, { 'useHas': false }); /** * This method is like `_.forIn` except that it iterates over elements * of a `collection` in the opposite order. * * @static * @memberOf _ * @category Objects * @param {Object} object The object to iterate over. * @param {Function} [callback=identity] The function called per iteration. * @param {*} [thisArg] The `this` binding of `callback`. * @returns {Object} Returns `object`. * @example * * function Shape() { * this.x = 0; * this.y = 0; * } * * Shape.prototype.move = function(x, y) { * this.x += x; * this.y += y; * }; * * _.forInRight(new Shape, function(value, key) { * console.log(key); * }); * // => logs 'move', 'y', and 'x' assuming `_.forIn ` logs 'x', 'y', and 'move' */ function forInRight(object, callback, thisArg) { var pairs = []; forIn(object, function(value, key) { pairs.push(key, value); }); var length = pairs.length; callback = baseCreateCallback(callback, thisArg, 3); while (length--) { if (callback(pairs[length--], pairs[length], object) === false) { break; } } return object; } /** * Iterates over own enumerable properties of an object, executing the callback * for each property. The callback is bound to `thisArg` and invoked with three * arguments; (value, key, object). Callbacks may exit iteration early by * explicitly returning `false`. * * @static * @memberOf _ * @type Function * @category Objects * @param {Object} object The object to iterate over. * @param {Function} [callback=identity] The function called per iteration. * @param {*} [thisArg] The `this` binding of `callback`. * @returns {Object} Returns `object`. * @example * * _.forOwn({ '0': 'zero', '1': 'one', 'length': 2 }, function(num, key) { * console.log(key); * }); * // => logs '0', '1', and 'length' (property order is not guaranteed across environments) */ var forOwn = createIterator(eachIteratorOptions, forOwnIteratorOptions); /** * This method is like `_.forOwn` except that it iterates over elements * of a `collection` in the opposite order. * * @static * @memberOf _ * @category Objects * @param {Object} object The object to iterate over. * @param {Function} [callback=identity] The function called per iteration. * @param {*} [thisArg] The `this` binding of `callback`. * @returns {Object} Returns `object`. * @example * * _.forOwnRight({ '0': 'zero', '1': 'one', 'length': 2 }, function(num, key) { * console.log(key); * }); * // => logs 'length', '1', and '0' assuming `_.forOwn` logs '0', '1', and 'length' */ function forOwnRight(object, callback, thisArg) { var props = keys(object), length = props.length; callback = baseCreateCallback(callback, thisArg, 3); while (length--) { var key = props[length]; if (callback(object[key], key, object) === false) { break; } } return object; } /** * Creates a sorted array of property names of all enumerable properties, * own and inherited, of `object` that have function values. * * @static * @memberOf _ * @alias methods * @category Objects * @param {Object} object The object to inspect. * @returns {Array} Returns an array of property names that have function values. * @example * * _.functions(_); * // => ['all', 'any', 'bind', 'bindAll', 'clone', 'compact', 'compose', ...] */ function functions(object) { var result = []; forIn(object, function(value, key) { if (isFunction(value)) { result.push(key); } }); return result.sort(); } /** * Checks if the specified property name exists as a direct property of `object`, * instead of an inherited property. * * @static * @memberOf _ * @category Objects * @param {Object} object The object to inspect. * @param {string} key The name of the property to check. * @returns {boolean} Returns `true` if key is a direct property, else `false`. * @example * * _.has({ 'a': 1, 'b': 2, 'c': 3 }, 'b'); * // => true */ function has(object, key) { return object ? hasOwnProperty.call(object, key) : false; } /** * Creates an object composed of the inverted keys and values of the given object. * * @static * @memberOf _ * @category Objects * @param {Object} object The object to invert. * @returns {Object} Returns the created inverted object. * @example * * _.invert({ 'first': 'fred', 'second': 'barney' }); * // => { 'fred': 'first', 'barney': 'second' } */ function invert(object) { var index = -1, props = keys(object), length = props.length, result = {}; while (++index < length) { var key = props[index]; result[object[key]] = key; } return result; } /** * Checks if `value` is a boolean value. * * @static * @memberOf _ * @category Objects * @param {*} value The value to check. * @returns {boolean} Returns `true` if the `value` is a boolean value, else `false`. * @example * * _.isBoolean(null); * // => false */ function isBoolean(value) { return value === true || value === false || value && typeof value == 'object' && toString.call(value) == boolClass || false; } /** * Checks if `value` is a date. * * @static * @memberOf _ * @category Objects * @param {*} value The value to check. * @returns {boolean} Returns `true` if the `value` is a date, else `false`. * @example * * _.isDate(new Date); * // => true */ function isDate(value) { return value && typeof value == 'object' && toString.call(value) == dateClass || false; } /** * Checks if `value` is a DOM element. * * @static * @memberOf _ * @category Objects * @param {*} value The value to check. * @returns {boolean} Returns `true` if the `value` is a DOM element, else `false`. * @example * * _.isElement(document.body); * // => true */ function isElement(value) { return value && value.nodeType === 1 || false; } /** * Checks if `value` is empty. Arrays, strings, or `arguments` objects with a * length of `0` and objects with no own enumerable properties are considered * "empty". * * @static * @memberOf _ * @category Objects * @param {Array|Object|string} value The value to inspect. * @returns {boolean} Returns `true` if the `value` is empty, else `false`. * @example * * _.isEmpty([1, 2, 3]); * // => false * * _.isEmpty({}); * // => true * * _.isEmpty(''); * // => true */ function isEmpty(value) { var result = true; if (!value) { return result; } var className = toString.call(value), length = value.length; if ((className == arrayClass || className == stringClass || (support.argsClass ? className == argsClass : isArguments(value))) || (className == objectClass && typeof length == 'number' && isFunction(value.splice))) { return !length; } forOwn(value, function() { return (result = false); }); return result; } /** * Performs a deep comparison between two values to determine if they are * equivalent to each other. If a callback is provided it will be executed * to compare values. If the callback returns `undefined` comparisons will * be handled by the method instead. The callback is bound to `thisArg` and * invoked with two arguments; (a, b). * * @static * @memberOf _ * @category Objects * @param {*} a The value to compare. * @param {*} b The other value to compare. * @param {Function} [callback] The function to customize comparing values. * @param {*} [thisArg] The `this` binding of `callback`. * @returns {boolean} Returns `true` if the values are equivalent, else `false`. * @example * * var object = { 'name': 'fred' }; * var copy = { 'name': 'fred' }; * * object == copy; * // => false * * _.isEqual(object, copy); * // => true * * var words = ['hello', 'goodbye']; * var otherWords = ['hi', 'goodbye']; * * _.isEqual(words, otherWords, function(a, b) { * var reGreet = /^(?:hello|hi)$/i, * aGreet = _.isString(a) && reGreet.test(a), * bGreet = _.isString(b) && reGreet.test(b); * * return (aGreet || bGreet) ? (aGreet == bGreet) : undefined; * }); * // => true */ function isEqual(a, b, callback, thisArg) { return baseIsEqual(a, b, typeof callback == 'function' && baseCreateCallback(callback, thisArg, 2)); } /** * Checks if `value` is, or can be coerced to, a finite number. * * Note: This is not the same as native `isFinite` which will return true for * booleans and empty strings. See http://es5.github.io/#x15.1.2.5. * * @static * @memberOf _ * @category Objects * @param {*} value The value to check. * @returns {boolean} Returns `true` if the `value` is finite, else `false`. * @example * * _.isFinite(-101); * // => true * * _.isFinite('10'); * // => true * * _.isFinite(true); * // => false * * _.isFinite(''); * // => false * * _.isFinite(Infinity); * // => false */ function isFinite(value) { return nativeIsFinite(value) && !nativeIsNaN(parseFloat(value)); } /** * Checks if `value` is a function. * * @static * @memberOf _ * @category Objects * @param {*} value The value to check. * @returns {boolean} Returns `true` if the `value` is a function, else `false`. * @example * * _.isFunction(_); * // => true */ function isFunction(value) { return typeof value == 'function'; } // fallback for older versions of Chrome and Safari if (isFunction(/x/)) { isFunction = function(value) { return typeof value == 'function' && toString.call(value) == funcClass; }; } /** * Checks if `value` is the language type of Object. * (e.g. arrays, functions, objects, regexes, `new Number(0)`, and `new String('')`) * * @static * @memberOf _ * @category Objects * @param {*} value The value to check. * @returns {boolean} Returns `true` if the `value` is an object, else `false`. * @example * * _.isObject({}); * // => true * * _.isObject([1, 2, 3]); * // => true * * _.isObject(1); * // => false */ function isObject(value) { // check if the value is the ECMAScript language type of Object // http://es5.github.io/#x8 // and avoid a V8 bug // http://code.google.com/p/v8/issues/detail?id=2291 return !!(value && objectTypes[typeof value]); } /** * Checks if `value` is `NaN`. * * Note: This is not the same as native `isNaN` which will return `true` for * `undefined` and other non-numeric values. See http://es5.github.io/#x15.1.2.4. * * @static * @memberOf _ * @category Objects * @param {*} value The value to check. * @returns {boolean} Returns `true` if the `value` is `NaN`, else `false`. * @example * * _.isNaN(NaN); * // => true * * _.isNaN(new Number(NaN)); * // => true * * isNaN(undefined); * // => true * * _.isNaN(undefined); * // => false */ function isNaN(value) { // `NaN` as a primitive is the only value that is not equal to itself // (perform the [[Class]] check first to avoid errors with some host objects in IE) return isNumber(value) && value != +value; } /** * Checks if `value` is `null`. * * @static * @memberOf _ * @category Objects * @param {*} value The value to check. * @returns {boolean} Returns `true` if the `value` is `null`, else `false`. * @example * * _.isNull(null); * // => true * * _.isNull(undefined); * // => false */ function isNull(value) { return value === null; } /** * Checks if `value` is a number. * * Note: `NaN` is considered a number. See http://es5.github.io/#x8.5. * * @static * @memberOf _ * @category Objects * @param {*} value The value to check. * @returns {boolean} Returns `true` if the `value` is a number, else `false`. * @example * * _.isNumber(8.4 * 5); * // => true */ function isNumber(value) { return typeof value == 'number' || value && typeof value == 'object' && toString.call(value) == numberClass || false; } /** * Checks if `value` is an object created by the `Object` constructor. * * @static * @memberOf _ * @category Objects * @param {*} value The value to check. * @returns {boolean} Returns `true` if `value` is a plain object, else `false`. * @example * * function Shape() { * this.x = 0; * this.y = 0; * } * * _.isPlainObject(new Shape); * // => false * * _.isPlainObject([1, 2, 3]); * // => false * * _.isPlainObject({ 'x': 0, 'y': 0 }); * // => true */ var isPlainObject = !getPrototypeOf ? shimIsPlainObject : function(value) { if (!(value && toString.call(value) == objectClass) || (!support.argsClass && isArguments(value))) { return false; } var valueOf = value.valueOf, objProto = isNative(valueOf) && (objProto = getPrototypeOf(valueOf)) && getPrototypeOf(objProto); return objProto ? (value == objProto || getPrototypeOf(value) == objProto) : shimIsPlainObject(value); }; /** * Checks if `value` is a regular expression. * * @static * @memberOf _ * @category Objects * @param {*} value The value to check. * @returns {boolean} Returns `true` if the `value` is a regular expression, else `false`. * @example * * _.isRegExp(/fred/); * // => true */ function isRegExp(value) { return value && objectTypes[typeof value] && toString.call(value) == regexpClass || false; } /** * Checks if `value` is a string. * * @static * @memberOf _ * @category Objects * @param {*} value The value to check. * @returns {boolean} Returns `true` if the `value` is a string, else `false`. * @example * * _.isString('fred'); * // => true */ function isString(value) { return typeof value == 'string' || value && typeof value == 'object' && toString.call(value) == stringClass || false; } /** * Checks if `value` is `undefined`. * * @static * @memberOf _ * @category Objects * @param {*} value The value to check. * @returns {boolean} Returns `true` if the `value` is `undefined`, else `false`. * @example * * _.isUndefined(void 0); * // => true */ function isUndefined(value) { return typeof value == 'undefined'; } /** * Creates an object with the same keys as `object` and values generated by * running each own enumerable property of `object` through the callback. * The callback is bound to `thisArg` and invoked with three arguments; * (value, key, object). * * If a property name is provided for `callback` the created "_.pluck" style * callback will return the property value of the given element. * * If an object is provided for `callback` the created "_.where" style callback * will return `true` for elements that have the properties of the given object, * else `false`. * * @static * @memberOf _ * @category Objects * @param {Object} object The object to iterate over. * @param {Function|Object|string} [callback=identity] The function called * per iteration. If a property name or object is provided it will be used * to create a "_.pluck" or "_.where" style callback, respectively. * @param {*} [thisArg] The `this` binding of `callback`. * @returns {Array} Returns a new object with values of the results of each `callback` execution. * @example * * _.mapValues({ 'a': 1, 'b': 2, 'c': 3} , function(num) { return num * 3; }); * // => { 'a': 3, 'b': 6, 'c': 9 } * * var characters = { * 'fred': { 'name': 'fred', 'age': 40 }, * 'pebbles': { 'name': 'pebbles', 'age': 1 } * }; * * // using "_.pluck" callback shorthand * _.mapValues(characters, 'age'); * // => { 'fred': 40, 'pebbles': 1 } */ function mapValues(object, callback, thisArg) { var result = {}; callback = lodash.createCallback(callback, thisArg, 3); forOwn(object, function(value, key, object) { result[key] = callback(value, key, object); }); return result; } /** * Recursively merges own enumerable properties of the source object(s), that * don't resolve to `undefined` into the destination object. Subsequent sources * will overwrite property assignments of previous sources. If a callback is * provided it will be executed to produce the merged values of the destination * and source properties. If the callback returns `undefined` merging will * be handled by the method instead. The callback is bound to `thisArg` and * invoked with two arguments; (objectValue, sourceValue). * * @static * @memberOf _ * @category Objects * @param {Object} object The destination object. * @param {...Object} [source] The source objects. * @param {Function} [callback] The function to customize merging properties. * @param {*} [thisArg] The `this` binding of `callback`. * @returns {Object} Returns the destination object. * @example * * var names = { * 'characters': [ * { 'name': 'barney' }, * { 'name': 'fred' } * ] * }; * * var ages = { * 'characters': [ * { 'age': 36 }, * { 'age': 40 } * ] * }; * * _.merge(names, ages); * // => { 'characters': [{ 'name': 'barney', 'age': 36 }, { 'name': 'fred', 'age': 40 }] } * * var food = { * 'fruits': ['apple'], * 'vegetables': ['beet'] * }; * * var otherFood = { * 'fruits': ['banana'], * 'vegetables': ['carrot'] * }; * * _.merge(food, otherFood, function(a, b) { * return _.isArray(a) ? a.concat(b) : undefined; * }); * // => { 'fruits': ['apple', 'banana'], 'vegetables': ['beet', 'carrot] } */ function merge(object) { var args = arguments, length = 2; if (!isObject(object)) { return object; } // allows working with `_.reduce` and `_.reduceRight` without using // their `index` and `collection` arguments if (typeof args[2] != 'number') { length = args.length; } if (length > 3 && typeof args[length - 2] == 'function') { var callback = baseCreateCallback(args[--length - 1], args[length--], 2); } else if (length > 2 && typeof args[length - 1] == 'function') { callback = args[--length]; } var sources = slice(arguments, 1, length), index = -1, stackA = getArray(), stackB = getArray(); while (++index < length) { baseMerge(object, sources[index], callback, stackA, stackB); } releaseArray(stackA); releaseArray(stackB); return object; } /** * Creates a shallow clone of `object` excluding the specified properties. * Property names may be specified as individual arguments or as arrays of * property names. If a callback is provided it will be executed for each * property of `object` omitting the properties the callback returns truey * for. The callback is bound to `thisArg` and invoked with three arguments; * (value, key, object). * * @static * @memberOf _ * @category Objects * @param {Object} object The source object. * @param {Function|...string|string[]} [callback] The properties to omit or the * function called per iteration. * @param {*} [thisArg] The `this` binding of `callback`. * @returns {Object} Returns an object without the omitted properties. * @example * * _.omit({ 'name': 'fred', 'age': 40 }, 'age'); * // => { 'name': 'fred' } * * _.omit({ 'name': 'fred', 'age': 40 }, function(value) { * return typeof value == 'number'; * }); * // => { 'name': 'fred' } */ function omit(object, callback, thisArg) { var result = {}; if (typeof callback != 'function') { var props = []; forIn(object, function(value, key) { props.push(key); }); props = baseDifference(props, baseFlatten(arguments, true, false, 1)); var index = -1, length = props.length; while (++index < length) { var key = props[index]; result[key] = object[key]; } } else { callback = lodash.createCallback(callback, thisArg, 3); forIn(object, function(value, key, object) { if (!callback(value, key, object)) { result[key] = value; } }); } return result; } /** * Creates a two dimensional array of an object's key-value pairs, * i.e. `[[key1, value1], [key2, value2]]`. * * @static * @memberOf _ * @category Objects * @param {Object} object The object to inspect. * @returns {Array} Returns new array of key-value pairs. * @example * * _.pairs({ 'barney': 36, 'fred': 40 }); * // => [['barney', 36], ['fred', 40]] (property order is not guaranteed across environments) */ function pairs(object) { var index = -1, props = keys(object), length = props.length, result = Array(length); while (++index < length) { var key = props[index]; result[index] = [key, object[key]]; } return result; } /** * Creates a shallow clone of `object` composed of the specified properties. * Property names may be specified as individual arguments or as arrays of * property names. If a callback is provided it will be executed for each * property of `object` picking the properties the callback returns truey * for. The callback is bound to `thisArg` and invoked with three arguments; * (value, key, object). * * @static * @memberOf _ * @category Objects * @param {Object} object The source object. * @param {Function|...string|string[]} [callback] The function called per * iteration or property names to pick, specified as individual property * names or arrays of property names. * @param {*} [thisArg] The `this` binding of `callback`. * @returns {Object} Returns an object composed of the picked properties. * @example * * _.pick({ 'name': 'fred', '_userid': 'fred1' }, 'name'); * // => { 'name': 'fred' } * * _.pick({ 'name': 'fred', '_userid': 'fred1' }, function(value, key) { * return key.charAt(0) != '_'; * }); * // => { 'name': 'fred' } */ function pick(object, callback, thisArg) { var result = {}; if (typeof callback != 'function') { var index = -1, props = baseFlatten(arguments, true, false, 1), length = isObject(object) ? props.length : 0; while (++index < length) { var key = props[index]; if (key in object) { result[key] = object[key]; } } } else { callback = lodash.createCallback(callback, thisArg, 3); forIn(object, function(value, key, object) { if (callback(value, key, object)) { result[key] = value; } }); } return result; } /** * An alternative to `_.reduce` this method transforms `object` to a new * `accumulator` object which is the result of running each of its own * enumerable properties through a callback, with each callback execution * potentially mutating the `accumulator` object. The callback is bound to * `thisArg` and invoked with four arguments; (accumulator, value, key, object). * Callbacks may exit iteration early by explicitly returning `false`. * * @static * @memberOf _ * @category Objects * @param {Array|Object} object The object to iterate over. * @param {Function} [callback=identity] The function called per iteration. * @param {*} [accumulator] The custom accumulator value. * @param {*} [thisArg] The `this` binding of `callback`. * @returns {*} Returns the accumulated value. * @example * * var squares = _.transform([1, 2, 3, 4, 5, 6, 7, 8, 9, 10], function(result, num) { * num *= num; * if (num % 2) { * return result.push(num) < 3; * } * }); * // => [1, 9, 25] * * var mapped = _.transform({ 'a': 1, 'b': 2, 'c': 3 }, function(result, num, key) { * result[key] = num * 3; * }); * // => { 'a': 3, 'b': 6, 'c': 9 } */ function transform(object, callback, accumulator, thisArg) { var isArr = isArray(object); if (accumulator == null) { if (isArr) { accumulator = []; } else { var ctor = object && object.constructor, proto = ctor && ctor.prototype; accumulator = baseCreate(proto); } } if (callback) { callback = lodash.createCallback(callback, thisArg, 4); (isArr ? baseEach : forOwn)(object, function(value, index, object) { return callback(accumulator, value, index, object); }); } return accumulator; } /** * Creates an array composed of the own enumerable property values of `object`. * * @static * @memberOf _ * @category Objects * @param {Object} object The object to inspect. * @returns {Array} Returns an array of property values. * @example * * _.values({ 'one': 1, 'two': 2, 'three': 3 }); * // => [1, 2, 3] (property order is not guaranteed across environments) */ function values(object) { var index = -1, props = keys(object), length = props.length, result = Array(length); while (++index < length) { result[index] = object[props[index]]; } return result; } /*--------------------------------------------------------------------------*/ /** * Creates an array of elements from the specified indexes, or keys, of the * `collection`. Indexes may be specified as individual arguments or as arrays * of indexes. * * @static * @memberOf _ * @category Collections * @param {Array|Object|string} collection The collection to iterate over. * @param {...(number|number[]|string|string[])} [index] The indexes of `collection` * to retrieve, specified as individual indexes or arrays of indexes. * @returns {Array} Returns a new array of elements corresponding to the * provided indexes. * @example * * _.at(['a', 'b', 'c', 'd', 'e'], [0, 2, 4]); * // => ['a', 'c', 'e'] * * _.at(['fred', 'barney', 'pebbles'], 0, 2); * // => ['fred', 'pebbles'] */ function at(collection) { var args = arguments, index = -1, props = baseFlatten(args, true, false, 1), length = (args[2] && args[2][args[1]] === collection) ? 1 : props.length, result = Array(length); if (support.unindexedChars && isString(collection)) { collection = collection.split(''); } while(++index < length) { result[index] = collection[props[index]]; } return result; } /** * Checks if a given value is present in a collection using strict equality * for comparisons, i.e. `===`. If `fromIndex` is negative, it is used as the * offset from the end of the collection. * * @static * @memberOf _ * @alias include * @category Collections * @param {Array|Object|string} collection The collection to iterate over. * @param {*} target The value to check for. * @param {number} [fromIndex=0] The index to search from. * @returns {boolean} Returns `true` if the `target` element is found, else `false`. * @example * * _.contains([1, 2, 3], 1); * // => true * * _.contains([1, 2, 3], 1, 2); * // => false * * _.contains({ 'name': 'fred', 'age': 40 }, 'fred'); * // => true * * _.contains('pebbles', 'eb'); * // => true */ function contains(collection, target, fromIndex) { var index = -1, indexOf = getIndexOf(), length = collection ? collection.length : 0, result = false; fromIndex = (fromIndex < 0 ? nativeMax(0, length + fromIndex) : fromIndex) || 0; if (isArray(collection)) { result = indexOf(collection, target, fromIndex) > -1; } else if (typeof length == 'number') { result = (isString(collection) ? collection.indexOf(target, fromIndex) : indexOf(collection, target, fromIndex)) > -1; } else { baseEach(collection, function(value) { if (++index >= fromIndex) { return !(result = value === target); } }); } return result; } /** * Creates an object composed of keys generated from the results of running * each element of `collection` through the callback. The corresponding value * of each key is the number of times the key was returned by the callback. * The callback is bound to `thisArg` and invoked with three arguments; * (value, index|key, collection). * * If a property name is provided for `callback` the created "_.pluck" style * callback will return the property value of the given element. * * If an object is provided for `callback` the created "_.where" style callback * will return `true` for elements that have the properties of the given object, * else `false`. * * @static * @memberOf _ * @category Collections * @param {Array|Object|string} collection The collection to iterate over. * @param {Function|Object|string} [callback=identity] The function called * per iteration. If a property name or object is provided it will be used * to create a "_.pluck" or "_.where" style callback, respectively. * @param {*} [thisArg] The `this` binding of `callback`. * @returns {Object} Returns the composed aggregate object. * @example * * _.countBy([4.3, 6.1, 6.4], function(num) { return Math.floor(num); }); * // => { '4': 1, '6': 2 } * * _.countBy([4.3, 6.1, 6.4], function(num) { return this.floor(num); }, Math); * // => { '4': 1, '6': 2 } * * _.countBy(['one', 'two', 'three'], 'length'); * // => { '3': 2, '5': 1 } */ var countBy = createAggregator(function(result, value, key) { (hasOwnProperty.call(result, key) ? result[key]++ : result[key] = 1); }); /** * Checks if the given callback returns truey value for **all** elements of * a collection. The callback is bound to `thisArg` and invoked with three * arguments; (value, index|key, collection). * * If a property name is provided for `callback` the created "_.pluck" style * callback will return the property value of the given element. * * If an object is provided for `callback` the created "_.where" style callback * will return `true` for elements that have the properties of the given object, * else `false`. * * @static * @memberOf _ * @alias all * @category Collections * @param {Array|Object|string} collection The collection to iterate over. * @param {Function|Object|string} [callback=identity] The function called * per iteration. If a property name or object is provided it will be used * to create a "_.pluck" or "_.where" style callback, respectively. * @param {*} [thisArg] The `this` binding of `callback`. * @returns {boolean} Returns `true` if all elements passed the callback check, * else `false`. * @example * * _.every([true, 1, null, 'yes']); * // => false * * var characters = [ * { 'name': 'barney', 'age': 36 }, * { 'name': 'fred', 'age': 40 } * ]; * * // using "_.pluck" callback shorthand * _.every(characters, 'age'); * // => true * * // using "_.where" callback shorthand * _.every(characters, { 'age': 36 }); * // => false */ function every(collection, callback, thisArg) { var result = true; callback = lodash.createCallback(callback, thisArg, 3); if (isArray(collection)) { var index = -1, length = collection.length; while (++index < length) { if (!(result = !!callback(collection[index], index, collection))) { break; } } } else { baseEach(collection, function(value, index, collection) { return (result = !!callback(value, index, collection)); }); } return result; } /** * Iterates over elements of a collection, returning an array of all elements * the callback returns truey for. The callback is bound to `thisArg` and * invoked with three arguments; (value, index|key, collection). * * If a property name is provided for `callback` the created "_.pluck" style * callback will return the property value of the given element. * * If an object is provided for `callback` the created "_.where" style callback * will return `true` for elements that have the properties of the given object, * else `false`. * * @static * @memberOf _ * @alias select * @category Collections * @param {Array|Object|string} collection The collection to iterate over. * @param {Function|Object|string} [callback=identity] The function called * per iteration. If a property name or object is provided it will be used * to create a "_.pluck" or "_.where" style callback, respectively. * @param {*} [thisArg] The `this` binding of `callback`. * @returns {Array} Returns a new array of elements that passed the callback check. * @example * * var evens = _.filter([1, 2, 3, 4, 5, 6], function(num) { return num % 2 == 0; }); * // => [2, 4, 6] * * var characters = [ * { 'name': 'barney', 'age': 36, 'blocked': false }, * { 'name': 'fred', 'age': 40, 'blocked': true } * ]; * * // using "_.pluck" callback shorthand * _.filter(characters, 'blocked'); * // => [{ 'name': 'fred', 'age': 40, 'blocked': true }] * * // using "_.where" callback shorthand * _.filter(characters, { 'age': 36 }); * // => [{ 'name': 'barney', 'age': 36, 'blocked': false }] */ function filter(collection, callback, thisArg) { var result = []; callback = lodash.createCallback(callback, thisArg, 3); if (isArray(collection)) { var index = -1, length = collection.length; while (++index < length) { var value = collection[index]; if (callback(value, index, collection)) { result.push(value); } } } else { baseEach(collection, function(value, index, collection) { if (callback(value, index, collection)) { result.push(value); } }); } return result; } /** * Iterates over elements of a collection, returning the first element that * the callback returns truey for. The callback is bound to `thisArg` and * invoked with three arguments; (value, index|key, collection). * * If a property name is provided for `callback` the created "_.pluck" style * callback will return the property value of the given element. * * If an object is provided for `callback` the created "_.where" style callback * will return `true` for elements that have the properties of the given object, * else `false`. * * @static * @memberOf _ * @alias detect, findWhere * @category Collections * @param {Array|Object|string} collection The collection to iterate over. * @param {Function|Object|string} [callback=identity] The function called * per iteration. If a property name or object is provided it will be used * to create a "_.pluck" or "_.where" style callback, respectively. * @param {*} [thisArg] The `this` binding of `callback`. * @returns {*} Returns the found element, else `undefined`. * @example * * var characters = [ * { 'name': 'barney', 'age': 36, 'blocked': false }, * { 'name': 'fred', 'age': 40, 'blocked': true }, * { 'name': 'pebbles', 'age': 1, 'blocked': false } * ]; * * _.find(characters, function(chr) { * return chr.age < 40; * }); * // => { 'name': 'barney', 'age': 36, 'blocked': false } * * // using "_.where" callback shorthand * _.find(characters, { 'age': 1 }); * // => { 'name': 'pebbles', 'age': 1, 'blocked': false } * * // using "_.pluck" callback shorthand * _.find(characters, 'blocked'); * // => { 'name': 'fred', 'age': 40, 'blocked': true } */ function find(collection, callback, thisArg) { callback = lodash.createCallback(callback, thisArg, 3); if (isArray(collection)) { var index = -1, length = collection.length; while (++index < length) { var value = collection[index]; if (callback(value, index, collection)) { return value; } } } else { var result; baseEach(collection, function(value, index, collection) { if (callback(value, index, collection)) { result = value; return false; } }); return result; } } /** * This method is like `_.find` except that it iterates over elements * of a `collection` from right to left. * * @static * @memberOf _ * @category Collections * @param {Array|Object|string} collection The collection to iterate over. * @param {Function|Object|string} [callback=identity] The function called * per iteration. If a property name or object is provided it will be used * to create a "_.pluck" or "_.where" style callback, respectively. * @param {*} [thisArg] The `this` binding of `callback`. * @returns {*} Returns the found element, else `undefined`. * @example * * _.findLast([1, 2, 3, 4], function(num) { * return num % 2 == 1; * }); * // => 3 */ function findLast(collection, callback, thisArg) { var result; callback = lodash.createCallback(callback, thisArg, 3); forEachRight(collection, function(value, index, collection) { if (callback(value, index, collection)) { result = value; return false; } }); return result; } /** * Iterates over elements of a collection, executing the callback for each * element. The callback is bound to `thisArg` and invoked with three arguments; * (value, index|key, collection). Callbacks may exit iteration early by * explicitly returning `false`. * * Note: As with other "Collections" methods, objects with a `length` property * are iterated like arrays. To avoid this behavior `_.forIn` or `_.forOwn` * may be used for object iteration. * * @static * @memberOf _ * @alias each * @category Collections * @param {Array|Object|string} collection The collection to iterate over. * @param {Function} [callback=identity] The function called per iteration. * @param {*} [thisArg] The `this` binding of `callback`. * @returns {Array|Object|string} Returns `collection`. * @example * * _([1, 2, 3]).forEach(function(num) { console.log(num); }).join(','); * // => logs each number and returns '1,2,3' * * _.forEach({ 'one': 1, 'two': 2, 'three': 3 }, function(num) { console.log(num); }); * // => logs each number and returns the object (property order is not guaranteed across environments) */ function forEach(collection, callback, thisArg) { if (callback && typeof thisArg == 'undefined' && isArray(collection)) { var index = -1, length = collection.length; while (++index < length) { if (callback(collection[index], index, collection) === false) { break; } } } else { baseEach(collection, callback, thisArg); } return collection; } /** * This method is like `_.forEach` except that it iterates over elements * of a `collection` from right to left. * * @static * @memberOf _ * @alias eachRight * @category Collections * @param {Array|Object|string} collection The collection to iterate over. * @param {Function} [callback=identity] The function called per iteration. * @param {*} [thisArg] The `this` binding of `callback`. * @returns {Array|Object|string} Returns `collection`. * @example * * _([1, 2, 3]).forEachRight(function(num) { console.log(num); }).join(','); * // => logs each number from right to left and returns '3,2,1' */ function forEachRight(collection, callback, thisArg) { var iterable = collection, length = collection ? collection.length : 0; callback = callback && typeof thisArg == 'undefined' ? callback : baseCreateCallback(callback, thisArg, 3); if (isArray(collection)) { while (length--) { if (callback(collection[length], length, collection) === false) { break; } } } else { if (typeof length != 'number') { var props = keys(collection); length = props.length; } else if (support.unindexedChars && isString(collection)) { iterable = collection.split(''); } baseEach(collection, function(value, key, collection) { key = props ? props[--length] : --length; return callback(iterable[key], key, collection); }); } return collection; } /** * Creates an object composed of keys generated from the results of running * each element of a collection through the callback. The corresponding value * of each key is an array of the elements responsible for generating the key. * The callback is bound to `thisArg` and invoked with three arguments; * (value, index|key, collection). * * If a property name is provided for `callback` the created "_.pluck" style * callback will return the property value of the given element. * * If an object is provided for `callback` the created "_.where" style callback * will return `true` for elements that have the properties of the given object, * else `false` * * @static * @memberOf _ * @category Collections * @param {Array|Object|string} collection The collection to iterate over. * @param {Function|Object|string} [callback=identity] The function called * per iteration. If a property name or object is provided it will be used * to create a "_.pluck" or "_.where" style callback, respectively. * @param {*} [thisArg] The `this` binding of `callback`. * @returns {Object} Returns the composed aggregate object. * @example * * _.groupBy([4.2, 6.1, 6.4], function(num) { return Math.floor(num); }); * // => { '4': [4.2], '6': [6.1, 6.4] } * * _.groupBy([4.2, 6.1, 6.4], function(num) { return this.floor(num); }, Math); * // => { '4': [4.2], '6': [6.1, 6.4] } * * // using "_.pluck" callback shorthand * _.groupBy(['one', 'two', 'three'], 'length'); * // => { '3': ['one', 'two'], '5': ['three'] } */ var groupBy = createAggregator(function(result, value, key) { (hasOwnProperty.call(result, key) ? result[key] : result[key] = []).push(value); }); /** * Creates an object composed of keys generated from the results of running * each element of the collection through the given callback. The corresponding * value of each key is the last element responsible for generating the key. * The callback is bound to `thisArg` and invoked with three arguments; * (value, index|key, collection). * * If a property name is provided for `callback` the created "_.pluck" style * callback will return the property value of the given element. * * If an object is provided for `callback` the created "_.where" style callback * will return `true` for elements that have the properties of the given object, * else `false`. * * @static * @memberOf _ * @category Collections * @param {Array|Object|string} collection The collection to iterate over. * @param {Function|Object|string} [callback=identity] The function called * per iteration. If a property name or object is provided it will be used * to create a "_.pluck" or "_.where" style callback, respectively. * @param {*} [thisArg] The `this` binding of `callback`. * @returns {Object} Returns the composed aggregate object. * @example * * var keys = [ * { 'dir': 'left', 'code': 97 }, * { 'dir': 'right', 'code': 100 } * ]; * * _.indexBy(keys, 'dir'); * // => { 'left': { 'dir': 'left', 'code': 97 }, 'right': { 'dir': 'right', 'code': 100 } } * * _.indexBy(keys, function(key) { return String.fromCharCode(key.code); }); * // => { 'a': { 'dir': 'left', 'code': 97 }, 'd': { 'dir': 'right', 'code': 100 } } * * _.indexBy(characters, function(key) { this.fromCharCode(key.code); }, String); * // => { 'a': { 'dir': 'left', 'code': 97 }, 'd': { 'dir': 'right', 'code': 100 } } */ var indexBy = createAggregator(function(result, value, key) { result[key] = value; }); /** * Invokes the method named by `methodName` on each element in the `collection` * returning an array of the results of each invoked method. Additional arguments * will be provided to each invoked method. If `methodName` is a function it * will be invoked for, and `this` bound to, each element in the `collection`. * * @static * @memberOf _ * @category Collections * @param {Array|Object|string} collection The collection to iterate over. * @param {Function|string} methodName The name of the method to invoke or * the function invoked per iteration. * @param {...*} [arg] Arguments to invoke the method with. * @returns {Array} Returns a new array of the results of each invoked method. * @example * * _.invoke([[5, 1, 7], [3, 2, 1]], 'sort'); * // => [[1, 5, 7], [1, 2, 3]] * * _.invoke([123, 456], String.prototype.split, ''); * // => [['1', '2', '3'], ['4', '5', '6']] */ function invoke(collection, methodName) { var args = slice(arguments, 2), index = -1, isFunc = typeof methodName == 'function', length = collection ? collection.length : 0, result = Array(typeof length == 'number' ? length : 0); forEach(collection, function(value) { result[++index] = (isFunc ? methodName : value[methodName]).apply(value, args); }); return result; } /** * Creates an array of values by running each element in the collection * through the callback. The callback is bound to `thisArg` and invoked with * three arguments; (value, index|key, collection). * * If a property name is provided for `callback` the created "_.pluck" style * callback will return the property value of the given element. * * If an object is provided for `callback` the created "_.where" style callback * will return `true` for elements that have the properties of the given object, * else `false`. * * @static * @memberOf _ * @alias collect * @category Collections * @param {Array|Object|string} collection The collection to iterate over. * @param {Function|Object|string} [callback=identity] The function called * per iteration. If a property name or object is provided it will be used * to create a "_.pluck" or "_.where" style callback, respectively. * @param {*} [thisArg] The `this` binding of `callback`. * @returns {Array} Returns a new array of the results of each `callback` execution. * @example * * _.map([1, 2, 3], function(num) { return num * 3; }); * // => [3, 6, 9] * * _.map({ 'one': 1, 'two': 2, 'three': 3 }, function(num) { return num * 3; }); * // => [3, 6, 9] (property order is not guaranteed across environments) * * var characters = [ * { 'name': 'barney', 'age': 36 }, * { 'name': 'fred', 'age': 40 } * ]; * * // using "_.pluck" callback shorthand * _.map(characters, 'name'); * // => ['barney', 'fred'] */ function map(collection, callback, thisArg) { var index = -1, length = collection ? collection.length : 0, result = Array(typeof length == 'number' ? length : 0); callback = lodash.createCallback(callback, thisArg, 3); if (isArray(collection)) { while (++index < length) { result[index] = callback(collection[index], index, collection); } } else { baseEach(collection, function(value, key, collection) { result[++index] = callback(value, key, collection); }); } return result; } /** * Retrieves the maximum value of a collection. If the collection is empty or * falsey `-Infinity` is returned. If a callback is provided it will be executed * for each value in the collection to generate the criterion by which the value * is ranked. The callback is bound to `thisArg` and invoked with three * arguments; (value, index, collection). * * If a property name is provided for `callback` the created "_.pluck" style * callback will return the property value of the given element. * * If an object is provided for `callback` the created "_.where" style callback * will return `true` for elements that have the properties of the given object, * else `false`. * * @static * @memberOf _ * @category Collections * @param {Array|Object|string} collection The collection to iterate over. * @param {Function|Object|string} [callback=identity] The function called * per iteration. If a property name or object is provided it will be used * to create a "_.pluck" or "_.where" style callback, respectively. * @param {*} [thisArg] The `this` binding of `callback`. * @returns {*} Returns the maximum value. * @example * * _.max([4, 2, 8, 6]); * // => 8 * * var characters = [ * { 'name': 'barney', 'age': 36 }, * { 'name': 'fred', 'age': 40 } * ]; * * _.max(characters, function(chr) { return chr.age; }); * // => { 'name': 'fred', 'age': 40 }; * * // using "_.pluck" callback shorthand * _.max(characters, 'age'); * // => { 'name': 'fred', 'age': 40 }; */ function max(collection, callback, thisArg) { var computed = -Infinity, result = computed; // allows working with functions like `_.map` without using // their `index` argument as a callback if (typeof callback != 'function' && thisArg && thisArg[callback] === collection) { callback = null; } if (callback == null && isArray(collection)) { var index = -1, length = collection.length; while (++index < length) { var value = collection[index]; if (value > result) { result = value; } } } else { callback = (callback == null && isString(collection)) ? charAtCallback : lodash.createCallback(callback, thisArg, 3); baseEach(collection, function(value, index, collection) { var current = callback(value, index, collection); if (current > computed) { computed = current; result = value; } }); } return result; } /** * Retrieves the minimum value of a collection. If the collection is empty or * falsey `Infinity` is returned. If a callback is provided it will be executed * for each value in the collection to generate the criterion by which the value * is ranked. The callback is bound to `thisArg` and invoked with three * arguments; (value, index, collection). * * If a property name is provided for `callback` the created "_.pluck" style * callback will return the property value of the given element. * * If an object is provided for `callback` the created "_.where" style callback * will return `true` for elements that have the properties of the given object, * else `false`. * * @static * @memberOf _ * @category Collections * @param {Array|Object|string} collection The collection to iterate over. * @param {Function|Object|string} [callback=identity] The function called * per iteration. If a property name or object is provided it will be used * to create a "_.pluck" or "_.where" style callback, respectively. * @param {*} [thisArg] The `this` binding of `callback`. * @returns {*} Returns the minimum value. * @example * * _.min([4, 2, 8, 6]); * // => 2 * * var characters = [ * { 'name': 'barney', 'age': 36 }, * { 'name': 'fred', 'age': 40 } * ]; * * _.min(characters, function(chr) { return chr.age; }); * // => { 'name': 'barney', 'age': 36 }; * * // using "_.pluck" callback shorthand * _.min(characters, 'age'); * // => { 'name': 'barney', 'age': 36 }; */ function min(collection, callback, thisArg) { var computed = Infinity, result = computed; // allows working with functions like `_.map` without using // their `index` argument as a callback if (typeof callback != 'function' && thisArg && thisArg[callback] === collection) { callback = null; } if (callback == null && isArray(collection)) { var index = -1, length = collection.length; while (++index < length) { var value = collection[index]; if (value < result) { result = value; } } } else { callback = (callback == null && isString(collection)) ? charAtCallback : lodash.createCallback(callback, thisArg, 3); baseEach(collection, function(value, index, collection) { var current = callback(value, index, collection); if (current < computed) { computed = current; result = value; } }); } return result; } /** * Retrieves the value of a specified property from all elements in the collection. * * @static * @memberOf _ * @type Function * @category Collections * @param {Array|Object|string} collection The collection to iterate over. * @param {string} property The name of the property to pluck. * @returns {Array} Returns a new array of property values. * @example * * var characters = [ * { 'name': 'barney', 'age': 36 }, * { 'name': 'fred', 'age': 40 } * ]; * * _.pluck(characters, 'name'); * // => ['barney', 'fred'] */ var pluck = map; /** * Reduces a collection to a value which is the accumulated result of running * each element in the collection through the callback, where each successive * callback execution consumes the return value of the previous execution. If * `accumulator` is not provided the first element of the collection will be * used as the initial `accumulator` value. The callback is bound to `thisArg` * and invoked with four arguments; (accumulator, value, index|key, collection). * * @static * @memberOf _ * @alias foldl, inject * @category Collections * @param {Array|Object|string} collection The collection to iterate over. * @param {Function} [callback=identity] The function called per iteration. * @param {*} [accumulator] Initial value of the accumulator. * @param {*} [thisArg] The `this` binding of `callback`. * @returns {*} Returns the accumulated value. * @example * * var sum = _.reduce([1, 2, 3], function(sum, num) { * return sum + num; * }); * // => 6 * * var mapped = _.reduce({ 'a': 1, 'b': 2, 'c': 3 }, function(result, num, key) { * result[key] = num * 3; * return result; * }, {}); * // => { 'a': 3, 'b': 6, 'c': 9 } */ function reduce(collection, callback, accumulator, thisArg) { var noaccum = arguments.length < 3; callback = lodash.createCallback(callback, thisArg, 4); if (isArray(collection)) { var index = -1, length = collection.length; if (noaccum) { accumulator = collection[++index]; } while (++index < length) { accumulator = callback(accumulator, collection[index], index, collection); } } else { baseEach(collection, function(value, index, collection) { accumulator = noaccum ? (noaccum = false, value) : callback(accumulator, value, index, collection) }); } return accumulator; } /** * This method is like `_.reduce` except that it iterates over elements * of a `collection` from right to left. * * @static * @memberOf _ * @alias foldr * @category Collections * @param {Array|Object|string} collection The collection to iterate over. * @param {Function} [callback=identity] The function called per iteration. * @param {*} [accumulator] Initial value of the accumulator. * @param {*} [thisArg] The `this` binding of `callback`. * @returns {*} Returns the accumulated value. * @example * * var list = [[0, 1], [2, 3], [4, 5]]; * var flat = _.reduceRight(list, function(a, b) { return a.concat(b); }, []); * // => [4, 5, 2, 3, 0, 1] */ function reduceRight(collection, callback, accumulator, thisArg) { var noaccum = arguments.length < 3; callback = lodash.createCallback(callback, thisArg, 4); forEachRight(collection, function(value, index, collection) { accumulator = noaccum ? (noaccum = false, value) : callback(accumulator, value, index, collection); }); return accumulator; } /** * The opposite of `_.filter` this method returns the elements of a * collection that the callback does **not** return truey for. * * If a property name is provided for `callback` the created "_.pluck" style * callback will return the property value of the given element. * * If an object is provided for `callback` the created "_.where" style callback * will return `true` for elements that have the properties of the given object, * else `false`. * * @static * @memberOf _ * @category Collections * @param {Array|Object|string} collection The collection to iterate over. * @param {Function|Object|string} [callback=identity] The function called * per iteration. If a property name or object is provided it will be used * to create a "_.pluck" or "_.where" style callback, respectively. * @param {*} [thisArg] The `this` binding of `callback`. * @returns {Array} Returns a new array of elements that failed the callback check. * @example * * var odds = _.reject([1, 2, 3, 4, 5, 6], function(num) { return num % 2 == 0; }); * // => [1, 3, 5] * * var characters = [ * { 'name': 'barney', 'age': 36, 'blocked': false }, * { 'name': 'fred', 'age': 40, 'blocked': true } * ]; * * // using "_.pluck" callback shorthand * _.reject(characters, 'blocked'); * // => [{ 'name': 'barney', 'age': 36, 'blocked': false }] * * // using "_.where" callback shorthand * _.reject(characters, { 'age': 36 }); * // => [{ 'name': 'fred', 'age': 40, 'blocked': true }] */ function reject(collection, callback, thisArg) { callback = lodash.createCallback(callback, thisArg, 3); return filter(collection, function(value, index, collection) { return !callback(value, index, collection); }); } /** * Retrieves a random element or `n` random elements from a collection. * * @static * @memberOf _ * @category Collections * @param {Array|Object|string} collection The collection to sample. * @param {number} [n] The number of elements to sample. * @param- {Object} [guard] Allows working with functions like `_.map` * without using their `index` arguments as `n`. * @returns {Array} Returns the random sample(s) of `collection`. * @example * * _.sample([1, 2, 3, 4]); * // => 2 * * _.sample([1, 2, 3, 4], 2); * // => [3, 1] */ function sample(collection, n, guard) { if (collection && typeof collection.length != 'number') { collection = values(collection); } else if (support.unindexedChars && isString(collection)) { collection = collection.split(''); } if (n == null || guard) { return collection ? collection[baseRandom(0, collection.length - 1)] : undefined; } var result = shuffle(collection); result.length = nativeMin(nativeMax(0, n), result.length); return result; } /** * Creates an array of shuffled values, using a version of the Fisher-Yates * shuffle. See http://en.wikipedia.org/wiki/Fisher-Yates_shuffle. * * @static * @memberOf _ * @category Collections * @param {Array|Object|string} collection The collection to shuffle. * @returns {Array} Returns a new shuffled collection. * @example * * _.shuffle([1, 2, 3, 4, 5, 6]); * // => [4, 1, 6, 3, 5, 2] */ function shuffle(collection) { var index = -1, length = collection ? collection.length : 0, result = Array(typeof length == 'number' ? length : 0); forEach(collection, function(value) { var rand = baseRandom(0, ++index); result[index] = result[rand]; result[rand] = value; }); return result; } /** * Gets the size of the `collection` by returning `collection.length` for arrays * and array-like objects or the number of own enumerable properties for objects. * * @static * @memberOf _ * @category Collections * @param {Array|Object|string} collection The collection to inspect. * @returns {number} Returns `collection.length` or number of own enumerable properties. * @example * * _.size([1, 2]); * // => 2 * * _.size({ 'one': 1, 'two': 2, 'three': 3 }); * // => 3 * * _.size('pebbles'); * // => 7 */ function size(collection) { var length = collection ? collection.length : 0; return typeof length == 'number' ? length : keys(collection).length; } /** * Checks if the callback returns a truey value for **any** element of a * collection. The function returns as soon as it finds a passing value and * does not iterate over the entire collection. The callback is bound to * `thisArg` and invoked with three arguments; (value, index|key, collection). * * If a property name is provided for `callback` the created "_.pluck" style * callback will return the property value of the given element. * * If an object is provided for `callback` the created "_.where" style callback * will return `true` for elements that have the properties of the given object, * else `false`. * * @static * @memberOf _ * @alias any * @category Collections * @param {Array|Object|string} collection The collection to iterate over. * @param {Function|Object|string} [callback=identity] The function called * per iteration. If a property name or object is provided it will be used * to create a "_.pluck" or "_.where" style callback, respectively. * @param {*} [thisArg] The `this` binding of `callback`. * @returns {boolean} Returns `true` if any element passed the callback check, * else `false`. * @example * * _.some([null, 0, 'yes', false], Boolean); * // => true * * var characters = [ * { 'name': 'barney', 'age': 36, 'blocked': false }, * { 'name': 'fred', 'age': 40, 'blocked': true } * ]; * * // using "_.pluck" callback shorthand * _.some(characters, 'blocked'); * // => true * * // using "_.where" callback shorthand * _.some(characters, { 'age': 1 }); * // => false */ function some(collection, callback, thisArg) { var result; callback = lodash.createCallback(callback, thisArg, 3); if (isArray(collection)) { var index = -1, length = collection.length; while (++index < length) { if ((result = callback(collection[index], index, collection))) { break; } } } else { baseEach(collection, function(value, index, collection) { return !(result = callback(value, index, collection)); }); } return !!result; } /** * Creates an array of elements, sorted in ascending order by the results of * running each element in a collection through the callback. This method * performs a stable sort, that is, it will preserve the original sort order * of equal elements. The callback is bound to `thisArg` and invoked with * three arguments; (value, index|key, collection). * * If a property name is provided for `callback` the created "_.pluck" style * callback will return the property value of the given element. * * If an array of property names is provided for `callback` the collection * will be sorted by each property value. * * If an object is provided for `callback` the created "_.where" style callback * will return `true` for elements that have the properties of the given object, * else `false`. * * @static * @memberOf _ * @category Collections * @param {Array|Object|string} collection The collection to iterate over. * @param {Array|Function|Object|string} [callback=identity] The function called * per iteration. If a property name or object is provided it will be used * to create a "_.pluck" or "_.where" style callback, respectively. * @param {*} [thisArg] The `this` binding of `callback`. * @returns {Array} Returns a new array of sorted elements. * @example * * _.sortBy([1, 2, 3], function(num) { return Math.sin(num); }); * // => [3, 1, 2] * * _.sortBy([1, 2, 3], function(num) { return this.sin(num); }, Math); * // => [3, 1, 2] * * var characters = [ * { 'name': 'barney', 'age': 36 }, * { 'name': 'fred', 'age': 40 }, * { 'name': 'barney', 'age': 26 }, * { 'name': 'fred', 'age': 30 } * ]; * * // using "_.pluck" callback shorthand * _.map(_.sortBy(characters, 'age'), _.values); * // => [['barney', 26], ['fred', 30], ['barney', 36], ['fred', 40]] * * // sorting by multiple properties * _.map(_.sortBy(characters, ['name', 'age']), _.values); * // = > [['barney', 26], ['barney', 36], ['fred', 30], ['fred', 40]] */ function sortBy(collection, callback, thisArg) { var index = -1, isArr = isArray(callback), length = collection ? collection.length : 0, result = Array(typeof length == 'number' ? length : 0); if (!isArr) { callback = lodash.createCallback(callback, thisArg, 3); } forEach(collection, function(value, key, collection) { var object = result[++index] = getObject(); if (isArr) { object.criteria = map(callback, function(key) { return value[key]; }); } else { (object.criteria = getArray())[0] = callback(value, key, collection); } object.index = index; object.value = value; }); length = result.length; result.sort(compareAscending); while (length--) { var object = result[length]; result[length] = object.value; if (!isArr) { releaseArray(object.criteria); } releaseObject(object); } return result; } /** * Converts the `collection` to an array. * * @static * @memberOf _ * @category Collections * @param {Array|Object|string} collection The collection to convert. * @returns {Array} Returns the new converted array. * @example * * (function() { return _.toArray(arguments).slice(1); })(1, 2, 3, 4); * // => [2, 3, 4] */ function toArray(collection) { if (collection && typeof collection.length == 'number') { return (support.unindexedChars && isString(collection)) ? collection.split('') : slice(collection); } return values(collection); } /** * Performs a deep comparison of each element in a `collection` to the given * `properties` object, returning an array of all elements that have equivalent * property values. * * @static * @memberOf _ * @type Function * @category Collections * @param {Array|Object|string} collection The collection to iterate over. * @param {Object} props The object of property values to filter by. * @returns {Array} Returns a new array of elements that have the given properties. * @example * * var characters = [ * { 'name': 'barney', 'age': 36, 'pets': ['hoppy'] }, * { 'name': 'fred', 'age': 40, 'pets': ['baby puss', 'dino'] } * ]; * * _.where(characters, { 'age': 36 }); * // => [{ 'name': 'barney', 'age': 36, 'pets': ['hoppy'] }] * * _.where(characters, { 'pets': ['dino'] }); * // => [{ 'name': 'fred', 'age': 40, 'pets': ['baby puss', 'dino'] }] */ var where = filter; /*--------------------------------------------------------------------------*/ /** * Creates an array with all falsey values removed. The values `false`, `null`, * `0`, `""`, `undefined`, and `NaN` are all falsey. * * @static * @memberOf _ * @category Arrays * @param {Array} array The array to compact. * @returns {Array} Returns a new array of filtered values. * @example * * _.compact([0, 1, false, 2, '', 3]); * // => [1, 2, 3] */ function compact(array) { var index = -1, length = array ? array.length : 0, result = []; while (++index < length) { var value = array[index]; if (value) { result.push(value); } } return result; } /** * Creates an array excluding all values of the provided arrays using strict * equality for comparisons, i.e. `===`. * * @static * @memberOf _ * @category Arrays * @param {Array} array The array to process. * @param {...Array} [values] The arrays of values to exclude. * @returns {Array} Returns a new array of filtered values. * @example * * _.difference([1, 2, 3, 4, 5], [5, 2, 10]); * // => [1, 3, 4] */ function difference(array) { return baseDifference(array, baseFlatten(arguments, true, true, 1)); } /** * This method is like `_.find` except that it returns the index of the first * element that passes the callback check, instead of the element itself. * * If a property name is provided for `callback` the created "_.pluck" style * callback will return the property value of the given element. * * If an object is provided for `callback` the created "_.where" style callback * will return `true` for elements that have the properties of the given object, * else `false`. * * @static * @memberOf _ * @category Arrays * @param {Array} array The array to search. * @param {Function|Object|string} [callback=identity] The function called * per iteration. If a property name or object is provided it will be used * to create a "_.pluck" or "_.where" style callback, respectively. * @param {*} [thisArg] The `this` binding of `callback`. * @returns {number} Returns the index of the found element, else `-1`. * @example * * var characters = [ * { 'name': 'barney', 'age': 36, 'blocked': false }, * { 'name': 'fred', 'age': 40, 'blocked': true }, * { 'name': 'pebbles', 'age': 1, 'blocked': false } * ]; * * _.findIndex(characters, function(chr) { * return chr.age < 20; * }); * // => 2 * * // using "_.where" callback shorthand * _.findIndex(characters, { 'age': 36 }); * // => 0 * * // using "_.pluck" callback shorthand * _.findIndex(characters, 'blocked'); * // => 1 */ function findIndex(array, callback, thisArg) { var index = -1, length = array ? array.length : 0; callback = lodash.createCallback(callback, thisArg, 3); while (++index < length) { if (callback(array[index], index, array)) { return index; } } return -1; } /** * This method is like `_.findIndex` except that it iterates over elements * of a `collection` from right to left. * * If a property name is provided for `callback` the created "_.pluck" style * callback will return the property value of the given element. * * If an object is provided for `callback` the created "_.where" style callback * will return `true` for elements that have the properties of the given object, * else `false`. * * @static * @memberOf _ * @category Arrays * @param {Array} array The array to search. * @param {Function|Object|string} [callback=identity] The function called * per iteration. If a property name or object is provided it will be used * to create a "_.pluck" or "_.where" style callback, respectively. * @param {*} [thisArg] The `this` binding of `callback`. * @returns {number} Returns the index of the found element, else `-1`. * @example * * var characters = [ * { 'name': 'barney', 'age': 36, 'blocked': true }, * { 'name': 'fred', 'age': 40, 'blocked': false }, * { 'name': 'pebbles', 'age': 1, 'blocked': true } * ]; * * _.findLastIndex(characters, function(chr) { * return chr.age > 30; * }); * // => 1 * * // using "_.where" callback shorthand * _.findLastIndex(characters, { 'age': 36 }); * // => 0 * * // using "_.pluck" callback shorthand * _.findLastIndex(characters, 'blocked'); * // => 2 */ function findLastIndex(array, callback, thisArg) { var length = array ? array.length : 0; callback = lodash.createCallback(callback, thisArg, 3); while (length--) { if (callback(array[length], length, array)) { return length; } } return -1; } /** * Gets the first element or first `n` elements of an array. If a callback * is provided elements at the beginning of the array are returned as long * as the callback returns truey. The callback is bound to `thisArg` and * invoked with three arguments; (value, index, array). * * If a property name is provided for `callback` the created "_.pluck" style * callback will return the property value of the given element. * * If an object is provided for `callback` the created "_.where" style callback * will return `true` for elements that have the properties of the given object, * else `false`. * * @static * @memberOf _ * @alias head, take * @category Arrays * @param {Array} array The array to query. * @param {Function|Object|number|string} [callback] The function called * per element or the number of elements to return. If a property name or * object is provided it will be used to create a "_.pluck" or "_.where" * style callback, respectively. * @param {*} [thisArg] The `this` binding of `callback`. * @returns {*} Returns the first element(s) of `array`. * @example * * _.first([1, 2, 3]); * // => 1 * * _.first([1, 2, 3], 2); * // => [1, 2] * * _.first([1, 2, 3], function(num) { * return num < 3; * }); * // => [1, 2] * * var characters = [ * { 'name': 'barney', 'blocked': true, 'employer': 'slate' }, * { 'name': 'fred', 'blocked': false, 'employer': 'slate' }, * { 'name': 'pebbles', 'blocked': true, 'employer': 'na' } * ]; * * // using "_.pluck" callback shorthand * _.first(characters, 'blocked'); * // => [{ 'name': 'barney', 'blocked': true, 'employer': 'slate' }] * * // using "_.where" callback shorthand * _.pluck(_.first(characters, { 'employer': 'slate' }), 'name'); * // => ['barney', 'fred'] */ function first(array, callback, thisArg) { var n = 0, length = array ? array.length : 0; if (typeof callback != 'number' && callback != null) { var index = -1; callback = lodash.createCallback(callback, thisArg, 3); while (++index < length && callback(array[index], index, array)) { n++; } } else { n = callback; if (n == null || thisArg) { return array ? array[0] : undefined; } } return slice(array, 0, nativeMin(nativeMax(0, n), length)); } /** * Flattens a nested array (the nesting can be to any depth). If `isShallow` * is truey, the array will only be flattened a single level. If a callback * is provided each element of the array is passed through the callback before * flattening. The callback is bound to `thisArg` and invoked with three * arguments; (value, index, array). * * If a property name is provided for `callback` the created "_.pluck" style * callback will return the property value of the given element. * * If an object is provided for `callback` the created "_.where" style callback * will return `true` for elements that have the properties of the given object, * else `false`. * * @static * @memberOf _ * @category Arrays * @param {Array} array The array to flatten. * @param {boolean} [isShallow=false] A flag to restrict flattening to a single level. * @param {Function|Object|string} [callback=identity] The function called * per iteration. If a property name or object is provided it will be used * to create a "_.pluck" or "_.where" style callback, respectively. * @param {*} [thisArg] The `this` binding of `callback`. * @returns {Array} Returns a new flattened array. * @example * * _.flatten([1, [2], [3, [[4]]]]); * // => [1, 2, 3, 4]; * * _.flatten([1, [2], [3, [[4]]]], true); * // => [1, 2, 3, [[4]]]; * * var characters = [ * { 'name': 'barney', 'age': 30, 'pets': ['hoppy'] }, * { 'name': 'fred', 'age': 40, 'pets': ['baby puss', 'dino'] } * ]; * * // using "_.pluck" callback shorthand * _.flatten(characters, 'pets'); * // => ['hoppy', 'baby puss', 'dino'] */ function flatten(array, isShallow, callback, thisArg) { // juggle arguments if (typeof isShallow != 'boolean' && isShallow != null) { thisArg = callback; callback = (typeof isShallow != 'function' && thisArg && thisArg[isShallow] === array) ? null : isShallow; isShallow = false; } if (callback != null) { array = map(array, callback, thisArg); } return baseFlatten(array, isShallow); } /** * Gets the index at which the first occurrence of `value` is found using * strict equality for comparisons, i.e. `===`. If the array is already sorted * providing `true` for `fromIndex` will run a faster binary search. * * @static * @memberOf _ * @category Arrays * @param {Array} array The array to search. * @param {*} value The value to search for. * @param {boolean|number} [fromIndex=0] The index to search from or `true` * to perform a binary search on a sorted array. * @returns {number} Returns the index of the matched value or `-1`. * @example * * _.indexOf([1, 2, 3, 1, 2, 3], 2); * // => 1 * * _.indexOf([1, 2, 3, 1, 2, 3], 2, 3); * // => 4 * * _.indexOf([1, 1, 2, 2, 3, 3], 2, true); * // => 2 */ function indexOf(array, value, fromIndex) { if (typeof fromIndex == 'number') { var length = array ? array.length : 0; fromIndex = (fromIndex < 0 ? nativeMax(0, length + fromIndex) : fromIndex || 0); } else if (fromIndex) { var index = sortedIndex(array, value); return array[index] === value ? index : -1; } return baseIndexOf(array, value, fromIndex); } /** * Gets all but the last element or last `n` elements of an array. If a * callback is provided elements at the end of the array are excluded from * the result as long as the callback returns truey. The callback is bound * to `thisArg` and invoked with three arguments; (value, index, array). * * If a property name is provided for `callback` the created "_.pluck" style * callback will return the property value of the given element. * * If an object is provided for `callback` the created "_.where" style callback * will return `true` for elements that have the properties of the given object, * else `false`. * * @static * @memberOf _ * @category Arrays * @param {Array} array The array to query. * @param {Function|Object|number|string} [callback=1] The function called * per element or the number of elements to exclude. If a property name or * object is provided it will be used to create a "_.pluck" or "_.where" * style callback, respectively. * @param {*} [thisArg] The `this` binding of `callback`. * @returns {Array} Returns a slice of `array`. * @example * * _.initial([1, 2, 3]); * // => [1, 2] * * _.initial([1, 2, 3], 2); * // => [1] * * _.initial([1, 2, 3], function(num) { * return num > 1; * }); * // => [1] * * var characters = [ * { 'name': 'barney', 'blocked': false, 'employer': 'slate' }, * { 'name': 'fred', 'blocked': true, 'employer': 'slate' }, * { 'name': 'pebbles', 'blocked': true, 'employer': 'na' } * ]; * * // using "_.pluck" callback shorthand * _.initial(characters, 'blocked'); * // => [{ 'name': 'barney', 'blocked': false, 'employer': 'slate' }] * * // using "_.where" callback shorthand * _.pluck(_.initial(characters, { 'employer': 'na' }), 'name'); * // => ['barney', 'fred'] */ function initial(array, callback, thisArg) { var n = 0, length = array ? array.length : 0; if (typeof callback != 'number' && callback != null) { var index = length; callback = lodash.createCallback(callback, thisArg, 3); while (index-- && callback(array[index], index, array)) { n++; } } else { n = (callback == null || thisArg) ? 1 : callback || n; } return slice(array, 0, nativeMin(nativeMax(0, length - n), length)); } /** * Creates an array of unique values present in all provided arrays using * strict equality for comparisons, i.e. `===`. * * @static * @memberOf _ * @category Arrays * @param {...Array} [array] The arrays to inspect. * @returns {Array} Returns an array of shared values. * @example * * _.intersection([1, 2, 3], [5, 2, 1, 4], [2, 1]); * // => [1, 2] */ function intersection() { var args = [], argsIndex = -1, argsLength = arguments.length, caches = getArray(), indexOf = getIndexOf(), trustIndexOf = indexOf === baseIndexOf, seen = getArray(); while (++argsIndex < argsLength) { var value = arguments[argsIndex]; if (isArray(value) || isArguments(value)) { args.push(value); caches.push(trustIndexOf && value.length >= largeArraySize && createCache(argsIndex ? args[argsIndex] : seen)); } } var array = args[0], index = -1, length = array ? array.length : 0, result = []; outer: while (++index < length) { var cache = caches[0]; value = array[index]; if ((cache ? cacheIndexOf(cache, value) : indexOf(seen, value)) < 0) { argsIndex = argsLength; (cache || seen).push(value); while (--argsIndex) { cache = caches[argsIndex]; if ((cache ? cacheIndexOf(cache, value) : indexOf(args[argsIndex], value)) < 0) { continue outer; } } result.push(value); } } while (argsLength--) { cache = caches[argsLength]; if (cache) { releaseObject(cache); } } releaseArray(caches); releaseArray(seen); return result; } /** * Gets the last element or last `n` elements of an array. If a callback is * provided elements at the end of the array are returned as long as the * callback returns truey. The callback is bound to `thisArg` and invoked * with three arguments; (value, index, array). * * If a property name is provided for `callback` the created "_.pluck" style * callback will return the property value of the given element. * * If an object is provided for `callback` the created "_.where" style callback * will return `true` for elements that have the properties of the given object, * else `false`. * * @static * @memberOf _ * @category Arrays * @param {Array} array The array to query. * @param {Function|Object|number|string} [callback] The function called * per element or the number of elements to return. If a property name or * object is provided it will be used to create a "_.pluck" or "_.where" * style callback, respectively. * @param {*} [thisArg] The `this` binding of `callback`. * @returns {*} Returns the last element(s) of `array`. * @example * * _.last([1, 2, 3]); * // => 3 * * _.last([1, 2, 3], 2); * // => [2, 3] * * _.last([1, 2, 3], function(num) { * return num > 1; * }); * // => [2, 3] * * var characters = [ * { 'name': 'barney', 'blocked': false, 'employer': 'slate' }, * { 'name': 'fred', 'blocked': true, 'employer': 'slate' }, * { 'name': 'pebbles', 'blocked': true, 'employer': 'na' } * ]; * * // using "_.pluck" callback shorthand * _.pluck(_.last(characters, 'blocked'), 'name'); * // => ['fred', 'pebbles'] * * // using "_.where" callback shorthand * _.last(characters, { 'employer': 'na' }); * // => [{ 'name': 'pebbles', 'blocked': true, 'employer': 'na' }] */ function last(array, callback, thisArg) { var n = 0, length = array ? array.length : 0; if (typeof callback != 'number' && callback != null) { var index = length; callback = lodash.createCallback(callback, thisArg, 3); while (index-- && callback(array[index], index, array)) { n++; } } else { n = callback; if (n == null || thisArg) { return array ? array[length - 1] : undefined; } } return slice(array, nativeMax(0, length - n)); } /** * Gets the index at which the last occurrence of `value` is found using strict * equality for comparisons, i.e. `===`. If `fromIndex` is negative, it is used * as the offset from the end of the collection. * * If a property name is provided for `callback` the created "_.pluck" style * callback will return the property value of the given element. * * If an object is provided for `callback` the created "_.where" style callback * will return `true` for elements that have the properties of the given object, * else `false`. * * @static * @memberOf _ * @category Arrays * @param {Array} array The array to search. * @param {*} value The value to search for. * @param {number} [fromIndex=array.length-1] The index to search from. * @returns {number} Returns the index of the matched value or `-1`. * @example * * _.lastIndexOf([1, 2, 3, 1, 2, 3], 2); * // => 4 * * _.lastIndexOf([1, 2, 3, 1, 2, 3], 2, 3); * // => 1 */ function lastIndexOf(array, value, fromIndex) { var index = array ? array.length : 0; if (typeof fromIndex == 'number') { index = (fromIndex < 0 ? nativeMax(0, index + fromIndex) : nativeMin(fromIndex, index - 1)) + 1; } while (index--) { if (array[index] === value) { return index; } } return -1; } /** * Removes all provided values from the given array using strict equality for * comparisons, i.e. `===`. * * @static * @memberOf _ * @category Arrays * @param {Array} array The array to modify. * @param {...*} [value] The values to remove. * @returns {Array} Returns `array`. * @example * * var array = [1, 2, 3, 1, 2, 3]; * _.pull(array, 2, 3); * console.log(array); * // => [1, 1] */ function pull(array) { var args = arguments, argsIndex = 0, argsLength = args.length, length = array ? array.length : 0; while (++argsIndex < argsLength) { var index = -1, value = args[argsIndex]; while (++index < length) { if (array[index] === value) { splice.call(array, index--, 1); length--; } } } return array; } /** * Creates an array of numbers (positive and/or negative) progressing from * `start` up to but not including `end`. If `start` is less than `stop` a * zero-length range is created unless a negative `step` is specified. * * @static * @memberOf _ * @category Arrays * @param {number} [start=0] The start of the range. * @param {number} end The end of the range. * @param {number} [step=1] The value to increment or decrement by. * @returns {Array} Returns a new range array. * @example * * _.range(4); * // => [0, 1, 2, 3] * * _.range(1, 5); * // => [1, 2, 3, 4] * * _.range(0, 20, 5); * // => [0, 5, 10, 15] * * _.range(0, -4, -1); * // => [0, -1, -2, -3] * * _.range(1, 4, 0); * // => [1, 1, 1] * * _.range(0); * // => [] */ function range(start, end, step) { start = +start || 0; step = typeof step == 'number' ? step : (+step || 1); if (end == null) { end = start; start = 0; } // use `Array(length)` so engines like Chakra and V8 avoid slower modes // http://youtu.be/XAqIpGU8ZZk#t=17m25s var index = -1, length = nativeMax(0, ceil((end - start) / (step || 1))), result = Array(length); while (++index < length) { result[index] = start; start += step; } return result; } /** * Removes all elements from an array that the callback returns truey for * and returns an array of removed elements. The callback is bound to `thisArg` * and invoked with three arguments; (value, index, array). * * If a property name is provided for `callback` the created "_.pluck" style * callback will return the property value of the given element. * * If an object is provided for `callback` the created "_.where" style callback * will return `true` for elements that have the properties of the given object, * else `false`. * * @static * @memberOf _ * @category Arrays * @param {Array} array The array to modify. * @param {Function|Object|string} [callback=identity] The function called * per iteration. If a property name or object is provided it will be used * to create a "_.pluck" or "_.where" style callback, respectively. * @param {*} [thisArg] The `this` binding of `callback`. * @returns {Array} Returns a new array of removed elements. * @example * * var array = [1, 2, 3, 4, 5, 6]; * var evens = _.remove(array, function(num) { return num % 2 == 0; }); * * console.log(array); * // => [1, 3, 5] * * console.log(evens); * // => [2, 4, 6] */ function remove(array, callback, thisArg) { var index = -1, length = array ? array.length : 0, result = []; callback = lodash.createCallback(callback, thisArg, 3); while (++index < length) { var value = array[index]; if (callback(value, index, array)) { result.push(value); splice.call(array, index--, 1); length--; } } return result; } /** * The opposite of `_.initial` this method gets all but the first element or * first `n` elements of an array. If a callback function is provided elements * at the beginning of the array are excluded from the result as long as the * callback returns truey. The callback is bound to `thisArg` and invoked * with three arguments; (value, index, array). * * If a property name is provided for `callback` the created "_.pluck" style * callback will return the property value of the given element. * * If an object is provided for `callback` the created "_.where" style callback * will return `true` for elements that have the properties of the given object, * else `false`. * * @static * @memberOf _ * @alias drop, tail * @category Arrays * @param {Array} array The array to query. * @param {Function|Object|number|string} [callback=1] The function called * per element or the number of elements to exclude. If a property name or * object is provided it will be used to create a "_.pluck" or "_.where" * style callback, respectively. * @param {*} [thisArg] The `this` binding of `callback`. * @returns {Array} Returns a slice of `array`. * @example * * _.rest([1, 2, 3]); * // => [2, 3] * * _.rest([1, 2, 3], 2); * // => [3] * * _.rest([1, 2, 3], function(num) { * return num < 3; * }); * // => [3] * * var characters = [ * { 'name': 'barney', 'blocked': true, 'employer': 'slate' }, * { 'name': 'fred', 'blocked': false, 'employer': 'slate' }, * { 'name': 'pebbles', 'blocked': true, 'employer': 'na' } * ]; * * // using "_.pluck" callback shorthand * _.pluck(_.rest(characters, 'blocked'), 'name'); * // => ['fred', 'pebbles'] * * // using "_.where" callback shorthand * _.rest(characters, { 'employer': 'slate' }); * // => [{ 'name': 'pebbles', 'blocked': true, 'employer': 'na' }] */ function rest(array, callback, thisArg) { if (typeof callback != 'number' && callback != null) { var n = 0, index = -1, length = array ? array.length : 0; callback = lodash.createCallback(callback, thisArg, 3); while (++index < length && callback(array[index], index, array)) { n++; } } else { n = (callback == null || thisArg) ? 1 : nativeMax(0, callback); } return slice(array, n); } /** * Uses a binary search to determine the smallest index at which a value * should be inserted into a given sorted array in order to maintain the sort * order of the array. If a callback is provided it will be executed for * `value` and each element of `array` to compute their sort ranking. The * callback is bound to `thisArg` and invoked with one argument; (value). * * If a property name is provided for `callback` the created "_.pluck" style * callback will return the property value of the given element. * * If an object is provided for `callback` the created "_.where" style callback * will return `true` for elements that have the properties of the given object, * else `false`. * * @static * @memberOf _ * @category Arrays * @param {Array} array The array to inspect. * @param {*} value The value to evaluate. * @param {Function|Object|string} [callback=identity] The function called * per iteration. If a property name or object is provided it will be used * to create a "_.pluck" or "_.where" style callback, respectively. * @param {*} [thisArg] The `this` binding of `callback`. * @returns {number} Returns the index at which `value` should be inserted * into `array`. * @example * * _.sortedIndex([20, 30, 50], 40); * // => 2 * * // using "_.pluck" callback shorthand * _.sortedIndex([{ 'x': 20 }, { 'x': 30 }, { 'x': 50 }], { 'x': 40 }, 'x'); * // => 2 * * var dict = { * 'wordToNumber': { 'twenty': 20, 'thirty': 30, 'fourty': 40, 'fifty': 50 } * }; * * _.sortedIndex(['twenty', 'thirty', 'fifty'], 'fourty', function(word) { * return dict.wordToNumber[word]; * }); * // => 2 * * _.sortedIndex(['twenty', 'thirty', 'fifty'], 'fourty', function(word) { * return this.wordToNumber[word]; * }, dict); * // => 2 */ function sortedIndex(array, value, callback, thisArg) { var low = 0, high = array ? array.length : low; // explicitly reference `identity` for better inlining in Firefox callback = callback ? lodash.createCallback(callback, thisArg, 1) : identity; value = callback(value); while (low < high) { var mid = (low + high) >>> 1; (callback(array[mid]) < value) ? low = mid + 1 : high = mid; } return low; } /** * Creates an array of unique values, in order, of the provided arrays using * strict equality for comparisons, i.e. `===`. * * @static * @memberOf _ * @category Arrays * @param {...Array} [array] The arrays to inspect. * @returns {Array} Returns an array of combined values. * @example * * _.union([1, 2, 3], [5, 2, 1, 4], [2, 1]); * // => [1, 2, 3, 5, 4] */ function union() { return baseUniq(baseFlatten(arguments, true, true)); } /** * Creates a duplicate-value-free version of an array using strict equality * for comparisons, i.e. `===`. If the array is sorted, providing * `true` for `isSorted` will use a faster algorithm. If a callback is provided * each element of `array` is passed through the callback before uniqueness * is computed. The callback is bound to `thisArg` and invoked with three * arguments; (value, index, array). * * If a property name is provided for `callback` the created "_.pluck" style * callback will return the property value of the given element. * * If an object is provided for `callback` the created "_.where" style callback * will return `true` for elements that have the properties of the given object, * else `false`. * * @static * @memberOf _ * @alias unique * @category Arrays * @param {Array} array The array to process. * @param {boolean} [isSorted=false] A flag to indicate that `array` is sorted. * @param {Function|Object|string} [callback=identity] The function called * per iteration. If a property name or object is provided it will be used * to create a "_.pluck" or "_.where" style callback, respectively. * @param {*} [thisArg] The `this` binding of `callback`. * @returns {Array} Returns a duplicate-value-free array. * @example * * _.uniq([1, 2, 1, 3, 1]); * // => [1, 2, 3] * * _.uniq([1, 1, 2, 2, 3], true); * // => [1, 2, 3] * * _.uniq(['A', 'b', 'C', 'a', 'B', 'c'], function(letter) { return letter.toLowerCase(); }); * // => ['A', 'b', 'C'] * * _.uniq([1, 2.5, 3, 1.5, 2, 3.5], function(num) { return this.floor(num); }, Math); * // => [1, 2.5, 3] * * // using "_.pluck" callback shorthand * _.uniq([{ 'x': 1 }, { 'x': 2 }, { 'x': 1 }], 'x'); * // => [{ 'x': 1 }, { 'x': 2 }] */ function uniq(array, isSorted, callback, thisArg) { // juggle arguments if (typeof isSorted != 'boolean' && isSorted != null) { thisArg = callback; callback = (typeof isSorted != 'function' && thisArg && thisArg[isSorted] === array) ? null : isSorted; isSorted = false; } if (callback != null) { callback = lodash.createCallback(callback, thisArg, 3); } return baseUniq(array, isSorted, callback); } /** * Creates an array excluding all provided values using strict equality for * comparisons, i.e. `===`. * * @static * @memberOf _ * @category Arrays * @param {Array} array The array to filter. * @param {...*} [value] The values to exclude. * @returns {Array} Returns a new array of filtered values. * @example * * _.without([1, 2, 1, 0, 3, 1, 4], 0, 1); * // => [2, 3, 4] */ function without(array) { return baseDifference(array, slice(arguments, 1)); } /** * Creates an array that is the symmetric difference of the provided arrays. * See http://en.wikipedia.org/wiki/Symmetric_difference. * * @static * @memberOf _ * @category Arrays * @param {...Array} [array] The arrays to inspect. * @returns {Array} Returns an array of values. * @example * * _.xor([1, 2, 3], [5, 2, 1, 4]); * // => [3, 5, 4] * * _.xor([1, 2, 5], [2, 3, 5], [3, 4, 5]); * // => [1, 4, 5] */ function xor() { var index = -1, length = arguments.length; while (++index < length) { var array = arguments[index]; if (isArray(array) || isArguments(array)) { var result = result ? baseUniq(baseDifference(result, array).concat(baseDifference(array, result))) : array; } } return result || []; } /** * Creates an array of grouped elements, the first of which contains the first * elements of the given arrays, the second of which contains the second * elements of the given arrays, and so on. * * @static * @memberOf _ * @alias unzip * @category Arrays * @param {...Array} [array] Arrays to process. * @returns {Array} Returns a new array of grouped elements. * @example * * _.zip(['fred', 'barney'], [30, 40], [true, false]); * // => [['fred', 30, true], ['barney', 40, false]] */ function zip() { var array = arguments.length > 1 ? arguments : arguments[0], index = -1, length = array ? max(pluck(array, 'length')) : 0, result = Array(length < 0 ? 0 : length); while (++index < length) { result[index] = pluck(array, index); } return result; } /** * Creates an object composed from arrays of `keys` and `values`. Provide * either a single two dimensional array, i.e. `[[key1, value1], [key2, value2]]` * or two arrays, one of `keys` and one of corresponding `values`. * * @static * @memberOf _ * @alias object * @category Arrays * @param {Array} keys The array of keys. * @param {Array} [values=[]] The array of values. * @returns {Object} Returns an object composed of the given keys and * corresponding values. * @example * * _.zipObject(['fred', 'barney'], [30, 40]); * // => { 'fred': 30, 'barney': 40 } */ function zipObject(keys, values) { var index = -1, length = keys ? keys.length : 0, result = {}; if (!values && length && !isArray(keys[0])) { values = []; } while (++index < length) { var key = keys[index]; if (values) { result[key] = values[index]; } else if (key) { result[key[0]] = key[1]; } } return result; } /*--------------------------------------------------------------------------*/ /** * Creates a function that executes `func`, with the `this` binding and * arguments of the created function, only after being called `n` times. * * @static * @memberOf _ * @category Functions * @param {number} n The number of times the function must be called before * `func` is executed. * @param {Function} func The function to restrict. * @returns {Function} Returns the new restricted function. * @example * * var saves = ['profile', 'settings']; * * var done = _.after(saves.length, function() { * console.log('Done saving!'); * }); * * _.forEach(saves, function(type) { * asyncSave({ 'type': type, 'complete': done }); * }); * // => logs 'Done saving!', after all saves have completed */ function after(n, func) { if (!isFunction(func)) { throw new TypeError; } return function() { if (--n < 1) { return func.apply(this, arguments); } }; } /** * Creates a function that, when called, invokes `func` with the `this` * binding of `thisArg` and prepends any additional `bind` arguments to those * provided to the bound function. * * @static * @memberOf _ * @category Functions * @param {Function} func The function to bind. * @param {*} [thisArg] The `this` binding of `func`. * @param {...*} [arg] Arguments to be partially applied. * @returns {Function} Returns the new bound function. * @example * * var func = function(greeting) { * return greeting + ' ' + this.name; * }; * * func = _.bind(func, { 'name': 'fred' }, 'hi'); * func(); * // => 'hi fred' */ function bind(func, thisArg) { return arguments.length > 2 ? createWrapper(func, 17, slice(arguments, 2), null, thisArg) : createWrapper(func, 1, null, null, thisArg); } /** * Binds methods of an object to the object itself, overwriting the existing * method. Method names may be specified as individual arguments or as arrays * of method names. If no method names are provided all the function properties * of `object` will be bound. * * @static * @memberOf _ * @category Functions * @param {Object} object The object to bind and assign the bound methods to. * @param {...string} [methodName] The object method names to * bind, specified as individual method names or arrays of method names. * @returns {Object} Returns `object`. * @example * * var view = { * 'label': 'docs', * 'onClick': function() { console.log('clicked ' + this.label); } * }; * * _.bindAll(view); * jQuery('#docs').on('click', view.onClick); * // => logs 'clicked docs', when the button is clicked */ function bindAll(object) { var funcs = arguments.length > 1 ? baseFlatten(arguments, true, false, 1) : functions(object), index = -1, length = funcs.length; while (++index < length) { var key = funcs[index]; object[key] = createWrapper(object[key], 1, null, null, object); } return object; } /** * Creates a function that, when called, invokes the method at `object[key]` * and prepends any additional `bindKey` arguments to those provided to the bound * function. This method differs from `_.bind` by allowing bound functions to * reference methods that will be redefined or don't yet exist. * See http://michaux.ca/articles/lazy-function-definition-pattern. * * @static * @memberOf _ * @category Functions * @param {Object} object The object the method belongs to. * @param {string} key The key of the method. * @param {...*} [arg] Arguments to be partially applied. * @returns {Function} Returns the new bound function. * @example * * var object = { * 'name': 'fred', * 'greet': function(greeting) { * return greeting + ' ' + this.name; * } * }; * * var func = _.bindKey(object, 'greet', 'hi'); * func(); * // => 'hi fred' * * object.greet = function(greeting) { * return greeting + 'ya ' + this.name + '!'; * }; * * func(); * // => 'hiya fred!' */ function bindKey(object, key) { return arguments.length > 2 ? createWrapper(key, 19, slice(arguments, 2), null, object) : createWrapper(key, 3, null, null, object); } /** * Creates a function that is the composition of the provided functions, * where each function consumes the return value of the function that follows. * For example, composing the functions `f()`, `g()`, and `h()` produces `f(g(h()))`. * Each function is executed with the `this` binding of the composed function. * * @static * @memberOf _ * @category Functions * @param {...Function} [func] Functions to compose. * @returns {Function} Returns the new composed function. * @example * * var realNameMap = { * 'pebbles': 'penelope' * }; * * var format = function(name) { * name = realNameMap[name.toLowerCase()] || name; * return name.charAt(0).toUpperCase() + name.slice(1).toLowerCase(); * }; * * var greet = function(formatted) { * return 'Hiya ' + formatted + '!'; * }; * * var welcome = _.compose(greet, format); * welcome('pebbles'); * // => 'Hiya Penelope!' */ function compose() { var funcs = arguments, length = funcs.length; while (length--) { if (!isFunction(funcs[length])) { throw new TypeError; } } return function() { var args = arguments, length = funcs.length; while (length--) { args = [funcs[length].apply(this, args)]; } return args[0]; }; } /** * Creates a function which accepts one or more arguments of `func` that when * invoked either executes `func` returning its result, if all `func` arguments * have been provided, or returns a function that accepts one or more of the * remaining `func` arguments, and so on. The arity of `func` can be specified * if `func.length` is not sufficient. * * @static * @memberOf _ * @category Functions * @param {Function} func The function to curry. * @param {number} [arity=func.length] The arity of `func`. * @returns {Function} Returns the new curried function. * @example * * var curried = _.curry(function(a, b, c) { * console.log(a + b + c); * }); * * curried(1)(2)(3); * // => 6 * * curried(1, 2)(3); * // => 6 * * curried(1, 2, 3); * // => 6 */ function curry(func, arity) { arity = typeof arity == 'number' ? arity : (+arity || func.length); return createWrapper(func, 4, null, null, null, arity); } /** * Creates a function that will delay the execution of `func` until after * `wait` milliseconds have elapsed since the last time it was invoked. * Provide an options object to indicate that `func` should be invoked on * the leading and/or trailing edge of the `wait` timeout. Subsequent calls * to the debounced function will return the result of the last `func` call. * * Note: If `leading` and `trailing` options are `true` `func` will be called * on the trailing edge of the timeout only if the the debounced function is * invoked more than once during the `wait` timeout. * * @static * @memberOf _ * @category Functions * @param {Function} func The function to debounce. * @param {number} wait The number of milliseconds to delay. * @param {Object} [options] The options object. * @param {boolean} [options.leading=false] Specify execution on the leading edge of the timeout. * @param {number} [options.maxWait] The maximum time `func` is allowed to be delayed before it's called. * @param {boolean} [options.trailing=true] Specify execution on the trailing edge of the timeout. * @returns {Function} Returns the new debounced function. * @example * * // avoid costly calculations while the window size is in flux * var lazyLayout = _.debounce(calculateLayout, 150); * jQuery(window).on('resize', lazyLayout); * * // execute `sendMail` when the click event is fired, debouncing subsequent calls * jQuery('#postbox').on('click', _.debounce(sendMail, 300, { * 'leading': true, * 'trailing': false * }); * * // ensure `batchLog` is executed once after 1 second of debounced calls * var source = new EventSource('/stream'); * source.addEventListener('message', _.debounce(batchLog, 250, { * 'maxWait': 1000 * }, false); */ function debounce(func, wait, options) { var args, maxTimeoutId, result, stamp, thisArg, timeoutId, trailingCall, lastCalled = 0, maxWait = false, trailing = true; if (!isFunction(func)) { throw new TypeError; } wait = nativeMax(0, wait) || 0; if (options === true) { var leading = true; trailing = false; } else if (isObject(options)) { leading = options.leading; maxWait = 'maxWait' in options && (nativeMax(wait, options.maxWait) || 0); trailing = 'trailing' in options ? options.trailing : trailing; } var delayed = function() { var remaining = wait - (now() - stamp); if (remaining <= 0) { if (maxTimeoutId) { clearTimeout(maxTimeoutId); } var isCalled = trailingCall; maxTimeoutId = timeoutId = trailingCall = undefined; if (isCalled) { lastCalled = now(); result = func.apply(thisArg, args); if (!timeoutId && !maxTimeoutId) { args = thisArg = null; } } } else { timeoutId = setTimeout(delayed, remaining); } }; var maxDelayed = function() { if (timeoutId) { clearTimeout(timeoutId); } maxTimeoutId = timeoutId = trailingCall = undefined; if (trailing || (maxWait !== wait)) { lastCalled = now(); result = func.apply(thisArg, args); if (!timeoutId && !maxTimeoutId) { args = thisArg = null; } } }; return function() { args = arguments; stamp = now(); thisArg = this; trailingCall = trailing && (timeoutId || !leading); if (maxWait === false) { var leadingCall = leading && !timeoutId; } else { if (!maxTimeoutId && !leading) { lastCalled = stamp; } var remaining = maxWait - (stamp - lastCalled), isCalled = remaining <= 0; if (isCalled) { if (maxTimeoutId) { maxTimeoutId = clearTimeout(maxTimeoutId); } lastCalled = stamp; result = func.apply(thisArg, args); } else if (!maxTimeoutId) { maxTimeoutId = setTimeout(maxDelayed, remaining); } } if (isCalled && timeoutId) { timeoutId = clearTimeout(timeoutId); } else if (!timeoutId && wait !== maxWait) { timeoutId = setTimeout(delayed, wait); } if (leadingCall) { isCalled = true; result = func.apply(thisArg, args); } if (isCalled && !timeoutId && !maxTimeoutId) { args = thisArg = null; } return result; }; } /** * Defers executing the `func` function until the current call stack has cleared. * Additional arguments will be provided to `func` when it is invoked. * * @static * @memberOf _ * @category Functions * @param {Function} func The function to defer. * @param {...*} [arg] Arguments to invoke the function with. * @returns {number} Returns the timer id. * @example * * _.defer(function(text) { console.log(text); }, 'deferred'); * // logs 'deferred' after one or more milliseconds */ function defer(func) { if (!isFunction(func)) { throw new TypeError; } var args = slice(arguments, 1); return setTimeout(function() { func.apply(undefined, args); }, 1); } /** * Executes the `func` function after `wait` milliseconds. Additional arguments * will be provided to `func` when it is invoked. * * @static * @memberOf _ * @category Functions * @param {Function} func The function to delay. * @param {number} wait The number of milliseconds to delay execution. * @param {...*} [arg] Arguments to invoke the function with. * @returns {number} Returns the timer id. * @example * * _.delay(function(text) { console.log(text); }, 1000, 'later'); * // => logs 'later' after one second */ function delay(func, wait) { if (!isFunction(func)) { throw new TypeError; } var args = slice(arguments, 2); return setTimeout(function() { func.apply(undefined, args); }, wait); } /** * Creates a function that memoizes the result of `func`. If `resolver` is * provided it will be used to determine the cache key for storing the result * based on the arguments provided to the memoized function. By default, the * first argument provided to the memoized function is used as the cache key. * The `func` is executed with the `this` binding of the memoized function. * The result cache is exposed as the `cache` property on the memoized function. * * @static * @memberOf _ * @category Functions * @param {Function} func The function to have its output memoized. * @param {Function} [resolver] A function used to resolve the cache key. * @returns {Function} Returns the new memoizing function. * @example * * var fibonacci = _.memoize(function(n) { * return n < 2 ? n : fibonacci(n - 1) + fibonacci(n - 2); * }); * * fibonacci(9) * // => 34 * * var data = { * 'fred': { 'name': 'fred', 'age': 40 }, * 'pebbles': { 'name': 'pebbles', 'age': 1 } * }; * * // modifying the result cache * var get = _.memoize(function(name) { return data[name]; }, _.identity); * get('pebbles'); * // => { 'name': 'pebbles', 'age': 1 } * * get.cache.pebbles.name = 'penelope'; * get('pebbles'); * // => { 'name': 'penelope', 'age': 1 } */ function memoize(func, resolver) { if (!isFunction(func)) { throw new TypeError; } var memoized = function() { var cache = memoized.cache, key = resolver ? resolver.apply(this, arguments) : keyPrefix + arguments[0]; return hasOwnProperty.call(cache, key) ? cache[key] : (cache[key] = func.apply(this, arguments)); } memoized.cache = {}; return memoized; } /** * Creates a function that is restricted to execute `func` once. Repeat calls to * the function will return the value of the first call. The `func` is executed * with the `this` binding of the created function. * * @static * @memberOf _ * @category Functions * @param {Function} func The function to restrict. * @returns {Function} Returns the new restricted function. * @example * * var initialize = _.once(createApplication); * initialize(); * initialize(); * // `initialize` executes `createApplication` once */ function once(func) { var ran, result; if (!isFunction(func)) { throw new TypeError; } return function() { if (ran) { return result; } ran = true; result = func.apply(this, arguments); // clear the `func` variable so the function may be garbage collected func = null; return result; }; } /** * Creates a function that, when called, invokes `func` with any additional * `partial` arguments prepended to those provided to the new function. This * method is similar to `_.bind` except it does **not** alter the `this` binding. * * @static * @memberOf _ * @category Functions * @param {Function} func The function to partially apply arguments to. * @param {...*} [arg] Arguments to be partially applied. * @returns {Function} Returns the new partially applied function. * @example * * var greet = function(greeting, name) { return greeting + ' ' + name; }; * var hi = _.partial(greet, 'hi'); * hi('fred'); * // => 'hi fred' */ function partial(func) { return createWrapper(func, 16, slice(arguments, 1)); } /** * This method is like `_.partial` except that `partial` arguments are * appended to those provided to the new function. * * @static * @memberOf _ * @category Functions * @param {Function} func The function to partially apply arguments to. * @param {...*} [arg] Arguments to be partially applied. * @returns {Function} Returns the new partially applied function. * @example * * var defaultsDeep = _.partialRight(_.merge, _.defaults); * * var options = { * 'variable': 'data', * 'imports': { 'jq': $ } * }; * * defaultsDeep(options, _.templateSettings); * * options.variable * // => 'data' * * options.imports * // => { '_': _, 'jq': $ } */ function partialRight(func) { return createWrapper(func, 32, null, slice(arguments, 1)); } /** * Creates a function that, when executed, will only call the `func` function * at most once per every `wait` milliseconds. Provide an options object to * indicate that `func` should be invoked on the leading and/or trailing edge * of the `wait` timeout. Subsequent calls to the throttled function will * return the result of the last `func` call. * * Note: If `leading` and `trailing` options are `true` `func` will be called * on the trailing edge of the timeout only if the the throttled function is * invoked more than once during the `wait` timeout. * * @static * @memberOf _ * @category Functions * @param {Function} func The function to throttle. * @param {number} wait The number of milliseconds to throttle executions to. * @param {Object} [options] The options object. * @param {boolean} [options.leading=true] Specify execution on the leading edge of the timeout. * @param {boolean} [options.trailing=true] Specify execution on the trailing edge of the timeout. * @returns {Function} Returns the new throttled function. * @example * * // avoid excessively updating the position while scrolling * var throttled = _.throttle(updatePosition, 100); * jQuery(window).on('scroll', throttled); * * // execute `renewToken` when the click event is fired, but not more than once every 5 minutes * jQuery('.interactive').on('click', _.throttle(renewToken, 300000, { * 'trailing': false * })); */ function throttle(func, wait, options) { var leading = true, trailing = true; if (!isFunction(func)) { throw new TypeError; } if (options === false) { leading = false; } else if (isObject(options)) { leading = 'leading' in options ? options.leading : leading; trailing = 'trailing' in options ? options.trailing : trailing; } debounceOptions.leading = leading; debounceOptions.maxWait = wait; debounceOptions.trailing = trailing; return debounce(func, wait, debounceOptions); } /** * Creates a function that provides `value` to the wrapper function as its * first argument. Additional arguments provided to the function are appended * to those provided to the wrapper function. The wrapper is executed with * the `this` binding of the created function. * * @static * @memberOf _ * @category Functions * @param {*} value The value to wrap. * @param {Function} wrapper The wrapper function. * @returns {Function} Returns the new function. * @example * * var p = _.wrap(_.escape, function(func, text) { * return '<p>' + func(text) + '</p>'; * }); * * p('Fred, Wilma, & Pebbles'); * // => '<p>Fred, Wilma, &amp; Pebbles</p>' */ function wrap(value, wrapper) { return createWrapper(wrapper, 16, [value]); } /*--------------------------------------------------------------------------*/ /** * Creates a function that returns `value`. * * @static * @memberOf _ * @category Utilities * @param {*} value The value to return from the new function. * @returns {Function} Returns the new function. * @example * * var object = { 'name': 'fred' }; * var getter = _.constant(object); * getter() === object; * // => true */ function constant(value) { return function() { return value; }; } /** * Produces a callback bound to an optional `thisArg`. If `func` is a property * name the created callback will return the property value for a given element. * If `func` is an object the created callback will return `true` for elements * that contain the equivalent object properties, otherwise it will return `false`. * * @static * @memberOf _ * @category Utilities * @param {*} [func=identity] The value to convert to a callback. * @param {*} [thisArg] The `this` binding of the created callback. * @param {number} [argCount] The number of arguments the callback accepts. * @returns {Function} Returns a callback function. * @example * * var characters = [ * { 'name': 'barney', 'age': 36 }, * { 'name': 'fred', 'age': 40 } * ]; * * // wrap to create custom callback shorthands * _.createCallback = _.wrap(_.createCallback, function(func, callback, thisArg) { * var match = /^(.+?)__([gl]t)(.+)$/.exec(callback); * return !match ? func(callback, thisArg) : function(object) { * return match[2] == 'gt' ? object[match[1]] > match[3] : object[match[1]] < match[3]; * }; * }); * * _.filter(characters, 'age__gt38'); * // => [{ 'name': 'fred', 'age': 40 }] */ function createCallback(func, thisArg, argCount) { var type = typeof func; if (func == null || type == 'function') { return baseCreateCallback(func, thisArg, argCount); } // handle "_.pluck" style callback shorthands if (type != 'object') { return property(func); } var props = keys(func), key = props[0], a = func[key]; // handle "_.where" style callback shorthands if (props.length == 1 && a === a && !isObject(a)) { // fast path the common case of providing an object with a single // property containing a primitive value return function(object) { var b = object[key]; return a === b && (a !== 0 || (1 / a == 1 / b)); }; } return function(object) { var length = props.length, result = false; while (length--) { if (!(result = baseIsEqual(object[props[length]], func[props[length]], null, true))) { break; } } return result; }; } /** * Converts the characters `&`, `<`, `>`, `"`, and `'` in `string` to their * corresponding HTML entities. * * @static * @memberOf _ * @category Utilities * @param {string} string The string to escape. * @returns {string} Returns the escaped string. * @example * * _.escape('Fred, Wilma, & Pebbles'); * // => 'Fred, Wilma, &amp; Pebbles' */ function escape(string) { return string == null ? '' : String(string).replace(reUnescapedHtml, escapeHtmlChar); } /** * This method returns the first argument provided to it. * * @static * @memberOf _ * @category Utilities * @param {*} value Any value. * @returns {*} Returns `value`. * @example * * var object = { 'name': 'fred' }; * _.identity(object) === object; * // => true */ function identity(value) { return value; } /** * Adds function properties of a source object to the destination object. * If `object` is a function methods will be added to its prototype as well. * * @static * @memberOf _ * @category Utilities * @param {Function|Object} [object=lodash] object The destination object. * @param {Object} source The object of functions to add. * @param {Object} [options] The options object. * @param {boolean} [options.chain=true] Specify whether the functions added are chainable. * @example * * function capitalize(string) { * return string.charAt(0).toUpperCase() + string.slice(1).toLowerCase(); * } * * _.mixin({ 'capitalize': capitalize }); * _.capitalize('fred'); * // => 'Fred' * * _('fred').capitalize().value(); * // => 'Fred' * * _.mixin({ 'capitalize': capitalize }, { 'chain': false }); * _('fred').capitalize(); * // => 'Fred' */ function mixin(object, source, options) { var chain = true, methodNames = source && functions(source); if (!source || (!options && !methodNames.length)) { if (options == null) { options = source; } ctor = lodashWrapper; source = object; object = lodash; methodNames = functions(source); } if (options === false) { chain = false; } else if (isObject(options) && 'chain' in options) { chain = options.chain; } var ctor = object, isFunc = isFunction(ctor); forEach(methodNames, function(methodName) { var func = object[methodName] = source[methodName]; if (isFunc) { ctor.prototype[methodName] = function() { var chainAll = this.__chain__, value = this.__wrapped__, args = [value]; push.apply(args, arguments); var result = func.apply(object, args); if (chain || chainAll) { if (value === result && isObject(result)) { return this; } result = new ctor(result); result.__chain__ = chainAll; } return result; }; } }); } /** * Reverts the '_' variable to its previous value and returns a reference to * the `lodash` function. * * @static * @memberOf _ * @category Utilities * @returns {Function} Returns the `lodash` function. * @example * * var lodash = _.noConflict(); */ function noConflict() { context._ = oldDash; return this; } /** * A no-operation function. * * @static * @memberOf _ * @category Utilities * @example * * var object = { 'name': 'fred' }; * _.noop(object) === undefined; * // => true */ function noop() { // no operation performed } /** * Gets the number of milliseconds that have elapsed since the Unix epoch * (1 January 1970 00:00:00 UTC). * * @static * @memberOf _ * @category Utilities * @example * * var stamp = _.now(); * _.defer(function() { console.log(_.now() - stamp); }); * // => logs the number of milliseconds it took for the deferred function to be called */ var now = isNative(now = Date.now) && now || function() { return new Date().getTime(); }; /** * Converts the given value into an integer of the specified radix. * If `radix` is `undefined` or `0` a `radix` of `10` is used unless the * `value` is a hexadecimal, in which case a `radix` of `16` is used. * * Note: This method avoids differences in native ES3 and ES5 `parseInt` * implementations. See http://es5.github.io/#E. * * @static * @memberOf _ * @category Utilities * @param {string} value The value to parse. * @param {number} [radix] The radix used to interpret the value to parse. * @returns {number} Returns the new integer value. * @example * * _.parseInt('08'); * // => 8 */ var parseInt = nativeParseInt(whitespace + '08') == 8 ? nativeParseInt : function(value, radix) { // Firefox < 21 and Opera < 15 follow the ES3 specified implementation of `parseInt` return nativeParseInt(isString(value) ? value.replace(reLeadingSpacesAndZeros, '') : value, radix || 0); }; /** * Creates a "_.pluck" style function, which returns the `key` value of a * given object. * * @static * @memberOf _ * @category Utilities * @param {string} key The name of the property to retrieve. * @returns {Function} Returns the new function. * @example * * var characters = [ * { 'name': 'fred', 'age': 40 }, * { 'name': 'barney', 'age': 36 } * ]; * * var getName = _.property('name'); * * _.map(characters, getName); * // => ['barney', 'fred'] * * _.sortBy(characters, getName); * // => [{ 'name': 'barney', 'age': 36 }, { 'name': 'fred', 'age': 40 }] */ function property(key) { return function(object) { return object[key]; }; } /** * Produces a random number between `min` and `max` (inclusive). If only one * argument is provided a number between `0` and the given number will be * returned. If `floating` is truey or either `min` or `max` are floats a * floating-point number will be returned instead of an integer. * * @static * @memberOf _ * @category Utilities * @param {number} [min=0] The minimum possible value. * @param {number} [max=1] The maximum possible value. * @param {boolean} [floating=false] Specify returning a floating-point number. * @returns {number} Returns a random number. * @example * * _.random(0, 5); * // => an integer between 0 and 5 * * _.random(5); * // => also an integer between 0 and 5 * * _.random(5, true); * // => a floating-point number between 0 and 5 * * _.random(1.2, 5.2); * // => a floating-point number between 1.2 and 5.2 */ function random(min, max, floating) { var noMin = min == null, noMax = max == null; if (floating == null) { if (typeof min == 'boolean' && noMax) { floating = min; min = 1; } else if (!noMax && typeof max == 'boolean') { floating = max; noMax = true; } } if (noMin && noMax) { max = 1; } min = +min || 0; if (noMax) { max = min; min = 0; } else { max = +max || 0; } if (floating || min % 1 || max % 1) { var rand = nativeRandom(); return nativeMin(min + (rand * (max - min + parseFloat('1e-' + ((rand +'').length - 1)))), max); } return baseRandom(min, max); } /** * Resolves the value of property `key` on `object`. If `key` is a function * it will be invoked with the `this` binding of `object` and its result returned, * else the property value is returned. If `object` is falsey then `undefined` * is returned. * * @static * @memberOf _ * @category Utilities * @param {Object} object The object to inspect. * @param {string} key The name of the property to resolve. * @returns {*} Returns the resolved value. * @example * * var object = { * 'cheese': 'crumpets', * 'stuff': function() { * return 'nonsense'; * } * }; * * _.result(object, 'cheese'); * // => 'crumpets' * * _.result(object, 'stuff'); * // => 'nonsense' */ function result(object, key) { if (object) { var value = object[key]; return isFunction(value) ? object[key]() : value; } } /** * A micro-templating method that handles arbitrary delimiters, preserves * whitespace, and correctly escapes quotes within interpolated code. * * Note: In the development build, `_.template` utilizes sourceURLs for easier * debugging. See http://www.html5rocks.com/en/tutorials/developertools/sourcemaps/#toc-sourceurl * * For more information on precompiling templates see: * http://lodash.com/custom-builds * * For more information on Chrome extension sandboxes see: * http://developer.chrome.com/stable/extensions/sandboxingEval.html * * @static * @memberOf _ * @category Utilities * @param {string} text The template text. * @param {Object} data The data object used to populate the text. * @param {Object} [options] The options object. * @param {RegExp} [options.escape] The "escape" delimiter. * @param {RegExp} [options.evaluate] The "evaluate" delimiter. * @param {Object} [options.imports] An object to import into the template as local variables. * @param {RegExp} [options.interpolate] The "interpolate" delimiter. * @param {string} [sourceURL] The sourceURL of the template's compiled source. * @param {string} [variable] The data object variable name. * @returns {Function|string} Returns a compiled function when no `data` object * is given, else it returns the interpolated text. * @example * * // using the "interpolate" delimiter to create a compiled template * var compiled = _.template('hello <%= name %>'); * compiled({ 'name': 'fred' }); * // => 'hello fred' * * // using the "escape" delimiter to escape HTML in data property values * _.template('<b><%- value %></b>', { 'value': '<script>' }); * // => '<b>&lt;script&gt;</b>' * * // using the "evaluate" delimiter to generate HTML * var list = '<% _.forEach(people, function(name) { %><li><%- name %></li><% }); %>'; * _.template(list, { 'people': ['fred', 'barney'] }); * // => '<li>fred</li><li>barney</li>' * * // using the ES6 delimiter as an alternative to the default "interpolate" delimiter * _.template('hello ${ name }', { 'name': 'pebbles' }); * // => 'hello pebbles' * * // using the internal `print` function in "evaluate" delimiters * _.template('<% print("hello " + name); %>!', { 'name': 'barney' }); * // => 'hello barney!' * * // using a custom template delimiters * _.templateSettings = { * 'interpolate': /{{([\s\S]+?)}}/g * }; * * _.template('hello {{ name }}!', { 'name': 'mustache' }); * // => 'hello mustache!' * * // using the `imports` option to import jQuery * var list = '<% jq.each(people, function(name) { %><li><%- name %></li><% }); %>'; * _.template(list, { 'people': ['fred', 'barney'] }, { 'imports': { 'jq': jQuery } }); * // => '<li>fred</li><li>barney</li>' * * // using the `sourceURL` option to specify a custom sourceURL for the template * var compiled = _.template('hello <%= name %>', null, { 'sourceURL': '/basic/greeting.jst' }); * compiled(data); * // => find the source of "greeting.jst" under the Sources tab or Resources panel of the web inspector * * // using the `variable` option to ensure a with-statement isn't used in the compiled template * var compiled = _.template('hi <%= data.name %>!', null, { 'variable': 'data' }); * compiled.source; * // => function(data) { * var __t, __p = '', __e = _.escape; * __p += 'hi ' + ((__t = ( data.name )) == null ? '' : __t) + '!'; * return __p; * } * * // using the `source` property to inline compiled templates for meaningful * // line numbers in error messages and a stack trace * fs.writeFileSync(path.join(cwd, 'jst.js'), '\ * var JST = {\ * "main": ' + _.template(mainText).source + '\ * };\ * '); */ function template(text, data, options) { // based on John Resig's `tmpl` implementation // http://ejohn.org/blog/javascript-micro-templating/ // and Laura Doktorova's doT.js // https://github.com/olado/doT var settings = lodash.templateSettings; text = String(text || ''); // avoid missing dependencies when `iteratorTemplate` is not defined options = defaults({}, options, settings); var imports = defaults({}, options.imports, settings.imports), importsKeys = keys(imports), importsValues = values(imports); var isEvaluating, index = 0, interpolate = options.interpolate || reNoMatch, source = "__p += '"; // compile the regexp to match each delimiter var reDelimiters = RegExp( (options.escape || reNoMatch).source + '|' + interpolate.source + '|' + (interpolate === reInterpolate ? reEsTemplate : reNoMatch).source + '|' + (options.evaluate || reNoMatch).source + '|$' , 'g'); text.replace(reDelimiters, function(match, escapeValue, interpolateValue, esTemplateValue, evaluateValue, offset) { interpolateValue || (interpolateValue = esTemplateValue); // escape characters that cannot be included in string literals source += text.slice(index, offset).replace(reUnescapedString, escapeStringChar); // replace delimiters with snippets if (escapeValue) { source += "' +\n__e(" + escapeValue + ") +\n'"; } if (evaluateValue) { isEvaluating = true; source += "';\n" + evaluateValue + ";\n__p += '"; } if (interpolateValue) { source += "' +\n((__t = (" + interpolateValue + ")) == null ? '' : __t) +\n'"; } index = offset + match.length; // the JS engine embedded in Adobe products requires returning the `match` // string in order to produce the correct `offset` value return match; }); source += "';\n"; // if `variable` is not specified, wrap a with-statement around the generated // code to add the data object to the top of the scope chain var variable = options.variable, hasVariable = variable; if (!hasVariable) { variable = 'obj'; source = 'with (' + variable + ') {\n' + source + '\n}\n'; } // cleanup code by stripping empty strings source = (isEvaluating ? source.replace(reEmptyStringLeading, '') : source) .replace(reEmptyStringMiddle, '$1') .replace(reEmptyStringTrailing, '$1;'); // frame code as the function body source = 'function(' + variable + ') {\n' + (hasVariable ? '' : variable + ' || (' + variable + ' = {});\n') + "var __t, __p = '', __e = _.escape" + (isEvaluating ? ', __j = Array.prototype.join;\n' + "function print() { __p += __j.call(arguments, '') }\n" : ';\n' ) + source + 'return __p\n}'; // Use a sourceURL for easier debugging. // http://www.html5rocks.com/en/tutorials/developertools/sourcemaps/#toc-sourceurl var sourceURL = '\n/*\n//# sourceURL=' + (options.sourceURL || '/lodash/template/source[' + (templateCounter++) + ']') + '\n*/'; try { var result = Function(importsKeys, 'return ' + source + sourceURL).apply(undefined, importsValues); } catch(e) { e.source = source; throw e; } if (data) { return result(data); } // provide the compiled function's source by its `toString` method, in // supported environments, or the `source` property as a convenience for // inlining compiled templates during the build process result.source = source; return result; } /** * Executes the callback `n` times, returning an array of the results * of each callback execution. The callback is bound to `thisArg` and invoked * with one argument; (index). * * @static * @memberOf _ * @category Utilities * @param {number} n The number of times to execute the callback. * @param {Function} callback The function called per iteration. * @param {*} [thisArg] The `this` binding of `callback`. * @returns {Array} Returns an array of the results of each `callback` execution. * @example * * var diceRolls = _.times(3, _.partial(_.random, 1, 6)); * // => [3, 6, 4] * * _.times(3, function(n) { mage.castSpell(n); }); * // => calls `mage.castSpell(n)` three times, passing `n` of `0`, `1`, and `2` respectively * * _.times(3, function(n) { this.cast(n); }, mage); * // => also calls `mage.castSpell(n)` three times */ function times(n, callback, thisArg) { n = (n = +n) > -1 ? n : 0; var index = -1, result = Array(n); callback = baseCreateCallback(callback, thisArg, 1); while (++index < n) { result[index] = callback(index); } return result; } /** * The inverse of `_.escape` this method converts the HTML entities * `&amp;`, `&lt;`, `&gt;`, `&quot;`, and `&#39;` in `string` to their * corresponding characters. * * @static * @memberOf _ * @category Utilities * @param {string} string The string to unescape. * @returns {string} Returns the unescaped string. * @example * * _.unescape('Fred, Barney &amp; Pebbles'); * // => 'Fred, Barney & Pebbles' */ function unescape(string) { return string == null ? '' : String(string).replace(reEscapedHtml, unescapeHtmlChar); } /** * Generates a unique ID. If `prefix` is provided the ID will be appended to it. * * @static * @memberOf _ * @category Utilities * @param {string} [prefix] The value to prefix the ID with. * @returns {string} Returns the unique ID. * @example * * _.uniqueId('contact_'); * // => 'contact_104' * * _.uniqueId(); * // => '105' */ function uniqueId(prefix) { var id = ++idCounter; return String(prefix == null ? '' : prefix) + id; } /*--------------------------------------------------------------------------*/ /** * Creates a `lodash` object that wraps the given value with explicit * method chaining enabled. * * @static * @memberOf _ * @category Chaining * @param {*} value The value to wrap. * @returns {Object} Returns the wrapper object. * @example * * var characters = [ * { 'name': 'barney', 'age': 36 }, * { 'name': 'fred', 'age': 40 }, * { 'name': 'pebbles', 'age': 1 } * ]; * * var youngest = _.chain(characters) * .sortBy('age') * .map(function(chr) { return chr.name + ' is ' + chr.age; }) * .first() * .value(); * // => 'pebbles is 1' */ function chain(value) { value = new lodashWrapper(value); value.__chain__ = true; return value; } /** * Invokes `interceptor` with the `value` as the first argument and then * returns `value`. The purpose of this method is to "tap into" a method * chain in order to perform operations on intermediate results within * the chain. * * @static * @memberOf _ * @category Chaining * @param {*} value The value to provide to `interceptor`. * @param {Function} interceptor The function to invoke. * @returns {*} Returns `value`. * @example * * _([1, 2, 3, 4]) * .tap(function(array) { array.pop(); }) * .reverse() * .value(); * // => [3, 2, 1] */ function tap(value, interceptor) { interceptor(value); return value; } /** * Enables explicit method chaining on the wrapper object. * * @name chain * @memberOf _ * @category Chaining * @returns {*} Returns the wrapper object. * @example * * var characters = [ * { 'name': 'barney', 'age': 36 }, * { 'name': 'fred', 'age': 40 } * ]; * * // without explicit chaining * _(characters).first(); * // => { 'name': 'barney', 'age': 36 } * * // with explicit chaining * _(characters).chain() * .first() * .pick('age') * .value(); * // => { 'age': 36 } */ function wrapperChain() { this.__chain__ = true; return this; } /** * Produces the `toString` result of the wrapped value. * * @name toString * @memberOf _ * @category Chaining * @returns {string} Returns the string result. * @example * * _([1, 2, 3]).toString(); * // => '1,2,3' */ function wrapperToString() { return String(this.__wrapped__); } /** * Extracts the wrapped value. * * @name valueOf * @memberOf _ * @alias value * @category Chaining * @returns {*} Returns the wrapped value. * @example * * _([1, 2, 3]).valueOf(); * // => [1, 2, 3] */ function wrapperValueOf() { return this.__wrapped__; } /*--------------------------------------------------------------------------*/ // add functions that return wrapped values when chaining lodash.after = after; lodash.assign = assign; lodash.at = at; lodash.bind = bind; lodash.bindAll = bindAll; lodash.bindKey = bindKey; lodash.chain = chain; lodash.compact = compact; lodash.compose = compose; lodash.constant = constant; lodash.countBy = countBy; lodash.create = create; lodash.createCallback = createCallback; lodash.curry = curry; lodash.debounce = debounce; lodash.defaults = defaults; lodash.defer = defer; lodash.delay = delay; lodash.difference = difference; lodash.filter = filter; lodash.flatten = flatten; lodash.forEach = forEach; lodash.forEachRight = forEachRight; lodash.forIn = forIn; lodash.forInRight = forInRight; lodash.forOwn = forOwn; lodash.forOwnRight = forOwnRight; lodash.functions = functions; lodash.groupBy = groupBy; lodash.indexBy = indexBy; lodash.initial = initial; lodash.intersection = intersection; lodash.invert = invert; lodash.invoke = invoke; lodash.keys = keys; lodash.map = map; lodash.mapValues = mapValues; lodash.max = max; lodash.memoize = memoize; lodash.merge = merge; lodash.min = min; lodash.omit = omit; lodash.once = once; lodash.pairs = pairs; lodash.partial = partial; lodash.partialRight = partialRight; lodash.pick = pick; lodash.pluck = pluck; lodash.property = property; lodash.pull = pull; lodash.range = range; lodash.reject = reject; lodash.remove = remove; lodash.rest = rest; lodash.shuffle = shuffle; lodash.sortBy = sortBy; lodash.tap = tap; lodash.throttle = throttle; lodash.times = times; lodash.toArray = toArray; lodash.transform = transform; lodash.union = union; lodash.uniq = uniq; lodash.values = values; lodash.where = where; lodash.without = without; lodash.wrap = wrap; lodash.xor = xor; lodash.zip = zip; lodash.zipObject = zipObject; // add aliases lodash.collect = map; lodash.drop = rest; lodash.each = forEach; lodash.eachRight = forEachRight; lodash.extend = assign; lodash.methods = functions; lodash.object = zipObject; lodash.select = filter; lodash.tail = rest; lodash.unique = uniq; lodash.unzip = zip; // add functions to `lodash.prototype` mixin(lodash); /*--------------------------------------------------------------------------*/ // add functions that return unwrapped values when chaining lodash.clone = clone; lodash.cloneDeep = cloneDeep; lodash.contains = contains; lodash.escape = escape; lodash.every = every; lodash.find = find; lodash.findIndex = findIndex; lodash.findKey = findKey; lodash.findLast = findLast; lodash.findLastIndex = findLastIndex; lodash.findLastKey = findLastKey; lodash.has = has; lodash.identity = identity; lodash.indexOf = indexOf; lodash.isArguments = isArguments; lodash.isArray = isArray; lodash.isBoolean = isBoolean; lodash.isDate = isDate; lodash.isElement = isElement; lodash.isEmpty = isEmpty; lodash.isEqual = isEqual; lodash.isFinite = isFinite; lodash.isFunction = isFunction; lodash.isNaN = isNaN; lodash.isNull = isNull; lodash.isNumber = isNumber; lodash.isObject = isObject; lodash.isPlainObject = isPlainObject; lodash.isRegExp = isRegExp; lodash.isString = isString; lodash.isUndefined = isUndefined; lodash.lastIndexOf = lastIndexOf; lodash.mixin = mixin; lodash.noConflict = noConflict; lodash.noop = noop; lodash.now = now; lodash.parseInt = parseInt; lodash.random = random; lodash.reduce = reduce; lodash.reduceRight = reduceRight; lodash.result = result; lodash.runInContext = runInContext; lodash.size = size; lodash.some = some; lodash.sortedIndex = sortedIndex; lodash.template = template; lodash.unescape = unescape; lodash.uniqueId = uniqueId; // add aliases lodash.all = every; lodash.any = some; lodash.detect = find; lodash.findWhere = find; lodash.foldl = reduce; lodash.foldr = reduceRight; lodash.include = contains; lodash.inject = reduce; mixin(function() { var source = {} forOwn(lodash, function(func, methodName) { if (!lodash.prototype[methodName]) { source[methodName] = func; } }); return source; }(), false); /*--------------------------------------------------------------------------*/ // add functions capable of returning wrapped and unwrapped values when chaining lodash.first = first; lodash.last = last; lodash.sample = sample; // add aliases lodash.take = first; lodash.head = first; forOwn(lodash, function(func, methodName) { var callbackable = methodName !== 'sample'; if (!lodash.prototype[methodName]) { lodash.prototype[methodName]= function(n, guard) { var chainAll = this.__chain__, result = func(this.__wrapped__, n, guard); return !chainAll && (n == null || (guard && !(callbackable && typeof n == 'function'))) ? result : new lodashWrapper(result, chainAll); }; } }); /*--------------------------------------------------------------------------*/ /** * The semantic version number. * * @static * @memberOf _ * @type string */ lodash.VERSION = '2.4.1'; // add "Chaining" functions to the wrapper lodash.prototype.chain = wrapperChain; lodash.prototype.toString = wrapperToString; lodash.prototype.value = wrapperValueOf; lodash.prototype.valueOf = wrapperValueOf; // add `Array` functions that return unwrapped values baseEach(['join', 'pop', 'shift'], function(methodName) { var func = arrayRef[methodName]; lodash.prototype[methodName] = function() { var chainAll = this.__chain__, result = func.apply(this.__wrapped__, arguments); return chainAll ? new lodashWrapper(result, chainAll) : result; }; }); // add `Array` functions that return the existing wrapped value baseEach(['push', 'reverse', 'sort', 'unshift'], function(methodName) { var func = arrayRef[methodName]; lodash.prototype[methodName] = function() { func.apply(this.__wrapped__, arguments); return this; }; }); // add `Array` functions that return new wrapped values baseEach(['concat', 'slice', 'splice'], function(methodName) { var func = arrayRef[methodName]; lodash.prototype[methodName] = function() { return new lodashWrapper(func.apply(this.__wrapped__, arguments), this.__chain__); }; }); // avoid array-like object bugs with `Array#shift` and `Array#splice` // in IE < 9, Firefox < 10, Narwhal, and RingoJS if (!support.spliceObjects) { baseEach(['pop', 'shift', 'splice'], function(methodName) { var func = arrayRef[methodName], isSplice = methodName == 'splice'; lodash.prototype[methodName] = function() { var chainAll = this.__chain__, value = this.__wrapped__, result = func.apply(value, arguments); if (value.length === 0) { delete value[0]; } return (chainAll || isSplice) ? new lodashWrapper(result, chainAll) : result; }; }); } return lodash; } /*--------------------------------------------------------------------------*/ // expose Lo-Dash var _ = runInContext(); // some AMD build optimizers like r.js check for condition patterns like the following: if (true) { // Expose Lo-Dash to the global object even when an AMD loader is present in // case Lo-Dash is loaded with a RequireJS shim config. // See http://requirejs.org/docs/api.html#config-shim root._ = _; // define as an anonymous module so, through path mapping, it can be // referenced as the "underscore" module !(__WEBPACK_AMD_DEFINE_RESULT__ = function() { return _; }.call(exports, __webpack_require__, exports, module), __WEBPACK_AMD_DEFINE_RESULT__ !== undefined && (module.exports = __WEBPACK_AMD_DEFINE_RESULT__)); } // check for `exports` after `define` in case a build optimizer adds an `exports` object else if (freeExports && freeModule) { // in Node.js or RingoJS if (moduleExports) { (freeModule.exports = _)._ = _; } // in Narwhal or Rhino -require else { freeExports._ = _; } } else { // in a browser or Rhino root._ = _; } }.call(this)); /* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(18)(module), (function() { return this; }()))) /***/ }, /* 8 */ /***/ function(module, exports, __webpack_require__) { var EventHandlers = { // Event handler for previous and next changeSlide: function (options, e) { // console.log('changeSlide'); var indexOffset, slideOffset, unevenOffset; unevenOffset = (this.state.slideCount % this.props.slidesToScroll !== 0); indexOffset = unevenOffset ? 0 : (this.state.slideCount - this.state.currentSlide) % this.props.slidesToScroll; if (options.message === 'previous') { slideOffset = (indexOffset === 0) ? this.props.slidesToScroll : this.props.slidesToShow - indexOffset; if (this.state.slideCount > this.props.slidesToShow) { this.slideHandler(this.state.currentSlide - slideOffset, false); } } else if (options.message === 'next') { slideOffset = (indexOffset === 0) ? this.props.slidesToScroll : indexOffset; if (this.state.slideCount > this.props.slidesToShow) { this.slideHandler(this.state.currentSlide + slideOffset, false); } } else if (options.message === 'index') { // Click on dots var targetSlide = options.index*this.props.slidesToScroll; if (targetSlide !== this.state.currentSlide) { this.slideHandler(targetSlide); } } this.autoPlay(); }, // Accessiblity handler for previous and next keyHandler: function (e) { }, // Focus on selecting a slide (click handler on track) selectHandler: function (e) { }, swipeStart: function (e) { var touches, posX, posY; posX = (e.touches !== undefined) ? e.touches[0].pageX : e.clientX; posY = (e.touches !== undefined) ? e.touches[0].pageY : e.clientY; this.setState({ dragging: true, touchObject: { startX: posX, startY: posY, curX: posX, curY: posY } }); e.preventDefault(); }, swipeMove: function (e) { if (this.state.dragging) { var swipeLeft, swipeLength, swipeDirection; var curLeft; var touchObject = this.state.touchObject; curLeft = this.getLeft(this.state.currentSlide); touchObject.curX = (e.touches )? e.touches[0].pageX : e.clientX; touchObject.curY = (e.touches )? e.touches[0].pageY : e.clientY; touchObject.swipeLength = Math.round(Math.sqrt(Math.pow(touchObject.curX - touchObject.startX, 2))); positionOffset = (this.props.rtl === false ? 1 : -1) * (touchObject.curX > touchObject.startX ? 1 : -1); swipeLeft = curLeft + touchObject.swipeLength * positionOffset; this.setState({ touchObject: touchObject, swipeLeft: swipeLeft, trackStyle: this.getCSS(swipeLeft), }); } e.preventDefault(); }, swipeEnd: function (e) { var touchObject = this.state.touchObject; var minSwipe = this.state.listWidth/this.props.touchThreshold; var swipeDirection = this.swipeDirection(touchObject); this.setState({ dragging: false, touchObject: {} }); if (touchObject.swipeLength > minSwipe) { if (swipeDirection === 'left') { this.slideHandler(this.state.currentSlide + this.props.slidesToScroll); } else if (swipeDirection === 'right') { this.slideHandler(this.state.currentSlide - this.props.slidesToScroll); } else { this.slideHandler(this.state.currentSlide, null, true); } } else { this.slideHandler(this.state.currentSlide, null, true); } e.preventDefault(); }, }; module.exports = EventHandlers; /***/ }, /* 9 */ /***/ function(module, exports, __webpack_require__) { var assign = __webpack_require__(6); var React = __webpack_require__(2); var cx = __webpack_require__(13); var ReactTransitionEvents = __webpack_require__(14); var helpers = { initialize: function (props) { var slideCount = React.Children.count(props.children); var listWidth = this.refs.list.getDOMNode().getBoundingClientRect().width; var trackWidth = this.refs.track.getDOMNode().getBoundingClientRect().width; var slideWidth = this.getDOMNode().getBoundingClientRect().width/props.slidesToShow; this.setState({ slideCount: slideCount, slideWidth: slideWidth, listWidth: listWidth, trackWidth: trackWidth, currentSlide: 0 }, function () { // getCSS function needs previously set state var trackStyle = this.getCSS(this.getLeft(0)); this.setState({trackStyle: trackStyle}); }); }, getDotCount: function () { var pagerQty; pagerQty = Math.ceil(this.state.slideCount /this.props.slidesToScroll); return pagerQty - 1; }, getLeft: function (slideIndex) { var slideOffset = 0; var targetLeft; if (this.props.infinite === true) { if (this.state.slideCount > this.props.slidesToShow) { slideOffset = (this.state.slideWidth * this.props.slidesToShow) * -1; } if (this.state.slideCount % this.props.slidesToScroll !== 0) { if (slideIndex + this.props.slidesToScroll > this.state.slideCount && this.state.slideCount > this.props.slidesToShow) { if(slideIndex > this.state.slideCount) { slideOffset = ((this.props.slidesToShow - (slideIndex - this.state.slideCount)) * this.state.slideWidth) * -1; } else { slideOffset = ((this.state.slideCount % this.props.slidesToScroll) * this.state.slideWidth) * -1; } } } } else { } if (this.props.centerMode === true && this.props.infinite === true) { slideOffset += this.state.slideWidth * Math.floor(this.props.slidesToShow / 2) - this.state.slideWidth; } else if (this.props.centerMode === true) { slideOffset = this.state.slideWidth * Math.floor(this.props.slidesToShow / 2); } targetLeft = ((slideIndex * this.state.slideWidth) * -1) + slideOffset; if (this.props.variableWidth === true) { var targetSlideIndex; var totalSlides; if(this.state.slideCount <= this.props.slidesToShow || this.props.infinite === false) { targetSlide = this.refs.track.getDOMNode().childNodes[slideIndex]; } else { targetSlideIndex = (slideIndex + this.props.slidesToShow); targetSlide = this.refs.track.getDOMNode().childNodes[targetSlideIndex]; } targetLeft = targetSlide ? targetSlide.offsetLeft * -1 : 0; if (this.props.centerMode === true) { if(this.props.infinite === false) { targetSlide = this.refs.track.getDOMNode().childNodes[slideIndex]; } else { targetSlide = this.refs.track.getDOMNode().childNodes[(slideIndex + this.props.slidesToShow + 1)]; } targetLeft = targetSlide ? targetSlide.offsetLeft * -1 : 0; targetLeft += (this.state.listWidth - targetSlide.offsetWidth) / 2; } } return targetLeft; }, getAnimateCSS: function (targetLeft) { var style = this.getCSS(targetLeft); style.transition = 'transform 500ms ease'; // style.WebkitTransition = 'transform 500ms ease'; return style; }, getCSS: function (targetLeft) { // implemented this instead of setCSS var trackWidth; if (this.props.variableWidth) { trackWidth = (this.state.slideCount + 2*this.props.slidesToShow)*this.state.slideWidth; } else if (this.props.centerMode) { trackWidth = (this.state.slideCount + 2*(this.props.slidesToShow + 1)) *this.state.slideWidth; } else { trackWidth = (this.state.slideCount + 2*this.props.slidesToShow )*this.state.slideWidth; } var style = { opacity: 1, width: trackWidth, WebkitTransform: 'translate3d(' + targetLeft + 'px, 0px, 0px)', transform: 'translate3d(' + targetLeft + 'px, 0px, 0px)', }; return style; }, getSlideStyle: function () { return { width: this.state.slideWidth }; }, getSlideClasses: function (index) { var slickActive, slickCenter, slickCloned; var centerOffset, indexOffset; var allSlides; var centerIndex; var realRange = false; slickCloned = (index < 0) || (index >= this.state.slideCount); if (this.props.centerMode) { if (this.refs.track) { allSlides = this.refs.track.getDOMNode().childNodes.length; } centerOffset = Math.floor(this.props.slidesToShow / 2); indexOffset = this.state.currentSlide + this.props.slidesToShow; centerIndex = this.state.currentSlide + centerOffset; slickCenter = (centerIndex-1 === index); if (this.state.currentSlide >= centerOffset && this.state.currentSlide <= (this.props.slideCount - 1) - centerOffset) { realRange = true; } if (realRange && (index > this.state.currentSlide - centerOffset) && (index <= this.state.currentSlide + centerOffset + 1 )) { slickActive = true; } else { } } else { slickActive = (this.state.currentSlide === index); } return cx({ 'slick-slide': true, 'slick-active': slickActive, 'slick-center': slickCenter, 'slick-cloned': slickCloned }); }, getListStyle: function () { var style = {}; if (this.props.adaptiveHeight) { var selector = '[data-index="' + this.state.currentSlide +'"]'; if (this.refs.list) { style.height = this.refs.list.getDOMNode().querySelector(selector).offsetHeight; } } return style; }, slideHandler: function (index, sync, dontAnimate) { // Functionality of animateSlide and postSlide is merged into this function // console.log('slideHandler', index); var targetSlide, currentSlide; var targetLeft, currentLeft; if (this.state.animating === true) { return; } // To prevent the slider from sticking in animating state, If we click on already active dot if (this.props.fade === true && this.state.currentSlide === index) { return; } if (this.state.slideCount <= this.props.slidesToShow) { return; } targetSlide = index; if (targetSlide < 0) { if (this.state.slideCount % this.props.slidesToScroll !== 0) { currentSlide = this.state.slideCount - (this.state.slideCount % this.props.slidesToScroll); } else { currentSlide = this.state.slideCount + targetSlide; } } else if (targetSlide >= this.state.slideCount) { if (this.state.slideCount % this.props.slidesToScroll !== 0) { currentSlide = 0; } else { currentSlide = targetSlide - this.state.slideCount; } } else { currentSlide = targetSlide; } targetLeft = this.getLeft(targetSlide, this.state); currentLeft = this.getLeft(currentSlide, this.state); if (this.props.infinite === false) { targetLeft = currentLeft; } this.setState({ animating: true, currentSlide: currentSlide, currentLeft: currentLeft, trackStyle: this.getAnimateCSS(targetLeft) }, function () { ReactTransitionEvents.addEndEventListener(this.refs.track.getDOMNode(), function() { this.setState({ animating: false, trackStyle: this.getCSS(currentLeft), swipeLeft: null }); }.bind(this)); }); }, swipeDirection: function (touchObject) { var xDist, yDist, r, swipeAngle; xDist = touchObject.startX - touchObject.curX; yDist = touchObject.startY - touchObject.curY; r = Math.atan2(yDist, xDist); swipeAngle = Math.round(r * 180 / Math.PI); if (swipeAngle < 0) { swipeAngle = 360 - Math.abs(swipeAngle); } if ((swipeAngle <= 45) && (swipeAngle >= 0)) { return (this.props.rtl === false ? 'left' : 'right'); } if ((swipeAngle <= 360) && (swipeAngle >= 315)) { return (this.props.rtl === false ? 'left' : 'right'); } if ((swipeAngle >= 135) && (swipeAngle <= 225)) { return (this.props.rtl === false ? 'right' : 'left'); } return 'vertical'; }, autoPlay: function () { var play = function () { this.slideHandler(this.state.currentSlide + this.props.slidesToScroll); }.bind(this); if (this.props.autoplay) { window.setInterval(play, this.props.autoplaySpeed); } }, }; module.exports = helpers; /***/ }, /* 10 */ /***/ function(module, exports, __webpack_require__) { var initialState = { animating: false, dragging: false, // autoPlayTimer: null, currentDirection: 0, currentLeft: null, currentSlide: 0, direction: 1, // listWidth: null, // listHeight: null, // loadIndex: 0, slideCount: null, slideWidth: null, // sliding: false, // slideOffset: 0, swipeLeft: null, touchObject: { startX: 0, startY: 0, curX: 0, curY: 0 }, // added for react initialized: false, trackStyle: {}, trackWidth: 0, // Removed // transformsEnabled: false, // $nextArrow: null, // $prevArrow: null, // $dots: null, // $list: null, // $slideTrack: null, // $slides: null, }; module.exports = initialState; /***/ }, /* 11 */ /***/ function(module, exports, __webpack_require__) { var defaultProps = { className: '', accessibility: true, adaptiveHeight: false, // appendArrows: $(element), // appendDots: $(element), arrows: true, // asNavFor: null, // prevArrow: '<button type="button" data-role="none" class="slick-prev">Previous</button>', // nextArrow: '<button type="button" data-role="none" class="slick-next">Next</button>', autoplay: false, autoplaySpeed: 3000, centerMode: false, centerPadding: '50px', cssEase: 'ease', // customPaging: function(slider, i) { // return '<button type="button" data-role="none">' + (i + 1) + '</button>'; // }, dots: false, dotsClass: 'slick-dots', draggable: true, easing: 'linear', fade: false, focusOnSelect: false, infinite: true, initialSlide: 0, lazyLoad: 'ondemand', onBeforeChange: null, onAfterChange: null, onInit: null, onReInit: null, onSetPosition: null, pauseOnHover: true, pauseOnDotsHover: false, respondTo: 'window', responsive: null, rtl: false, slide: 'div', slidesToShow: 1, slidesToScroll: 1, speed: 500, swipe: true, swipeToSlide: false, touchMove: true, touchThreshold: 5, // useCSS: true, variableWidth: false, vertical: false, // waitForAnimate: true }; module.exports = defaultProps; /***/ }, /* 12 */ /***/ function(module, exports, __webpack_require__) { /** * Copyright 2013-2014, Facebook, Inc. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. * * @typechecks * @providesModule cloneWithProps */ "use strict"; var ReactElement = __webpack_require__(19); var ReactPropTransferer = __webpack_require__(20); var keyOf = __webpack_require__(21); var warning = __webpack_require__(22); var CHILDREN_PROP = keyOf({children: null}); /** * Sometimes you want to change the props of a child passed to you. Usually * this is to add a CSS class. * * @param {object} child child component you'd like to clone * @param {object} props props you'd like to modify. They will be merged * as if you used `transferPropsTo()`. * @return {object} a clone of child with props merged in. */ function cloneWithProps(child, props) { if ("production" !== (undefined)) { ("production" !== (undefined) ? warning( !child.ref, 'You are calling cloneWithProps() on a child with a ref. This is ' + 'dangerous because you\'re creating a new child which will not be ' + 'added as a ref to its parent.' ) : null); } var newProps = ReactPropTransferer.mergeProps(props, child.props); // Use `child.props.children` if it is provided. if (!newProps.hasOwnProperty(CHILDREN_PROP) && child.props.hasOwnProperty(CHILDREN_PROP)) { newProps.children = child.props.children; } // The current API doesn't retain _owner and _context, which is why this // doesn't use ReactElement.cloneAndReplaceProps. return ReactElement.createElement(child.type, newProps); } module.exports = cloneWithProps; /***/ }, /* 13 */ /***/ function(module, exports, __webpack_require__) { /** * Copyright 2013-2014, Facebook, Inc. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. * * @providesModule cx */ /** * This function is used to mark string literals representing CSS class names * so that they can be transformed statically. This allows for modularization * and minification of CSS class names. * * In static_upstream, this function is actually implemented, but it should * eventually be replaced with something more descriptive, and the transform * that is used in the main stack should be ported for use elsewhere. * * @param string|object className to modularize, or an object of key/values. * In the object case, the values are conditions that * determine if the className keys should be included. * @param [string ...] Variable list of classNames in the string case. * @return string Renderable space-separated CSS className. */ function cx(classNames) { if (typeof classNames == 'object') { return Object.keys(classNames).filter(function(className) { return classNames[className]; }).join(' '); } else { return Array.prototype.join.call(arguments, ' '); } } module.exports = cx; /***/ }, /* 14 */ /***/ function(module, exports, __webpack_require__) { /** * Copyright 2013-2014, Facebook, Inc. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. * * @providesModule ReactTransitionEvents */ "use strict"; var ExecutionEnvironment = __webpack_require__(23); /** * EVENT_NAME_MAP is used to determine which event fired when a * transition/animation ends, based on the style property used to * define that event. */ var EVENT_NAME_MAP = { transitionend: { 'transition': 'transitionend', 'WebkitTransition': 'webkitTransitionEnd', 'MozTransition': 'mozTransitionEnd', 'OTransition': 'oTransitionEnd', 'msTransition': 'MSTransitionEnd' }, animationend: { 'animation': 'animationend', 'WebkitAnimation': 'webkitAnimationEnd', 'MozAnimation': 'mozAnimationEnd', 'OAnimation': 'oAnimationEnd', 'msAnimation': 'MSAnimationEnd' } }; var endEvents = []; function detectEvents() { var testEl = document.createElement('div'); var style = testEl.style; // On some platforms, in particular some releases of Android 4.x, // the un-prefixed "animation" and "transition" properties are defined on the // style object but the events that fire will still be prefixed, so we need // to check if the un-prefixed events are useable, and if not remove them // from the map if (!('AnimationEvent' in window)) { delete EVENT_NAME_MAP.animationend.animation; } if (!('TransitionEvent' in window)) { delete EVENT_NAME_MAP.transitionend.transition; } for (var baseEventName in EVENT_NAME_MAP) { var baseEvents = EVENT_NAME_MAP[baseEventName]; for (var styleName in baseEvents) { if (styleName in style) { endEvents.push(baseEvents[styleName]); break; } } } } if (ExecutionEnvironment.canUseDOM) { detectEvents(); } // We use the raw {add|remove}EventListener() call because EventListener // does not know how to remove event listeners and we really should // clean up. Also, these events are not triggered in older browsers // so we should be A-OK here. function addEventListener(node, eventName, eventListener) { node.addEventListener(eventName, eventListener, false); } function removeEventListener(node, eventName, eventListener) { node.removeEventListener(eventName, eventListener, false); } var ReactTransitionEvents = { addEndEventListener: function(node, eventListener) { if (endEvents.length === 0) { // If CSS transitions are not supported, trigger an "end animation" // event immediately. window.setTimeout(eventListener, 0); return; } endEvents.forEach(function(endEvent) { addEventListener(node, endEvent, eventListener); }); }, removeEndEventListener: function(node, eventListener) { if (endEvents.length === 0) { return; } endEvents.forEach(function(endEvent) { removeEventListener(node, endEvent, eventListener); }); } }; module.exports = ReactTransitionEvents; /***/ }, /* 15 */ /***/ function(module, exports, __webpack_require__) { var camel2hyphen = __webpack_require__(30); var isDimension = function (feature) { var re = /[height|width]$/; return re.test(feature); }; var obj2mq = function (obj) { var mq = ''; var features = Object.keys(obj); features.forEach(function (feature, index) { var value = obj[feature]; feature = camel2hyphen(feature); // Add px to dimension features if (isDimension(feature) && typeof value === 'number') { value = value + 'px'; } if (value === true) { mq += feature; } else if (value === false) { mq += 'not ' + feature; } else { mq += '(' + feature + ': ' + value + ')'; } if (index < features.length-1) { mq += ' and ' } }); return mq; }; var json2mq = function (query) { var mq = ''; if (typeof query === 'string') { return query; } // Handling array of media queries if (query instanceof Array) { query.forEach(function (q, index) { mq += obj2mq(q); if (index < query.length-1) { mq += ', ' } }); return mq; } // Handling single media query return obj2mq(query); }; module.exports = json2mq; /***/ }, /* 16 */ /***/ function(module, exports, __webpack_require__) { var camel2hyphen = function (str) { return str .replace(/[A-Z]/g, function (match) { return '-' + match.toLowerCase(); }) .toLowerCase(); }; module.exports = camel2hyphen; /***/ }, /* 17 */ /***/ function(module, exports, __webpack_require__) { var __WEBPACK_AMD_DEFINE_RESULT__;/*! * enquire.js v2.1.1 - Awesome Media Queries in JavaScript * Copyright (c) 2014 Nick Williams - http://wicky.nillia.ms/enquire.js * License: MIT (http://www.opensource.org/licenses/mit-license.php) */ ;(function (name, context, factory) { var matchMedia = window.matchMedia; if (typeof module !== 'undefined' && module.exports) { module.exports = factory(matchMedia); } else if (true) { !(__WEBPACK_AMD_DEFINE_RESULT__ = function() { return (context[name] = factory(matchMedia)); }.call(exports, __webpack_require__, exports, module), __WEBPACK_AMD_DEFINE_RESULT__ !== undefined && (module.exports = __WEBPACK_AMD_DEFINE_RESULT__)); } else { context[name] = factory(matchMedia); } }('enquire', this, function (matchMedia) { 'use strict'; /*jshint unused:false */ /** * Helper function for iterating over a collection * * @param collection * @param fn */ function each(collection, fn) { var i = 0, length = collection.length, cont; for(i; i < length; i++) { cont = fn(collection[i], i); if(cont === false) { break; //allow early exit } } } /** * Helper function for determining whether target object is an array * * @param target the object under test * @return {Boolean} true if array, false otherwise */ function isArray(target) { return Object.prototype.toString.apply(target) === '[object Array]'; } /** * Helper function for determining whether target object is a function * * @param target the object under test * @return {Boolean} true if function, false otherwise */ function isFunction(target) { return typeof target === 'function'; } /** * Delegate to handle a media query being matched and unmatched. * * @param {object} options * @param {function} options.match callback for when the media query is matched * @param {function} [options.unmatch] callback for when the media query is unmatched * @param {function} [options.setup] one-time callback triggered the first time a query is matched * @param {boolean} [options.deferSetup=false] should the setup callback be run immediately, rather than first time query is matched? * @constructor */ function QueryHandler(options) { this.options = options; !options.deferSetup && this.setup(); } QueryHandler.prototype = { /** * coordinates setup of the handler * * @function */ setup : function() { if(this.options.setup) { this.options.setup(); } this.initialised = true; }, /** * coordinates setup and triggering of the handler * * @function */ on : function() { !this.initialised && this.setup(); this.options.match && this.options.match(); }, /** * coordinates the unmatch event for the handler * * @function */ off : function() { this.options.unmatch && this.options.unmatch(); }, /** * called when a handler is to be destroyed. * delegates to the destroy or unmatch callbacks, depending on availability. * * @function */ destroy : function() { this.options.destroy ? this.options.destroy() : this.off(); }, /** * determines equality by reference. * if object is supplied compare options, if function, compare match callback * * @function * @param {object || function} [target] the target for comparison */ equals : function(target) { return this.options === target || this.options.match === target; } }; /** * Represents a single media query, manages it's state and registered handlers for this query * * @constructor * @param {string} query the media query string * @param {boolean} [isUnconditional=false] whether the media query should run regardless of whether the conditions are met. Primarily for helping older browsers deal with mobile-first design */ function MediaQuery(query, isUnconditional) { this.query = query; this.isUnconditional = isUnconditional; this.handlers = []; this.mql = matchMedia(query); var self = this; this.listener = function(mql) { self.mql = mql; self.assess(); }; this.mql.addListener(this.listener); } MediaQuery.prototype = { /** * add a handler for this query, triggering if already active * * @param {object} handler * @param {function} handler.match callback for when query is activated * @param {function} [handler.unmatch] callback for when query is deactivated * @param {function} [handler.setup] callback for immediate execution when a query handler is registered * @param {boolean} [handler.deferSetup=false] should the setup callback be deferred until the first time the handler is matched? */ addHandler : function(handler) { var qh = new QueryHandler(handler); this.handlers.push(qh); this.matches() && qh.on(); }, /** * removes the given handler from the collection, and calls it's destroy methods * * @param {object || function} handler the handler to remove */ removeHandler : function(handler) { var handlers = this.handlers; each(handlers, function(h, i) { if(h.equals(handler)) { h.destroy(); return !handlers.splice(i,1); //remove from array and exit each early } }); }, /** * Determine whether the media query should be considered a match * * @return {Boolean} true if media query can be considered a match, false otherwise */ matches : function() { return this.mql.matches || this.isUnconditional; }, /** * Clears all handlers and unbinds events */ clear : function() { each(this.handlers, function(handler) { handler.destroy(); }); this.mql.removeListener(this.listener); this.handlers.length = 0; //clear array }, /* * Assesses the query, turning on all handlers if it matches, turning them off if it doesn't match */ assess : function() { var action = this.matches() ? 'on' : 'off'; each(this.handlers, function(handler) { handler[action](); }); } }; /** * Allows for registration of query handlers. * Manages the query handler's state and is responsible for wiring up browser events * * @constructor */ function MediaQueryDispatch () { if(!matchMedia) { throw new Error('matchMedia not present, legacy browsers require a polyfill'); } this.queries = {}; this.browserIsIncapable = !matchMedia('only all').matches; } MediaQueryDispatch.prototype = { /** * Registers a handler for the given media query * * @param {string} q the media query * @param {object || Array || Function} options either a single query handler object, a function, or an array of query handlers * @param {function} options.match fired when query matched * @param {function} [options.unmatch] fired when a query is no longer matched * @param {function} [options.setup] fired when handler first triggered * @param {boolean} [options.deferSetup=false] whether setup should be run immediately or deferred until query is first matched * @param {boolean} [shouldDegrade=false] whether this particular media query should always run on incapable browsers */ register : function(q, options, shouldDegrade) { var queries = this.queries, isUnconditional = shouldDegrade && this.browserIsIncapable; if(!queries[q]) { queries[q] = new MediaQuery(q, isUnconditional); } //normalise to object in an array if(isFunction(options)) { options = { match : options }; } if(!isArray(options)) { options = [options]; } each(options, function(handler) { queries[q].addHandler(handler); }); return this; }, /** * unregisters a query and all it's handlers, or a specific handler for a query * * @param {string} q the media query to target * @param {object || function} [handler] specific handler to unregister */ unregister : function(q, handler) { var query = this.queries[q]; if(query) { if(handler) { query.removeHandler(handler); } else { query.clear(); delete this.queries[q]; } } return this; } }; return new MediaQueryDispatch(); })); /***/ }, /* 18 */ /***/ function(module, exports, __webpack_require__) { module.exports = function(module) { if(!module.webpackPolyfill) { module.deprecate = function() {}; module.paths = []; // module.parent = undefined by default module.children = []; module.webpackPolyfill = 1; } return module; } /***/ }, /* 19 */ /***/ function(module, exports, __webpack_require__) { /** * Copyright 2014, Facebook, Inc. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. * * @providesModule ReactElement */ "use strict"; var ReactContext = __webpack_require__(24); var ReactCurrentOwner = __webpack_require__(25); var warning = __webpack_require__(22); var RESERVED_PROPS = { key: true, ref: true }; /** * Warn for mutations. * * @internal * @param {object} object * @param {string} key */ function defineWarningProperty(object, key) { Object.defineProperty(object, key, { configurable: false, enumerable: true, get: function() { if (!this._store) { return null; } return this._store[key]; }, set: function(value) { ("production" !== (undefined) ? warning( false, 'Don\'t set the ' + key + ' property of the component. ' + 'Mutate the existing props object instead.' ) : null); this._store[key] = value; } }); } /** * This is updated to true if the membrane is successfully created. */ var useMutationMembrane = false; /** * Warn for mutations. * * @internal * @param {object} element */ function defineMutationMembrane(prototype) { try { var pseudoFrozenProperties = { props: true }; for (var key in pseudoFrozenProperties) { defineWarningProperty(prototype, key); } useMutationMembrane = true; } catch (x) { // IE will fail on defineProperty } } /** * Base constructor for all React elements. This is only used to make this * work with a dynamic instanceof check. Nothing should live on this prototype. * * @param {*} type * @param {string|object} ref * @param {*} key * @param {*} props * @internal */ var ReactElement = function(type, key, ref, owner, context, props) { // Built-in properties that belong on the element this.type = type; this.key = key; this.ref = ref; // Record the component responsible for creating this element. this._owner = owner; // TODO: Deprecate withContext, and then the context becomes accessible // through the owner. this._context = context; if ("production" !== (undefined)) { // The validation flag and props are currently mutative. We put them on // an external backing store so that we can freeze the whole object. // This can be replaced with a WeakMap once they are implemented in // commonly used development environments. this._store = { validated: false, props: props }; // We're not allowed to set props directly on the object so we early // return and rely on the prototype membrane to forward to the backing // store. if (useMutationMembrane) { Object.freeze(this); return; } } this.props = props; }; // We intentionally don't expose the function on the constructor property. // ReactElement should be indistinguishable from a plain object. ReactElement.prototype = { _isReactElement: true }; if ("production" !== (undefined)) { defineMutationMembrane(ReactElement.prototype); } ReactElement.createElement = function(type, config, children) { var propName; // Reserved names are extracted var props = {}; var key = null; var ref = null; if (config != null) { ref = config.ref === undefined ? null : config.ref; if ("production" !== (undefined)) { ("production" !== (undefined) ? warning( config.key !== null, 'createElement(...): Encountered component with a `key` of null. In ' + 'a future version, this will be treated as equivalent to the string ' + '\'null\'; instead, provide an explicit key or use undefined.' ) : null); } // TODO: Change this back to `config.key === undefined` key = config.key == null ? null : '' + config.key; // Remaining properties are added to a new props object for (propName in config) { if (config.hasOwnProperty(propName) && !RESERVED_PROPS.hasOwnProperty(propName)) { props[propName] = config[propName]; } } } // Children can be more than one argument, and those are transferred onto // the newly allocated props object. var childrenLength = arguments.length - 2; if (childrenLength === 1) { props.children = children; } else if (childrenLength > 1) { var childArray = Array(childrenLength); for (var i = 0; i < childrenLength; i++) { childArray[i] = arguments[i + 2]; } props.children = childArray; } // Resolve default props if (type && type.defaultProps) { var defaultProps = type.defaultProps; for (propName in defaultProps) { if (typeof props[propName] === 'undefined') { props[propName] = defaultProps[propName]; } } } return new ReactElement( type, key, ref, ReactCurrentOwner.current, ReactContext.current, props ); }; ReactElement.createFactory = function(type) { var factory = ReactElement.createElement.bind(null, type); // Expose the type on the factory and the prototype so that it can be // easily accessed on elements. E.g. <Foo />.type === Foo.type. // This should not be named `constructor` since this may not be the function // that created the element, and it may not even be a constructor. factory.type = type; return factory; }; ReactElement.cloneAndReplaceProps = function(oldElement, newProps) { var newElement = new ReactElement( oldElement.type, oldElement.key, oldElement.ref, oldElement._owner, oldElement._context, newProps ); if ("production" !== (undefined)) { // If the key on the original is valid, then the clone is valid newElement._store.validated = oldElement._store.validated; } return newElement; }; /** * @param {?object} object * @return {boolean} True if `object` is a valid component. * @final */ ReactElement.isValidElement = function(object) { // ReactTestUtils is often used outside of beforeEach where as React is // within it. This leads to two different instances of React on the same // page. To identify a element from a different React instance we use // a flag instead of an instanceof check. var isElement = !!(object && object._isReactElement); // if (isElement && !(object instanceof ReactElement)) { // This is an indicator that you're using multiple versions of React at the // same time. This will screw with ownership and stuff. Fix it, please. // TODO: We could possibly warn here. // } return isElement; }; module.exports = ReactElement; /***/ }, /* 20 */ /***/ function(module, exports, __webpack_require__) { /** * Copyright 2013-2014, Facebook, Inc. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. * * @providesModule ReactPropTransferer */ "use strict"; var assign = __webpack_require__(26); var emptyFunction = __webpack_require__(27); var invariant = __webpack_require__(28); var joinClasses = __webpack_require__(29); var warning = __webpack_require__(22); var didWarn = false; /** * Creates a transfer strategy that will merge prop values using the supplied * `mergeStrategy`. If a prop was previously unset, this just sets it. * * @param {function} mergeStrategy * @return {function} */ function createTransferStrategy(mergeStrategy) { return function(props, key, value) { if (!props.hasOwnProperty(key)) { props[key] = value; } else { props[key] = mergeStrategy(props[key], value); } }; } var transferStrategyMerge = createTransferStrategy(function(a, b) { // `merge` overrides the first object's (`props[key]` above) keys using the // second object's (`value`) keys. An object's style's existing `propA` would // get overridden. Flip the order here. return assign({}, b, a); }); /** * Transfer strategies dictate how props are transferred by `transferPropsTo`. * NOTE: if you add any more exceptions to this list you should be sure to * update `cloneWithProps()` accordingly. */ var TransferStrategies = { /** * Never transfer `children`. */ children: emptyFunction, /** * Transfer the `className` prop by merging them. */ className: createTransferStrategy(joinClasses), /** * Transfer the `style` prop (which is an object) by merging them. */ style: transferStrategyMerge }; /** * Mutates the first argument by transferring the properties from the second * argument. * * @param {object} props * @param {object} newProps * @return {object} */ function transferInto(props, newProps) { for (var thisKey in newProps) { if (!newProps.hasOwnProperty(thisKey)) { continue; } var transferStrategy = TransferStrategies[thisKey]; if (transferStrategy && TransferStrategies.hasOwnProperty(thisKey)) { transferStrategy(props, thisKey, newProps[thisKey]); } else if (!props.hasOwnProperty(thisKey)) { props[thisKey] = newProps[thisKey]; } } return props; } /** * ReactPropTransferer are capable of transferring props to another component * using a `transferPropsTo` method. * * @class ReactPropTransferer */ var ReactPropTransferer = { TransferStrategies: TransferStrategies, /** * Merge two props objects using TransferStrategies. * * @param {object} oldProps original props (they take precedence) * @param {object} newProps new props to merge in * @return {object} a new object containing both sets of props merged. */ mergeProps: function(oldProps, newProps) { return transferInto(assign({}, oldProps), newProps); }, /** * @lends {ReactPropTransferer.prototype} */ Mixin: { /** * Transfer props from this component to a target component. * * Props that do not have an explicit transfer strategy will be transferred * only if the target component does not already have the prop set. * * This is usually used to pass down props to a returned root component. * * @param {ReactElement} element Component receiving the properties. * @return {ReactElement} The supplied `component`. * @final * @protected */ transferPropsTo: function(element) { ("production" !== (undefined) ? invariant( element._owner === this, '%s: You can\'t call transferPropsTo() on a component that you ' + 'don\'t own, %s. This usually means you are calling ' + 'transferPropsTo() on a component passed in as props or children.', this.constructor.displayName, typeof element.type === 'string' ? element.type : element.type.displayName ) : invariant(element._owner === this)); if ("production" !== (undefined)) { if (!didWarn) { didWarn = true; ("production" !== (undefined) ? warning( false, 'transferPropsTo is deprecated. ' + 'See http://fb.me/react-transferpropsto for more information.' ) : null); } } // Because elements are immutable we have to merge into the existing // props object rather than clone it. transferInto(element.props, this.props); return element; } } }; module.exports = ReactPropTransferer; /***/ }, /* 21 */ /***/ function(module, exports, __webpack_require__) { /** * Copyright 2013-2014, Facebook, Inc. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. * * @providesModule keyOf */ /** * Allows extraction of a minified key. Let's the build system minify keys * without loosing the ability to dynamically use key strings as values * themselves. Pass in an object with a single key/val pair and it will return * you the string key of that single record. Suppose you want to grab the * value for a key 'className' inside of an object. Key/val minification may * have aliased that key to be 'xa12'. keyOf({className: null}) will return * 'xa12' in that case. Resolve keys you want to use once at startup time, then * reuse those resolutions. */ var keyOf = function(oneKeyObj) { var key; for (key in oneKeyObj) { if (!oneKeyObj.hasOwnProperty(key)) { continue; } return key; } return null; }; module.exports = keyOf; /***/ }, /* 22 */ /***/ function(module, exports, __webpack_require__) { /** * Copyright 2014, Facebook, Inc. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. * * @providesModule warning */ "use strict"; var emptyFunction = __webpack_require__(27); /** * Similar to invariant but only logs a warning if the condition is not met. * This can be used to log issues in development environments in critical * paths. Removing the logging code for production environments will keep the * same logic and follow the same code paths. */ var warning = emptyFunction; if ("production" !== (undefined)) { warning = function(condition, format ) {for (var args=[],$__0=2,$__1=arguments.length;$__0<$__1;$__0++) args.push(arguments[$__0]); if (format === undefined) { throw new Error( '`warning(condition, format, ...args)` requires a warning ' + 'message argument' ); } if (!condition) { var argIndex = 0; console.warn('Warning: ' + format.replace(/%s/g, function() {return args[argIndex++];})); } }; } module.exports = warning; /***/ }, /* 23 */ /***/ function(module, exports, __webpack_require__) { /** * Copyright 2013-2014, Facebook, Inc. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. * * @providesModule ExecutionEnvironment */ /*jslint evil: true */ "use strict"; var canUseDOM = !!( typeof window !== 'undefined' && window.document && window.document.createElement ); /** * Simple, lightweight module assisting with the detection and context of * Worker. Helps avoid circular dependencies and allows code to reason about * whether or not they are in a Worker, even if they never include the main * `ReactWorker` dependency. */ var ExecutionEnvironment = { canUseDOM: canUseDOM, canUseWorkers: typeof Worker !== 'undefined', canUseEventListeners: canUseDOM && !!(window.addEventListener || window.attachEvent), canUseViewport: canUseDOM && !!window.screen, isInWorker: !canUseDOM // For now, this is true - might change in the future. }; module.exports = ExecutionEnvironment; /***/ }, /* 24 */ /***/ function(module, exports, __webpack_require__) { /** * Copyright 2013-2014, Facebook, Inc. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. * * @providesModule ReactContext */ "use strict"; var assign = __webpack_require__(26); /** * Keeps track of the current context. * * The context is automatically passed down the component ownership hierarchy * and is accessible via `this.context` on ReactCompositeComponents. */ var ReactContext = { /** * @internal * @type {object} */ current: {}, /** * Temporarily extends the current context while executing scopedCallback. * * A typical use case might look like * * render: function() { * var children = ReactContext.withContext({foo: 'foo'}, () => ( * * )); * return <div>{children}</div>; * } * * @param {object} newContext New context to merge into the existing context * @param {function} scopedCallback Callback to run with the new context * @return {ReactComponent|array<ReactComponent>} */ withContext: function(newContext, scopedCallback) { var result; var previousContext = ReactContext.current; ReactContext.current = assign({}, previousContext, newContext); try { result = scopedCallback(); } finally { ReactContext.current = previousContext; } return result; } }; module.exports = ReactContext; /***/ }, /* 25 */ /***/ function(module, exports, __webpack_require__) { /** * Copyright 2013-2014, Facebook, Inc. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. * * @providesModule ReactCurrentOwner */ "use strict"; /** * Keeps track of the current owner. * * The current owner is the component who should own any components that are * currently being constructed. * * The depth indicate how many composite components are above this render level. */ var ReactCurrentOwner = { /** * @internal * @type {ReactComponent} */ current: null }; module.exports = ReactCurrentOwner; /***/ }, /* 26 */ /***/ function(module, exports, __webpack_require__) { /** * Copyright 2014, Facebook, Inc. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. * * @providesModule Object.assign */ // https://people.mozilla.org/~jorendorff/es6-draft.html#sec-object.assign function assign(target, sources) { if (target == null) { throw new TypeError('Object.assign target cannot be null or undefined'); } var to = Object(target); var hasOwnProperty = Object.prototype.hasOwnProperty; for (var nextIndex = 1; nextIndex < arguments.length; nextIndex++) { var nextSource = arguments[nextIndex]; if (nextSource == null) { continue; } var from = Object(nextSource); // We don't currently support accessors nor proxies. Therefore this // copy cannot throw. If we ever supported this then we must handle // exceptions and side-effects. We don't support symbols so they won't // be transferred. for (var key in from) { if (hasOwnProperty.call(from, key)) { to[key] = from[key]; } } } return to; }; module.exports = assign; /***/ }, /* 27 */ /***/ function(module, exports, __webpack_require__) { /** * Copyright 2013-2014, Facebook, Inc. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. * * @providesModule emptyFunction */ function makeEmptyFunction(arg) { return function() { return arg; }; } /** * This function accepts and discards inputs; it has no side effects. This is * primarily useful idiomatically for overridable function endpoints which * always need to be callable, since JS lacks a null-call idiom ala Cocoa. */ function emptyFunction() {} emptyFunction.thatReturns = makeEmptyFunction; emptyFunction.thatReturnsFalse = makeEmptyFunction(false); emptyFunction.thatReturnsTrue = makeEmptyFunction(true); emptyFunction.thatReturnsNull = makeEmptyFunction(null); emptyFunction.thatReturnsThis = function() { return this; }; emptyFunction.thatReturnsArgument = function(arg) { return arg; }; module.exports = emptyFunction; /***/ }, /* 28 */ /***/ function(module, exports, __webpack_require__) { /** * Copyright 2013-2014, Facebook, Inc. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. * * @providesModule invariant */ "use strict"; /** * Use invariant() to assert state which your program assumes to be true. * * Provide sprintf-style format (only %s is supported) and arguments * to provide information about what broke and what you were * expecting. * * The invariant message will be stripped in production, but the invariant * will remain to ensure logic does not differ in production. */ var invariant = function(condition, format, a, b, c, d, e, f) { if ("production" !== (undefined)) { if (format === undefined) { throw new Error('invariant requires an error message argument'); } } if (!condition) { var error; if (format === undefined) { error = new Error( 'Minified exception occurred; use the non-minified dev environment ' + 'for the full error message and additional helpful warnings.' ); } else { var args = [a, b, c, d, e, f]; var argIndex = 0; error = new Error( 'Invariant Violation: ' + format.replace(/%s/g, function() { return args[argIndex++]; }) ); } error.framesToPop = 1; // we don't care about invariant's own frame throw error; } }; module.exports = invariant; /***/ }, /* 29 */ /***/ function(module, exports, __webpack_require__) { /** * Copyright 2013-2014, Facebook, Inc. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. * * @providesModule joinClasses * @typechecks static-only */ "use strict"; /** * Combines multiple className strings into one. * http://jsperf.com/joinclasses-args-vs-array * * @param {...?string} classes * @return {string} */ function joinClasses(className/*, ... */) { if (!className) { className = ''; } var nextClass; var argLength = arguments.length; if (argLength > 1) { for (var ii = 1; ii < argLength; ii++) { nextClass = arguments[ii]; if (nextClass) { className = (className ? className + ' ' : '') + nextClass; } } } return className; } module.exports = joinClasses; /***/ }, /* 30 */ /***/ function(module, exports, __webpack_require__) { var camel2hyphen = function (str) { return str .replace(/[A-Z]/g, function (match) { return '-' + match.toLowerCase(); }) .toLowerCase(); }; module.exports = camel2hyphen; /***/ } /******/ ])
example/src/screens/transitions/sharedElementTransitions/Masonry/Item.js
yusufyildirim/react-native-navigation
import React from 'react'; import {StyleSheet, View, Text, Image} from 'react-native'; import {SharedElementTransition} from 'react-native-navigation'; const SHOW_DURATION = 240; const HIDE_DURATION = 200; class Item extends React.Component { static navigatorStyle = { navBarHidden: true, drawUnderNavBar: true }; render() { return ( <View style={styles.container}> <SharedElementTransition sharedElementId={this.props.sharedImageId} showDuration={SHOW_DURATION} hideDuration={HIDE_DURATION} animateClipBounds showInterpolation={{ type: 'linear', easing: 'FastInSlowOut', }} hideInterpolation={{ type: 'linear', easing: 'FastOutSlowIn', }} > <Image style={styles.image} source={this.props.image} /> </SharedElementTransition> </View> ); } } const styles = StyleSheet.create({ container: { flex: 1, backgroundColor: '#ffffff', justifyContent: 'center', }, image: { width: 400, height: 400, } }); export default Item;
src/components/Section/Section.js
ndlib/beehive
import React from 'react' import PropTypes from 'prop-types' import createReactClass from 'create-react-class' import SectionShow from './SectionShow' import CollectionPageHeader from '../../layout/CollectionPageHeader' import PageContent from '../../layout/PageContent' import CollectionPageFooter from '../../layout/CollectionPageFooter' import ConfigurationActions from '../../actions/ConfigurationActions' import ConfigurationStore from '../../store/ConfigurationStore' import Loading from '../../other/Loading' import PageTitle from '../../modules/PageTitle' import BrowserUtils from '../../modules/BrowserUtils' import LoadRemote from '../../modules/LoadRemote' const showcaseTitleHeight = 56 const Section = createReactClass({ propTypes: { collection: PropTypes.string, section: PropTypes.string, }, getInitialState: function () { return { collection: null, section: null, height: window.innerHeight, } }, configurationLoaded: function () { this.setState({ configurationLoaded: true }) }, collectionLoaded: function (collection) { ConfigurationActions.load(collection) this.setState({ remoteCollectionLoaded: true, collection: collection, }, this.handleResize) }, sectionLoaded: function (result) { this.setState({ remoteSectionLoaded: true, section: result.showcases.sections, }) }, componentWillMount: function () { ConfigurationStore.addChangeListener(this.configurationLoaded) }, componentDidMount: function () { LoadRemote.withCallback(this.props.collection, this.collectionLoaded) LoadRemote.withCallback(this.props.section, this.sectionLoaded) window.addEventListener('resize', this.handleResize, false) this.handleResize() }, componentWillUnmount: function () { ConfigurationStore.removeChangeListener(this.configurationLoaded) }, componentWillReceiveProps: function (nextProps) { let sectionLoaded = this.state.remoteSectionLoaded let collectionLoaded = this.state.remoteCollectionLoaded if (this.props.section !== nextProps.section) { LoadRemote.withCallback(nextProps.section, this.sectionLoaded) sectionLoaded = false } if (this.props.collection !== nextProps.collection) { LoadRemote.withCallback(nextProps.collection, this.collectionLoaded) collectionLoaded = false } this.setState({ remoteSectionLoaded: sectionLoaded, remoteCollectionLoaded: collectionLoaded, }) }, handleResize: function () { this.setState({ height: this.state.mobile ? window.innerHeight : window.innerHeight - showcaseTitleHeight, }) }, render: function () { if (!this.state.remoteCollectionLoaded || !this.state.remoteSectionLoaded) { return null } PageTitle(this.state.section.name) let sectionShow if (this.state.section) { sectionShow = ( <SectionShow section={this.state.section} height={this.state.mobile ? window.innerHeight : window.innerHeight - showcaseTitleHeight} previousSection={this.state.section.previousSection} nextSection={this.state.section.nextSection} collection={this.state.collection} /> ) } else { sectionShow = (<Loading />) } let header if (!BrowserUtils.mobile()) { header = (<CollectionPageHeader collection={this.state.collection} />) } return ( <div style={{ backgroundColor: 'inherit' }}> {header} <PageContent fluidLayout> {sectionShow} </PageContent> <CollectionPageFooter collection={this.state.collection} /> </div> ) }, }) export default Section
app/react-icons/fa/envelope-o.js
scampersand/sonos-front
import React from 'react'; import IconBase from 'react-icon-base'; export default class FaEnvelopeO extends React.Component { render() { return ( <IconBase viewBox="0 0 40 40" {...this.props}> <g><path d="m37.1 33.6v-17.2q-0.7 0.8-1.5 1.5-6 4.6-9.5 7.5-1.1 1-1.9 1.5t-1.9 1.1-2.3 0.6h0q-1.1 0-2.3-0.6t-1.9-1.1-1.9-1.5q-3.5-2.9-9.5-7.5-0.8-0.7-1.5-1.5v17.2q0 0.3 0.2 0.5t0.5 0.2h32.8q0.3 0 0.5-0.2t0.2-0.5z m0-23.5v-0.5l0-0.3 0-0.3-0.2-0.2-0.2-0.2-0.3 0h-32.8q-0.3 0-0.5 0.2t-0.2 0.5q0 3.7 3.2 6.3 4.3 3.4 9 7.1 0.1 0.1 0.8 0.7t1 0.8 1 0.7 1.1 0.6 1 0.2h0q0.5 0 1-0.2t1.1-0.6 1-0.7 1-0.8 0.8-0.7q4.7-3.7 9-7.1 1.2-0.9 2.2-2.6t1-2.9z m2.9-0.8v24.3q0 1.4-1 2.5t-2.6 1h-32.8q-1.5 0-2.6-1t-1-2.5v-24.3q0-1.5 1.1-2.5t2.5-1.1h32.8q1.5 0 2.6 1.1t1 2.5z"/></g> </IconBase> ); } }
src/svg-icons/image/panorama-vertical.js
rhaedes/material-ui
import React from 'react'; import pure from 'recompose/pure'; import SvgIcon from '../../SvgIcon'; let ImagePanoramaVertical = (props) => ( <SvgIcon {...props}> <path d="M19.94 21.12c-1.1-2.94-1.64-6.03-1.64-9.12 0-3.09.55-6.18 1.64-9.12.04-.11.06-.22.06-.31 0-.34-.23-.57-.63-.57H4.63c-.4 0-.63.23-.63.57 0 .1.02.2.06.31C5.16 5.82 5.71 8.91 5.71 12c0 3.09-.55 6.18-1.64 9.12-.05.11-.07.22-.07.31 0 .33.23.57.63.57h14.75c.39 0 .63-.24.63-.57-.01-.1-.03-.2-.07-.31zM6.54 20c.77-2.6 1.16-5.28 1.16-8 0-2.72-.39-5.4-1.16-8h10.91c-.77 2.6-1.16 5.28-1.16 8 0 2.72.39 5.4 1.16 8H6.54z"/> </SvgIcon> ); ImagePanoramaVertical = pure(ImagePanoramaVertical); ImagePanoramaVertical.displayName = 'ImagePanoramaVertical'; export default ImagePanoramaVertical;
packages/bonde-admin-canary/src/scenes/Logged/scenes/Home/components/MobilizationsGadget/index.js
ourcities/rebu-client
import React from 'react' import { I18n } from 'react-i18next' import MobilizationsGadget from './MobilizationsGadget' export { default as query } from './query.graphql' export default () => ( <I18n ns='home'> {(t) => <MobilizationsGadget t={t} />} </I18n> )
client/src/DisplayFavoriteRestaurants/RestaurantDetails/RestaurantDetails.js
ahorrocks2/what_sounds_good_to_you
import React from 'react'; const RestaurantDetails = props => { return ( <div> <p>{props.restaurant.type}</p> <p>{props.restaurant.hood}</p> </div> ) } export default RestaurantDetails;
django/contrib/admin/static/admin/js/vendor/jquery/jquery.js
oinopion/django
/*! * jQuery JavaScript Library v1.11.2 * http://jquery.com/ * * Includes Sizzle.js * http://sizzlejs.com/ * * Copyright 2005, 2014 jQuery Foundation, Inc. and other contributors * Released under the MIT license * http://jquery.org/license * * Date: 2014-12-17T15:27Z */ (function( global, factory ) { if ( typeof module === "object" && typeof module.exports === "object" ) { // For CommonJS and CommonJS-like environments where a proper window is present, // execute the factory and get jQuery // For environments that do not inherently posses a window with a document // (such as Node.js), expose a jQuery-making factory as module.exports // This accentuates the need for the creation of a real window // e.g. var jQuery = require("jquery")(window); // See ticket #14549 for more info module.exports = global.document ? factory( global, true ) : function( w ) { if ( !w.document ) { throw new Error( "jQuery requires a window with a document" ); } return factory( w ); }; } else { factory( global ); } // Pass this if window is not defined yet }(typeof window !== "undefined" ? window : this, function( window, noGlobal ) { // Can't do this because several apps including ASP.NET trace // the stack via arguments.caller.callee and Firefox dies if // you try to trace through "use strict" call chains. (#13335) // Support: Firefox 18+ // var deletedIds = []; var slice = deletedIds.slice; var concat = deletedIds.concat; var push = deletedIds.push; var indexOf = deletedIds.indexOf; var class2type = {}; var toString = class2type.toString; var hasOwn = class2type.hasOwnProperty; var support = {}; var version = "1.11.2", // Define a local copy of jQuery jQuery = function( selector, context ) { // The jQuery object is actually just the init constructor 'enhanced' // Need init if jQuery is called (just allow error to be thrown if not included) return new jQuery.fn.init( selector, context ); }, // Support: Android<4.1, IE<9 // Make sure we trim BOM and NBSP rtrim = /^[\s\uFEFF\xA0]+|[\s\uFEFF\xA0]+$/g, // Matches dashed string for camelizing rmsPrefix = /^-ms-/, rdashAlpha = /-([\da-z])/gi, // Used by jQuery.camelCase as callback to replace() fcamelCase = function( all, letter ) { return letter.toUpperCase(); }; jQuery.fn = jQuery.prototype = { // The current version of jQuery being used jquery: version, constructor: jQuery, // Start with an empty selector selector: "", // The default length of a jQuery object is 0 length: 0, toArray: function() { return slice.call( this ); }, // Get the Nth element in the matched element set OR // Get the whole matched element set as a clean array get: function( num ) { return num != null ? // Return just the one element from the set ( num < 0 ? this[ num + this.length ] : this[ num ] ) : // Return all the elements in a clean array slice.call( this ); }, // Take an array of elements and push it onto the stack // (returning the new matched element set) pushStack: function( elems ) { // Build a new jQuery matched element set var ret = jQuery.merge( this.constructor(), elems ); // Add the old object onto the stack (as a reference) ret.prevObject = this; ret.context = this.context; // Return the newly-formed element set return ret; }, // Execute a callback for every element in the matched set. // (You can seed the arguments with an array of args, but this is // only used internally.) each: function( callback, args ) { return jQuery.each( this, callback, args ); }, map: function( callback ) { return this.pushStack( jQuery.map(this, function( elem, i ) { return callback.call( elem, i, elem ); })); }, slice: function() { return this.pushStack( slice.apply( this, arguments ) ); }, first: function() { return this.eq( 0 ); }, last: function() { return this.eq( -1 ); }, eq: function( i ) { var len = this.length, j = +i + ( i < 0 ? len : 0 ); return this.pushStack( j >= 0 && j < len ? [ this[j] ] : [] ); }, end: function() { return this.prevObject || this.constructor(null); }, // For internal use only. // Behaves like an Array's method, not like a jQuery method. push: push, sort: deletedIds.sort, splice: deletedIds.splice }; jQuery.extend = jQuery.fn.extend = function() { var src, copyIsArray, copy, name, options, clone, target = arguments[0] || {}, i = 1, length = arguments.length, deep = false; // Handle a deep copy situation if ( typeof target === "boolean" ) { deep = target; // skip the boolean and the target target = arguments[ i ] || {}; i++; } // Handle case when target is a string or something (possible in deep copy) if ( typeof target !== "object" && !jQuery.isFunction(target) ) { target = {}; } // extend jQuery itself if only one argument is passed if ( i === length ) { target = this; i--; } for ( ; i < length; i++ ) { // Only deal with non-null/undefined values if ( (options = arguments[ i ]) != null ) { // Extend the base object for ( name in options ) { src = target[ name ]; copy = options[ name ]; // Prevent never-ending loop if ( target === copy ) { continue; } // Recurse if we're merging plain objects or arrays if ( deep && copy && ( jQuery.isPlainObject(copy) || (copyIsArray = jQuery.isArray(copy)) ) ) { if ( copyIsArray ) { copyIsArray = false; clone = src && jQuery.isArray(src) ? src : []; } else { clone = src && jQuery.isPlainObject(src) ? src : {}; } // Never move original objects, clone them target[ name ] = jQuery.extend( deep, clone, copy ); // Don't bring in undefined values } else if ( copy !== undefined ) { target[ name ] = copy; } } } } // Return the modified object return target; }; jQuery.extend({ // Unique for each copy of jQuery on the page expando: "jQuery" + ( version + Math.random() ).replace( /\D/g, "" ), // Assume jQuery is ready without the ready module isReady: true, error: function( msg ) { throw new Error( msg ); }, noop: function() {}, // See test/unit/core.js for details concerning isFunction. // Since version 1.3, DOM methods and functions like alert // aren't supported. They return false on IE (#2968). isFunction: function( obj ) { return jQuery.type(obj) === "function"; }, isArray: Array.isArray || function( obj ) { return jQuery.type(obj) === "array"; }, isWindow: function( obj ) { /* jshint eqeqeq: false */ return obj != null && obj == obj.window; }, isNumeric: function( obj ) { // parseFloat NaNs numeric-cast false positives (null|true|false|"") // ...but misinterprets leading-number strings, particularly hex literals ("0x...") // subtraction forces infinities to NaN // adding 1 corrects loss of precision from parseFloat (#15100) return !jQuery.isArray( obj ) && (obj - parseFloat( obj ) + 1) >= 0; }, isEmptyObject: function( obj ) { var name; for ( name in obj ) { return false; } return true; }, isPlainObject: function( obj ) { var key; // Must be an Object. // Because of IE, we also have to check the presence of the constructor property. // Make sure that DOM nodes and window objects don't pass through, as well if ( !obj || jQuery.type(obj) !== "object" || obj.nodeType || jQuery.isWindow( obj ) ) { return false; } try { // Not own constructor property must be Object if ( obj.constructor && !hasOwn.call(obj, "constructor") && !hasOwn.call(obj.constructor.prototype, "isPrototypeOf") ) { return false; } } catch ( e ) { // IE8,9 Will throw exceptions on certain host objects #9897 return false; } // Support: IE<9 // Handle iteration over inherited properties before own properties. if ( support.ownLast ) { for ( key in obj ) { return hasOwn.call( obj, key ); } } // Own properties are enumerated firstly, so to speed up, // if last one is own, then all properties are own. for ( key in obj ) {} return key === undefined || hasOwn.call( obj, key ); }, type: function( obj ) { if ( obj == null ) { return obj + ""; } return typeof obj === "object" || typeof obj === "function" ? class2type[ toString.call(obj) ] || "object" : typeof obj; }, // Evaluates a script in a global context // Workarounds based on findings by Jim Driscoll // http://weblogs.java.net/blog/driscoll/archive/2009/09/08/eval-javascript-global-context globalEval: function( data ) { if ( data && jQuery.trim( data ) ) { // We use execScript on Internet Explorer // We use an anonymous function so that context is window // rather than jQuery in Firefox ( window.execScript || function( data ) { window[ "eval" ].call( window, data ); } )( data ); } }, // Convert dashed to camelCase; used by the css and data modules // Microsoft forgot to hump their vendor prefix (#9572) camelCase: function( string ) { return string.replace( rmsPrefix, "ms-" ).replace( rdashAlpha, fcamelCase ); }, nodeName: function( elem, name ) { return elem.nodeName && elem.nodeName.toLowerCase() === name.toLowerCase(); }, // args is for internal usage only each: function( obj, callback, args ) { var value, i = 0, length = obj.length, isArray = isArraylike( obj ); if ( args ) { if ( isArray ) { for ( ; i < length; i++ ) { value = callback.apply( obj[ i ], args ); if ( value === false ) { break; } } } else { for ( i in obj ) { value = callback.apply( obj[ i ], args ); if ( value === false ) { break; } } } // A special, fast, case for the most common use of each } else { if ( isArray ) { for ( ; i < length; i++ ) { value = callback.call( obj[ i ], i, obj[ i ] ); if ( value === false ) { break; } } } else { for ( i in obj ) { value = callback.call( obj[ i ], i, obj[ i ] ); if ( value === false ) { break; } } } } return obj; }, // Support: Android<4.1, IE<9 trim: function( text ) { return text == null ? "" : ( text + "" ).replace( rtrim, "" ); }, // results is for internal usage only makeArray: function( arr, results ) { var ret = results || []; if ( arr != null ) { if ( isArraylike( Object(arr) ) ) { jQuery.merge( ret, typeof arr === "string" ? [ arr ] : arr ); } else { push.call( ret, arr ); } } return ret; }, inArray: function( elem, arr, i ) { var len; if ( arr ) { if ( indexOf ) { return indexOf.call( arr, elem, i ); } len = arr.length; i = i ? i < 0 ? Math.max( 0, len + i ) : i : 0; for ( ; i < len; i++ ) { // Skip accessing in sparse arrays if ( i in arr && arr[ i ] === elem ) { return i; } } } return -1; }, merge: function( first, second ) { var len = +second.length, j = 0, i = first.length; while ( j < len ) { first[ i++ ] = second[ j++ ]; } // Support: IE<9 // Workaround casting of .length to NaN on otherwise arraylike objects (e.g., NodeLists) if ( len !== len ) { while ( second[j] !== undefined ) { first[ i++ ] = second[ j++ ]; } } first.length = i; return first; }, grep: function( elems, callback, invert ) { var callbackInverse, matches = [], i = 0, length = elems.length, callbackExpect = !invert; // Go through the array, only saving the items // that pass the validator function for ( ; i < length; i++ ) { callbackInverse = !callback( elems[ i ], i ); if ( callbackInverse !== callbackExpect ) { matches.push( elems[ i ] ); } } return matches; }, // arg is for internal usage only map: function( elems, callback, arg ) { var value, i = 0, length = elems.length, isArray = isArraylike( elems ), ret = []; // Go through the array, translating each of the items to their new values if ( isArray ) { for ( ; i < length; i++ ) { value = callback( elems[ i ], i, arg ); if ( value != null ) { ret.push( value ); } } // Go through every key on the object, } else { for ( i in elems ) { value = callback( elems[ i ], i, arg ); if ( value != null ) { ret.push( value ); } } } // Flatten any nested arrays return concat.apply( [], ret ); }, // A global GUID counter for objects guid: 1, // Bind a function to a context, optionally partially applying any // arguments. proxy: function( fn, context ) { var args, proxy, tmp; if ( typeof context === "string" ) { tmp = fn[ context ]; context = fn; fn = tmp; } // Quick check to determine if target is callable, in the spec // this throws a TypeError, but we will just return undefined. if ( !jQuery.isFunction( fn ) ) { return undefined; } // Simulated bind args = slice.call( arguments, 2 ); proxy = function() { return fn.apply( context || this, args.concat( slice.call( arguments ) ) ); }; // Set the guid of unique handler to the same of original handler, so it can be removed proxy.guid = fn.guid = fn.guid || jQuery.guid++; return proxy; }, now: function() { return +( new Date() ); }, // jQuery.support is not used in Core but other projects attach their // properties to it so it needs to exist. support: support }); // Populate the class2type map jQuery.each("Boolean Number String Function Array Date RegExp Object Error".split(" "), function(i, name) { class2type[ "[object " + name + "]" ] = name.toLowerCase(); }); function isArraylike( obj ) { var length = obj.length, type = jQuery.type( obj ); if ( type === "function" || jQuery.isWindow( obj ) ) { return false; } if ( obj.nodeType === 1 && length ) { return true; } return type === "array" || length === 0 || typeof length === "number" && length > 0 && ( length - 1 ) in obj; } var Sizzle = /*! * Sizzle CSS Selector Engine v2.2.0-pre * http://sizzlejs.com/ * * Copyright 2008, 2014 jQuery Foundation, Inc. and other contributors * Released under the MIT license * http://jquery.org/license * * Date: 2014-12-16 */ (function( window ) { var i, support, Expr, getText, isXML, tokenize, compile, select, outermostContext, sortInput, hasDuplicate, // Local document vars setDocument, document, docElem, documentIsHTML, rbuggyQSA, rbuggyMatches, matches, contains, // Instance-specific data expando = "sizzle" + 1 * new Date(), preferredDoc = window.document, dirruns = 0, done = 0, classCache = createCache(), tokenCache = createCache(), compilerCache = createCache(), sortOrder = function( a, b ) { if ( a === b ) { hasDuplicate = true; } return 0; }, // General-purpose constants MAX_NEGATIVE = 1 << 31, // Instance methods hasOwn = ({}).hasOwnProperty, arr = [], pop = arr.pop, push_native = arr.push, push = arr.push, slice = arr.slice, // Use a stripped-down indexOf as it's faster than native // http://jsperf.com/thor-indexof-vs-for/5 indexOf = function( list, elem ) { var i = 0, len = list.length; for ( ; i < len; i++ ) { if ( list[i] === elem ) { return i; } } return -1; }, booleans = "checked|selected|async|autofocus|autoplay|controls|defer|disabled|hidden|ismap|loop|multiple|open|readonly|required|scoped", // Regular expressions // Whitespace characters http://www.w3.org/TR/css3-selectors/#whitespace whitespace = "[\\x20\\t\\r\\n\\f]", // http://www.w3.org/TR/css3-syntax/#characters characterEncoding = "(?:\\\\.|[\\w-]|[^\\x00-\\xa0])+", // Loosely modeled on CSS identifier characters // An unquoted value should be a CSS identifier http://www.w3.org/TR/css3-selectors/#attribute-selectors // Proper syntax: http://www.w3.org/TR/CSS21/syndata.html#value-def-identifier identifier = characterEncoding.replace( "w", "w#" ), // Attribute selectors: http://www.w3.org/TR/selectors/#attribute-selectors attributes = "\\[" + whitespace + "*(" + characterEncoding + ")(?:" + whitespace + // Operator (capture 2) "*([*^$|!~]?=)" + whitespace + // "Attribute values must be CSS identifiers [capture 5] or strings [capture 3 or capture 4]" "*(?:'((?:\\\\.|[^\\\\'])*)'|\"((?:\\\\.|[^\\\\\"])*)\"|(" + identifier + "))|)" + whitespace + "*\\]", pseudos = ":(" + characterEncoding + ")(?:\\((" + // To reduce the number of selectors needing tokenize in the preFilter, prefer arguments: // 1. quoted (capture 3; capture 4 or capture 5) "('((?:\\\\.|[^\\\\'])*)'|\"((?:\\\\.|[^\\\\\"])*)\")|" + // 2. simple (capture 6) "((?:\\\\.|[^\\\\()[\\]]|" + attributes + ")*)|" + // 3. anything else (capture 2) ".*" + ")\\)|)", // Leading and non-escaped trailing whitespace, capturing some non-whitespace characters preceding the latter rwhitespace = new RegExp( whitespace + "+", "g" ), rtrim = new RegExp( "^" + whitespace + "+|((?:^|[^\\\\])(?:\\\\.)*)" + whitespace + "+$", "g" ), rcomma = new RegExp( "^" + whitespace + "*," + whitespace + "*" ), rcombinators = new RegExp( "^" + whitespace + "*([>+~]|" + whitespace + ")" + whitespace + "*" ), rattributeQuotes = new RegExp( "=" + whitespace + "*([^\\]'\"]*?)" + whitespace + "*\\]", "g" ), rpseudo = new RegExp( pseudos ), ridentifier = new RegExp( "^" + identifier + "$" ), matchExpr = { "ID": new RegExp( "^#(" + characterEncoding + ")" ), "CLASS": new RegExp( "^\\.(" + characterEncoding + ")" ), "TAG": new RegExp( "^(" + characterEncoding.replace( "w", "w*" ) + ")" ), "ATTR": new RegExp( "^" + attributes ), "PSEUDO": new RegExp( "^" + pseudos ), "CHILD": new RegExp( "^:(only|first|last|nth|nth-last)-(child|of-type)(?:\\(" + whitespace + "*(even|odd|(([+-]|)(\\d*)n|)" + whitespace + "*(?:([+-]|)" + whitespace + "*(\\d+)|))" + whitespace + "*\\)|)", "i" ), "bool": new RegExp( "^(?:" + booleans + ")$", "i" ), // For use in libraries implementing .is() // We use this for POS matching in `select` "needsContext": new RegExp( "^" + whitespace + "*[>+~]|:(even|odd|eq|gt|lt|nth|first|last)(?:\\(" + whitespace + "*((?:-\\d)?\\d*)" + whitespace + "*\\)|)(?=[^-]|$)", "i" ) }, rinputs = /^(?:input|select|textarea|button)$/i, rheader = /^h\d$/i, rnative = /^[^{]+\{\s*\[native \w/, // Easily-parseable/retrievable ID or TAG or CLASS selectors rquickExpr = /^(?:#([\w-]+)|(\w+)|\.([\w-]+))$/, rsibling = /[+~]/, rescape = /'|\\/g, // CSS escapes http://www.w3.org/TR/CSS21/syndata.html#escaped-characters runescape = new RegExp( "\\\\([\\da-f]{1,6}" + whitespace + "?|(" + whitespace + ")|.)", "ig" ), funescape = function( _, escaped, escapedWhitespace ) { var high = "0x" + escaped - 0x10000; // NaN means non-codepoint // Support: Firefox<24 // Workaround erroneous numeric interpretation of +"0x" return high !== high || escapedWhitespace ? escaped : high < 0 ? // BMP codepoint String.fromCharCode( high + 0x10000 ) : // Supplemental Plane codepoint (surrogate pair) String.fromCharCode( high >> 10 | 0xD800, high & 0x3FF | 0xDC00 ); }, // Used for iframes // See setDocument() // Removing the function wrapper causes a "Permission Denied" // error in IE unloadHandler = function() { setDocument(); }; // Optimize for push.apply( _, NodeList ) try { push.apply( (arr = slice.call( preferredDoc.childNodes )), preferredDoc.childNodes ); // Support: Android<4.0 // Detect silently failing push.apply arr[ preferredDoc.childNodes.length ].nodeType; } catch ( e ) { push = { apply: arr.length ? // Leverage slice if possible function( target, els ) { push_native.apply( target, slice.call(els) ); } : // Support: IE<9 // Otherwise append directly function( target, els ) { var j = target.length, i = 0; // Can't trust NodeList.length while ( (target[j++] = els[i++]) ) {} target.length = j - 1; } }; } function Sizzle( selector, context, results, seed ) { var match, elem, m, nodeType, // QSA vars i, groups, old, nid, newContext, newSelector; if ( ( context ? context.ownerDocument || context : preferredDoc ) !== document ) { setDocument( context ); } context = context || document; results = results || []; nodeType = context.nodeType; if ( typeof selector !== "string" || !selector || nodeType !== 1 && nodeType !== 9 && nodeType !== 11 ) { return results; } if ( !seed && documentIsHTML ) { // Try to shortcut find operations when possible (e.g., not under DocumentFragment) if ( nodeType !== 11 && (match = rquickExpr.exec( selector )) ) { // Speed-up: Sizzle("#ID") if ( (m = match[1]) ) { if ( nodeType === 9 ) { elem = context.getElementById( m ); // Check parentNode to catch when Blackberry 4.6 returns // nodes that are no longer in the document (jQuery #6963) if ( elem && elem.parentNode ) { // Handle the case where IE, Opera, and Webkit return items // by name instead of ID if ( elem.id === m ) { results.push( elem ); return results; } } else { return results; } } else { // Context is not a document if ( context.ownerDocument && (elem = context.ownerDocument.getElementById( m )) && contains( context, elem ) && elem.id === m ) { results.push( elem ); return results; } } // Speed-up: Sizzle("TAG") } else if ( match[2] ) { push.apply( results, context.getElementsByTagName( selector ) ); return results; // Speed-up: Sizzle(".CLASS") } else if ( (m = match[3]) && support.getElementsByClassName ) { push.apply( results, context.getElementsByClassName( m ) ); return results; } } // QSA path if ( support.qsa && (!rbuggyQSA || !rbuggyQSA.test( selector )) ) { nid = old = expando; newContext = context; newSelector = nodeType !== 1 && selector; // qSA works strangely on Element-rooted queries // We can work around this by specifying an extra ID on the root // and working up from there (Thanks to Andrew Dupont for the technique) // IE 8 doesn't work on object elements if ( nodeType === 1 && context.nodeName.toLowerCase() !== "object" ) { groups = tokenize( selector ); if ( (old = context.getAttribute("id")) ) { nid = old.replace( rescape, "\\$&" ); } else { context.setAttribute( "id", nid ); } nid = "[id='" + nid + "'] "; i = groups.length; while ( i-- ) { groups[i] = nid + toSelector( groups[i] ); } newContext = rsibling.test( selector ) && testContext( context.parentNode ) || context; newSelector = groups.join(","); } if ( newSelector ) { try { push.apply( results, newContext.querySelectorAll( newSelector ) ); return results; } catch(qsaError) { } finally { if ( !old ) { context.removeAttribute("id"); } } } } } // All others return select( selector.replace( rtrim, "$1" ), context, results, seed ); } /** * Create key-value caches of limited size * @returns {Function(string, Object)} Returns the Object data after storing it on itself with * property name the (space-suffixed) string and (if the cache is larger than Expr.cacheLength) * deleting the oldest entry */ function createCache() { var keys = []; function cache( key, value ) { // Use (key + " ") to avoid collision with native prototype properties (see Issue #157) if ( keys.push( key + " " ) > Expr.cacheLength ) { // Only keep the most recent entries delete cache[ keys.shift() ]; } return (cache[ key + " " ] = value); } return cache; } /** * Mark a function for special use by Sizzle * @param {Function} fn The function to mark */ function markFunction( fn ) { fn[ expando ] = true; return fn; } /** * Support testing using an element * @param {Function} fn Passed the created div and expects a boolean result */ function assert( fn ) { var div = document.createElement("div"); try { return !!fn( div ); } catch (e) { return false; } finally { // Remove from its parent by default if ( div.parentNode ) { div.parentNode.removeChild( div ); } // release memory in IE div = null; } } /** * Adds the same handler for all of the specified attrs * @param {String} attrs Pipe-separated list of attributes * @param {Function} handler The method that will be applied */ function addHandle( attrs, handler ) { var arr = attrs.split("|"), i = attrs.length; while ( i-- ) { Expr.attrHandle[ arr[i] ] = handler; } } /** * Checks document order of two siblings * @param {Element} a * @param {Element} b * @returns {Number} Returns less than 0 if a precedes b, greater than 0 if a follows b */ function siblingCheck( a, b ) { var cur = b && a, diff = cur && a.nodeType === 1 && b.nodeType === 1 && ( ~b.sourceIndex || MAX_NEGATIVE ) - ( ~a.sourceIndex || MAX_NEGATIVE ); // Use IE sourceIndex if available on both nodes if ( diff ) { return diff; } // Check if b follows a if ( cur ) { while ( (cur = cur.nextSibling) ) { if ( cur === b ) { return -1; } } } return a ? 1 : -1; } /** * Returns a function to use in pseudos for input types * @param {String} type */ function createInputPseudo( type ) { return function( elem ) { var name = elem.nodeName.toLowerCase(); return name === "input" && elem.type === type; }; } /** * Returns a function to use in pseudos for buttons * @param {String} type */ function createButtonPseudo( type ) { return function( elem ) { var name = elem.nodeName.toLowerCase(); return (name === "input" || name === "button") && elem.type === type; }; } /** * Returns a function to use in pseudos for positionals * @param {Function} fn */ function createPositionalPseudo( fn ) { return markFunction(function( argument ) { argument = +argument; return markFunction(function( seed, matches ) { var j, matchIndexes = fn( [], seed.length, argument ), i = matchIndexes.length; // Match elements found at the specified indexes while ( i-- ) { if ( seed[ (j = matchIndexes[i]) ] ) { seed[j] = !(matches[j] = seed[j]); } } }); }); } /** * Checks a node for validity as a Sizzle context * @param {Element|Object=} context * @returns {Element|Object|Boolean} The input node if acceptable, otherwise a falsy value */ function testContext( context ) { return context && typeof context.getElementsByTagName !== "undefined" && context; } // Expose support vars for convenience support = Sizzle.support = {}; /** * Detects XML nodes * @param {Element|Object} elem An element or a document * @returns {Boolean} True iff elem is a non-HTML XML node */ isXML = Sizzle.isXML = function( elem ) { // documentElement is verified for cases where it doesn't yet exist // (such as loading iframes in IE - #4833) var documentElement = elem && (elem.ownerDocument || elem).documentElement; return documentElement ? documentElement.nodeName !== "HTML" : false; }; /** * Sets document-related variables once based on the current document * @param {Element|Object} [doc] An element or document object to use to set the document * @returns {Object} Returns the current document */ setDocument = Sizzle.setDocument = function( node ) { var hasCompare, parent, doc = node ? node.ownerDocument || node : preferredDoc; // If no document and documentElement is available, return if ( doc === document || doc.nodeType !== 9 || !doc.documentElement ) { return document; } // Set our document document = doc; docElem = doc.documentElement; parent = doc.defaultView; // Support: IE>8 // If iframe document is assigned to "document" variable and if iframe has been reloaded, // IE will throw "permission denied" error when accessing "document" variable, see jQuery #13936 // IE6-8 do not support the defaultView property so parent will be undefined if ( parent && parent !== parent.top ) { // IE11 does not have attachEvent, so all must suffer if ( parent.addEventListener ) { parent.addEventListener( "unload", unloadHandler, false ); } else if ( parent.attachEvent ) { parent.attachEvent( "onunload", unloadHandler ); } } /* Support tests ---------------------------------------------------------------------- */ documentIsHTML = !isXML( doc ); /* Attributes ---------------------------------------------------------------------- */ // Support: IE<8 // Verify that getAttribute really returns attributes and not properties // (excepting IE8 booleans) support.attributes = assert(function( div ) { div.className = "i"; return !div.getAttribute("className"); }); /* getElement(s)By* ---------------------------------------------------------------------- */ // Check if getElementsByTagName("*") returns only elements support.getElementsByTagName = assert(function( div ) { div.appendChild( doc.createComment("") ); return !div.getElementsByTagName("*").length; }); // Support: IE<9 support.getElementsByClassName = rnative.test( doc.getElementsByClassName ); // Support: IE<10 // Check if getElementById returns elements by name // The broken getElementById methods don't pick up programatically-set names, // so use a roundabout getElementsByName test support.getById = assert(function( div ) { docElem.appendChild( div ).id = expando; return !doc.getElementsByName || !doc.getElementsByName( expando ).length; }); // ID find and filter if ( support.getById ) { Expr.find["ID"] = function( id, context ) { if ( typeof context.getElementById !== "undefined" && documentIsHTML ) { var m = context.getElementById( id ); // Check parentNode to catch when Blackberry 4.6 returns // nodes that are no longer in the document #6963 return m && m.parentNode ? [ m ] : []; } }; Expr.filter["ID"] = function( id ) { var attrId = id.replace( runescape, funescape ); return function( elem ) { return elem.getAttribute("id") === attrId; }; }; } else { // Support: IE6/7 // getElementById is not reliable as a find shortcut delete Expr.find["ID"]; Expr.filter["ID"] = function( id ) { var attrId = id.replace( runescape, funescape ); return function( elem ) { var node = typeof elem.getAttributeNode !== "undefined" && elem.getAttributeNode("id"); return node && node.value === attrId; }; }; } // Tag Expr.find["TAG"] = support.getElementsByTagName ? function( tag, context ) { if ( typeof context.getElementsByTagName !== "undefined" ) { return context.getElementsByTagName( tag ); // DocumentFragment nodes don't have gEBTN } else if ( support.qsa ) { return context.querySelectorAll( tag ); } } : function( tag, context ) { var elem, tmp = [], i = 0, // By happy coincidence, a (broken) gEBTN appears on DocumentFragment nodes too results = context.getElementsByTagName( tag ); // Filter out possible comments if ( tag === "*" ) { while ( (elem = results[i++]) ) { if ( elem.nodeType === 1 ) { tmp.push( elem ); } } return tmp; } return results; }; // Class Expr.find["CLASS"] = support.getElementsByClassName && function( className, context ) { if ( documentIsHTML ) { return context.getElementsByClassName( className ); } }; /* QSA/matchesSelector ---------------------------------------------------------------------- */ // QSA and matchesSelector support // matchesSelector(:active) reports false when true (IE9/Opera 11.5) rbuggyMatches = []; // qSa(:focus) reports false when true (Chrome 21) // We allow this because of a bug in IE8/9 that throws an error // whenever `document.activeElement` is accessed on an iframe // So, we allow :focus to pass through QSA all the time to avoid the IE error // See http://bugs.jquery.com/ticket/13378 rbuggyQSA = []; if ( (support.qsa = rnative.test( doc.querySelectorAll )) ) { // Build QSA regex // Regex strategy adopted from Diego Perini assert(function( div ) { // Select is set to empty string on purpose // This is to test IE's treatment of not explicitly // setting a boolean content attribute, // since its presence should be enough // http://bugs.jquery.com/ticket/12359 docElem.appendChild( div ).innerHTML = "<a id='" + expando + "'></a>" + "<select id='" + expando + "-\f]' msallowcapture=''>" + "<option selected=''></option></select>"; // Support: IE8, Opera 11-12.16 // Nothing should be selected when empty strings follow ^= or $= or *= // The test attribute must be unknown in Opera but "safe" for WinRT // http://msdn.microsoft.com/en-us/library/ie/hh465388.aspx#attribute_section if ( div.querySelectorAll("[msallowcapture^='']").length ) { rbuggyQSA.push( "[*^$]=" + whitespace + "*(?:''|\"\")" ); } // Support: IE8 // Boolean attributes and "value" are not treated correctly if ( !div.querySelectorAll("[selected]").length ) { rbuggyQSA.push( "\\[" + whitespace + "*(?:value|" + booleans + ")" ); } // Support: Chrome<29, Android<4.2+, Safari<7.0+, iOS<7.0+, PhantomJS<1.9.7+ if ( !div.querySelectorAll( "[id~=" + expando + "-]" ).length ) { rbuggyQSA.push("~="); } // Webkit/Opera - :checked should return selected option elements // http://www.w3.org/TR/2011/REC-css3-selectors-20110929/#checked // IE8 throws error here and will not see later tests if ( !div.querySelectorAll(":checked").length ) { rbuggyQSA.push(":checked"); } // Support: Safari 8+, iOS 8+ // https://bugs.webkit.org/show_bug.cgi?id=136851 // In-page `selector#id sibing-combinator selector` fails if ( !div.querySelectorAll( "a#" + expando + "+*" ).length ) { rbuggyQSA.push(".#.+[+~]"); } }); assert(function( div ) { // Support: Windows 8 Native Apps // The type and name attributes are restricted during .innerHTML assignment var input = doc.createElement("input"); input.setAttribute( "type", "hidden" ); div.appendChild( input ).setAttribute( "name", "D" ); // Support: IE8 // Enforce case-sensitivity of name attribute if ( div.querySelectorAll("[name=d]").length ) { rbuggyQSA.push( "name" + whitespace + "*[*^$|!~]?=" ); } // FF 3.5 - :enabled/:disabled and hidden elements (hidden elements are still enabled) // IE8 throws error here and will not see later tests if ( !div.querySelectorAll(":enabled").length ) { rbuggyQSA.push( ":enabled", ":disabled" ); } // Opera 10-11 does not throw on post-comma invalid pseudos div.querySelectorAll("*,:x"); rbuggyQSA.push(",.*:"); }); } if ( (support.matchesSelector = rnative.test( (matches = docElem.matches || docElem.webkitMatchesSelector || docElem.mozMatchesSelector || docElem.oMatchesSelector || docElem.msMatchesSelector) )) ) { assert(function( div ) { // Check to see if it's possible to do matchesSelector // on a disconnected node (IE 9) support.disconnectedMatch = matches.call( div, "div" ); // This should fail with an exception // Gecko does not error, returns false instead matches.call( div, "[s!='']:x" ); rbuggyMatches.push( "!=", pseudos ); }); } rbuggyQSA = rbuggyQSA.length && new RegExp( rbuggyQSA.join("|") ); rbuggyMatches = rbuggyMatches.length && new RegExp( rbuggyMatches.join("|") ); /* Contains ---------------------------------------------------------------------- */ hasCompare = rnative.test( docElem.compareDocumentPosition ); // Element contains another // Purposefully does not implement inclusive descendent // As in, an element does not contain itself contains = hasCompare || rnative.test( docElem.contains ) ? function( a, b ) { var adown = a.nodeType === 9 ? a.documentElement : a, bup = b && b.parentNode; return a === bup || !!( bup && bup.nodeType === 1 && ( adown.contains ? adown.contains( bup ) : a.compareDocumentPosition && a.compareDocumentPosition( bup ) & 16 )); } : function( a, b ) { if ( b ) { while ( (b = b.parentNode) ) { if ( b === a ) { return true; } } } return false; }; /* Sorting ---------------------------------------------------------------------- */ // Document order sorting sortOrder = hasCompare ? function( a, b ) { // Flag for duplicate removal if ( a === b ) { hasDuplicate = true; return 0; } // Sort on method existence if only one input has compareDocumentPosition var compare = !a.compareDocumentPosition - !b.compareDocumentPosition; if ( compare ) { return compare; } // Calculate position if both inputs belong to the same document compare = ( a.ownerDocument || a ) === ( b.ownerDocument || b ) ? a.compareDocumentPosition( b ) : // Otherwise we know they are disconnected 1; // Disconnected nodes if ( compare & 1 || (!support.sortDetached && b.compareDocumentPosition( a ) === compare) ) { // Choose the first element that is related to our preferred document if ( a === doc || a.ownerDocument === preferredDoc && contains(preferredDoc, a) ) { return -1; } if ( b === doc || b.ownerDocument === preferredDoc && contains(preferredDoc, b) ) { return 1; } // Maintain original order return sortInput ? ( indexOf( sortInput, a ) - indexOf( sortInput, b ) ) : 0; } return compare & 4 ? -1 : 1; } : function( a, b ) { // Exit early if the nodes are identical if ( a === b ) { hasDuplicate = true; return 0; } var cur, i = 0, aup = a.parentNode, bup = b.parentNode, ap = [ a ], bp = [ b ]; // Parentless nodes are either documents or disconnected if ( !aup || !bup ) { return a === doc ? -1 : b === doc ? 1 : aup ? -1 : bup ? 1 : sortInput ? ( indexOf( sortInput, a ) - indexOf( sortInput, b ) ) : 0; // If the nodes are siblings, we can do a quick check } else if ( aup === bup ) { return siblingCheck( a, b ); } // Otherwise we need full lists of their ancestors for comparison cur = a; while ( (cur = cur.parentNode) ) { ap.unshift( cur ); } cur = b; while ( (cur = cur.parentNode) ) { bp.unshift( cur ); } // Walk down the tree looking for a discrepancy while ( ap[i] === bp[i] ) { i++; } return i ? // Do a sibling check if the nodes have a common ancestor siblingCheck( ap[i], bp[i] ) : // Otherwise nodes in our document sort first ap[i] === preferredDoc ? -1 : bp[i] === preferredDoc ? 1 : 0; }; return doc; }; Sizzle.matches = function( expr, elements ) { return Sizzle( expr, null, null, elements ); }; Sizzle.matchesSelector = function( elem, expr ) { // Set document vars if needed if ( ( elem.ownerDocument || elem ) !== document ) { setDocument( elem ); } // Make sure that attribute selectors are quoted expr = expr.replace( rattributeQuotes, "='$1']" ); if ( support.matchesSelector && documentIsHTML && ( !rbuggyMatches || !rbuggyMatches.test( expr ) ) && ( !rbuggyQSA || !rbuggyQSA.test( expr ) ) ) { try { var ret = matches.call( elem, expr ); // IE 9's matchesSelector returns false on disconnected nodes if ( ret || support.disconnectedMatch || // As well, disconnected nodes are said to be in a document // fragment in IE 9 elem.document && elem.document.nodeType !== 11 ) { return ret; } } catch (e) {} } return Sizzle( expr, document, null, [ elem ] ).length > 0; }; Sizzle.contains = function( context, elem ) { // Set document vars if needed if ( ( context.ownerDocument || context ) !== document ) { setDocument( context ); } return contains( context, elem ); }; Sizzle.attr = function( elem, name ) { // Set document vars if needed if ( ( elem.ownerDocument || elem ) !== document ) { setDocument( elem ); } var fn = Expr.attrHandle[ name.toLowerCase() ], // Don't get fooled by Object.prototype properties (jQuery #13807) val = fn && hasOwn.call( Expr.attrHandle, name.toLowerCase() ) ? fn( elem, name, !documentIsHTML ) : undefined; return val !== undefined ? val : support.attributes || !documentIsHTML ? elem.getAttribute( name ) : (val = elem.getAttributeNode(name)) && val.specified ? val.value : null; }; Sizzle.error = function( msg ) { throw new Error( "Syntax error, unrecognized expression: " + msg ); }; /** * Document sorting and removing duplicates * @param {ArrayLike} results */ Sizzle.uniqueSort = function( results ) { var elem, duplicates = [], j = 0, i = 0; // Unless we *know* we can detect duplicates, assume their presence hasDuplicate = !support.detectDuplicates; sortInput = !support.sortStable && results.slice( 0 ); results.sort( sortOrder ); if ( hasDuplicate ) { while ( (elem = results[i++]) ) { if ( elem === results[ i ] ) { j = duplicates.push( i ); } } while ( j-- ) { results.splice( duplicates[ j ], 1 ); } } // Clear input after sorting to release objects // See https://github.com/jquery/sizzle/pull/225 sortInput = null; return results; }; /** * Utility function for retrieving the text value of an array of DOM nodes * @param {Array|Element} elem */ getText = Sizzle.getText = function( elem ) { var node, ret = "", i = 0, nodeType = elem.nodeType; if ( !nodeType ) { // If no nodeType, this is expected to be an array while ( (node = elem[i++]) ) { // Do not traverse comment nodes ret += getText( node ); } } else if ( nodeType === 1 || nodeType === 9 || nodeType === 11 ) { // Use textContent for elements // innerText usage removed for consistency of new lines (jQuery #11153) if ( typeof elem.textContent === "string" ) { return elem.textContent; } else { // Traverse its children for ( elem = elem.firstChild; elem; elem = elem.nextSibling ) { ret += getText( elem ); } } } else if ( nodeType === 3 || nodeType === 4 ) { return elem.nodeValue; } // Do not include comment or processing instruction nodes return ret; }; Expr = Sizzle.selectors = { // Can be adjusted by the user cacheLength: 50, createPseudo: markFunction, match: matchExpr, attrHandle: {}, find: {}, relative: { ">": { dir: "parentNode", first: true }, " ": { dir: "parentNode" }, "+": { dir: "previousSibling", first: true }, "~": { dir: "previousSibling" } }, preFilter: { "ATTR": function( match ) { match[1] = match[1].replace( runescape, funescape ); // Move the given value to match[3] whether quoted or unquoted match[3] = ( match[3] || match[4] || match[5] || "" ).replace( runescape, funescape ); if ( match[2] === "~=" ) { match[3] = " " + match[3] + " "; } return match.slice( 0, 4 ); }, "CHILD": function( match ) { /* matches from matchExpr["CHILD"] 1 type (only|nth|...) 2 what (child|of-type) 3 argument (even|odd|\d*|\d*n([+-]\d+)?|...) 4 xn-component of xn+y argument ([+-]?\d*n|) 5 sign of xn-component 6 x of xn-component 7 sign of y-component 8 y of y-component */ match[1] = match[1].toLowerCase(); if ( match[1].slice( 0, 3 ) === "nth" ) { // nth-* requires argument if ( !match[3] ) { Sizzle.error( match[0] ); } // numeric x and y parameters for Expr.filter.CHILD // remember that false/true cast respectively to 0/1 match[4] = +( match[4] ? match[5] + (match[6] || 1) : 2 * ( match[3] === "even" || match[3] === "odd" ) ); match[5] = +( ( match[7] + match[8] ) || match[3] === "odd" ); // other types prohibit arguments } else if ( match[3] ) { Sizzle.error( match[0] ); } return match; }, "PSEUDO": function( match ) { var excess, unquoted = !match[6] && match[2]; if ( matchExpr["CHILD"].test( match[0] ) ) { return null; } // Accept quoted arguments as-is if ( match[3] ) { match[2] = match[4] || match[5] || ""; // Strip excess characters from unquoted arguments } else if ( unquoted && rpseudo.test( unquoted ) && // Get excess from tokenize (recursively) (excess = tokenize( unquoted, true )) && // advance to the next closing parenthesis (excess = unquoted.indexOf( ")", unquoted.length - excess ) - unquoted.length) ) { // excess is a negative index match[0] = match[0].slice( 0, excess ); match[2] = unquoted.slice( 0, excess ); } // Return only captures needed by the pseudo filter method (type and argument) return match.slice( 0, 3 ); } }, filter: { "TAG": function( nodeNameSelector ) { var nodeName = nodeNameSelector.replace( runescape, funescape ).toLowerCase(); return nodeNameSelector === "*" ? function() { return true; } : function( elem ) { return elem.nodeName && elem.nodeName.toLowerCase() === nodeName; }; }, "CLASS": function( className ) { var pattern = classCache[ className + " " ]; return pattern || (pattern = new RegExp( "(^|" + whitespace + ")" + className + "(" + whitespace + "|$)" )) && classCache( className, function( elem ) { return pattern.test( typeof elem.className === "string" && elem.className || typeof elem.getAttribute !== "undefined" && elem.getAttribute("class") || "" ); }); }, "ATTR": function( name, operator, check ) { return function( elem ) { var result = Sizzle.attr( elem, name ); if ( result == null ) { return operator === "!="; } if ( !operator ) { return true; } result += ""; return operator === "=" ? result === check : operator === "!=" ? result !== check : operator === "^=" ? check && result.indexOf( check ) === 0 : operator === "*=" ? check && result.indexOf( check ) > -1 : operator === "$=" ? check && result.slice( -check.length ) === check : operator === "~=" ? ( " " + result.replace( rwhitespace, " " ) + " " ).indexOf( check ) > -1 : operator === "|=" ? result === check || result.slice( 0, check.length + 1 ) === check + "-" : false; }; }, "CHILD": function( type, what, argument, first, last ) { var simple = type.slice( 0, 3 ) !== "nth", forward = type.slice( -4 ) !== "last", ofType = what === "of-type"; return first === 1 && last === 0 ? // Shortcut for :nth-*(n) function( elem ) { return !!elem.parentNode; } : function( elem, context, xml ) { var cache, outerCache, node, diff, nodeIndex, start, dir = simple !== forward ? "nextSibling" : "previousSibling", parent = elem.parentNode, name = ofType && elem.nodeName.toLowerCase(), useCache = !xml && !ofType; if ( parent ) { // :(first|last|only)-(child|of-type) if ( simple ) { while ( dir ) { node = elem; while ( (node = node[ dir ]) ) { if ( ofType ? node.nodeName.toLowerCase() === name : node.nodeType === 1 ) { return false; } } // Reverse direction for :only-* (if we haven't yet done so) start = dir = type === "only" && !start && "nextSibling"; } return true; } start = [ forward ? parent.firstChild : parent.lastChild ]; // non-xml :nth-child(...) stores cache data on `parent` if ( forward && useCache ) { // Seek `elem` from a previously-cached index outerCache = parent[ expando ] || (parent[ expando ] = {}); cache = outerCache[ type ] || []; nodeIndex = cache[0] === dirruns && cache[1]; diff = cache[0] === dirruns && cache[2]; node = nodeIndex && parent.childNodes[ nodeIndex ]; while ( (node = ++nodeIndex && node && node[ dir ] || // Fallback to seeking `elem` from the start (diff = nodeIndex = 0) || start.pop()) ) { // When found, cache indexes on `parent` and break if ( node.nodeType === 1 && ++diff && node === elem ) { outerCache[ type ] = [ dirruns, nodeIndex, diff ]; break; } } // Use previously-cached element index if available } else if ( useCache && (cache = (elem[ expando ] || (elem[ expando ] = {}))[ type ]) && cache[0] === dirruns ) { diff = cache[1]; // xml :nth-child(...) or :nth-last-child(...) or :nth(-last)?-of-type(...) } else { // Use the same loop as above to seek `elem` from the start while ( (node = ++nodeIndex && node && node[ dir ] || (diff = nodeIndex = 0) || start.pop()) ) { if ( ( ofType ? node.nodeName.toLowerCase() === name : node.nodeType === 1 ) && ++diff ) { // Cache the index of each encountered element if ( useCache ) { (node[ expando ] || (node[ expando ] = {}))[ type ] = [ dirruns, diff ]; } if ( node === elem ) { break; } } } } // Incorporate the offset, then check against cycle size diff -= last; return diff === first || ( diff % first === 0 && diff / first >= 0 ); } }; }, "PSEUDO": function( pseudo, argument ) { // pseudo-class names are case-insensitive // http://www.w3.org/TR/selectors/#pseudo-classes // Prioritize by case sensitivity in case custom pseudos are added with uppercase letters // Remember that setFilters inherits from pseudos var args, fn = Expr.pseudos[ pseudo ] || Expr.setFilters[ pseudo.toLowerCase() ] || Sizzle.error( "unsupported pseudo: " + pseudo ); // The user may use createPseudo to indicate that // arguments are needed to create the filter function // just as Sizzle does if ( fn[ expando ] ) { return fn( argument ); } // But maintain support for old signatures if ( fn.length > 1 ) { args = [ pseudo, pseudo, "", argument ]; return Expr.setFilters.hasOwnProperty( pseudo.toLowerCase() ) ? markFunction(function( seed, matches ) { var idx, matched = fn( seed, argument ), i = matched.length; while ( i-- ) { idx = indexOf( seed, matched[i] ); seed[ idx ] = !( matches[ idx ] = matched[i] ); } }) : function( elem ) { return fn( elem, 0, args ); }; } return fn; } }, pseudos: { // Potentially complex pseudos "not": markFunction(function( selector ) { // Trim the selector passed to compile // to avoid treating leading and trailing // spaces as combinators var input = [], results = [], matcher = compile( selector.replace( rtrim, "$1" ) ); return matcher[ expando ] ? markFunction(function( seed, matches, context, xml ) { var elem, unmatched = matcher( seed, null, xml, [] ), i = seed.length; // Match elements unmatched by `matcher` while ( i-- ) { if ( (elem = unmatched[i]) ) { seed[i] = !(matches[i] = elem); } } }) : function( elem, context, xml ) { input[0] = elem; matcher( input, null, xml, results ); // Don't keep the element (issue #299) input[0] = null; return !results.pop(); }; }), "has": markFunction(function( selector ) { return function( elem ) { return Sizzle( selector, elem ).length > 0; }; }), "contains": markFunction(function( text ) { text = text.replace( runescape, funescape ); return function( elem ) { return ( elem.textContent || elem.innerText || getText( elem ) ).indexOf( text ) > -1; }; }), // "Whether an element is represented by a :lang() selector // is based solely on the element's language value // being equal to the identifier C, // or beginning with the identifier C immediately followed by "-". // The matching of C against the element's language value is performed case-insensitively. // The identifier C does not have to be a valid language name." // http://www.w3.org/TR/selectors/#lang-pseudo "lang": markFunction( function( lang ) { // lang value must be a valid identifier if ( !ridentifier.test(lang || "") ) { Sizzle.error( "unsupported lang: " + lang ); } lang = lang.replace( runescape, funescape ).toLowerCase(); return function( elem ) { var elemLang; do { if ( (elemLang = documentIsHTML ? elem.lang : elem.getAttribute("xml:lang") || elem.getAttribute("lang")) ) { elemLang = elemLang.toLowerCase(); return elemLang === lang || elemLang.indexOf( lang + "-" ) === 0; } } while ( (elem = elem.parentNode) && elem.nodeType === 1 ); return false; }; }), // Miscellaneous "target": function( elem ) { var hash = window.location && window.location.hash; return hash && hash.slice( 1 ) === elem.id; }, "root": function( elem ) { return elem === docElem; }, "focus": function( elem ) { return elem === document.activeElement && (!document.hasFocus || document.hasFocus()) && !!(elem.type || elem.href || ~elem.tabIndex); }, // Boolean properties "enabled": function( elem ) { return elem.disabled === false; }, "disabled": function( elem ) { return elem.disabled === true; }, "checked": function( elem ) { // In CSS3, :checked should return both checked and selected elements // http://www.w3.org/TR/2011/REC-css3-selectors-20110929/#checked var nodeName = elem.nodeName.toLowerCase(); return (nodeName === "input" && !!elem.checked) || (nodeName === "option" && !!elem.selected); }, "selected": function( elem ) { // Accessing this property makes selected-by-default // options in Safari work properly if ( elem.parentNode ) { elem.parentNode.selectedIndex; } return elem.selected === true; }, // Contents "empty": function( elem ) { // http://www.w3.org/TR/selectors/#empty-pseudo // :empty is negated by element (1) or content nodes (text: 3; cdata: 4; entity ref: 5), // but not by others (comment: 8; processing instruction: 7; etc.) // nodeType < 6 works because attributes (2) do not appear as children for ( elem = elem.firstChild; elem; elem = elem.nextSibling ) { if ( elem.nodeType < 6 ) { return false; } } return true; }, "parent": function( elem ) { return !Expr.pseudos["empty"]( elem ); }, // Element/input types "header": function( elem ) { return rheader.test( elem.nodeName ); }, "input": function( elem ) { return rinputs.test( elem.nodeName ); }, "button": function( elem ) { var name = elem.nodeName.toLowerCase(); return name === "input" && elem.type === "button" || name === "button"; }, "text": function( elem ) { var attr; return elem.nodeName.toLowerCase() === "input" && elem.type === "text" && // Support: IE<8 // New HTML5 attribute values (e.g., "search") appear with elem.type === "text" ( (attr = elem.getAttribute("type")) == null || attr.toLowerCase() === "text" ); }, // Position-in-collection "first": createPositionalPseudo(function() { return [ 0 ]; }), "last": createPositionalPseudo(function( matchIndexes, length ) { return [ length - 1 ]; }), "eq": createPositionalPseudo(function( matchIndexes, length, argument ) { return [ argument < 0 ? argument + length : argument ]; }), "even": createPositionalPseudo(function( matchIndexes, length ) { var i = 0; for ( ; i < length; i += 2 ) { matchIndexes.push( i ); } return matchIndexes; }), "odd": createPositionalPseudo(function( matchIndexes, length ) { var i = 1; for ( ; i < length; i += 2 ) { matchIndexes.push( i ); } return matchIndexes; }), "lt": createPositionalPseudo(function( matchIndexes, length, argument ) { var i = argument < 0 ? argument + length : argument; for ( ; --i >= 0; ) { matchIndexes.push( i ); } return matchIndexes; }), "gt": createPositionalPseudo(function( matchIndexes, length, argument ) { var i = argument < 0 ? argument + length : argument; for ( ; ++i < length; ) { matchIndexes.push( i ); } return matchIndexes; }) } }; Expr.pseudos["nth"] = Expr.pseudos["eq"]; // Add button/input type pseudos for ( i in { radio: true, checkbox: true, file: true, password: true, image: true } ) { Expr.pseudos[ i ] = createInputPseudo( i ); } for ( i in { submit: true, reset: true } ) { Expr.pseudos[ i ] = createButtonPseudo( i ); } // Easy API for creating new setFilters function setFilters() {} setFilters.prototype = Expr.filters = Expr.pseudos; Expr.setFilters = new setFilters(); tokenize = Sizzle.tokenize = function( selector, parseOnly ) { var matched, match, tokens, type, soFar, groups, preFilters, cached = tokenCache[ selector + " " ]; if ( cached ) { return parseOnly ? 0 : cached.slice( 0 ); } soFar = selector; groups = []; preFilters = Expr.preFilter; while ( soFar ) { // Comma and first run if ( !matched || (match = rcomma.exec( soFar )) ) { if ( match ) { // Don't consume trailing commas as valid soFar = soFar.slice( match[0].length ) || soFar; } groups.push( (tokens = []) ); } matched = false; // Combinators if ( (match = rcombinators.exec( soFar )) ) { matched = match.shift(); tokens.push({ value: matched, // Cast descendant combinators to space type: match[0].replace( rtrim, " " ) }); soFar = soFar.slice( matched.length ); } // Filters for ( type in Expr.filter ) { if ( (match = matchExpr[ type ].exec( soFar )) && (!preFilters[ type ] || (match = preFilters[ type ]( match ))) ) { matched = match.shift(); tokens.push({ value: matched, type: type, matches: match }); soFar = soFar.slice( matched.length ); } } if ( !matched ) { break; } } // Return the length of the invalid excess // if we're just parsing // Otherwise, throw an error or return tokens return parseOnly ? soFar.length : soFar ? Sizzle.error( selector ) : // Cache the tokens tokenCache( selector, groups ).slice( 0 ); }; function toSelector( tokens ) { var i = 0, len = tokens.length, selector = ""; for ( ; i < len; i++ ) { selector += tokens[i].value; } return selector; } function addCombinator( matcher, combinator, base ) { var dir = combinator.dir, checkNonElements = base && dir === "parentNode", doneName = done++; return combinator.first ? // Check against closest ancestor/preceding element function( elem, context, xml ) { while ( (elem = elem[ dir ]) ) { if ( elem.nodeType === 1 || checkNonElements ) { return matcher( elem, context, xml ); } } } : // Check against all ancestor/preceding elements function( elem, context, xml ) { var oldCache, outerCache, newCache = [ dirruns, doneName ]; // We can't set arbitrary data on XML nodes, so they don't benefit from dir caching if ( xml ) { while ( (elem = elem[ dir ]) ) { if ( elem.nodeType === 1 || checkNonElements ) { if ( matcher( elem, context, xml ) ) { return true; } } } } else { while ( (elem = elem[ dir ]) ) { if ( elem.nodeType === 1 || checkNonElements ) { outerCache = elem[ expando ] || (elem[ expando ] = {}); if ( (oldCache = outerCache[ dir ]) && oldCache[ 0 ] === dirruns && oldCache[ 1 ] === doneName ) { // Assign to newCache so results back-propagate to previous elements return (newCache[ 2 ] = oldCache[ 2 ]); } else { // Reuse newcache so results back-propagate to previous elements outerCache[ dir ] = newCache; // A match means we're done; a fail means we have to keep checking if ( (newCache[ 2 ] = matcher( elem, context, xml )) ) { return true; } } } } } }; } function elementMatcher( matchers ) { return matchers.length > 1 ? function( elem, context, xml ) { var i = matchers.length; while ( i-- ) { if ( !matchers[i]( elem, context, xml ) ) { return false; } } return true; } : matchers[0]; } function multipleContexts( selector, contexts, results ) { var i = 0, len = contexts.length; for ( ; i < len; i++ ) { Sizzle( selector, contexts[i], results ); } return results; } function condense( unmatched, map, filter, context, xml ) { var elem, newUnmatched = [], i = 0, len = unmatched.length, mapped = map != null; for ( ; i < len; i++ ) { if ( (elem = unmatched[i]) ) { if ( !filter || filter( elem, context, xml ) ) { newUnmatched.push( elem ); if ( mapped ) { map.push( i ); } } } } return newUnmatched; } function setMatcher( preFilter, selector, matcher, postFilter, postFinder, postSelector ) { if ( postFilter && !postFilter[ expando ] ) { postFilter = setMatcher( postFilter ); } if ( postFinder && !postFinder[ expando ] ) { postFinder = setMatcher( postFinder, postSelector ); } return markFunction(function( seed, results, context, xml ) { var temp, i, elem, preMap = [], postMap = [], preexisting = results.length, // Get initial elements from seed or context elems = seed || multipleContexts( selector || "*", context.nodeType ? [ context ] : context, [] ), // Prefilter to get matcher input, preserving a map for seed-results synchronization matcherIn = preFilter && ( seed || !selector ) ? condense( elems, preMap, preFilter, context, xml ) : elems, matcherOut = matcher ? // If we have a postFinder, or filtered seed, or non-seed postFilter or preexisting results, postFinder || ( seed ? preFilter : preexisting || postFilter ) ? // ...intermediate processing is necessary [] : // ...otherwise use results directly results : matcherIn; // Find primary matches if ( matcher ) { matcher( matcherIn, matcherOut, context, xml ); } // Apply postFilter if ( postFilter ) { temp = condense( matcherOut, postMap ); postFilter( temp, [], context, xml ); // Un-match failing elements by moving them back to matcherIn i = temp.length; while ( i-- ) { if ( (elem = temp[i]) ) { matcherOut[ postMap[i] ] = !(matcherIn[ postMap[i] ] = elem); } } } if ( seed ) { if ( postFinder || preFilter ) { if ( postFinder ) { // Get the final matcherOut by condensing this intermediate into postFinder contexts temp = []; i = matcherOut.length; while ( i-- ) { if ( (elem = matcherOut[i]) ) { // Restore matcherIn since elem is not yet a final match temp.push( (matcherIn[i] = elem) ); } } postFinder( null, (matcherOut = []), temp, xml ); } // Move matched elements from seed to results to keep them synchronized i = matcherOut.length; while ( i-- ) { if ( (elem = matcherOut[i]) && (temp = postFinder ? indexOf( seed, elem ) : preMap[i]) > -1 ) { seed[temp] = !(results[temp] = elem); } } } // Add elements to results, through postFinder if defined } else { matcherOut = condense( matcherOut === results ? matcherOut.splice( preexisting, matcherOut.length ) : matcherOut ); if ( postFinder ) { postFinder( null, results, matcherOut, xml ); } else { push.apply( results, matcherOut ); } } }); } function matcherFromTokens( tokens ) { var checkContext, matcher, j, len = tokens.length, leadingRelative = Expr.relative[ tokens[0].type ], implicitRelative = leadingRelative || Expr.relative[" "], i = leadingRelative ? 1 : 0, // The foundational matcher ensures that elements are reachable from top-level context(s) matchContext = addCombinator( function( elem ) { return elem === checkContext; }, implicitRelative, true ), matchAnyContext = addCombinator( function( elem ) { return indexOf( checkContext, elem ) > -1; }, implicitRelative, true ), matchers = [ function( elem, context, xml ) { var ret = ( !leadingRelative && ( xml || context !== outermostContext ) ) || ( (checkContext = context).nodeType ? matchContext( elem, context, xml ) : matchAnyContext( elem, context, xml ) ); // Avoid hanging onto element (issue #299) checkContext = null; return ret; } ]; for ( ; i < len; i++ ) { if ( (matcher = Expr.relative[ tokens[i].type ]) ) { matchers = [ addCombinator(elementMatcher( matchers ), matcher) ]; } else { matcher = Expr.filter[ tokens[i].type ].apply( null, tokens[i].matches ); // Return special upon seeing a positional matcher if ( matcher[ expando ] ) { // Find the next relative operator (if any) for proper handling j = ++i; for ( ; j < len; j++ ) { if ( Expr.relative[ tokens[j].type ] ) { break; } } return setMatcher( i > 1 && elementMatcher( matchers ), i > 1 && toSelector( // If the preceding token was a descendant combinator, insert an implicit any-element `*` tokens.slice( 0, i - 1 ).concat({ value: tokens[ i - 2 ].type === " " ? "*" : "" }) ).replace( rtrim, "$1" ), matcher, i < j && matcherFromTokens( tokens.slice( i, j ) ), j < len && matcherFromTokens( (tokens = tokens.slice( j )) ), j < len && toSelector( tokens ) ); } matchers.push( matcher ); } } return elementMatcher( matchers ); } function matcherFromGroupMatchers( elementMatchers, setMatchers ) { var bySet = setMatchers.length > 0, byElement = elementMatchers.length > 0, superMatcher = function( seed, context, xml, results, outermost ) { var elem, j, matcher, matchedCount = 0, i = "0", unmatched = seed && [], setMatched = [], contextBackup = outermostContext, // We must always have either seed elements or outermost context elems = seed || byElement && Expr.find["TAG"]( "*", outermost ), // Use integer dirruns iff this is the outermost matcher dirrunsUnique = (dirruns += contextBackup == null ? 1 : Math.random() || 0.1), len = elems.length; if ( outermost ) { outermostContext = context !== document && context; } // Add elements passing elementMatchers directly to results // Keep `i` a string if there are no elements so `matchedCount` will be "00" below // Support: IE<9, Safari // Tolerate NodeList properties (IE: "length"; Safari: <number>) matching elements by id for ( ; i !== len && (elem = elems[i]) != null; i++ ) { if ( byElement && elem ) { j = 0; while ( (matcher = elementMatchers[j++]) ) { if ( matcher( elem, context, xml ) ) { results.push( elem ); break; } } if ( outermost ) { dirruns = dirrunsUnique; } } // Track unmatched elements for set filters if ( bySet ) { // They will have gone through all possible matchers if ( (elem = !matcher && elem) ) { matchedCount--; } // Lengthen the array for every element, matched or not if ( seed ) { unmatched.push( elem ); } } } // Apply set filters to unmatched elements matchedCount += i; if ( bySet && i !== matchedCount ) { j = 0; while ( (matcher = setMatchers[j++]) ) { matcher( unmatched, setMatched, context, xml ); } if ( seed ) { // Reintegrate element matches to eliminate the need for sorting if ( matchedCount > 0 ) { while ( i-- ) { if ( !(unmatched[i] || setMatched[i]) ) { setMatched[i] = pop.call( results ); } } } // Discard index placeholder values to get only actual matches setMatched = condense( setMatched ); } // Add matches to results push.apply( results, setMatched ); // Seedless set matches succeeding multiple successful matchers stipulate sorting if ( outermost && !seed && setMatched.length > 0 && ( matchedCount + setMatchers.length ) > 1 ) { Sizzle.uniqueSort( results ); } } // Override manipulation of globals by nested matchers if ( outermost ) { dirruns = dirrunsUnique; outermostContext = contextBackup; } return unmatched; }; return bySet ? markFunction( superMatcher ) : superMatcher; } compile = Sizzle.compile = function( selector, match /* Internal Use Only */ ) { var i, setMatchers = [], elementMatchers = [], cached = compilerCache[ selector + " " ]; if ( !cached ) { // Generate a function of recursive functions that can be used to check each element if ( !match ) { match = tokenize( selector ); } i = match.length; while ( i-- ) { cached = matcherFromTokens( match[i] ); if ( cached[ expando ] ) { setMatchers.push( cached ); } else { elementMatchers.push( cached ); } } // Cache the compiled function cached = compilerCache( selector, matcherFromGroupMatchers( elementMatchers, setMatchers ) ); // Save selector and tokenization cached.selector = selector; } return cached; }; /** * A low-level selection function that works with Sizzle's compiled * selector functions * @param {String|Function} selector A selector or a pre-compiled * selector function built with Sizzle.compile * @param {Element} context * @param {Array} [results] * @param {Array} [seed] A set of elements to match against */ select = Sizzle.select = function( selector, context, results, seed ) { var i, tokens, token, type, find, compiled = typeof selector === "function" && selector, match = !seed && tokenize( (selector = compiled.selector || selector) ); results = results || []; // Try to minimize operations if there is no seed and only one group if ( match.length === 1 ) { // Take a shortcut and set the context if the root selector is an ID tokens = match[0] = match[0].slice( 0 ); if ( tokens.length > 2 && (token = tokens[0]).type === "ID" && support.getById && context.nodeType === 9 && documentIsHTML && Expr.relative[ tokens[1].type ] ) { context = ( Expr.find["ID"]( token.matches[0].replace(runescape, funescape), context ) || [] )[0]; if ( !context ) { return results; // Precompiled matchers will still verify ancestry, so step up a level } else if ( compiled ) { context = context.parentNode; } selector = selector.slice( tokens.shift().value.length ); } // Fetch a seed set for right-to-left matching i = matchExpr["needsContext"].test( selector ) ? 0 : tokens.length; while ( i-- ) { token = tokens[i]; // Abort if we hit a combinator if ( Expr.relative[ (type = token.type) ] ) { break; } if ( (find = Expr.find[ type ]) ) { // Search, expanding context for leading sibling combinators if ( (seed = find( token.matches[0].replace( runescape, funescape ), rsibling.test( tokens[0].type ) && testContext( context.parentNode ) || context )) ) { // If seed is empty or no tokens remain, we can return early tokens.splice( i, 1 ); selector = seed.length && toSelector( tokens ); if ( !selector ) { push.apply( results, seed ); return results; } break; } } } } // Compile and execute a filtering function if one is not provided // Provide `match` to avoid retokenization if we modified the selector above ( compiled || compile( selector, match ) )( seed, context, !documentIsHTML, results, rsibling.test( selector ) && testContext( context.parentNode ) || context ); return results; }; // One-time assignments // Sort stability support.sortStable = expando.split("").sort( sortOrder ).join("") === expando; // Support: Chrome 14-35+ // Always assume duplicates if they aren't passed to the comparison function support.detectDuplicates = !!hasDuplicate; // Initialize against the default document setDocument(); // Support: Webkit<537.32 - Safari 6.0.3/Chrome 25 (fixed in Chrome 27) // Detached nodes confoundingly follow *each other* support.sortDetached = assert(function( div1 ) { // Should return 1, but returns 4 (following) return div1.compareDocumentPosition( document.createElement("div") ) & 1; }); // Support: IE<8 // Prevent attribute/property "interpolation" // http://msdn.microsoft.com/en-us/library/ms536429%28VS.85%29.aspx if ( !assert(function( div ) { div.innerHTML = "<a href='#'></a>"; return div.firstChild.getAttribute("href") === "#" ; }) ) { addHandle( "type|href|height|width", function( elem, name, isXML ) { if ( !isXML ) { return elem.getAttribute( name, name.toLowerCase() === "type" ? 1 : 2 ); } }); } // Support: IE<9 // Use defaultValue in place of getAttribute("value") if ( !support.attributes || !assert(function( div ) { div.innerHTML = "<input/>"; div.firstChild.setAttribute( "value", "" ); return div.firstChild.getAttribute( "value" ) === ""; }) ) { addHandle( "value", function( elem, name, isXML ) { if ( !isXML && elem.nodeName.toLowerCase() === "input" ) { return elem.defaultValue; } }); } // Support: IE<9 // Use getAttributeNode to fetch booleans when getAttribute lies if ( !assert(function( div ) { return div.getAttribute("disabled") == null; }) ) { addHandle( booleans, function( elem, name, isXML ) { var val; if ( !isXML ) { return elem[ name ] === true ? name.toLowerCase() : (val = elem.getAttributeNode( name )) && val.specified ? val.value : null; } }); } return Sizzle; })( window ); jQuery.find = Sizzle; jQuery.expr = Sizzle.selectors; jQuery.expr[":"] = jQuery.expr.pseudos; jQuery.unique = Sizzle.uniqueSort; jQuery.text = Sizzle.getText; jQuery.isXMLDoc = Sizzle.isXML; jQuery.contains = Sizzle.contains; var rneedsContext = jQuery.expr.match.needsContext; var rsingleTag = (/^<(\w+)\s*\/?>(?:<\/\1>|)$/); var risSimple = /^.[^:#\[\.,]*$/; // Implement the identical functionality for filter and not function winnow( elements, qualifier, not ) { if ( jQuery.isFunction( qualifier ) ) { return jQuery.grep( elements, function( elem, i ) { /* jshint -W018 */ return !!qualifier.call( elem, i, elem ) !== not; }); } if ( qualifier.nodeType ) { return jQuery.grep( elements, function( elem ) { return ( elem === qualifier ) !== not; }); } if ( typeof qualifier === "string" ) { if ( risSimple.test( qualifier ) ) { return jQuery.filter( qualifier, elements, not ); } qualifier = jQuery.filter( qualifier, elements ); } return jQuery.grep( elements, function( elem ) { return ( jQuery.inArray( elem, qualifier ) >= 0 ) !== not; }); } jQuery.filter = function( expr, elems, not ) { var elem = elems[ 0 ]; if ( not ) { expr = ":not(" + expr + ")"; } return elems.length === 1 && elem.nodeType === 1 ? jQuery.find.matchesSelector( elem, expr ) ? [ elem ] : [] : jQuery.find.matches( expr, jQuery.grep( elems, function( elem ) { return elem.nodeType === 1; })); }; jQuery.fn.extend({ find: function( selector ) { var i, ret = [], self = this, len = self.length; if ( typeof selector !== "string" ) { return this.pushStack( jQuery( selector ).filter(function() { for ( i = 0; i < len; i++ ) { if ( jQuery.contains( self[ i ], this ) ) { return true; } } }) ); } for ( i = 0; i < len; i++ ) { jQuery.find( selector, self[ i ], ret ); } // Needed because $( selector, context ) becomes $( context ).find( selector ) ret = this.pushStack( len > 1 ? jQuery.unique( ret ) : ret ); ret.selector = this.selector ? this.selector + " " + selector : selector; return ret; }, filter: function( selector ) { return this.pushStack( winnow(this, selector || [], false) ); }, not: function( selector ) { return this.pushStack( winnow(this, selector || [], true) ); }, is: function( selector ) { return !!winnow( this, // If this is a positional/relative selector, check membership in the returned set // so $("p:first").is("p:last") won't return true for a doc with two "p". typeof selector === "string" && rneedsContext.test( selector ) ? jQuery( selector ) : selector || [], false ).length; } }); // Initialize a jQuery object // A central reference to the root jQuery(document) var rootjQuery, // Use the correct document accordingly with window argument (sandbox) document = window.document, // A simple way to check for HTML strings // Prioritize #id over <tag> to avoid XSS via location.hash (#9521) // Strict HTML recognition (#11290: must start with <) rquickExpr = /^(?:\s*(<[\w\W]+>)[^>]*|#([\w-]*))$/, init = jQuery.fn.init = function( selector, context ) { var match, elem; // HANDLE: $(""), $(null), $(undefined), $(false) if ( !selector ) { return this; } // Handle HTML strings if ( typeof selector === "string" ) { if ( selector.charAt(0) === "<" && selector.charAt( selector.length - 1 ) === ">" && selector.length >= 3 ) { // Assume that strings that start and end with <> are HTML and skip the regex check match = [ null, selector, null ]; } else { match = rquickExpr.exec( selector ); } // Match html or make sure no context is specified for #id if ( match && (match[1] || !context) ) { // HANDLE: $(html) -> $(array) if ( match[1] ) { context = context instanceof jQuery ? context[0] : context; // scripts is true for back-compat // Intentionally let the error be thrown if parseHTML is not present jQuery.merge( this, jQuery.parseHTML( match[1], context && context.nodeType ? context.ownerDocument || context : document, true ) ); // HANDLE: $(html, props) if ( rsingleTag.test( match[1] ) && jQuery.isPlainObject( context ) ) { for ( match in context ) { // Properties of context are called as methods if possible if ( jQuery.isFunction( this[ match ] ) ) { this[ match ]( context[ match ] ); // ...and otherwise set as attributes } else { this.attr( match, context[ match ] ); } } } return this; // HANDLE: $(#id) } else { elem = document.getElementById( match[2] ); // Check parentNode to catch when Blackberry 4.6 returns // nodes that are no longer in the document #6963 if ( elem && elem.parentNode ) { // Handle the case where IE and Opera return items // by name instead of ID if ( elem.id !== match[2] ) { return rootjQuery.find( selector ); } // Otherwise, we inject the element directly into the jQuery object this.length = 1; this[0] = elem; } this.context = document; this.selector = selector; return this; } // HANDLE: $(expr, $(...)) } else if ( !context || context.jquery ) { return ( context || rootjQuery ).find( selector ); // HANDLE: $(expr, context) // (which is just equivalent to: $(context).find(expr) } else { return this.constructor( context ).find( selector ); } // HANDLE: $(DOMElement) } else if ( selector.nodeType ) { this.context = this[0] = selector; this.length = 1; return this; // HANDLE: $(function) // Shortcut for document ready } else if ( jQuery.isFunction( selector ) ) { return typeof rootjQuery.ready !== "undefined" ? rootjQuery.ready( selector ) : // Execute immediately if ready is not present selector( jQuery ); } if ( selector.selector !== undefined ) { this.selector = selector.selector; this.context = selector.context; } return jQuery.makeArray( selector, this ); }; // Give the init function the jQuery prototype for later instantiation init.prototype = jQuery.fn; // Initialize central reference rootjQuery = jQuery( document ); var rparentsprev = /^(?:parents|prev(?:Until|All))/, // methods guaranteed to produce a unique set when starting from a unique set guaranteedUnique = { children: true, contents: true, next: true, prev: true }; jQuery.extend({ dir: function( elem, dir, until ) { var matched = [], cur = elem[ dir ]; while ( cur && cur.nodeType !== 9 && (until === undefined || cur.nodeType !== 1 || !jQuery( cur ).is( until )) ) { if ( cur.nodeType === 1 ) { matched.push( cur ); } cur = cur[dir]; } return matched; }, sibling: function( n, elem ) { var r = []; for ( ; n; n = n.nextSibling ) { if ( n.nodeType === 1 && n !== elem ) { r.push( n ); } } return r; } }); jQuery.fn.extend({ has: function( target ) { var i, targets = jQuery( target, this ), len = targets.length; return this.filter(function() { for ( i = 0; i < len; i++ ) { if ( jQuery.contains( this, targets[i] ) ) { return true; } } }); }, closest: function( selectors, context ) { var cur, i = 0, l = this.length, matched = [], pos = rneedsContext.test( selectors ) || typeof selectors !== "string" ? jQuery( selectors, context || this.context ) : 0; for ( ; i < l; i++ ) { for ( cur = this[i]; cur && cur !== context; cur = cur.parentNode ) { // Always skip document fragments if ( cur.nodeType < 11 && (pos ? pos.index(cur) > -1 : // Don't pass non-elements to Sizzle cur.nodeType === 1 && jQuery.find.matchesSelector(cur, selectors)) ) { matched.push( cur ); break; } } } return this.pushStack( matched.length > 1 ? jQuery.unique( matched ) : matched ); }, // Determine the position of an element within // the matched set of elements index: function( elem ) { // No argument, return index in parent if ( !elem ) { return ( this[0] && this[0].parentNode ) ? this.first().prevAll().length : -1; } // index in selector if ( typeof elem === "string" ) { return jQuery.inArray( this[0], jQuery( elem ) ); } // Locate the position of the desired element return jQuery.inArray( // If it receives a jQuery object, the first element is used elem.jquery ? elem[0] : elem, this ); }, add: function( selector, context ) { return this.pushStack( jQuery.unique( jQuery.merge( this.get(), jQuery( selector, context ) ) ) ); }, addBack: function( selector ) { return this.add( selector == null ? this.prevObject : this.prevObject.filter(selector) ); } }); function sibling( cur, dir ) { do { cur = cur[ dir ]; } while ( cur && cur.nodeType !== 1 ); return cur; } jQuery.each({ parent: function( elem ) { var parent = elem.parentNode; return parent && parent.nodeType !== 11 ? parent : null; }, parents: function( elem ) { return jQuery.dir( elem, "parentNode" ); }, parentsUntil: function( elem, i, until ) { return jQuery.dir( elem, "parentNode", until ); }, next: function( elem ) { return sibling( elem, "nextSibling" ); }, prev: function( elem ) { return sibling( elem, "previousSibling" ); }, nextAll: function( elem ) { return jQuery.dir( elem, "nextSibling" ); }, prevAll: function( elem ) { return jQuery.dir( elem, "previousSibling" ); }, nextUntil: function( elem, i, until ) { return jQuery.dir( elem, "nextSibling", until ); }, prevUntil: function( elem, i, until ) { return jQuery.dir( elem, "previousSibling", until ); }, siblings: function( elem ) { return jQuery.sibling( ( elem.parentNode || {} ).firstChild, elem ); }, children: function( elem ) { return jQuery.sibling( elem.firstChild ); }, contents: function( elem ) { return jQuery.nodeName( elem, "iframe" ) ? elem.contentDocument || elem.contentWindow.document : jQuery.merge( [], elem.childNodes ); } }, function( name, fn ) { jQuery.fn[ name ] = function( until, selector ) { var ret = jQuery.map( this, fn, until ); if ( name.slice( -5 ) !== "Until" ) { selector = until; } if ( selector && typeof selector === "string" ) { ret = jQuery.filter( selector, ret ); } if ( this.length > 1 ) { // Remove duplicates if ( !guaranteedUnique[ name ] ) { ret = jQuery.unique( ret ); } // Reverse order for parents* and prev-derivatives if ( rparentsprev.test( name ) ) { ret = ret.reverse(); } } return this.pushStack( ret ); }; }); var rnotwhite = (/\S+/g); // String to Object options format cache var optionsCache = {}; // Convert String-formatted options into Object-formatted ones and store in cache function createOptions( options ) { var object = optionsCache[ options ] = {}; jQuery.each( options.match( rnotwhite ) || [], function( _, flag ) { object[ flag ] = true; }); return object; } /* * Create a callback list using the following parameters: * * options: an optional list of space-separated options that will change how * the callback list behaves or a more traditional option object * * By default a callback list will act like an event callback list and can be * "fired" multiple times. * * Possible options: * * once: will ensure the callback list can only be fired once (like a Deferred) * * memory: will keep track of previous values and will call any callback added * after the list has been fired right away with the latest "memorized" * values (like a Deferred) * * unique: will ensure a callback can only be added once (no duplicate in the list) * * stopOnFalse: interrupt callings when a callback returns false * */ jQuery.Callbacks = function( options ) { // Convert options from String-formatted to Object-formatted if needed // (we check in cache first) options = typeof options === "string" ? ( optionsCache[ options ] || createOptions( options ) ) : jQuery.extend( {}, options ); var // Flag to know if list is currently firing firing, // Last fire value (for non-forgettable lists) memory, // Flag to know if list was already fired fired, // End of the loop when firing firingLength, // Index of currently firing callback (modified by remove if needed) firingIndex, // First callback to fire (used internally by add and fireWith) firingStart, // Actual callback list list = [], // Stack of fire calls for repeatable lists stack = !options.once && [], // Fire callbacks fire = function( data ) { memory = options.memory && data; fired = true; firingIndex = firingStart || 0; firingStart = 0; firingLength = list.length; firing = true; for ( ; list && firingIndex < firingLength; firingIndex++ ) { if ( list[ firingIndex ].apply( data[ 0 ], data[ 1 ] ) === false && options.stopOnFalse ) { memory = false; // To prevent further calls using add break; } } firing = false; if ( list ) { if ( stack ) { if ( stack.length ) { fire( stack.shift() ); } } else if ( memory ) { list = []; } else { self.disable(); } } }, // Actual Callbacks object self = { // Add a callback or a collection of callbacks to the list add: function() { if ( list ) { // First, we save the current length var start = list.length; (function add( args ) { jQuery.each( args, function( _, arg ) { var type = jQuery.type( arg ); if ( type === "function" ) { if ( !options.unique || !self.has( arg ) ) { list.push( arg ); } } else if ( arg && arg.length && type !== "string" ) { // Inspect recursively add( arg ); } }); })( arguments ); // Do we need to add the callbacks to the // current firing batch? if ( firing ) { firingLength = list.length; // With memory, if we're not firing then // we should call right away } else if ( memory ) { firingStart = start; fire( memory ); } } return this; }, // Remove a callback from the list remove: function() { if ( list ) { jQuery.each( arguments, function( _, arg ) { var index; while ( ( index = jQuery.inArray( arg, list, index ) ) > -1 ) { list.splice( index, 1 ); // Handle firing indexes if ( firing ) { if ( index <= firingLength ) { firingLength--; } if ( index <= firingIndex ) { firingIndex--; } } } }); } return this; }, // Check if a given callback is in the list. // If no argument is given, return whether or not list has callbacks attached. has: function( fn ) { return fn ? jQuery.inArray( fn, list ) > -1 : !!( list && list.length ); }, // Remove all callbacks from the list empty: function() { list = []; firingLength = 0; return this; }, // Have the list do nothing anymore disable: function() { list = stack = memory = undefined; return this; }, // Is it disabled? disabled: function() { return !list; }, // Lock the list in its current state lock: function() { stack = undefined; if ( !memory ) { self.disable(); } return this; }, // Is it locked? locked: function() { return !stack; }, // Call all callbacks with the given context and arguments fireWith: function( context, args ) { if ( list && ( !fired || stack ) ) { args = args || []; args = [ context, args.slice ? args.slice() : args ]; if ( firing ) { stack.push( args ); } else { fire( args ); } } return this; }, // Call all the callbacks with the given arguments fire: function() { self.fireWith( this, arguments ); return this; }, // To know if the callbacks have already been called at least once fired: function() { return !!fired; } }; return self; }; jQuery.extend({ Deferred: function( func ) { var tuples = [ // action, add listener, listener list, final state [ "resolve", "done", jQuery.Callbacks("once memory"), "resolved" ], [ "reject", "fail", jQuery.Callbacks("once memory"), "rejected" ], [ "notify", "progress", jQuery.Callbacks("memory") ] ], state = "pending", promise = { state: function() { return state; }, always: function() { deferred.done( arguments ).fail( arguments ); return this; }, then: function( /* fnDone, fnFail, fnProgress */ ) { var fns = arguments; return jQuery.Deferred(function( newDefer ) { jQuery.each( tuples, function( i, tuple ) { var fn = jQuery.isFunction( fns[ i ] ) && fns[ i ]; // deferred[ done | fail | progress ] for forwarding actions to newDefer deferred[ tuple[1] ](function() { var returned = fn && fn.apply( this, arguments ); if ( returned && jQuery.isFunction( returned.promise ) ) { returned.promise() .done( newDefer.resolve ) .fail( newDefer.reject ) .progress( newDefer.notify ); } else { newDefer[ tuple[ 0 ] + "With" ]( this === promise ? newDefer.promise() : this, fn ? [ returned ] : arguments ); } }); }); fns = null; }).promise(); }, // Get a promise for this deferred // If obj is provided, the promise aspect is added to the object promise: function( obj ) { return obj != null ? jQuery.extend( obj, promise ) : promise; } }, deferred = {}; // Keep pipe for back-compat promise.pipe = promise.then; // Add list-specific methods jQuery.each( tuples, function( i, tuple ) { var list = tuple[ 2 ], stateString = tuple[ 3 ]; // promise[ done | fail | progress ] = list.add promise[ tuple[1] ] = list.add; // Handle state if ( stateString ) { list.add(function() { // state = [ resolved | rejected ] state = stateString; // [ reject_list | resolve_list ].disable; progress_list.lock }, tuples[ i ^ 1 ][ 2 ].disable, tuples[ 2 ][ 2 ].lock ); } // deferred[ resolve | reject | notify ] deferred[ tuple[0] ] = function() { deferred[ tuple[0] + "With" ]( this === deferred ? promise : this, arguments ); return this; }; deferred[ tuple[0] + "With" ] = list.fireWith; }); // Make the deferred a promise promise.promise( deferred ); // Call given func if any if ( func ) { func.call( deferred, deferred ); } // All done! return deferred; }, // Deferred helper when: function( subordinate /* , ..., subordinateN */ ) { var i = 0, resolveValues = slice.call( arguments ), length = resolveValues.length, // the count of uncompleted subordinates remaining = length !== 1 || ( subordinate && jQuery.isFunction( subordinate.promise ) ) ? length : 0, // the master Deferred. If resolveValues consist of only a single Deferred, just use that. deferred = remaining === 1 ? subordinate : jQuery.Deferred(), // Update function for both resolve and progress values updateFunc = function( i, contexts, values ) { return function( value ) { contexts[ i ] = this; values[ i ] = arguments.length > 1 ? slice.call( arguments ) : value; if ( values === progressValues ) { deferred.notifyWith( contexts, values ); } else if ( !(--remaining) ) { deferred.resolveWith( contexts, values ); } }; }, progressValues, progressContexts, resolveContexts; // add listeners to Deferred subordinates; treat others as resolved if ( length > 1 ) { progressValues = new Array( length ); progressContexts = new Array( length ); resolveContexts = new Array( length ); for ( ; i < length; i++ ) { if ( resolveValues[ i ] && jQuery.isFunction( resolveValues[ i ].promise ) ) { resolveValues[ i ].promise() .done( updateFunc( i, resolveContexts, resolveValues ) ) .fail( deferred.reject ) .progress( updateFunc( i, progressContexts, progressValues ) ); } else { --remaining; } } } // if we're not waiting on anything, resolve the master if ( !remaining ) { deferred.resolveWith( resolveContexts, resolveValues ); } return deferred.promise(); } }); // The deferred used on DOM ready var readyList; jQuery.fn.ready = function( fn ) { // Add the callback jQuery.ready.promise().done( fn ); return this; }; jQuery.extend({ // Is the DOM ready to be used? Set to true once it occurs. isReady: false, // A counter to track how many items to wait for before // the ready event fires. See #6781 readyWait: 1, // Hold (or release) the ready event holdReady: function( hold ) { if ( hold ) { jQuery.readyWait++; } else { jQuery.ready( true ); } }, // Handle when the DOM is ready ready: function( wait ) { // Abort if there are pending holds or we're already ready if ( wait === true ? --jQuery.readyWait : jQuery.isReady ) { return; } // Make sure body exists, at least, in case IE gets a little overzealous (ticket #5443). if ( !document.body ) { return setTimeout( jQuery.ready ); } // Remember that the DOM is ready jQuery.isReady = true; // If a normal DOM Ready event fired, decrement, and wait if need be if ( wait !== true && --jQuery.readyWait > 0 ) { return; } // If there are functions bound, to execute readyList.resolveWith( document, [ jQuery ] ); // Trigger any bound ready events if ( jQuery.fn.triggerHandler ) { jQuery( document ).triggerHandler( "ready" ); jQuery( document ).off( "ready" ); } } }); /** * Clean-up method for dom ready events */ function detach() { if ( document.addEventListener ) { document.removeEventListener( "DOMContentLoaded", completed, false ); window.removeEventListener( "load", completed, false ); } else { document.detachEvent( "onreadystatechange", completed ); window.detachEvent( "onload", completed ); } } /** * The ready event handler and self cleanup method */ function completed() { // readyState === "complete" is good enough for us to call the dom ready in oldIE if ( document.addEventListener || event.type === "load" || document.readyState === "complete" ) { detach(); jQuery.ready(); } } jQuery.ready.promise = function( obj ) { if ( !readyList ) { readyList = jQuery.Deferred(); // Catch cases where $(document).ready() is called after the browser event has already occurred. // we once tried to use readyState "interactive" here, but it caused issues like the one // discovered by ChrisS here: http://bugs.jquery.com/ticket/12282#comment:15 if ( document.readyState === "complete" ) { // Handle it asynchronously to allow scripts the opportunity to delay ready setTimeout( jQuery.ready ); // Standards-based browsers support DOMContentLoaded } else if ( document.addEventListener ) { // Use the handy event callback document.addEventListener( "DOMContentLoaded", completed, false ); // A fallback to window.onload, that will always work window.addEventListener( "load", completed, false ); // If IE event model is used } else { // Ensure firing before onload, maybe late but safe also for iframes document.attachEvent( "onreadystatechange", completed ); // A fallback to window.onload, that will always work window.attachEvent( "onload", completed ); // If IE and not a frame // continually check to see if the document is ready var top = false; try { top = window.frameElement == null && document.documentElement; } catch(e) {} if ( top && top.doScroll ) { (function doScrollCheck() { if ( !jQuery.isReady ) { try { // Use the trick by Diego Perini // http://javascript.nwbox.com/IEContentLoaded/ top.doScroll("left"); } catch(e) { return setTimeout( doScrollCheck, 50 ); } // detach all dom ready events detach(); // and execute any waiting functions jQuery.ready(); } })(); } } } return readyList.promise( obj ); }; var strundefined = typeof undefined; // Support: IE<9 // Iteration over object's inherited properties before its own var i; for ( i in jQuery( support ) ) { break; } support.ownLast = i !== "0"; // Note: most support tests are defined in their respective modules. // false until the test is run support.inlineBlockNeedsLayout = false; // Execute ASAP in case we need to set body.style.zoom jQuery(function() { // Minified: var a,b,c,d var val, div, body, container; body = document.getElementsByTagName( "body" )[ 0 ]; if ( !body || !body.style ) { // Return for frameset docs that don't have a body return; } // Setup div = document.createElement( "div" ); container = document.createElement( "div" ); container.style.cssText = "position:absolute;border:0;width:0;height:0;top:0;left:-9999px"; body.appendChild( container ).appendChild( div ); if ( typeof div.style.zoom !== strundefined ) { // Support: IE<8 // Check if natively block-level elements act like inline-block // elements when setting their display to 'inline' and giving // them layout div.style.cssText = "display:inline;margin:0;border:0;padding:1px;width:1px;zoom:1"; support.inlineBlockNeedsLayout = val = div.offsetWidth === 3; if ( val ) { // Prevent IE 6 from affecting layout for positioned elements #11048 // Prevent IE from shrinking the body in IE 7 mode #12869 // Support: IE<8 body.style.zoom = 1; } } body.removeChild( container ); }); (function() { var div = document.createElement( "div" ); // Execute the test only if not already executed in another module. if (support.deleteExpando == null) { // Support: IE<9 support.deleteExpando = true; try { delete div.test; } catch( e ) { support.deleteExpando = false; } } // Null elements to avoid leaks in IE. div = null; })(); /** * Determines whether an object can have data */ jQuery.acceptData = function( elem ) { var noData = jQuery.noData[ (elem.nodeName + " ").toLowerCase() ], nodeType = +elem.nodeType || 1; // Do not set data on non-element DOM nodes because it will not be cleared (#8335). return nodeType !== 1 && nodeType !== 9 ? false : // Nodes accept data unless otherwise specified; rejection can be conditional !noData || noData !== true && elem.getAttribute("classid") === noData; }; var rbrace = /^(?:\{[\w\W]*\}|\[[\w\W]*\])$/, rmultiDash = /([A-Z])/g; function dataAttr( elem, key, data ) { // If nothing was found internally, try to fetch any // data from the HTML5 data-* attribute if ( data === undefined && elem.nodeType === 1 ) { var name = "data-" + key.replace( rmultiDash, "-$1" ).toLowerCase(); data = elem.getAttribute( name ); if ( typeof data === "string" ) { try { data = data === "true" ? true : data === "false" ? false : data === "null" ? null : // Only convert to a number if it doesn't change the string +data + "" === data ? +data : rbrace.test( data ) ? jQuery.parseJSON( data ) : data; } catch( e ) {} // Make sure we set the data so it isn't changed later jQuery.data( elem, key, data ); } else { data = undefined; } } return data; } // checks a cache object for emptiness function isEmptyDataObject( obj ) { var name; for ( name in obj ) { // if the public data object is empty, the private is still empty if ( name === "data" && jQuery.isEmptyObject( obj[name] ) ) { continue; } if ( name !== "toJSON" ) { return false; } } return true; } function internalData( elem, name, data, pvt /* Internal Use Only */ ) { if ( !jQuery.acceptData( elem ) ) { return; } var ret, thisCache, internalKey = jQuery.expando, // We have to handle DOM nodes and JS objects differently because IE6-7 // can't GC object references properly across the DOM-JS boundary isNode = elem.nodeType, // Only DOM nodes need the global jQuery cache; JS object data is // attached directly to the object so GC can occur automatically cache = isNode ? jQuery.cache : elem, // Only defining an ID for JS objects if its cache already exists allows // the code to shortcut on the same path as a DOM node with no cache id = isNode ? elem[ internalKey ] : elem[ internalKey ] && internalKey; // Avoid doing any more work than we need to when trying to get data on an // object that has no data at all if ( (!id || !cache[id] || (!pvt && !cache[id].data)) && data === undefined && typeof name === "string" ) { return; } if ( !id ) { // Only DOM nodes need a new unique ID for each element since their data // ends up in the global cache if ( isNode ) { id = elem[ internalKey ] = deletedIds.pop() || jQuery.guid++; } else { id = internalKey; } } if ( !cache[ id ] ) { // Avoid exposing jQuery metadata on plain JS objects when the object // is serialized using JSON.stringify cache[ id ] = isNode ? {} : { toJSON: jQuery.noop }; } // An object can be passed to jQuery.data instead of a key/value pair; this gets // shallow copied over onto the existing cache if ( typeof name === "object" || typeof name === "function" ) { if ( pvt ) { cache[ id ] = jQuery.extend( cache[ id ], name ); } else { cache[ id ].data = jQuery.extend( cache[ id ].data, name ); } } thisCache = cache[ id ]; // jQuery data() is stored in a separate object inside the object's internal data // cache in order to avoid key collisions between internal data and user-defined // data. if ( !pvt ) { if ( !thisCache.data ) { thisCache.data = {}; } thisCache = thisCache.data; } if ( data !== undefined ) { thisCache[ jQuery.camelCase( name ) ] = data; } // Check for both converted-to-camel and non-converted data property names // If a data property was specified if ( typeof name === "string" ) { // First Try to find as-is property data ret = thisCache[ name ]; // Test for null|undefined property data if ( ret == null ) { // Try to find the camelCased property ret = thisCache[ jQuery.camelCase( name ) ]; } } else { ret = thisCache; } return ret; } function internalRemoveData( elem, name, pvt ) { if ( !jQuery.acceptData( elem ) ) { return; } var thisCache, i, isNode = elem.nodeType, // See jQuery.data for more information cache = isNode ? jQuery.cache : elem, id = isNode ? elem[ jQuery.expando ] : jQuery.expando; // If there is already no cache entry for this object, there is no // purpose in continuing if ( !cache[ id ] ) { return; } if ( name ) { thisCache = pvt ? cache[ id ] : cache[ id ].data; if ( thisCache ) { // Support array or space separated string names for data keys if ( !jQuery.isArray( name ) ) { // try the string as a key before any manipulation if ( name in thisCache ) { name = [ name ]; } else { // split the camel cased version by spaces unless a key with the spaces exists name = jQuery.camelCase( name ); if ( name in thisCache ) { name = [ name ]; } else { name = name.split(" "); } } } else { // If "name" is an array of keys... // When data is initially created, via ("key", "val") signature, // keys will be converted to camelCase. // Since there is no way to tell _how_ a key was added, remove // both plain key and camelCase key. #12786 // This will only penalize the array argument path. name = name.concat( jQuery.map( name, jQuery.camelCase ) ); } i = name.length; while ( i-- ) { delete thisCache[ name[i] ]; } // If there is no data left in the cache, we want to continue // and let the cache object itself get destroyed if ( pvt ? !isEmptyDataObject(thisCache) : !jQuery.isEmptyObject(thisCache) ) { return; } } } // See jQuery.data for more information if ( !pvt ) { delete cache[ id ].data; // Don't destroy the parent cache unless the internal data object // had been the only thing left in it if ( !isEmptyDataObject( cache[ id ] ) ) { return; } } // Destroy the cache if ( isNode ) { jQuery.cleanData( [ elem ], true ); // Use delete when supported for expandos or `cache` is not a window per isWindow (#10080) /* jshint eqeqeq: false */ } else if ( support.deleteExpando || cache != cache.window ) { /* jshint eqeqeq: true */ delete cache[ id ]; // When all else fails, null } else { cache[ id ] = null; } } jQuery.extend({ cache: {}, // The following elements (space-suffixed to avoid Object.prototype collisions) // throw uncatchable exceptions if you attempt to set expando properties noData: { "applet ": true, "embed ": true, // ...but Flash objects (which have this classid) *can* handle expandos "object ": "clsid:D27CDB6E-AE6D-11cf-96B8-444553540000" }, hasData: function( elem ) { elem = elem.nodeType ? jQuery.cache[ elem[jQuery.expando] ] : elem[ jQuery.expando ]; return !!elem && !isEmptyDataObject( elem ); }, data: function( elem, name, data ) { return internalData( elem, name, data ); }, removeData: function( elem, name ) { return internalRemoveData( elem, name ); }, // For internal use only. _data: function( elem, name, data ) { return internalData( elem, name, data, true ); }, _removeData: function( elem, name ) { return internalRemoveData( elem, name, true ); } }); jQuery.fn.extend({ data: function( key, value ) { var i, name, data, elem = this[0], attrs = elem && elem.attributes; // Special expections of .data basically thwart jQuery.access, // so implement the relevant behavior ourselves // Gets all values if ( key === undefined ) { if ( this.length ) { data = jQuery.data( elem ); if ( elem.nodeType === 1 && !jQuery._data( elem, "parsedAttrs" ) ) { i = attrs.length; while ( i-- ) { // Support: IE11+ // The attrs elements can be null (#14894) if ( attrs[ i ] ) { name = attrs[ i ].name; if ( name.indexOf( "data-" ) === 0 ) { name = jQuery.camelCase( name.slice(5) ); dataAttr( elem, name, data[ name ] ); } } } jQuery._data( elem, "parsedAttrs", true ); } } return data; } // Sets multiple values if ( typeof key === "object" ) { return this.each(function() { jQuery.data( this, key ); }); } return arguments.length > 1 ? // Sets one value this.each(function() { jQuery.data( this, key, value ); }) : // Gets one value // Try to fetch any internally stored data first elem ? dataAttr( elem, key, jQuery.data( elem, key ) ) : undefined; }, removeData: function( key ) { return this.each(function() { jQuery.removeData( this, key ); }); } }); jQuery.extend({ queue: function( elem, type, data ) { var queue; if ( elem ) { type = ( type || "fx" ) + "queue"; queue = jQuery._data( elem, type ); // Speed up dequeue by getting out quickly if this is just a lookup if ( data ) { if ( !queue || jQuery.isArray(data) ) { queue = jQuery._data( elem, type, jQuery.makeArray(data) ); } else { queue.push( data ); } } return queue || []; } }, dequeue: function( elem, type ) { type = type || "fx"; var queue = jQuery.queue( elem, type ), startLength = queue.length, fn = queue.shift(), hooks = jQuery._queueHooks( elem, type ), next = function() { jQuery.dequeue( elem, type ); }; // If the fx queue is dequeued, always remove the progress sentinel if ( fn === "inprogress" ) { fn = queue.shift(); startLength--; } if ( fn ) { // Add a progress sentinel to prevent the fx queue from being // automatically dequeued if ( type === "fx" ) { queue.unshift( "inprogress" ); } // clear up the last queue stop function delete hooks.stop; fn.call( elem, next, hooks ); } if ( !startLength && hooks ) { hooks.empty.fire(); } }, // not intended for public consumption - generates a queueHooks object, or returns the current one _queueHooks: function( elem, type ) { var key = type + "queueHooks"; return jQuery._data( elem, key ) || jQuery._data( elem, key, { empty: jQuery.Callbacks("once memory").add(function() { jQuery._removeData( elem, type + "queue" ); jQuery._removeData( elem, key ); }) }); } }); jQuery.fn.extend({ queue: function( type, data ) { var setter = 2; if ( typeof type !== "string" ) { data = type; type = "fx"; setter--; } if ( arguments.length < setter ) { return jQuery.queue( this[0], type ); } return data === undefined ? this : this.each(function() { var queue = jQuery.queue( this, type, data ); // ensure a hooks for this queue jQuery._queueHooks( this, type ); if ( type === "fx" && queue[0] !== "inprogress" ) { jQuery.dequeue( this, type ); } }); }, dequeue: function( type ) { return this.each(function() { jQuery.dequeue( this, type ); }); }, clearQueue: function( type ) { return this.queue( type || "fx", [] ); }, // Get a promise resolved when queues of a certain type // are emptied (fx is the type by default) promise: function( type, obj ) { var tmp, count = 1, defer = jQuery.Deferred(), elements = this, i = this.length, resolve = function() { if ( !( --count ) ) { defer.resolveWith( elements, [ elements ] ); } }; if ( typeof type !== "string" ) { obj = type; type = undefined; } type = type || "fx"; while ( i-- ) { tmp = jQuery._data( elements[ i ], type + "queueHooks" ); if ( tmp && tmp.empty ) { count++; tmp.empty.add( resolve ); } } resolve(); return defer.promise( obj ); } }); var pnum = (/[+-]?(?:\d*\.|)\d+(?:[eE][+-]?\d+|)/).source; var cssExpand = [ "Top", "Right", "Bottom", "Left" ]; var isHidden = function( elem, el ) { // isHidden might be called from jQuery#filter function; // in that case, element will be second argument elem = el || elem; return jQuery.css( elem, "display" ) === "none" || !jQuery.contains( elem.ownerDocument, elem ); }; // Multifunctional method to get and set values of a collection // The value/s can optionally be executed if it's a function var access = jQuery.access = function( elems, fn, key, value, chainable, emptyGet, raw ) { var i = 0, length = elems.length, bulk = key == null; // Sets many values if ( jQuery.type( key ) === "object" ) { chainable = true; for ( i in key ) { jQuery.access( elems, fn, i, key[i], true, emptyGet, raw ); } // Sets one value } else if ( value !== undefined ) { chainable = true; if ( !jQuery.isFunction( value ) ) { raw = true; } if ( bulk ) { // Bulk operations run against the entire set if ( raw ) { fn.call( elems, value ); fn = null; // ...except when executing function values } else { bulk = fn; fn = function( elem, key, value ) { return bulk.call( jQuery( elem ), value ); }; } } if ( fn ) { for ( ; i < length; i++ ) { fn( elems[i], key, raw ? value : value.call( elems[i], i, fn( elems[i], key ) ) ); } } } return chainable ? elems : // Gets bulk ? fn.call( elems ) : length ? fn( elems[0], key ) : emptyGet; }; var rcheckableType = (/^(?:checkbox|radio)$/i); (function() { // Minified: var a,b,c var input = document.createElement( "input" ), div = document.createElement( "div" ), fragment = document.createDocumentFragment(); // Setup div.innerHTML = " <link/><table></table><a href='/a'>a</a><input type='checkbox'/>"; // IE strips leading whitespace when .innerHTML is used support.leadingWhitespace = div.firstChild.nodeType === 3; // Make sure that tbody elements aren't automatically inserted // IE will insert them into empty tables support.tbody = !div.getElementsByTagName( "tbody" ).length; // Make sure that link elements get serialized correctly by innerHTML // This requires a wrapper element in IE support.htmlSerialize = !!div.getElementsByTagName( "link" ).length; // Makes sure cloning an html5 element does not cause problems // Where outerHTML is undefined, this still works support.html5Clone = document.createElement( "nav" ).cloneNode( true ).outerHTML !== "<:nav></:nav>"; // Check if a disconnected checkbox will retain its checked // value of true after appended to the DOM (IE6/7) input.type = "checkbox"; input.checked = true; fragment.appendChild( input ); support.appendChecked = input.checked; // Make sure textarea (and checkbox) defaultValue is properly cloned // Support: IE6-IE11+ div.innerHTML = "<textarea>x</textarea>"; support.noCloneChecked = !!div.cloneNode( true ).lastChild.defaultValue; // #11217 - WebKit loses check when the name is after the checked attribute fragment.appendChild( div ); div.innerHTML = "<input type='radio' checked='checked' name='t'/>"; // Support: Safari 5.1, iOS 5.1, Android 4.x, Android 2.3 // old WebKit doesn't clone checked state correctly in fragments support.checkClone = div.cloneNode( true ).cloneNode( true ).lastChild.checked; // Support: IE<9 // Opera does not clone events (and typeof div.attachEvent === undefined). // IE9-10 clones events bound via attachEvent, but they don't trigger with .click() support.noCloneEvent = true; if ( div.attachEvent ) { div.attachEvent( "onclick", function() { support.noCloneEvent = false; }); div.cloneNode( true ).click(); } // Execute the test only if not already executed in another module. if (support.deleteExpando == null) { // Support: IE<9 support.deleteExpando = true; try { delete div.test; } catch( e ) { support.deleteExpando = false; } } })(); (function() { var i, eventName, div = document.createElement( "div" ); // Support: IE<9 (lack submit/change bubble), Firefox 23+ (lack focusin event) for ( i in { submit: true, change: true, focusin: true }) { eventName = "on" + i; if ( !(support[ i + "Bubbles" ] = eventName in window) ) { // Beware of CSP restrictions (https://developer.mozilla.org/en/Security/CSP) div.setAttribute( eventName, "t" ); support[ i + "Bubbles" ] = div.attributes[ eventName ].expando === false; } } // Null elements to avoid leaks in IE. div = null; })(); var rformElems = /^(?:input|select|textarea)$/i, rkeyEvent = /^key/, rmouseEvent = /^(?:mouse|pointer|contextmenu)|click/, rfocusMorph = /^(?:focusinfocus|focusoutblur)$/, rtypenamespace = /^([^.]*)(?:\.(.+)|)$/; function returnTrue() { return true; } function returnFalse() { return false; } function safeActiveElement() { try { return document.activeElement; } catch ( err ) { } } /* * Helper functions for managing events -- not part of the public interface. * Props to Dean Edwards' addEvent library for many of the ideas. */ jQuery.event = { global: {}, add: function( elem, types, handler, data, selector ) { var tmp, events, t, handleObjIn, special, eventHandle, handleObj, handlers, type, namespaces, origType, elemData = jQuery._data( elem ); // Don't attach events to noData or text/comment nodes (but allow plain objects) if ( !elemData ) { return; } // Caller can pass in an object of custom data in lieu of the handler if ( handler.handler ) { handleObjIn = handler; handler = handleObjIn.handler; selector = handleObjIn.selector; } // Make sure that the handler has a unique ID, used to find/remove it later if ( !handler.guid ) { handler.guid = jQuery.guid++; } // Init the element's event structure and main handler, if this is the first if ( !(events = elemData.events) ) { events = elemData.events = {}; } if ( !(eventHandle = elemData.handle) ) { eventHandle = elemData.handle = function( e ) { // Discard the second event of a jQuery.event.trigger() and // when an event is called after a page has unloaded return typeof jQuery !== strundefined && (!e || jQuery.event.triggered !== e.type) ? jQuery.event.dispatch.apply( eventHandle.elem, arguments ) : undefined; }; // Add elem as a property of the handle fn to prevent a memory leak with IE non-native events eventHandle.elem = elem; } // Handle multiple events separated by a space types = ( types || "" ).match( rnotwhite ) || [ "" ]; t = types.length; while ( t-- ) { tmp = rtypenamespace.exec( types[t] ) || []; type = origType = tmp[1]; namespaces = ( tmp[2] || "" ).split( "." ).sort(); // There *must* be a type, no attaching namespace-only handlers if ( !type ) { continue; } // If event changes its type, use the special event handlers for the changed type special = jQuery.event.special[ type ] || {}; // If selector defined, determine special event api type, otherwise given type type = ( selector ? special.delegateType : special.bindType ) || type; // Update special based on newly reset type special = jQuery.event.special[ type ] || {}; // handleObj is passed to all event handlers handleObj = jQuery.extend({ type: type, origType: origType, data: data, handler: handler, guid: handler.guid, selector: selector, needsContext: selector && jQuery.expr.match.needsContext.test( selector ), namespace: namespaces.join(".") }, handleObjIn ); // Init the event handler queue if we're the first if ( !(handlers = events[ type ]) ) { handlers = events[ type ] = []; handlers.delegateCount = 0; // Only use addEventListener/attachEvent if the special events handler returns false if ( !special.setup || special.setup.call( elem, data, namespaces, eventHandle ) === false ) { // Bind the global event handler to the element if ( elem.addEventListener ) { elem.addEventListener( type, eventHandle, false ); } else if ( elem.attachEvent ) { elem.attachEvent( "on" + type, eventHandle ); } } } if ( special.add ) { special.add.call( elem, handleObj ); if ( !handleObj.handler.guid ) { handleObj.handler.guid = handler.guid; } } // Add to the element's handler list, delegates in front if ( selector ) { handlers.splice( handlers.delegateCount++, 0, handleObj ); } else { handlers.push( handleObj ); } // Keep track of which events have ever been used, for event optimization jQuery.event.global[ type ] = true; } // Nullify elem to prevent memory leaks in IE elem = null; }, // Detach an event or set of events from an element remove: function( elem, types, handler, selector, mappedTypes ) { var j, handleObj, tmp, origCount, t, events, special, handlers, type, namespaces, origType, elemData = jQuery.hasData( elem ) && jQuery._data( elem ); if ( !elemData || !(events = elemData.events) ) { return; } // Once for each type.namespace in types; type may be omitted types = ( types || "" ).match( rnotwhite ) || [ "" ]; t = types.length; while ( t-- ) { tmp = rtypenamespace.exec( types[t] ) || []; type = origType = tmp[1]; namespaces = ( tmp[2] || "" ).split( "." ).sort(); // Unbind all events (on this namespace, if provided) for the element if ( !type ) { for ( type in events ) { jQuery.event.remove( elem, type + types[ t ], handler, selector, true ); } continue; } special = jQuery.event.special[ type ] || {}; type = ( selector ? special.delegateType : special.bindType ) || type; handlers = events[ type ] || []; tmp = tmp[2] && new RegExp( "(^|\\.)" + namespaces.join("\\.(?:.*\\.|)") + "(\\.|$)" ); // Remove matching events origCount = j = handlers.length; while ( j-- ) { handleObj = handlers[ j ]; if ( ( mappedTypes || origType === handleObj.origType ) && ( !handler || handler.guid === handleObj.guid ) && ( !tmp || tmp.test( handleObj.namespace ) ) && ( !selector || selector === handleObj.selector || selector === "**" && handleObj.selector ) ) { handlers.splice( j, 1 ); if ( handleObj.selector ) { handlers.delegateCount--; } if ( special.remove ) { special.remove.call( elem, handleObj ); } } } // Remove generic event handler if we removed something and no more handlers exist // (avoids potential for endless recursion during removal of special event handlers) if ( origCount && !handlers.length ) { if ( !special.teardown || special.teardown.call( elem, namespaces, elemData.handle ) === false ) { jQuery.removeEvent( elem, type, elemData.handle ); } delete events[ type ]; } } // Remove the expando if it's no longer used if ( jQuery.isEmptyObject( events ) ) { delete elemData.handle; // removeData also checks for emptiness and clears the expando if empty // so use it instead of delete jQuery._removeData( elem, "events" ); } }, trigger: function( event, data, elem, onlyHandlers ) { var handle, ontype, cur, bubbleType, special, tmp, i, eventPath = [ elem || document ], type = hasOwn.call( event, "type" ) ? event.type : event, namespaces = hasOwn.call( event, "namespace" ) ? event.namespace.split(".") : []; cur = tmp = elem = elem || document; // Don't do events on text and comment nodes if ( elem.nodeType === 3 || elem.nodeType === 8 ) { return; } // focus/blur morphs to focusin/out; ensure we're not firing them right now if ( rfocusMorph.test( type + jQuery.event.triggered ) ) { return; } if ( type.indexOf(".") >= 0 ) { // Namespaced trigger; create a regexp to match event type in handle() namespaces = type.split("."); type = namespaces.shift(); namespaces.sort(); } ontype = type.indexOf(":") < 0 && "on" + type; // Caller can pass in a jQuery.Event object, Object, or just an event type string event = event[ jQuery.expando ] ? event : new jQuery.Event( type, typeof event === "object" && event ); // Trigger bitmask: & 1 for native handlers; & 2 for jQuery (always true) event.isTrigger = onlyHandlers ? 2 : 3; event.namespace = namespaces.join("."); event.namespace_re = event.namespace ? new RegExp( "(^|\\.)" + namespaces.join("\\.(?:.*\\.|)") + "(\\.|$)" ) : null; // Clean up the event in case it is being reused event.result = undefined; if ( !event.target ) { event.target = elem; } // Clone any incoming data and prepend the event, creating the handler arg list data = data == null ? [ event ] : jQuery.makeArray( data, [ event ] ); // Allow special events to draw outside the lines special = jQuery.event.special[ type ] || {}; if ( !onlyHandlers && special.trigger && special.trigger.apply( elem, data ) === false ) { return; } // Determine event propagation path in advance, per W3C events spec (#9951) // Bubble up to document, then to window; watch for a global ownerDocument var (#9724) if ( !onlyHandlers && !special.noBubble && !jQuery.isWindow( elem ) ) { bubbleType = special.delegateType || type; if ( !rfocusMorph.test( bubbleType + type ) ) { cur = cur.parentNode; } for ( ; cur; cur = cur.parentNode ) { eventPath.push( cur ); tmp = cur; } // Only add window if we got to document (e.g., not plain obj or detached DOM) if ( tmp === (elem.ownerDocument || document) ) { eventPath.push( tmp.defaultView || tmp.parentWindow || window ); } } // Fire handlers on the event path i = 0; while ( (cur = eventPath[i++]) && !event.isPropagationStopped() ) { event.type = i > 1 ? bubbleType : special.bindType || type; // jQuery handler handle = ( jQuery._data( cur, "events" ) || {} )[ event.type ] && jQuery._data( cur, "handle" ); if ( handle ) { handle.apply( cur, data ); } // Native handler handle = ontype && cur[ ontype ]; if ( handle && handle.apply && jQuery.acceptData( cur ) ) { event.result = handle.apply( cur, data ); if ( event.result === false ) { event.preventDefault(); } } } event.type = type; // If nobody prevented the default action, do it now if ( !onlyHandlers && !event.isDefaultPrevented() ) { if ( (!special._default || special._default.apply( eventPath.pop(), data ) === false) && jQuery.acceptData( elem ) ) { // Call a native DOM method on the target with the same name name as the event. // Can't use an .isFunction() check here because IE6/7 fails that test. // Don't do default actions on window, that's where global variables be (#6170) if ( ontype && elem[ type ] && !jQuery.isWindow( elem ) ) { // Don't re-trigger an onFOO event when we call its FOO() method tmp = elem[ ontype ]; if ( tmp ) { elem[ ontype ] = null; } // Prevent re-triggering of the same event, since we already bubbled it above jQuery.event.triggered = type; try { elem[ type ](); } catch ( e ) { // IE<9 dies on focus/blur to hidden element (#1486,#12518) // only reproducible on winXP IE8 native, not IE9 in IE8 mode } jQuery.event.triggered = undefined; if ( tmp ) { elem[ ontype ] = tmp; } } } } return event.result; }, dispatch: function( event ) { // Make a writable jQuery.Event from the native event object event = jQuery.event.fix( event ); var i, ret, handleObj, matched, j, handlerQueue = [], args = slice.call( arguments ), handlers = ( jQuery._data( this, "events" ) || {} )[ event.type ] || [], special = jQuery.event.special[ event.type ] || {}; // Use the fix-ed jQuery.Event rather than the (read-only) native event args[0] = event; event.delegateTarget = this; // Call the preDispatch hook for the mapped type, and let it bail if desired if ( special.preDispatch && special.preDispatch.call( this, event ) === false ) { return; } // Determine handlers handlerQueue = jQuery.event.handlers.call( this, event, handlers ); // Run delegates first; they may want to stop propagation beneath us i = 0; while ( (matched = handlerQueue[ i++ ]) && !event.isPropagationStopped() ) { event.currentTarget = matched.elem; j = 0; while ( (handleObj = matched.handlers[ j++ ]) && !event.isImmediatePropagationStopped() ) { // Triggered event must either 1) have no namespace, or // 2) have namespace(s) a subset or equal to those in the bound event (both can have no namespace). if ( !event.namespace_re || event.namespace_re.test( handleObj.namespace ) ) { event.handleObj = handleObj; event.data = handleObj.data; ret = ( (jQuery.event.special[ handleObj.origType ] || {}).handle || handleObj.handler ) .apply( matched.elem, args ); if ( ret !== undefined ) { if ( (event.result = ret) === false ) { event.preventDefault(); event.stopPropagation(); } } } } } // Call the postDispatch hook for the mapped type if ( special.postDispatch ) { special.postDispatch.call( this, event ); } return event.result; }, handlers: function( event, handlers ) { var sel, handleObj, matches, i, handlerQueue = [], delegateCount = handlers.delegateCount, cur = event.target; // Find delegate handlers // Black-hole SVG <use> instance trees (#13180) // Avoid non-left-click bubbling in Firefox (#3861) if ( delegateCount && cur.nodeType && (!event.button || event.type !== "click") ) { /* jshint eqeqeq: false */ for ( ; cur != this; cur = cur.parentNode || this ) { /* jshint eqeqeq: true */ // Don't check non-elements (#13208) // Don't process clicks on disabled elements (#6911, #8165, #11382, #11764) if ( cur.nodeType === 1 && (cur.disabled !== true || event.type !== "click") ) { matches = []; for ( i = 0; i < delegateCount; i++ ) { handleObj = handlers[ i ]; // Don't conflict with Object.prototype properties (#13203) sel = handleObj.selector + " "; if ( matches[ sel ] === undefined ) { matches[ sel ] = handleObj.needsContext ? jQuery( sel, this ).index( cur ) >= 0 : jQuery.find( sel, this, null, [ cur ] ).length; } if ( matches[ sel ] ) { matches.push( handleObj ); } } if ( matches.length ) { handlerQueue.push({ elem: cur, handlers: matches }); } } } } // Add the remaining (directly-bound) handlers if ( delegateCount < handlers.length ) { handlerQueue.push({ elem: this, handlers: handlers.slice( delegateCount ) }); } return handlerQueue; }, fix: function( event ) { if ( event[ jQuery.expando ] ) { return event; } // Create a writable copy of the event object and normalize some properties var i, prop, copy, type = event.type, originalEvent = event, fixHook = this.fixHooks[ type ]; if ( !fixHook ) { this.fixHooks[ type ] = fixHook = rmouseEvent.test( type ) ? this.mouseHooks : rkeyEvent.test( type ) ? this.keyHooks : {}; } copy = fixHook.props ? this.props.concat( fixHook.props ) : this.props; event = new jQuery.Event( originalEvent ); i = copy.length; while ( i-- ) { prop = copy[ i ]; event[ prop ] = originalEvent[ prop ]; } // Support: IE<9 // Fix target property (#1925) if ( !event.target ) { event.target = originalEvent.srcElement || document; } // Support: Chrome 23+, Safari? // Target should not be a text node (#504, #13143) if ( event.target.nodeType === 3 ) { event.target = event.target.parentNode; } // Support: IE<9 // For mouse/key events, metaKey==false if it's undefined (#3368, #11328) event.metaKey = !!event.metaKey; return fixHook.filter ? fixHook.filter( event, originalEvent ) : event; }, // Includes some event props shared by KeyEvent and MouseEvent props: "altKey bubbles cancelable ctrlKey currentTarget eventPhase metaKey relatedTarget shiftKey target timeStamp view which".split(" "), fixHooks: {}, keyHooks: { props: "char charCode key keyCode".split(" "), filter: function( event, original ) { // Add which for key events if ( event.which == null ) { event.which = original.charCode != null ? original.charCode : original.keyCode; } return event; } }, mouseHooks: { props: "button buttons clientX clientY fromElement offsetX offsetY pageX pageY screenX screenY toElement".split(" "), filter: function( event, original ) { var body, eventDoc, doc, button = original.button, fromElement = original.fromElement; // Calculate pageX/Y if missing and clientX/Y available if ( event.pageX == null && original.clientX != null ) { eventDoc = event.target.ownerDocument || document; doc = eventDoc.documentElement; body = eventDoc.body; event.pageX = original.clientX + ( doc && doc.scrollLeft || body && body.scrollLeft || 0 ) - ( doc && doc.clientLeft || body && body.clientLeft || 0 ); event.pageY = original.clientY + ( doc && doc.scrollTop || body && body.scrollTop || 0 ) - ( doc && doc.clientTop || body && body.clientTop || 0 ); } // Add relatedTarget, if necessary if ( !event.relatedTarget && fromElement ) { event.relatedTarget = fromElement === event.target ? original.toElement : fromElement; } // Add which for click: 1 === left; 2 === middle; 3 === right // Note: button is not normalized, so don't use it if ( !event.which && button !== undefined ) { event.which = ( button & 1 ? 1 : ( button & 2 ? 3 : ( button & 4 ? 2 : 0 ) ) ); } return event; } }, special: { load: { // Prevent triggered image.load events from bubbling to window.load noBubble: true }, focus: { // Fire native event if possible so blur/focus sequence is correct trigger: function() { if ( this !== safeActiveElement() && this.focus ) { try { this.focus(); return false; } catch ( e ) { // Support: IE<9 // If we error on focus to hidden element (#1486, #12518), // let .trigger() run the handlers } } }, delegateType: "focusin" }, blur: { trigger: function() { if ( this === safeActiveElement() && this.blur ) { this.blur(); return false; } }, delegateType: "focusout" }, click: { // For checkbox, fire native event so checked state will be right trigger: function() { if ( jQuery.nodeName( this, "input" ) && this.type === "checkbox" && this.click ) { this.click(); return false; } }, // For cross-browser consistency, don't fire native .click() on links _default: function( event ) { return jQuery.nodeName( event.target, "a" ); } }, beforeunload: { postDispatch: function( event ) { // Support: Firefox 20+ // Firefox doesn't alert if the returnValue field is not set. if ( event.result !== undefined && event.originalEvent ) { event.originalEvent.returnValue = event.result; } } } }, simulate: function( type, elem, event, bubble ) { // Piggyback on a donor event to simulate a different one. // Fake originalEvent to avoid donor's stopPropagation, but if the // simulated event prevents default then we do the same on the donor. var e = jQuery.extend( new jQuery.Event(), event, { type: type, isSimulated: true, originalEvent: {} } ); if ( bubble ) { jQuery.event.trigger( e, null, elem ); } else { jQuery.event.dispatch.call( elem, e ); } if ( e.isDefaultPrevented() ) { event.preventDefault(); } } }; jQuery.removeEvent = document.removeEventListener ? function( elem, type, handle ) { if ( elem.removeEventListener ) { elem.removeEventListener( type, handle, false ); } } : function( elem, type, handle ) { var name = "on" + type; if ( elem.detachEvent ) { // #8545, #7054, preventing memory leaks for custom events in IE6-8 // detachEvent needed property on element, by name of that event, to properly expose it to GC if ( typeof elem[ name ] === strundefined ) { elem[ name ] = null; } elem.detachEvent( name, handle ); } }; jQuery.Event = function( src, props ) { // Allow instantiation without the 'new' keyword if ( !(this instanceof jQuery.Event) ) { return new jQuery.Event( src, props ); } // Event object if ( src && src.type ) { this.originalEvent = src; this.type = src.type; // Events bubbling up the document may have been marked as prevented // by a handler lower down the tree; reflect the correct value. this.isDefaultPrevented = src.defaultPrevented || src.defaultPrevented === undefined && // Support: IE < 9, Android < 4.0 src.returnValue === false ? returnTrue : returnFalse; // Event type } else { this.type = src; } // Put explicitly provided properties onto the event object if ( props ) { jQuery.extend( this, props ); } // Create a timestamp if incoming event doesn't have one this.timeStamp = src && src.timeStamp || jQuery.now(); // Mark it as fixed this[ jQuery.expando ] = true; }; // jQuery.Event is based on DOM3 Events as specified by the ECMAScript Language Binding // http://www.w3.org/TR/2003/WD-DOM-Level-3-Events-20030331/ecma-script-binding.html jQuery.Event.prototype = { isDefaultPrevented: returnFalse, isPropagationStopped: returnFalse, isImmediatePropagationStopped: returnFalse, preventDefault: function() { var e = this.originalEvent; this.isDefaultPrevented = returnTrue; if ( !e ) { return; } // If preventDefault exists, run it on the original event if ( e.preventDefault ) { e.preventDefault(); // Support: IE // Otherwise set the returnValue property of the original event to false } else { e.returnValue = false; } }, stopPropagation: function() { var e = this.originalEvent; this.isPropagationStopped = returnTrue; if ( !e ) { return; } // If stopPropagation exists, run it on the original event if ( e.stopPropagation ) { e.stopPropagation(); } // Support: IE // Set the cancelBubble property of the original event to true e.cancelBubble = true; }, stopImmediatePropagation: function() { var e = this.originalEvent; this.isImmediatePropagationStopped = returnTrue; if ( e && e.stopImmediatePropagation ) { e.stopImmediatePropagation(); } this.stopPropagation(); } }; // Create mouseenter/leave events using mouseover/out and event-time checks jQuery.each({ mouseenter: "mouseover", mouseleave: "mouseout", pointerenter: "pointerover", pointerleave: "pointerout" }, function( orig, fix ) { jQuery.event.special[ orig ] = { delegateType: fix, bindType: fix, handle: function( event ) { var ret, target = this, related = event.relatedTarget, handleObj = event.handleObj; // For mousenter/leave call the handler if related is outside the target. // NB: No relatedTarget if the mouse left/entered the browser window if ( !related || (related !== target && !jQuery.contains( target, related )) ) { event.type = handleObj.origType; ret = handleObj.handler.apply( this, arguments ); event.type = fix; } return ret; } }; }); // IE submit delegation if ( !support.submitBubbles ) { jQuery.event.special.submit = { setup: function() { // Only need this for delegated form submit events if ( jQuery.nodeName( this, "form" ) ) { return false; } // Lazy-add a submit handler when a descendant form may potentially be submitted jQuery.event.add( this, "click._submit keypress._submit", function( e ) { // Node name check avoids a VML-related crash in IE (#9807) var elem = e.target, form = jQuery.nodeName( elem, "input" ) || jQuery.nodeName( elem, "button" ) ? elem.form : undefined; if ( form && !jQuery._data( form, "submitBubbles" ) ) { jQuery.event.add( form, "submit._submit", function( event ) { event._submit_bubble = true; }); jQuery._data( form, "submitBubbles", true ); } }); // return undefined since we don't need an event listener }, postDispatch: function( event ) { // If form was submitted by the user, bubble the event up the tree if ( event._submit_bubble ) { delete event._submit_bubble; if ( this.parentNode && !event.isTrigger ) { jQuery.event.simulate( "submit", this.parentNode, event, true ); } } }, teardown: function() { // Only need this for delegated form submit events if ( jQuery.nodeName( this, "form" ) ) { return false; } // Remove delegated handlers; cleanData eventually reaps submit handlers attached above jQuery.event.remove( this, "._submit" ); } }; } // IE change delegation and checkbox/radio fix if ( !support.changeBubbles ) { jQuery.event.special.change = { setup: function() { if ( rformElems.test( this.nodeName ) ) { // IE doesn't fire change on a check/radio until blur; trigger it on click // after a propertychange. Eat the blur-change in special.change.handle. // This still fires onchange a second time for check/radio after blur. if ( this.type === "checkbox" || this.type === "radio" ) { jQuery.event.add( this, "propertychange._change", function( event ) { if ( event.originalEvent.propertyName === "checked" ) { this._just_changed = true; } }); jQuery.event.add( this, "click._change", function( event ) { if ( this._just_changed && !event.isTrigger ) { this._just_changed = false; } // Allow triggered, simulated change events (#11500) jQuery.event.simulate( "change", this, event, true ); }); } return false; } // Delegated event; lazy-add a change handler on descendant inputs jQuery.event.add( this, "beforeactivate._change", function( e ) { var elem = e.target; if ( rformElems.test( elem.nodeName ) && !jQuery._data( elem, "changeBubbles" ) ) { jQuery.event.add( elem, "change._change", function( event ) { if ( this.parentNode && !event.isSimulated && !event.isTrigger ) { jQuery.event.simulate( "change", this.parentNode, event, true ); } }); jQuery._data( elem, "changeBubbles", true ); } }); }, handle: function( event ) { var elem = event.target; // Swallow native change events from checkbox/radio, we already triggered them above if ( this !== elem || event.isSimulated || event.isTrigger || (elem.type !== "radio" && elem.type !== "checkbox") ) { return event.handleObj.handler.apply( this, arguments ); } }, teardown: function() { jQuery.event.remove( this, "._change" ); return !rformElems.test( this.nodeName ); } }; } // Create "bubbling" focus and blur events if ( !support.focusinBubbles ) { jQuery.each({ focus: "focusin", blur: "focusout" }, function( orig, fix ) { // Attach a single capturing handler on the document while someone wants focusin/focusout var handler = function( event ) { jQuery.event.simulate( fix, event.target, jQuery.event.fix( event ), true ); }; jQuery.event.special[ fix ] = { setup: function() { var doc = this.ownerDocument || this, attaches = jQuery._data( doc, fix ); if ( !attaches ) { doc.addEventListener( orig, handler, true ); } jQuery._data( doc, fix, ( attaches || 0 ) + 1 ); }, teardown: function() { var doc = this.ownerDocument || this, attaches = jQuery._data( doc, fix ) - 1; if ( !attaches ) { doc.removeEventListener( orig, handler, true ); jQuery._removeData( doc, fix ); } else { jQuery._data( doc, fix, attaches ); } } }; }); } jQuery.fn.extend({ on: function( types, selector, data, fn, /*INTERNAL*/ one ) { var type, origFn; // Types can be a map of types/handlers if ( typeof types === "object" ) { // ( types-Object, selector, data ) if ( typeof selector !== "string" ) { // ( types-Object, data ) data = data || selector; selector = undefined; } for ( type in types ) { this.on( type, selector, data, types[ type ], one ); } return this; } if ( data == null && fn == null ) { // ( types, fn ) fn = selector; data = selector = undefined; } else if ( fn == null ) { if ( typeof selector === "string" ) { // ( types, selector, fn ) fn = data; data = undefined; } else { // ( types, data, fn ) fn = data; data = selector; selector = undefined; } } if ( fn === false ) { fn = returnFalse; } else if ( !fn ) { return this; } if ( one === 1 ) { origFn = fn; fn = function( event ) { // Can use an empty set, since event contains the info jQuery().off( event ); return origFn.apply( this, arguments ); }; // Use same guid so caller can remove using origFn fn.guid = origFn.guid || ( origFn.guid = jQuery.guid++ ); } return this.each( function() { jQuery.event.add( this, types, fn, data, selector ); }); }, one: function( types, selector, data, fn ) { return this.on( types, selector, data, fn, 1 ); }, off: function( types, selector, fn ) { var handleObj, type; if ( types && types.preventDefault && types.handleObj ) { // ( event ) dispatched jQuery.Event handleObj = types.handleObj; jQuery( types.delegateTarget ).off( handleObj.namespace ? handleObj.origType + "." + handleObj.namespace : handleObj.origType, handleObj.selector, handleObj.handler ); return this; } if ( typeof types === "object" ) { // ( types-object [, selector] ) for ( type in types ) { this.off( type, selector, types[ type ] ); } return this; } if ( selector === false || typeof selector === "function" ) { // ( types [, fn] ) fn = selector; selector = undefined; } if ( fn === false ) { fn = returnFalse; } return this.each(function() { jQuery.event.remove( this, types, fn, selector ); }); }, trigger: function( type, data ) { return this.each(function() { jQuery.event.trigger( type, data, this ); }); }, triggerHandler: function( type, data ) { var elem = this[0]; if ( elem ) { return jQuery.event.trigger( type, data, elem, true ); } } }); function createSafeFragment( document ) { var list = nodeNames.split( "|" ), safeFrag = document.createDocumentFragment(); if ( safeFrag.createElement ) { while ( list.length ) { safeFrag.createElement( list.pop() ); } } return safeFrag; } var nodeNames = "abbr|article|aside|audio|bdi|canvas|data|datalist|details|figcaption|figure|footer|" + "header|hgroup|mark|meter|nav|output|progress|section|summary|time|video", rinlinejQuery = / jQuery\d+="(?:null|\d+)"/g, rnoshimcache = new RegExp("<(?:" + nodeNames + ")[\\s/>]", "i"), rleadingWhitespace = /^\s+/, rxhtmlTag = /<(?!area|br|col|embed|hr|img|input|link|meta|param)(([\w:]+)[^>]*)\/>/gi, rtagName = /<([\w:]+)/, rtbody = /<tbody/i, rhtml = /<|&#?\w+;/, rnoInnerhtml = /<(?:script|style|link)/i, // checked="checked" or checked rchecked = /checked\s*(?:[^=]|=\s*.checked.)/i, rscriptType = /^$|\/(?:java|ecma)script/i, rscriptTypeMasked = /^true\/(.*)/, rcleanScript = /^\s*<!(?:\[CDATA\[|--)|(?:\]\]|--)>\s*$/g, // We have to close these tags to support XHTML (#13200) wrapMap = { option: [ 1, "<select multiple='multiple'>", "</select>" ], legend: [ 1, "<fieldset>", "</fieldset>" ], area: [ 1, "<map>", "</map>" ], param: [ 1, "<object>", "</object>" ], thead: [ 1, "<table>", "</table>" ], tr: [ 2, "<table><tbody>", "</tbody></table>" ], col: [ 2, "<table><tbody></tbody><colgroup>", "</colgroup></table>" ], td: [ 3, "<table><tbody><tr>", "</tr></tbody></table>" ], // IE6-8 can't serialize link, script, style, or any html5 (NoScope) tags, // unless wrapped in a div with non-breaking characters in front of it. _default: support.htmlSerialize ? [ 0, "", "" ] : [ 1, "X<div>", "</div>" ] }, safeFragment = createSafeFragment( document ), fragmentDiv = safeFragment.appendChild( document.createElement("div") ); wrapMap.optgroup = wrapMap.option; wrapMap.tbody = wrapMap.tfoot = wrapMap.colgroup = wrapMap.caption = wrapMap.thead; wrapMap.th = wrapMap.td; function getAll( context, tag ) { var elems, elem, i = 0, found = typeof context.getElementsByTagName !== strundefined ? context.getElementsByTagName( tag || "*" ) : typeof context.querySelectorAll !== strundefined ? context.querySelectorAll( tag || "*" ) : undefined; if ( !found ) { for ( found = [], elems = context.childNodes || context; (elem = elems[i]) != null; i++ ) { if ( !tag || jQuery.nodeName( elem, tag ) ) { found.push( elem ); } else { jQuery.merge( found, getAll( elem, tag ) ); } } } return tag === undefined || tag && jQuery.nodeName( context, tag ) ? jQuery.merge( [ context ], found ) : found; } // Used in buildFragment, fixes the defaultChecked property function fixDefaultChecked( elem ) { if ( rcheckableType.test( elem.type ) ) { elem.defaultChecked = elem.checked; } } // Support: IE<8 // Manipulating tables requires a tbody function manipulationTarget( elem, content ) { return jQuery.nodeName( elem, "table" ) && jQuery.nodeName( content.nodeType !== 11 ? content : content.firstChild, "tr" ) ? elem.getElementsByTagName("tbody")[0] || elem.appendChild( elem.ownerDocument.createElement("tbody") ) : elem; } // Replace/restore the type attribute of script elements for safe DOM manipulation function disableScript( elem ) { elem.type = (jQuery.find.attr( elem, "type" ) !== null) + "/" + elem.type; return elem; } function restoreScript( elem ) { var match = rscriptTypeMasked.exec( elem.type ); if ( match ) { elem.type = match[1]; } else { elem.removeAttribute("type"); } return elem; } // Mark scripts as having already been evaluated function setGlobalEval( elems, refElements ) { var elem, i = 0; for ( ; (elem = elems[i]) != null; i++ ) { jQuery._data( elem, "globalEval", !refElements || jQuery._data( refElements[i], "globalEval" ) ); } } function cloneCopyEvent( src, dest ) { if ( dest.nodeType !== 1 || !jQuery.hasData( src ) ) { return; } var type, i, l, oldData = jQuery._data( src ), curData = jQuery._data( dest, oldData ), events = oldData.events; if ( events ) { delete curData.handle; curData.events = {}; for ( type in events ) { for ( i = 0, l = events[ type ].length; i < l; i++ ) { jQuery.event.add( dest, type, events[ type ][ i ] ); } } } // make the cloned public data object a copy from the original if ( curData.data ) { curData.data = jQuery.extend( {}, curData.data ); } } function fixCloneNodeIssues( src, dest ) { var nodeName, e, data; // We do not need to do anything for non-Elements if ( dest.nodeType !== 1 ) { return; } nodeName = dest.nodeName.toLowerCase(); // IE6-8 copies events bound via attachEvent when using cloneNode. if ( !support.noCloneEvent && dest[ jQuery.expando ] ) { data = jQuery._data( dest ); for ( e in data.events ) { jQuery.removeEvent( dest, e, data.handle ); } // Event data gets referenced instead of copied if the expando gets copied too dest.removeAttribute( jQuery.expando ); } // IE blanks contents when cloning scripts, and tries to evaluate newly-set text if ( nodeName === "script" && dest.text !== src.text ) { disableScript( dest ).text = src.text; restoreScript( dest ); // IE6-10 improperly clones children of object elements using classid. // IE10 throws NoModificationAllowedError if parent is null, #12132. } else if ( nodeName === "object" ) { if ( dest.parentNode ) { dest.outerHTML = src.outerHTML; } // This path appears unavoidable for IE9. When cloning an object // element in IE9, the outerHTML strategy above is not sufficient. // If the src has innerHTML and the destination does not, // copy the src.innerHTML into the dest.innerHTML. #10324 if ( support.html5Clone && ( src.innerHTML && !jQuery.trim(dest.innerHTML) ) ) { dest.innerHTML = src.innerHTML; } } else if ( nodeName === "input" && rcheckableType.test( src.type ) ) { // IE6-8 fails to persist the checked state of a cloned checkbox // or radio button. Worse, IE6-7 fail to give the cloned element // a checked appearance if the defaultChecked value isn't also set dest.defaultChecked = dest.checked = src.checked; // IE6-7 get confused and end up setting the value of a cloned // checkbox/radio button to an empty string instead of "on" if ( dest.value !== src.value ) { dest.value = src.value; } // IE6-8 fails to return the selected option to the default selected // state when cloning options } else if ( nodeName === "option" ) { dest.defaultSelected = dest.selected = src.defaultSelected; // IE6-8 fails to set the defaultValue to the correct value when // cloning other types of input fields } else if ( nodeName === "input" || nodeName === "textarea" ) { dest.defaultValue = src.defaultValue; } } jQuery.extend({ clone: function( elem, dataAndEvents, deepDataAndEvents ) { var destElements, node, clone, i, srcElements, inPage = jQuery.contains( elem.ownerDocument, elem ); if ( support.html5Clone || jQuery.isXMLDoc(elem) || !rnoshimcache.test( "<" + elem.nodeName + ">" ) ) { clone = elem.cloneNode( true ); // IE<=8 does not properly clone detached, unknown element nodes } else { fragmentDiv.innerHTML = elem.outerHTML; fragmentDiv.removeChild( clone = fragmentDiv.firstChild ); } if ( (!support.noCloneEvent || !support.noCloneChecked) && (elem.nodeType === 1 || elem.nodeType === 11) && !jQuery.isXMLDoc(elem) ) { // We eschew Sizzle here for performance reasons: http://jsperf.com/getall-vs-sizzle/2 destElements = getAll( clone ); srcElements = getAll( elem ); // Fix all IE cloning issues for ( i = 0; (node = srcElements[i]) != null; ++i ) { // Ensure that the destination node is not null; Fixes #9587 if ( destElements[i] ) { fixCloneNodeIssues( node, destElements[i] ); } } } // Copy the events from the original to the clone if ( dataAndEvents ) { if ( deepDataAndEvents ) { srcElements = srcElements || getAll( elem ); destElements = destElements || getAll( clone ); for ( i = 0; (node = srcElements[i]) != null; i++ ) { cloneCopyEvent( node, destElements[i] ); } } else { cloneCopyEvent( elem, clone ); } } // Preserve script evaluation history destElements = getAll( clone, "script" ); if ( destElements.length > 0 ) { setGlobalEval( destElements, !inPage && getAll( elem, "script" ) ); } destElements = srcElements = node = null; // Return the cloned set return clone; }, buildFragment: function( elems, context, scripts, selection ) { var j, elem, contains, tmp, tag, tbody, wrap, l = elems.length, // Ensure a safe fragment safe = createSafeFragment( context ), nodes = [], i = 0; for ( ; i < l; i++ ) { elem = elems[ i ]; if ( elem || elem === 0 ) { // Add nodes directly if ( jQuery.type( elem ) === "object" ) { jQuery.merge( nodes, elem.nodeType ? [ elem ] : elem ); // Convert non-html into a text node } else if ( !rhtml.test( elem ) ) { nodes.push( context.createTextNode( elem ) ); // Convert html into DOM nodes } else { tmp = tmp || safe.appendChild( context.createElement("div") ); // Deserialize a standard representation tag = (rtagName.exec( elem ) || [ "", "" ])[ 1 ].toLowerCase(); wrap = wrapMap[ tag ] || wrapMap._default; tmp.innerHTML = wrap[1] + elem.replace( rxhtmlTag, "<$1></$2>" ) + wrap[2]; // Descend through wrappers to the right content j = wrap[0]; while ( j-- ) { tmp = tmp.lastChild; } // Manually add leading whitespace removed by IE if ( !support.leadingWhitespace && rleadingWhitespace.test( elem ) ) { nodes.push( context.createTextNode( rleadingWhitespace.exec( elem )[0] ) ); } // Remove IE's autoinserted <tbody> from table fragments if ( !support.tbody ) { // String was a <table>, *may* have spurious <tbody> elem = tag === "table" && !rtbody.test( elem ) ? tmp.firstChild : // String was a bare <thead> or <tfoot> wrap[1] === "<table>" && !rtbody.test( elem ) ? tmp : 0; j = elem && elem.childNodes.length; while ( j-- ) { if ( jQuery.nodeName( (tbody = elem.childNodes[j]), "tbody" ) && !tbody.childNodes.length ) { elem.removeChild( tbody ); } } } jQuery.merge( nodes, tmp.childNodes ); // Fix #12392 for WebKit and IE > 9 tmp.textContent = ""; // Fix #12392 for oldIE while ( tmp.firstChild ) { tmp.removeChild( tmp.firstChild ); } // Remember the top-level container for proper cleanup tmp = safe.lastChild; } } } // Fix #11356: Clear elements from fragment if ( tmp ) { safe.removeChild( tmp ); } // Reset defaultChecked for any radios and checkboxes // about to be appended to the DOM in IE 6/7 (#8060) if ( !support.appendChecked ) { jQuery.grep( getAll( nodes, "input" ), fixDefaultChecked ); } i = 0; while ( (elem = nodes[ i++ ]) ) { // #4087 - If origin and destination elements are the same, and this is // that element, do not do anything if ( selection && jQuery.inArray( elem, selection ) !== -1 ) { continue; } contains = jQuery.contains( elem.ownerDocument, elem ); // Append to fragment tmp = getAll( safe.appendChild( elem ), "script" ); // Preserve script evaluation history if ( contains ) { setGlobalEval( tmp ); } // Capture executables if ( scripts ) { j = 0; while ( (elem = tmp[ j++ ]) ) { if ( rscriptType.test( elem.type || "" ) ) { scripts.push( elem ); } } } } tmp = null; return safe; }, cleanData: function( elems, /* internal */ acceptData ) { var elem, type, id, data, i = 0, internalKey = jQuery.expando, cache = jQuery.cache, deleteExpando = support.deleteExpando, special = jQuery.event.special; for ( ; (elem = elems[i]) != null; i++ ) { if ( acceptData || jQuery.acceptData( elem ) ) { id = elem[ internalKey ]; data = id && cache[ id ]; if ( data ) { if ( data.events ) { for ( type in data.events ) { if ( special[ type ] ) { jQuery.event.remove( elem, type ); // This is a shortcut to avoid jQuery.event.remove's overhead } else { jQuery.removeEvent( elem, type, data.handle ); } } } // Remove cache only if it was not already removed by jQuery.event.remove if ( cache[ id ] ) { delete cache[ id ]; // IE does not allow us to delete expando properties from nodes, // nor does it have a removeAttribute function on Document nodes; // we must handle all of these cases if ( deleteExpando ) { delete elem[ internalKey ]; } else if ( typeof elem.removeAttribute !== strundefined ) { elem.removeAttribute( internalKey ); } else { elem[ internalKey ] = null; } deletedIds.push( id ); } } } } } }); jQuery.fn.extend({ text: function( value ) { return access( this, function( value ) { return value === undefined ? jQuery.text( this ) : this.empty().append( ( this[0] && this[0].ownerDocument || document ).createTextNode( value ) ); }, null, value, arguments.length ); }, append: function() { return this.domManip( arguments, function( elem ) { if ( this.nodeType === 1 || this.nodeType === 11 || this.nodeType === 9 ) { var target = manipulationTarget( this, elem ); target.appendChild( elem ); } }); }, prepend: function() { return this.domManip( arguments, function( elem ) { if ( this.nodeType === 1 || this.nodeType === 11 || this.nodeType === 9 ) { var target = manipulationTarget( this, elem ); target.insertBefore( elem, target.firstChild ); } }); }, before: function() { return this.domManip( arguments, function( elem ) { if ( this.parentNode ) { this.parentNode.insertBefore( elem, this ); } }); }, after: function() { return this.domManip( arguments, function( elem ) { if ( this.parentNode ) { this.parentNode.insertBefore( elem, this.nextSibling ); } }); }, remove: function( selector, keepData /* Internal Use Only */ ) { var elem, elems = selector ? jQuery.filter( selector, this ) : this, i = 0; for ( ; (elem = elems[i]) != null; i++ ) { if ( !keepData && elem.nodeType === 1 ) { jQuery.cleanData( getAll( elem ) ); } if ( elem.parentNode ) { if ( keepData && jQuery.contains( elem.ownerDocument, elem ) ) { setGlobalEval( getAll( elem, "script" ) ); } elem.parentNode.removeChild( elem ); } } return this; }, empty: function() { var elem, i = 0; for ( ; (elem = this[i]) != null; i++ ) { // Remove element nodes and prevent memory leaks if ( elem.nodeType === 1 ) { jQuery.cleanData( getAll( elem, false ) ); } // Remove any remaining nodes while ( elem.firstChild ) { elem.removeChild( elem.firstChild ); } // If this is a select, ensure that it displays empty (#12336) // Support: IE<9 if ( elem.options && jQuery.nodeName( elem, "select" ) ) { elem.options.length = 0; } } return this; }, clone: function( dataAndEvents, deepDataAndEvents ) { dataAndEvents = dataAndEvents == null ? false : dataAndEvents; deepDataAndEvents = deepDataAndEvents == null ? dataAndEvents : deepDataAndEvents; return this.map(function() { return jQuery.clone( this, dataAndEvents, deepDataAndEvents ); }); }, html: function( value ) { return access( this, function( value ) { var elem = this[ 0 ] || {}, i = 0, l = this.length; if ( value === undefined ) { return elem.nodeType === 1 ? elem.innerHTML.replace( rinlinejQuery, "" ) : undefined; } // See if we can take a shortcut and just use innerHTML if ( typeof value === "string" && !rnoInnerhtml.test( value ) && ( support.htmlSerialize || !rnoshimcache.test( value ) ) && ( support.leadingWhitespace || !rleadingWhitespace.test( value ) ) && !wrapMap[ (rtagName.exec( value ) || [ "", "" ])[ 1 ].toLowerCase() ] ) { value = value.replace( rxhtmlTag, "<$1></$2>" ); try { for (; i < l; i++ ) { // Remove element nodes and prevent memory leaks elem = this[i] || {}; if ( elem.nodeType === 1 ) { jQuery.cleanData( getAll( elem, false ) ); elem.innerHTML = value; } } elem = 0; // If using innerHTML throws an exception, use the fallback method } catch(e) {} } if ( elem ) { this.empty().append( value ); } }, null, value, arguments.length ); }, replaceWith: function() { var arg = arguments[ 0 ]; // Make the changes, replacing each context element with the new content this.domManip( arguments, function( elem ) { arg = this.parentNode; jQuery.cleanData( getAll( this ) ); if ( arg ) { arg.replaceChild( elem, this ); } }); // Force removal if there was no new content (e.g., from empty arguments) return arg && (arg.length || arg.nodeType) ? this : this.remove(); }, detach: function( selector ) { return this.remove( selector, true ); }, domManip: function( args, callback ) { // Flatten any nested arrays args = concat.apply( [], args ); var first, node, hasScripts, scripts, doc, fragment, i = 0, l = this.length, set = this, iNoClone = l - 1, value = args[0], isFunction = jQuery.isFunction( value ); // We can't cloneNode fragments that contain checked, in WebKit if ( isFunction || ( l > 1 && typeof value === "string" && !support.checkClone && rchecked.test( value ) ) ) { return this.each(function( index ) { var self = set.eq( index ); if ( isFunction ) { args[0] = value.call( this, index, self.html() ); } self.domManip( args, callback ); }); } if ( l ) { fragment = jQuery.buildFragment( args, this[ 0 ].ownerDocument, false, this ); first = fragment.firstChild; if ( fragment.childNodes.length === 1 ) { fragment = first; } if ( first ) { scripts = jQuery.map( getAll( fragment, "script" ), disableScript ); hasScripts = scripts.length; // Use the original fragment for the last item instead of the first because it can end up // being emptied incorrectly in certain situations (#8070). for ( ; i < l; i++ ) { node = fragment; if ( i !== iNoClone ) { node = jQuery.clone( node, true, true ); // Keep references to cloned scripts for later restoration if ( hasScripts ) { jQuery.merge( scripts, getAll( node, "script" ) ); } } callback.call( this[i], node, i ); } if ( hasScripts ) { doc = scripts[ scripts.length - 1 ].ownerDocument; // Reenable scripts jQuery.map( scripts, restoreScript ); // Evaluate executable scripts on first document insertion for ( i = 0; i < hasScripts; i++ ) { node = scripts[ i ]; if ( rscriptType.test( node.type || "" ) && !jQuery._data( node, "globalEval" ) && jQuery.contains( doc, node ) ) { if ( node.src ) { // Optional AJAX dependency, but won't run scripts if not present if ( jQuery._evalUrl ) { jQuery._evalUrl( node.src ); } } else { jQuery.globalEval( ( node.text || node.textContent || node.innerHTML || "" ).replace( rcleanScript, "" ) ); } } } } // Fix #11809: Avoid leaking memory fragment = first = null; } } return this; } }); jQuery.each({ appendTo: "append", prependTo: "prepend", insertBefore: "before", insertAfter: "after", replaceAll: "replaceWith" }, function( name, original ) { jQuery.fn[ name ] = function( selector ) { var elems, i = 0, ret = [], insert = jQuery( selector ), last = insert.length - 1; for ( ; i <= last; i++ ) { elems = i === last ? this : this.clone(true); jQuery( insert[i] )[ original ]( elems ); // Modern browsers can apply jQuery collections as arrays, but oldIE needs a .get() push.apply( ret, elems.get() ); } return this.pushStack( ret ); }; }); var iframe, elemdisplay = {}; /** * Retrieve the actual display of a element * @param {String} name nodeName of the element * @param {Object} doc Document object */ // Called only from within defaultDisplay function actualDisplay( name, doc ) { var style, elem = jQuery( doc.createElement( name ) ).appendTo( doc.body ), // getDefaultComputedStyle might be reliably used only on attached element display = window.getDefaultComputedStyle && ( style = window.getDefaultComputedStyle( elem[ 0 ] ) ) ? // Use of this method is a temporary fix (more like optmization) until something better comes along, // since it was removed from specification and supported only in FF style.display : jQuery.css( elem[ 0 ], "display" ); // We don't have any data stored on the element, // so use "detach" method as fast way to get rid of the element elem.detach(); return display; } /** * Try to determine the default display value of an element * @param {String} nodeName */ function defaultDisplay( nodeName ) { var doc = document, display = elemdisplay[ nodeName ]; if ( !display ) { display = actualDisplay( nodeName, doc ); // If the simple way fails, read from inside an iframe if ( display === "none" || !display ) { // Use the already-created iframe if possible iframe = (iframe || jQuery( "<iframe frameborder='0' width='0' height='0'/>" )).appendTo( doc.documentElement ); // Always write a new HTML skeleton so Webkit and Firefox don't choke on reuse doc = ( iframe[ 0 ].contentWindow || iframe[ 0 ].contentDocument ).document; // Support: IE doc.write(); doc.close(); display = actualDisplay( nodeName, doc ); iframe.detach(); } // Store the correct default display elemdisplay[ nodeName ] = display; } return display; } (function() { var shrinkWrapBlocksVal; support.shrinkWrapBlocks = function() { if ( shrinkWrapBlocksVal != null ) { return shrinkWrapBlocksVal; } // Will be changed later if needed. shrinkWrapBlocksVal = false; // Minified: var b,c,d var div, body, container; body = document.getElementsByTagName( "body" )[ 0 ]; if ( !body || !body.style ) { // Test fired too early or in an unsupported environment, exit. return; } // Setup div = document.createElement( "div" ); container = document.createElement( "div" ); container.style.cssText = "position:absolute;border:0;width:0;height:0;top:0;left:-9999px"; body.appendChild( container ).appendChild( div ); // Support: IE6 // Check if elements with layout shrink-wrap their children if ( typeof div.style.zoom !== strundefined ) { // Reset CSS: box-sizing; display; margin; border div.style.cssText = // Support: Firefox<29, Android 2.3 // Vendor-prefix box-sizing "-webkit-box-sizing:content-box;-moz-box-sizing:content-box;" + "box-sizing:content-box;display:block;margin:0;border:0;" + "padding:1px;width:1px;zoom:1"; div.appendChild( document.createElement( "div" ) ).style.width = "5px"; shrinkWrapBlocksVal = div.offsetWidth !== 3; } body.removeChild( container ); return shrinkWrapBlocksVal; }; })(); var rmargin = (/^margin/); var rnumnonpx = new RegExp( "^(" + pnum + ")(?!px)[a-z%]+$", "i" ); var getStyles, curCSS, rposition = /^(top|right|bottom|left)$/; if ( window.getComputedStyle ) { getStyles = function( elem ) { // Support: IE<=11+, Firefox<=30+ (#15098, #14150) // IE throws on elements created in popups // FF meanwhile throws on frame elements through "defaultView.getComputedStyle" if ( elem.ownerDocument.defaultView.opener ) { return elem.ownerDocument.defaultView.getComputedStyle( elem, null ); } return window.getComputedStyle( elem, null ); }; curCSS = function( elem, name, computed ) { var width, minWidth, maxWidth, ret, style = elem.style; computed = computed || getStyles( elem ); // getPropertyValue is only needed for .css('filter') in IE9, see #12537 ret = computed ? computed.getPropertyValue( name ) || computed[ name ] : undefined; if ( computed ) { if ( ret === "" && !jQuery.contains( elem.ownerDocument, elem ) ) { ret = jQuery.style( elem, name ); } // A tribute to the "awesome hack by Dean Edwards" // Chrome < 17 and Safari 5.0 uses "computed value" instead of "used value" for margin-right // Safari 5.1.7 (at least) returns percentage for a larger set of values, but width seems to be reliably pixels // this is against the CSSOM draft spec: http://dev.w3.org/csswg/cssom/#resolved-values if ( rnumnonpx.test( ret ) && rmargin.test( name ) ) { // Remember the original values width = style.width; minWidth = style.minWidth; maxWidth = style.maxWidth; // Put in the new values to get a computed value out style.minWidth = style.maxWidth = style.width = ret; ret = computed.width; // Revert the changed values style.width = width; style.minWidth = minWidth; style.maxWidth = maxWidth; } } // Support: IE // IE returns zIndex value as an integer. return ret === undefined ? ret : ret + ""; }; } else if ( document.documentElement.currentStyle ) { getStyles = function( elem ) { return elem.currentStyle; }; curCSS = function( elem, name, computed ) { var left, rs, rsLeft, ret, style = elem.style; computed = computed || getStyles( elem ); ret = computed ? computed[ name ] : undefined; // Avoid setting ret to empty string here // so we don't default to auto if ( ret == null && style && style[ name ] ) { ret = style[ name ]; } // From the awesome hack by Dean Edwards // http://erik.eae.net/archives/2007/07/27/18.54.15/#comment-102291 // If we're not dealing with a regular pixel number // but a number that has a weird ending, we need to convert it to pixels // but not position css attributes, as those are proportional to the parent element instead // and we can't measure the parent instead because it might trigger a "stacking dolls" problem if ( rnumnonpx.test( ret ) && !rposition.test( name ) ) { // Remember the original values left = style.left; rs = elem.runtimeStyle; rsLeft = rs && rs.left; // Put in the new values to get a computed value out if ( rsLeft ) { rs.left = elem.currentStyle.left; } style.left = name === "fontSize" ? "1em" : ret; ret = style.pixelLeft + "px"; // Revert the changed values style.left = left; if ( rsLeft ) { rs.left = rsLeft; } } // Support: IE // IE returns zIndex value as an integer. return ret === undefined ? ret : ret + "" || "auto"; }; } function addGetHookIf( conditionFn, hookFn ) { // Define the hook, we'll check on the first run if it's really needed. return { get: function() { var condition = conditionFn(); if ( condition == null ) { // The test was not ready at this point; screw the hook this time // but check again when needed next time. return; } if ( condition ) { // Hook not needed (or it's not possible to use it due to missing dependency), // remove it. // Since there are no other hooks for marginRight, remove the whole object. delete this.get; return; } // Hook needed; redefine it so that the support test is not executed again. return (this.get = hookFn).apply( this, arguments ); } }; } (function() { // Minified: var b,c,d,e,f,g, h,i var div, style, a, pixelPositionVal, boxSizingReliableVal, reliableHiddenOffsetsVal, reliableMarginRightVal; // Setup div = document.createElement( "div" ); div.innerHTML = " <link/><table></table><a href='/a'>a</a><input type='checkbox'/>"; a = div.getElementsByTagName( "a" )[ 0 ]; style = a && a.style; // Finish early in limited (non-browser) environments if ( !style ) { return; } style.cssText = "float:left;opacity:.5"; // Support: IE<9 // Make sure that element opacity exists (as opposed to filter) support.opacity = style.opacity === "0.5"; // Verify style float existence // (IE uses styleFloat instead of cssFloat) support.cssFloat = !!style.cssFloat; div.style.backgroundClip = "content-box"; div.cloneNode( true ).style.backgroundClip = ""; support.clearCloneStyle = div.style.backgroundClip === "content-box"; // Support: Firefox<29, Android 2.3 // Vendor-prefix box-sizing support.boxSizing = style.boxSizing === "" || style.MozBoxSizing === "" || style.WebkitBoxSizing === ""; jQuery.extend(support, { reliableHiddenOffsets: function() { if ( reliableHiddenOffsetsVal == null ) { computeStyleTests(); } return reliableHiddenOffsetsVal; }, boxSizingReliable: function() { if ( boxSizingReliableVal == null ) { computeStyleTests(); } return boxSizingReliableVal; }, pixelPosition: function() { if ( pixelPositionVal == null ) { computeStyleTests(); } return pixelPositionVal; }, // Support: Android 2.3 reliableMarginRight: function() { if ( reliableMarginRightVal == null ) { computeStyleTests(); } return reliableMarginRightVal; } }); function computeStyleTests() { // Minified: var b,c,d,j var div, body, container, contents; body = document.getElementsByTagName( "body" )[ 0 ]; if ( !body || !body.style ) { // Test fired too early or in an unsupported environment, exit. return; } // Setup div = document.createElement( "div" ); container = document.createElement( "div" ); container.style.cssText = "position:absolute;border:0;width:0;height:0;top:0;left:-9999px"; body.appendChild( container ).appendChild( div ); div.style.cssText = // Support: Firefox<29, Android 2.3 // Vendor-prefix box-sizing "-webkit-box-sizing:border-box;-moz-box-sizing:border-box;" + "box-sizing:border-box;display:block;margin-top:1%;top:1%;" + "border:1px;padding:1px;width:4px;position:absolute"; // Support: IE<9 // Assume reasonable values in the absence of getComputedStyle pixelPositionVal = boxSizingReliableVal = false; reliableMarginRightVal = true; // Check for getComputedStyle so that this code is not run in IE<9. if ( window.getComputedStyle ) { pixelPositionVal = ( window.getComputedStyle( div, null ) || {} ).top !== "1%"; boxSizingReliableVal = ( window.getComputedStyle( div, null ) || { width: "4px" } ).width === "4px"; // Support: Android 2.3 // Div with explicit width and no margin-right incorrectly // gets computed margin-right based on width of container (#3333) // WebKit Bug 13343 - getComputedStyle returns wrong value for margin-right contents = div.appendChild( document.createElement( "div" ) ); // Reset CSS: box-sizing; display; margin; border; padding contents.style.cssText = div.style.cssText = // Support: Firefox<29, Android 2.3 // Vendor-prefix box-sizing "-webkit-box-sizing:content-box;-moz-box-sizing:content-box;" + "box-sizing:content-box;display:block;margin:0;border:0;padding:0"; contents.style.marginRight = contents.style.width = "0"; div.style.width = "1px"; reliableMarginRightVal = !parseFloat( ( window.getComputedStyle( contents, null ) || {} ).marginRight ); div.removeChild( contents ); } // Support: IE8 // Check if table cells still have offsetWidth/Height when they are set // to display:none and there are still other visible table cells in a // table row; if so, offsetWidth/Height are not reliable for use when // determining if an element has been hidden directly using // display:none (it is still safe to use offsets if a parent element is // hidden; don safety goggles and see bug #4512 for more information). div.innerHTML = "<table><tr><td></td><td>t</td></tr></table>"; contents = div.getElementsByTagName( "td" ); contents[ 0 ].style.cssText = "margin:0;border:0;padding:0;display:none"; reliableHiddenOffsetsVal = contents[ 0 ].offsetHeight === 0; if ( reliableHiddenOffsetsVal ) { contents[ 0 ].style.display = ""; contents[ 1 ].style.display = "none"; reliableHiddenOffsetsVal = contents[ 0 ].offsetHeight === 0; } body.removeChild( container ); } })(); // A method for quickly swapping in/out CSS properties to get correct calculations. jQuery.swap = function( elem, options, callback, args ) { var ret, name, old = {}; // Remember the old values, and insert the new ones for ( name in options ) { old[ name ] = elem.style[ name ]; elem.style[ name ] = options[ name ]; } ret = callback.apply( elem, args || [] ); // Revert the old values for ( name in options ) { elem.style[ name ] = old[ name ]; } return ret; }; var ralpha = /alpha\([^)]*\)/i, ropacity = /opacity\s*=\s*([^)]*)/, // swappable if display is none or starts with table except "table", "table-cell", or "table-caption" // see here for display values: https://developer.mozilla.org/en-US/docs/CSS/display rdisplayswap = /^(none|table(?!-c[ea]).+)/, rnumsplit = new RegExp( "^(" + pnum + ")(.*)$", "i" ), rrelNum = new RegExp( "^([+-])=(" + pnum + ")", "i" ), cssShow = { position: "absolute", visibility: "hidden", display: "block" }, cssNormalTransform = { letterSpacing: "0", fontWeight: "400" }, cssPrefixes = [ "Webkit", "O", "Moz", "ms" ]; // return a css property mapped to a potentially vendor prefixed property function vendorPropName( style, name ) { // shortcut for names that are not vendor prefixed if ( name in style ) { return name; } // check for vendor prefixed names var capName = name.charAt(0).toUpperCase() + name.slice(1), origName = name, i = cssPrefixes.length; while ( i-- ) { name = cssPrefixes[ i ] + capName; if ( name in style ) { return name; } } return origName; } function showHide( elements, show ) { var display, elem, hidden, values = [], index = 0, length = elements.length; for ( ; index < length; index++ ) { elem = elements[ index ]; if ( !elem.style ) { continue; } values[ index ] = jQuery._data( elem, "olddisplay" ); display = elem.style.display; if ( show ) { // Reset the inline display of this element to learn if it is // being hidden by cascaded rules or not if ( !values[ index ] && display === "none" ) { elem.style.display = ""; } // Set elements which have been overridden with display: none // in a stylesheet to whatever the default browser style is // for such an element if ( elem.style.display === "" && isHidden( elem ) ) { values[ index ] = jQuery._data( elem, "olddisplay", defaultDisplay(elem.nodeName) ); } } else { hidden = isHidden( elem ); if ( display && display !== "none" || !hidden ) { jQuery._data( elem, "olddisplay", hidden ? display : jQuery.css( elem, "display" ) ); } } } // Set the display of most of the elements in a second loop // to avoid the constant reflow for ( index = 0; index < length; index++ ) { elem = elements[ index ]; if ( !elem.style ) { continue; } if ( !show || elem.style.display === "none" || elem.style.display === "" ) { elem.style.display = show ? values[ index ] || "" : "none"; } } return elements; } function setPositiveNumber( elem, value, subtract ) { var matches = rnumsplit.exec( value ); return matches ? // Guard against undefined "subtract", e.g., when used as in cssHooks Math.max( 0, matches[ 1 ] - ( subtract || 0 ) ) + ( matches[ 2 ] || "px" ) : value; } function augmentWidthOrHeight( elem, name, extra, isBorderBox, styles ) { var i = extra === ( isBorderBox ? "border" : "content" ) ? // If we already have the right measurement, avoid augmentation 4 : // Otherwise initialize for horizontal or vertical properties name === "width" ? 1 : 0, val = 0; for ( ; i < 4; i += 2 ) { // both box models exclude margin, so add it if we want it if ( extra === "margin" ) { val += jQuery.css( elem, extra + cssExpand[ i ], true, styles ); } if ( isBorderBox ) { // border-box includes padding, so remove it if we want content if ( extra === "content" ) { val -= jQuery.css( elem, "padding" + cssExpand[ i ], true, styles ); } // at this point, extra isn't border nor margin, so remove border if ( extra !== "margin" ) { val -= jQuery.css( elem, "border" + cssExpand[ i ] + "Width", true, styles ); } } else { // at this point, extra isn't content, so add padding val += jQuery.css( elem, "padding" + cssExpand[ i ], true, styles ); // at this point, extra isn't content nor padding, so add border if ( extra !== "padding" ) { val += jQuery.css( elem, "border" + cssExpand[ i ] + "Width", true, styles ); } } } return val; } function getWidthOrHeight( elem, name, extra ) { // Start with offset property, which is equivalent to the border-box value var valueIsBorderBox = true, val = name === "width" ? elem.offsetWidth : elem.offsetHeight, styles = getStyles( elem ), isBorderBox = support.boxSizing && jQuery.css( elem, "boxSizing", false, styles ) === "border-box"; // some non-html elements return undefined for offsetWidth, so check for null/undefined // svg - https://bugzilla.mozilla.org/show_bug.cgi?id=649285 // MathML - https://bugzilla.mozilla.org/show_bug.cgi?id=491668 if ( val <= 0 || val == null ) { // Fall back to computed then uncomputed css if necessary val = curCSS( elem, name, styles ); if ( val < 0 || val == null ) { val = elem.style[ name ]; } // Computed unit is not pixels. Stop here and return. if ( rnumnonpx.test(val) ) { return val; } // we need the check for style in case a browser which returns unreliable values // for getComputedStyle silently falls back to the reliable elem.style valueIsBorderBox = isBorderBox && ( support.boxSizingReliable() || val === elem.style[ name ] ); // Normalize "", auto, and prepare for extra val = parseFloat( val ) || 0; } // use the active box-sizing model to add/subtract irrelevant styles return ( val + augmentWidthOrHeight( elem, name, extra || ( isBorderBox ? "border" : "content" ), valueIsBorderBox, styles ) ) + "px"; } jQuery.extend({ // Add in style property hooks for overriding the default // behavior of getting and setting a style property cssHooks: { opacity: { get: function( elem, computed ) { if ( computed ) { // We should always get a number back from opacity var ret = curCSS( elem, "opacity" ); return ret === "" ? "1" : ret; } } } }, // Don't automatically add "px" to these possibly-unitless properties cssNumber: { "columnCount": true, "fillOpacity": true, "flexGrow": true, "flexShrink": true, "fontWeight": true, "lineHeight": true, "opacity": true, "order": true, "orphans": true, "widows": true, "zIndex": true, "zoom": true }, // Add in properties whose names you wish to fix before // setting or getting the value cssProps: { // normalize float css property "float": support.cssFloat ? "cssFloat" : "styleFloat" }, // Get and set the style property on a DOM Node style: function( elem, name, value, extra ) { // Don't set styles on text and comment nodes if ( !elem || elem.nodeType === 3 || elem.nodeType === 8 || !elem.style ) { return; } // Make sure that we're working with the right name var ret, type, hooks, origName = jQuery.camelCase( name ), style = elem.style; name = jQuery.cssProps[ origName ] || ( jQuery.cssProps[ origName ] = vendorPropName( style, origName ) ); // gets hook for the prefixed version // followed by the unprefixed version hooks = jQuery.cssHooks[ name ] || jQuery.cssHooks[ origName ]; // Check if we're setting a value if ( value !== undefined ) { type = typeof value; // convert relative number strings (+= or -=) to relative numbers. #7345 if ( type === "string" && (ret = rrelNum.exec( value )) ) { value = ( ret[1] + 1 ) * ret[2] + parseFloat( jQuery.css( elem, name ) ); // Fixes bug #9237 type = "number"; } // Make sure that null and NaN values aren't set. See: #7116 if ( value == null || value !== value ) { return; } // If a number was passed in, add 'px' to the (except for certain CSS properties) if ( type === "number" && !jQuery.cssNumber[ origName ] ) { value += "px"; } // Fixes #8908, it can be done more correctly by specifing setters in cssHooks, // but it would mean to define eight (for every problematic property) identical functions if ( !support.clearCloneStyle && value === "" && name.indexOf("background") === 0 ) { style[ name ] = "inherit"; } // If a hook was provided, use that value, otherwise just set the specified value if ( !hooks || !("set" in hooks) || (value = hooks.set( elem, value, extra )) !== undefined ) { // Support: IE // Swallow errors from 'invalid' CSS values (#5509) try { style[ name ] = value; } catch(e) {} } } else { // If a hook was provided get the non-computed value from there if ( hooks && "get" in hooks && (ret = hooks.get( elem, false, extra )) !== undefined ) { return ret; } // Otherwise just get the value from the style object return style[ name ]; } }, css: function( elem, name, extra, styles ) { var num, val, hooks, origName = jQuery.camelCase( name ); // Make sure that we're working with the right name name = jQuery.cssProps[ origName ] || ( jQuery.cssProps[ origName ] = vendorPropName( elem.style, origName ) ); // gets hook for the prefixed version // followed by the unprefixed version hooks = jQuery.cssHooks[ name ] || jQuery.cssHooks[ origName ]; // If a hook was provided get the computed value from there if ( hooks && "get" in hooks ) { val = hooks.get( elem, true, extra ); } // Otherwise, if a way to get the computed value exists, use that if ( val === undefined ) { val = curCSS( elem, name, styles ); } //convert "normal" to computed value if ( val === "normal" && name in cssNormalTransform ) { val = cssNormalTransform[ name ]; } // Return, converting to number if forced or a qualifier was provided and val looks numeric if ( extra === "" || extra ) { num = parseFloat( val ); return extra === true || jQuery.isNumeric( num ) ? num || 0 : val; } return val; } }); jQuery.each([ "height", "width" ], function( i, name ) { jQuery.cssHooks[ name ] = { get: function( elem, computed, extra ) { if ( computed ) { // certain elements can have dimension info if we invisibly show them // however, it must have a current display style that would benefit from this return rdisplayswap.test( jQuery.css( elem, "display" ) ) && elem.offsetWidth === 0 ? jQuery.swap( elem, cssShow, function() { return getWidthOrHeight( elem, name, extra ); }) : getWidthOrHeight( elem, name, extra ); } }, set: function( elem, value, extra ) { var styles = extra && getStyles( elem ); return setPositiveNumber( elem, value, extra ? augmentWidthOrHeight( elem, name, extra, support.boxSizing && jQuery.css( elem, "boxSizing", false, styles ) === "border-box", styles ) : 0 ); } }; }); if ( !support.opacity ) { jQuery.cssHooks.opacity = { get: function( elem, computed ) { // IE uses filters for opacity return ropacity.test( (computed && elem.currentStyle ? elem.currentStyle.filter : elem.style.filter) || "" ) ? ( 0.01 * parseFloat( RegExp.$1 ) ) + "" : computed ? "1" : ""; }, set: function( elem, value ) { var style = elem.style, currentStyle = elem.currentStyle, opacity = jQuery.isNumeric( value ) ? "alpha(opacity=" + value * 100 + ")" : "", filter = currentStyle && currentStyle.filter || style.filter || ""; // IE has trouble with opacity if it does not have layout // Force it by setting the zoom level style.zoom = 1; // if setting opacity to 1, and no other filters exist - attempt to remove filter attribute #6652 // if value === "", then remove inline opacity #12685 if ( ( value >= 1 || value === "" ) && jQuery.trim( filter.replace( ralpha, "" ) ) === "" && style.removeAttribute ) { // Setting style.filter to null, "" & " " still leave "filter:" in the cssText // if "filter:" is present at all, clearType is disabled, we want to avoid this // style.removeAttribute is IE Only, but so apparently is this code path... style.removeAttribute( "filter" ); // if there is no filter style applied in a css rule or unset inline opacity, we are done if ( value === "" || currentStyle && !currentStyle.filter ) { return; } } // otherwise, set new filter values style.filter = ralpha.test( filter ) ? filter.replace( ralpha, opacity ) : filter + " " + opacity; } }; } jQuery.cssHooks.marginRight = addGetHookIf( support.reliableMarginRight, function( elem, computed ) { if ( computed ) { // WebKit Bug 13343 - getComputedStyle returns wrong value for margin-right // Work around by temporarily setting element display to inline-block return jQuery.swap( elem, { "display": "inline-block" }, curCSS, [ elem, "marginRight" ] ); } } ); // These hooks are used by animate to expand properties jQuery.each({ margin: "", padding: "", border: "Width" }, function( prefix, suffix ) { jQuery.cssHooks[ prefix + suffix ] = { expand: function( value ) { var i = 0, expanded = {}, // assumes a single number if not a string parts = typeof value === "string" ? value.split(" ") : [ value ]; for ( ; i < 4; i++ ) { expanded[ prefix + cssExpand[ i ] + suffix ] = parts[ i ] || parts[ i - 2 ] || parts[ 0 ]; } return expanded; } }; if ( !rmargin.test( prefix ) ) { jQuery.cssHooks[ prefix + suffix ].set = setPositiveNumber; } }); jQuery.fn.extend({ css: function( name, value ) { return access( this, function( elem, name, value ) { var styles, len, map = {}, i = 0; if ( jQuery.isArray( name ) ) { styles = getStyles( elem ); len = name.length; for ( ; i < len; i++ ) { map[ name[ i ] ] = jQuery.css( elem, name[ i ], false, styles ); } return map; } return value !== undefined ? jQuery.style( elem, name, value ) : jQuery.css( elem, name ); }, name, value, arguments.length > 1 ); }, show: function() { return showHide( this, true ); }, hide: function() { return showHide( this ); }, toggle: function( state ) { if ( typeof state === "boolean" ) { return state ? this.show() : this.hide(); } return this.each(function() { if ( isHidden( this ) ) { jQuery( this ).show(); } else { jQuery( this ).hide(); } }); } }); function Tween( elem, options, prop, end, easing ) { return new Tween.prototype.init( elem, options, prop, end, easing ); } jQuery.Tween = Tween; Tween.prototype = { constructor: Tween, init: function( elem, options, prop, end, easing, unit ) { this.elem = elem; this.prop = prop; this.easing = easing || "swing"; this.options = options; this.start = this.now = this.cur(); this.end = end; this.unit = unit || ( jQuery.cssNumber[ prop ] ? "" : "px" ); }, cur: function() { var hooks = Tween.propHooks[ this.prop ]; return hooks && hooks.get ? hooks.get( this ) : Tween.propHooks._default.get( this ); }, run: function( percent ) { var eased, hooks = Tween.propHooks[ this.prop ]; if ( this.options.duration ) { this.pos = eased = jQuery.easing[ this.easing ]( percent, this.options.duration * percent, 0, 1, this.options.duration ); } else { this.pos = eased = percent; } this.now = ( this.end - this.start ) * eased + this.start; if ( this.options.step ) { this.options.step.call( this.elem, this.now, this ); } if ( hooks && hooks.set ) { hooks.set( this ); } else { Tween.propHooks._default.set( this ); } return this; } }; Tween.prototype.init.prototype = Tween.prototype; Tween.propHooks = { _default: { get: function( tween ) { var result; if ( tween.elem[ tween.prop ] != null && (!tween.elem.style || tween.elem.style[ tween.prop ] == null) ) { return tween.elem[ tween.prop ]; } // passing an empty string as a 3rd parameter to .css will automatically // attempt a parseFloat and fallback to a string if the parse fails // so, simple values such as "10px" are parsed to Float. // complex values such as "rotate(1rad)" are returned as is. result = jQuery.css( tween.elem, tween.prop, "" ); // Empty strings, null, undefined and "auto" are converted to 0. return !result || result === "auto" ? 0 : result; }, set: function( tween ) { // use step hook for back compat - use cssHook if its there - use .style if its // available and use plain properties where available if ( jQuery.fx.step[ tween.prop ] ) { jQuery.fx.step[ tween.prop ]( tween ); } else if ( tween.elem.style && ( tween.elem.style[ jQuery.cssProps[ tween.prop ] ] != null || jQuery.cssHooks[ tween.prop ] ) ) { jQuery.style( tween.elem, tween.prop, tween.now + tween.unit ); } else { tween.elem[ tween.prop ] = tween.now; } } } }; // Support: IE <=9 // Panic based approach to setting things on disconnected nodes Tween.propHooks.scrollTop = Tween.propHooks.scrollLeft = { set: function( tween ) { if ( tween.elem.nodeType && tween.elem.parentNode ) { tween.elem[ tween.prop ] = tween.now; } } }; jQuery.easing = { linear: function( p ) { return p; }, swing: function( p ) { return 0.5 - Math.cos( p * Math.PI ) / 2; } }; jQuery.fx = Tween.prototype.init; // Back Compat <1.8 extension point jQuery.fx.step = {}; var fxNow, timerId, rfxtypes = /^(?:toggle|show|hide)$/, rfxnum = new RegExp( "^(?:([+-])=|)(" + pnum + ")([a-z%]*)$", "i" ), rrun = /queueHooks$/, animationPrefilters = [ defaultPrefilter ], tweeners = { "*": [ function( prop, value ) { var tween = this.createTween( prop, value ), target = tween.cur(), parts = rfxnum.exec( value ), unit = parts && parts[ 3 ] || ( jQuery.cssNumber[ prop ] ? "" : "px" ), // Starting value computation is required for potential unit mismatches start = ( jQuery.cssNumber[ prop ] || unit !== "px" && +target ) && rfxnum.exec( jQuery.css( tween.elem, prop ) ), scale = 1, maxIterations = 20; if ( start && start[ 3 ] !== unit ) { // Trust units reported by jQuery.css unit = unit || start[ 3 ]; // Make sure we update the tween properties later on parts = parts || []; // Iteratively approximate from a nonzero starting point start = +target || 1; do { // If previous iteration zeroed out, double until we get *something* // Use a string for doubling factor so we don't accidentally see scale as unchanged below scale = scale || ".5"; // Adjust and apply start = start / scale; jQuery.style( tween.elem, prop, start + unit ); // Update scale, tolerating zero or NaN from tween.cur() // And breaking the loop if scale is unchanged or perfect, or if we've just had enough } while ( scale !== (scale = tween.cur() / target) && scale !== 1 && --maxIterations ); } // Update tween properties if ( parts ) { start = tween.start = +start || +target || 0; tween.unit = unit; // If a +=/-= token was provided, we're doing a relative animation tween.end = parts[ 1 ] ? start + ( parts[ 1 ] + 1 ) * parts[ 2 ] : +parts[ 2 ]; } return tween; } ] }; // Animations created synchronously will run synchronously function createFxNow() { setTimeout(function() { fxNow = undefined; }); return ( fxNow = jQuery.now() ); } // Generate parameters to create a standard animation function genFx( type, includeWidth ) { var which, attrs = { height: type }, i = 0; // if we include width, step value is 1 to do all cssExpand values, // if we don't include width, step value is 2 to skip over Left and Right includeWidth = includeWidth ? 1 : 0; for ( ; i < 4 ; i += 2 - includeWidth ) { which = cssExpand[ i ]; attrs[ "margin" + which ] = attrs[ "padding" + which ] = type; } if ( includeWidth ) { attrs.opacity = attrs.width = type; } return attrs; } function createTween( value, prop, animation ) { var tween, collection = ( tweeners[ prop ] || [] ).concat( tweeners[ "*" ] ), index = 0, length = collection.length; for ( ; index < length; index++ ) { if ( (tween = collection[ index ].call( animation, prop, value )) ) { // we're done with this property return tween; } } } function defaultPrefilter( elem, props, opts ) { /* jshint validthis: true */ var prop, value, toggle, tween, hooks, oldfire, display, checkDisplay, anim = this, orig = {}, style = elem.style, hidden = elem.nodeType && isHidden( elem ), dataShow = jQuery._data( elem, "fxshow" ); // handle queue: false promises if ( !opts.queue ) { hooks = jQuery._queueHooks( elem, "fx" ); if ( hooks.unqueued == null ) { hooks.unqueued = 0; oldfire = hooks.empty.fire; hooks.empty.fire = function() { if ( !hooks.unqueued ) { oldfire(); } }; } hooks.unqueued++; anim.always(function() { // doing this makes sure that the complete handler will be called // before this completes anim.always(function() { hooks.unqueued--; if ( !jQuery.queue( elem, "fx" ).length ) { hooks.empty.fire(); } }); }); } // height/width overflow pass if ( elem.nodeType === 1 && ( "height" in props || "width" in props ) ) { // Make sure that nothing sneaks out // Record all 3 overflow attributes because IE does not // change the overflow attribute when overflowX and // overflowY are set to the same value opts.overflow = [ style.overflow, style.overflowX, style.overflowY ]; // Set display property to inline-block for height/width // animations on inline elements that are having width/height animated display = jQuery.css( elem, "display" ); // Test default display if display is currently "none" checkDisplay = display === "none" ? jQuery._data( elem, "olddisplay" ) || defaultDisplay( elem.nodeName ) : display; if ( checkDisplay === "inline" && jQuery.css( elem, "float" ) === "none" ) { // inline-level elements accept inline-block; // block-level elements need to be inline with layout if ( !support.inlineBlockNeedsLayout || defaultDisplay( elem.nodeName ) === "inline" ) { style.display = "inline-block"; } else { style.zoom = 1; } } } if ( opts.overflow ) { style.overflow = "hidden"; if ( !support.shrinkWrapBlocks() ) { anim.always(function() { style.overflow = opts.overflow[ 0 ]; style.overflowX = opts.overflow[ 1 ]; style.overflowY = opts.overflow[ 2 ]; }); } } // show/hide pass for ( prop in props ) { value = props[ prop ]; if ( rfxtypes.exec( value ) ) { delete props[ prop ]; toggle = toggle || value === "toggle"; if ( value === ( hidden ? "hide" : "show" ) ) { // If there is dataShow left over from a stopped hide or show and we are going to proceed with show, we should pretend to be hidden if ( value === "show" && dataShow && dataShow[ prop ] !== undefined ) { hidden = true; } else { continue; } } orig[ prop ] = dataShow && dataShow[ prop ] || jQuery.style( elem, prop ); // Any non-fx value stops us from restoring the original display value } else { display = undefined; } } if ( !jQuery.isEmptyObject( orig ) ) { if ( dataShow ) { if ( "hidden" in dataShow ) { hidden = dataShow.hidden; } } else { dataShow = jQuery._data( elem, "fxshow", {} ); } // store state if its toggle - enables .stop().toggle() to "reverse" if ( toggle ) { dataShow.hidden = !hidden; } if ( hidden ) { jQuery( elem ).show(); } else { anim.done(function() { jQuery( elem ).hide(); }); } anim.done(function() { var prop; jQuery._removeData( elem, "fxshow" ); for ( prop in orig ) { jQuery.style( elem, prop, orig[ prop ] ); } }); for ( prop in orig ) { tween = createTween( hidden ? dataShow[ prop ] : 0, prop, anim ); if ( !( prop in dataShow ) ) { dataShow[ prop ] = tween.start; if ( hidden ) { tween.end = tween.start; tween.start = prop === "width" || prop === "height" ? 1 : 0; } } } // If this is a noop like .hide().hide(), restore an overwritten display value } else if ( (display === "none" ? defaultDisplay( elem.nodeName ) : display) === "inline" ) { style.display = display; } } function propFilter( props, specialEasing ) { var index, name, easing, value, hooks; // camelCase, specialEasing and expand cssHook pass for ( index in props ) { name = jQuery.camelCase( index ); easing = specialEasing[ name ]; value = props[ index ]; if ( jQuery.isArray( value ) ) { easing = value[ 1 ]; value = props[ index ] = value[ 0 ]; } if ( index !== name ) { props[ name ] = value; delete props[ index ]; } hooks = jQuery.cssHooks[ name ]; if ( hooks && "expand" in hooks ) { value = hooks.expand( value ); delete props[ name ]; // not quite $.extend, this wont overwrite keys already present. // also - reusing 'index' from above because we have the correct "name" for ( index in value ) { if ( !( index in props ) ) { props[ index ] = value[ index ]; specialEasing[ index ] = easing; } } } else { specialEasing[ name ] = easing; } } } function Animation( elem, properties, options ) { var result, stopped, index = 0, length = animationPrefilters.length, deferred = jQuery.Deferred().always( function() { // don't match elem in the :animated selector delete tick.elem; }), tick = function() { if ( stopped ) { return false; } var currentTime = fxNow || createFxNow(), remaining = Math.max( 0, animation.startTime + animation.duration - currentTime ), // archaic crash bug won't allow us to use 1 - ( 0.5 || 0 ) (#12497) temp = remaining / animation.duration || 0, percent = 1 - temp, index = 0, length = animation.tweens.length; for ( ; index < length ; index++ ) { animation.tweens[ index ].run( percent ); } deferred.notifyWith( elem, [ animation, percent, remaining ]); if ( percent < 1 && length ) { return remaining; } else { deferred.resolveWith( elem, [ animation ] ); return false; } }, animation = deferred.promise({ elem: elem, props: jQuery.extend( {}, properties ), opts: jQuery.extend( true, { specialEasing: {} }, options ), originalProperties: properties, originalOptions: options, startTime: fxNow || createFxNow(), duration: options.duration, tweens: [], createTween: function( prop, end ) { var tween = jQuery.Tween( elem, animation.opts, prop, end, animation.opts.specialEasing[ prop ] || animation.opts.easing ); animation.tweens.push( tween ); return tween; }, stop: function( gotoEnd ) { var index = 0, // if we are going to the end, we want to run all the tweens // otherwise we skip this part length = gotoEnd ? animation.tweens.length : 0; if ( stopped ) { return this; } stopped = true; for ( ; index < length ; index++ ) { animation.tweens[ index ].run( 1 ); } // resolve when we played the last frame // otherwise, reject if ( gotoEnd ) { deferred.resolveWith( elem, [ animation, gotoEnd ] ); } else { deferred.rejectWith( elem, [ animation, gotoEnd ] ); } return this; } }), props = animation.props; propFilter( props, animation.opts.specialEasing ); for ( ; index < length ; index++ ) { result = animationPrefilters[ index ].call( animation, elem, props, animation.opts ); if ( result ) { return result; } } jQuery.map( props, createTween, animation ); if ( jQuery.isFunction( animation.opts.start ) ) { animation.opts.start.call( elem, animation ); } jQuery.fx.timer( jQuery.extend( tick, { elem: elem, anim: animation, queue: animation.opts.queue }) ); // attach callbacks from options return animation.progress( animation.opts.progress ) .done( animation.opts.done, animation.opts.complete ) .fail( animation.opts.fail ) .always( animation.opts.always ); } jQuery.Animation = jQuery.extend( Animation, { tweener: function( props, callback ) { if ( jQuery.isFunction( props ) ) { callback = props; props = [ "*" ]; } else { props = props.split(" "); } var prop, index = 0, length = props.length; for ( ; index < length ; index++ ) { prop = props[ index ]; tweeners[ prop ] = tweeners[ prop ] || []; tweeners[ prop ].unshift( callback ); } }, prefilter: function( callback, prepend ) { if ( prepend ) { animationPrefilters.unshift( callback ); } else { animationPrefilters.push( callback ); } } }); jQuery.speed = function( speed, easing, fn ) { var opt = speed && typeof speed === "object" ? jQuery.extend( {}, speed ) : { complete: fn || !fn && easing || jQuery.isFunction( speed ) && speed, duration: speed, easing: fn && easing || easing && !jQuery.isFunction( easing ) && easing }; opt.duration = jQuery.fx.off ? 0 : typeof opt.duration === "number" ? opt.duration : opt.duration in jQuery.fx.speeds ? jQuery.fx.speeds[ opt.duration ] : jQuery.fx.speeds._default; // normalize opt.queue - true/undefined/null -> "fx" if ( opt.queue == null || opt.queue === true ) { opt.queue = "fx"; } // Queueing opt.old = opt.complete; opt.complete = function() { if ( jQuery.isFunction( opt.old ) ) { opt.old.call( this ); } if ( opt.queue ) { jQuery.dequeue( this, opt.queue ); } }; return opt; }; jQuery.fn.extend({ fadeTo: function( speed, to, easing, callback ) { // show any hidden elements after setting opacity to 0 return this.filter( isHidden ).css( "opacity", 0 ).show() // animate to the value specified .end().animate({ opacity: to }, speed, easing, callback ); }, animate: function( prop, speed, easing, callback ) { var empty = jQuery.isEmptyObject( prop ), optall = jQuery.speed( speed, easing, callback ), doAnimation = function() { // Operate on a copy of prop so per-property easing won't be lost var anim = Animation( this, jQuery.extend( {}, prop ), optall ); // Empty animations, or finishing resolves immediately if ( empty || jQuery._data( this, "finish" ) ) { anim.stop( true ); } }; doAnimation.finish = doAnimation; return empty || optall.queue === false ? this.each( doAnimation ) : this.queue( optall.queue, doAnimation ); }, stop: function( type, clearQueue, gotoEnd ) { var stopQueue = function( hooks ) { var stop = hooks.stop; delete hooks.stop; stop( gotoEnd ); }; if ( typeof type !== "string" ) { gotoEnd = clearQueue; clearQueue = type; type = undefined; } if ( clearQueue && type !== false ) { this.queue( type || "fx", [] ); } return this.each(function() { var dequeue = true, index = type != null && type + "queueHooks", timers = jQuery.timers, data = jQuery._data( this ); if ( index ) { if ( data[ index ] && data[ index ].stop ) { stopQueue( data[ index ] ); } } else { for ( index in data ) { if ( data[ index ] && data[ index ].stop && rrun.test( index ) ) { stopQueue( data[ index ] ); } } } for ( index = timers.length; index--; ) { if ( timers[ index ].elem === this && (type == null || timers[ index ].queue === type) ) { timers[ index ].anim.stop( gotoEnd ); dequeue = false; timers.splice( index, 1 ); } } // start the next in the queue if the last step wasn't forced // timers currently will call their complete callbacks, which will dequeue // but only if they were gotoEnd if ( dequeue || !gotoEnd ) { jQuery.dequeue( this, type ); } }); }, finish: function( type ) { if ( type !== false ) { type = type || "fx"; } return this.each(function() { var index, data = jQuery._data( this ), queue = data[ type + "queue" ], hooks = data[ type + "queueHooks" ], timers = jQuery.timers, length = queue ? queue.length : 0; // enable finishing flag on private data data.finish = true; // empty the queue first jQuery.queue( this, type, [] ); if ( hooks && hooks.stop ) { hooks.stop.call( this, true ); } // look for any active animations, and finish them for ( index = timers.length; index--; ) { if ( timers[ index ].elem === this && timers[ index ].queue === type ) { timers[ index ].anim.stop( true ); timers.splice( index, 1 ); } } // look for any animations in the old queue and finish them for ( index = 0; index < length; index++ ) { if ( queue[ index ] && queue[ index ].finish ) { queue[ index ].finish.call( this ); } } // turn off finishing flag delete data.finish; }); } }); jQuery.each([ "toggle", "show", "hide" ], function( i, name ) { var cssFn = jQuery.fn[ name ]; jQuery.fn[ name ] = function( speed, easing, callback ) { return speed == null || typeof speed === "boolean" ? cssFn.apply( this, arguments ) : this.animate( genFx( name, true ), speed, easing, callback ); }; }); // Generate shortcuts for custom animations jQuery.each({ slideDown: genFx("show"), slideUp: genFx("hide"), slideToggle: genFx("toggle"), fadeIn: { opacity: "show" }, fadeOut: { opacity: "hide" }, fadeToggle: { opacity: "toggle" } }, function( name, props ) { jQuery.fn[ name ] = function( speed, easing, callback ) { return this.animate( props, speed, easing, callback ); }; }); jQuery.timers = []; jQuery.fx.tick = function() { var timer, timers = jQuery.timers, i = 0; fxNow = jQuery.now(); for ( ; i < timers.length; i++ ) { timer = timers[ i ]; // Checks the timer has not already been removed if ( !timer() && timers[ i ] === timer ) { timers.splice( i--, 1 ); } } if ( !timers.length ) { jQuery.fx.stop(); } fxNow = undefined; }; jQuery.fx.timer = function( timer ) { jQuery.timers.push( timer ); if ( timer() ) { jQuery.fx.start(); } else { jQuery.timers.pop(); } }; jQuery.fx.interval = 13; jQuery.fx.start = function() { if ( !timerId ) { timerId = setInterval( jQuery.fx.tick, jQuery.fx.interval ); } }; jQuery.fx.stop = function() { clearInterval( timerId ); timerId = null; }; jQuery.fx.speeds = { slow: 600, fast: 200, // Default speed _default: 400 }; // Based off of the plugin by Clint Helfers, with permission. // http://blindsignals.com/index.php/2009/07/jquery-delay/ jQuery.fn.delay = function( time, type ) { time = jQuery.fx ? jQuery.fx.speeds[ time ] || time : time; type = type || "fx"; return this.queue( type, function( next, hooks ) { var timeout = setTimeout( next, time ); hooks.stop = function() { clearTimeout( timeout ); }; }); }; (function() { // Minified: var a,b,c,d,e var input, div, select, a, opt; // Setup div = document.createElement( "div" ); div.setAttribute( "className", "t" ); div.innerHTML = " <link/><table></table><a href='/a'>a</a><input type='checkbox'/>"; a = div.getElementsByTagName("a")[ 0 ]; // First batch of tests. select = document.createElement("select"); opt = select.appendChild( document.createElement("option") ); input = div.getElementsByTagName("input")[ 0 ]; a.style.cssText = "top:1px"; // Test setAttribute on camelCase class. If it works, we need attrFixes when doing get/setAttribute (ie6/7) support.getSetAttribute = div.className !== "t"; // Get the style information from getAttribute // (IE uses .cssText instead) support.style = /top/.test( a.getAttribute("style") ); // Make sure that URLs aren't manipulated // (IE normalizes it by default) support.hrefNormalized = a.getAttribute("href") === "/a"; // Check the default checkbox/radio value ("" on WebKit; "on" elsewhere) support.checkOn = !!input.value; // Make sure that a selected-by-default option has a working selected property. // (WebKit defaults to false instead of true, IE too, if it's in an optgroup) support.optSelected = opt.selected; // Tests for enctype support on a form (#6743) support.enctype = !!document.createElement("form").enctype; // Make sure that the options inside disabled selects aren't marked as disabled // (WebKit marks them as disabled) select.disabled = true; support.optDisabled = !opt.disabled; // Support: IE8 only // Check if we can trust getAttribute("value") input = document.createElement( "input" ); input.setAttribute( "value", "" ); support.input = input.getAttribute( "value" ) === ""; // Check if an input maintains its value after becoming a radio input.value = "t"; input.setAttribute( "type", "radio" ); support.radioValue = input.value === "t"; })(); var rreturn = /\r/g; jQuery.fn.extend({ val: function( value ) { var hooks, ret, isFunction, elem = this[0]; if ( !arguments.length ) { if ( elem ) { hooks = jQuery.valHooks[ elem.type ] || jQuery.valHooks[ elem.nodeName.toLowerCase() ]; if ( hooks && "get" in hooks && (ret = hooks.get( elem, "value" )) !== undefined ) { return ret; } ret = elem.value; return typeof ret === "string" ? // handle most common string cases ret.replace(rreturn, "") : // handle cases where value is null/undef or number ret == null ? "" : ret; } return; } isFunction = jQuery.isFunction( value ); return this.each(function( i ) { var val; if ( this.nodeType !== 1 ) { return; } if ( isFunction ) { val = value.call( this, i, jQuery( this ).val() ); } else { val = value; } // Treat null/undefined as ""; convert numbers to string if ( val == null ) { val = ""; } else if ( typeof val === "number" ) { val += ""; } else if ( jQuery.isArray( val ) ) { val = jQuery.map( val, function( value ) { return value == null ? "" : value + ""; }); } hooks = jQuery.valHooks[ this.type ] || jQuery.valHooks[ this.nodeName.toLowerCase() ]; // If set returns undefined, fall back to normal setting if ( !hooks || !("set" in hooks) || hooks.set( this, val, "value" ) === undefined ) { this.value = val; } }); } }); jQuery.extend({ valHooks: { option: { get: function( elem ) { var val = jQuery.find.attr( elem, "value" ); return val != null ? val : // Support: IE10-11+ // option.text throws exceptions (#14686, #14858) jQuery.trim( jQuery.text( elem ) ); } }, select: { get: function( elem ) { var value, option, options = elem.options, index = elem.selectedIndex, one = elem.type === "select-one" || index < 0, values = one ? null : [], max = one ? index + 1 : options.length, i = index < 0 ? max : one ? index : 0; // Loop through all the selected options for ( ; i < max; i++ ) { option = options[ i ]; // oldIE doesn't update selected after form reset (#2551) if ( ( option.selected || i === index ) && // Don't return options that are disabled or in a disabled optgroup ( support.optDisabled ? !option.disabled : option.getAttribute("disabled") === null ) && ( !option.parentNode.disabled || !jQuery.nodeName( option.parentNode, "optgroup" ) ) ) { // Get the specific value for the option value = jQuery( option ).val(); // We don't need an array for one selects if ( one ) { return value; } // Multi-Selects return an array values.push( value ); } } return values; }, set: function( elem, value ) { var optionSet, option, options = elem.options, values = jQuery.makeArray( value ), i = options.length; while ( i-- ) { option = options[ i ]; if ( jQuery.inArray( jQuery.valHooks.option.get( option ), values ) >= 0 ) { // Support: IE6 // When new option element is added to select box we need to // force reflow of newly added node in order to workaround delay // of initialization properties try { option.selected = optionSet = true; } catch ( _ ) { // Will be executed only in IE6 option.scrollHeight; } } else { option.selected = false; } } // Force browsers to behave consistently when non-matching value is set if ( !optionSet ) { elem.selectedIndex = -1; } return options; } } } }); // Radios and checkboxes getter/setter jQuery.each([ "radio", "checkbox" ], function() { jQuery.valHooks[ this ] = { set: function( elem, value ) { if ( jQuery.isArray( value ) ) { return ( elem.checked = jQuery.inArray( jQuery(elem).val(), value ) >= 0 ); } } }; if ( !support.checkOn ) { jQuery.valHooks[ this ].get = function( elem ) { // Support: Webkit // "" is returned instead of "on" if a value isn't specified return elem.getAttribute("value") === null ? "on" : elem.value; }; } }); var nodeHook, boolHook, attrHandle = jQuery.expr.attrHandle, ruseDefault = /^(?:checked|selected)$/i, getSetAttribute = support.getSetAttribute, getSetInput = support.input; jQuery.fn.extend({ attr: function( name, value ) { return access( this, jQuery.attr, name, value, arguments.length > 1 ); }, removeAttr: function( name ) { return this.each(function() { jQuery.removeAttr( this, name ); }); } }); jQuery.extend({ attr: function( elem, name, value ) { var hooks, ret, nType = elem.nodeType; // don't get/set attributes on text, comment and attribute nodes if ( !elem || nType === 3 || nType === 8 || nType === 2 ) { return; } // Fallback to prop when attributes are not supported if ( typeof elem.getAttribute === strundefined ) { return jQuery.prop( elem, name, value ); } // All attributes are lowercase // Grab necessary hook if one is defined if ( nType !== 1 || !jQuery.isXMLDoc( elem ) ) { name = name.toLowerCase(); hooks = jQuery.attrHooks[ name ] || ( jQuery.expr.match.bool.test( name ) ? boolHook : nodeHook ); } if ( value !== undefined ) { if ( value === null ) { jQuery.removeAttr( elem, name ); } else if ( hooks && "set" in hooks && (ret = hooks.set( elem, value, name )) !== undefined ) { return ret; } else { elem.setAttribute( name, value + "" ); return value; } } else if ( hooks && "get" in hooks && (ret = hooks.get( elem, name )) !== null ) { return ret; } else { ret = jQuery.find.attr( elem, name ); // Non-existent attributes return null, we normalize to undefined return ret == null ? undefined : ret; } }, removeAttr: function( elem, value ) { var name, propName, i = 0, attrNames = value && value.match( rnotwhite ); if ( attrNames && elem.nodeType === 1 ) { while ( (name = attrNames[i++]) ) { propName = jQuery.propFix[ name ] || name; // Boolean attributes get special treatment (#10870) if ( jQuery.expr.match.bool.test( name ) ) { // Set corresponding property to false if ( getSetInput && getSetAttribute || !ruseDefault.test( name ) ) { elem[ propName ] = false; // Support: IE<9 // Also clear defaultChecked/defaultSelected (if appropriate) } else { elem[ jQuery.camelCase( "default-" + name ) ] = elem[ propName ] = false; } // See #9699 for explanation of this approach (setting first, then removal) } else { jQuery.attr( elem, name, "" ); } elem.removeAttribute( getSetAttribute ? name : propName ); } } }, attrHooks: { type: { set: function( elem, value ) { if ( !support.radioValue && value === "radio" && jQuery.nodeName(elem, "input") ) { // Setting the type on a radio button after the value resets the value in IE6-9 // Reset value to default in case type is set after value during creation var val = elem.value; elem.setAttribute( "type", value ); if ( val ) { elem.value = val; } return value; } } } } }); // Hook for boolean attributes boolHook = { set: function( elem, value, name ) { if ( value === false ) { // Remove boolean attributes when set to false jQuery.removeAttr( elem, name ); } else if ( getSetInput && getSetAttribute || !ruseDefault.test( name ) ) { // IE<8 needs the *property* name elem.setAttribute( !getSetAttribute && jQuery.propFix[ name ] || name, name ); // Use defaultChecked and defaultSelected for oldIE } else { elem[ jQuery.camelCase( "default-" + name ) ] = elem[ name ] = true; } return name; } }; // Retrieve booleans specially jQuery.each( jQuery.expr.match.bool.source.match( /\w+/g ), function( i, name ) { var getter = attrHandle[ name ] || jQuery.find.attr; attrHandle[ name ] = getSetInput && getSetAttribute || !ruseDefault.test( name ) ? function( elem, name, isXML ) { var ret, handle; if ( !isXML ) { // Avoid an infinite loop by temporarily removing this function from the getter handle = attrHandle[ name ]; attrHandle[ name ] = ret; ret = getter( elem, name, isXML ) != null ? name.toLowerCase() : null; attrHandle[ name ] = handle; } return ret; } : function( elem, name, isXML ) { if ( !isXML ) { return elem[ jQuery.camelCase( "default-" + name ) ] ? name.toLowerCase() : null; } }; }); // fix oldIE attroperties if ( !getSetInput || !getSetAttribute ) { jQuery.attrHooks.value = { set: function( elem, value, name ) { if ( jQuery.nodeName( elem, "input" ) ) { // Does not return so that setAttribute is also used elem.defaultValue = value; } else { // Use nodeHook if defined (#1954); otherwise setAttribute is fine return nodeHook && nodeHook.set( elem, value, name ); } } }; } // IE6/7 do not support getting/setting some attributes with get/setAttribute if ( !getSetAttribute ) { // Use this for any attribute in IE6/7 // This fixes almost every IE6/7 issue nodeHook = { set: function( elem, value, name ) { // Set the existing or create a new attribute node var ret = elem.getAttributeNode( name ); if ( !ret ) { elem.setAttributeNode( (ret = elem.ownerDocument.createAttribute( name )) ); } ret.value = value += ""; // Break association with cloned elements by also using setAttribute (#9646) if ( name === "value" || value === elem.getAttribute( name ) ) { return value; } } }; // Some attributes are constructed with empty-string values when not defined attrHandle.id = attrHandle.name = attrHandle.coords = function( elem, name, isXML ) { var ret; if ( !isXML ) { return (ret = elem.getAttributeNode( name )) && ret.value !== "" ? ret.value : null; } }; // Fixing value retrieval on a button requires this module jQuery.valHooks.button = { get: function( elem, name ) { var ret = elem.getAttributeNode( name ); if ( ret && ret.specified ) { return ret.value; } }, set: nodeHook.set }; // Set contenteditable to false on removals(#10429) // Setting to empty string throws an error as an invalid value jQuery.attrHooks.contenteditable = { set: function( elem, value, name ) { nodeHook.set( elem, value === "" ? false : value, name ); } }; // Set width and height to auto instead of 0 on empty string( Bug #8150 ) // This is for removals jQuery.each([ "width", "height" ], function( i, name ) { jQuery.attrHooks[ name ] = { set: function( elem, value ) { if ( value === "" ) { elem.setAttribute( name, "auto" ); return value; } } }; }); } if ( !support.style ) { jQuery.attrHooks.style = { get: function( elem ) { // Return undefined in the case of empty string // Note: IE uppercases css property names, but if we were to .toLowerCase() // .cssText, that would destroy case senstitivity in URL's, like in "background" return elem.style.cssText || undefined; }, set: function( elem, value ) { return ( elem.style.cssText = value + "" ); } }; } var rfocusable = /^(?:input|select|textarea|button|object)$/i, rclickable = /^(?:a|area)$/i; jQuery.fn.extend({ prop: function( name, value ) { return access( this, jQuery.prop, name, value, arguments.length > 1 ); }, removeProp: function( name ) { name = jQuery.propFix[ name ] || name; return this.each(function() { // try/catch handles cases where IE balks (such as removing a property on window) try { this[ name ] = undefined; delete this[ name ]; } catch( e ) {} }); } }); jQuery.extend({ propFix: { "for": "htmlFor", "class": "className" }, prop: function( elem, name, value ) { var ret, hooks, notxml, nType = elem.nodeType; // don't get/set properties on text, comment and attribute nodes if ( !elem || nType === 3 || nType === 8 || nType === 2 ) { return; } notxml = nType !== 1 || !jQuery.isXMLDoc( elem ); if ( notxml ) { // Fix name and attach hooks name = jQuery.propFix[ name ] || name; hooks = jQuery.propHooks[ name ]; } if ( value !== undefined ) { return hooks && "set" in hooks && (ret = hooks.set( elem, value, name )) !== undefined ? ret : ( elem[ name ] = value ); } else { return hooks && "get" in hooks && (ret = hooks.get( elem, name )) !== null ? ret : elem[ name ]; } }, propHooks: { tabIndex: { get: function( elem ) { // elem.tabIndex doesn't always return the correct value when it hasn't been explicitly set // http://fluidproject.org/blog/2008/01/09/getting-setting-and-removing-tabindex-values-with-javascript/ // Use proper attribute retrieval(#12072) var tabindex = jQuery.find.attr( elem, "tabindex" ); return tabindex ? parseInt( tabindex, 10 ) : rfocusable.test( elem.nodeName ) || rclickable.test( elem.nodeName ) && elem.href ? 0 : -1; } } } }); // Some attributes require a special call on IE // http://msdn.microsoft.com/en-us/library/ms536429%28VS.85%29.aspx if ( !support.hrefNormalized ) { // href/src property should get the full normalized URL (#10299/#12915) jQuery.each([ "href", "src" ], function( i, name ) { jQuery.propHooks[ name ] = { get: function( elem ) { return elem.getAttribute( name, 4 ); } }; }); } // Support: Safari, IE9+ // mis-reports the default selected property of an option // Accessing the parent's selectedIndex property fixes it if ( !support.optSelected ) { jQuery.propHooks.selected = { get: function( elem ) { var parent = elem.parentNode; if ( parent ) { parent.selectedIndex; // Make sure that it also works with optgroups, see #5701 if ( parent.parentNode ) { parent.parentNode.selectedIndex; } } return null; } }; } jQuery.each([ "tabIndex", "readOnly", "maxLength", "cellSpacing", "cellPadding", "rowSpan", "colSpan", "useMap", "frameBorder", "contentEditable" ], function() { jQuery.propFix[ this.toLowerCase() ] = this; }); // IE6/7 call enctype encoding if ( !support.enctype ) { jQuery.propFix.enctype = "encoding"; } var rclass = /[\t\r\n\f]/g; jQuery.fn.extend({ addClass: function( value ) { var classes, elem, cur, clazz, j, finalValue, i = 0, len = this.length, proceed = typeof value === "string" && value; if ( jQuery.isFunction( value ) ) { return this.each(function( j ) { jQuery( this ).addClass( value.call( this, j, this.className ) ); }); } if ( proceed ) { // The disjunction here is for better compressibility (see removeClass) classes = ( value || "" ).match( rnotwhite ) || []; for ( ; i < len; i++ ) { elem = this[ i ]; cur = elem.nodeType === 1 && ( elem.className ? ( " " + elem.className + " " ).replace( rclass, " " ) : " " ); if ( cur ) { j = 0; while ( (clazz = classes[j++]) ) { if ( cur.indexOf( " " + clazz + " " ) < 0 ) { cur += clazz + " "; } } // only assign if different to avoid unneeded rendering. finalValue = jQuery.trim( cur ); if ( elem.className !== finalValue ) { elem.className = finalValue; } } } } return this; }, removeClass: function( value ) { var classes, elem, cur, clazz, j, finalValue, i = 0, len = this.length, proceed = arguments.length === 0 || typeof value === "string" && value; if ( jQuery.isFunction( value ) ) { return this.each(function( j ) { jQuery( this ).removeClass( value.call( this, j, this.className ) ); }); } if ( proceed ) { classes = ( value || "" ).match( rnotwhite ) || []; for ( ; i < len; i++ ) { elem = this[ i ]; // This expression is here for better compressibility (see addClass) cur = elem.nodeType === 1 && ( elem.className ? ( " " + elem.className + " " ).replace( rclass, " " ) : "" ); if ( cur ) { j = 0; while ( (clazz = classes[j++]) ) { // Remove *all* instances while ( cur.indexOf( " " + clazz + " " ) >= 0 ) { cur = cur.replace( " " + clazz + " ", " " ); } } // only assign if different to avoid unneeded rendering. finalValue = value ? jQuery.trim( cur ) : ""; if ( elem.className !== finalValue ) { elem.className = finalValue; } } } } return this; }, toggleClass: function( value, stateVal ) { var type = typeof value; if ( typeof stateVal === "boolean" && type === "string" ) { return stateVal ? this.addClass( value ) : this.removeClass( value ); } if ( jQuery.isFunction( value ) ) { return this.each(function( i ) { jQuery( this ).toggleClass( value.call(this, i, this.className, stateVal), stateVal ); }); } return this.each(function() { if ( type === "string" ) { // toggle individual class names var className, i = 0, self = jQuery( this ), classNames = value.match( rnotwhite ) || []; while ( (className = classNames[ i++ ]) ) { // check each className given, space separated list if ( self.hasClass( className ) ) { self.removeClass( className ); } else { self.addClass( className ); } } // Toggle whole class name } else if ( type === strundefined || type === "boolean" ) { if ( this.className ) { // store className if set jQuery._data( this, "__className__", this.className ); } // If the element has a class name or if we're passed "false", // then remove the whole classname (if there was one, the above saved it). // Otherwise bring back whatever was previously saved (if anything), // falling back to the empty string if nothing was stored. this.className = this.className || value === false ? "" : jQuery._data( this, "__className__" ) || ""; } }); }, hasClass: function( selector ) { var className = " " + selector + " ", i = 0, l = this.length; for ( ; i < l; i++ ) { if ( this[i].nodeType === 1 && (" " + this[i].className + " ").replace(rclass, " ").indexOf( className ) >= 0 ) { return true; } } return false; } }); // Return jQuery for attributes-only inclusion jQuery.each( ("blur focus focusin focusout load resize scroll unload click dblclick " + "mousedown mouseup mousemove mouseover mouseout mouseenter mouseleave " + "change select submit keydown keypress keyup error contextmenu").split(" "), function( i, name ) { // Handle event binding jQuery.fn[ name ] = function( data, fn ) { return arguments.length > 0 ? this.on( name, null, data, fn ) : this.trigger( name ); }; }); jQuery.fn.extend({ hover: function( fnOver, fnOut ) { return this.mouseenter( fnOver ).mouseleave( fnOut || fnOver ); }, bind: function( types, data, fn ) { return this.on( types, null, data, fn ); }, unbind: function( types, fn ) { return this.off( types, null, fn ); }, delegate: function( selector, types, data, fn ) { return this.on( types, selector, data, fn ); }, undelegate: function( selector, types, fn ) { // ( namespace ) or ( selector, types [, fn] ) return arguments.length === 1 ? this.off( selector, "**" ) : this.off( types, selector || "**", fn ); } }); var nonce = jQuery.now(); var rquery = (/\?/); var rvalidtokens = /(,)|(\[|{)|(}|])|"(?:[^"\\\r\n]|\\["\\\/bfnrt]|\\u[\da-fA-F]{4})*"\s*:?|true|false|null|-?(?!0\d)\d+(?:\.\d+|)(?:[eE][+-]?\d+|)/g; jQuery.parseJSON = function( data ) { // Attempt to parse using the native JSON parser first if ( window.JSON && window.JSON.parse ) { // Support: Android 2.3 // Workaround failure to string-cast null input return window.JSON.parse( data + "" ); } var requireNonComma, depth = null, str = jQuery.trim( data + "" ); // Guard against invalid (and possibly dangerous) input by ensuring that nothing remains // after removing valid tokens return str && !jQuery.trim( str.replace( rvalidtokens, function( token, comma, open, close ) { // Force termination if we see a misplaced comma if ( requireNonComma && comma ) { depth = 0; } // Perform no more replacements after returning to outermost depth if ( depth === 0 ) { return token; } // Commas must not follow "[", "{", or "," requireNonComma = open || comma; // Determine new depth // array/object open ("[" or "{"): depth += true - false (increment) // array/object close ("]" or "}"): depth += false - true (decrement) // other cases ("," or primitive): depth += true - true (numeric cast) depth += !close - !open; // Remove this token return ""; }) ) ? ( Function( "return " + str ) )() : jQuery.error( "Invalid JSON: " + data ); }; // Cross-browser xml parsing jQuery.parseXML = function( data ) { var xml, tmp; if ( !data || typeof data !== "string" ) { return null; } try { if ( window.DOMParser ) { // Standard tmp = new DOMParser(); xml = tmp.parseFromString( data, "text/xml" ); } else { // IE xml = new ActiveXObject( "Microsoft.XMLDOM" ); xml.async = "false"; xml.loadXML( data ); } } catch( e ) { xml = undefined; } if ( !xml || !xml.documentElement || xml.getElementsByTagName( "parsererror" ).length ) { jQuery.error( "Invalid XML: " + data ); } return xml; }; var // Document location ajaxLocParts, ajaxLocation, rhash = /#.*$/, rts = /([?&])_=[^&]*/, rheaders = /^(.*?):[ \t]*([^\r\n]*)\r?$/mg, // IE leaves an \r character at EOL // #7653, #8125, #8152: local protocol detection rlocalProtocol = /^(?:about|app|app-storage|.+-extension|file|res|widget):$/, rnoContent = /^(?:GET|HEAD)$/, rprotocol = /^\/\//, rurl = /^([\w.+-]+:)(?:\/\/(?:[^\/?#]*@|)([^\/?#:]*)(?::(\d+)|)|)/, /* Prefilters * 1) They are useful to introduce custom dataTypes (see ajax/jsonp.js for an example) * 2) These are called: * - BEFORE asking for a transport * - AFTER param serialization (s.data is a string if s.processData is true) * 3) key is the dataType * 4) the catchall symbol "*" can be used * 5) execution will start with transport dataType and THEN continue down to "*" if needed */ prefilters = {}, /* Transports bindings * 1) key is the dataType * 2) the catchall symbol "*" can be used * 3) selection will start with transport dataType and THEN go to "*" if needed */ transports = {}, // Avoid comment-prolog char sequence (#10098); must appease lint and evade compression allTypes = "*/".concat("*"); // #8138, IE may throw an exception when accessing // a field from window.location if document.domain has been set try { ajaxLocation = location.href; } catch( e ) { // Use the href attribute of an A element // since IE will modify it given document.location ajaxLocation = document.createElement( "a" ); ajaxLocation.href = ""; ajaxLocation = ajaxLocation.href; } // Segment location into parts ajaxLocParts = rurl.exec( ajaxLocation.toLowerCase() ) || []; // Base "constructor" for jQuery.ajaxPrefilter and jQuery.ajaxTransport function addToPrefiltersOrTransports( structure ) { // dataTypeExpression is optional and defaults to "*" return function( dataTypeExpression, func ) { if ( typeof dataTypeExpression !== "string" ) { func = dataTypeExpression; dataTypeExpression = "*"; } var dataType, i = 0, dataTypes = dataTypeExpression.toLowerCase().match( rnotwhite ) || []; if ( jQuery.isFunction( func ) ) { // For each dataType in the dataTypeExpression while ( (dataType = dataTypes[i++]) ) { // Prepend if requested if ( dataType.charAt( 0 ) === "+" ) { dataType = dataType.slice( 1 ) || "*"; (structure[ dataType ] = structure[ dataType ] || []).unshift( func ); // Otherwise append } else { (structure[ dataType ] = structure[ dataType ] || []).push( func ); } } } }; } // Base inspection function for prefilters and transports function inspectPrefiltersOrTransports( structure, options, originalOptions, jqXHR ) { var inspected = {}, seekingTransport = ( structure === transports ); function inspect( dataType ) { var selected; inspected[ dataType ] = true; jQuery.each( structure[ dataType ] || [], function( _, prefilterOrFactory ) { var dataTypeOrTransport = prefilterOrFactory( options, originalOptions, jqXHR ); if ( typeof dataTypeOrTransport === "string" && !seekingTransport && !inspected[ dataTypeOrTransport ] ) { options.dataTypes.unshift( dataTypeOrTransport ); inspect( dataTypeOrTransport ); return false; } else if ( seekingTransport ) { return !( selected = dataTypeOrTransport ); } }); return selected; } return inspect( options.dataTypes[ 0 ] ) || !inspected[ "*" ] && inspect( "*" ); } // A special extend for ajax options // that takes "flat" options (not to be deep extended) // Fixes #9887 function ajaxExtend( target, src ) { var deep, key, flatOptions = jQuery.ajaxSettings.flatOptions || {}; for ( key in src ) { if ( src[ key ] !== undefined ) { ( flatOptions[ key ] ? target : ( deep || (deep = {}) ) )[ key ] = src[ key ]; } } if ( deep ) { jQuery.extend( true, target, deep ); } return target; } /* Handles responses to an ajax request: * - finds the right dataType (mediates between content-type and expected dataType) * - returns the corresponding response */ function ajaxHandleResponses( s, jqXHR, responses ) { var firstDataType, ct, finalDataType, type, contents = s.contents, dataTypes = s.dataTypes; // Remove auto dataType and get content-type in the process while ( dataTypes[ 0 ] === "*" ) { dataTypes.shift(); if ( ct === undefined ) { ct = s.mimeType || jqXHR.getResponseHeader("Content-Type"); } } // Check if we're dealing with a known content-type if ( ct ) { for ( type in contents ) { if ( contents[ type ] && contents[ type ].test( ct ) ) { dataTypes.unshift( type ); break; } } } // Check to see if we have a response for the expected dataType if ( dataTypes[ 0 ] in responses ) { finalDataType = dataTypes[ 0 ]; } else { // Try convertible dataTypes for ( type in responses ) { if ( !dataTypes[ 0 ] || s.converters[ type + " " + dataTypes[0] ] ) { finalDataType = type; break; } if ( !firstDataType ) { firstDataType = type; } } // Or just use first one finalDataType = finalDataType || firstDataType; } // If we found a dataType // We add the dataType to the list if needed // and return the corresponding response if ( finalDataType ) { if ( finalDataType !== dataTypes[ 0 ] ) { dataTypes.unshift( finalDataType ); } return responses[ finalDataType ]; } } /* Chain conversions given the request and the original response * Also sets the responseXXX fields on the jqXHR instance */ function ajaxConvert( s, response, jqXHR, isSuccess ) { var conv2, current, conv, tmp, prev, converters = {}, // Work with a copy of dataTypes in case we need to modify it for conversion dataTypes = s.dataTypes.slice(); // Create converters map with lowercased keys if ( dataTypes[ 1 ] ) { for ( conv in s.converters ) { converters[ conv.toLowerCase() ] = s.converters[ conv ]; } } current = dataTypes.shift(); // Convert to each sequential dataType while ( current ) { if ( s.responseFields[ current ] ) { jqXHR[ s.responseFields[ current ] ] = response; } // Apply the dataFilter if provided if ( !prev && isSuccess && s.dataFilter ) { response = s.dataFilter( response, s.dataType ); } prev = current; current = dataTypes.shift(); if ( current ) { // There's only work to do if current dataType is non-auto if ( current === "*" ) { current = prev; // Convert response if prev dataType is non-auto and differs from current } else if ( prev !== "*" && prev !== current ) { // Seek a direct converter conv = converters[ prev + " " + current ] || converters[ "* " + current ]; // If none found, seek a pair if ( !conv ) { for ( conv2 in converters ) { // If conv2 outputs current tmp = conv2.split( " " ); if ( tmp[ 1 ] === current ) { // If prev can be converted to accepted input conv = converters[ prev + " " + tmp[ 0 ] ] || converters[ "* " + tmp[ 0 ] ]; if ( conv ) { // Condense equivalence converters if ( conv === true ) { conv = converters[ conv2 ]; // Otherwise, insert the intermediate dataType } else if ( converters[ conv2 ] !== true ) { current = tmp[ 0 ]; dataTypes.unshift( tmp[ 1 ] ); } break; } } } } // Apply converter (if not an equivalence) if ( conv !== true ) { // Unless errors are allowed to bubble, catch and return them if ( conv && s[ "throws" ] ) { response = conv( response ); } else { try { response = conv( response ); } catch ( e ) { return { state: "parsererror", error: conv ? e : "No conversion from " + prev + " to " + current }; } } } } } } return { state: "success", data: response }; } jQuery.extend({ // Counter for holding the number of active queries active: 0, // Last-Modified header cache for next request lastModified: {}, etag: {}, ajaxSettings: { url: ajaxLocation, type: "GET", isLocal: rlocalProtocol.test( ajaxLocParts[ 1 ] ), global: true, processData: true, async: true, contentType: "application/x-www-form-urlencoded; charset=UTF-8", /* timeout: 0, data: null, dataType: null, username: null, password: null, cache: null, throws: false, traditional: false, headers: {}, */ accepts: { "*": allTypes, text: "text/plain", html: "text/html", xml: "application/xml, text/xml", json: "application/json, text/javascript" }, contents: { xml: /xml/, html: /html/, json: /json/ }, responseFields: { xml: "responseXML", text: "responseText", json: "responseJSON" }, // Data converters // Keys separate source (or catchall "*") and destination types with a single space converters: { // Convert anything to text "* text": String, // Text to html (true = no transformation) "text html": true, // Evaluate text as a json expression "text json": jQuery.parseJSON, // Parse text as xml "text xml": jQuery.parseXML }, // For options that shouldn't be deep extended: // you can add your own custom options here if // and when you create one that shouldn't be // deep extended (see ajaxExtend) flatOptions: { url: true, context: true } }, // Creates a full fledged settings object into target // with both ajaxSettings and settings fields. // If target is omitted, writes into ajaxSettings. ajaxSetup: function( target, settings ) { return settings ? // Building a settings object ajaxExtend( ajaxExtend( target, jQuery.ajaxSettings ), settings ) : // Extending ajaxSettings ajaxExtend( jQuery.ajaxSettings, target ); }, ajaxPrefilter: addToPrefiltersOrTransports( prefilters ), ajaxTransport: addToPrefiltersOrTransports( transports ), // Main method ajax: function( url, options ) { // If url is an object, simulate pre-1.5 signature if ( typeof url === "object" ) { options = url; url = undefined; } // Force options to be an object options = options || {}; var // Cross-domain detection vars parts, // Loop variable i, // URL without anti-cache param cacheURL, // Response headers as string responseHeadersString, // timeout handle timeoutTimer, // To know if global events are to be dispatched fireGlobals, transport, // Response headers responseHeaders, // Create the final options object s = jQuery.ajaxSetup( {}, options ), // Callbacks context callbackContext = s.context || s, // Context for global events is callbackContext if it is a DOM node or jQuery collection globalEventContext = s.context && ( callbackContext.nodeType || callbackContext.jquery ) ? jQuery( callbackContext ) : jQuery.event, // Deferreds deferred = jQuery.Deferred(), completeDeferred = jQuery.Callbacks("once memory"), // Status-dependent callbacks statusCode = s.statusCode || {}, // Headers (they are sent all at once) requestHeaders = {}, requestHeadersNames = {}, // The jqXHR state state = 0, // Default abort message strAbort = "canceled", // Fake xhr jqXHR = { readyState: 0, // Builds headers hashtable if needed getResponseHeader: function( key ) { var match; if ( state === 2 ) { if ( !responseHeaders ) { responseHeaders = {}; while ( (match = rheaders.exec( responseHeadersString )) ) { responseHeaders[ match[1].toLowerCase() ] = match[ 2 ]; } } match = responseHeaders[ key.toLowerCase() ]; } return match == null ? null : match; }, // Raw string getAllResponseHeaders: function() { return state === 2 ? responseHeadersString : null; }, // Caches the header setRequestHeader: function( name, value ) { var lname = name.toLowerCase(); if ( !state ) { name = requestHeadersNames[ lname ] = requestHeadersNames[ lname ] || name; requestHeaders[ name ] = value; } return this; }, // Overrides response content-type header overrideMimeType: function( type ) { if ( !state ) { s.mimeType = type; } return this; }, // Status-dependent callbacks statusCode: function( map ) { var code; if ( map ) { if ( state < 2 ) { for ( code in map ) { // Lazy-add the new callback in a way that preserves old ones statusCode[ code ] = [ statusCode[ code ], map[ code ] ]; } } else { // Execute the appropriate callbacks jqXHR.always( map[ jqXHR.status ] ); } } return this; }, // Cancel the request abort: function( statusText ) { var finalText = statusText || strAbort; if ( transport ) { transport.abort( finalText ); } done( 0, finalText ); return this; } }; // Attach deferreds deferred.promise( jqXHR ).complete = completeDeferred.add; jqXHR.success = jqXHR.done; jqXHR.error = jqXHR.fail; // Remove hash character (#7531: and string promotion) // Add protocol if not provided (#5866: IE7 issue with protocol-less urls) // Handle falsy url in the settings object (#10093: consistency with old signature) // We also use the url parameter if available s.url = ( ( url || s.url || ajaxLocation ) + "" ).replace( rhash, "" ).replace( rprotocol, ajaxLocParts[ 1 ] + "//" ); // Alias method option to type as per ticket #12004 s.type = options.method || options.type || s.method || s.type; // Extract dataTypes list s.dataTypes = jQuery.trim( s.dataType || "*" ).toLowerCase().match( rnotwhite ) || [ "" ]; // A cross-domain request is in order when we have a protocol:host:port mismatch if ( s.crossDomain == null ) { parts = rurl.exec( s.url.toLowerCase() ); s.crossDomain = !!( parts && ( parts[ 1 ] !== ajaxLocParts[ 1 ] || parts[ 2 ] !== ajaxLocParts[ 2 ] || ( parts[ 3 ] || ( parts[ 1 ] === "http:" ? "80" : "443" ) ) !== ( ajaxLocParts[ 3 ] || ( ajaxLocParts[ 1 ] === "http:" ? "80" : "443" ) ) ) ); } // Convert data if not already a string if ( s.data && s.processData && typeof s.data !== "string" ) { s.data = jQuery.param( s.data, s.traditional ); } // Apply prefilters inspectPrefiltersOrTransports( prefilters, s, options, jqXHR ); // If request was aborted inside a prefilter, stop there if ( state === 2 ) { return jqXHR; } // We can fire global events as of now if asked to // Don't fire events if jQuery.event is undefined in an AMD-usage scenario (#15118) fireGlobals = jQuery.event && s.global; // Watch for a new set of requests if ( fireGlobals && jQuery.active++ === 0 ) { jQuery.event.trigger("ajaxStart"); } // Uppercase the type s.type = s.type.toUpperCase(); // Determine if request has content s.hasContent = !rnoContent.test( s.type ); // Save the URL in case we're toying with the If-Modified-Since // and/or If-None-Match header later on cacheURL = s.url; // More options handling for requests with no content if ( !s.hasContent ) { // If data is available, append data to url if ( s.data ) { cacheURL = ( s.url += ( rquery.test( cacheURL ) ? "&" : "?" ) + s.data ); // #9682: remove data so that it's not used in an eventual retry delete s.data; } // Add anti-cache in url if needed if ( s.cache === false ) { s.url = rts.test( cacheURL ) ? // If there is already a '_' parameter, set its value cacheURL.replace( rts, "$1_=" + nonce++ ) : // Otherwise add one to the end cacheURL + ( rquery.test( cacheURL ) ? "&" : "?" ) + "_=" + nonce++; } } // Set the If-Modified-Since and/or If-None-Match header, if in ifModified mode. if ( s.ifModified ) { if ( jQuery.lastModified[ cacheURL ] ) { jqXHR.setRequestHeader( "If-Modified-Since", jQuery.lastModified[ cacheURL ] ); } if ( jQuery.etag[ cacheURL ] ) { jqXHR.setRequestHeader( "If-None-Match", jQuery.etag[ cacheURL ] ); } } // Set the correct header, if data is being sent if ( s.data && s.hasContent && s.contentType !== false || options.contentType ) { jqXHR.setRequestHeader( "Content-Type", s.contentType ); } // Set the Accepts header for the server, depending on the dataType jqXHR.setRequestHeader( "Accept", s.dataTypes[ 0 ] && s.accepts[ s.dataTypes[0] ] ? s.accepts[ s.dataTypes[0] ] + ( s.dataTypes[ 0 ] !== "*" ? ", " + allTypes + "; q=0.01" : "" ) : s.accepts[ "*" ] ); // Check for headers option for ( i in s.headers ) { jqXHR.setRequestHeader( i, s.headers[ i ] ); } // Allow custom headers/mimetypes and early abort if ( s.beforeSend && ( s.beforeSend.call( callbackContext, jqXHR, s ) === false || state === 2 ) ) { // Abort if not done already and return return jqXHR.abort(); } // aborting is no longer a cancellation strAbort = "abort"; // Install callbacks on deferreds for ( i in { success: 1, error: 1, complete: 1 } ) { jqXHR[ i ]( s[ i ] ); } // Get transport transport = inspectPrefiltersOrTransports( transports, s, options, jqXHR ); // If no transport, we auto-abort if ( !transport ) { done( -1, "No Transport" ); } else { jqXHR.readyState = 1; // Send global event if ( fireGlobals ) { globalEventContext.trigger( "ajaxSend", [ jqXHR, s ] ); } // Timeout if ( s.async && s.timeout > 0 ) { timeoutTimer = setTimeout(function() { jqXHR.abort("timeout"); }, s.timeout ); } try { state = 1; transport.send( requestHeaders, done ); } catch ( e ) { // Propagate exception as error if not done if ( state < 2 ) { done( -1, e ); // Simply rethrow otherwise } else { throw e; } } } // Callback for when everything is done function done( status, nativeStatusText, responses, headers ) { var isSuccess, success, error, response, modified, statusText = nativeStatusText; // Called once if ( state === 2 ) { return; } // State is "done" now state = 2; // Clear timeout if it exists if ( timeoutTimer ) { clearTimeout( timeoutTimer ); } // Dereference transport for early garbage collection // (no matter how long the jqXHR object will be used) transport = undefined; // Cache response headers responseHeadersString = headers || ""; // Set readyState jqXHR.readyState = status > 0 ? 4 : 0; // Determine if successful isSuccess = status >= 200 && status < 300 || status === 304; // Get response data if ( responses ) { response = ajaxHandleResponses( s, jqXHR, responses ); } // Convert no matter what (that way responseXXX fields are always set) response = ajaxConvert( s, response, jqXHR, isSuccess ); // If successful, handle type chaining if ( isSuccess ) { // Set the If-Modified-Since and/or If-None-Match header, if in ifModified mode. if ( s.ifModified ) { modified = jqXHR.getResponseHeader("Last-Modified"); if ( modified ) { jQuery.lastModified[ cacheURL ] = modified; } modified = jqXHR.getResponseHeader("etag"); if ( modified ) { jQuery.etag[ cacheURL ] = modified; } } // if no content if ( status === 204 || s.type === "HEAD" ) { statusText = "nocontent"; // if not modified } else if ( status === 304 ) { statusText = "notmodified"; // If we have data, let's convert it } else { statusText = response.state; success = response.data; error = response.error; isSuccess = !error; } } else { // We extract error from statusText // then normalize statusText and status for non-aborts error = statusText; if ( status || !statusText ) { statusText = "error"; if ( status < 0 ) { status = 0; } } } // Set data for the fake xhr object jqXHR.status = status; jqXHR.statusText = ( nativeStatusText || statusText ) + ""; // Success/Error if ( isSuccess ) { deferred.resolveWith( callbackContext, [ success, statusText, jqXHR ] ); } else { deferred.rejectWith( callbackContext, [ jqXHR, statusText, error ] ); } // Status-dependent callbacks jqXHR.statusCode( statusCode ); statusCode = undefined; if ( fireGlobals ) { globalEventContext.trigger( isSuccess ? "ajaxSuccess" : "ajaxError", [ jqXHR, s, isSuccess ? success : error ] ); } // Complete completeDeferred.fireWith( callbackContext, [ jqXHR, statusText ] ); if ( fireGlobals ) { globalEventContext.trigger( "ajaxComplete", [ jqXHR, s ] ); // Handle the global AJAX counter if ( !( --jQuery.active ) ) { jQuery.event.trigger("ajaxStop"); } } } return jqXHR; }, getJSON: function( url, data, callback ) { return jQuery.get( url, data, callback, "json" ); }, getScript: function( url, callback ) { return jQuery.get( url, undefined, callback, "script" ); } }); jQuery.each( [ "get", "post" ], function( i, method ) { jQuery[ method ] = function( url, data, callback, type ) { // shift arguments if data argument was omitted if ( jQuery.isFunction( data ) ) { type = type || callback; callback = data; data = undefined; } return jQuery.ajax({ url: url, type: method, dataType: type, data: data, success: callback }); }; }); jQuery._evalUrl = function( url ) { return jQuery.ajax({ url: url, type: "GET", dataType: "script", async: false, global: false, "throws": true }); }; jQuery.fn.extend({ wrapAll: function( html ) { if ( jQuery.isFunction( html ) ) { return this.each(function(i) { jQuery(this).wrapAll( html.call(this, i) ); }); } if ( this[0] ) { // The elements to wrap the target around var wrap = jQuery( html, this[0].ownerDocument ).eq(0).clone(true); if ( this[0].parentNode ) { wrap.insertBefore( this[0] ); } wrap.map(function() { var elem = this; while ( elem.firstChild && elem.firstChild.nodeType === 1 ) { elem = elem.firstChild; } return elem; }).append( this ); } return this; }, wrapInner: function( html ) { if ( jQuery.isFunction( html ) ) { return this.each(function(i) { jQuery(this).wrapInner( html.call(this, i) ); }); } return this.each(function() { var self = jQuery( this ), contents = self.contents(); if ( contents.length ) { contents.wrapAll( html ); } else { self.append( html ); } }); }, wrap: function( html ) { var isFunction = jQuery.isFunction( html ); return this.each(function(i) { jQuery( this ).wrapAll( isFunction ? html.call(this, i) : html ); }); }, unwrap: function() { return this.parent().each(function() { if ( !jQuery.nodeName( this, "body" ) ) { jQuery( this ).replaceWith( this.childNodes ); } }).end(); } }); jQuery.expr.filters.hidden = function( elem ) { // Support: Opera <= 12.12 // Opera reports offsetWidths and offsetHeights less than zero on some elements return elem.offsetWidth <= 0 && elem.offsetHeight <= 0 || (!support.reliableHiddenOffsets() && ((elem.style && elem.style.display) || jQuery.css( elem, "display" )) === "none"); }; jQuery.expr.filters.visible = function( elem ) { return !jQuery.expr.filters.hidden( elem ); }; var r20 = /%20/g, rbracket = /\[\]$/, rCRLF = /\r?\n/g, rsubmitterTypes = /^(?:submit|button|image|reset|file)$/i, rsubmittable = /^(?:input|select|textarea|keygen)/i; function buildParams( prefix, obj, traditional, add ) { var name; if ( jQuery.isArray( obj ) ) { // Serialize array item. jQuery.each( obj, function( i, v ) { if ( traditional || rbracket.test( prefix ) ) { // Treat each array item as a scalar. add( prefix, v ); } else { // Item is non-scalar (array or object), encode its numeric index. buildParams( prefix + "[" + ( typeof v === "object" ? i : "" ) + "]", v, traditional, add ); } }); } else if ( !traditional && jQuery.type( obj ) === "object" ) { // Serialize object item. for ( name in obj ) { buildParams( prefix + "[" + name + "]", obj[ name ], traditional, add ); } } else { // Serialize scalar item. add( prefix, obj ); } } // Serialize an array of form elements or a set of // key/values into a query string jQuery.param = function( a, traditional ) { var prefix, s = [], add = function( key, value ) { // If value is a function, invoke it and return its value value = jQuery.isFunction( value ) ? value() : ( value == null ? "" : value ); s[ s.length ] = encodeURIComponent( key ) + "=" + encodeURIComponent( value ); }; // Set traditional to true for jQuery <= 1.3.2 behavior. if ( traditional === undefined ) { traditional = jQuery.ajaxSettings && jQuery.ajaxSettings.traditional; } // If an array was passed in, assume that it is an array of form elements. if ( jQuery.isArray( a ) || ( a.jquery && !jQuery.isPlainObject( a ) ) ) { // Serialize the form elements jQuery.each( a, function() { add( this.name, this.value ); }); } else { // If traditional, encode the "old" way (the way 1.3.2 or older // did it), otherwise encode params recursively. for ( prefix in a ) { buildParams( prefix, a[ prefix ], traditional, add ); } } // Return the resulting serialization return s.join( "&" ).replace( r20, "+" ); }; jQuery.fn.extend({ serialize: function() { return jQuery.param( this.serializeArray() ); }, serializeArray: function() { return this.map(function() { // Can add propHook for "elements" to filter or add form elements var elements = jQuery.prop( this, "elements" ); return elements ? jQuery.makeArray( elements ) : this; }) .filter(function() { var type = this.type; // Use .is(":disabled") so that fieldset[disabled] works return this.name && !jQuery( this ).is( ":disabled" ) && rsubmittable.test( this.nodeName ) && !rsubmitterTypes.test( type ) && ( this.checked || !rcheckableType.test( type ) ); }) .map(function( i, elem ) { var val = jQuery( this ).val(); return val == null ? null : jQuery.isArray( val ) ? jQuery.map( val, function( val ) { return { name: elem.name, value: val.replace( rCRLF, "\r\n" ) }; }) : { name: elem.name, value: val.replace( rCRLF, "\r\n" ) }; }).get(); } }); // Create the request object // (This is still attached to ajaxSettings for backward compatibility) jQuery.ajaxSettings.xhr = window.ActiveXObject !== undefined ? // Support: IE6+ function() { // XHR cannot access local files, always use ActiveX for that case return !this.isLocal && // Support: IE7-8 // oldIE XHR does not support non-RFC2616 methods (#13240) // See http://msdn.microsoft.com/en-us/library/ie/ms536648(v=vs.85).aspx // and http://www.w3.org/Protocols/rfc2616/rfc2616-sec9.html#sec9 // Although this check for six methods instead of eight // since IE also does not support "trace" and "connect" /^(get|post|head|put|delete|options)$/i.test( this.type ) && createStandardXHR() || createActiveXHR(); } : // For all other browsers, use the standard XMLHttpRequest object createStandardXHR; var xhrId = 0, xhrCallbacks = {}, xhrSupported = jQuery.ajaxSettings.xhr(); // Support: IE<10 // Open requests must be manually aborted on unload (#5280) // See https://support.microsoft.com/kb/2856746 for more info if ( window.attachEvent ) { window.attachEvent( "onunload", function() { for ( var key in xhrCallbacks ) { xhrCallbacks[ key ]( undefined, true ); } }); } // Determine support properties support.cors = !!xhrSupported && ( "withCredentials" in xhrSupported ); xhrSupported = support.ajax = !!xhrSupported; // Create transport if the browser can provide an xhr if ( xhrSupported ) { jQuery.ajaxTransport(function( options ) { // Cross domain only allowed if supported through XMLHttpRequest if ( !options.crossDomain || support.cors ) { var callback; return { send: function( headers, complete ) { var i, xhr = options.xhr(), id = ++xhrId; // Open the socket xhr.open( options.type, options.url, options.async, options.username, options.password ); // Apply custom fields if provided if ( options.xhrFields ) { for ( i in options.xhrFields ) { xhr[ i ] = options.xhrFields[ i ]; } } // Override mime type if needed if ( options.mimeType && xhr.overrideMimeType ) { xhr.overrideMimeType( options.mimeType ); } // X-Requested-With header // For cross-domain requests, seeing as conditions for a preflight are // akin to a jigsaw puzzle, we simply never set it to be sure. // (it can always be set on a per-request basis or even using ajaxSetup) // For same-domain requests, won't change header if already provided. if ( !options.crossDomain && !headers["X-Requested-With"] ) { headers["X-Requested-With"] = "XMLHttpRequest"; } // Set headers for ( i in headers ) { // Support: IE<9 // IE's ActiveXObject throws a 'Type Mismatch' exception when setting // request header to a null-value. // // To keep consistent with other XHR implementations, cast the value // to string and ignore `undefined`. if ( headers[ i ] !== undefined ) { xhr.setRequestHeader( i, headers[ i ] + "" ); } } // Do send the request // This may raise an exception which is actually // handled in jQuery.ajax (so no try/catch here) xhr.send( ( options.hasContent && options.data ) || null ); // Listener callback = function( _, isAbort ) { var status, statusText, responses; // Was never called and is aborted or complete if ( callback && ( isAbort || xhr.readyState === 4 ) ) { // Clean up delete xhrCallbacks[ id ]; callback = undefined; xhr.onreadystatechange = jQuery.noop; // Abort manually if needed if ( isAbort ) { if ( xhr.readyState !== 4 ) { xhr.abort(); } } else { responses = {}; status = xhr.status; // Support: IE<10 // Accessing binary-data responseText throws an exception // (#11426) if ( typeof xhr.responseText === "string" ) { responses.text = xhr.responseText; } // Firefox throws an exception when accessing // statusText for faulty cross-domain requests try { statusText = xhr.statusText; } catch( e ) { // We normalize with Webkit giving an empty statusText statusText = ""; } // Filter status for non standard behaviors // If the request is local and we have data: assume a success // (success with no data won't get notified, that's the best we // can do given current implementations) if ( !status && options.isLocal && !options.crossDomain ) { status = responses.text ? 200 : 404; // IE - #1450: sometimes returns 1223 when it should be 204 } else if ( status === 1223 ) { status = 204; } } } // Call complete if needed if ( responses ) { complete( status, statusText, responses, xhr.getAllResponseHeaders() ); } }; if ( !options.async ) { // if we're in sync mode we fire the callback callback(); } else if ( xhr.readyState === 4 ) { // (IE6 & IE7) if it's in cache and has been // retrieved directly we need to fire the callback setTimeout( callback ); } else { // Add to the list of active xhr callbacks xhr.onreadystatechange = xhrCallbacks[ id ] = callback; } }, abort: function() { if ( callback ) { callback( undefined, true ); } } }; } }); } // Functions to create xhrs function createStandardXHR() { try { return new window.XMLHttpRequest(); } catch( e ) {} } function createActiveXHR() { try { return new window.ActiveXObject( "Microsoft.XMLHTTP" ); } catch( e ) {} } // Install script dataType jQuery.ajaxSetup({ accepts: { script: "text/javascript, application/javascript, application/ecmascript, application/x-ecmascript" }, contents: { script: /(?:java|ecma)script/ }, converters: { "text script": function( text ) { jQuery.globalEval( text ); return text; } } }); // Handle cache's special case and global jQuery.ajaxPrefilter( "script", function( s ) { if ( s.cache === undefined ) { s.cache = false; } if ( s.crossDomain ) { s.type = "GET"; s.global = false; } }); // Bind script tag hack transport jQuery.ajaxTransport( "script", function(s) { // This transport only deals with cross domain requests if ( s.crossDomain ) { var script, head = document.head || jQuery("head")[0] || document.documentElement; return { send: function( _, callback ) { script = document.createElement("script"); script.async = true; if ( s.scriptCharset ) { script.charset = s.scriptCharset; } script.src = s.url; // Attach handlers for all browsers script.onload = script.onreadystatechange = function( _, isAbort ) { if ( isAbort || !script.readyState || /loaded|complete/.test( script.readyState ) ) { // Handle memory leak in IE script.onload = script.onreadystatechange = null; // Remove the script if ( script.parentNode ) { script.parentNode.removeChild( script ); } // Dereference the script script = null; // Callback if not abort if ( !isAbort ) { callback( 200, "success" ); } } }; // Circumvent IE6 bugs with base elements (#2709 and #4378) by prepending // Use native DOM manipulation to avoid our domManip AJAX trickery head.insertBefore( script, head.firstChild ); }, abort: function() { if ( script ) { script.onload( undefined, true ); } } }; } }); var oldCallbacks = [], rjsonp = /(=)\?(?=&|$)|\?\?/; // Default jsonp settings jQuery.ajaxSetup({ jsonp: "callback", jsonpCallback: function() { var callback = oldCallbacks.pop() || ( jQuery.expando + "_" + ( nonce++ ) ); this[ callback ] = true; return callback; } }); // Detect, normalize options and install callbacks for jsonp requests jQuery.ajaxPrefilter( "json jsonp", function( s, originalSettings, jqXHR ) { var callbackName, overwritten, responseContainer, jsonProp = s.jsonp !== false && ( rjsonp.test( s.url ) ? "url" : typeof s.data === "string" && !( s.contentType || "" ).indexOf("application/x-www-form-urlencoded") && rjsonp.test( s.data ) && "data" ); // Handle iff the expected data type is "jsonp" or we have a parameter to set if ( jsonProp || s.dataTypes[ 0 ] === "jsonp" ) { // Get callback name, remembering preexisting value associated with it callbackName = s.jsonpCallback = jQuery.isFunction( s.jsonpCallback ) ? s.jsonpCallback() : s.jsonpCallback; // Insert callback into url or form data if ( jsonProp ) { s[ jsonProp ] = s[ jsonProp ].replace( rjsonp, "$1" + callbackName ); } else if ( s.jsonp !== false ) { s.url += ( rquery.test( s.url ) ? "&" : "?" ) + s.jsonp + "=" + callbackName; } // Use data converter to retrieve json after script execution s.converters["script json"] = function() { if ( !responseContainer ) { jQuery.error( callbackName + " was not called" ); } return responseContainer[ 0 ]; }; // force json dataType s.dataTypes[ 0 ] = "json"; // Install callback overwritten = window[ callbackName ]; window[ callbackName ] = function() { responseContainer = arguments; }; // Clean-up function (fires after converters) jqXHR.always(function() { // Restore preexisting value window[ callbackName ] = overwritten; // Save back as free if ( s[ callbackName ] ) { // make sure that re-using the options doesn't screw things around s.jsonpCallback = originalSettings.jsonpCallback; // save the callback name for future use oldCallbacks.push( callbackName ); } // Call if it was a function and we have a response if ( responseContainer && jQuery.isFunction( overwritten ) ) { overwritten( responseContainer[ 0 ] ); } responseContainer = overwritten = undefined; }); // Delegate to script return "script"; } }); // data: string of html // context (optional): If specified, the fragment will be created in this context, defaults to document // keepScripts (optional): If true, will include scripts passed in the html string jQuery.parseHTML = function( data, context, keepScripts ) { if ( !data || typeof data !== "string" ) { return null; } if ( typeof context === "boolean" ) { keepScripts = context; context = false; } context = context || document; var parsed = rsingleTag.exec( data ), scripts = !keepScripts && []; // Single tag if ( parsed ) { return [ context.createElement( parsed[1] ) ]; } parsed = jQuery.buildFragment( [ data ], context, scripts ); if ( scripts && scripts.length ) { jQuery( scripts ).remove(); } return jQuery.merge( [], parsed.childNodes ); }; // Keep a copy of the old load method var _load = jQuery.fn.load; /** * Load a url into a page */ jQuery.fn.load = function( url, params, callback ) { if ( typeof url !== "string" && _load ) { return _load.apply( this, arguments ); } var selector, response, type, self = this, off = url.indexOf(" "); if ( off >= 0 ) { selector = jQuery.trim( url.slice( off, url.length ) ); url = url.slice( 0, off ); } // If it's a function if ( jQuery.isFunction( params ) ) { // We assume that it's the callback callback = params; params = undefined; // Otherwise, build a param string } else if ( params && typeof params === "object" ) { type = "POST"; } // If we have elements to modify, make the request if ( self.length > 0 ) { jQuery.ajax({ url: url, // if "type" variable is undefined, then "GET" method will be used type: type, dataType: "html", data: params }).done(function( responseText ) { // Save response for use in complete callback response = arguments; self.html( selector ? // If a selector was specified, locate the right elements in a dummy div // Exclude scripts to avoid IE 'Permission Denied' errors jQuery("<div>").append( jQuery.parseHTML( responseText ) ).find( selector ) : // Otherwise use the full result responseText ); }).complete( callback && function( jqXHR, status ) { self.each( callback, response || [ jqXHR.responseText, status, jqXHR ] ); }); } return this; }; // Attach a bunch of functions for handling common AJAX events jQuery.each( [ "ajaxStart", "ajaxStop", "ajaxComplete", "ajaxError", "ajaxSuccess", "ajaxSend" ], function( i, type ) { jQuery.fn[ type ] = function( fn ) { return this.on( type, fn ); }; }); jQuery.expr.filters.animated = function( elem ) { return jQuery.grep(jQuery.timers, function( fn ) { return elem === fn.elem; }).length; }; var docElem = window.document.documentElement; /** * Gets a window from an element */ function getWindow( elem ) { return jQuery.isWindow( elem ) ? elem : elem.nodeType === 9 ? elem.defaultView || elem.parentWindow : false; } jQuery.offset = { setOffset: function( elem, options, i ) { var curPosition, curLeft, curCSSTop, curTop, curOffset, curCSSLeft, calculatePosition, position = jQuery.css( elem, "position" ), curElem = jQuery( elem ), props = {}; // set position first, in-case top/left are set even on static elem if ( position === "static" ) { elem.style.position = "relative"; } curOffset = curElem.offset(); curCSSTop = jQuery.css( elem, "top" ); curCSSLeft = jQuery.css( elem, "left" ); calculatePosition = ( position === "absolute" || position === "fixed" ) && jQuery.inArray("auto", [ curCSSTop, curCSSLeft ] ) > -1; // need to be able to calculate position if either top or left is auto and position is either absolute or fixed if ( calculatePosition ) { curPosition = curElem.position(); curTop = curPosition.top; curLeft = curPosition.left; } else { curTop = parseFloat( curCSSTop ) || 0; curLeft = parseFloat( curCSSLeft ) || 0; } if ( jQuery.isFunction( options ) ) { options = options.call( elem, i, curOffset ); } if ( options.top != null ) { props.top = ( options.top - curOffset.top ) + curTop; } if ( options.left != null ) { props.left = ( options.left - curOffset.left ) + curLeft; } if ( "using" in options ) { options.using.call( elem, props ); } else { curElem.css( props ); } } }; jQuery.fn.extend({ offset: function( options ) { if ( arguments.length ) { return options === undefined ? this : this.each(function( i ) { jQuery.offset.setOffset( this, options, i ); }); } var docElem, win, box = { top: 0, left: 0 }, elem = this[ 0 ], doc = elem && elem.ownerDocument; if ( !doc ) { return; } docElem = doc.documentElement; // Make sure it's not a disconnected DOM node if ( !jQuery.contains( docElem, elem ) ) { return box; } // If we don't have gBCR, just use 0,0 rather than error // BlackBerry 5, iOS 3 (original iPhone) if ( typeof elem.getBoundingClientRect !== strundefined ) { box = elem.getBoundingClientRect(); } win = getWindow( doc ); return { top: box.top + ( win.pageYOffset || docElem.scrollTop ) - ( docElem.clientTop || 0 ), left: box.left + ( win.pageXOffset || docElem.scrollLeft ) - ( docElem.clientLeft || 0 ) }; }, position: function() { if ( !this[ 0 ] ) { return; } var offsetParent, offset, parentOffset = { top: 0, left: 0 }, elem = this[ 0 ]; // fixed elements are offset from window (parentOffset = {top:0, left: 0}, because it is its only offset parent if ( jQuery.css( elem, "position" ) === "fixed" ) { // we assume that getBoundingClientRect is available when computed position is fixed offset = elem.getBoundingClientRect(); } else { // Get *real* offsetParent offsetParent = this.offsetParent(); // Get correct offsets offset = this.offset(); if ( !jQuery.nodeName( offsetParent[ 0 ], "html" ) ) { parentOffset = offsetParent.offset(); } // Add offsetParent borders parentOffset.top += jQuery.css( offsetParent[ 0 ], "borderTopWidth", true ); parentOffset.left += jQuery.css( offsetParent[ 0 ], "borderLeftWidth", true ); } // Subtract parent offsets and element margins // note: when an element has margin: auto the offsetLeft and marginLeft // are the same in Safari causing offset.left to incorrectly be 0 return { top: offset.top - parentOffset.top - jQuery.css( elem, "marginTop", true ), left: offset.left - parentOffset.left - jQuery.css( elem, "marginLeft", true) }; }, offsetParent: function() { return this.map(function() { var offsetParent = this.offsetParent || docElem; while ( offsetParent && ( !jQuery.nodeName( offsetParent, "html" ) && jQuery.css( offsetParent, "position" ) === "static" ) ) { offsetParent = offsetParent.offsetParent; } return offsetParent || docElem; }); } }); // Create scrollLeft and scrollTop methods jQuery.each( { scrollLeft: "pageXOffset", scrollTop: "pageYOffset" }, function( method, prop ) { var top = /Y/.test( prop ); jQuery.fn[ method ] = function( val ) { return access( this, function( elem, method, val ) { var win = getWindow( elem ); if ( val === undefined ) { return win ? (prop in win) ? win[ prop ] : win.document.documentElement[ method ] : elem[ method ]; } if ( win ) { win.scrollTo( !top ? val : jQuery( win ).scrollLeft(), top ? val : jQuery( win ).scrollTop() ); } else { elem[ method ] = val; } }, method, val, arguments.length, null ); }; }); // Add the top/left cssHooks using jQuery.fn.position // Webkit bug: https://bugs.webkit.org/show_bug.cgi?id=29084 // getComputedStyle returns percent when specified for top/left/bottom/right // rather than make the css module depend on the offset module, we just check for it here jQuery.each( [ "top", "left" ], function( i, prop ) { jQuery.cssHooks[ prop ] = addGetHookIf( support.pixelPosition, function( elem, computed ) { if ( computed ) { computed = curCSS( elem, prop ); // if curCSS returns percentage, fallback to offset return rnumnonpx.test( computed ) ? jQuery( elem ).position()[ prop ] + "px" : computed; } } ); }); // Create innerHeight, innerWidth, height, width, outerHeight and outerWidth methods jQuery.each( { Height: "height", Width: "width" }, function( name, type ) { jQuery.each( { padding: "inner" + name, content: type, "": "outer" + name }, function( defaultExtra, funcName ) { // margin is only for outerHeight, outerWidth jQuery.fn[ funcName ] = function( margin, value ) { var chainable = arguments.length && ( defaultExtra || typeof margin !== "boolean" ), extra = defaultExtra || ( margin === true || value === true ? "margin" : "border" ); return access( this, function( elem, type, value ) { var doc; if ( jQuery.isWindow( elem ) ) { // As of 5/8/2012 this will yield incorrect results for Mobile Safari, but there // isn't a whole lot we can do. See pull request at this URL for discussion: // https://github.com/jquery/jquery/pull/764 return elem.document.documentElement[ "client" + name ]; } // Get document width or height if ( elem.nodeType === 9 ) { doc = elem.documentElement; // Either scroll[Width/Height] or offset[Width/Height] or client[Width/Height], whichever is greatest // unfortunately, this causes bug #3838 in IE6/8 only, but there is currently no good, small way to fix it. return Math.max( elem.body[ "scroll" + name ], doc[ "scroll" + name ], elem.body[ "offset" + name ], doc[ "offset" + name ], doc[ "client" + name ] ); } return value === undefined ? // Get width or height on the element, requesting but not forcing parseFloat jQuery.css( elem, type, extra ) : // Set width or height on the element jQuery.style( elem, type, value, extra ); }, type, chainable ? margin : undefined, chainable, null ); }; }); }); // The number of elements contained in the matched element set jQuery.fn.size = function() { return this.length; }; jQuery.fn.andSelf = jQuery.fn.addBack; // Register as a named AMD module, since jQuery can be concatenated with other // files that may use define, but not via a proper concatenation script that // understands anonymous AMD modules. A named AMD is safest and most robust // way to register. Lowercase jquery is used because AMD module names are // derived from file names, and jQuery is normally delivered in a lowercase // file name. Do this after creating the global so that if an AMD module wants // to call noConflict to hide this version of jQuery, it will work. // Note that for maximum portability, libraries that are not jQuery should // declare themselves as anonymous modules, and avoid setting a global if an // AMD loader is present. jQuery is a special case. For more information, see // https://github.com/jrburke/requirejs/wiki/Updating-existing-libraries#wiki-anon if ( typeof define === "function" && define.amd ) { define( "jquery", [], function() { return jQuery; }); } var // Map over jQuery in case of overwrite _jQuery = window.jQuery, // Map over the $ in case of overwrite _$ = window.$; jQuery.noConflict = function( deep ) { if ( window.$ === jQuery ) { window.$ = _$; } if ( deep && window.jQuery === jQuery ) { window.jQuery = _jQuery; } return jQuery; }; // Expose jQuery and $ identifiers, even in // AMD (#7102#comment:10, https://github.com/jquery/jquery/pull/557) // and CommonJS for browser emulators (#13566) if ( typeof noGlobal === strundefined ) { window.jQuery = window.$ = jQuery; } return jQuery; }));
node_modules/bs-recipes/recipes/webpack.react-transform-hmr/app/js/main.js
jerrysam/jeromeminney-staging
import React from 'react'; import { render } from 'react-dom'; // It's important to not define HelloWorld component right in this file // because in that case it will do full page reload on change import HelloWorld from './HelloWorld.jsx'; render(<HelloWorld />, document.getElementById('react-root'));
assets/js/jquery.js
TeamARES/TeamAres.github.io
/*! jQuery v1.9.1 | (c) 2005, 2012 jQuery Foundation, Inc. | jquery.org/license //@ sourceMappingURL=jquery.min.map */(function(e,t){var n,r,i=typeof t,o=e.document,a=e.location,s=e.jQuery,u=e.$,l={},c=[],p="1.9.1",f=c.concat,d=c.push,h=c.slice,g=c.indexOf,m=l.toString,y=l.hasOwnProperty,v=p.trim,b=function(e,t){return new b.fn.init(e,t,r)},x=/[+-]?(?:\d*\.|)\d+(?:[eE][+-]?\d+|)/.source,w=/\S+/g,T=/^[\s\uFEFF\xA0]+|[\s\uFEFF\xA0]+$/g,N=/^(?:(<[\w\W]+>)[^>]*|#([\w-]*))$/,C=/^<(\w+)\s*\/?>(?:<\/\1>|)$/,k=/^[\],:{}\s]*$/,E=/(?:^|:|,)(?:\s*\[)+/g,S=/\\(?:["\\\/bfnrt]|u[\da-fA-F]{4})/g,A=/"[^"\\\r\n]*"|true|false|null|-?(?:\d+\.|)\d+(?:[eE][+-]?\d+|)/g,j=/^-ms-/,D=/-([\da-z])/gi,L=function(e,t){return t.toUpperCase()},H=function(e){(o.addEventListener||"load"===e.type||"complete"===o.readyState)&&(q(),b.ready())},q=function(){o.addEventListener?(o.removeEventListener("DOMContentLoaded",H,!1),e.removeEventListener("load",H,!1)):(o.detachEvent("onreadystatechange",H),e.detachEvent("onload",H))};b.fn=b.prototype={jquery:p,constructor:b,init:function(e,n,r){var i,a;if(!e)return this;if("string"==typeof e){if(i="<"===e.charAt(0)&&">"===e.charAt(e.length-1)&&e.length>=3?[null,e,null]:N.exec(e),!i||!i[1]&&n)return!n||n.jquery?(n||r).find(e):this.constructor(n).find(e);if(i[1]){if(n=n instanceof b?n[0]:n,b.merge(this,b.parseHTML(i[1],n&&n.nodeType?n.ownerDocument||n:o,!0)),C.test(i[1])&&b.isPlainObject(n))for(i in n)b.isFunction(this[i])?this[i](n[i]):this.attr(i,n[i]);return this}if(a=o.getElementById(i[2]),a&&a.parentNode){if(a.id!==i[2])return r.find(e);this.length=1,this[0]=a}return this.context=o,this.selector=e,this}return e.nodeType?(this.context=this[0]=e,this.length=1,this):b.isFunction(e)?r.ready(e):(e.selector!==t&&(this.selector=e.selector,this.context=e.context),b.makeArray(e,this))},selector:"",length:0,size:function(){return this.length},toArray:function(){return h.call(this)},get:function(e){return null==e?this.toArray():0>e?this[this.length+e]:this[e]},pushStack:function(e){var t=b.merge(this.constructor(),e);return t.prevObject=this,t.context=this.context,t},each:function(e,t){return b.each(this,e,t)},ready:function(e){return b.ready.promise().done(e),this},slice:function(){return this.pushStack(h.apply(this,arguments))},first:function(){return this.eq(0)},last:function(){return this.eq(-1)},eq:function(e){var t=this.length,n=+e+(0>e?t:0);return this.pushStack(n>=0&&t>n?[this[n]]:[])},map:function(e){return this.pushStack(b.map(this,function(t,n){return e.call(t,n,t)}))},end:function(){return this.prevObject||this.constructor(null)},push:d,sort:[].sort,splice:[].splice},b.fn.init.prototype=b.fn,b.extend=b.fn.extend=function(){var e,n,r,i,o,a,s=arguments[0]||{},u=1,l=arguments.length,c=!1;for("boolean"==typeof s&&(c=s,s=arguments[1]||{},u=2),"object"==typeof s||b.isFunction(s)||(s={}),l===u&&(s=this,--u);l>u;u++)if(null!=(o=arguments[u]))for(i in o)e=s[i],r=o[i],s!==r&&(c&&r&&(b.isPlainObject(r)||(n=b.isArray(r)))?(n?(n=!1,a=e&&b.isArray(e)?e:[]):a=e&&b.isPlainObject(e)?e:{},s[i]=b.extend(c,a,r)):r!==t&&(s[i]=r));return s},b.extend({noConflict:function(t){return e.$===b&&(e.$=u),t&&e.jQuery===b&&(e.jQuery=s),b},isReady:!1,readyWait:1,holdReady:function(e){e?b.readyWait++:b.ready(!0)},ready:function(e){if(e===!0?!--b.readyWait:!b.isReady){if(!o.body)return setTimeout(b.ready);b.isReady=!0,e!==!0&&--b.readyWait>0||(n.resolveWith(o,[b]),b.fn.trigger&&b(o).trigger("ready").off("ready"))}},isFunction:function(e){return"function"===b.type(e)},isArray:Array.isArray||function(e){return"array"===b.type(e)},isWindow:function(e){return null!=e&&e==e.window},isNumeric:function(e){return!isNaN(parseFloat(e))&&isFinite(e)},type:function(e){return null==e?e+"":"object"==typeof e||"function"==typeof e?l[m.call(e)]||"object":typeof e},isPlainObject:function(e){if(!e||"object"!==b.type(e)||e.nodeType||b.isWindow(e))return!1;try{if(e.constructor&&!y.call(e,"constructor")&&!y.call(e.constructor.prototype,"isPrototypeOf"))return!1}catch(n){return!1}var r;for(r in e);return r===t||y.call(e,r)},isEmptyObject:function(e){var t;for(t in e)return!1;return!0},error:function(e){throw Error(e)},parseHTML:function(e,t,n){if(!e||"string"!=typeof e)return null;"boolean"==typeof t&&(n=t,t=!1),t=t||o;var r=C.exec(e),i=!n&&[];return r?[t.createElement(r[1])]:(r=b.buildFragment([e],t,i),i&&b(i).remove(),b.merge([],r.childNodes))},parseJSON:function(n){return e.JSON&&e.JSON.parse?e.JSON.parse(n):null===n?n:"string"==typeof n&&(n=b.trim(n),n&&k.test(n.replace(S,"@").replace(A,"]").replace(E,"")))?Function("return "+n)():(b.error("Invalid JSON: "+n),t)},parseXML:function(n){var r,i;if(!n||"string"!=typeof n)return null;try{e.DOMParser?(i=new DOMParser,r=i.parseFromString(n,"text/xml")):(r=new ActiveXObject("Microsoft.XMLDOM"),r.async="false",r.loadXML(n))}catch(o){r=t}return r&&r.documentElement&&!r.getElementsByTagName("parsererror").length||b.error("Invalid XML: "+n),r},noop:function(){},globalEval:function(t){t&&b.trim(t)&&(e.execScript||function(t){e.eval.call(e,t)})(t)},camelCase:function(e){return e.replace(j,"ms-").replace(D,L)},nodeName:function(e,t){return e.nodeName&&e.nodeName.toLowerCase()===t.toLowerCase()},each:function(e,t,n){var r,i=0,o=e.length,a=M(e);if(n){if(a){for(;o>i;i++)if(r=t.apply(e[i],n),r===!1)break}else for(i in e)if(r=t.apply(e[i],n),r===!1)break}else if(a){for(;o>i;i++)if(r=t.call(e[i],i,e[i]),r===!1)break}else for(i in e)if(r=t.call(e[i],i,e[i]),r===!1)break;return e},trim:v&&!v.call("\ufeff\u00a0")?function(e){return null==e?"":v.call(e)}:function(e){return null==e?"":(e+"").replace(T,"")},makeArray:function(e,t){var n=t||[];return null!=e&&(M(Object(e))?b.merge(n,"string"==typeof e?[e]:e):d.call(n,e)),n},inArray:function(e,t,n){var r;if(t){if(g)return g.call(t,e,n);for(r=t.length,n=n?0>n?Math.max(0,r+n):n:0;r>n;n++)if(n in t&&t[n]===e)return n}return-1},merge:function(e,n){var r=n.length,i=e.length,o=0;if("number"==typeof r)for(;r>o;o++)e[i++]=n[o];else while(n[o]!==t)e[i++]=n[o++];return e.length=i,e},grep:function(e,t,n){var r,i=[],o=0,a=e.length;for(n=!!n;a>o;o++)r=!!t(e[o],o),n!==r&&i.push(e[o]);return i},map:function(e,t,n){var r,i=0,o=e.length,a=M(e),s=[];if(a)for(;o>i;i++)r=t(e[i],i,n),null!=r&&(s[s.length]=r);else for(i in e)r=t(e[i],i,n),null!=r&&(s[s.length]=r);return f.apply([],s)},guid:1,proxy:function(e,n){var r,i,o;return"string"==typeof n&&(o=e[n],n=e,e=o),b.isFunction(e)?(r=h.call(arguments,2),i=function(){return e.apply(n||this,r.concat(h.call(arguments)))},i.guid=e.guid=e.guid||b.guid++,i):t},access:function(e,n,r,i,o,a,s){var u=0,l=e.length,c=null==r;if("object"===b.type(r)){o=!0;for(u in r)b.access(e,n,u,r[u],!0,a,s)}else if(i!==t&&(o=!0,b.isFunction(i)||(s=!0),c&&(s?(n.call(e,i),n=null):(c=n,n=function(e,t,n){return c.call(b(e),n)})),n))for(;l>u;u++)n(e[u],r,s?i:i.call(e[u],u,n(e[u],r)));return o?e:c?n.call(e):l?n(e[0],r):a},now:function(){return(new Date).getTime()}}),b.ready.promise=function(t){if(!n)if(n=b.Deferred(),"complete"===o.readyState)setTimeout(b.ready);else if(o.addEventListener)o.addEventListener("DOMContentLoaded",H,!1),e.addEventListener("load",H,!1);else{o.attachEvent("onreadystatechange",H),e.attachEvent("onload",H);var r=!1;try{r=null==e.frameElement&&o.documentElement}catch(i){}r&&r.doScroll&&function a(){if(!b.isReady){try{r.doScroll("left")}catch(e){return setTimeout(a,50)}q(),b.ready()}}()}return n.promise(t)},b.each("Boolean Number String Function Array Date RegExp Object Error".split(" "),function(e,t){l["[object "+t+"]"]=t.toLowerCase()});function M(e){var t=e.length,n=b.type(e);return b.isWindow(e)?!1:1===e.nodeType&&t?!0:"array"===n||"function"!==n&&(0===t||"number"==typeof t&&t>0&&t-1 in e)}r=b(o);var _={};function F(e){var t=_[e]={};return b.each(e.match(w)||[],function(e,n){t[n]=!0}),t}b.Callbacks=function(e){e="string"==typeof e?_[e]||F(e):b.extend({},e);var n,r,i,o,a,s,u=[],l=!e.once&&[],c=function(t){for(r=e.memory&&t,i=!0,a=s||0,s=0,o=u.length,n=!0;u&&o>a;a++)if(u[a].apply(t[0],t[1])===!1&&e.stopOnFalse){r=!1;break}n=!1,u&&(l?l.length&&c(l.shift()):r?u=[]:p.disable())},p={add:function(){if(u){var t=u.length;(function i(t){b.each(t,function(t,n){var r=b.type(n);"function"===r?e.unique&&p.has(n)||u.push(n):n&&n.length&&"string"!==r&&i(n)})})(arguments),n?o=u.length:r&&(s=t,c(r))}return this},remove:function(){return u&&b.each(arguments,function(e,t){var r;while((r=b.inArray(t,u,r))>-1)u.splice(r,1),n&&(o>=r&&o--,a>=r&&a--)}),this},has:function(e){return e?b.inArray(e,u)>-1:!(!u||!u.length)},empty:function(){return u=[],this},disable:function(){return u=l=r=t,this},disabled:function(){return!u},lock:function(){return l=t,r||p.disable(),this},locked:function(){return!l},fireWith:function(e,t){return t=t||[],t=[e,t.slice?t.slice():t],!u||i&&!l||(n?l.push(t):c(t)),this},fire:function(){return p.fireWith(this,arguments),this},fired:function(){return!!i}};return p},b.extend({Deferred:function(e){var t=[["resolve","done",b.Callbacks("once memory"),"resolved"],["reject","fail",b.Callbacks("once memory"),"rejected"],["notify","progress",b.Callbacks("memory")]],n="pending",r={state:function(){return n},always:function(){return i.done(arguments).fail(arguments),this},then:function(){var e=arguments;return b.Deferred(function(n){b.each(t,function(t,o){var a=o[0],s=b.isFunction(e[t])&&e[t];i[o[1]](function(){var e=s&&s.apply(this,arguments);e&&b.isFunction(e.promise)?e.promise().done(n.resolve).fail(n.reject).progress(n.notify):n[a+"With"](this===r?n.promise():this,s?[e]:arguments)})}),e=null}).promise()},promise:function(e){return null!=e?b.extend(e,r):r}},i={};return r.pipe=r.then,b.each(t,function(e,o){var a=o[2],s=o[3];r[o[1]]=a.add,s&&a.add(function(){n=s},t[1^e][2].disable,t[2][2].lock),i[o[0]]=function(){return i[o[0]+"With"](this===i?r:this,arguments),this},i[o[0]+"With"]=a.fireWith}),r.promise(i),e&&e.call(i,i),i},when:function(e){var t=0,n=h.call(arguments),r=n.length,i=1!==r||e&&b.isFunction(e.promise)?r:0,o=1===i?e:b.Deferred(),a=function(e,t,n){return function(r){t[e]=this,n[e]=arguments.length>1?h.call(arguments):r,n===s?o.notifyWith(t,n):--i||o.resolveWith(t,n)}},s,u,l;if(r>1)for(s=Array(r),u=Array(r),l=Array(r);r>t;t++)n[t]&&b.isFunction(n[t].promise)?n[t].promise().done(a(t,l,n)).fail(o.reject).progress(a(t,u,s)):--i;return i||o.resolveWith(l,n),o.promise()}}),b.support=function(){var t,n,r,a,s,u,l,c,p,f,d=o.createElement("div");if(d.setAttribute("className","t"),d.innerHTML=" <link/><table></table><a href='/a'>a</a><input type='checkbox'/>",n=d.getElementsByTagName("*"),r=d.getElementsByTagName("a")[0],!n||!r||!n.length)return{};s=o.createElement("select"),l=s.appendChild(o.createElement("option")),a=d.getElementsByTagName("input")[0],r.style.cssText="top:1px;float:left;opacity:.5",t={getSetAttribute:"t"!==d.className,leadingWhitespace:3===d.firstChild.nodeType,tbody:!d.getElementsByTagName("tbody").length,htmlSerialize:!!d.getElementsByTagName("link").length,style:/top/.test(r.getAttribute("style")),hrefNormalized:"/a"===r.getAttribute("href"),opacity:/^0.5/.test(r.style.opacity),cssFloat:!!r.style.cssFloat,checkOn:!!a.value,optSelected:l.selected,enctype:!!o.createElement("form").enctype,html5Clone:"<:nav></:nav>"!==o.createElement("nav").cloneNode(!0).outerHTML,boxModel:"CSS1Compat"===o.compatMode,deleteExpando:!0,noCloneEvent:!0,inlineBlockNeedsLayout:!1,shrinkWrapBlocks:!1,reliableMarginRight:!0,boxSizingReliable:!0,pixelPosition:!1},a.checked=!0,t.noCloneChecked=a.cloneNode(!0).checked,s.disabled=!0,t.optDisabled=!l.disabled;try{delete d.test}catch(h){t.deleteExpando=!1}a=o.createElement("input"),a.setAttribute("value",""),t.input=""===a.getAttribute("value"),a.value="t",a.setAttribute("type","radio"),t.radioValue="t"===a.value,a.setAttribute("checked","t"),a.setAttribute("name","t"),u=o.createDocumentFragment(),u.appendChild(a),t.appendChecked=a.checked,t.checkClone=u.cloneNode(!0).cloneNode(!0).lastChild.checked,d.attachEvent&&(d.attachEvent("onclick",function(){t.noCloneEvent=!1}),d.cloneNode(!0).click());for(f in{submit:!0,change:!0,focusin:!0})d.setAttribute(c="on"+f,"t"),t[f+"Bubbles"]=c in e||d.attributes[c].expando===!1;return d.style.backgroundClip="content-box",d.cloneNode(!0).style.backgroundClip="",t.clearCloneStyle="content-box"===d.style.backgroundClip,b(function(){var n,r,a,s="padding:0;margin:0;border:0;display:block;box-sizing:content-box;-moz-box-sizing:content-box;-webkit-box-sizing:content-box;",u=o.getElementsByTagName("body")[0];u&&(n=o.createElement("div"),n.style.cssText="border:0;width:0;height:0;position:absolute;top:0;left:-9999px;margin-top:1px",u.appendChild(n).appendChild(d),d.innerHTML="<table><tr><td></td><td>t</td></tr></table>",a=d.getElementsByTagName("td"),a[0].style.cssText="padding:0;margin:0;border:0;display:none",p=0===a[0].offsetHeight,a[0].style.display="",a[1].style.display="none",t.reliableHiddenOffsets=p&&0===a[0].offsetHeight,d.innerHTML="",d.style.cssText="box-sizing:border-box;-moz-box-sizing:border-box;-webkit-box-sizing:border-box;padding:1px;border:1px;display:block;width:4px;margin-top:1%;position:absolute;top:1%;",t.boxSizing=4===d.offsetWidth,t.doesNotIncludeMarginInBodyOffset=1!==u.offsetTop,e.getComputedStyle&&(t.pixelPosition="1%"!==(e.getComputedStyle(d,null)||{}).top,t.boxSizingReliable="4px"===(e.getComputedStyle(d,null)||{width:"4px"}).width,r=d.appendChild(o.createElement("div")),r.style.cssText=d.style.cssText=s,r.style.marginRight=r.style.width="0",d.style.width="1px",t.reliableMarginRight=!parseFloat((e.getComputedStyle(r,null)||{}).marginRight)),typeof d.style.zoom!==i&&(d.innerHTML="",d.style.cssText=s+"width:1px;padding:1px;display:inline;zoom:1",t.inlineBlockNeedsLayout=3===d.offsetWidth,d.style.display="block",d.innerHTML="<div></div>",d.firstChild.style.width="5px",t.shrinkWrapBlocks=3!==d.offsetWidth,t.inlineBlockNeedsLayout&&(u.style.zoom=1)),u.removeChild(n),n=d=a=r=null)}),n=s=u=l=r=a=null,t}();var O=/(?:\{[\s\S]*\}|\[[\s\S]*\])$/,B=/([A-Z])/g;function P(e,n,r,i){if(b.acceptData(e)){var o,a,s=b.expando,u="string"==typeof n,l=e.nodeType,p=l?b.cache:e,f=l?e[s]:e[s]&&s;if(f&&p[f]&&(i||p[f].data)||!u||r!==t)return f||(l?e[s]=f=c.pop()||b.guid++:f=s),p[f]||(p[f]={},l||(p[f].toJSON=b.noop)),("object"==typeof n||"function"==typeof n)&&(i?p[f]=b.extend(p[f],n):p[f].data=b.extend(p[f].data,n)),o=p[f],i||(o.data||(o.data={}),o=o.data),r!==t&&(o[b.camelCase(n)]=r),u?(a=o[n],null==a&&(a=o[b.camelCase(n)])):a=o,a}}function R(e,t,n){if(b.acceptData(e)){var r,i,o,a=e.nodeType,s=a?b.cache:e,u=a?e[b.expando]:b.expando;if(s[u]){if(t&&(o=n?s[u]:s[u].data)){b.isArray(t)?t=t.concat(b.map(t,b.camelCase)):t in o?t=[t]:(t=b.camelCase(t),t=t in o?[t]:t.split(" "));for(r=0,i=t.length;i>r;r++)delete o[t[r]];if(!(n?$:b.isEmptyObject)(o))return}(n||(delete s[u].data,$(s[u])))&&(a?b.cleanData([e],!0):b.support.deleteExpando||s!=s.window?delete s[u]:s[u]=null)}}}b.extend({cache:{},expando:"jQuery"+(p+Math.random()).replace(/\D/g,""),noData:{embed:!0,object:"clsid:D27CDB6E-AE6D-11cf-96B8-444553540000",applet:!0},hasData:function(e){return e=e.nodeType?b.cache[e[b.expando]]:e[b.expando],!!e&&!$(e)},data:function(e,t,n){return P(e,t,n)},removeData:function(e,t){return R(e,t)},_data:function(e,t,n){return P(e,t,n,!0)},_removeData:function(e,t){return R(e,t,!0)},acceptData:function(e){if(e.nodeType&&1!==e.nodeType&&9!==e.nodeType)return!1;var t=e.nodeName&&b.noData[e.nodeName.toLowerCase()];return!t||t!==!0&&e.getAttribute("classid")===t}}),b.fn.extend({data:function(e,n){var r,i,o=this[0],a=0,s=null;if(e===t){if(this.length&&(s=b.data(o),1===o.nodeType&&!b._data(o,"parsedAttrs"))){for(r=o.attributes;r.length>a;a++)i=r[a].name,i.indexOf("data-")||(i=b.camelCase(i.slice(5)),W(o,i,s[i]));b._data(o,"parsedAttrs",!0)}return s}return"object"==typeof e?this.each(function(){b.data(this,e)}):b.access(this,function(n){return n===t?o?W(o,e,b.data(o,e)):null:(this.each(function(){b.data(this,e,n)}),t)},null,n,arguments.length>1,null,!0)},removeData:function(e){return this.each(function(){b.removeData(this,e)})}});function W(e,n,r){if(r===t&&1===e.nodeType){var i="data-"+n.replace(B,"-$1").toLowerCase();if(r=e.getAttribute(i),"string"==typeof r){try{r="true"===r?!0:"false"===r?!1:"null"===r?null:+r+""===r?+r:O.test(r)?b.parseJSON(r):r}catch(o){}b.data(e,n,r)}else r=t}return r}function $(e){var t;for(t in e)if(("data"!==t||!b.isEmptyObject(e[t]))&&"toJSON"!==t)return!1;return!0}b.extend({queue:function(e,n,r){var i;return e?(n=(n||"fx")+"queue",i=b._data(e,n),r&&(!i||b.isArray(r)?i=b._data(e,n,b.makeArray(r)):i.push(r)),i||[]):t},dequeue:function(e,t){t=t||"fx";var n=b.queue(e,t),r=n.length,i=n.shift(),o=b._queueHooks(e,t),a=function(){b.dequeue(e,t)};"inprogress"===i&&(i=n.shift(),r--),o.cur=i,i&&("fx"===t&&n.unshift("inprogress"),delete o.stop,i.call(e,a,o)),!r&&o&&o.empty.fire()},_queueHooks:function(e,t){var n=t+"queueHooks";return b._data(e,n)||b._data(e,n,{empty:b.Callbacks("once memory").add(function(){b._removeData(e,t+"queue"),b._removeData(e,n)})})}}),b.fn.extend({queue:function(e,n){var r=2;return"string"!=typeof e&&(n=e,e="fx",r--),r>arguments.length?b.queue(this[0],e):n===t?this:this.each(function(){var t=b.queue(this,e,n);b._queueHooks(this,e),"fx"===e&&"inprogress"!==t[0]&&b.dequeue(this,e)})},dequeue:function(e){return this.each(function(){b.dequeue(this,e)})},delay:function(e,t){return e=b.fx?b.fx.speeds[e]||e:e,t=t||"fx",this.queue(t,function(t,n){var r=setTimeout(t,e);n.stop=function(){clearTimeout(r)}})},clearQueue:function(e){return this.queue(e||"fx",[])},promise:function(e,n){var r,i=1,o=b.Deferred(),a=this,s=this.length,u=function(){--i||o.resolveWith(a,[a])};"string"!=typeof e&&(n=e,e=t),e=e||"fx";while(s--)r=b._data(a[s],e+"queueHooks"),r&&r.empty&&(i++,r.empty.add(u));return u(),o.promise(n)}});var I,z,X=/[\t\r\n]/g,U=/\r/g,V=/^(?:input|select|textarea|button|object)$/i,Y=/^(?:a|area)$/i,J=/^(?:checked|selected|autofocus|autoplay|async|controls|defer|disabled|hidden|loop|multiple|open|readonly|required|scoped)$/i,G=/^(?:checked|selected)$/i,Q=b.support.getSetAttribute,K=b.support.input;b.fn.extend({attr:function(e,t){return b.access(this,b.attr,e,t,arguments.length>1)},removeAttr:function(e){return this.each(function(){b.removeAttr(this,e)})},prop:function(e,t){return b.access(this,b.prop,e,t,arguments.length>1)},removeProp:function(e){return e=b.propFix[e]||e,this.each(function(){try{this[e]=t,delete this[e]}catch(n){}})},addClass:function(e){var t,n,r,i,o,a=0,s=this.length,u="string"==typeof e&&e;if(b.isFunction(e))return this.each(function(t){b(this).addClass(e.call(this,t,this.className))});if(u)for(t=(e||"").match(w)||[];s>a;a++)if(n=this[a],r=1===n.nodeType&&(n.className?(" "+n.className+" ").replace(X," "):" ")){o=0;while(i=t[o++])0>r.indexOf(" "+i+" ")&&(r+=i+" ");n.className=b.trim(r)}return this},removeClass:function(e){var t,n,r,i,o,a=0,s=this.length,u=0===arguments.length||"string"==typeof e&&e;if(b.isFunction(e))return this.each(function(t){b(this).removeClass(e.call(this,t,this.className))});if(u)for(t=(e||"").match(w)||[];s>a;a++)if(n=this[a],r=1===n.nodeType&&(n.className?(" "+n.className+" ").replace(X," "):"")){o=0;while(i=t[o++])while(r.indexOf(" "+i+" ")>=0)r=r.replace(" "+i+" "," ");n.className=e?b.trim(r):""}return this},toggleClass:function(e,t){var n=typeof e,r="boolean"==typeof t;return b.isFunction(e)?this.each(function(n){b(this).toggleClass(e.call(this,n,this.className,t),t)}):this.each(function(){if("string"===n){var o,a=0,s=b(this),u=t,l=e.match(w)||[];while(o=l[a++])u=r?u:!s.hasClass(o),s[u?"addClass":"removeClass"](o)}else(n===i||"boolean"===n)&&(this.className&&b._data(this,"__className__",this.className),this.className=this.className||e===!1?"":b._data(this,"__className__")||"")})},hasClass:function(e){var t=" "+e+" ",n=0,r=this.length;for(;r>n;n++)if(1===this[n].nodeType&&(" "+this[n].className+" ").replace(X," ").indexOf(t)>=0)return!0;return!1},val:function(e){var n,r,i,o=this[0];{if(arguments.length)return i=b.isFunction(e),this.each(function(n){var o,a=b(this);1===this.nodeType&&(o=i?e.call(this,n,a.val()):e,null==o?o="":"number"==typeof o?o+="":b.isArray(o)&&(o=b.map(o,function(e){return null==e?"":e+""})),r=b.valHooks[this.type]||b.valHooks[this.nodeName.toLowerCase()],r&&"set"in r&&r.set(this,o,"value")!==t||(this.value=o))});if(o)return r=b.valHooks[o.type]||b.valHooks[o.nodeName.toLowerCase()],r&&"get"in r&&(n=r.get(o,"value"))!==t?n:(n=o.value,"string"==typeof n?n.replace(U,""):null==n?"":n)}}}),b.extend({valHooks:{option:{get:function(e){var t=e.attributes.value;return!t||t.specified?e.value:e.text}},select:{get:function(e){var t,n,r=e.options,i=e.selectedIndex,o="select-one"===e.type||0>i,a=o?null:[],s=o?i+1:r.length,u=0>i?s:o?i:0;for(;s>u;u++)if(n=r[u],!(!n.selected&&u!==i||(b.support.optDisabled?n.disabled:null!==n.getAttribute("disabled"))||n.parentNode.disabled&&b.nodeName(n.parentNode,"optgroup"))){if(t=b(n).val(),o)return t;a.push(t)}return a},set:function(e,t){var n=b.makeArray(t);return b(e).find("option").each(function(){this.selected=b.inArray(b(this).val(),n)>=0}),n.length||(e.selectedIndex=-1),n}}},attr:function(e,n,r){var o,a,s,u=e.nodeType;if(e&&3!==u&&8!==u&&2!==u)return typeof e.getAttribute===i?b.prop(e,n,r):(a=1!==u||!b.isXMLDoc(e),a&&(n=n.toLowerCase(),o=b.attrHooks[n]||(J.test(n)?z:I)),r===t?o&&a&&"get"in o&&null!==(s=o.get(e,n))?s:(typeof e.getAttribute!==i&&(s=e.getAttribute(n)),null==s?t:s):null!==r?o&&a&&"set"in o&&(s=o.set(e,r,n))!==t?s:(e.setAttribute(n,r+""),r):(b.removeAttr(e,n),t))},removeAttr:function(e,t){var n,r,i=0,o=t&&t.match(w);if(o&&1===e.nodeType)while(n=o[i++])r=b.propFix[n]||n,J.test(n)?!Q&&G.test(n)?e[b.camelCase("default-"+n)]=e[r]=!1:e[r]=!1:b.attr(e,n,""),e.removeAttribute(Q?n:r)},attrHooks:{type:{set:function(e,t){if(!b.support.radioValue&&"radio"===t&&b.nodeName(e,"input")){var n=e.value;return e.setAttribute("type",t),n&&(e.value=n),t}}}},propFix:{tabindex:"tabIndex",readonly:"readOnly","for":"htmlFor","class":"className",maxlength:"maxLength",cellspacing:"cellSpacing",cellpadding:"cellPadding",rowspan:"rowSpan",colspan:"colSpan",usemap:"useMap",frameborder:"frameBorder",contenteditable:"contentEditable"},prop:function(e,n,r){var i,o,a,s=e.nodeType;if(e&&3!==s&&8!==s&&2!==s)return a=1!==s||!b.isXMLDoc(e),a&&(n=b.propFix[n]||n,o=b.propHooks[n]),r!==t?o&&"set"in o&&(i=o.set(e,r,n))!==t?i:e[n]=r:o&&"get"in o&&null!==(i=o.get(e,n))?i:e[n]},propHooks:{tabIndex:{get:function(e){var n=e.getAttributeNode("tabindex");return n&&n.specified?parseInt(n.value,10):V.test(e.nodeName)||Y.test(e.nodeName)&&e.href?0:t}}}}),z={get:function(e,n){var r=b.prop(e,n),i="boolean"==typeof r&&e.getAttribute(n),o="boolean"==typeof r?K&&Q?null!=i:G.test(n)?e[b.camelCase("default-"+n)]:!!i:e.getAttributeNode(n);return o&&o.value!==!1?n.toLowerCase():t},set:function(e,t,n){return t===!1?b.removeAttr(e,n):K&&Q||!G.test(n)?e.setAttribute(!Q&&b.propFix[n]||n,n):e[b.camelCase("default-"+n)]=e[n]=!0,n}},K&&Q||(b.attrHooks.value={get:function(e,n){var r=e.getAttributeNode(n);return b.nodeName(e,"input")?e.defaultValue:r&&r.specified?r.value:t},set:function(e,n,r){return b.nodeName(e,"input")?(e.defaultValue=n,t):I&&I.set(e,n,r)}}),Q||(I=b.valHooks.button={get:function(e,n){var r=e.getAttributeNode(n);return r&&("id"===n||"name"===n||"coords"===n?""!==r.value:r.specified)?r.value:t},set:function(e,n,r){var i=e.getAttributeNode(r);return i||e.setAttributeNode(i=e.ownerDocument.createAttribute(r)),i.value=n+="","value"===r||n===e.getAttribute(r)?n:t}},b.attrHooks.contenteditable={get:I.get,set:function(e,t,n){I.set(e,""===t?!1:t,n)}},b.each(["width","height"],function(e,n){b.attrHooks[n]=b.extend(b.attrHooks[n],{set:function(e,r){return""===r?(e.setAttribute(n,"auto"),r):t}})})),b.support.hrefNormalized||(b.each(["href","src","width","height"],function(e,n){b.attrHooks[n]=b.extend(b.attrHooks[n],{get:function(e){var r=e.getAttribute(n,2);return null==r?t:r}})}),b.each(["href","src"],function(e,t){b.propHooks[t]={get:function(e){return e.getAttribute(t,4)}}})),b.support.style||(b.attrHooks.style={get:function(e){return e.style.cssText||t},set:function(e,t){return e.style.cssText=t+""}}),b.support.optSelected||(b.propHooks.selected=b.extend(b.propHooks.selected,{get:function(e){var t=e.parentNode;return t&&(t.selectedIndex,t.parentNode&&t.parentNode.selectedIndex),null}})),b.support.enctype||(b.propFix.enctype="encoding"),b.support.checkOn||b.each(["radio","checkbox"],function(){b.valHooks[this]={get:function(e){return null===e.getAttribute("value")?"on":e.value}}}),b.each(["radio","checkbox"],function(){b.valHooks[this]=b.extend(b.valHooks[this],{set:function(e,n){return b.isArray(n)?e.checked=b.inArray(b(e).val(),n)>=0:t}})});var Z=/^(?:input|select|textarea)$/i,et=/^key/,tt=/^(?:mouse|contextmenu)|click/,nt=/^(?:focusinfocus|focusoutblur)$/,rt=/^([^.]*)(?:\.(.+)|)$/;function it(){return!0}function ot(){return!1}b.event={global:{},add:function(e,n,r,o,a){var s,u,l,c,p,f,d,h,g,m,y,v=b._data(e);if(v){r.handler&&(c=r,r=c.handler,a=c.selector),r.guid||(r.guid=b.guid++),(u=v.events)||(u=v.events={}),(f=v.handle)||(f=v.handle=function(e){return typeof b===i||e&&b.event.triggered===e.type?t:b.event.dispatch.apply(f.elem,arguments)},f.elem=e),n=(n||"").match(w)||[""],l=n.length;while(l--)s=rt.exec(n[l])||[],g=y=s[1],m=(s[2]||"").split(".").sort(),p=b.event.special[g]||{},g=(a?p.delegateType:p.bindType)||g,p=b.event.special[g]||{},d=b.extend({type:g,origType:y,data:o,handler:r,guid:r.guid,selector:a,needsContext:a&&b.expr.match.needsContext.test(a),namespace:m.join(".")},c),(h=u[g])||(h=u[g]=[],h.delegateCount=0,p.setup&&p.setup.call(e,o,m,f)!==!1||(e.addEventListener?e.addEventListener(g,f,!1):e.attachEvent&&e.attachEvent("on"+g,f))),p.add&&(p.add.call(e,d),d.handler.guid||(d.handler.guid=r.guid)),a?h.splice(h.delegateCount++,0,d):h.push(d),b.event.global[g]=!0;e=null}},remove:function(e,t,n,r,i){var o,a,s,u,l,c,p,f,d,h,g,m=b.hasData(e)&&b._data(e);if(m&&(c=m.events)){t=(t||"").match(w)||[""],l=t.length;while(l--)if(s=rt.exec(t[l])||[],d=g=s[1],h=(s[2]||"").split(".").sort(),d){p=b.event.special[d]||{},d=(r?p.delegateType:p.bindType)||d,f=c[d]||[],s=s[2]&&RegExp("(^|\\.)"+h.join("\\.(?:.*\\.|)")+"(\\.|$)"),u=o=f.length;while(o--)a=f[o],!i&&g!==a.origType||n&&n.guid!==a.guid||s&&!s.test(a.namespace)||r&&r!==a.selector&&("**"!==r||!a.selector)||(f.splice(o,1),a.selector&&f.delegateCount--,p.remove&&p.remove.call(e,a));u&&!f.length&&(p.teardown&&p.teardown.call(e,h,m.handle)!==!1||b.removeEvent(e,d,m.handle),delete c[d])}else for(d in c)b.event.remove(e,d+t[l],n,r,!0);b.isEmptyObject(c)&&(delete m.handle,b._removeData(e,"events"))}},trigger:function(n,r,i,a){var s,u,l,c,p,f,d,h=[i||o],g=y.call(n,"type")?n.type:n,m=y.call(n,"namespace")?n.namespace.split("."):[];if(l=f=i=i||o,3!==i.nodeType&&8!==i.nodeType&&!nt.test(g+b.event.triggered)&&(g.indexOf(".")>=0&&(m=g.split("."),g=m.shift(),m.sort()),u=0>g.indexOf(":")&&"on"+g,n=n[b.expando]?n:new b.Event(g,"object"==typeof n&&n),n.isTrigger=!0,n.namespace=m.join("."),n.namespace_re=n.namespace?RegExp("(^|\\.)"+m.join("\\.(?:.*\\.|)")+"(\\.|$)"):null,n.result=t,n.target||(n.target=i),r=null==r?[n]:b.makeArray(r,[n]),p=b.event.special[g]||{},a||!p.trigger||p.trigger.apply(i,r)!==!1)){if(!a&&!p.noBubble&&!b.isWindow(i)){for(c=p.delegateType||g,nt.test(c+g)||(l=l.parentNode);l;l=l.parentNode)h.push(l),f=l;f===(i.ownerDocument||o)&&h.push(f.defaultView||f.parentWindow||e)}d=0;while((l=h[d++])&&!n.isPropagationStopped())n.type=d>1?c:p.bindType||g,s=(b._data(l,"events")||{})[n.type]&&b._data(l,"handle"),s&&s.apply(l,r),s=u&&l[u],s&&b.acceptData(l)&&s.apply&&s.apply(l,r)===!1&&n.preventDefault();if(n.type=g,!(a||n.isDefaultPrevented()||p._default&&p._default.apply(i.ownerDocument,r)!==!1||"click"===g&&b.nodeName(i,"a")||!b.acceptData(i)||!u||!i[g]||b.isWindow(i))){f=i[u],f&&(i[u]=null),b.event.triggered=g;try{i[g]()}catch(v){}b.event.triggered=t,f&&(i[u]=f)}return n.result}},dispatch:function(e){e=b.event.fix(e);var n,r,i,o,a,s=[],u=h.call(arguments),l=(b._data(this,"events")||{})[e.type]||[],c=b.event.special[e.type]||{};if(u[0]=e,e.delegateTarget=this,!c.preDispatch||c.preDispatch.call(this,e)!==!1){s=b.event.handlers.call(this,e,l),n=0;while((o=s[n++])&&!e.isPropagationStopped()){e.currentTarget=o.elem,a=0;while((i=o.handlers[a++])&&!e.isImmediatePropagationStopped())(!e.namespace_re||e.namespace_re.test(i.namespace))&&(e.handleObj=i,e.data=i.data,r=((b.event.special[i.origType]||{}).handle||i.handler).apply(o.elem,u),r!==t&&(e.result=r)===!1&&(e.preventDefault(),e.stopPropagation()))}return c.postDispatch&&c.postDispatch.call(this,e),e.result}},handlers:function(e,n){var r,i,o,a,s=[],u=n.delegateCount,l=e.target;if(u&&l.nodeType&&(!e.button||"click"!==e.type))for(;l!=this;l=l.parentNode||this)if(1===l.nodeType&&(l.disabled!==!0||"click"!==e.type)){for(o=[],a=0;u>a;a++)i=n[a],r=i.selector+" ",o[r]===t&&(o[r]=i.needsContext?b(r,this).index(l)>=0:b.find(r,this,null,[l]).length),o[r]&&o.push(i);o.length&&s.push({elem:l,handlers:o})}return n.length>u&&s.push({elem:this,handlers:n.slice(u)}),s},fix:function(e){if(e[b.expando])return e;var t,n,r,i=e.type,a=e,s=this.fixHooks[i];s||(this.fixHooks[i]=s=tt.test(i)?this.mouseHooks:et.test(i)?this.keyHooks:{}),r=s.props?this.props.concat(s.props):this.props,e=new b.Event(a),t=r.length;while(t--)n=r[t],e[n]=a[n];return e.target||(e.target=a.srcElement||o),3===e.target.nodeType&&(e.target=e.target.parentNode),e.metaKey=!!e.metaKey,s.filter?s.filter(e,a):e},props:"altKey bubbles cancelable ctrlKey currentTarget eventPhase metaKey relatedTarget shiftKey target timeStamp view which".split(" "),fixHooks:{},keyHooks:{props:"char charCode key keyCode".split(" "),filter:function(e,t){return null==e.which&&(e.which=null!=t.charCode?t.charCode:t.keyCode),e}},mouseHooks:{props:"button buttons clientX clientY fromElement offsetX offsetY pageX pageY screenX screenY toElement".split(" "),filter:function(e,n){var r,i,a,s=n.button,u=n.fromElement;return null==e.pageX&&null!=n.clientX&&(i=e.target.ownerDocument||o,a=i.documentElement,r=i.body,e.pageX=n.clientX+(a&&a.scrollLeft||r&&r.scrollLeft||0)-(a&&a.clientLeft||r&&r.clientLeft||0),e.pageY=n.clientY+(a&&a.scrollTop||r&&r.scrollTop||0)-(a&&a.clientTop||r&&r.clientTop||0)),!e.relatedTarget&&u&&(e.relatedTarget=u===e.target?n.toElement:u),e.which||s===t||(e.which=1&s?1:2&s?3:4&s?2:0),e}},special:{load:{noBubble:!0},click:{trigger:function(){return b.nodeName(this,"input")&&"checkbox"===this.type&&this.click?(this.click(),!1):t}},focus:{trigger:function(){if(this!==o.activeElement&&this.focus)try{return this.focus(),!1}catch(e){}},delegateType:"focusin"},blur:{trigger:function(){return this===o.activeElement&&this.blur?(this.blur(),!1):t},delegateType:"focusout"},beforeunload:{postDispatch:function(e){e.result!==t&&(e.originalEvent.returnValue=e.result)}}},simulate:function(e,t,n,r){var i=b.extend(new b.Event,n,{type:e,isSimulated:!0,originalEvent:{}});r?b.event.trigger(i,null,t):b.event.dispatch.call(t,i),i.isDefaultPrevented()&&n.preventDefault()}},b.removeEvent=o.removeEventListener?function(e,t,n){e.removeEventListener&&e.removeEventListener(t,n,!1)}:function(e,t,n){var r="on"+t;e.detachEvent&&(typeof e[r]===i&&(e[r]=null),e.detachEvent(r,n))},b.Event=function(e,n){return this instanceof b.Event?(e&&e.type?(this.originalEvent=e,this.type=e.type,this.isDefaultPrevented=e.defaultPrevented||e.returnValue===!1||e.getPreventDefault&&e.getPreventDefault()?it:ot):this.type=e,n&&b.extend(this,n),this.timeStamp=e&&e.timeStamp||b.now(),this[b.expando]=!0,t):new b.Event(e,n)},b.Event.prototype={isDefaultPrevented:ot,isPropagationStopped:ot,isImmediatePropagationStopped:ot,preventDefault:function(){var e=this.originalEvent;this.isDefaultPrevented=it,e&&(e.preventDefault?e.preventDefault():e.returnValue=!1)},stopPropagation:function(){var e=this.originalEvent;this.isPropagationStopped=it,e&&(e.stopPropagation&&e.stopPropagation(),e.cancelBubble=!0)},stopImmediatePropagation:function(){this.isImmediatePropagationStopped=it,this.stopPropagation()}},b.each({mouseenter:"mouseover",mouseleave:"mouseout"},function(e,t){b.event.special[e]={delegateType:t,bindType:t,handle:function(e){var n,r=this,i=e.relatedTarget,o=e.handleObj; return(!i||i!==r&&!b.contains(r,i))&&(e.type=o.origType,n=o.handler.apply(this,arguments),e.type=t),n}}}),b.support.submitBubbles||(b.event.special.submit={setup:function(){return b.nodeName(this,"form")?!1:(b.event.add(this,"click._submit keypress._submit",function(e){var n=e.target,r=b.nodeName(n,"input")||b.nodeName(n,"button")?n.form:t;r&&!b._data(r,"submitBubbles")&&(b.event.add(r,"submit._submit",function(e){e._submit_bubble=!0}),b._data(r,"submitBubbles",!0))}),t)},postDispatch:function(e){e._submit_bubble&&(delete e._submit_bubble,this.parentNode&&!e.isTrigger&&b.event.simulate("submit",this.parentNode,e,!0))},teardown:function(){return b.nodeName(this,"form")?!1:(b.event.remove(this,"._submit"),t)}}),b.support.changeBubbles||(b.event.special.change={setup:function(){return Z.test(this.nodeName)?(("checkbox"===this.type||"radio"===this.type)&&(b.event.add(this,"propertychange._change",function(e){"checked"===e.originalEvent.propertyName&&(this._just_changed=!0)}),b.event.add(this,"click._change",function(e){this._just_changed&&!e.isTrigger&&(this._just_changed=!1),b.event.simulate("change",this,e,!0)})),!1):(b.event.add(this,"beforeactivate._change",function(e){var t=e.target;Z.test(t.nodeName)&&!b._data(t,"changeBubbles")&&(b.event.add(t,"change._change",function(e){!this.parentNode||e.isSimulated||e.isTrigger||b.event.simulate("change",this.parentNode,e,!0)}),b._data(t,"changeBubbles",!0))}),t)},handle:function(e){var n=e.target;return this!==n||e.isSimulated||e.isTrigger||"radio"!==n.type&&"checkbox"!==n.type?e.handleObj.handler.apply(this,arguments):t},teardown:function(){return b.event.remove(this,"._change"),!Z.test(this.nodeName)}}),b.support.focusinBubbles||b.each({focus:"focusin",blur:"focusout"},function(e,t){var n=0,r=function(e){b.event.simulate(t,e.target,b.event.fix(e),!0)};b.event.special[t]={setup:function(){0===n++&&o.addEventListener(e,r,!0)},teardown:function(){0===--n&&o.removeEventListener(e,r,!0)}}}),b.fn.extend({on:function(e,n,r,i,o){var a,s;if("object"==typeof e){"string"!=typeof n&&(r=r||n,n=t);for(a in e)this.on(a,n,r,e[a],o);return this}if(null==r&&null==i?(i=n,r=n=t):null==i&&("string"==typeof n?(i=r,r=t):(i=r,r=n,n=t)),i===!1)i=ot;else if(!i)return this;return 1===o&&(s=i,i=function(e){return b().off(e),s.apply(this,arguments)},i.guid=s.guid||(s.guid=b.guid++)),this.each(function(){b.event.add(this,e,i,r,n)})},one:function(e,t,n,r){return this.on(e,t,n,r,1)},off:function(e,n,r){var i,o;if(e&&e.preventDefault&&e.handleObj)return i=e.handleObj,b(e.delegateTarget).off(i.namespace?i.origType+"."+i.namespace:i.origType,i.selector,i.handler),this;if("object"==typeof e){for(o in e)this.off(o,n,e[o]);return this}return(n===!1||"function"==typeof n)&&(r=n,n=t),r===!1&&(r=ot),this.each(function(){b.event.remove(this,e,r,n)})},bind:function(e,t,n){return this.on(e,null,t,n)},unbind:function(e,t){return this.off(e,null,t)},delegate:function(e,t,n,r){return this.on(t,e,n,r)},undelegate:function(e,t,n){return 1===arguments.length?this.off(e,"**"):this.off(t,e||"**",n)},trigger:function(e,t){return this.each(function(){b.event.trigger(e,t,this)})},triggerHandler:function(e,n){var r=this[0];return r?b.event.trigger(e,n,r,!0):t}}),function(e,t){var n,r,i,o,a,s,u,l,c,p,f,d,h,g,m,y,v,x="sizzle"+-new Date,w=e.document,T={},N=0,C=0,k=it(),E=it(),S=it(),A=typeof t,j=1<<31,D=[],L=D.pop,H=D.push,q=D.slice,M=D.indexOf||function(e){var t=0,n=this.length;for(;n>t;t++)if(this[t]===e)return t;return-1},_="[\\x20\\t\\r\\n\\f]",F="(?:\\\\.|[\\w-]|[^\\x00-\\xa0])+",O=F.replace("w","w#"),B="([*^$|!~]?=)",P="\\["+_+"*("+F+")"+_+"*(?:"+B+_+"*(?:(['\"])((?:\\\\.|[^\\\\])*?)\\3|("+O+")|)|)"+_+"*\\]",R=":("+F+")(?:\\(((['\"])((?:\\\\.|[^\\\\])*?)\\3|((?:\\\\.|[^\\\\()[\\]]|"+P.replace(3,8)+")*)|.*)\\)|)",W=RegExp("^"+_+"+|((?:^|[^\\\\])(?:\\\\.)*)"+_+"+$","g"),$=RegExp("^"+_+"*,"+_+"*"),I=RegExp("^"+_+"*([\\x20\\t\\r\\n\\f>+~])"+_+"*"),z=RegExp(R),X=RegExp("^"+O+"$"),U={ID:RegExp("^#("+F+")"),CLASS:RegExp("^\\.("+F+")"),NAME:RegExp("^\\[name=['\"]?("+F+")['\"]?\\]"),TAG:RegExp("^("+F.replace("w","w*")+")"),ATTR:RegExp("^"+P),PSEUDO:RegExp("^"+R),CHILD:RegExp("^:(only|first|last|nth|nth-last)-(child|of-type)(?:\\("+_+"*(even|odd|(([+-]|)(\\d*)n|)"+_+"*(?:([+-]|)"+_+"*(\\d+)|))"+_+"*\\)|)","i"),needsContext:RegExp("^"+_+"*[>+~]|:(even|odd|eq|gt|lt|nth|first|last)(?:\\("+_+"*((?:-\\d)?\\d*)"+_+"*\\)|)(?=[^-]|$)","i")},V=/[\x20\t\r\n\f]*[+~]/,Y=/^[^{]+\{\s*\[native code/,J=/^(?:#([\w-]+)|(\w+)|\.([\w-]+))$/,G=/^(?:input|select|textarea|button)$/i,Q=/^h\d$/i,K=/'|\\/g,Z=/\=[\x20\t\r\n\f]*([^'"\]]*)[\x20\t\r\n\f]*\]/g,et=/\\([\da-fA-F]{1,6}[\x20\t\r\n\f]?|.)/g,tt=function(e,t){var n="0x"+t-65536;return n!==n?t:0>n?String.fromCharCode(n+65536):String.fromCharCode(55296|n>>10,56320|1023&n)};try{q.call(w.documentElement.childNodes,0)[0].nodeType}catch(nt){q=function(e){var t,n=[];while(t=this[e++])n.push(t);return n}}function rt(e){return Y.test(e+"")}function it(){var e,t=[];return e=function(n,r){return t.push(n+=" ")>i.cacheLength&&delete e[t.shift()],e[n]=r}}function ot(e){return e[x]=!0,e}function at(e){var t=p.createElement("div");try{return e(t)}catch(n){return!1}finally{t=null}}function st(e,t,n,r){var i,o,a,s,u,l,f,g,m,v;if((t?t.ownerDocument||t:w)!==p&&c(t),t=t||p,n=n||[],!e||"string"!=typeof e)return n;if(1!==(s=t.nodeType)&&9!==s)return[];if(!d&&!r){if(i=J.exec(e))if(a=i[1]){if(9===s){if(o=t.getElementById(a),!o||!o.parentNode)return n;if(o.id===a)return n.push(o),n}else if(t.ownerDocument&&(o=t.ownerDocument.getElementById(a))&&y(t,o)&&o.id===a)return n.push(o),n}else{if(i[2])return H.apply(n,q.call(t.getElementsByTagName(e),0)),n;if((a=i[3])&&T.getByClassName&&t.getElementsByClassName)return H.apply(n,q.call(t.getElementsByClassName(a),0)),n}if(T.qsa&&!h.test(e)){if(f=!0,g=x,m=t,v=9===s&&e,1===s&&"object"!==t.nodeName.toLowerCase()){l=ft(e),(f=t.getAttribute("id"))?g=f.replace(K,"\\$&"):t.setAttribute("id",g),g="[id='"+g+"'] ",u=l.length;while(u--)l[u]=g+dt(l[u]);m=V.test(e)&&t.parentNode||t,v=l.join(",")}if(v)try{return H.apply(n,q.call(m.querySelectorAll(v),0)),n}catch(b){}finally{f||t.removeAttribute("id")}}}return wt(e.replace(W,"$1"),t,n,r)}a=st.isXML=function(e){var t=e&&(e.ownerDocument||e).documentElement;return t?"HTML"!==t.nodeName:!1},c=st.setDocument=function(e){var n=e?e.ownerDocument||e:w;return n!==p&&9===n.nodeType&&n.documentElement?(p=n,f=n.documentElement,d=a(n),T.tagNameNoComments=at(function(e){return e.appendChild(n.createComment("")),!e.getElementsByTagName("*").length}),T.attributes=at(function(e){e.innerHTML="<select></select>";var t=typeof e.lastChild.getAttribute("multiple");return"boolean"!==t&&"string"!==t}),T.getByClassName=at(function(e){return e.innerHTML="<div class='hidden e'></div><div class='hidden'></div>",e.getElementsByClassName&&e.getElementsByClassName("e").length?(e.lastChild.className="e",2===e.getElementsByClassName("e").length):!1}),T.getByName=at(function(e){e.id=x+0,e.innerHTML="<a name='"+x+"'></a><div name='"+x+"'></div>",f.insertBefore(e,f.firstChild);var t=n.getElementsByName&&n.getElementsByName(x).length===2+n.getElementsByName(x+0).length;return T.getIdNotName=!n.getElementById(x),f.removeChild(e),t}),i.attrHandle=at(function(e){return e.innerHTML="<a href='#'></a>",e.firstChild&&typeof e.firstChild.getAttribute!==A&&"#"===e.firstChild.getAttribute("href")})?{}:{href:function(e){return e.getAttribute("href",2)},type:function(e){return e.getAttribute("type")}},T.getIdNotName?(i.find.ID=function(e,t){if(typeof t.getElementById!==A&&!d){var n=t.getElementById(e);return n&&n.parentNode?[n]:[]}},i.filter.ID=function(e){var t=e.replace(et,tt);return function(e){return e.getAttribute("id")===t}}):(i.find.ID=function(e,n){if(typeof n.getElementById!==A&&!d){var r=n.getElementById(e);return r?r.id===e||typeof r.getAttributeNode!==A&&r.getAttributeNode("id").value===e?[r]:t:[]}},i.filter.ID=function(e){var t=e.replace(et,tt);return function(e){var n=typeof e.getAttributeNode!==A&&e.getAttributeNode("id");return n&&n.value===t}}),i.find.TAG=T.tagNameNoComments?function(e,n){return typeof n.getElementsByTagName!==A?n.getElementsByTagName(e):t}:function(e,t){var n,r=[],i=0,o=t.getElementsByTagName(e);if("*"===e){while(n=o[i++])1===n.nodeType&&r.push(n);return r}return o},i.find.NAME=T.getByName&&function(e,n){return typeof n.getElementsByName!==A?n.getElementsByName(name):t},i.find.CLASS=T.getByClassName&&function(e,n){return typeof n.getElementsByClassName===A||d?t:n.getElementsByClassName(e)},g=[],h=[":focus"],(T.qsa=rt(n.querySelectorAll))&&(at(function(e){e.innerHTML="<select><option selected=''></option></select>",e.querySelectorAll("[selected]").length||h.push("\\["+_+"*(?:checked|disabled|ismap|multiple|readonly|selected|value)"),e.querySelectorAll(":checked").length||h.push(":checked")}),at(function(e){e.innerHTML="<input type='hidden' i=''/>",e.querySelectorAll("[i^='']").length&&h.push("[*^$]="+_+"*(?:\"\"|'')"),e.querySelectorAll(":enabled").length||h.push(":enabled",":disabled"),e.querySelectorAll("*,:x"),h.push(",.*:")})),(T.matchesSelector=rt(m=f.matchesSelector||f.mozMatchesSelector||f.webkitMatchesSelector||f.oMatchesSelector||f.msMatchesSelector))&&at(function(e){T.disconnectedMatch=m.call(e,"div"),m.call(e,"[s!='']:x"),g.push("!=",R)}),h=RegExp(h.join("|")),g=RegExp(g.join("|")),y=rt(f.contains)||f.compareDocumentPosition?function(e,t){var n=9===e.nodeType?e.documentElement:e,r=t&&t.parentNode;return e===r||!(!r||1!==r.nodeType||!(n.contains?n.contains(r):e.compareDocumentPosition&&16&e.compareDocumentPosition(r)))}:function(e,t){if(t)while(t=t.parentNode)if(t===e)return!0;return!1},v=f.compareDocumentPosition?function(e,t){var r;return e===t?(u=!0,0):(r=t.compareDocumentPosition&&e.compareDocumentPosition&&e.compareDocumentPosition(t))?1&r||e.parentNode&&11===e.parentNode.nodeType?e===n||y(w,e)?-1:t===n||y(w,t)?1:0:4&r?-1:1:e.compareDocumentPosition?-1:1}:function(e,t){var r,i=0,o=e.parentNode,a=t.parentNode,s=[e],l=[t];if(e===t)return u=!0,0;if(!o||!a)return e===n?-1:t===n?1:o?-1:a?1:0;if(o===a)return ut(e,t);r=e;while(r=r.parentNode)s.unshift(r);r=t;while(r=r.parentNode)l.unshift(r);while(s[i]===l[i])i++;return i?ut(s[i],l[i]):s[i]===w?-1:l[i]===w?1:0},u=!1,[0,0].sort(v),T.detectDuplicates=u,p):p},st.matches=function(e,t){return st(e,null,null,t)},st.matchesSelector=function(e,t){if((e.ownerDocument||e)!==p&&c(e),t=t.replace(Z,"='$1']"),!(!T.matchesSelector||d||g&&g.test(t)||h.test(t)))try{var n=m.call(e,t);if(n||T.disconnectedMatch||e.document&&11!==e.document.nodeType)return n}catch(r){}return st(t,p,null,[e]).length>0},st.contains=function(e,t){return(e.ownerDocument||e)!==p&&c(e),y(e,t)},st.attr=function(e,t){var n;return(e.ownerDocument||e)!==p&&c(e),d||(t=t.toLowerCase()),(n=i.attrHandle[t])?n(e):d||T.attributes?e.getAttribute(t):((n=e.getAttributeNode(t))||e.getAttribute(t))&&e[t]===!0?t:n&&n.specified?n.value:null},st.error=function(e){throw Error("Syntax error, unrecognized expression: "+e)},st.uniqueSort=function(e){var t,n=[],r=1,i=0;if(u=!T.detectDuplicates,e.sort(v),u){for(;t=e[r];r++)t===e[r-1]&&(i=n.push(r));while(i--)e.splice(n[i],1)}return e};function ut(e,t){var n=t&&e,r=n&&(~t.sourceIndex||j)-(~e.sourceIndex||j);if(r)return r;if(n)while(n=n.nextSibling)if(n===t)return-1;return e?1:-1}function lt(e){return function(t){var n=t.nodeName.toLowerCase();return"input"===n&&t.type===e}}function ct(e){return function(t){var n=t.nodeName.toLowerCase();return("input"===n||"button"===n)&&t.type===e}}function pt(e){return ot(function(t){return t=+t,ot(function(n,r){var i,o=e([],n.length,t),a=o.length;while(a--)n[i=o[a]]&&(n[i]=!(r[i]=n[i]))})})}o=st.getText=function(e){var t,n="",r=0,i=e.nodeType;if(i){if(1===i||9===i||11===i){if("string"==typeof e.textContent)return e.textContent;for(e=e.firstChild;e;e=e.nextSibling)n+=o(e)}else if(3===i||4===i)return e.nodeValue}else for(;t=e[r];r++)n+=o(t);return n},i=st.selectors={cacheLength:50,createPseudo:ot,match:U,find:{},relative:{">":{dir:"parentNode",first:!0}," ":{dir:"parentNode"},"+":{dir:"previousSibling",first:!0},"~":{dir:"previousSibling"}},preFilter:{ATTR:function(e){return e[1]=e[1].replace(et,tt),e[3]=(e[4]||e[5]||"").replace(et,tt),"~="===e[2]&&(e[3]=" "+e[3]+" "),e.slice(0,4)},CHILD:function(e){return e[1]=e[1].toLowerCase(),"nth"===e[1].slice(0,3)?(e[3]||st.error(e[0]),e[4]=+(e[4]?e[5]+(e[6]||1):2*("even"===e[3]||"odd"===e[3])),e[5]=+(e[7]+e[8]||"odd"===e[3])):e[3]&&st.error(e[0]),e},PSEUDO:function(e){var t,n=!e[5]&&e[2];return U.CHILD.test(e[0])?null:(e[4]?e[2]=e[4]:n&&z.test(n)&&(t=ft(n,!0))&&(t=n.indexOf(")",n.length-t)-n.length)&&(e[0]=e[0].slice(0,t),e[2]=n.slice(0,t)),e.slice(0,3))}},filter:{TAG:function(e){return"*"===e?function(){return!0}:(e=e.replace(et,tt).toLowerCase(),function(t){return t.nodeName&&t.nodeName.toLowerCase()===e})},CLASS:function(e){var t=k[e+" "];return t||(t=RegExp("(^|"+_+")"+e+"("+_+"|$)"))&&k(e,function(e){return t.test(e.className||typeof e.getAttribute!==A&&e.getAttribute("class")||"")})},ATTR:function(e,t,n){return function(r){var i=st.attr(r,e);return null==i?"!="===t:t?(i+="","="===t?i===n:"!="===t?i!==n:"^="===t?n&&0===i.indexOf(n):"*="===t?n&&i.indexOf(n)>-1:"$="===t?n&&i.slice(-n.length)===n:"~="===t?(" "+i+" ").indexOf(n)>-1:"|="===t?i===n||i.slice(0,n.length+1)===n+"-":!1):!0}},CHILD:function(e,t,n,r,i){var o="nth"!==e.slice(0,3),a="last"!==e.slice(-4),s="of-type"===t;return 1===r&&0===i?function(e){return!!e.parentNode}:function(t,n,u){var l,c,p,f,d,h,g=o!==a?"nextSibling":"previousSibling",m=t.parentNode,y=s&&t.nodeName.toLowerCase(),v=!u&&!s;if(m){if(o){while(g){p=t;while(p=p[g])if(s?p.nodeName.toLowerCase()===y:1===p.nodeType)return!1;h=g="only"===e&&!h&&"nextSibling"}return!0}if(h=[a?m.firstChild:m.lastChild],a&&v){c=m[x]||(m[x]={}),l=c[e]||[],d=l[0]===N&&l[1],f=l[0]===N&&l[2],p=d&&m.childNodes[d];while(p=++d&&p&&p[g]||(f=d=0)||h.pop())if(1===p.nodeType&&++f&&p===t){c[e]=[N,d,f];break}}else if(v&&(l=(t[x]||(t[x]={}))[e])&&l[0]===N)f=l[1];else while(p=++d&&p&&p[g]||(f=d=0)||h.pop())if((s?p.nodeName.toLowerCase()===y:1===p.nodeType)&&++f&&(v&&((p[x]||(p[x]={}))[e]=[N,f]),p===t))break;return f-=i,f===r||0===f%r&&f/r>=0}}},PSEUDO:function(e,t){var n,r=i.pseudos[e]||i.setFilters[e.toLowerCase()]||st.error("unsupported pseudo: "+e);return r[x]?r(t):r.length>1?(n=[e,e,"",t],i.setFilters.hasOwnProperty(e.toLowerCase())?ot(function(e,n){var i,o=r(e,t),a=o.length;while(a--)i=M.call(e,o[a]),e[i]=!(n[i]=o[a])}):function(e){return r(e,0,n)}):r}},pseudos:{not:ot(function(e){var t=[],n=[],r=s(e.replace(W,"$1"));return r[x]?ot(function(e,t,n,i){var o,a=r(e,null,i,[]),s=e.length;while(s--)(o=a[s])&&(e[s]=!(t[s]=o))}):function(e,i,o){return t[0]=e,r(t,null,o,n),!n.pop()}}),has:ot(function(e){return function(t){return st(e,t).length>0}}),contains:ot(function(e){return function(t){return(t.textContent||t.innerText||o(t)).indexOf(e)>-1}}),lang:ot(function(e){return X.test(e||"")||st.error("unsupported lang: "+e),e=e.replace(et,tt).toLowerCase(),function(t){var n;do if(n=d?t.getAttribute("xml:lang")||t.getAttribute("lang"):t.lang)return n=n.toLowerCase(),n===e||0===n.indexOf(e+"-");while((t=t.parentNode)&&1===t.nodeType);return!1}}),target:function(t){var n=e.location&&e.location.hash;return n&&n.slice(1)===t.id},root:function(e){return e===f},focus:function(e){return e===p.activeElement&&(!p.hasFocus||p.hasFocus())&&!!(e.type||e.href||~e.tabIndex)},enabled:function(e){return e.disabled===!1},disabled:function(e){return e.disabled===!0},checked:function(e){var t=e.nodeName.toLowerCase();return"input"===t&&!!e.checked||"option"===t&&!!e.selected},selected:function(e){return e.parentNode&&e.parentNode.selectedIndex,e.selected===!0},empty:function(e){for(e=e.firstChild;e;e=e.nextSibling)if(e.nodeName>"@"||3===e.nodeType||4===e.nodeType)return!1;return!0},parent:function(e){return!i.pseudos.empty(e)},header:function(e){return Q.test(e.nodeName)},input:function(e){return G.test(e.nodeName)},button:function(e){var t=e.nodeName.toLowerCase();return"input"===t&&"button"===e.type||"button"===t},text:function(e){var t;return"input"===e.nodeName.toLowerCase()&&"text"===e.type&&(null==(t=e.getAttribute("type"))||t.toLowerCase()===e.type)},first:pt(function(){return[0]}),last:pt(function(e,t){return[t-1]}),eq:pt(function(e,t,n){return[0>n?n+t:n]}),even:pt(function(e,t){var n=0;for(;t>n;n+=2)e.push(n);return e}),odd:pt(function(e,t){var n=1;for(;t>n;n+=2)e.push(n);return e}),lt:pt(function(e,t,n){var r=0>n?n+t:n;for(;--r>=0;)e.push(r);return e}),gt:pt(function(e,t,n){var r=0>n?n+t:n;for(;t>++r;)e.push(r);return e})}};for(n in{radio:!0,checkbox:!0,file:!0,password:!0,image:!0})i.pseudos[n]=lt(n);for(n in{submit:!0,reset:!0})i.pseudos[n]=ct(n);function ft(e,t){var n,r,o,a,s,u,l,c=E[e+" "];if(c)return t?0:c.slice(0);s=e,u=[],l=i.preFilter;while(s){(!n||(r=$.exec(s)))&&(r&&(s=s.slice(r[0].length)||s),u.push(o=[])),n=!1,(r=I.exec(s))&&(n=r.shift(),o.push({value:n,type:r[0].replace(W," ")}),s=s.slice(n.length));for(a in i.filter)!(r=U[a].exec(s))||l[a]&&!(r=l[a](r))||(n=r.shift(),o.push({value:n,type:a,matches:r}),s=s.slice(n.length));if(!n)break}return t?s.length:s?st.error(e):E(e,u).slice(0)}function dt(e){var t=0,n=e.length,r="";for(;n>t;t++)r+=e[t].value;return r}function ht(e,t,n){var i=t.dir,o=n&&"parentNode"===i,a=C++;return t.first?function(t,n,r){while(t=t[i])if(1===t.nodeType||o)return e(t,n,r)}:function(t,n,s){var u,l,c,p=N+" "+a;if(s){while(t=t[i])if((1===t.nodeType||o)&&e(t,n,s))return!0}else while(t=t[i])if(1===t.nodeType||o)if(c=t[x]||(t[x]={}),(l=c[i])&&l[0]===p){if((u=l[1])===!0||u===r)return u===!0}else if(l=c[i]=[p],l[1]=e(t,n,s)||r,l[1]===!0)return!0}}function gt(e){return e.length>1?function(t,n,r){var i=e.length;while(i--)if(!e[i](t,n,r))return!1;return!0}:e[0]}function mt(e,t,n,r,i){var o,a=[],s=0,u=e.length,l=null!=t;for(;u>s;s++)(o=e[s])&&(!n||n(o,r,i))&&(a.push(o),l&&t.push(s));return a}function yt(e,t,n,r,i,o){return r&&!r[x]&&(r=yt(r)),i&&!i[x]&&(i=yt(i,o)),ot(function(o,a,s,u){var l,c,p,f=[],d=[],h=a.length,g=o||xt(t||"*",s.nodeType?[s]:s,[]),m=!e||!o&&t?g:mt(g,f,e,s,u),y=n?i||(o?e:h||r)?[]:a:m;if(n&&n(m,y,s,u),r){l=mt(y,d),r(l,[],s,u),c=l.length;while(c--)(p=l[c])&&(y[d[c]]=!(m[d[c]]=p))}if(o){if(i||e){if(i){l=[],c=y.length;while(c--)(p=y[c])&&l.push(m[c]=p);i(null,y=[],l,u)}c=y.length;while(c--)(p=y[c])&&(l=i?M.call(o,p):f[c])>-1&&(o[l]=!(a[l]=p))}}else y=mt(y===a?y.splice(h,y.length):y),i?i(null,a,y,u):H.apply(a,y)})}function vt(e){var t,n,r,o=e.length,a=i.relative[e[0].type],s=a||i.relative[" "],u=a?1:0,c=ht(function(e){return e===t},s,!0),p=ht(function(e){return M.call(t,e)>-1},s,!0),f=[function(e,n,r){return!a&&(r||n!==l)||((t=n).nodeType?c(e,n,r):p(e,n,r))}];for(;o>u;u++)if(n=i.relative[e[u].type])f=[ht(gt(f),n)];else{if(n=i.filter[e[u].type].apply(null,e[u].matches),n[x]){for(r=++u;o>r;r++)if(i.relative[e[r].type])break;return yt(u>1&&gt(f),u>1&&dt(e.slice(0,u-1)).replace(W,"$1"),n,r>u&&vt(e.slice(u,r)),o>r&&vt(e=e.slice(r)),o>r&&dt(e))}f.push(n)}return gt(f)}function bt(e,t){var n=0,o=t.length>0,a=e.length>0,s=function(s,u,c,f,d){var h,g,m,y=[],v=0,b="0",x=s&&[],w=null!=d,T=l,C=s||a&&i.find.TAG("*",d&&u.parentNode||u),k=N+=null==T?1:Math.random()||.1;for(w&&(l=u!==p&&u,r=n);null!=(h=C[b]);b++){if(a&&h){g=0;while(m=e[g++])if(m(h,u,c)){f.push(h);break}w&&(N=k,r=++n)}o&&((h=!m&&h)&&v--,s&&x.push(h))}if(v+=b,o&&b!==v){g=0;while(m=t[g++])m(x,y,u,c);if(s){if(v>0)while(b--)x[b]||y[b]||(y[b]=L.call(f));y=mt(y)}H.apply(f,y),w&&!s&&y.length>0&&v+t.length>1&&st.uniqueSort(f)}return w&&(N=k,l=T),x};return o?ot(s):s}s=st.compile=function(e,t){var n,r=[],i=[],o=S[e+" "];if(!o){t||(t=ft(e)),n=t.length;while(n--)o=vt(t[n]),o[x]?r.push(o):i.push(o);o=S(e,bt(i,r))}return o};function xt(e,t,n){var r=0,i=t.length;for(;i>r;r++)st(e,t[r],n);return n}function wt(e,t,n,r){var o,a,u,l,c,p=ft(e);if(!r&&1===p.length){if(a=p[0]=p[0].slice(0),a.length>2&&"ID"===(u=a[0]).type&&9===t.nodeType&&!d&&i.relative[a[1].type]){if(t=i.find.ID(u.matches[0].replace(et,tt),t)[0],!t)return n;e=e.slice(a.shift().value.length)}o=U.needsContext.test(e)?0:a.length;while(o--){if(u=a[o],i.relative[l=u.type])break;if((c=i.find[l])&&(r=c(u.matches[0].replace(et,tt),V.test(a[0].type)&&t.parentNode||t))){if(a.splice(o,1),e=r.length&&dt(a),!e)return H.apply(n,q.call(r,0)),n;break}}}return s(e,p)(r,t,d,n,V.test(e)),n}i.pseudos.nth=i.pseudos.eq;function Tt(){}i.filters=Tt.prototype=i.pseudos,i.setFilters=new Tt,c(),st.attr=b.attr,b.find=st,b.expr=st.selectors,b.expr[":"]=b.expr.pseudos,b.unique=st.uniqueSort,b.text=st.getText,b.isXMLDoc=st.isXML,b.contains=st.contains}(e);var at=/Until$/,st=/^(?:parents|prev(?:Until|All))/,ut=/^.[^:#\[\.,]*$/,lt=b.expr.match.needsContext,ct={children:!0,contents:!0,next:!0,prev:!0};b.fn.extend({find:function(e){var t,n,r,i=this.length;if("string"!=typeof e)return r=this,this.pushStack(b(e).filter(function(){for(t=0;i>t;t++)if(b.contains(r[t],this))return!0}));for(n=[],t=0;i>t;t++)b.find(e,this[t],n);return n=this.pushStack(i>1?b.unique(n):n),n.selector=(this.selector?this.selector+" ":"")+e,n},has:function(e){var t,n=b(e,this),r=n.length;return this.filter(function(){for(t=0;r>t;t++)if(b.contains(this,n[t]))return!0})},not:function(e){return this.pushStack(ft(this,e,!1))},filter:function(e){return this.pushStack(ft(this,e,!0))},is:function(e){return!!e&&("string"==typeof e?lt.test(e)?b(e,this.context).index(this[0])>=0:b.filter(e,this).length>0:this.filter(e).length>0)},closest:function(e,t){var n,r=0,i=this.length,o=[],a=lt.test(e)||"string"!=typeof e?b(e,t||this.context):0;for(;i>r;r++){n=this[r];while(n&&n.ownerDocument&&n!==t&&11!==n.nodeType){if(a?a.index(n)>-1:b.find.matchesSelector(n,e)){o.push(n);break}n=n.parentNode}}return this.pushStack(o.length>1?b.unique(o):o)},index:function(e){return e?"string"==typeof e?b.inArray(this[0],b(e)):b.inArray(e.jquery?e[0]:e,this):this[0]&&this[0].parentNode?this.first().prevAll().length:-1},add:function(e,t){var n="string"==typeof e?b(e,t):b.makeArray(e&&e.nodeType?[e]:e),r=b.merge(this.get(),n);return this.pushStack(b.unique(r))},addBack:function(e){return this.add(null==e?this.prevObject:this.prevObject.filter(e))}}),b.fn.andSelf=b.fn.addBack;function pt(e,t){do e=e[t];while(e&&1!==e.nodeType);return e}b.each({parent:function(e){var t=e.parentNode;return t&&11!==t.nodeType?t:null},parents:function(e){return b.dir(e,"parentNode")},parentsUntil:function(e,t,n){return b.dir(e,"parentNode",n)},next:function(e){return pt(e,"nextSibling")},prev:function(e){return pt(e,"previousSibling")},nextAll:function(e){return b.dir(e,"nextSibling")},prevAll:function(e){return b.dir(e,"previousSibling")},nextUntil:function(e,t,n){return b.dir(e,"nextSibling",n)},prevUntil:function(e,t,n){return b.dir(e,"previousSibling",n)},siblings:function(e){return b.sibling((e.parentNode||{}).firstChild,e)},children:function(e){return b.sibling(e.firstChild)},contents:function(e){return b.nodeName(e,"iframe")?e.contentDocument||e.contentWindow.document:b.merge([],e.childNodes)}},function(e,t){b.fn[e]=function(n,r){var i=b.map(this,t,n);return at.test(e)||(r=n),r&&"string"==typeof r&&(i=b.filter(r,i)),i=this.length>1&&!ct[e]?b.unique(i):i,this.length>1&&st.test(e)&&(i=i.reverse()),this.pushStack(i)}}),b.extend({filter:function(e,t,n){return n&&(e=":not("+e+")"),1===t.length?b.find.matchesSelector(t[0],e)?[t[0]]:[]:b.find.matches(e,t)},dir:function(e,n,r){var i=[],o=e[n];while(o&&9!==o.nodeType&&(r===t||1!==o.nodeType||!b(o).is(r)))1===o.nodeType&&i.push(o),o=o[n];return i},sibling:function(e,t){var n=[];for(;e;e=e.nextSibling)1===e.nodeType&&e!==t&&n.push(e);return n}});function ft(e,t,n){if(t=t||0,b.isFunction(t))return b.grep(e,function(e,r){var i=!!t.call(e,r,e);return i===n});if(t.nodeType)return b.grep(e,function(e){return e===t===n});if("string"==typeof t){var r=b.grep(e,function(e){return 1===e.nodeType});if(ut.test(t))return b.filter(t,r,!n);t=b.filter(t,r)}return b.grep(e,function(e){return b.inArray(e,t)>=0===n})}function dt(e){var t=ht.split("|"),n=e.createDocumentFragment();if(n.createElement)while(t.length)n.createElement(t.pop());return n}var ht="abbr|article|aside|audio|bdi|canvas|data|datalist|details|figcaption|figure|footer|header|hgroup|mark|meter|nav|output|progress|section|summary|time|video",gt=/ jQuery\d+="(?:null|\d+)"/g,mt=RegExp("<(?:"+ht+")[\\s/>]","i"),yt=/^\s+/,vt=/<(?!area|br|col|embed|hr|img|input|link|meta|param)(([\w:]+)[^>]*)\/>/gi,bt=/<([\w:]+)/,xt=/<tbody/i,wt=/<|&#?\w+;/,Tt=/<(?:script|style|link)/i,Nt=/^(?:checkbox|radio)$/i,Ct=/checked\s*(?:[^=]|=\s*.checked.)/i,kt=/^$|\/(?:java|ecma)script/i,Et=/^true\/(.*)/,St=/^\s*<!(?:\[CDATA\[|--)|(?:\]\]|--)>\s*$/g,At={option:[1,"<select multiple='multiple'>","</select>"],legend:[1,"<fieldset>","</fieldset>"],area:[1,"<map>","</map>"],param:[1,"<object>","</object>"],thead:[1,"<table>","</table>"],tr:[2,"<table><tbody>","</tbody></table>"],col:[2,"<table><tbody></tbody><colgroup>","</colgroup></table>"],td:[3,"<table><tbody><tr>","</tr></tbody></table>"],_default:b.support.htmlSerialize?[0,"",""]:[1,"X<div>","</div>"]},jt=dt(o),Dt=jt.appendChild(o.createElement("div"));At.optgroup=At.option,At.tbody=At.tfoot=At.colgroup=At.caption=At.thead,At.th=At.td,b.fn.extend({text:function(e){return b.access(this,function(e){return e===t?b.text(this):this.empty().append((this[0]&&this[0].ownerDocument||o).createTextNode(e))},null,e,arguments.length)},wrapAll:function(e){if(b.isFunction(e))return this.each(function(t){b(this).wrapAll(e.call(this,t))});if(this[0]){var t=b(e,this[0].ownerDocument).eq(0).clone(!0);this[0].parentNode&&t.insertBefore(this[0]),t.map(function(){var e=this;while(e.firstChild&&1===e.firstChild.nodeType)e=e.firstChild;return e}).append(this)}return this},wrapInner:function(e){return b.isFunction(e)?this.each(function(t){b(this).wrapInner(e.call(this,t))}):this.each(function(){var t=b(this),n=t.contents();n.length?n.wrapAll(e):t.append(e)})},wrap:function(e){var t=b.isFunction(e);return this.each(function(n){b(this).wrapAll(t?e.call(this,n):e)})},unwrap:function(){return this.parent().each(function(){b.nodeName(this,"body")||b(this).replaceWith(this.childNodes)}).end()},append:function(){return this.domManip(arguments,!0,function(e){(1===this.nodeType||11===this.nodeType||9===this.nodeType)&&this.appendChild(e)})},prepend:function(){return this.domManip(arguments,!0,function(e){(1===this.nodeType||11===this.nodeType||9===this.nodeType)&&this.insertBefore(e,this.firstChild)})},before:function(){return this.domManip(arguments,!1,function(e){this.parentNode&&this.parentNode.insertBefore(e,this)})},after:function(){return this.domManip(arguments,!1,function(e){this.parentNode&&this.parentNode.insertBefore(e,this.nextSibling)})},remove:function(e,t){var n,r=0;for(;null!=(n=this[r]);r++)(!e||b.filter(e,[n]).length>0)&&(t||1!==n.nodeType||b.cleanData(Ot(n)),n.parentNode&&(t&&b.contains(n.ownerDocument,n)&&Mt(Ot(n,"script")),n.parentNode.removeChild(n)));return this},empty:function(){var e,t=0;for(;null!=(e=this[t]);t++){1===e.nodeType&&b.cleanData(Ot(e,!1));while(e.firstChild)e.removeChild(e.firstChild);e.options&&b.nodeName(e,"select")&&(e.options.length=0)}return this},clone:function(e,t){return e=null==e?!1:e,t=null==t?e:t,this.map(function(){return b.clone(this,e,t)})},html:function(e){return b.access(this,function(e){var n=this[0]||{},r=0,i=this.length;if(e===t)return 1===n.nodeType?n.innerHTML.replace(gt,""):t;if(!("string"!=typeof e||Tt.test(e)||!b.support.htmlSerialize&&mt.test(e)||!b.support.leadingWhitespace&&yt.test(e)||At[(bt.exec(e)||["",""])[1].toLowerCase()])){e=e.replace(vt,"<$1></$2>");try{for(;i>r;r++)n=this[r]||{},1===n.nodeType&&(b.cleanData(Ot(n,!1)),n.innerHTML=e);n=0}catch(o){}}n&&this.empty().append(e)},null,e,arguments.length)},replaceWith:function(e){var t=b.isFunction(e);return t||"string"==typeof e||(e=b(e).not(this).detach()),this.domManip([e],!0,function(e){var t=this.nextSibling,n=this.parentNode;n&&(b(this).remove(),n.insertBefore(e,t))})},detach:function(e){return this.remove(e,!0)},domManip:function(e,n,r){e=f.apply([],e);var i,o,a,s,u,l,c=0,p=this.length,d=this,h=p-1,g=e[0],m=b.isFunction(g);if(m||!(1>=p||"string"!=typeof g||b.support.checkClone)&&Ct.test(g))return this.each(function(i){var o=d.eq(i);m&&(e[0]=g.call(this,i,n?o.html():t)),o.domManip(e,n,r)});if(p&&(l=b.buildFragment(e,this[0].ownerDocument,!1,this),i=l.firstChild,1===l.childNodes.length&&(l=i),i)){for(n=n&&b.nodeName(i,"tr"),s=b.map(Ot(l,"script"),Ht),a=s.length;p>c;c++)o=l,c!==h&&(o=b.clone(o,!0,!0),a&&b.merge(s,Ot(o,"script"))),r.call(n&&b.nodeName(this[c],"table")?Lt(this[c],"tbody"):this[c],o,c);if(a)for(u=s[s.length-1].ownerDocument,b.map(s,qt),c=0;a>c;c++)o=s[c],kt.test(o.type||"")&&!b._data(o,"globalEval")&&b.contains(u,o)&&(o.src?b.ajax({url:o.src,type:"GET",dataType:"script",async:!1,global:!1,"throws":!0}):b.globalEval((o.text||o.textContent||o.innerHTML||"").replace(St,"")));l=i=null}return this}});function Lt(e,t){return e.getElementsByTagName(t)[0]||e.appendChild(e.ownerDocument.createElement(t))}function Ht(e){var t=e.getAttributeNode("type");return e.type=(t&&t.specified)+"/"+e.type,e}function qt(e){var t=Et.exec(e.type);return t?e.type=t[1]:e.removeAttribute("type"),e}function Mt(e,t){var n,r=0;for(;null!=(n=e[r]);r++)b._data(n,"globalEval",!t||b._data(t[r],"globalEval"))}function _t(e,t){if(1===t.nodeType&&b.hasData(e)){var n,r,i,o=b._data(e),a=b._data(t,o),s=o.events;if(s){delete a.handle,a.events={};for(n in s)for(r=0,i=s[n].length;i>r;r++)b.event.add(t,n,s[n][r])}a.data&&(a.data=b.extend({},a.data))}}function Ft(e,t){var n,r,i;if(1===t.nodeType){if(n=t.nodeName.toLowerCase(),!b.support.noCloneEvent&&t[b.expando]){i=b._data(t);for(r in i.events)b.removeEvent(t,r,i.handle);t.removeAttribute(b.expando)}"script"===n&&t.text!==e.text?(Ht(t).text=e.text,qt(t)):"object"===n?(t.parentNode&&(t.outerHTML=e.outerHTML),b.support.html5Clone&&e.innerHTML&&!b.trim(t.innerHTML)&&(t.innerHTML=e.innerHTML)):"input"===n&&Nt.test(e.type)?(t.defaultChecked=t.checked=e.checked,t.value!==e.value&&(t.value=e.value)):"option"===n?t.defaultSelected=t.selected=e.defaultSelected:("input"===n||"textarea"===n)&&(t.defaultValue=e.defaultValue)}}b.each({appendTo:"append",prependTo:"prepend",insertBefore:"before",insertAfter:"after",replaceAll:"replaceWith"},function(e,t){b.fn[e]=function(e){var n,r=0,i=[],o=b(e),a=o.length-1;for(;a>=r;r++)n=r===a?this:this.clone(!0),b(o[r])[t](n),d.apply(i,n.get());return this.pushStack(i)}});function Ot(e,n){var r,o,a=0,s=typeof e.getElementsByTagName!==i?e.getElementsByTagName(n||"*"):typeof e.querySelectorAll!==i?e.querySelectorAll(n||"*"):t;if(!s)for(s=[],r=e.childNodes||e;null!=(o=r[a]);a++)!n||b.nodeName(o,n)?s.push(o):b.merge(s,Ot(o,n));return n===t||n&&b.nodeName(e,n)?b.merge([e],s):s}function Bt(e){Nt.test(e.type)&&(e.defaultChecked=e.checked)}b.extend({clone:function(e,t,n){var r,i,o,a,s,u=b.contains(e.ownerDocument,e);if(b.support.html5Clone||b.isXMLDoc(e)||!mt.test("<"+e.nodeName+">")?o=e.cloneNode(!0):(Dt.innerHTML=e.outerHTML,Dt.removeChild(o=Dt.firstChild)),!(b.support.noCloneEvent&&b.support.noCloneChecked||1!==e.nodeType&&11!==e.nodeType||b.isXMLDoc(e)))for(r=Ot(o),s=Ot(e),a=0;null!=(i=s[a]);++a)r[a]&&Ft(i,r[a]);if(t)if(n)for(s=s||Ot(e),r=r||Ot(o),a=0;null!=(i=s[a]);a++)_t(i,r[a]);else _t(e,o);return r=Ot(o,"script"),r.length>0&&Mt(r,!u&&Ot(e,"script")),r=s=i=null,o},buildFragment:function(e,t,n,r){var i,o,a,s,u,l,c,p=e.length,f=dt(t),d=[],h=0;for(;p>h;h++)if(o=e[h],o||0===o)if("object"===b.type(o))b.merge(d,o.nodeType?[o]:o);else if(wt.test(o)){s=s||f.appendChild(t.createElement("div")),u=(bt.exec(o)||["",""])[1].toLowerCase(),c=At[u]||At._default,s.innerHTML=c[1]+o.replace(vt,"<$1></$2>")+c[2],i=c[0];while(i--)s=s.lastChild;if(!b.support.leadingWhitespace&&yt.test(o)&&d.push(t.createTextNode(yt.exec(o)[0])),!b.support.tbody){o="table"!==u||xt.test(o)?"<table>"!==c[1]||xt.test(o)?0:s:s.firstChild,i=o&&o.childNodes.length;while(i--)b.nodeName(l=o.childNodes[i],"tbody")&&!l.childNodes.length&&o.removeChild(l) }b.merge(d,s.childNodes),s.textContent="";while(s.firstChild)s.removeChild(s.firstChild);s=f.lastChild}else d.push(t.createTextNode(o));s&&f.removeChild(s),b.support.appendChecked||b.grep(Ot(d,"input"),Bt),h=0;while(o=d[h++])if((!r||-1===b.inArray(o,r))&&(a=b.contains(o.ownerDocument,o),s=Ot(f.appendChild(o),"script"),a&&Mt(s),n)){i=0;while(o=s[i++])kt.test(o.type||"")&&n.push(o)}return s=null,f},cleanData:function(e,t){var n,r,o,a,s=0,u=b.expando,l=b.cache,p=b.support.deleteExpando,f=b.event.special;for(;null!=(n=e[s]);s++)if((t||b.acceptData(n))&&(o=n[u],a=o&&l[o])){if(a.events)for(r in a.events)f[r]?b.event.remove(n,r):b.removeEvent(n,r,a.handle);l[o]&&(delete l[o],p?delete n[u]:typeof n.removeAttribute!==i?n.removeAttribute(u):n[u]=null,c.push(o))}}});var Pt,Rt,Wt,$t=/alpha\([^)]*\)/i,It=/opacity\s*=\s*([^)]*)/,zt=/^(top|right|bottom|left)$/,Xt=/^(none|table(?!-c[ea]).+)/,Ut=/^margin/,Vt=RegExp("^("+x+")(.*)$","i"),Yt=RegExp("^("+x+")(?!px)[a-z%]+$","i"),Jt=RegExp("^([+-])=("+x+")","i"),Gt={BODY:"block"},Qt={position:"absolute",visibility:"hidden",display:"block"},Kt={letterSpacing:0,fontWeight:400},Zt=["Top","Right","Bottom","Left"],en=["Webkit","O","Moz","ms"];function tn(e,t){if(t in e)return t;var n=t.charAt(0).toUpperCase()+t.slice(1),r=t,i=en.length;while(i--)if(t=en[i]+n,t in e)return t;return r}function nn(e,t){return e=t||e,"none"===b.css(e,"display")||!b.contains(e.ownerDocument,e)}function rn(e,t){var n,r,i,o=[],a=0,s=e.length;for(;s>a;a++)r=e[a],r.style&&(o[a]=b._data(r,"olddisplay"),n=r.style.display,t?(o[a]||"none"!==n||(r.style.display=""),""===r.style.display&&nn(r)&&(o[a]=b._data(r,"olddisplay",un(r.nodeName)))):o[a]||(i=nn(r),(n&&"none"!==n||!i)&&b._data(r,"olddisplay",i?n:b.css(r,"display"))));for(a=0;s>a;a++)r=e[a],r.style&&(t&&"none"!==r.style.display&&""!==r.style.display||(r.style.display=t?o[a]||"":"none"));return e}b.fn.extend({css:function(e,n){return b.access(this,function(e,n,r){var i,o,a={},s=0;if(b.isArray(n)){for(o=Rt(e),i=n.length;i>s;s++)a[n[s]]=b.css(e,n[s],!1,o);return a}return r!==t?b.style(e,n,r):b.css(e,n)},e,n,arguments.length>1)},show:function(){return rn(this,!0)},hide:function(){return rn(this)},toggle:function(e){var t="boolean"==typeof e;return this.each(function(){(t?e:nn(this))?b(this).show():b(this).hide()})}}),b.extend({cssHooks:{opacity:{get:function(e,t){if(t){var n=Wt(e,"opacity");return""===n?"1":n}}}},cssNumber:{columnCount:!0,fillOpacity:!0,fontWeight:!0,lineHeight:!0,opacity:!0,orphans:!0,widows:!0,zIndex:!0,zoom:!0},cssProps:{"float":b.support.cssFloat?"cssFloat":"styleFloat"},style:function(e,n,r,i){if(e&&3!==e.nodeType&&8!==e.nodeType&&e.style){var o,a,s,u=b.camelCase(n),l=e.style;if(n=b.cssProps[u]||(b.cssProps[u]=tn(l,u)),s=b.cssHooks[n]||b.cssHooks[u],r===t)return s&&"get"in s&&(o=s.get(e,!1,i))!==t?o:l[n];if(a=typeof r,"string"===a&&(o=Jt.exec(r))&&(r=(o[1]+1)*o[2]+parseFloat(b.css(e,n)),a="number"),!(null==r||"number"===a&&isNaN(r)||("number"!==a||b.cssNumber[u]||(r+="px"),b.support.clearCloneStyle||""!==r||0!==n.indexOf("background")||(l[n]="inherit"),s&&"set"in s&&(r=s.set(e,r,i))===t)))try{l[n]=r}catch(c){}}},css:function(e,n,r,i){var o,a,s,u=b.camelCase(n);return n=b.cssProps[u]||(b.cssProps[u]=tn(e.style,u)),s=b.cssHooks[n]||b.cssHooks[u],s&&"get"in s&&(a=s.get(e,!0,r)),a===t&&(a=Wt(e,n,i)),"normal"===a&&n in Kt&&(a=Kt[n]),""===r||r?(o=parseFloat(a),r===!0||b.isNumeric(o)?o||0:a):a},swap:function(e,t,n,r){var i,o,a={};for(o in t)a[o]=e.style[o],e.style[o]=t[o];i=n.apply(e,r||[]);for(o in t)e.style[o]=a[o];return i}}),e.getComputedStyle?(Rt=function(t){return e.getComputedStyle(t,null)},Wt=function(e,n,r){var i,o,a,s=r||Rt(e),u=s?s.getPropertyValue(n)||s[n]:t,l=e.style;return s&&(""!==u||b.contains(e.ownerDocument,e)||(u=b.style(e,n)),Yt.test(u)&&Ut.test(n)&&(i=l.width,o=l.minWidth,a=l.maxWidth,l.minWidth=l.maxWidth=l.width=u,u=s.width,l.width=i,l.minWidth=o,l.maxWidth=a)),u}):o.documentElement.currentStyle&&(Rt=function(e){return e.currentStyle},Wt=function(e,n,r){var i,o,a,s=r||Rt(e),u=s?s[n]:t,l=e.style;return null==u&&l&&l[n]&&(u=l[n]),Yt.test(u)&&!zt.test(n)&&(i=l.left,o=e.runtimeStyle,a=o&&o.left,a&&(o.left=e.currentStyle.left),l.left="fontSize"===n?"1em":u,u=l.pixelLeft+"px",l.left=i,a&&(o.left=a)),""===u?"auto":u});function on(e,t,n){var r=Vt.exec(t);return r?Math.max(0,r[1]-(n||0))+(r[2]||"px"):t}function an(e,t,n,r,i){var o=n===(r?"border":"content")?4:"width"===t?1:0,a=0;for(;4>o;o+=2)"margin"===n&&(a+=b.css(e,n+Zt[o],!0,i)),r?("content"===n&&(a-=b.css(e,"padding"+Zt[o],!0,i)),"margin"!==n&&(a-=b.css(e,"border"+Zt[o]+"Width",!0,i))):(a+=b.css(e,"padding"+Zt[o],!0,i),"padding"!==n&&(a+=b.css(e,"border"+Zt[o]+"Width",!0,i)));return a}function sn(e,t,n){var r=!0,i="width"===t?e.offsetWidth:e.offsetHeight,o=Rt(e),a=b.support.boxSizing&&"border-box"===b.css(e,"boxSizing",!1,o);if(0>=i||null==i){if(i=Wt(e,t,o),(0>i||null==i)&&(i=e.style[t]),Yt.test(i))return i;r=a&&(b.support.boxSizingReliable||i===e.style[t]),i=parseFloat(i)||0}return i+an(e,t,n||(a?"border":"content"),r,o)+"px"}function un(e){var t=o,n=Gt[e];return n||(n=ln(e,t),"none"!==n&&n||(Pt=(Pt||b("<iframe frameborder='0' width='0' height='0'/>").css("cssText","display:block !important")).appendTo(t.documentElement),t=(Pt[0].contentWindow||Pt[0].contentDocument).document,t.write("<!doctype html><html><body>"),t.close(),n=ln(e,t),Pt.detach()),Gt[e]=n),n}function ln(e,t){var n=b(t.createElement(e)).appendTo(t.body),r=b.css(n[0],"display");return n.remove(),r}b.each(["height","width"],function(e,n){b.cssHooks[n]={get:function(e,r,i){return r?0===e.offsetWidth&&Xt.test(b.css(e,"display"))?b.swap(e,Qt,function(){return sn(e,n,i)}):sn(e,n,i):t},set:function(e,t,r){var i=r&&Rt(e);return on(e,t,r?an(e,n,r,b.support.boxSizing&&"border-box"===b.css(e,"boxSizing",!1,i),i):0)}}}),b.support.opacity||(b.cssHooks.opacity={get:function(e,t){return It.test((t&&e.currentStyle?e.currentStyle.filter:e.style.filter)||"")?.01*parseFloat(RegExp.$1)+"":t?"1":""},set:function(e,t){var n=e.style,r=e.currentStyle,i=b.isNumeric(t)?"alpha(opacity="+100*t+")":"",o=r&&r.filter||n.filter||"";n.zoom=1,(t>=1||""===t)&&""===b.trim(o.replace($t,""))&&n.removeAttribute&&(n.removeAttribute("filter"),""===t||r&&!r.filter)||(n.filter=$t.test(o)?o.replace($t,i):o+" "+i)}}),b(function(){b.support.reliableMarginRight||(b.cssHooks.marginRight={get:function(e,n){return n?b.swap(e,{display:"inline-block"},Wt,[e,"marginRight"]):t}}),!b.support.pixelPosition&&b.fn.position&&b.each(["top","left"],function(e,n){b.cssHooks[n]={get:function(e,r){return r?(r=Wt(e,n),Yt.test(r)?b(e).position()[n]+"px":r):t}}})}),b.expr&&b.expr.filters&&(b.expr.filters.hidden=function(e){return 0>=e.offsetWidth&&0>=e.offsetHeight||!b.support.reliableHiddenOffsets&&"none"===(e.style&&e.style.display||b.css(e,"display"))},b.expr.filters.visible=function(e){return!b.expr.filters.hidden(e)}),b.each({margin:"",padding:"",border:"Width"},function(e,t){b.cssHooks[e+t]={expand:function(n){var r=0,i={},o="string"==typeof n?n.split(" "):[n];for(;4>r;r++)i[e+Zt[r]+t]=o[r]||o[r-2]||o[0];return i}},Ut.test(e)||(b.cssHooks[e+t].set=on)});var cn=/%20/g,pn=/\[\]$/,fn=/\r?\n/g,dn=/^(?:submit|button|image|reset|file)$/i,hn=/^(?:input|select|textarea|keygen)/i;b.fn.extend({serialize:function(){return b.param(this.serializeArray())},serializeArray:function(){return this.map(function(){var e=b.prop(this,"elements");return e?b.makeArray(e):this}).filter(function(){var e=this.type;return this.name&&!b(this).is(":disabled")&&hn.test(this.nodeName)&&!dn.test(e)&&(this.checked||!Nt.test(e))}).map(function(e,t){var n=b(this).val();return null==n?null:b.isArray(n)?b.map(n,function(e){return{name:t.name,value:e.replace(fn,"\r\n")}}):{name:t.name,value:n.replace(fn,"\r\n")}}).get()}}),b.param=function(e,n){var r,i=[],o=function(e,t){t=b.isFunction(t)?t():null==t?"":t,i[i.length]=encodeURIComponent(e)+"="+encodeURIComponent(t)};if(n===t&&(n=b.ajaxSettings&&b.ajaxSettings.traditional),b.isArray(e)||e.jquery&&!b.isPlainObject(e))b.each(e,function(){o(this.name,this.value)});else for(r in e)gn(r,e[r],n,o);return i.join("&").replace(cn,"+")};function gn(e,t,n,r){var i;if(b.isArray(t))b.each(t,function(t,i){n||pn.test(e)?r(e,i):gn(e+"["+("object"==typeof i?t:"")+"]",i,n,r)});else if(n||"object"!==b.type(t))r(e,t);else for(i in t)gn(e+"["+i+"]",t[i],n,r)}b.each("blur focus focusin focusout load resize scroll unload click dblclick mousedown mouseup mousemove mouseover mouseout mouseenter mouseleave change select submit keydown keypress keyup error contextmenu".split(" "),function(e,t){b.fn[t]=function(e,n){return arguments.length>0?this.on(t,null,e,n):this.trigger(t)}}),b.fn.hover=function(e,t){return this.mouseenter(e).mouseleave(t||e)};var mn,yn,vn=b.now(),bn=/\?/,xn=/#.*$/,wn=/([?&])_=[^&]*/,Tn=/^(.*?):[ \t]*([^\r\n]*)\r?$/gm,Nn=/^(?:about|app|app-storage|.+-extension|file|res|widget):$/,Cn=/^(?:GET|HEAD)$/,kn=/^\/\//,En=/^([\w.+-]+:)(?:\/\/([^\/?#:]*)(?::(\d+)|)|)/,Sn=b.fn.load,An={},jn={},Dn="*/".concat("*");try{yn=a.href}catch(Ln){yn=o.createElement("a"),yn.href="",yn=yn.href}mn=En.exec(yn.toLowerCase())||[];function Hn(e){return function(t,n){"string"!=typeof t&&(n=t,t="*");var r,i=0,o=t.toLowerCase().match(w)||[];if(b.isFunction(n))while(r=o[i++])"+"===r[0]?(r=r.slice(1)||"*",(e[r]=e[r]||[]).unshift(n)):(e[r]=e[r]||[]).push(n)}}function qn(e,n,r,i){var o={},a=e===jn;function s(u){var l;return o[u]=!0,b.each(e[u]||[],function(e,u){var c=u(n,r,i);return"string"!=typeof c||a||o[c]?a?!(l=c):t:(n.dataTypes.unshift(c),s(c),!1)}),l}return s(n.dataTypes[0])||!o["*"]&&s("*")}function Mn(e,n){var r,i,o=b.ajaxSettings.flatOptions||{};for(i in n)n[i]!==t&&((o[i]?e:r||(r={}))[i]=n[i]);return r&&b.extend(!0,e,r),e}b.fn.load=function(e,n,r){if("string"!=typeof e&&Sn)return Sn.apply(this,arguments);var i,o,a,s=this,u=e.indexOf(" ");return u>=0&&(i=e.slice(u,e.length),e=e.slice(0,u)),b.isFunction(n)?(r=n,n=t):n&&"object"==typeof n&&(a="POST"),s.length>0&&b.ajax({url:e,type:a,dataType:"html",data:n}).done(function(e){o=arguments,s.html(i?b("<div>").append(b.parseHTML(e)).find(i):e)}).complete(r&&function(e,t){s.each(r,o||[e.responseText,t,e])}),this},b.each(["ajaxStart","ajaxStop","ajaxComplete","ajaxError","ajaxSuccess","ajaxSend"],function(e,t){b.fn[t]=function(e){return this.on(t,e)}}),b.each(["get","post"],function(e,n){b[n]=function(e,r,i,o){return b.isFunction(r)&&(o=o||i,i=r,r=t),b.ajax({url:e,type:n,dataType:o,data:r,success:i})}}),b.extend({active:0,lastModified:{},etag:{},ajaxSettings:{url:yn,type:"GET",isLocal:Nn.test(mn[1]),global:!0,processData:!0,async:!0,contentType:"application/x-www-form-urlencoded; charset=UTF-8",accepts:{"*":Dn,text:"text/plain",html:"text/html",xml:"application/xml, text/xml",json:"application/json, text/javascript"},contents:{xml:/xml/,html:/html/,json:/json/},responseFields:{xml:"responseXML",text:"responseText"},converters:{"* text":e.String,"text html":!0,"text json":b.parseJSON,"text xml":b.parseXML},flatOptions:{url:!0,context:!0}},ajaxSetup:function(e,t){return t?Mn(Mn(e,b.ajaxSettings),t):Mn(b.ajaxSettings,e)},ajaxPrefilter:Hn(An),ajaxTransport:Hn(jn),ajax:function(e,n){"object"==typeof e&&(n=e,e=t),n=n||{};var r,i,o,a,s,u,l,c,p=b.ajaxSetup({},n),f=p.context||p,d=p.context&&(f.nodeType||f.jquery)?b(f):b.event,h=b.Deferred(),g=b.Callbacks("once memory"),m=p.statusCode||{},y={},v={},x=0,T="canceled",N={readyState:0,getResponseHeader:function(e){var t;if(2===x){if(!c){c={};while(t=Tn.exec(a))c[t[1].toLowerCase()]=t[2]}t=c[e.toLowerCase()]}return null==t?null:t},getAllResponseHeaders:function(){return 2===x?a:null},setRequestHeader:function(e,t){var n=e.toLowerCase();return x||(e=v[n]=v[n]||e,y[e]=t),this},overrideMimeType:function(e){return x||(p.mimeType=e),this},statusCode:function(e){var t;if(e)if(2>x)for(t in e)m[t]=[m[t],e[t]];else N.always(e[N.status]);return this},abort:function(e){var t=e||T;return l&&l.abort(t),k(0,t),this}};if(h.promise(N).complete=g.add,N.success=N.done,N.error=N.fail,p.url=((e||p.url||yn)+"").replace(xn,"").replace(kn,mn[1]+"//"),p.type=n.method||n.type||p.method||p.type,p.dataTypes=b.trim(p.dataType||"*").toLowerCase().match(w)||[""],null==p.crossDomain&&(r=En.exec(p.url.toLowerCase()),p.crossDomain=!(!r||r[1]===mn[1]&&r[2]===mn[2]&&(r[3]||("http:"===r[1]?80:443))==(mn[3]||("http:"===mn[1]?80:443)))),p.data&&p.processData&&"string"!=typeof p.data&&(p.data=b.param(p.data,p.traditional)),qn(An,p,n,N),2===x)return N;u=p.global,u&&0===b.active++&&b.event.trigger("ajaxStart"),p.type=p.type.toUpperCase(),p.hasContent=!Cn.test(p.type),o=p.url,p.hasContent||(p.data&&(o=p.url+=(bn.test(o)?"&":"?")+p.data,delete p.data),p.cache===!1&&(p.url=wn.test(o)?o.replace(wn,"$1_="+vn++):o+(bn.test(o)?"&":"?")+"_="+vn++)),p.ifModified&&(b.lastModified[o]&&N.setRequestHeader("If-Modified-Since",b.lastModified[o]),b.etag[o]&&N.setRequestHeader("If-None-Match",b.etag[o])),(p.data&&p.hasContent&&p.contentType!==!1||n.contentType)&&N.setRequestHeader("Content-Type",p.contentType),N.setRequestHeader("Accept",p.dataTypes[0]&&p.accepts[p.dataTypes[0]]?p.accepts[p.dataTypes[0]]+("*"!==p.dataTypes[0]?", "+Dn+"; q=0.01":""):p.accepts["*"]);for(i in p.headers)N.setRequestHeader(i,p.headers[i]);if(p.beforeSend&&(p.beforeSend.call(f,N,p)===!1||2===x))return N.abort();T="abort";for(i in{success:1,error:1,complete:1})N[i](p[i]);if(l=qn(jn,p,n,N)){N.readyState=1,u&&d.trigger("ajaxSend",[N,p]),p.async&&p.timeout>0&&(s=setTimeout(function(){N.abort("timeout")},p.timeout));try{x=1,l.send(y,k)}catch(C){if(!(2>x))throw C;k(-1,C)}}else k(-1,"No Transport");function k(e,n,r,i){var c,y,v,w,T,C=n;2!==x&&(x=2,s&&clearTimeout(s),l=t,a=i||"",N.readyState=e>0?4:0,r&&(w=_n(p,N,r)),e>=200&&300>e||304===e?(p.ifModified&&(T=N.getResponseHeader("Last-Modified"),T&&(b.lastModified[o]=T),T=N.getResponseHeader("etag"),T&&(b.etag[o]=T)),204===e?(c=!0,C="nocontent"):304===e?(c=!0,C="notmodified"):(c=Fn(p,w),C=c.state,y=c.data,v=c.error,c=!v)):(v=C,(e||!C)&&(C="error",0>e&&(e=0))),N.status=e,N.statusText=(n||C)+"",c?h.resolveWith(f,[y,C,N]):h.rejectWith(f,[N,C,v]),N.statusCode(m),m=t,u&&d.trigger(c?"ajaxSuccess":"ajaxError",[N,p,c?y:v]),g.fireWith(f,[N,C]),u&&(d.trigger("ajaxComplete",[N,p]),--b.active||b.event.trigger("ajaxStop")))}return N},getScript:function(e,n){return b.get(e,t,n,"script")},getJSON:function(e,t,n){return b.get(e,t,n,"json")}});function _n(e,n,r){var i,o,a,s,u=e.contents,l=e.dataTypes,c=e.responseFields;for(s in c)s in r&&(n[c[s]]=r[s]);while("*"===l[0])l.shift(),o===t&&(o=e.mimeType||n.getResponseHeader("Content-Type"));if(o)for(s in u)if(u[s]&&u[s].test(o)){l.unshift(s);break}if(l[0]in r)a=l[0];else{for(s in r){if(!l[0]||e.converters[s+" "+l[0]]){a=s;break}i||(i=s)}a=a||i}return a?(a!==l[0]&&l.unshift(a),r[a]):t}function Fn(e,t){var n,r,i,o,a={},s=0,u=e.dataTypes.slice(),l=u[0];if(e.dataFilter&&(t=e.dataFilter(t,e.dataType)),u[1])for(i in e.converters)a[i.toLowerCase()]=e.converters[i];for(;r=u[++s];)if("*"!==r){if("*"!==l&&l!==r){if(i=a[l+" "+r]||a["* "+r],!i)for(n in a)if(o=n.split(" "),o[1]===r&&(i=a[l+" "+o[0]]||a["* "+o[0]])){i===!0?i=a[n]:a[n]!==!0&&(r=o[0],u.splice(s--,0,r));break}if(i!==!0)if(i&&e["throws"])t=i(t);else try{t=i(t)}catch(c){return{state:"parsererror",error:i?c:"No conversion from "+l+" to "+r}}}l=r}return{state:"success",data:t}}b.ajaxSetup({accepts:{script:"text/javascript, application/javascript, application/ecmascript, application/x-ecmascript"},contents:{script:/(?:java|ecma)script/},converters:{"text script":function(e){return b.globalEval(e),e}}}),b.ajaxPrefilter("script",function(e){e.cache===t&&(e.cache=!1),e.crossDomain&&(e.type="GET",e.global=!1)}),b.ajaxTransport("script",function(e){if(e.crossDomain){var n,r=o.head||b("head")[0]||o.documentElement;return{send:function(t,i){n=o.createElement("script"),n.async=!0,e.scriptCharset&&(n.charset=e.scriptCharset),n.src=e.url,n.onload=n.onreadystatechange=function(e,t){(t||!n.readyState||/loaded|complete/.test(n.readyState))&&(n.onload=n.onreadystatechange=null,n.parentNode&&n.parentNode.removeChild(n),n=null,t||i(200,"success"))},r.insertBefore(n,r.firstChild)},abort:function(){n&&n.onload(t,!0)}}}});var On=[],Bn=/(=)\?(?=&|$)|\?\?/;b.ajaxSetup({jsonp:"callback",jsonpCallback:function(){var e=On.pop()||b.expando+"_"+vn++;return this[e]=!0,e}}),b.ajaxPrefilter("json jsonp",function(n,r,i){var o,a,s,u=n.jsonp!==!1&&(Bn.test(n.url)?"url":"string"==typeof n.data&&!(n.contentType||"").indexOf("application/x-www-form-urlencoded")&&Bn.test(n.data)&&"data");return u||"jsonp"===n.dataTypes[0]?(o=n.jsonpCallback=b.isFunction(n.jsonpCallback)?n.jsonpCallback():n.jsonpCallback,u?n[u]=n[u].replace(Bn,"$1"+o):n.jsonp!==!1&&(n.url+=(bn.test(n.url)?"&":"?")+n.jsonp+"="+o),n.converters["script json"]=function(){return s||b.error(o+" was not called"),s[0]},n.dataTypes[0]="json",a=e[o],e[o]=function(){s=arguments},i.always(function(){e[o]=a,n[o]&&(n.jsonpCallback=r.jsonpCallback,On.push(o)),s&&b.isFunction(a)&&a(s[0]),s=a=t}),"script"):t});var Pn,Rn,Wn=0,$n=e.ActiveXObject&&function(){var e;for(e in Pn)Pn[e](t,!0)};function In(){try{return new e.XMLHttpRequest}catch(t){}}function zn(){try{return new e.ActiveXObject("Microsoft.XMLHTTP")}catch(t){}}b.ajaxSettings.xhr=e.ActiveXObject?function(){return!this.isLocal&&In()||zn()}:In,Rn=b.ajaxSettings.xhr(),b.support.cors=!!Rn&&"withCredentials"in Rn,Rn=b.support.ajax=!!Rn,Rn&&b.ajaxTransport(function(n){if(!n.crossDomain||b.support.cors){var r;return{send:function(i,o){var a,s,u=n.xhr();if(n.username?u.open(n.type,n.url,n.async,n.username,n.password):u.open(n.type,n.url,n.async),n.xhrFields)for(s in n.xhrFields)u[s]=n.xhrFields[s];n.mimeType&&u.overrideMimeType&&u.overrideMimeType(n.mimeType),n.crossDomain||i["X-Requested-With"]||(i["X-Requested-With"]="XMLHttpRequest");try{for(s in i)u.setRequestHeader(s,i[s])}catch(l){}u.send(n.hasContent&&n.data||null),r=function(e,i){var s,l,c,p;try{if(r&&(i||4===u.readyState))if(r=t,a&&(u.onreadystatechange=b.noop,$n&&delete Pn[a]),i)4!==u.readyState&&u.abort();else{p={},s=u.status,l=u.getAllResponseHeaders(),"string"==typeof u.responseText&&(p.text=u.responseText);try{c=u.statusText}catch(f){c=""}s||!n.isLocal||n.crossDomain?1223===s&&(s=204):s=p.text?200:404}}catch(d){i||o(-1,d)}p&&o(s,c,p,l)},n.async?4===u.readyState?setTimeout(r):(a=++Wn,$n&&(Pn||(Pn={},b(e).unload($n)),Pn[a]=r),u.onreadystatechange=r):r()},abort:function(){r&&r(t,!0)}}}});var Xn,Un,Vn=/^(?:toggle|show|hide)$/,Yn=RegExp("^(?:([+-])=|)("+x+")([a-z%]*)$","i"),Jn=/queueHooks$/,Gn=[nr],Qn={"*":[function(e,t){var n,r,i=this.createTween(e,t),o=Yn.exec(t),a=i.cur(),s=+a||0,u=1,l=20;if(o){if(n=+o[2],r=o[3]||(b.cssNumber[e]?"":"px"),"px"!==r&&s){s=b.css(i.elem,e,!0)||n||1;do u=u||".5",s/=u,b.style(i.elem,e,s+r);while(u!==(u=i.cur()/a)&&1!==u&&--l)}i.unit=r,i.start=s,i.end=o[1]?s+(o[1]+1)*n:n}return i}]};function Kn(){return setTimeout(function(){Xn=t}),Xn=b.now()}function Zn(e,t){b.each(t,function(t,n){var r=(Qn[t]||[]).concat(Qn["*"]),i=0,o=r.length;for(;o>i;i++)if(r[i].call(e,t,n))return})}function er(e,t,n){var r,i,o=0,a=Gn.length,s=b.Deferred().always(function(){delete u.elem}),u=function(){if(i)return!1;var t=Xn||Kn(),n=Math.max(0,l.startTime+l.duration-t),r=n/l.duration||0,o=1-r,a=0,u=l.tweens.length;for(;u>a;a++)l.tweens[a].run(o);return s.notifyWith(e,[l,o,n]),1>o&&u?n:(s.resolveWith(e,[l]),!1)},l=s.promise({elem:e,props:b.extend({},t),opts:b.extend(!0,{specialEasing:{}},n),originalProperties:t,originalOptions:n,startTime:Xn||Kn(),duration:n.duration,tweens:[],createTween:function(t,n){var r=b.Tween(e,l.opts,t,n,l.opts.specialEasing[t]||l.opts.easing);return l.tweens.push(r),r},stop:function(t){var n=0,r=t?l.tweens.length:0;if(i)return this;for(i=!0;r>n;n++)l.tweens[n].run(1);return t?s.resolveWith(e,[l,t]):s.rejectWith(e,[l,t]),this}}),c=l.props;for(tr(c,l.opts.specialEasing);a>o;o++)if(r=Gn[o].call(l,e,c,l.opts))return r;return Zn(l,c),b.isFunction(l.opts.start)&&l.opts.start.call(e,l),b.fx.timer(b.extend(u,{elem:e,anim:l,queue:l.opts.queue})),l.progress(l.opts.progress).done(l.opts.done,l.opts.complete).fail(l.opts.fail).always(l.opts.always)}function tr(e,t){var n,r,i,o,a;for(i in e)if(r=b.camelCase(i),o=t[r],n=e[i],b.isArray(n)&&(o=n[1],n=e[i]=n[0]),i!==r&&(e[r]=n,delete e[i]),a=b.cssHooks[r],a&&"expand"in a){n=a.expand(n),delete e[r];for(i in n)i in e||(e[i]=n[i],t[i]=o)}else t[r]=o}b.Animation=b.extend(er,{tweener:function(e,t){b.isFunction(e)?(t=e,e=["*"]):e=e.split(" ");var n,r=0,i=e.length;for(;i>r;r++)n=e[r],Qn[n]=Qn[n]||[],Qn[n].unshift(t)},prefilter:function(e,t){t?Gn.unshift(e):Gn.push(e)}});function nr(e,t,n){var r,i,o,a,s,u,l,c,p,f=this,d=e.style,h={},g=[],m=e.nodeType&&nn(e);n.queue||(c=b._queueHooks(e,"fx"),null==c.unqueued&&(c.unqueued=0,p=c.empty.fire,c.empty.fire=function(){c.unqueued||p()}),c.unqueued++,f.always(function(){f.always(function(){c.unqueued--,b.queue(e,"fx").length||c.empty.fire()})})),1===e.nodeType&&("height"in t||"width"in t)&&(n.overflow=[d.overflow,d.overflowX,d.overflowY],"inline"===b.css(e,"display")&&"none"===b.css(e,"float")&&(b.support.inlineBlockNeedsLayout&&"inline"!==un(e.nodeName)?d.zoom=1:d.display="inline-block")),n.overflow&&(d.overflow="hidden",b.support.shrinkWrapBlocks||f.always(function(){d.overflow=n.overflow[0],d.overflowX=n.overflow[1],d.overflowY=n.overflow[2]}));for(i in t)if(a=t[i],Vn.exec(a)){if(delete t[i],u=u||"toggle"===a,a===(m?"hide":"show"))continue;g.push(i)}if(o=g.length){s=b._data(e,"fxshow")||b._data(e,"fxshow",{}),"hidden"in s&&(m=s.hidden),u&&(s.hidden=!m),m?b(e).show():f.done(function(){b(e).hide()}),f.done(function(){var t;b._removeData(e,"fxshow");for(t in h)b.style(e,t,h[t])});for(i=0;o>i;i++)r=g[i],l=f.createTween(r,m?s[r]:0),h[r]=s[r]||b.style(e,r),r in s||(s[r]=l.start,m&&(l.end=l.start,l.start="width"===r||"height"===r?1:0))}}function rr(e,t,n,r,i){return new rr.prototype.init(e,t,n,r,i)}b.Tween=rr,rr.prototype={constructor:rr,init:function(e,t,n,r,i,o){this.elem=e,this.prop=n,this.easing=i||"swing",this.options=t,this.start=this.now=this.cur(),this.end=r,this.unit=o||(b.cssNumber[n]?"":"px")},cur:function(){var e=rr.propHooks[this.prop];return e&&e.get?e.get(this):rr.propHooks._default.get(this)},run:function(e){var t,n=rr.propHooks[this.prop];return this.pos=t=this.options.duration?b.easing[this.easing](e,this.options.duration*e,0,1,this.options.duration):e,this.now=(this.end-this.start)*t+this.start,this.options.step&&this.options.step.call(this.elem,this.now,this),n&&n.set?n.set(this):rr.propHooks._default.set(this),this}},rr.prototype.init.prototype=rr.prototype,rr.propHooks={_default:{get:function(e){var t;return null==e.elem[e.prop]||e.elem.style&&null!=e.elem.style[e.prop]?(t=b.css(e.elem,e.prop,""),t&&"auto"!==t?t:0):e.elem[e.prop]},set:function(e){b.fx.step[e.prop]?b.fx.step[e.prop](e):e.elem.style&&(null!=e.elem.style[b.cssProps[e.prop]]||b.cssHooks[e.prop])?b.style(e.elem,e.prop,e.now+e.unit):e.elem[e.prop]=e.now}}},rr.propHooks.scrollTop=rr.propHooks.scrollLeft={set:function(e){e.elem.nodeType&&e.elem.parentNode&&(e.elem[e.prop]=e.now)}},b.each(["toggle","show","hide"],function(e,t){var n=b.fn[t];b.fn[t]=function(e,r,i){return null==e||"boolean"==typeof e?n.apply(this,arguments):this.animate(ir(t,!0),e,r,i)}}),b.fn.extend({fadeTo:function(e,t,n,r){return this.filter(nn).css("opacity",0).show().end().animate({opacity:t},e,n,r)},animate:function(e,t,n,r){var i=b.isEmptyObject(e),o=b.speed(t,n,r),a=function(){var t=er(this,b.extend({},e),o);a.finish=function(){t.stop(!0)},(i||b._data(this,"finish"))&&t.stop(!0)};return a.finish=a,i||o.queue===!1?this.each(a):this.queue(o.queue,a)},stop:function(e,n,r){var i=function(e){var t=e.stop;delete e.stop,t(r)};return"string"!=typeof e&&(r=n,n=e,e=t),n&&e!==!1&&this.queue(e||"fx",[]),this.each(function(){var t=!0,n=null!=e&&e+"queueHooks",o=b.timers,a=b._data(this);if(n)a[n]&&a[n].stop&&i(a[n]);else for(n in a)a[n]&&a[n].stop&&Jn.test(n)&&i(a[n]);for(n=o.length;n--;)o[n].elem!==this||null!=e&&o[n].queue!==e||(o[n].anim.stop(r),t=!1,o.splice(n,1));(t||!r)&&b.dequeue(this,e)})},finish:function(e){return e!==!1&&(e=e||"fx"),this.each(function(){var t,n=b._data(this),r=n[e+"queue"],i=n[e+"queueHooks"],o=b.timers,a=r?r.length:0;for(n.finish=!0,b.queue(this,e,[]),i&&i.cur&&i.cur.finish&&i.cur.finish.call(this),t=o.length;t--;)o[t].elem===this&&o[t].queue===e&&(o[t].anim.stop(!0),o.splice(t,1));for(t=0;a>t;t++)r[t]&&r[t].finish&&r[t].finish.call(this);delete n.finish})}});function ir(e,t){var n,r={height:e},i=0;for(t=t?1:0;4>i;i+=2-t)n=Zt[i],r["margin"+n]=r["padding"+n]=e;return t&&(r.opacity=r.width=e),r}b.each({slideDown:ir("show"),slideUp:ir("hide"),slideToggle:ir("toggle"),fadeIn:{opacity:"show"},fadeOut:{opacity:"hide"},fadeToggle:{opacity:"toggle"}},function(e,t){b.fn[e]=function(e,n,r){return this.animate(t,e,n,r)}}),b.speed=function(e,t,n){var r=e&&"object"==typeof e?b.extend({},e):{complete:n||!n&&t||b.isFunction(e)&&e,duration:e,easing:n&&t||t&&!b.isFunction(t)&&t};return r.duration=b.fx.off?0:"number"==typeof r.duration?r.duration:r.duration in b.fx.speeds?b.fx.speeds[r.duration]:b.fx.speeds._default,(null==r.queue||r.queue===!0)&&(r.queue="fx"),r.old=r.complete,r.complete=function(){b.isFunction(r.old)&&r.old.call(this),r.queue&&b.dequeue(this,r.queue)},r},b.easing={linear:function(e){return e},swing:function(e){return.5-Math.cos(e*Math.PI)/2}},b.timers=[],b.fx=rr.prototype.init,b.fx.tick=function(){var e,n=b.timers,r=0;for(Xn=b.now();n.length>r;r++)e=n[r],e()||n[r]!==e||n.splice(r--,1);n.length||b.fx.stop(),Xn=t},b.fx.timer=function(e){e()&&b.timers.push(e)&&b.fx.start()},b.fx.interval=13,b.fx.start=function(){Un||(Un=setInterval(b.fx.tick,b.fx.interval))},b.fx.stop=function(){clearInterval(Un),Un=null},b.fx.speeds={slow:600,fast:200,_default:400},b.fx.step={},b.expr&&b.expr.filters&&(b.expr.filters.animated=function(e){return b.grep(b.timers,function(t){return e===t.elem}).length}),b.fn.offset=function(e){if(arguments.length)return e===t?this:this.each(function(t){b.offset.setOffset(this,e,t)});var n,r,o={top:0,left:0},a=this[0],s=a&&a.ownerDocument;if(s)return n=s.documentElement,b.contains(n,a)?(typeof a.getBoundingClientRect!==i&&(o=a.getBoundingClientRect()),r=or(s),{top:o.top+(r.pageYOffset||n.scrollTop)-(n.clientTop||0),left:o.left+(r.pageXOffset||n.scrollLeft)-(n.clientLeft||0)}):o},b.offset={setOffset:function(e,t,n){var r=b.css(e,"position");"static"===r&&(e.style.position="relative");var i=b(e),o=i.offset(),a=b.css(e,"top"),s=b.css(e,"left"),u=("absolute"===r||"fixed"===r)&&b.inArray("auto",[a,s])>-1,l={},c={},p,f;u?(c=i.position(),p=c.top,f=c.left):(p=parseFloat(a)||0,f=parseFloat(s)||0),b.isFunction(t)&&(t=t.call(e,n,o)),null!=t.top&&(l.top=t.top-o.top+p),null!=t.left&&(l.left=t.left-o.left+f),"using"in t?t.using.call(e,l):i.css(l)}},b.fn.extend({position:function(){if(this[0]){var e,t,n={top:0,left:0},r=this[0];return"fixed"===b.css(r,"position")?t=r.getBoundingClientRect():(e=this.offsetParent(),t=this.offset(),b.nodeName(e[0],"html")||(n=e.offset()),n.top+=b.css(e[0],"borderTopWidth",!0),n.left+=b.css(e[0],"borderLeftWidth",!0)),{top:t.top-n.top-b.css(r,"marginTop",!0),left:t.left-n.left-b.css(r,"marginLeft",!0)}}},offsetParent:function(){return this.map(function(){var e=this.offsetParent||o.documentElement;while(e&&!b.nodeName(e,"html")&&"static"===b.css(e,"position"))e=e.offsetParent;return e||o.documentElement})}}),b.each({scrollLeft:"pageXOffset",scrollTop:"pageYOffset"},function(e,n){var r=/Y/.test(n);b.fn[e]=function(i){return b.access(this,function(e,i,o){var a=or(e);return o===t?a?n in a?a[n]:a.document.documentElement[i]:e[i]:(a?a.scrollTo(r?b(a).scrollLeft():o,r?o:b(a).scrollTop()):e[i]=o,t)},e,i,arguments.length,null)}});function or(e){return b.isWindow(e)?e:9===e.nodeType?e.defaultView||e.parentWindow:!1}b.each({Height:"height",Width:"width"},function(e,n){b.each({padding:"inner"+e,content:n,"":"outer"+e},function(r,i){b.fn[i]=function(i,o){var a=arguments.length&&(r||"boolean"!=typeof i),s=r||(i===!0||o===!0?"margin":"border");return b.access(this,function(n,r,i){var o;return b.isWindow(n)?n.document.documentElement["client"+e]:9===n.nodeType?(o=n.documentElement,Math.max(n.body["scroll"+e],o["scroll"+e],n.body["offset"+e],o["offset"+e],o["client"+e])):i===t?b.css(n,r,s):b.style(n,r,i,s)},n,a?i:t,a,null)}})}),e.jQuery=e.$=b,"function"==typeof define&&define.amd&&define.amd.jQuery&&define("jquery",[],function(){return b})})(window);
ajax/libs/yui/3.12.0/scrollview-base/scrollview-base-coverage.js
dhenson02/cdnjs
if (typeof __coverage__ === 'undefined') { __coverage__ = {}; } if (!__coverage__['build/scrollview-base/scrollview-base.js']) { __coverage__['build/scrollview-base/scrollview-base.js'] = {"path":"build/scrollview-base/scrollview-base.js","s":{"1":0,"2":0,"3":0,"4":0,"5":0,"6":0,"7":0,"8":0,"9":0,"10":0,"11":0,"12":0,"13":0,"14":0,"15":0,"16":0,"17":0,"18":0,"19":0,"20":0,"21":0,"22":0,"23":0,"24":0,"25":0,"26":0,"27":0,"28":0,"29":0,"30":0,"31":0,"32":0,"33":0,"34":0,"35":0,"36":0,"37":0,"38":0,"39":0,"40":0,"41":0,"42":0,"43":0,"44":0,"45":0,"46":0,"47":0,"48":0,"49":0,"50":0,"51":0,"52":0,"53":0,"54":0,"55":0,"56":0,"57":0,"58":0,"59":0,"60":0,"61":0,"62":0,"63":0,"64":0,"65":0,"66":0,"67":0,"68":0,"69":0,"70":0,"71":0,"72":0,"73":0,"74":0,"75":0,"76":0,"77":0,"78":0,"79":0,"80":0,"81":0,"82":0,"83":0,"84":0,"85":0,"86":0,"87":0,"88":0,"89":0,"90":0,"91":0,"92":0,"93":0,"94":0,"95":0,"96":0,"97":0,"98":0,"99":0,"100":0,"101":0,"102":0,"103":0,"104":0,"105":0,"106":0,"107":0,"108":0,"109":0,"110":0,"111":0,"112":0,"113":0,"114":0,"115":0,"116":0,"117":0,"118":0,"119":0,"120":0,"121":0,"122":0,"123":0,"124":0,"125":0,"126":0,"127":0,"128":0,"129":0,"130":0,"131":0,"132":0,"133":0,"134":0,"135":0,"136":0,"137":0,"138":0,"139":0,"140":0,"141":0,"142":0,"143":0,"144":0,"145":0,"146":0,"147":0,"148":0,"149":0,"150":0,"151":0,"152":0,"153":0,"154":0,"155":0,"156":0,"157":0,"158":0,"159":0,"160":0,"161":0,"162":0,"163":0,"164":0,"165":0,"166":0,"167":0,"168":0,"169":0,"170":0,"171":0,"172":0,"173":0,"174":0,"175":0,"176":0,"177":0,"178":0,"179":0,"180":0,"181":0,"182":0,"183":0,"184":0,"185":0,"186":0,"187":0,"188":0,"189":0,"190":0,"191":0,"192":0,"193":0,"194":0,"195":0,"196":0,"197":0,"198":0,"199":0,"200":0,"201":0,"202":0,"203":0,"204":0,"205":0,"206":0,"207":0,"208":0,"209":0,"210":0,"211":0,"212":0,"213":0,"214":0,"215":0,"216":0,"217":0,"218":0,"219":0,"220":0,"221":0,"222":0,"223":0},"b":{"1":[0,0],"2":[0,0],"3":[0,0],"4":[0,0],"5":[0,0],"6":[0,0],"7":[0,0],"8":[0,0],"9":[0,0],"10":[0,0],"11":[0,0],"12":[0,0],"13":[0,0],"14":[0,0],"15":[0,0],"16":[0,0],"17":[0,0],"18":[0,0],"19":[0,0],"20":[0,0],"21":[0,0],"22":[0,0],"23":[0,0],"24":[0,0],"25":[0,0],"26":[0,0],"27":[0,0],"28":[0,0],"29":[0,0],"30":[0,0],"31":[0,0],"32":[0,0],"33":[0,0],"34":[0,0],"35":[0,0],"36":[0,0],"37":[0,0],"38":[0,0],"39":[0,0],"40":[0,0],"41":[0,0],"42":[0,0],"43":[0,0],"44":[0,0],"45":[0,0],"46":[0,0],"47":[0,0],"48":[0,0],"49":[0,0],"50":[0,0],"51":[0,0,0],"52":[0,0],"53":[0,0],"54":[0,0],"55":[0,0],"56":[0,0],"57":[0,0],"58":[0,0],"59":[0,0],"60":[0,0],"61":[0,0],"62":[0,0],"63":[0,0],"64":[0,0,0],"65":[0,0],"66":[0,0],"67":[0,0],"68":[0,0],"69":[0,0],"70":[0,0],"71":[0,0],"72":[0,0],"73":[0,0],"74":[0,0],"75":[0,0,0,0,0,0],"76":[0,0],"77":[0,0],"78":[0,0],"79":[0,0],"80":[0,0],"81":[0,0],"82":[0,0],"83":[0,0],"84":[0,0],"85":[0,0],"86":[0,0]},"f":{"1":0,"2":0,"3":0,"4":0,"5":0,"6":0,"7":0,"8":0,"9":0,"10":0,"11":0,"12":0,"13":0,"14":0,"15":0,"16":0,"17":0,"18":0,"19":0,"20":0,"21":0,"22":0,"23":0,"24":0,"25":0,"26":0,"27":0,"28":0,"29":0,"30":0,"31":0,"32":0,"33":0,"34":0,"35":0,"36":0,"37":0,"38":0},"fnMap":{"1":{"name":"(anonymous_1)","line":1,"loc":{"start":{"line":1,"column":27},"end":{"line":1,"column":46}}},"2":{"name":"(anonymous_2)","line":49,"loc":{"start":{"line":49,"column":17},"end":{"line":49,"column":42}}},"3":{"name":"ScrollView","line":62,"loc":{"start":{"line":62,"column":0},"end":{"line":62,"column":22}}},"4":{"name":"(anonymous_4)","line":168,"loc":{"start":{"line":168,"column":17},"end":{"line":168,"column":29}}},"5":{"name":"(anonymous_5)","line":189,"loc":{"start":{"line":189,"column":12},"end":{"line":189,"column":24}}},"6":{"name":"(anonymous_6)","line":237,"loc":{"start":{"line":237,"column":16},"end":{"line":237,"column":28}}},"7":{"name":"(anonymous_7)","line":265,"loc":{"start":{"line":265,"column":15},"end":{"line":265,"column":31}}},"8":{"name":"(anonymous_8)","line":285,"loc":{"start":{"line":285,"column":16},"end":{"line":285,"column":33}}},"9":{"name":"(anonymous_9)","line":308,"loc":{"start":{"line":308,"column":21},"end":{"line":308,"column":43}}},"10":{"name":"(anonymous_10)","line":330,"loc":{"start":{"line":330,"column":12},"end":{"line":330,"column":24}}},"11":{"name":"(anonymous_11)","line":374,"loc":{"start":{"line":374,"column":20},"end":{"line":374,"column":32}}},"12":{"name":"(anonymous_12)","line":417,"loc":{"start":{"line":417,"column":25},"end":{"line":417,"column":37}}},"13":{"name":"(anonymous_13)","line":459,"loc":{"start":{"line":459,"column":16},"end":{"line":459,"column":34}}},"14":{"name":"(anonymous_14)","line":476,"loc":{"start":{"line":476,"column":16},"end":{"line":476,"column":28}}},"15":{"name":"(anonymous_15)","line":499,"loc":{"start":{"line":499,"column":14},"end":{"line":499,"column":54}}},"16":{"name":"(anonymous_16)","line":579,"loc":{"start":{"line":579,"column":16},"end":{"line":579,"column":32}}},"17":{"name":"(anonymous_17)","line":599,"loc":{"start":{"line":599,"column":14},"end":{"line":599,"column":35}}},"18":{"name":"(anonymous_18)","line":616,"loc":{"start":{"line":616,"column":17},"end":{"line":616,"column":29}}},"19":{"name":"(anonymous_19)","line":641,"loc":{"start":{"line":641,"column":25},"end":{"line":641,"column":38}}},"20":{"name":"(anonymous_20)","line":707,"loc":{"start":{"line":707,"column":20},"end":{"line":707,"column":33}}},"21":{"name":"(anonymous_21)","line":749,"loc":{"start":{"line":749,"column":23},"end":{"line":749,"column":36}}},"22":{"name":"(anonymous_22)","line":804,"loc":{"start":{"line":804,"column":12},"end":{"line":804,"column":25}}},"23":{"name":"(anonymous_23)","line":837,"loc":{"start":{"line":837,"column":17},"end":{"line":837,"column":63}}},"24":{"name":"(anonymous_24)","line":900,"loc":{"start":{"line":900,"column":18},"end":{"line":900,"column":30}}},"25":{"name":"(anonymous_25)","line":920,"loc":{"start":{"line":920,"column":17},"end":{"line":920,"column":30}}},"26":{"name":"(anonymous_26)","line":970,"loc":{"start":{"line":970,"column":20},"end":{"line":970,"column":36}}},"27":{"name":"(anonymous_27)","line":993,"loc":{"start":{"line":993,"column":15},"end":{"line":993,"column":27}}},"28":{"name":"(anonymous_28)","line":1025,"loc":{"start":{"line":1025,"column":24},"end":{"line":1025,"column":37}}},"29":{"name":"(anonymous_29)","line":1062,"loc":{"start":{"line":1062,"column":23},"end":{"line":1062,"column":36}}},"30":{"name":"(anonymous_30)","line":1073,"loc":{"start":{"line":1073,"column":26},"end":{"line":1073,"column":39}}},"31":{"name":"(anonymous_31)","line":1085,"loc":{"start":{"line":1085,"column":22},"end":{"line":1085,"column":35}}},"32":{"name":"(anonymous_32)","line":1096,"loc":{"start":{"line":1096,"column":22},"end":{"line":1096,"column":35}}},"33":{"name":"(anonymous_33)","line":1107,"loc":{"start":{"line":1107,"column":21},"end":{"line":1107,"column":33}}},"34":{"name":"(anonymous_34)","line":1118,"loc":{"start":{"line":1118,"column":21},"end":{"line":1118,"column":33}}},"35":{"name":"(anonymous_35)","line":1140,"loc":{"start":{"line":1140,"column":17},"end":{"line":1140,"column":32}}},"36":{"name":"(anonymous_36)","line":1161,"loc":{"start":{"line":1161,"column":17},"end":{"line":1161,"column":31}}},"37":{"name":"(anonymous_37)","line":1179,"loc":{"start":{"line":1179,"column":17},"end":{"line":1179,"column":31}}},"38":{"name":"(anonymous_38)","line":1191,"loc":{"start":{"line":1191,"column":17},"end":{"line":1191,"column":31}}}},"statementMap":{"1":{"start":{"line":1,"column":0},"end":{"line":1456,"column":113}},"2":{"start":{"line":11,"column":0},"end":{"line":51,"column":6}},"3":{"start":{"line":50,"column":8},"end":{"line":50,"column":49}},"4":{"start":{"line":62,"column":0},"end":{"line":64,"column":1}},"5":{"start":{"line":63,"column":4},"end":{"line":63,"column":61}},"6":{"start":{"line":66,"column":0},"end":{"line":1454,"column":3}},"7":{"start":{"line":169,"column":8},"end":{"line":169,"column":22}},"8":{"start":{"line":172,"column":8},"end":{"line":172,"column":38}},"9":{"start":{"line":173,"column":8},"end":{"line":173,"column":37}},"10":{"start":{"line":176,"column":8},"end":{"line":176,"column":33}},"11":{"start":{"line":177,"column":8},"end":{"line":177,"column":37}},"12":{"start":{"line":178,"column":8},"end":{"line":178,"column":48}},"13":{"start":{"line":179,"column":8},"end":{"line":179,"column":49}},"14":{"start":{"line":180,"column":8},"end":{"line":180,"column":52}},"15":{"start":{"line":190,"column":8},"end":{"line":190,"column":22}},"16":{"start":{"line":193,"column":8},"end":{"line":193,"column":37}},"17":{"start":{"line":194,"column":8},"end":{"line":194,"column":35}},"18":{"start":{"line":195,"column":8},"end":{"line":195,"column":33}},"19":{"start":{"line":198,"column":8},"end":{"line":198,"column":24}},"20":{"start":{"line":201,"column":8},"end":{"line":203,"column":9}},"21":{"start":{"line":202,"column":12},"end":{"line":202,"column":44}},"22":{"start":{"line":206,"column":8},"end":{"line":208,"column":9}},"23":{"start":{"line":207,"column":12},"end":{"line":207,"column":60}},"24":{"start":{"line":210,"column":8},"end":{"line":212,"column":9}},"25":{"start":{"line":211,"column":12},"end":{"line":211,"column":56}},"26":{"start":{"line":214,"column":8},"end":{"line":216,"column":9}},"27":{"start":{"line":215,"column":12},"end":{"line":215,"column":46}},"28":{"start":{"line":218,"column":8},"end":{"line":220,"column":9}},"29":{"start":{"line":219,"column":12},"end":{"line":219,"column":58}},"30":{"start":{"line":222,"column":8},"end":{"line":224,"column":9}},"31":{"start":{"line":223,"column":12},"end":{"line":223,"column":58}},"32":{"start":{"line":238,"column":8},"end":{"line":240,"column":50}},"33":{"start":{"line":243,"column":8},"end":{"line":253,"column":11}},"34":{"start":{"line":266,"column":8},"end":{"line":267,"column":24}},"35":{"start":{"line":270,"column":8},"end":{"line":270,"column":31}},"36":{"start":{"line":272,"column":8},"end":{"line":274,"column":9}},"37":{"start":{"line":273,"column":12},"end":{"line":273,"column":89}},"38":{"start":{"line":286,"column":8},"end":{"line":287,"column":24}},"39":{"start":{"line":290,"column":8},"end":{"line":290,"column":32}},"40":{"start":{"line":292,"column":8},"end":{"line":297,"column":9}},"41":{"start":{"line":293,"column":12},"end":{"line":293,"column":69}},"42":{"start":{"line":296,"column":12},"end":{"line":296,"column":39}},"43":{"start":{"line":309,"column":8},"end":{"line":310,"column":24}},"44":{"start":{"line":314,"column":8},"end":{"line":314,"column":37}},"45":{"start":{"line":317,"column":8},"end":{"line":320,"column":9}},"46":{"start":{"line":319,"column":12},"end":{"line":319,"column":71}},"47":{"start":{"line":331,"column":8},"end":{"line":336,"column":51}},"48":{"start":{"line":339,"column":8},"end":{"line":348,"column":9}},"49":{"start":{"line":342,"column":12},"end":{"line":345,"column":14}},"50":{"start":{"line":347,"column":12},"end":{"line":347,"column":37}},"51":{"start":{"line":351,"column":8},"end":{"line":351,"column":66}},"52":{"start":{"line":354,"column":8},"end":{"line":354,"column":41}},"53":{"start":{"line":357,"column":8},"end":{"line":357,"column":33}},"54":{"start":{"line":360,"column":8},"end":{"line":362,"column":9}},"55":{"start":{"line":361,"column":12},"end":{"line":361,"column":27}},"56":{"start":{"line":375,"column":8},"end":{"line":385,"column":17}},"57":{"start":{"line":388,"column":8},"end":{"line":391,"column":9}},"58":{"start":{"line":389,"column":12},"end":{"line":389,"column":46}},"59":{"start":{"line":390,"column":12},"end":{"line":390,"column":47}},"60":{"start":{"line":393,"column":8},"end":{"line":393,"column":48}},"61":{"start":{"line":394,"column":8},"end":{"line":394,"column":38}},"62":{"start":{"line":396,"column":8},"end":{"line":396,"column":29}},"63":{"start":{"line":397,"column":8},"end":{"line":402,"column":10}},"64":{"start":{"line":403,"column":8},"end":{"line":403,"column":43}},"65":{"start":{"line":405,"column":8},"end":{"line":405,"column":48}},"66":{"start":{"line":407,"column":8},"end":{"line":407,"column":20}},"67":{"start":{"line":418,"column":8},"end":{"line":430,"column":60}},"68":{"start":{"line":432,"column":8},"end":{"line":434,"column":9}},"69":{"start":{"line":433,"column":12},"end":{"line":433,"column":48}},"70":{"start":{"line":436,"column":8},"end":{"line":438,"column":9}},"71":{"start":{"line":437,"column":12},"end":{"line":437,"column":46}},"72":{"start":{"line":440,"column":8},"end":{"line":445,"column":11}},"73":{"start":{"line":460,"column":8},"end":{"line":460,"column":22}},"74":{"start":{"line":464,"column":8},"end":{"line":464,"column":43}},"75":{"start":{"line":465,"column":8},"end":{"line":465,"column":43}},"76":{"start":{"line":466,"column":8},"end":{"line":466,"column":43}},"77":{"start":{"line":467,"column":8},"end":{"line":467,"column":43}},"78":{"start":{"line":477,"column":8},"end":{"line":477,"column":22}},"79":{"start":{"line":479,"column":8},"end":{"line":484,"column":10}},"80":{"start":{"line":501,"column":8},"end":{"line":503,"column":9}},"81":{"start":{"line":502,"column":12},"end":{"line":502,"column":19}},"82":{"start":{"line":505,"column":8},"end":{"line":512,"column":22}},"83":{"start":{"line":515,"column":8},"end":{"line":515,"column":33}},"84":{"start":{"line":516,"column":8},"end":{"line":516,"column":42}},"85":{"start":{"line":517,"column":8},"end":{"line":517,"column":26}},"86":{"start":{"line":519,"column":8},"end":{"line":522,"column":9}},"87":{"start":{"line":520,"column":12},"end":{"line":520,"column":42}},"88":{"start":{"line":521,"column":12},"end":{"line":521,"column":24}},"89":{"start":{"line":524,"column":8},"end":{"line":527,"column":9}},"90":{"start":{"line":525,"column":12},"end":{"line":525,"column":42}},"91":{"start":{"line":526,"column":12},"end":{"line":526,"column":24}},"92":{"start":{"line":529,"column":8},"end":{"line":529,"column":46}},"93":{"start":{"line":531,"column":8},"end":{"line":534,"column":9}},"94":{"start":{"line":533,"column":12},"end":{"line":533,"column":80}},"95":{"start":{"line":537,"column":8},"end":{"line":567,"column":9}},"96":{"start":{"line":538,"column":12},"end":{"line":550,"column":13}},"97":{"start":{"line":539,"column":16},"end":{"line":539,"column":54}},"98":{"start":{"line":544,"column":16},"end":{"line":546,"column":17}},"99":{"start":{"line":545,"column":20},"end":{"line":545,"column":51}},"100":{"start":{"line":547,"column":16},"end":{"line":549,"column":17}},"101":{"start":{"line":548,"column":20},"end":{"line":548,"column":50}},"102":{"start":{"line":555,"column":12},"end":{"line":555,"column":39}},"103":{"start":{"line":556,"column":12},"end":{"line":556,"column":50}},"104":{"start":{"line":558,"column":12},"end":{"line":564,"column":13}},"105":{"start":{"line":559,"column":16},"end":{"line":559,"column":49}},"106":{"start":{"line":562,"column":16},"end":{"line":562,"column":44}},"107":{"start":{"line":563,"column":16},"end":{"line":563,"column":43}},"108":{"start":{"line":566,"column":12},"end":{"line":566,"column":50}},"109":{"start":{"line":581,"column":8},"end":{"line":581,"column":57}},"110":{"start":{"line":583,"column":8},"end":{"line":585,"column":9}},"111":{"start":{"line":584,"column":12},"end":{"line":584,"column":37}},"112":{"start":{"line":587,"column":8},"end":{"line":587,"column":20}},"113":{"start":{"line":600,"column":8},"end":{"line":605,"column":9}},"114":{"start":{"line":601,"column":12},"end":{"line":601,"column":62}},"115":{"start":{"line":603,"column":12},"end":{"line":603,"column":40}},"116":{"start":{"line":604,"column":12},"end":{"line":604,"column":39}},"117":{"start":{"line":617,"column":8},"end":{"line":617,"column":22}},"118":{"start":{"line":620,"column":8},"end":{"line":631,"column":9}},"119":{"start":{"line":621,"column":12},"end":{"line":621,"column":27}},"120":{"start":{"line":630,"column":12},"end":{"line":630,"column":35}},"121":{"start":{"line":643,"column":8},"end":{"line":645,"column":9}},"122":{"start":{"line":644,"column":12},"end":{"line":644,"column":25}},"123":{"start":{"line":647,"column":8},"end":{"line":652,"column":32}},"124":{"start":{"line":654,"column":8},"end":{"line":656,"column":9}},"125":{"start":{"line":655,"column":12},"end":{"line":655,"column":31}},"126":{"start":{"line":659,"column":8},"end":{"line":662,"column":9}},"127":{"start":{"line":660,"column":12},"end":{"line":660,"column":30}},"128":{"start":{"line":661,"column":12},"end":{"line":661,"column":29}},"129":{"start":{"line":665,"column":8},"end":{"line":665,"column":31}},"130":{"start":{"line":668,"column":8},"end":{"line":697,"column":10}},"131":{"start":{"line":708,"column":8},"end":{"line":718,"column":32}},"132":{"start":{"line":720,"column":8},"end":{"line":722,"column":9}},"133":{"start":{"line":721,"column":12},"end":{"line":721,"column":31}},"134":{"start":{"line":724,"column":8},"end":{"line":724,"column":48}},"135":{"start":{"line":725,"column":8},"end":{"line":725,"column":48}},"136":{"start":{"line":729,"column":8},"end":{"line":731,"column":9}},"137":{"start":{"line":730,"column":12},"end":{"line":730,"column":97}},"138":{"start":{"line":734,"column":8},"end":{"line":739,"column":9}},"139":{"start":{"line":735,"column":12},"end":{"line":735,"column":54}},"140":{"start":{"line":737,"column":13},"end":{"line":739,"column":9}},"141":{"start":{"line":738,"column":12},"end":{"line":738,"column":54}},"142":{"start":{"line":750,"column":8},"end":{"line":755,"column":18}},"143":{"start":{"line":757,"column":8},"end":{"line":759,"column":9}},"144":{"start":{"line":758,"column":12},"end":{"line":758,"column":31}},"145":{"start":{"line":762,"column":8},"end":{"line":762,"column":37}},"146":{"start":{"line":763,"column":8},"end":{"line":763,"column":37}},"147":{"start":{"line":766,"column":8},"end":{"line":766,"column":39}},"148":{"start":{"line":767,"column":8},"end":{"line":767,"column":42}},"149":{"start":{"line":770,"column":8},"end":{"line":794,"column":9}},"150":{"start":{"line":776,"column":12},"end":{"line":793,"column":13}},"151":{"start":{"line":778,"column":16},"end":{"line":778,"column":44}},"152":{"start":{"line":781,"column":16},"end":{"line":792,"column":17}},"153":{"start":{"line":782,"column":20},"end":{"line":782,"column":35}},"154":{"start":{"line":789,"column":20},"end":{"line":791,"column":21}},"155":{"start":{"line":790,"column":24},"end":{"line":790,"column":41}},"156":{"start":{"line":805,"column":8},"end":{"line":807,"column":9}},"157":{"start":{"line":806,"column":12},"end":{"line":806,"column":25}},"158":{"start":{"line":809,"column":8},"end":{"line":815,"column":45}},"159":{"start":{"line":818,"column":8},"end":{"line":820,"column":9}},"160":{"start":{"line":819,"column":12},"end":{"line":819,"column":38}},"161":{"start":{"line":823,"column":8},"end":{"line":825,"column":9}},"162":{"start":{"line":824,"column":12},"end":{"line":824,"column":68}},"163":{"start":{"line":839,"column":8},"end":{"line":864,"column":20}},"164":{"start":{"line":867,"column":8},"end":{"line":869,"column":9}},"165":{"start":{"line":868,"column":12},"end":{"line":868,"column":34}},"166":{"start":{"line":872,"column":8},"end":{"line":872,"column":61}},"167":{"start":{"line":875,"column":8},"end":{"line":897,"column":9}},"168":{"start":{"line":877,"column":12},"end":{"line":879,"column":13}},"169":{"start":{"line":878,"column":16},"end":{"line":878,"column":34}},"170":{"start":{"line":882,"column":12},"end":{"line":889,"column":13}},"171":{"start":{"line":883,"column":16},"end":{"line":883,"column":33}},"172":{"start":{"line":888,"column":16},"end":{"line":888,"column":31}},"173":{"start":{"line":895,"column":12},"end":{"line":895,"column":109}},"174":{"start":{"line":896,"column":12},"end":{"line":896,"column":42}},"175":{"start":{"line":901,"column":8},"end":{"line":901,"column":22}},"176":{"start":{"line":903,"column":8},"end":{"line":909,"column":9}},"177":{"start":{"line":905,"column":12},"end":{"line":905,"column":35}},"178":{"start":{"line":908,"column":12},"end":{"line":908,"column":33}},"179":{"start":{"line":921,"column":8},"end":{"line":927,"column":72}},"180":{"start":{"line":929,"column":8},"end":{"line":929,"column":80}},"181":{"start":{"line":935,"column":8},"end":{"line":958,"column":9}},"182":{"start":{"line":938,"column":12},"end":{"line":938,"column":35}},"183":{"start":{"line":941,"column":12},"end":{"line":941,"column":40}},"184":{"start":{"line":945,"column":12},"end":{"line":951,"column":13}},"185":{"start":{"line":947,"column":16},"end":{"line":947,"column":40}},"186":{"start":{"line":948,"column":16},"end":{"line":948,"column":38}},"187":{"start":{"line":954,"column":12},"end":{"line":954,"column":29}},"188":{"start":{"line":957,"column":12},"end":{"line":957,"column":31}},"189":{"start":{"line":971,"column":8},"end":{"line":981,"column":37}},"190":{"start":{"line":983,"column":8},"end":{"line":983,"column":118}},"191":{"start":{"line":994,"column":8},"end":{"line":1005,"column":41}},"192":{"start":{"line":1007,"column":8},"end":{"line":1015,"column":9}},"193":{"start":{"line":1008,"column":12},"end":{"line":1008,"column":71}},"194":{"start":{"line":1010,"column":13},"end":{"line":1015,"column":9}},"195":{"start":{"line":1011,"column":12},"end":{"line":1011,"column":71}},"196":{"start":{"line":1014,"column":12},"end":{"line":1014,"column":29}},"197":{"start":{"line":1026,"column":8},"end":{"line":1028,"column":9}},"198":{"start":{"line":1027,"column":12},"end":{"line":1027,"column":25}},"199":{"start":{"line":1030,"column":8},"end":{"line":1034,"column":30}},"200":{"start":{"line":1037,"column":8},"end":{"line":1037,"column":73}},"201":{"start":{"line":1040,"column":8},"end":{"line":1047,"column":9}},"202":{"start":{"line":1041,"column":12},"end":{"line":1041,"column":35}},"203":{"start":{"line":1042,"column":12},"end":{"line":1042,"column":48}},"204":{"start":{"line":1045,"column":12},"end":{"line":1045,"column":48}},"205":{"start":{"line":1046,"column":12},"end":{"line":1046,"column":35}},"206":{"start":{"line":1049,"column":8},"end":{"line":1049,"column":36}},"207":{"start":{"line":1050,"column":8},"end":{"line":1050,"column":34}},"208":{"start":{"line":1052,"column":8},"end":{"line":1052,"column":44}},"209":{"start":{"line":1063,"column":8},"end":{"line":1063,"column":34}},"210":{"start":{"line":1075,"column":8},"end":{"line":1075,"column":35}},"211":{"start":{"line":1086,"column":8},"end":{"line":1086,"column":31}},"212":{"start":{"line":1097,"column":8},"end":{"line":1097,"column":33}},"213":{"start":{"line":1108,"column":8},"end":{"line":1108,"column":35}},"214":{"start":{"line":1119,"column":8},"end":{"line":1119,"column":22}},"215":{"start":{"line":1121,"column":8},"end":{"line":1123,"column":9}},"216":{"start":{"line":1122,"column":12},"end":{"line":1122,"column":30}},"217":{"start":{"line":1143,"column":8},"end":{"line":1148,"column":9}},"218":{"start":{"line":1144,"column":12},"end":{"line":1147,"column":14}},"219":{"start":{"line":1164,"column":8},"end":{"line":1166,"column":9}},"220":{"start":{"line":1165,"column":12},"end":{"line":1165,"column":44}},"221":{"start":{"line":1168,"column":8},"end":{"line":1168,"column":19}},"222":{"start":{"line":1180,"column":8},"end":{"line":1180,"column":43}},"223":{"start":{"line":1192,"column":8},"end":{"line":1192,"column":43}}},"branchMap":{"1":{"line":78,"type":"cond-expr","locations":[{"start":{"line":78,"column":38},"end":{"line":78,"column":42}},{"start":{"line":78,"column":45},"end":{"line":78,"column":50}}]},"2":{"line":201,"type":"if","locations":[{"start":{"line":201,"column":8},"end":{"line":201,"column":8}},{"start":{"line":201,"column":8},"end":{"line":201,"column":8}}]},"3":{"line":206,"type":"if","locations":[{"start":{"line":206,"column":8},"end":{"line":206,"column":8}},{"start":{"line":206,"column":8},"end":{"line":206,"column":8}}]},"4":{"line":210,"type":"if","locations":[{"start":{"line":210,"column":8},"end":{"line":210,"column":8}},{"start":{"line":210,"column":8},"end":{"line":210,"column":8}}]},"5":{"line":214,"type":"if","locations":[{"start":{"line":214,"column":8},"end":{"line":214,"column":8}},{"start":{"line":214,"column":8},"end":{"line":214,"column":8}}]},"6":{"line":218,"type":"if","locations":[{"start":{"line":218,"column":8},"end":{"line":218,"column":8}},{"start":{"line":218,"column":8},"end":{"line":218,"column":8}}]},"7":{"line":222,"type":"if","locations":[{"start":{"line":222,"column":8},"end":{"line":222,"column":8}},{"start":{"line":222,"column":8},"end":{"line":222,"column":8}}]},"8":{"line":272,"type":"if","locations":[{"start":{"line":272,"column":8},"end":{"line":272,"column":8}},{"start":{"line":272,"column":8},"end":{"line":272,"column":8}}]},"9":{"line":292,"type":"if","locations":[{"start":{"line":292,"column":8},"end":{"line":292,"column":8}},{"start":{"line":292,"column":8},"end":{"line":292,"column":8}}]},"10":{"line":317,"type":"if","locations":[{"start":{"line":317,"column":8},"end":{"line":317,"column":8}},{"start":{"line":317,"column":8},"end":{"line":317,"column":8}}]},"11":{"line":339,"type":"if","locations":[{"start":{"line":339,"column":8},"end":{"line":339,"column":8}},{"start":{"line":339,"column":8},"end":{"line":339,"column":8}}]},"12":{"line":360,"type":"if","locations":[{"start":{"line":360,"column":8},"end":{"line":360,"column":8}},{"start":{"line":360,"column":8},"end":{"line":360,"column":8}}]},"13":{"line":388,"type":"if","locations":[{"start":{"line":388,"column":8},"end":{"line":388,"column":8}},{"start":{"line":388,"column":8},"end":{"line":388,"column":8}}]},"14":{"line":427,"type":"cond-expr","locations":[{"start":{"line":427,"column":32},"end":{"line":427,"column":67}},{"start":{"line":427,"column":70},"end":{"line":427,"column":71}}]},"15":{"line":428,"type":"cond-expr","locations":[{"start":{"line":428,"column":32},"end":{"line":428,"column":33}},{"start":{"line":428,"column":36},"end":{"line":428,"column":68}}]},"16":{"line":432,"type":"if","locations":[{"start":{"line":432,"column":8},"end":{"line":432,"column":8}},{"start":{"line":432,"column":8},"end":{"line":432,"column":8}}]},"17":{"line":432,"type":"binary-expr","locations":[{"start":{"line":432,"column":12},"end":{"line":432,"column":18}},{"start":{"line":432,"column":22},"end":{"line":432,"column":30}}]},"18":{"line":436,"type":"if","locations":[{"start":{"line":436,"column":8},"end":{"line":436,"column":8}},{"start":{"line":436,"column":8},"end":{"line":436,"column":8}}]},"19":{"line":436,"type":"binary-expr","locations":[{"start":{"line":436,"column":12},"end":{"line":436,"column":18}},{"start":{"line":436,"column":22},"end":{"line":436,"column":30}}]},"20":{"line":501,"type":"if","locations":[{"start":{"line":501,"column":8},"end":{"line":501,"column":8}},{"start":{"line":501,"column":8},"end":{"line":501,"column":8}}]},"21":{"line":515,"type":"binary-expr","locations":[{"start":{"line":515,"column":19},"end":{"line":515,"column":27}},{"start":{"line":515,"column":31},"end":{"line":515,"column":32}}]},"22":{"line":516,"type":"binary-expr","locations":[{"start":{"line":516,"column":17},"end":{"line":516,"column":23}},{"start":{"line":516,"column":27},"end":{"line":516,"column":41}}]},"23":{"line":517,"type":"binary-expr","locations":[{"start":{"line":517,"column":15},"end":{"line":517,"column":19}},{"start":{"line":517,"column":23},"end":{"line":517,"column":25}}]},"24":{"line":519,"type":"if","locations":[{"start":{"line":519,"column":8},"end":{"line":519,"column":8}},{"start":{"line":519,"column":8},"end":{"line":519,"column":8}}]},"25":{"line":524,"type":"if","locations":[{"start":{"line":524,"column":8},"end":{"line":524,"column":8}},{"start":{"line":524,"column":8},"end":{"line":524,"column":8}}]},"26":{"line":531,"type":"if","locations":[{"start":{"line":531,"column":8},"end":{"line":531,"column":8}},{"start":{"line":531,"column":8},"end":{"line":531,"column":8}}]},"27":{"line":537,"type":"if","locations":[{"start":{"line":537,"column":8},"end":{"line":537,"column":8}},{"start":{"line":537,"column":8},"end":{"line":537,"column":8}}]},"28":{"line":538,"type":"if","locations":[{"start":{"line":538,"column":12},"end":{"line":538,"column":12}},{"start":{"line":538,"column":12},"end":{"line":538,"column":12}}]},"29":{"line":544,"type":"if","locations":[{"start":{"line":544,"column":16},"end":{"line":544,"column":16}},{"start":{"line":544,"column":16},"end":{"line":544,"column":16}}]},"30":{"line":547,"type":"if","locations":[{"start":{"line":547,"column":16},"end":{"line":547,"column":16}},{"start":{"line":547,"column":16},"end":{"line":547,"column":16}}]},"31":{"line":558,"type":"if","locations":[{"start":{"line":558,"column":12},"end":{"line":558,"column":12}},{"start":{"line":558,"column":12},"end":{"line":558,"column":12}}]},"32":{"line":583,"type":"if","locations":[{"start":{"line":583,"column":8},"end":{"line":583,"column":8}},{"start":{"line":583,"column":8},"end":{"line":583,"column":8}}]},"33":{"line":600,"type":"if","locations":[{"start":{"line":600,"column":8},"end":{"line":600,"column":8}},{"start":{"line":600,"column":8},"end":{"line":600,"column":8}}]},"34":{"line":620,"type":"if","locations":[{"start":{"line":620,"column":8},"end":{"line":620,"column":8}},{"start":{"line":620,"column":8},"end":{"line":620,"column":8}}]},"35":{"line":643,"type":"if","locations":[{"start":{"line":643,"column":8},"end":{"line":643,"column":8}},{"start":{"line":643,"column":8},"end":{"line":643,"column":8}}]},"36":{"line":654,"type":"if","locations":[{"start":{"line":654,"column":8},"end":{"line":654,"column":8}},{"start":{"line":654,"column":8},"end":{"line":654,"column":8}}]},"37":{"line":659,"type":"if","locations":[{"start":{"line":659,"column":8},"end":{"line":659,"column":8}},{"start":{"line":659,"column":8},"end":{"line":659,"column":8}}]},"38":{"line":720,"type":"if","locations":[{"start":{"line":720,"column":8},"end":{"line":720,"column":8}},{"start":{"line":720,"column":8},"end":{"line":720,"column":8}}]},"39":{"line":729,"type":"if","locations":[{"start":{"line":729,"column":8},"end":{"line":729,"column":8}},{"start":{"line":729,"column":8},"end":{"line":729,"column":8}}]},"40":{"line":730,"type":"cond-expr","locations":[{"start":{"line":730,"column":83},"end":{"line":730,"column":88}},{"start":{"line":730,"column":91},"end":{"line":730,"column":96}}]},"41":{"line":734,"type":"if","locations":[{"start":{"line":734,"column":8},"end":{"line":734,"column":8}},{"start":{"line":734,"column":8},"end":{"line":734,"column":8}}]},"42":{"line":734,"type":"binary-expr","locations":[{"start":{"line":734,"column":12},"end":{"line":734,"column":34}},{"start":{"line":734,"column":38},"end":{"line":734,"column":45}}]},"43":{"line":737,"type":"if","locations":[{"start":{"line":737,"column":13},"end":{"line":737,"column":13}},{"start":{"line":737,"column":13},"end":{"line":737,"column":13}}]},"44":{"line":737,"type":"binary-expr","locations":[{"start":{"line":737,"column":17},"end":{"line":737,"column":39}},{"start":{"line":737,"column":43},"end":{"line":737,"column":50}}]},"45":{"line":757,"type":"if","locations":[{"start":{"line":757,"column":8},"end":{"line":757,"column":8}},{"start":{"line":757,"column":8},"end":{"line":757,"column":8}}]},"46":{"line":770,"type":"if","locations":[{"start":{"line":770,"column":8},"end":{"line":770,"column":8}},{"start":{"line":770,"column":8},"end":{"line":770,"column":8}}]},"47":{"line":776,"type":"if","locations":[{"start":{"line":776,"column":12},"end":{"line":776,"column":12}},{"start":{"line":776,"column":12},"end":{"line":776,"column":12}}]},"48":{"line":776,"type":"binary-expr","locations":[{"start":{"line":776,"column":16},"end":{"line":776,"column":39}},{"start":{"line":776,"column":43},"end":{"line":776,"column":66}}]},"49":{"line":781,"type":"if","locations":[{"start":{"line":781,"column":16},"end":{"line":781,"column":16}},{"start":{"line":781,"column":16},"end":{"line":781,"column":16}}]},"50":{"line":789,"type":"if","locations":[{"start":{"line":789,"column":20},"end":{"line":789,"column":20}},{"start":{"line":789,"column":20},"end":{"line":789,"column":20}}]},"51":{"line":789,"type":"binary-expr","locations":[{"start":{"line":789,"column":24},"end":{"line":789,"column":33}},{"start":{"line":789,"column":38},"end":{"line":789,"column":46}},{"start":{"line":789,"column":50},"end":{"line":789,"column":83}}]},"52":{"line":805,"type":"if","locations":[{"start":{"line":805,"column":8},"end":{"line":805,"column":8}},{"start":{"line":805,"column":8},"end":{"line":805,"column":8}}]},"53":{"line":814,"type":"cond-expr","locations":[{"start":{"line":814,"column":45},"end":{"line":814,"column":53}},{"start":{"line":814,"column":56},"end":{"line":814,"column":64}}]},"54":{"line":818,"type":"if","locations":[{"start":{"line":818,"column":8},"end":{"line":818,"column":8}},{"start":{"line":818,"column":8},"end":{"line":818,"column":8}}]},"55":{"line":823,"type":"if","locations":[{"start":{"line":823,"column":8},"end":{"line":823,"column":8}},{"start":{"line":823,"column":8},"end":{"line":823,"column":8}}]},"56":{"line":840,"type":"cond-expr","locations":[{"start":{"line":840,"column":45},"end":{"line":840,"column":53}},{"start":{"line":840,"column":56},"end":{"line":840,"column":64}}]},"57":{"line":854,"type":"cond-expr","locations":[{"start":{"line":854,"column":40},"end":{"line":854,"column":57}},{"start":{"line":854,"column":60},"end":{"line":854,"column":77}}]},"58":{"line":855,"type":"cond-expr","locations":[{"start":{"line":855,"column":40},"end":{"line":855,"column":57}},{"start":{"line":855,"column":60},"end":{"line":855,"column":77}}]},"59":{"line":861,"type":"binary-expr","locations":[{"start":{"line":861,"column":30},"end":{"line":861,"column":38}},{"start":{"line":861,"column":43},"end":{"line":861,"column":76}}]},"60":{"line":862,"type":"binary-expr","locations":[{"start":{"line":862,"column":30},"end":{"line":862,"column":38}},{"start":{"line":862,"column":43},"end":{"line":862,"column":76}}]},"61":{"line":867,"type":"if","locations":[{"start":{"line":867,"column":8},"end":{"line":867,"column":8}},{"start":{"line":867,"column":8},"end":{"line":867,"column":8}}]},"62":{"line":867,"type":"binary-expr","locations":[{"start":{"line":867,"column":12},"end":{"line":867,"column":26}},{"start":{"line":867,"column":30},"end":{"line":867,"column":44}}]},"63":{"line":875,"type":"if","locations":[{"start":{"line":875,"column":8},"end":{"line":875,"column":8}},{"start":{"line":875,"column":8},"end":{"line":875,"column":8}}]},"64":{"line":875,"type":"binary-expr","locations":[{"start":{"line":875,"column":12},"end":{"line":875,"column":19}},{"start":{"line":875,"column":23},"end":{"line":875,"column":36}},{"start":{"line":875,"column":40},"end":{"line":875,"column":53}}]},"65":{"line":877,"type":"if","locations":[{"start":{"line":877,"column":12},"end":{"line":877,"column":12}},{"start":{"line":877,"column":12},"end":{"line":877,"column":12}}]},"66":{"line":882,"type":"if","locations":[{"start":{"line":882,"column":12},"end":{"line":882,"column":12}},{"start":{"line":882,"column":12},"end":{"line":882,"column":12}}]},"67":{"line":882,"type":"binary-expr","locations":[{"start":{"line":882,"column":16},"end":{"line":882,"column":24}},{"start":{"line":882,"column":28},"end":{"line":882,"column":36}}]},"68":{"line":903,"type":"if","locations":[{"start":{"line":903,"column":8},"end":{"line":903,"column":8}},{"start":{"line":903,"column":8},"end":{"line":903,"column":8}}]},"69":{"line":927,"type":"cond-expr","locations":[{"start":{"line":927,"column":48},"end":{"line":927,"column":49}},{"start":{"line":927,"column":52},"end":{"line":927,"column":54}}]},"70":{"line":935,"type":"if","locations":[{"start":{"line":935,"column":8},"end":{"line":935,"column":8}},{"start":{"line":935,"column":8},"end":{"line":935,"column":8}}]},"71":{"line":935,"type":"binary-expr","locations":[{"start":{"line":935,"column":12},"end":{"line":935,"column":33}},{"start":{"line":935,"column":37},"end":{"line":935,"column":53}}]},"72":{"line":945,"type":"if","locations":[{"start":{"line":945,"column":12},"end":{"line":945,"column":12}},{"start":{"line":945,"column":12},"end":{"line":945,"column":12}}]},"73":{"line":975,"type":"binary-expr","locations":[{"start":{"line":975,"column":23},"end":{"line":975,"column":24}},{"start":{"line":975,"column":28},"end":{"line":975,"column":44}}]},"74":{"line":976,"type":"binary-expr","locations":[{"start":{"line":976,"column":23},"end":{"line":976,"column":24}},{"start":{"line":976,"column":28},"end":{"line":976,"column":44}}]},"75":{"line":983,"type":"binary-expr","locations":[{"start":{"line":983,"column":16},"end":{"line":983,"column":23}},{"start":{"line":983,"column":28},"end":{"line":983,"column":43}},{"start":{"line":983,"column":47},"end":{"line":983,"column":62}},{"start":{"line":983,"column":69},"end":{"line":983,"column":76}},{"start":{"line":983,"column":81},"end":{"line":983,"column":96}},{"start":{"line":983,"column":100},"end":{"line":983,"column":115}}]},"76":{"line":1007,"type":"if","locations":[{"start":{"line":1007,"column":8},"end":{"line":1007,"column":8}},{"start":{"line":1007,"column":8},"end":{"line":1007,"column":8}}]},"77":{"line":1010,"type":"if","locations":[{"start":{"line":1010,"column":13},"end":{"line":1010,"column":13}},{"start":{"line":1010,"column":13},"end":{"line":1010,"column":13}}]},"78":{"line":1026,"type":"if","locations":[{"start":{"line":1026,"column":8},"end":{"line":1026,"column":8}},{"start":{"line":1026,"column":8},"end":{"line":1026,"column":8}}]},"79":{"line":1040,"type":"if","locations":[{"start":{"line":1040,"column":8},"end":{"line":1040,"column":8}},{"start":{"line":1040,"column":8},"end":{"line":1040,"column":8}}]},"80":{"line":1121,"type":"if","locations":[{"start":{"line":1121,"column":8},"end":{"line":1121,"column":8}},{"start":{"line":1121,"column":8},"end":{"line":1121,"column":8}}]},"81":{"line":1143,"type":"if","locations":[{"start":{"line":1143,"column":8},"end":{"line":1143,"column":8}},{"start":{"line":1143,"column":8},"end":{"line":1143,"column":8}}]},"82":{"line":1145,"type":"cond-expr","locations":[{"start":{"line":1145,"column":37},"end":{"line":1145,"column":41}},{"start":{"line":1145,"column":44},"end":{"line":1145,"column":49}}]},"83":{"line":1146,"type":"cond-expr","locations":[{"start":{"line":1146,"column":37},"end":{"line":1146,"column":41}},{"start":{"line":1146,"column":44},"end":{"line":1146,"column":49}}]},"84":{"line":1164,"type":"if","locations":[{"start":{"line":1164,"column":8},"end":{"line":1164,"column":8}},{"start":{"line":1164,"column":8},"end":{"line":1164,"column":8}}]},"85":{"line":1393,"type":"cond-expr","locations":[{"start":{"line":1393,"column":34},"end":{"line":1393,"column":69}},{"start":{"line":1393,"column":72},"end":{"line":1393,"column":92}}]},"86":{"line":1394,"type":"cond-expr","locations":[{"start":{"line":1394,"column":34},"end":{"line":1394,"column":69}},{"start":{"line":1394,"column":72},"end":{"line":1394,"column":92}}]}},"code":["(function () { YUI.add('scrollview-base', function (Y, NAME) {","","/**"," * The scrollview-base module provides a basic ScrollView Widget, without scrollbar indicators"," *"," * @module scrollview"," * @submodule scrollview-base"," */",""," // Local vars","var getClassName = Y.ClassNameManager.getClassName,"," DOCUMENT = Y.config.doc,"," IE = Y.UA.ie,"," NATIVE_TRANSITIONS = Y.Transition.useNative,"," vendorPrefix = Y.Transition._VENDOR_PREFIX, // Todo: This is a private property, and alternative approaches should be investigated"," SCROLLVIEW = 'scrollview',"," CLASS_NAMES = {"," vertical: getClassName(SCROLLVIEW, 'vert'),"," horizontal: getClassName(SCROLLVIEW, 'horiz')"," },"," EV_SCROLL_END = 'scrollEnd',"," FLICK = 'flick',"," DRAG = 'drag',"," MOUSEWHEEL = 'mousewheel',"," UI = 'ui',"," TOP = 'top',"," LEFT = 'left',"," PX = 'px',"," AXIS = 'axis',"," SCROLL_Y = 'scrollY',"," SCROLL_X = 'scrollX',"," BOUNCE = 'bounce',"," DISABLED = 'disabled',"," DECELERATION = 'deceleration',"," DIM_X = 'x',"," DIM_Y = 'y',"," BOUNDING_BOX = 'boundingBox',"," CONTENT_BOX = 'contentBox',"," GESTURE_MOVE = 'gesturemove',"," START = 'start',"," END = 'end',"," EMPTY = '',"," ZERO = '0s',"," SNAP_DURATION = 'snapDuration',"," SNAP_EASING = 'snapEasing',"," EASING = 'easing',"," FRAME_DURATION = 'frameDuration',"," BOUNCE_RANGE = 'bounceRange',"," _constrain = function (val, min, max) {"," return Math.min(Math.max(val, min), max);"," };","","/**"," * ScrollView provides a scrollable widget, supporting flick gestures,"," * across both touch and mouse based devices."," *"," * @class ScrollView"," * @param config {Object} Object literal with initial attribute values"," * @extends Widget"," * @constructor"," */","function ScrollView() {"," ScrollView.superclass.constructor.apply(this, arguments);","}","","Y.ScrollView = Y.extend(ScrollView, Y.Widget, {",""," // *** Y.ScrollView prototype",""," /**"," * Flag driving whether or not we should try and force H/W acceleration when transforming. Currently enabled by default for Webkit."," * Used by the _transform method."," *"," * @property _forceHWTransforms"," * @type boolean"," * @protected"," */"," _forceHWTransforms: Y.UA.webkit ? true : false,",""," /**"," * <p>Used to control whether or not ScrollView's internal"," * gesturemovestart, gesturemove and gesturemoveend"," * event listeners should preventDefault. The value is an"," * object, with \"start\", \"move\" and \"end\" properties used to"," * specify which events should preventDefault and which shouldn't:</p>"," *"," * <pre>"," * {"," * start: false,"," * move: true,"," * end: false"," * }"," * </pre>"," *"," * <p>The default values are set up in order to prevent panning,"," * on touch devices, while allowing click listeners on elements inside"," * the ScrollView to be notified as expected.</p>"," *"," * @property _prevent"," * @type Object"," * @protected"," */"," _prevent: {"," start: false,"," move: true,"," end: false"," },",""," /**"," * Contains the distance (postive or negative) in pixels by which"," * the scrollview was last scrolled. This is useful when setting up"," * click listeners on the scrollview content, which on mouse based"," * devices are always fired, even after a drag/flick."," *"," * <p>Touch based devices don't currently fire a click event,"," * if the finger has been moved (beyond a threshold) so this"," * check isn't required, if working in a purely touch based environment</p>"," *"," * @property lastScrolledAmt"," * @type Number"," * @public"," * @default 0"," */"," lastScrolledAmt: 0,",""," /**"," * Internal state, defines the minimum amount that the scrollview can be scrolled along the X axis"," *"," * @property _minScrollX"," * @type number"," * @protected"," */"," _minScrollX: null,",""," /**"," * Internal state, defines the maximum amount that the scrollview can be scrolled along the X axis"," *"," * @property _maxScrollX"," * @type number"," * @protected"," */"," _maxScrollX: null,",""," /**"," * Internal state, defines the minimum amount that the scrollview can be scrolled along the Y axis"," *"," * @property _minScrollY"," * @type number"," * @protected"," */"," _minScrollY: null,",""," /**"," * Internal state, defines the maximum amount that the scrollview can be scrolled along the Y axis"," *"," * @property _maxScrollY"," * @type number"," * @protected"," */"," _maxScrollY: null,"," "," /**"," * Designated initializer"," *"," * @method initializer"," * @param {config} Configuration object for the plugin"," */"," initializer: function () {"," var sv = this;",""," // Cache these values, since they aren't going to change."," sv._bb = sv.get(BOUNDING_BOX);"," sv._cb = sv.get(CONTENT_BOX);",""," // Cache some attributes"," sv._cAxis = sv.get(AXIS);"," sv._cBounce = sv.get(BOUNCE);"," sv._cBounceRange = sv.get(BOUNCE_RANGE);"," sv._cDeceleration = sv.get(DECELERATION);"," sv._cFrameDuration = sv.get(FRAME_DURATION);"," },",""," /**"," * bindUI implementation"," *"," * Hooks up events for the widget"," * @method bindUI"," */"," bindUI: function () {"," var sv = this;",""," // Bind interaction listers"," sv._bindFlick(sv.get(FLICK));"," sv._bindDrag(sv.get(DRAG));"," sv._bindMousewheel(true);"," "," // Bind change events"," sv._bindAttrs();",""," // IE SELECT HACK. See if we can do this non-natively and in the gesture for a future release."," if (IE) {"," sv._fixIESelect(sv._bb, sv._cb);"," }",""," // Set any deprecated static properties"," if (ScrollView.SNAP_DURATION) {"," sv.set(SNAP_DURATION, ScrollView.SNAP_DURATION);"," }",""," if (ScrollView.SNAP_EASING) {"," sv.set(SNAP_EASING, ScrollView.SNAP_EASING);"," }",""," if (ScrollView.EASING) {"," sv.set(EASING, ScrollView.EASING);"," }",""," if (ScrollView.FRAME_STEP) {"," sv.set(FRAME_DURATION, ScrollView.FRAME_STEP);"," }",""," if (ScrollView.BOUNCE_RANGE) {"," sv.set(BOUNCE_RANGE, ScrollView.BOUNCE_RANGE);"," }",""," // Recalculate dimension properties"," // TODO: This should be throttled."," // Y.one(WINDOW).after('resize', sv._afterDimChange, sv);"," },",""," /**"," * Bind event listeners"," *"," * @method _bindAttrs"," * @private"," */"," _bindAttrs: function () {"," var sv = this,"," scrollChangeHandler = sv._afterScrollChange,"," dimChangeHandler = sv._afterDimChange;",""," // Bind any change event listeners"," sv.after({"," 'scrollEnd': sv._afterScrollEnd,"," 'disabledChange': sv._afterDisabledChange,"," 'flickChange': sv._afterFlickChange,"," 'dragChange': sv._afterDragChange,"," 'axisChange': sv._afterAxisChange,"," 'scrollYChange': scrollChangeHandler,"," 'scrollXChange': scrollChangeHandler,"," 'heightChange': dimChangeHandler,"," 'widthChange': dimChangeHandler"," });"," },",""," /**"," * Bind (or unbind) gesture move listeners required for drag support"," *"," * @method _bindDrag"," * @param drag {boolean} If true, the method binds listener to enable"," * drag (gesturemovestart). If false, the method unbinds gesturemove"," * listeners for drag support."," * @private"," */"," _bindDrag: function (drag) {"," var sv = this,"," bb = sv._bb;",""," // Unbind any previous 'drag' listeners"," bb.detach(DRAG + '|*');",""," if (drag) {"," bb.on(DRAG + '|' + GESTURE_MOVE + START, Y.bind(sv._onGestureMoveStart, sv));"," }"," },",""," /**"," * Bind (or unbind) flick listeners."," *"," * @method _bindFlick"," * @param flick {Object|boolean} If truthy, the method binds listeners for"," * flick support. If false, the method unbinds flick listeners."," * @private"," */"," _bindFlick: function (flick) {"," var sv = this,"," bb = sv._bb;",""," // Unbind any previous 'flick' listeners"," bb.detach(FLICK + '|*');",""," if (flick) {"," bb.on(FLICK + '|' + FLICK, Y.bind(sv._flick, sv), flick);",""," // Rebind Drag, becuase _onGestureMoveEnd always has to fire -after- _flick"," sv._bindDrag(sv.get(DRAG));"," }"," },",""," /**"," * Bind (or unbind) mousewheel listeners."," *"," * @method _bindMousewheel"," * @param mousewheel {Object|boolean} If truthy, the method binds listeners for"," * mousewheel support. If false, the method unbinds mousewheel listeners."," * @private"," */"," _bindMousewheel: function (mousewheel) {"," var sv = this,"," bb = sv._bb;",""," // Unbind any previous 'mousewheel' listeners"," // TODO: This doesn't actually appear to work properly. Fix. #2532743"," bb.detach(MOUSEWHEEL + '|*');",""," // Only enable for vertical scrollviews"," if (mousewheel) {"," // Bound to document, because that's where mousewheel events fire off of."," Y.one(DOCUMENT).on(MOUSEWHEEL, Y.bind(sv._mousewheel, sv));"," }"," },",""," /**"," * syncUI implementation."," *"," * Update the scroll position, based on the current value of scrollX/scrollY."," *"," * @method syncUI"," */"," syncUI: function () {"," var sv = this,"," scrollDims = sv._getScrollDims(),"," width = scrollDims.offsetWidth,"," height = scrollDims.offsetHeight,"," scrollWidth = scrollDims.scrollWidth,"," scrollHeight = scrollDims.scrollHeight;",""," // If the axis is undefined, auto-calculate it"," if (sv._cAxis === undefined) {"," // This should only ever be run once (for now)."," // In the future SV might post-load axis changes"," sv._cAxis = {"," x: (scrollWidth > width),"," y: (scrollHeight > height)"," };",""," sv._set(AXIS, sv._cAxis);"," }"," "," // get text direction on or inherited by scrollview node"," sv.rtl = (sv._cb.getComputedStyle('direction') === 'rtl');",""," // Cache the disabled value"," sv._cDisabled = sv.get(DISABLED);",""," // Run this to set initial values"," sv._uiDimensionsChange();",""," // If we're out-of-bounds, snap back."," if (sv._isOutOfBounds()) {"," sv._snapBack();"," }"," },",""," /**"," * Utility method to obtain widget dimensions"," *"," * @method _getScrollDims"," * @return {Object} The offsetWidth, offsetHeight, scrollWidth and"," * scrollHeight as an array: [offsetWidth, offsetHeight, scrollWidth,"," * scrollHeight]"," * @private"," */"," _getScrollDims: function () {"," var sv = this,"," cb = sv._cb,"," bb = sv._bb,"," TRANS = ScrollView._TRANSITION,"," // Ideally using CSSMatrix - don't think we have it normalized yet though."," // origX = (new WebKitCSSMatrix(cb.getComputedStyle(\"transform\"))).e,"," // origY = (new WebKitCSSMatrix(cb.getComputedStyle(\"transform\"))).f,"," origX = sv.get(SCROLL_X),"," origY = sv.get(SCROLL_Y),"," origHWTransform,"," dims;",""," // TODO: Is this OK? Just in case it's called 'during' a transition."," if (NATIVE_TRANSITIONS) {"," cb.setStyle(TRANS.DURATION, ZERO);"," cb.setStyle(TRANS.PROPERTY, EMPTY);"," }",""," origHWTransform = sv._forceHWTransforms;"," sv._forceHWTransforms = false; // the z translation was causing issues with picking up accurate scrollWidths in Chrome/Mac.",""," sv._moveTo(cb, 0, 0);"," dims = {"," 'offsetWidth': bb.get('offsetWidth'),"," 'offsetHeight': bb.get('offsetHeight'),"," 'scrollWidth': bb.get('scrollWidth'),"," 'scrollHeight': bb.get('scrollHeight')"," };"," sv._moveTo(cb, -(origX), -(origY));",""," sv._forceHWTransforms = origHWTransform;",""," return dims;"," },",""," /**"," * This method gets invoked whenever the height or width attributes change,"," * allowing us to determine which scrolling axes need to be enabled."," *"," * @method _uiDimensionsChange"," * @protected"," */"," _uiDimensionsChange: function () {"," var sv = this,"," bb = sv._bb,"," scrollDims = sv._getScrollDims(),"," width = scrollDims.offsetWidth,"," height = scrollDims.offsetHeight,"," scrollWidth = scrollDims.scrollWidth,"," scrollHeight = scrollDims.scrollHeight,"," rtl = sv.rtl,"," svAxis = sv._cAxis,"," minScrollX = (rtl ? Math.min(0, -(scrollWidth - width)) : 0),"," maxScrollX = (rtl ? 0 : Math.max(0, scrollWidth - width)),"," minScrollY = 0,"," maxScrollY = Math.max(0, scrollHeight - height);"," "," if (svAxis && svAxis.x) {"," bb.addClass(CLASS_NAMES.horizontal);"," }",""," if (svAxis && svAxis.y) {"," bb.addClass(CLASS_NAMES.vertical);"," }",""," sv._setBounds({"," minScrollX: minScrollX,"," maxScrollX: maxScrollX,"," minScrollY: minScrollY,"," maxScrollY: maxScrollY"," });"," },",""," /**"," * Set the bounding dimensions of the ScrollView"," *"," * @method _setBounds"," * @protected"," * @param bounds {Object} [duration] ms of the scroll animation. (default is 0)"," * @param {Number} [bounds.minScrollX] The minimum scroll X value"," * @param {Number} [bounds.maxScrollX] The maximum scroll X value"," * @param {Number} [bounds.minScrollY] The minimum scroll Y value"," * @param {Number} [bounds.maxScrollY] The maximum scroll Y value"," */"," _setBounds: function (bounds) {"," var sv = this;"," "," // TODO: Do a check to log if the bounds are invalid",""," sv._minScrollX = bounds.minScrollX;"," sv._maxScrollX = bounds.maxScrollX;"," sv._minScrollY = bounds.minScrollY;"," sv._maxScrollY = bounds.maxScrollY;"," },",""," /**"," * Get the bounding dimensions of the ScrollView"," *"," * @method _getBounds"," * @protected"," */"," _getBounds: function () {"," var sv = this;"," "," return {"," minScrollX: sv._minScrollX,"," maxScrollX: sv._maxScrollX,"," minScrollY: sv._minScrollY,"," maxScrollY: sv._maxScrollY"," };",""," },",""," /**"," * Scroll the element to a given xy coordinate"," *"," * @method scrollTo"," * @param x {Number} The x-position to scroll to. (null for no movement)"," * @param y {Number} The y-position to scroll to. (null for no movement)"," * @param {Number} [duration] ms of the scroll animation. (default is 0)"," * @param {String} [easing] An easing equation if duration is set. (default is `easing` attribute)"," * @param {String} [node] The node to transform. Setting this can be useful in"," * dual-axis paginated instances. (default is the instance's contentBox)"," */"," scrollTo: function (x, y, duration, easing, node) {"," // Check to see if widget is disabled"," if (this._cDisabled) {"," return;"," }",""," var sv = this,"," cb = sv._cb,"," TRANS = ScrollView._TRANSITION,"," callback = Y.bind(sv._onTransEnd, sv), // @Todo : cache this"," newX = 0,"," newY = 0,"," transition = {},"," transform;",""," // default the optional arguments"," duration = duration || 0;"," easing = easing || sv.get(EASING); // @TODO: Cache this"," node = node || cb;",""," if (x !== null) {"," sv.set(SCROLL_X, x, {src:UI});"," newX = -(x);"," }",""," if (y !== null) {"," sv.set(SCROLL_Y, y, {src:UI});"," newY = -(y);"," }",""," transform = sv._transform(newX, newY);",""," if (NATIVE_TRANSITIONS) {"," // ANDROID WORKAROUND - try and stop existing transition, before kicking off new one."," node.setStyle(TRANS.DURATION, ZERO).setStyle(TRANS.PROPERTY, EMPTY);"," }",""," // Move"," if (duration === 0) {"," if (NATIVE_TRANSITIONS) {"," node.setStyle('transform', transform);"," }"," else {"," // TODO: If both set, batch them in the same update"," // Update: Nope, setStyles() just loops through each property and applies it."," if (x !== null) {"," node.setStyle(LEFT, newX + PX);"," }"," if (y !== null) {"," node.setStyle(TOP, newY + PX);"," }"," }"," }",""," // Animate"," else {"," transition.easing = easing;"," transition.duration = duration / 1000;",""," if (NATIVE_TRANSITIONS) {"," transition.transform = transform;"," }"," else {"," transition.left = newX + PX;"," transition.top = newY + PX;"," }",""," node.transition(transition, callback);"," }"," },",""," /**"," * Utility method, to create the translate transform string with the"," * x, y translation amounts provided."," *"," * @method _transform"," * @param {Number} x Number of pixels to translate along the x axis"," * @param {Number} y Number of pixels to translate along the y axis"," * @private"," */"," _transform: function (x, y) {"," // TODO: Would we be better off using a Matrix for this?"," var prop = 'translate(' + x + 'px, ' + y + 'px)';",""," if (this._forceHWTransforms) {"," prop += ' translateZ(0)';"," }",""," return prop;"," },",""," /**"," * Utility method, to move the given element to the given xy position"," *"," * @method _moveTo"," * @param node {Node} The node to move"," * @param x {Number} The x-position to move to"," * @param y {Number} The y-position to move to"," * @private"," */"," _moveTo : function(node, x, y) {"," if (NATIVE_TRANSITIONS) {"," node.setStyle('transform', this._transform(x, y));"," } else {"," node.setStyle(LEFT, x + PX);"," node.setStyle(TOP, y + PX);"," }"," },","",""," /**"," * Content box transition callback"," *"," * @method _onTransEnd"," * @param {Event.Facade} e The event facade"," * @private"," */"," _onTransEnd: function () {"," var sv = this;"," "," // If for some reason we're OOB, snapback"," if (sv._isOutOfBounds()) {"," sv._snapBack();"," }"," else {"," /**"," * Notification event fired at the end of a scroll transition"," *"," * @event scrollEnd"," * @param e {EventFacade} The default event facade."," */"," sv.fire(EV_SCROLL_END);"," }"," },",""," /**"," * gesturemovestart event handler"," *"," * @method _onGestureMoveStart"," * @param e {Event.Facade} The gesturemovestart event facade"," * @private"," */"," _onGestureMoveStart: function (e) {",""," if (this._cDisabled) {"," return false;"," }",""," var sv = this,"," bb = sv._bb,"," currentX = sv.get(SCROLL_X),"," currentY = sv.get(SCROLL_Y),"," clientX = e.clientX,"," clientY = e.clientY;",""," if (sv._prevent.start) {"," e.preventDefault();"," }",""," // if a flick animation is in progress, cancel it"," if (sv._flickAnim) {"," sv._cancelFlick();"," sv._onTransEnd();"," }",""," // Reset lastScrolledAmt"," sv.lastScrolledAmt = 0;",""," // Stores data for this gesture cycle. Cleaned up later"," sv._gesture = {",""," // Will hold the axis value"," axis: null,",""," // The current attribute values"," startX: currentX,"," startY: currentY,",""," // The X/Y coordinates where the event began"," startClientX: clientX,"," startClientY: clientY,",""," // The X/Y coordinates where the event will end"," endClientX: null,"," endClientY: null,",""," // The current delta of the event"," deltaX: null,"," deltaY: null,",""," // Will be populated for flicks"," flick: null,",""," // Create some listeners for the rest of the gesture cycle"," onGestureMove: bb.on(DRAG + '|' + GESTURE_MOVE, Y.bind(sv._onGestureMove, sv)),"," "," // @TODO: Don't bind gestureMoveEnd if it's a Flick?"," onGestureMoveEnd: bb.on(DRAG + '|' + GESTURE_MOVE + END, Y.bind(sv._onGestureMoveEnd, sv))"," };"," },",""," /**"," * gesturemove event handler"," *"," * @method _onGestureMove"," * @param e {Event.Facade} The gesturemove event facade"," * @private"," */"," _onGestureMove: function (e) {"," var sv = this,"," gesture = sv._gesture,"," svAxis = sv._cAxis,"," svAxisX = svAxis.x,"," svAxisY = svAxis.y,"," startX = gesture.startX,"," startY = gesture.startY,"," startClientX = gesture.startClientX,"," startClientY = gesture.startClientY,"," clientX = e.clientX,"," clientY = e.clientY;",""," if (sv._prevent.move) {"," e.preventDefault();"," }",""," gesture.deltaX = startClientX - clientX;"," gesture.deltaY = startClientY - clientY;",""," // Determine if this is a vertical or horizontal movement"," // @TODO: This is crude, but it works. Investigate more intelligent ways to detect intent"," if (gesture.axis === null) {"," gesture.axis = (Math.abs(gesture.deltaX) > Math.abs(gesture.deltaY)) ? DIM_X : DIM_Y;"," }",""," // Move X or Y. @TODO: Move both if dualaxis."," if (gesture.axis === DIM_X && svAxisX) {"," sv.set(SCROLL_X, startX + gesture.deltaX);"," }"," else if (gesture.axis === DIM_Y && svAxisY) {"," sv.set(SCROLL_Y, startY + gesture.deltaY);"," }"," },",""," /**"," * gesturemoveend event handler"," *"," * @method _onGestureMoveEnd"," * @param e {Event.Facade} The gesturemoveend event facade"," * @private"," */"," _onGestureMoveEnd: function (e) {"," var sv = this,"," gesture = sv._gesture,"," flick = gesture.flick,"," clientX = e.clientX,"," clientY = e.clientY,"," isOOB;",""," if (sv._prevent.end) {"," e.preventDefault();"," }",""," // Store the end X/Y coordinates"," gesture.endClientX = clientX;"," gesture.endClientY = clientY;",""," // Cleanup the event handlers"," gesture.onGestureMove.detach();"," gesture.onGestureMoveEnd.detach();",""," // If this wasn't a flick, wrap up the gesture cycle"," if (!flick) {"," // @TODO: Be more intelligent about this. Look at the Flick attribute to see"," // if it is safe to assume _flick did or didn't fire."," // Then, the order _flick and _onGestureMoveEnd fire doesn't matter?",""," // If there was movement (_onGestureMove fired)"," if (gesture.deltaX !== null && gesture.deltaY !== null) {"," "," isOOB = sv._isOutOfBounds();"," "," // If we're out-out-bounds, then snapback"," if (isOOB) {"," sv._snapBack();"," }",""," // Inbounds"," else {"," // Fire scrollEnd unless this is a paginated instance and the gesture axis is the same as paginator's"," // Not totally confident this is ideal to access a plugin's properties from a host, @TODO revisit"," if (!sv.pages || (sv.pages && !sv.pages.get(AXIS)[gesture.axis])) {"," sv._onTransEnd();"," }"," }"," }"," }"," },",""," /**"," * Execute a flick at the end of a scroll action"," *"," * @method _flick"," * @param e {Event.Facade} The Flick event facade"," * @private"," */"," _flick: function (e) {"," if (this._cDisabled) {"," return false;"," }",""," var sv = this,"," svAxis = sv._cAxis,"," flick = e.flick,"," flickAxis = flick.axis,"," flickVelocity = flick.velocity,"," axisAttr = flickAxis === DIM_X ? SCROLL_X : SCROLL_Y,"," startPosition = sv.get(axisAttr);",""," // Sometimes flick is enabled, but drag is disabled"," if (sv._gesture) {"," sv._gesture.flick = flick;"," }",""," // Prevent unneccesary firing of _flickFrame if we can't scroll on the flick axis"," if (svAxis[flickAxis]) {"," sv._flickFrame(flickVelocity, flickAxis, startPosition);"," }"," },",""," /**"," * Execute a single frame in the flick animation"," *"," * @method _flickFrame"," * @param velocity {Number} The velocity of this animated frame"," * @param flickAxis {String} The axis on which to animate"," * @param startPosition {Number} The starting X/Y point to flick from"," * @protected"," */"," _flickFrame: function (velocity, flickAxis, startPosition) {",""," var sv = this,"," axisAttr = flickAxis === DIM_X ? SCROLL_X : SCROLL_Y,"," bounds = sv._getBounds(),",""," // Localize cached values"," bounce = sv._cBounce,"," bounceRange = sv._cBounceRange,"," deceleration = sv._cDeceleration,"," frameDuration = sv._cFrameDuration,",""," // Calculate"," newVelocity = velocity * deceleration,"," newPosition = startPosition - (frameDuration * newVelocity),",""," // Some convinience conditions"," min = flickAxis === DIM_X ? bounds.minScrollX : bounds.minScrollY,"," max = flickAxis === DIM_X ? bounds.maxScrollX : bounds.maxScrollY,"," belowMin = (newPosition < min),"," belowMax = (newPosition < max),"," aboveMin = (newPosition > min),"," aboveMax = (newPosition > max),"," belowMinRange = (newPosition < (min - bounceRange)),"," withinMinRange = (belowMin && (newPosition > (min - bounceRange))),"," withinMaxRange = (aboveMax && (newPosition < (max + bounceRange))),"," aboveMaxRange = (newPosition > (max + bounceRange)),"," tooSlow;",""," // If we're within the range but outside min/max, dampen the velocity"," if (withinMinRange || withinMaxRange) {"," newVelocity *= bounce;"," }",""," // Is the velocity too slow to bother?"," tooSlow = (Math.abs(newVelocity).toFixed(4) < 0.015);",""," // If the velocity is too slow or we're outside the range"," if (tooSlow || belowMinRange || aboveMaxRange) {"," // Cancel and delete sv._flickAnim"," if (sv._flickAnim) {"," sv._cancelFlick();"," }",""," // If we're inside the scroll area, just end"," if (aboveMin && belowMax) {"," sv._onTransEnd();"," }",""," // We're outside the scroll area, so we need to snap back"," else {"," sv._snapBack();"," }"," }",""," // Otherwise, animate to the next frame"," else {"," // @TODO: maybe use requestAnimationFrame instead"," sv._flickAnim = Y.later(frameDuration, sv, '_flickFrame', [newVelocity, flickAxis, newPosition]);"," sv.set(axisAttr, newPosition);"," }"," },",""," _cancelFlick: function () {"," var sv = this;",""," if (sv._flickAnim) {"," // Cancel the flick (if it exists)"," sv._flickAnim.cancel();",""," // Also delete it, otherwise _onGestureMoveStart will think we're still flicking"," delete sv._flickAnim;"," }",""," },",""," /**"," * Handle mousewheel events on the widget"," *"," * @method _mousewheel"," * @param e {Event.Facade} The mousewheel event facade"," * @private"," */"," _mousewheel: function (e) {"," var sv = this,"," scrollY = sv.get(SCROLL_Y),"," bounds = sv._getBounds(),"," bb = sv._bb,"," scrollOffset = 10, // 10px"," isForward = (e.wheelDelta > 0),"," scrollToY = scrollY - ((isForward ? 1 : -1) * scrollOffset);",""," scrollToY = _constrain(scrollToY, bounds.minScrollY, bounds.maxScrollY);",""," // Because Mousewheel events fire off 'document', every ScrollView widget will react"," // to any mousewheel anywhere on the page. This check will ensure that the mouse is currently"," // over this specific ScrollView. Also, only allow mousewheel scrolling on Y-axis,"," // becuase otherwise the 'prevent' will block page scrolling."," if (bb.contains(e.target) && sv._cAxis[DIM_Y]) {",""," // Reset lastScrolledAmt"," sv.lastScrolledAmt = 0;",""," // Jump to the new offset"," sv.set(SCROLL_Y, scrollToY);",""," // if we have scrollbars plugin, update & set the flash timer on the scrollbar"," // @TODO: This probably shouldn't be in this module"," if (sv.scrollbars) {"," // @TODO: The scrollbars should handle this themselves"," sv.scrollbars._update();"," sv.scrollbars.flash();"," // or just this"," // sv.scrollbars._hostDimensionsChange();"," }",""," // Fire the 'scrollEnd' event"," sv._onTransEnd();",""," // prevent browser default behavior on mouse scroll"," e.preventDefault();"," }"," },",""," /**"," * Checks to see the current scrollX/scrollY position beyond the min/max boundary"," *"," * @method _isOutOfBounds"," * @param x {Number} [optional] The X position to check"," * @param y {Number} [optional] The Y position to check"," * @return {boolen} Whether the current X/Y position is out of bounds (true) or not (false)"," * @private"," */"," _isOutOfBounds: function (x, y) {"," var sv = this,"," svAxis = sv._cAxis,"," svAxisX = svAxis.x,"," svAxisY = svAxis.y,"," currentX = x || sv.get(SCROLL_X),"," currentY = y || sv.get(SCROLL_Y),"," bounds = sv._getBounds(),"," minX = bounds.minScrollX,"," minY = bounds.minScrollY,"," maxX = bounds.maxScrollX,"," maxY = bounds.maxScrollY;",""," return (svAxisX && (currentX < minX || currentX > maxX)) || (svAxisY && (currentY < minY || currentY > maxY));"," },",""," /**"," * Bounces back"," * @TODO: Should be more generalized and support both X and Y detection"," *"," * @method _snapBack"," * @private"," */"," _snapBack: function () {"," var sv = this,"," currentX = sv.get(SCROLL_X),"," currentY = sv.get(SCROLL_Y),"," bounds = sv._getBounds(),"," minX = bounds.minScrollX,"," minY = bounds.minScrollY,"," maxX = bounds.maxScrollX,"," maxY = bounds.maxScrollY,"," newY = _constrain(currentY, minY, maxY),"," newX = _constrain(currentX, minX, maxX),"," duration = sv.get(SNAP_DURATION),"," easing = sv.get(SNAP_EASING);",""," if (newX !== currentX) {"," sv.set(SCROLL_X, newX, {duration:duration, easing:easing});"," }"," else if (newY !== currentY) {"," sv.set(SCROLL_Y, newY, {duration:duration, easing:easing});"," }"," else {"," sv._onTransEnd();"," }"," },",""," /**"," * After listener for changes to the scrollX or scrollY attribute"," *"," * @method _afterScrollChange"," * @param e {Event.Facade} The event facade"," * @protected"," */"," _afterScrollChange: function (e) {"," if (e.src === ScrollView.UI_SRC) {"," return false;"," }",""," var sv = this,"," duration = e.duration,"," easing = e.easing,"," val = e.newVal,"," scrollToArgs = [];",""," // Set the scrolled value"," sv.lastScrolledAmt = sv.lastScrolledAmt + (e.newVal - e.prevVal);",""," // Generate the array of args to pass to scrollTo()"," if (e.attrName === SCROLL_X) {"," scrollToArgs.push(val);"," scrollToArgs.push(sv.get(SCROLL_Y));"," }"," else {"," scrollToArgs.push(sv.get(SCROLL_X));"," scrollToArgs.push(val);"," }",""," scrollToArgs.push(duration);"," scrollToArgs.push(easing);",""," sv.scrollTo.apply(sv, scrollToArgs);"," },",""," /**"," * After listener for changes to the flick attribute"," *"," * @method _afterFlickChange"," * @param e {Event.Facade} The event facade"," * @protected"," */"," _afterFlickChange: function (e) {"," this._bindFlick(e.newVal);"," },",""," /**"," * After listener for changes to the disabled attribute"," *"," * @method _afterDisabledChange"," * @param e {Event.Facade} The event facade"," * @protected"," */"," _afterDisabledChange: function (e) {"," // Cache for performance - we check during move"," this._cDisabled = e.newVal;"," },",""," /**"," * After listener for the axis attribute"," *"," * @method _afterAxisChange"," * @param e {Event.Facade} The event facade"," * @protected"," */"," _afterAxisChange: function (e) {"," this._cAxis = e.newVal;"," },",""," /**"," * After listener for changes to the drag attribute"," *"," * @method _afterDragChange"," * @param e {Event.Facade} The event facade"," * @protected"," */"," _afterDragChange: function (e) {"," this._bindDrag(e.newVal);"," },",""," /**"," * After listener for the height or width attribute"," *"," * @method _afterDimChange"," * @param e {Event.Facade} The event facade"," * @protected"," */"," _afterDimChange: function () {"," this._uiDimensionsChange();"," },",""," /**"," * After listener for scrollEnd, for cleanup"," *"," * @method _afterScrollEnd"," * @param e {Event.Facade} The event facade"," * @protected"," */"," _afterScrollEnd: function () {"," var sv = this;",""," if (sv._flickAnim) {"," sv._cancelFlick();"," }",""," // Ideally this should be removed, but doing so causing some JS errors with fast swiping"," // because _gesture is being deleted after the previous one has been overwritten"," // delete sv._gesture; // TODO: Move to sv.prevGesture?"," },",""," /**"," * Setter for 'axis' attribute"," *"," * @method _axisSetter"," * @param val {Mixed} A string ('x', 'y', 'xy') to specify which axis/axes to allow scrolling on"," * @param name {String} The attribute name"," * @return {Object} An object to specify scrollability on the x & y axes"," *"," * @protected"," */"," _axisSetter: function (val) {",""," // Turn a string into an axis object"," if (Y.Lang.isString(val)) {"," return {"," x: val.match(/x/i) ? true : false,"," y: val.match(/y/i) ? true : false"," };"," }"," },"," "," /**"," * The scrollX, scrollY setter implementation"," *"," * @method _setScroll"," * @private"," * @param {Number} val"," * @param {String} dim"," *"," * @return {Number} The value"," */"," _setScroll : function(val) {",""," // Just ensure the widget is not disabled"," if (this._cDisabled) {"," val = Y.Attribute.INVALID_VALUE;"," }",""," return val;"," },",""," /**"," * Setter for the scrollX attribute"," *"," * @method _setScrollX"," * @param val {Number} The new scrollX value"," * @return {Number} The normalized value"," * @protected"," */"," _setScrollX: function(val) {"," return this._setScroll(val, DIM_X);"," },",""," /**"," * Setter for the scrollY ATTR"," *"," * @method _setScrollY"," * @param val {Number} The new scrollY value"," * @return {Number} The normalized value"," * @protected"," */"," _setScrollY: function(val) {"," return this._setScroll(val, DIM_Y);"," }",""," // End prototype properties","","}, {",""," // Static properties",""," /**"," * The identity of the widget."," *"," * @property NAME"," * @type String"," * @default 'scrollview'"," * @readOnly"," * @protected"," * @static"," */"," NAME: 'scrollview',",""," /**"," * Static property used to define the default attribute configuration of"," * the Widget."," *"," * @property ATTRS"," * @type {Object}"," * @protected"," * @static"," */"," ATTRS: {",""," /**"," * Specifies ability to scroll on x, y, or x and y axis/axes."," *"," * @attribute axis"," * @type String"," */"," axis: {"," setter: '_axisSetter',"," writeOnce: 'initOnly'"," },",""," /**"," * The current scroll position in the x-axis"," *"," * @attribute scrollX"," * @type Number"," * @default 0"," */"," scrollX: {"," value: 0,"," setter: '_setScrollX'"," },",""," /**"," * The current scroll position in the y-axis"," *"," * @attribute scrollY"," * @type Number"," * @default 0"," */"," scrollY: {"," value: 0,"," setter: '_setScrollY'"," },",""," /**"," * Drag coefficent for inertial scrolling. The closer to 1 this"," * value is, the less friction during scrolling."," *"," * @attribute deceleration"," * @default 0.93"," */"," deceleration: {"," value: 0.93"," },",""," /**"," * Drag coefficient for intertial scrolling at the upper"," * and lower boundaries of the scrollview. Set to 0 to"," * disable \"rubber-banding\"."," *"," * @attribute bounce"," * @type Number"," * @default 0.1"," */"," bounce: {"," value: 0.1"," },",""," /**"," * The minimum distance and/or velocity which define a flick. Can be set to false,"," * to disable flick support (note: drag support is enabled/disabled separately)"," *"," * @attribute flick"," * @type Object"," * @default Object with properties minDistance = 10, minVelocity = 0.3."," */"," flick: {"," value: {"," minDistance: 10,"," minVelocity: 0.3"," }"," },",""," /**"," * Enable/Disable dragging the ScrollView content (note: flick support is enabled/disabled separately)"," * @attribute drag"," * @type boolean"," * @default true"," */"," drag: {"," value: true"," },",""," /**"," * The default duration to use when animating the bounce snap back."," *"," * @attribute snapDuration"," * @type Number"," * @default 400"," */"," snapDuration: {"," value: 400"," },",""," /**"," * The default easing to use when animating the bounce snap back."," *"," * @attribute snapEasing"," * @type String"," * @default 'ease-out'"," */"," snapEasing: {"," value: 'ease-out'"," },",""," /**"," * The default easing used when animating the flick"," *"," * @attribute easing"," * @type String"," * @default 'cubic-bezier(0, 0.1, 0, 1.0)'"," */"," easing: {"," value: 'cubic-bezier(0, 0.1, 0, 1.0)'"," },",""," /**"," * The interval (ms) used when animating the flick for JS-timer animations"," *"," * @attribute frameDuration"," * @type Number"," * @default 15"," */"," frameDuration: {"," value: 15"," },",""," /**"," * The default bounce distance in pixels"," *"," * @attribute bounceRange"," * @type Number"," * @default 150"," */"," bounceRange: {"," value: 150"," }"," },",""," /**"," * List of class names used in the scrollview's DOM"," *"," * @property CLASS_NAMES"," * @type Object"," * @static"," */"," CLASS_NAMES: CLASS_NAMES,",""," /**"," * Flag used to source property changes initiated from the DOM"," *"," * @property UI_SRC"," * @type String"," * @static"," * @default 'ui'"," */"," UI_SRC: UI,",""," /**"," * Object map of style property names used to set transition properties."," * Defaults to the vendor prefix established by the Transition module."," * The configured property names are `_TRANSITION.DURATION` (e.g. \"WebkitTransitionDuration\") and"," * `_TRANSITION.PROPERTY (e.g. \"WebkitTransitionProperty\")."," *"," * @property _TRANSITION"," * @private"," */"," _TRANSITION: {"," DURATION: (vendorPrefix ? vendorPrefix + 'TransitionDuration' : 'transitionDuration'),"," PROPERTY: (vendorPrefix ? vendorPrefix + 'TransitionProperty' : 'transitionProperty')"," },",""," /**"," * The default bounce distance in pixels"," *"," * @property BOUNCE_RANGE"," * @type Number"," * @static"," * @default false"," * @deprecated (in 3.7.0)"," */"," BOUNCE_RANGE: false,",""," /**"," * The interval (ms) used when animating the flick"," *"," * @property FRAME_STEP"," * @type Number"," * @static"," * @default false"," * @deprecated (in 3.7.0)"," */"," FRAME_STEP: false,",""," /**"," * The default easing used when animating the flick"," *"," * @property EASING"," * @type String"," * @static"," * @default false"," * @deprecated (in 3.7.0)"," */"," EASING: false,",""," /**"," * The default easing to use when animating the bounce snap back."," *"," * @property SNAP_EASING"," * @type String"," * @static"," * @default false"," * @deprecated (in 3.7.0)"," */"," SNAP_EASING: false,",""," /**"," * The default duration to use when animating the bounce snap back."," *"," * @property SNAP_DURATION"," * @type Number"," * @static"," * @default false"," * @deprecated (in 3.7.0)"," */"," SNAP_DURATION: false",""," // End static properties","","});","","}, '@VERSION@', {\"requires\": [\"widget\", \"event-gestures\", \"event-mousewheel\", \"transition\"], \"skinnable\": true});","","}());"]}; } var __cov_cyIK2vRXoVgOuWid4NBKqw = __coverage__['build/scrollview-base/scrollview-base.js']; __cov_cyIK2vRXoVgOuWid4NBKqw.s['1']++;YUI.add('scrollview-base',function(Y,NAME){__cov_cyIK2vRXoVgOuWid4NBKqw.f['1']++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['2']++;var getClassName=Y.ClassNameManager.getClassName,DOCUMENT=Y.config.doc,IE=Y.UA.ie,NATIVE_TRANSITIONS=Y.Transition.useNative,vendorPrefix=Y.Transition._VENDOR_PREFIX,SCROLLVIEW='scrollview',CLASS_NAMES={vertical:getClassName(SCROLLVIEW,'vert'),horizontal:getClassName(SCROLLVIEW,'horiz')},EV_SCROLL_END='scrollEnd',FLICK='flick',DRAG='drag',MOUSEWHEEL='mousewheel',UI='ui',TOP='top',LEFT='left',PX='px',AXIS='axis',SCROLL_Y='scrollY',SCROLL_X='scrollX',BOUNCE='bounce',DISABLED='disabled',DECELERATION='deceleration',DIM_X='x',DIM_Y='y',BOUNDING_BOX='boundingBox',CONTENT_BOX='contentBox',GESTURE_MOVE='gesturemove',START='start',END='end',EMPTY='',ZERO='0s',SNAP_DURATION='snapDuration',SNAP_EASING='snapEasing',EASING='easing',FRAME_DURATION='frameDuration',BOUNCE_RANGE='bounceRange',_constrain=function(val,min,max){__cov_cyIK2vRXoVgOuWid4NBKqw.f['2']++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['3']++;return Math.min(Math.max(val,min),max);};__cov_cyIK2vRXoVgOuWid4NBKqw.s['4']++;function ScrollView(){__cov_cyIK2vRXoVgOuWid4NBKqw.f['3']++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['5']++;ScrollView.superclass.constructor.apply(this,arguments);}__cov_cyIK2vRXoVgOuWid4NBKqw.s['6']++;Y.ScrollView=Y.extend(ScrollView,Y.Widget,{_forceHWTransforms:Y.UA.webkit?(__cov_cyIK2vRXoVgOuWid4NBKqw.b['1'][0]++,true):(__cov_cyIK2vRXoVgOuWid4NBKqw.b['1'][1]++,false),_prevent:{start:false,move:true,end:false},lastScrolledAmt:0,_minScrollX:null,_maxScrollX:null,_minScrollY:null,_maxScrollY:null,initializer:function(){__cov_cyIK2vRXoVgOuWid4NBKqw.f['4']++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['7']++;var sv=this;__cov_cyIK2vRXoVgOuWid4NBKqw.s['8']++;sv._bb=sv.get(BOUNDING_BOX);__cov_cyIK2vRXoVgOuWid4NBKqw.s['9']++;sv._cb=sv.get(CONTENT_BOX);__cov_cyIK2vRXoVgOuWid4NBKqw.s['10']++;sv._cAxis=sv.get(AXIS);__cov_cyIK2vRXoVgOuWid4NBKqw.s['11']++;sv._cBounce=sv.get(BOUNCE);__cov_cyIK2vRXoVgOuWid4NBKqw.s['12']++;sv._cBounceRange=sv.get(BOUNCE_RANGE);__cov_cyIK2vRXoVgOuWid4NBKqw.s['13']++;sv._cDeceleration=sv.get(DECELERATION);__cov_cyIK2vRXoVgOuWid4NBKqw.s['14']++;sv._cFrameDuration=sv.get(FRAME_DURATION);},bindUI:function(){__cov_cyIK2vRXoVgOuWid4NBKqw.f['5']++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['15']++;var sv=this;__cov_cyIK2vRXoVgOuWid4NBKqw.s['16']++;sv._bindFlick(sv.get(FLICK));__cov_cyIK2vRXoVgOuWid4NBKqw.s['17']++;sv._bindDrag(sv.get(DRAG));__cov_cyIK2vRXoVgOuWid4NBKqw.s['18']++;sv._bindMousewheel(true);__cov_cyIK2vRXoVgOuWid4NBKqw.s['19']++;sv._bindAttrs();__cov_cyIK2vRXoVgOuWid4NBKqw.s['20']++;if(IE){__cov_cyIK2vRXoVgOuWid4NBKqw.b['2'][0]++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['21']++;sv._fixIESelect(sv._bb,sv._cb);}else{__cov_cyIK2vRXoVgOuWid4NBKqw.b['2'][1]++;}__cov_cyIK2vRXoVgOuWid4NBKqw.s['22']++;if(ScrollView.SNAP_DURATION){__cov_cyIK2vRXoVgOuWid4NBKqw.b['3'][0]++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['23']++;sv.set(SNAP_DURATION,ScrollView.SNAP_DURATION);}else{__cov_cyIK2vRXoVgOuWid4NBKqw.b['3'][1]++;}__cov_cyIK2vRXoVgOuWid4NBKqw.s['24']++;if(ScrollView.SNAP_EASING){__cov_cyIK2vRXoVgOuWid4NBKqw.b['4'][0]++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['25']++;sv.set(SNAP_EASING,ScrollView.SNAP_EASING);}else{__cov_cyIK2vRXoVgOuWid4NBKqw.b['4'][1]++;}__cov_cyIK2vRXoVgOuWid4NBKqw.s['26']++;if(ScrollView.EASING){__cov_cyIK2vRXoVgOuWid4NBKqw.b['5'][0]++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['27']++;sv.set(EASING,ScrollView.EASING);}else{__cov_cyIK2vRXoVgOuWid4NBKqw.b['5'][1]++;}__cov_cyIK2vRXoVgOuWid4NBKqw.s['28']++;if(ScrollView.FRAME_STEP){__cov_cyIK2vRXoVgOuWid4NBKqw.b['6'][0]++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['29']++;sv.set(FRAME_DURATION,ScrollView.FRAME_STEP);}else{__cov_cyIK2vRXoVgOuWid4NBKqw.b['6'][1]++;}__cov_cyIK2vRXoVgOuWid4NBKqw.s['30']++;if(ScrollView.BOUNCE_RANGE){__cov_cyIK2vRXoVgOuWid4NBKqw.b['7'][0]++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['31']++;sv.set(BOUNCE_RANGE,ScrollView.BOUNCE_RANGE);}else{__cov_cyIK2vRXoVgOuWid4NBKqw.b['7'][1]++;}},_bindAttrs:function(){__cov_cyIK2vRXoVgOuWid4NBKqw.f['6']++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['32']++;var sv=this,scrollChangeHandler=sv._afterScrollChange,dimChangeHandler=sv._afterDimChange;__cov_cyIK2vRXoVgOuWid4NBKqw.s['33']++;sv.after({'scrollEnd':sv._afterScrollEnd,'disabledChange':sv._afterDisabledChange,'flickChange':sv._afterFlickChange,'dragChange':sv._afterDragChange,'axisChange':sv._afterAxisChange,'scrollYChange':scrollChangeHandler,'scrollXChange':scrollChangeHandler,'heightChange':dimChangeHandler,'widthChange':dimChangeHandler});},_bindDrag:function(drag){__cov_cyIK2vRXoVgOuWid4NBKqw.f['7']++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['34']++;var sv=this,bb=sv._bb;__cov_cyIK2vRXoVgOuWid4NBKqw.s['35']++;bb.detach(DRAG+'|*');__cov_cyIK2vRXoVgOuWid4NBKqw.s['36']++;if(drag){__cov_cyIK2vRXoVgOuWid4NBKqw.b['8'][0]++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['37']++;bb.on(DRAG+'|'+GESTURE_MOVE+START,Y.bind(sv._onGestureMoveStart,sv));}else{__cov_cyIK2vRXoVgOuWid4NBKqw.b['8'][1]++;}},_bindFlick:function(flick){__cov_cyIK2vRXoVgOuWid4NBKqw.f['8']++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['38']++;var sv=this,bb=sv._bb;__cov_cyIK2vRXoVgOuWid4NBKqw.s['39']++;bb.detach(FLICK+'|*');__cov_cyIK2vRXoVgOuWid4NBKqw.s['40']++;if(flick){__cov_cyIK2vRXoVgOuWid4NBKqw.b['9'][0]++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['41']++;bb.on(FLICK+'|'+FLICK,Y.bind(sv._flick,sv),flick);__cov_cyIK2vRXoVgOuWid4NBKqw.s['42']++;sv._bindDrag(sv.get(DRAG));}else{__cov_cyIK2vRXoVgOuWid4NBKqw.b['9'][1]++;}},_bindMousewheel:function(mousewheel){__cov_cyIK2vRXoVgOuWid4NBKqw.f['9']++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['43']++;var sv=this,bb=sv._bb;__cov_cyIK2vRXoVgOuWid4NBKqw.s['44']++;bb.detach(MOUSEWHEEL+'|*');__cov_cyIK2vRXoVgOuWid4NBKqw.s['45']++;if(mousewheel){__cov_cyIK2vRXoVgOuWid4NBKqw.b['10'][0]++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['46']++;Y.one(DOCUMENT).on(MOUSEWHEEL,Y.bind(sv._mousewheel,sv));}else{__cov_cyIK2vRXoVgOuWid4NBKqw.b['10'][1]++;}},syncUI:function(){__cov_cyIK2vRXoVgOuWid4NBKqw.f['10']++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['47']++;var sv=this,scrollDims=sv._getScrollDims(),width=scrollDims.offsetWidth,height=scrollDims.offsetHeight,scrollWidth=scrollDims.scrollWidth,scrollHeight=scrollDims.scrollHeight;__cov_cyIK2vRXoVgOuWid4NBKqw.s['48']++;if(sv._cAxis===undefined){__cov_cyIK2vRXoVgOuWid4NBKqw.b['11'][0]++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['49']++;sv._cAxis={x:scrollWidth>width,y:scrollHeight>height};__cov_cyIK2vRXoVgOuWid4NBKqw.s['50']++;sv._set(AXIS,sv._cAxis);}else{__cov_cyIK2vRXoVgOuWid4NBKqw.b['11'][1]++;}__cov_cyIK2vRXoVgOuWid4NBKqw.s['51']++;sv.rtl=sv._cb.getComputedStyle('direction')==='rtl';__cov_cyIK2vRXoVgOuWid4NBKqw.s['52']++;sv._cDisabled=sv.get(DISABLED);__cov_cyIK2vRXoVgOuWid4NBKqw.s['53']++;sv._uiDimensionsChange();__cov_cyIK2vRXoVgOuWid4NBKqw.s['54']++;if(sv._isOutOfBounds()){__cov_cyIK2vRXoVgOuWid4NBKqw.b['12'][0]++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['55']++;sv._snapBack();}else{__cov_cyIK2vRXoVgOuWid4NBKqw.b['12'][1]++;}},_getScrollDims:function(){__cov_cyIK2vRXoVgOuWid4NBKqw.f['11']++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['56']++;var sv=this,cb=sv._cb,bb=sv._bb,TRANS=ScrollView._TRANSITION,origX=sv.get(SCROLL_X),origY=sv.get(SCROLL_Y),origHWTransform,dims;__cov_cyIK2vRXoVgOuWid4NBKqw.s['57']++;if(NATIVE_TRANSITIONS){__cov_cyIK2vRXoVgOuWid4NBKqw.b['13'][0]++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['58']++;cb.setStyle(TRANS.DURATION,ZERO);__cov_cyIK2vRXoVgOuWid4NBKqw.s['59']++;cb.setStyle(TRANS.PROPERTY,EMPTY);}else{__cov_cyIK2vRXoVgOuWid4NBKqw.b['13'][1]++;}__cov_cyIK2vRXoVgOuWid4NBKqw.s['60']++;origHWTransform=sv._forceHWTransforms;__cov_cyIK2vRXoVgOuWid4NBKqw.s['61']++;sv._forceHWTransforms=false;__cov_cyIK2vRXoVgOuWid4NBKqw.s['62']++;sv._moveTo(cb,0,0);__cov_cyIK2vRXoVgOuWid4NBKqw.s['63']++;dims={'offsetWidth':bb.get('offsetWidth'),'offsetHeight':bb.get('offsetHeight'),'scrollWidth':bb.get('scrollWidth'),'scrollHeight':bb.get('scrollHeight')};__cov_cyIK2vRXoVgOuWid4NBKqw.s['64']++;sv._moveTo(cb,-origX,-origY);__cov_cyIK2vRXoVgOuWid4NBKqw.s['65']++;sv._forceHWTransforms=origHWTransform;__cov_cyIK2vRXoVgOuWid4NBKqw.s['66']++;return dims;},_uiDimensionsChange:function(){__cov_cyIK2vRXoVgOuWid4NBKqw.f['12']++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['67']++;var sv=this,bb=sv._bb,scrollDims=sv._getScrollDims(),width=scrollDims.offsetWidth,height=scrollDims.offsetHeight,scrollWidth=scrollDims.scrollWidth,scrollHeight=scrollDims.scrollHeight,rtl=sv.rtl,svAxis=sv._cAxis,minScrollX=rtl?(__cov_cyIK2vRXoVgOuWid4NBKqw.b['14'][0]++,Math.min(0,-(scrollWidth-width))):(__cov_cyIK2vRXoVgOuWid4NBKqw.b['14'][1]++,0),maxScrollX=rtl?(__cov_cyIK2vRXoVgOuWid4NBKqw.b['15'][0]++,0):(__cov_cyIK2vRXoVgOuWid4NBKqw.b['15'][1]++,Math.max(0,scrollWidth-width)),minScrollY=0,maxScrollY=Math.max(0,scrollHeight-height);__cov_cyIK2vRXoVgOuWid4NBKqw.s['68']++;if((__cov_cyIK2vRXoVgOuWid4NBKqw.b['17'][0]++,svAxis)&&(__cov_cyIK2vRXoVgOuWid4NBKqw.b['17'][1]++,svAxis.x)){__cov_cyIK2vRXoVgOuWid4NBKqw.b['16'][0]++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['69']++;bb.addClass(CLASS_NAMES.horizontal);}else{__cov_cyIK2vRXoVgOuWid4NBKqw.b['16'][1]++;}__cov_cyIK2vRXoVgOuWid4NBKqw.s['70']++;if((__cov_cyIK2vRXoVgOuWid4NBKqw.b['19'][0]++,svAxis)&&(__cov_cyIK2vRXoVgOuWid4NBKqw.b['19'][1]++,svAxis.y)){__cov_cyIK2vRXoVgOuWid4NBKqw.b['18'][0]++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['71']++;bb.addClass(CLASS_NAMES.vertical);}else{__cov_cyIK2vRXoVgOuWid4NBKqw.b['18'][1]++;}__cov_cyIK2vRXoVgOuWid4NBKqw.s['72']++;sv._setBounds({minScrollX:minScrollX,maxScrollX:maxScrollX,minScrollY:minScrollY,maxScrollY:maxScrollY});},_setBounds:function(bounds){__cov_cyIK2vRXoVgOuWid4NBKqw.f['13']++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['73']++;var sv=this;__cov_cyIK2vRXoVgOuWid4NBKqw.s['74']++;sv._minScrollX=bounds.minScrollX;__cov_cyIK2vRXoVgOuWid4NBKqw.s['75']++;sv._maxScrollX=bounds.maxScrollX;__cov_cyIK2vRXoVgOuWid4NBKqw.s['76']++;sv._minScrollY=bounds.minScrollY;__cov_cyIK2vRXoVgOuWid4NBKqw.s['77']++;sv._maxScrollY=bounds.maxScrollY;},_getBounds:function(){__cov_cyIK2vRXoVgOuWid4NBKqw.f['14']++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['78']++;var sv=this;__cov_cyIK2vRXoVgOuWid4NBKqw.s['79']++;return{minScrollX:sv._minScrollX,maxScrollX:sv._maxScrollX,minScrollY:sv._minScrollY,maxScrollY:sv._maxScrollY};},scrollTo:function(x,y,duration,easing,node){__cov_cyIK2vRXoVgOuWid4NBKqw.f['15']++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['80']++;if(this._cDisabled){__cov_cyIK2vRXoVgOuWid4NBKqw.b['20'][0]++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['81']++;return;}else{__cov_cyIK2vRXoVgOuWid4NBKqw.b['20'][1]++;}__cov_cyIK2vRXoVgOuWid4NBKqw.s['82']++;var sv=this,cb=sv._cb,TRANS=ScrollView._TRANSITION,callback=Y.bind(sv._onTransEnd,sv),newX=0,newY=0,transition={},transform;__cov_cyIK2vRXoVgOuWid4NBKqw.s['83']++;duration=(__cov_cyIK2vRXoVgOuWid4NBKqw.b['21'][0]++,duration)||(__cov_cyIK2vRXoVgOuWid4NBKqw.b['21'][1]++,0);__cov_cyIK2vRXoVgOuWid4NBKqw.s['84']++;easing=(__cov_cyIK2vRXoVgOuWid4NBKqw.b['22'][0]++,easing)||(__cov_cyIK2vRXoVgOuWid4NBKqw.b['22'][1]++,sv.get(EASING));__cov_cyIK2vRXoVgOuWid4NBKqw.s['85']++;node=(__cov_cyIK2vRXoVgOuWid4NBKqw.b['23'][0]++,node)||(__cov_cyIK2vRXoVgOuWid4NBKqw.b['23'][1]++,cb);__cov_cyIK2vRXoVgOuWid4NBKqw.s['86']++;if(x!==null){__cov_cyIK2vRXoVgOuWid4NBKqw.b['24'][0]++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['87']++;sv.set(SCROLL_X,x,{src:UI});__cov_cyIK2vRXoVgOuWid4NBKqw.s['88']++;newX=-x;}else{__cov_cyIK2vRXoVgOuWid4NBKqw.b['24'][1]++;}__cov_cyIK2vRXoVgOuWid4NBKqw.s['89']++;if(y!==null){__cov_cyIK2vRXoVgOuWid4NBKqw.b['25'][0]++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['90']++;sv.set(SCROLL_Y,y,{src:UI});__cov_cyIK2vRXoVgOuWid4NBKqw.s['91']++;newY=-y;}else{__cov_cyIK2vRXoVgOuWid4NBKqw.b['25'][1]++;}__cov_cyIK2vRXoVgOuWid4NBKqw.s['92']++;transform=sv._transform(newX,newY);__cov_cyIK2vRXoVgOuWid4NBKqw.s['93']++;if(NATIVE_TRANSITIONS){__cov_cyIK2vRXoVgOuWid4NBKqw.b['26'][0]++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['94']++;node.setStyle(TRANS.DURATION,ZERO).setStyle(TRANS.PROPERTY,EMPTY);}else{__cov_cyIK2vRXoVgOuWid4NBKqw.b['26'][1]++;}__cov_cyIK2vRXoVgOuWid4NBKqw.s['95']++;if(duration===0){__cov_cyIK2vRXoVgOuWid4NBKqw.b['27'][0]++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['96']++;if(NATIVE_TRANSITIONS){__cov_cyIK2vRXoVgOuWid4NBKqw.b['28'][0]++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['97']++;node.setStyle('transform',transform);}else{__cov_cyIK2vRXoVgOuWid4NBKqw.b['28'][1]++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['98']++;if(x!==null){__cov_cyIK2vRXoVgOuWid4NBKqw.b['29'][0]++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['99']++;node.setStyle(LEFT,newX+PX);}else{__cov_cyIK2vRXoVgOuWid4NBKqw.b['29'][1]++;}__cov_cyIK2vRXoVgOuWid4NBKqw.s['100']++;if(y!==null){__cov_cyIK2vRXoVgOuWid4NBKqw.b['30'][0]++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['101']++;node.setStyle(TOP,newY+PX);}else{__cov_cyIK2vRXoVgOuWid4NBKqw.b['30'][1]++;}}}else{__cov_cyIK2vRXoVgOuWid4NBKqw.b['27'][1]++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['102']++;transition.easing=easing;__cov_cyIK2vRXoVgOuWid4NBKqw.s['103']++;transition.duration=duration/1000;__cov_cyIK2vRXoVgOuWid4NBKqw.s['104']++;if(NATIVE_TRANSITIONS){__cov_cyIK2vRXoVgOuWid4NBKqw.b['31'][0]++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['105']++;transition.transform=transform;}else{__cov_cyIK2vRXoVgOuWid4NBKqw.b['31'][1]++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['106']++;transition.left=newX+PX;__cov_cyIK2vRXoVgOuWid4NBKqw.s['107']++;transition.top=newY+PX;}__cov_cyIK2vRXoVgOuWid4NBKqw.s['108']++;node.transition(transition,callback);}},_transform:function(x,y){__cov_cyIK2vRXoVgOuWid4NBKqw.f['16']++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['109']++;var prop='translate('+x+'px, '+y+'px)';__cov_cyIK2vRXoVgOuWid4NBKqw.s['110']++;if(this._forceHWTransforms){__cov_cyIK2vRXoVgOuWid4NBKqw.b['32'][0]++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['111']++;prop+=' translateZ(0)';}else{__cov_cyIK2vRXoVgOuWid4NBKqw.b['32'][1]++;}__cov_cyIK2vRXoVgOuWid4NBKqw.s['112']++;return prop;},_moveTo:function(node,x,y){__cov_cyIK2vRXoVgOuWid4NBKqw.f['17']++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['113']++;if(NATIVE_TRANSITIONS){__cov_cyIK2vRXoVgOuWid4NBKqw.b['33'][0]++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['114']++;node.setStyle('transform',this._transform(x,y));}else{__cov_cyIK2vRXoVgOuWid4NBKqw.b['33'][1]++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['115']++;node.setStyle(LEFT,x+PX);__cov_cyIK2vRXoVgOuWid4NBKqw.s['116']++;node.setStyle(TOP,y+PX);}},_onTransEnd:function(){__cov_cyIK2vRXoVgOuWid4NBKqw.f['18']++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['117']++;var sv=this;__cov_cyIK2vRXoVgOuWid4NBKqw.s['118']++;if(sv._isOutOfBounds()){__cov_cyIK2vRXoVgOuWid4NBKqw.b['34'][0]++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['119']++;sv._snapBack();}else{__cov_cyIK2vRXoVgOuWid4NBKqw.b['34'][1]++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['120']++;sv.fire(EV_SCROLL_END);}},_onGestureMoveStart:function(e){__cov_cyIK2vRXoVgOuWid4NBKqw.f['19']++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['121']++;if(this._cDisabled){__cov_cyIK2vRXoVgOuWid4NBKqw.b['35'][0]++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['122']++;return false;}else{__cov_cyIK2vRXoVgOuWid4NBKqw.b['35'][1]++;}__cov_cyIK2vRXoVgOuWid4NBKqw.s['123']++;var sv=this,bb=sv._bb,currentX=sv.get(SCROLL_X),currentY=sv.get(SCROLL_Y),clientX=e.clientX,clientY=e.clientY;__cov_cyIK2vRXoVgOuWid4NBKqw.s['124']++;if(sv._prevent.start){__cov_cyIK2vRXoVgOuWid4NBKqw.b['36'][0]++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['125']++;e.preventDefault();}else{__cov_cyIK2vRXoVgOuWid4NBKqw.b['36'][1]++;}__cov_cyIK2vRXoVgOuWid4NBKqw.s['126']++;if(sv._flickAnim){__cov_cyIK2vRXoVgOuWid4NBKqw.b['37'][0]++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['127']++;sv._cancelFlick();__cov_cyIK2vRXoVgOuWid4NBKqw.s['128']++;sv._onTransEnd();}else{__cov_cyIK2vRXoVgOuWid4NBKqw.b['37'][1]++;}__cov_cyIK2vRXoVgOuWid4NBKqw.s['129']++;sv.lastScrolledAmt=0;__cov_cyIK2vRXoVgOuWid4NBKqw.s['130']++;sv._gesture={axis:null,startX:currentX,startY:currentY,startClientX:clientX,startClientY:clientY,endClientX:null,endClientY:null,deltaX:null,deltaY:null,flick:null,onGestureMove:bb.on(DRAG+'|'+GESTURE_MOVE,Y.bind(sv._onGestureMove,sv)),onGestureMoveEnd:bb.on(DRAG+'|'+GESTURE_MOVE+END,Y.bind(sv._onGestureMoveEnd,sv))};},_onGestureMove:function(e){__cov_cyIK2vRXoVgOuWid4NBKqw.f['20']++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['131']++;var sv=this,gesture=sv._gesture,svAxis=sv._cAxis,svAxisX=svAxis.x,svAxisY=svAxis.y,startX=gesture.startX,startY=gesture.startY,startClientX=gesture.startClientX,startClientY=gesture.startClientY,clientX=e.clientX,clientY=e.clientY;__cov_cyIK2vRXoVgOuWid4NBKqw.s['132']++;if(sv._prevent.move){__cov_cyIK2vRXoVgOuWid4NBKqw.b['38'][0]++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['133']++;e.preventDefault();}else{__cov_cyIK2vRXoVgOuWid4NBKqw.b['38'][1]++;}__cov_cyIK2vRXoVgOuWid4NBKqw.s['134']++;gesture.deltaX=startClientX-clientX;__cov_cyIK2vRXoVgOuWid4NBKqw.s['135']++;gesture.deltaY=startClientY-clientY;__cov_cyIK2vRXoVgOuWid4NBKqw.s['136']++;if(gesture.axis===null){__cov_cyIK2vRXoVgOuWid4NBKqw.b['39'][0]++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['137']++;gesture.axis=Math.abs(gesture.deltaX)>Math.abs(gesture.deltaY)?(__cov_cyIK2vRXoVgOuWid4NBKqw.b['40'][0]++,DIM_X):(__cov_cyIK2vRXoVgOuWid4NBKqw.b['40'][1]++,DIM_Y);}else{__cov_cyIK2vRXoVgOuWid4NBKqw.b['39'][1]++;}__cov_cyIK2vRXoVgOuWid4NBKqw.s['138']++;if((__cov_cyIK2vRXoVgOuWid4NBKqw.b['42'][0]++,gesture.axis===DIM_X)&&(__cov_cyIK2vRXoVgOuWid4NBKqw.b['42'][1]++,svAxisX)){__cov_cyIK2vRXoVgOuWid4NBKqw.b['41'][0]++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['139']++;sv.set(SCROLL_X,startX+gesture.deltaX);}else{__cov_cyIK2vRXoVgOuWid4NBKqw.b['41'][1]++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['140']++;if((__cov_cyIK2vRXoVgOuWid4NBKqw.b['44'][0]++,gesture.axis===DIM_Y)&&(__cov_cyIK2vRXoVgOuWid4NBKqw.b['44'][1]++,svAxisY)){__cov_cyIK2vRXoVgOuWid4NBKqw.b['43'][0]++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['141']++;sv.set(SCROLL_Y,startY+gesture.deltaY);}else{__cov_cyIK2vRXoVgOuWid4NBKqw.b['43'][1]++;}}},_onGestureMoveEnd:function(e){__cov_cyIK2vRXoVgOuWid4NBKqw.f['21']++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['142']++;var sv=this,gesture=sv._gesture,flick=gesture.flick,clientX=e.clientX,clientY=e.clientY,isOOB;__cov_cyIK2vRXoVgOuWid4NBKqw.s['143']++;if(sv._prevent.end){__cov_cyIK2vRXoVgOuWid4NBKqw.b['45'][0]++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['144']++;e.preventDefault();}else{__cov_cyIK2vRXoVgOuWid4NBKqw.b['45'][1]++;}__cov_cyIK2vRXoVgOuWid4NBKqw.s['145']++;gesture.endClientX=clientX;__cov_cyIK2vRXoVgOuWid4NBKqw.s['146']++;gesture.endClientY=clientY;__cov_cyIK2vRXoVgOuWid4NBKqw.s['147']++;gesture.onGestureMove.detach();__cov_cyIK2vRXoVgOuWid4NBKqw.s['148']++;gesture.onGestureMoveEnd.detach();__cov_cyIK2vRXoVgOuWid4NBKqw.s['149']++;if(!flick){__cov_cyIK2vRXoVgOuWid4NBKqw.b['46'][0]++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['150']++;if((__cov_cyIK2vRXoVgOuWid4NBKqw.b['48'][0]++,gesture.deltaX!==null)&&(__cov_cyIK2vRXoVgOuWid4NBKqw.b['48'][1]++,gesture.deltaY!==null)){__cov_cyIK2vRXoVgOuWid4NBKqw.b['47'][0]++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['151']++;isOOB=sv._isOutOfBounds();__cov_cyIK2vRXoVgOuWid4NBKqw.s['152']++;if(isOOB){__cov_cyIK2vRXoVgOuWid4NBKqw.b['49'][0]++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['153']++;sv._snapBack();}else{__cov_cyIK2vRXoVgOuWid4NBKqw.b['49'][1]++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['154']++;if((__cov_cyIK2vRXoVgOuWid4NBKqw.b['51'][0]++,!sv.pages)||(__cov_cyIK2vRXoVgOuWid4NBKqw.b['51'][1]++,sv.pages)&&(__cov_cyIK2vRXoVgOuWid4NBKqw.b['51'][2]++,!sv.pages.get(AXIS)[gesture.axis])){__cov_cyIK2vRXoVgOuWid4NBKqw.b['50'][0]++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['155']++;sv._onTransEnd();}else{__cov_cyIK2vRXoVgOuWid4NBKqw.b['50'][1]++;}}}else{__cov_cyIK2vRXoVgOuWid4NBKqw.b['47'][1]++;}}else{__cov_cyIK2vRXoVgOuWid4NBKqw.b['46'][1]++;}},_flick:function(e){__cov_cyIK2vRXoVgOuWid4NBKqw.f['22']++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['156']++;if(this._cDisabled){__cov_cyIK2vRXoVgOuWid4NBKqw.b['52'][0]++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['157']++;return false;}else{__cov_cyIK2vRXoVgOuWid4NBKqw.b['52'][1]++;}__cov_cyIK2vRXoVgOuWid4NBKqw.s['158']++;var sv=this,svAxis=sv._cAxis,flick=e.flick,flickAxis=flick.axis,flickVelocity=flick.velocity,axisAttr=flickAxis===DIM_X?(__cov_cyIK2vRXoVgOuWid4NBKqw.b['53'][0]++,SCROLL_X):(__cov_cyIK2vRXoVgOuWid4NBKqw.b['53'][1]++,SCROLL_Y),startPosition=sv.get(axisAttr);__cov_cyIK2vRXoVgOuWid4NBKqw.s['159']++;if(sv._gesture){__cov_cyIK2vRXoVgOuWid4NBKqw.b['54'][0]++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['160']++;sv._gesture.flick=flick;}else{__cov_cyIK2vRXoVgOuWid4NBKqw.b['54'][1]++;}__cov_cyIK2vRXoVgOuWid4NBKqw.s['161']++;if(svAxis[flickAxis]){__cov_cyIK2vRXoVgOuWid4NBKqw.b['55'][0]++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['162']++;sv._flickFrame(flickVelocity,flickAxis,startPosition);}else{__cov_cyIK2vRXoVgOuWid4NBKqw.b['55'][1]++;}},_flickFrame:function(velocity,flickAxis,startPosition){__cov_cyIK2vRXoVgOuWid4NBKqw.f['23']++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['163']++;var sv=this,axisAttr=flickAxis===DIM_X?(__cov_cyIK2vRXoVgOuWid4NBKqw.b['56'][0]++,SCROLL_X):(__cov_cyIK2vRXoVgOuWid4NBKqw.b['56'][1]++,SCROLL_Y),bounds=sv._getBounds(),bounce=sv._cBounce,bounceRange=sv._cBounceRange,deceleration=sv._cDeceleration,frameDuration=sv._cFrameDuration,newVelocity=velocity*deceleration,newPosition=startPosition-frameDuration*newVelocity,min=flickAxis===DIM_X?(__cov_cyIK2vRXoVgOuWid4NBKqw.b['57'][0]++,bounds.minScrollX):(__cov_cyIK2vRXoVgOuWid4NBKqw.b['57'][1]++,bounds.minScrollY),max=flickAxis===DIM_X?(__cov_cyIK2vRXoVgOuWid4NBKqw.b['58'][0]++,bounds.maxScrollX):(__cov_cyIK2vRXoVgOuWid4NBKqw.b['58'][1]++,bounds.maxScrollY),belowMin=newPosition<min,belowMax=newPosition<max,aboveMin=newPosition>min,aboveMax=newPosition>max,belowMinRange=newPosition<min-bounceRange,withinMinRange=(__cov_cyIK2vRXoVgOuWid4NBKqw.b['59'][0]++,belowMin)&&(__cov_cyIK2vRXoVgOuWid4NBKqw.b['59'][1]++,newPosition>min-bounceRange),withinMaxRange=(__cov_cyIK2vRXoVgOuWid4NBKqw.b['60'][0]++,aboveMax)&&(__cov_cyIK2vRXoVgOuWid4NBKqw.b['60'][1]++,newPosition<max+bounceRange),aboveMaxRange=newPosition>max+bounceRange,tooSlow;__cov_cyIK2vRXoVgOuWid4NBKqw.s['164']++;if((__cov_cyIK2vRXoVgOuWid4NBKqw.b['62'][0]++,withinMinRange)||(__cov_cyIK2vRXoVgOuWid4NBKqw.b['62'][1]++,withinMaxRange)){__cov_cyIK2vRXoVgOuWid4NBKqw.b['61'][0]++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['165']++;newVelocity*=bounce;}else{__cov_cyIK2vRXoVgOuWid4NBKqw.b['61'][1]++;}__cov_cyIK2vRXoVgOuWid4NBKqw.s['166']++;tooSlow=Math.abs(newVelocity).toFixed(4)<0.015;__cov_cyIK2vRXoVgOuWid4NBKqw.s['167']++;if((__cov_cyIK2vRXoVgOuWid4NBKqw.b['64'][0]++,tooSlow)||(__cov_cyIK2vRXoVgOuWid4NBKqw.b['64'][1]++,belowMinRange)||(__cov_cyIK2vRXoVgOuWid4NBKqw.b['64'][2]++,aboveMaxRange)){__cov_cyIK2vRXoVgOuWid4NBKqw.b['63'][0]++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['168']++;if(sv._flickAnim){__cov_cyIK2vRXoVgOuWid4NBKqw.b['65'][0]++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['169']++;sv._cancelFlick();}else{__cov_cyIK2vRXoVgOuWid4NBKqw.b['65'][1]++;}__cov_cyIK2vRXoVgOuWid4NBKqw.s['170']++;if((__cov_cyIK2vRXoVgOuWid4NBKqw.b['67'][0]++,aboveMin)&&(__cov_cyIK2vRXoVgOuWid4NBKqw.b['67'][1]++,belowMax)){__cov_cyIK2vRXoVgOuWid4NBKqw.b['66'][0]++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['171']++;sv._onTransEnd();}else{__cov_cyIK2vRXoVgOuWid4NBKqw.b['66'][1]++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['172']++;sv._snapBack();}}else{__cov_cyIK2vRXoVgOuWid4NBKqw.b['63'][1]++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['173']++;sv._flickAnim=Y.later(frameDuration,sv,'_flickFrame',[newVelocity,flickAxis,newPosition]);__cov_cyIK2vRXoVgOuWid4NBKqw.s['174']++;sv.set(axisAttr,newPosition);}},_cancelFlick:function(){__cov_cyIK2vRXoVgOuWid4NBKqw.f['24']++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['175']++;var sv=this;__cov_cyIK2vRXoVgOuWid4NBKqw.s['176']++;if(sv._flickAnim){__cov_cyIK2vRXoVgOuWid4NBKqw.b['68'][0]++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['177']++;sv._flickAnim.cancel();__cov_cyIK2vRXoVgOuWid4NBKqw.s['178']++;delete sv._flickAnim;}else{__cov_cyIK2vRXoVgOuWid4NBKqw.b['68'][1]++;}},_mousewheel:function(e){__cov_cyIK2vRXoVgOuWid4NBKqw.f['25']++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['179']++;var sv=this,scrollY=sv.get(SCROLL_Y),bounds=sv._getBounds(),bb=sv._bb,scrollOffset=10,isForward=e.wheelDelta>0,scrollToY=scrollY-(isForward?(__cov_cyIK2vRXoVgOuWid4NBKqw.b['69'][0]++,1):(__cov_cyIK2vRXoVgOuWid4NBKqw.b['69'][1]++,-1))*scrollOffset;__cov_cyIK2vRXoVgOuWid4NBKqw.s['180']++;scrollToY=_constrain(scrollToY,bounds.minScrollY,bounds.maxScrollY);__cov_cyIK2vRXoVgOuWid4NBKqw.s['181']++;if((__cov_cyIK2vRXoVgOuWid4NBKqw.b['71'][0]++,bb.contains(e.target))&&(__cov_cyIK2vRXoVgOuWid4NBKqw.b['71'][1]++,sv._cAxis[DIM_Y])){__cov_cyIK2vRXoVgOuWid4NBKqw.b['70'][0]++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['182']++;sv.lastScrolledAmt=0;__cov_cyIK2vRXoVgOuWid4NBKqw.s['183']++;sv.set(SCROLL_Y,scrollToY);__cov_cyIK2vRXoVgOuWid4NBKqw.s['184']++;if(sv.scrollbars){__cov_cyIK2vRXoVgOuWid4NBKqw.b['72'][0]++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['185']++;sv.scrollbars._update();__cov_cyIK2vRXoVgOuWid4NBKqw.s['186']++;sv.scrollbars.flash();}else{__cov_cyIK2vRXoVgOuWid4NBKqw.b['72'][1]++;}__cov_cyIK2vRXoVgOuWid4NBKqw.s['187']++;sv._onTransEnd();__cov_cyIK2vRXoVgOuWid4NBKqw.s['188']++;e.preventDefault();}else{__cov_cyIK2vRXoVgOuWid4NBKqw.b['70'][1]++;}},_isOutOfBounds:function(x,y){__cov_cyIK2vRXoVgOuWid4NBKqw.f['26']++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['189']++;var sv=this,svAxis=sv._cAxis,svAxisX=svAxis.x,svAxisY=svAxis.y,currentX=(__cov_cyIK2vRXoVgOuWid4NBKqw.b['73'][0]++,x)||(__cov_cyIK2vRXoVgOuWid4NBKqw.b['73'][1]++,sv.get(SCROLL_X)),currentY=(__cov_cyIK2vRXoVgOuWid4NBKqw.b['74'][0]++,y)||(__cov_cyIK2vRXoVgOuWid4NBKqw.b['74'][1]++,sv.get(SCROLL_Y)),bounds=sv._getBounds(),minX=bounds.minScrollX,minY=bounds.minScrollY,maxX=bounds.maxScrollX,maxY=bounds.maxScrollY;__cov_cyIK2vRXoVgOuWid4NBKqw.s['190']++;return(__cov_cyIK2vRXoVgOuWid4NBKqw.b['75'][0]++,svAxisX)&&((__cov_cyIK2vRXoVgOuWid4NBKqw.b['75'][1]++,currentX<minX)||(__cov_cyIK2vRXoVgOuWid4NBKqw.b['75'][2]++,currentX>maxX))||(__cov_cyIK2vRXoVgOuWid4NBKqw.b['75'][3]++,svAxisY)&&((__cov_cyIK2vRXoVgOuWid4NBKqw.b['75'][4]++,currentY<minY)||(__cov_cyIK2vRXoVgOuWid4NBKqw.b['75'][5]++,currentY>maxY));},_snapBack:function(){__cov_cyIK2vRXoVgOuWid4NBKqw.f['27']++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['191']++;var sv=this,currentX=sv.get(SCROLL_X),currentY=sv.get(SCROLL_Y),bounds=sv._getBounds(),minX=bounds.minScrollX,minY=bounds.minScrollY,maxX=bounds.maxScrollX,maxY=bounds.maxScrollY,newY=_constrain(currentY,minY,maxY),newX=_constrain(currentX,minX,maxX),duration=sv.get(SNAP_DURATION),easing=sv.get(SNAP_EASING);__cov_cyIK2vRXoVgOuWid4NBKqw.s['192']++;if(newX!==currentX){__cov_cyIK2vRXoVgOuWid4NBKqw.b['76'][0]++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['193']++;sv.set(SCROLL_X,newX,{duration:duration,easing:easing});}else{__cov_cyIK2vRXoVgOuWid4NBKqw.b['76'][1]++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['194']++;if(newY!==currentY){__cov_cyIK2vRXoVgOuWid4NBKqw.b['77'][0]++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['195']++;sv.set(SCROLL_Y,newY,{duration:duration,easing:easing});}else{__cov_cyIK2vRXoVgOuWid4NBKqw.b['77'][1]++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['196']++;sv._onTransEnd();}}},_afterScrollChange:function(e){__cov_cyIK2vRXoVgOuWid4NBKqw.f['28']++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['197']++;if(e.src===ScrollView.UI_SRC){__cov_cyIK2vRXoVgOuWid4NBKqw.b['78'][0]++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['198']++;return false;}else{__cov_cyIK2vRXoVgOuWid4NBKqw.b['78'][1]++;}__cov_cyIK2vRXoVgOuWid4NBKqw.s['199']++;var sv=this,duration=e.duration,easing=e.easing,val=e.newVal,scrollToArgs=[];__cov_cyIK2vRXoVgOuWid4NBKqw.s['200']++;sv.lastScrolledAmt=sv.lastScrolledAmt+(e.newVal-e.prevVal);__cov_cyIK2vRXoVgOuWid4NBKqw.s['201']++;if(e.attrName===SCROLL_X){__cov_cyIK2vRXoVgOuWid4NBKqw.b['79'][0]++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['202']++;scrollToArgs.push(val);__cov_cyIK2vRXoVgOuWid4NBKqw.s['203']++;scrollToArgs.push(sv.get(SCROLL_Y));}else{__cov_cyIK2vRXoVgOuWid4NBKqw.b['79'][1]++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['204']++;scrollToArgs.push(sv.get(SCROLL_X));__cov_cyIK2vRXoVgOuWid4NBKqw.s['205']++;scrollToArgs.push(val);}__cov_cyIK2vRXoVgOuWid4NBKqw.s['206']++;scrollToArgs.push(duration);__cov_cyIK2vRXoVgOuWid4NBKqw.s['207']++;scrollToArgs.push(easing);__cov_cyIK2vRXoVgOuWid4NBKqw.s['208']++;sv.scrollTo.apply(sv,scrollToArgs);},_afterFlickChange:function(e){__cov_cyIK2vRXoVgOuWid4NBKqw.f['29']++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['209']++;this._bindFlick(e.newVal);},_afterDisabledChange:function(e){__cov_cyIK2vRXoVgOuWid4NBKqw.f['30']++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['210']++;this._cDisabled=e.newVal;},_afterAxisChange:function(e){__cov_cyIK2vRXoVgOuWid4NBKqw.f['31']++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['211']++;this._cAxis=e.newVal;},_afterDragChange:function(e){__cov_cyIK2vRXoVgOuWid4NBKqw.f['32']++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['212']++;this._bindDrag(e.newVal);},_afterDimChange:function(){__cov_cyIK2vRXoVgOuWid4NBKqw.f['33']++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['213']++;this._uiDimensionsChange();},_afterScrollEnd:function(){__cov_cyIK2vRXoVgOuWid4NBKqw.f['34']++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['214']++;var sv=this;__cov_cyIK2vRXoVgOuWid4NBKqw.s['215']++;if(sv._flickAnim){__cov_cyIK2vRXoVgOuWid4NBKqw.b['80'][0]++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['216']++;sv._cancelFlick();}else{__cov_cyIK2vRXoVgOuWid4NBKqw.b['80'][1]++;}},_axisSetter:function(val){__cov_cyIK2vRXoVgOuWid4NBKqw.f['35']++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['217']++;if(Y.Lang.isString(val)){__cov_cyIK2vRXoVgOuWid4NBKqw.b['81'][0]++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['218']++;return{x:val.match(/x/i)?(__cov_cyIK2vRXoVgOuWid4NBKqw.b['82'][0]++,true):(__cov_cyIK2vRXoVgOuWid4NBKqw.b['82'][1]++,false),y:val.match(/y/i)?(__cov_cyIK2vRXoVgOuWid4NBKqw.b['83'][0]++,true):(__cov_cyIK2vRXoVgOuWid4NBKqw.b['83'][1]++,false)};}else{__cov_cyIK2vRXoVgOuWid4NBKqw.b['81'][1]++;}},_setScroll:function(val){__cov_cyIK2vRXoVgOuWid4NBKqw.f['36']++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['219']++;if(this._cDisabled){__cov_cyIK2vRXoVgOuWid4NBKqw.b['84'][0]++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['220']++;val=Y.Attribute.INVALID_VALUE;}else{__cov_cyIK2vRXoVgOuWid4NBKqw.b['84'][1]++;}__cov_cyIK2vRXoVgOuWid4NBKqw.s['221']++;return val;},_setScrollX:function(val){__cov_cyIK2vRXoVgOuWid4NBKqw.f['37']++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['222']++;return this._setScroll(val,DIM_X);},_setScrollY:function(val){__cov_cyIK2vRXoVgOuWid4NBKqw.f['38']++;__cov_cyIK2vRXoVgOuWid4NBKqw.s['223']++;return this._setScroll(val,DIM_Y);}},{NAME:'scrollview',ATTRS:{axis:{setter:'_axisSetter',writeOnce:'initOnly'},scrollX:{value:0,setter:'_setScrollX'},scrollY:{value:0,setter:'_setScrollY'},deceleration:{value:0.93},bounce:{value:0.1},flick:{value:{minDistance:10,minVelocity:0.3}},drag:{value:true},snapDuration:{value:400},snapEasing:{value:'ease-out'},easing:{value:'cubic-bezier(0, 0.1, 0, 1.0)'},frameDuration:{value:15},bounceRange:{value:150}},CLASS_NAMES:CLASS_NAMES,UI_SRC:UI,_TRANSITION:{DURATION:vendorPrefix?(__cov_cyIK2vRXoVgOuWid4NBKqw.b['85'][0]++,vendorPrefix+'TransitionDuration'):(__cov_cyIK2vRXoVgOuWid4NBKqw.b['85'][1]++,'transitionDuration'),PROPERTY:vendorPrefix?(__cov_cyIK2vRXoVgOuWid4NBKqw.b['86'][0]++,vendorPrefix+'TransitionProperty'):(__cov_cyIK2vRXoVgOuWid4NBKqw.b['86'][1]++,'transitionProperty')},BOUNCE_RANGE:false,FRAME_STEP:false,EASING:false,SNAP_EASING:false,SNAP_DURATION:false});},'@VERSION@',{'requires':['widget','event-gestures','event-mousewheel','transition'],'skinnable':true});
pootle/static/js/shared/components/FormElement.js
pavels/pootle
/* * Copyright (C) Pootle contributors. * * This file is a part of the Pootle project. It is distributed under the GPL3 * or later license. See the LICENSE file for a copy of the license and the * AUTHORS file for copyright and authorship information. */ import React from 'react'; import FormCheckedInput from './FormCheckedInput'; import FormValueInput from './FormValueInput'; import FormSelectInput from './FormSelectInput'; const FormElement = React.createClass({ propTypes: { type: React.PropTypes.string, label: React.PropTypes.string.isRequired, name: React.PropTypes.string.isRequired, handleChange: React.PropTypes.func.isRequired, value: React.PropTypes.oneOfType([ React.PropTypes.number, React.PropTypes.string, ]).isRequired, help: React.PropTypes.string, errors: React.PropTypes.array, }, /* Lifecycle */ getDefaultProps() { return { type: 'text', }; }, /* Layout */ render() { const { errors } = this.props; const fieldId = `id_${this.props.name}`; const hint = this.props.help; const InputComponent = { text: FormValueInput, email: FormValueInput, password: FormValueInput, textarea: FormValueInput, checkbox: FormCheckedInput, radio: FormCheckedInput, select: FormSelectInput, }[this.props.type]; return ( <div className="field-wrapper"> <label htmlFor={fieldId}>{this.props.label}</label> <InputComponent id={fieldId} {...this.props} /> {errors && <ul className="errorlist">{errors.map((msg, i) => ( <li key={i}>{msg}</li> ))}</ul>} {hint && <span className="helptext">{hint}</span>} </div> ); }, }); export default FormElement;
app/app/common/components/confirm.js
inquisive/simpledocs
import React from 'react'; import { RaisedButton, FlatButton, Dialog, Styles } from 'material-ui/lib'; import debugging from 'debug'; let debug = debugging('epg:app:common:components:confirm'); let myStyles = { //textColor: Styles.Colors.blue600, //alternateTextColor: Styles.Colors.amber400, //accent1Color: "#FF6040", //accent2Color: "#F5001E", //accent3Color: "#FA905C" } export default class Modal extends React.Component { constructor(props) { super(props); this.handleYes = this.handleYes.bind(this); this.handleNo = this.handleNo.bind(this); } getChildContext() { console.log(this.props) return { muiTheme: this.props.theme }; } handleYes() { if(typeof this.props.answer == 'function') { this.props.answer(true); } } handleNo() { if(typeof this.props.answer == 'function') { this.props.answer(false); } } render() { const actions = [ <FlatButton label={this.props.noText} secondary={true} onTouchTap={this.handleNo} style={{float: 'left', color: Styles.Colors.blueGrey500}} />, <FlatButton label={this.props.yesText} primary={true} onTouchTap={this.handleYes} />, ]; return ( <div> <Dialog title={this.props.title} actions={actions} modal={true} open={this.props.open} className={this.props.class} > <div style={this.props.style.body} dangerouslySetInnerHTML={{__html:this.props.html}} /> </Dialog> </div> ); } } Modal.defaultProps = { yesText: 'Delete', noText: 'Cancel', open: false, html: 'Placeholder Text', title: 'Confirm', style: { body: {} }, class: 'epg__confirm epg__amber' }; Modal.childContextTypes = { muiTheme: React.PropTypes.object };
web/src/js/components/Search/NewsSearchResults.js
gladly-team/tab
import React from 'react' import PropTypes from 'prop-types' import moment from 'moment' import { withStyles } from '@material-ui/core/styles' import Paper from '@material-ui/core/Paper' import Typography from '@material-ui/core/Typography' import { get } from 'lodash/object' import { clipTextToNearestWord, getBingThumbnailURLToFillDimensions, } from 'js/utils/search-utils' // Make "time from" text much shorter: // https://github.com/moment/moment/issues/2781#issuecomment-160739129 moment.updateLocale('en', { relativeTime: { future: 'in %s', past: '%s', s: '%ds', ss: '%ss', m: '%dm', mm: '%dm', h: '%dh', hh: '%dh', d: '%dd', dd: '%dd', M: '%dM', MM: '%dM', y: '%dY', yy: '%dY', }, }) const styles = () => ({ container: { // Same as WebPageSearchResult fontFamily: 'arial, sans-serif', marginBottom: 26, }, topStoriesLabel: { marginBottom: 8, }, newsItem: { margin: '0px 12px 0px 0px', minWidth: 200, height: 254, fontFamily: 'arial, sans-serif', display: 'flex', flexDirection: 'column', overflow: 'hidden', }, newsItemImgAnchor: { textDecoration: 'none', }, newsItemImgContainer: { flex: 1, display: 'flex', justifyContent: 'center', alignItems: 'center', width: '100%', maxHeight: 100, overflow: 'hidden', minHeight: 0, minWidth: 0, }, newsItemTextContainer: { flex: 1, padding: 16, display: 'flex', flexDirection: 'column', }, newsItemTitleAnchor: { textDecoration: 'none', '&:hover': { textDecoration: 'underline', }, }, newsItemTitleText: { fontFamily: 'Roboto, arial, sans-serif', color: '#1a0dab', margin: 0, fontSize: 15, fontWeight: 400, lineHeight: 1.38, minHeight: 0, minWidth: 0, }, newsItemDescriptionContainer: { flex: 1, margin: 0, minHeight: 0, minWidth: 0, }, newsItemDescription: { fontSize: 13, color: '#505050', // Same as WebPageSearchResult description overflowWrap: 'break-word', overflow: 'hidden', }, attributionText: { textOverflow: 'ellipsis', flexShrink: 1, flexGrow: 0, whiteSpace: 'nowrap', overflow: 'hidden', margin: 0, fontSize: 13, color: '#007526', // Same as WebPageSearchResult displayed URL lineHeight: 1.5, minHeight: 0, minWidth: 0, }, timeSincePublishedText: { flexShrink: 0, fontSize: 13, lineHeight: 1.5, color: 'rgba(0, 0, 0, 0.66)', // same color as search menu margin: 0, }, }) export const NewsSearchItem = props => { const { classes, item: { contractualRules, datePublished, description, image, name, provider, url, }, } = props const hasImage = !!get(image, 'thumbnail.contentUrl') // If the title or description are too long, slice them // and add ellipses. const subtitle = clipTextToNearestWord(description, 125) const title = clipTextToNearestWord(name, 80) const timeSincePublished = datePublished && moment(datePublished).isValid() ? moment(datePublished).fromNow() : null return ( <Paper elevation={1} className={classes.newsItem} data-test-id={'search-result-news-container'} > {hasImage ? ( <a href={url} className={classes.newsItemImgAnchor} data-test-id={'search-result-news-img-container'} > <div className={classes.newsItemImgContainer}> <img src={getBingThumbnailURLToFillDimensions( image.thumbnail.contentUrl, { width: 200, height: 100, } )} alt="" /> </div> </a> ) : null} <div className={classes.newsItemTextContainer}> <a href={url} className={classes.newsItemTitleAnchor}> <h3 className={classes.newsItemTitleText} data-test-id={'search-result-news-title'} > {title} </h3> </a> {// Only show the description if there is no image. hasImage ? null : ( <div className={classes.newsItemDescriptionContainer}> <p className={classes.newsItemDescription} data-test-id={'search-result-news-description'} > {subtitle} </p> </div> )} <div style={{ display: 'flex', marginTop: 'auto' }}> {contractualRules ? ( contractualRules.map((contractualRule, index) => { return ( <p data-test-id={'search-result-news-attribution'} key={index} className={classes.attributionText} > {contractualRule.text} </p> ) }) ) : get(provider, '[0].name') ? ( <p data-test-id={'search-result-news-provider'} key={'attribution-text'} className={classes.attributionText} > {get(provider, '[0].name')} </p> ) : null} {timeSincePublished ? ( <p data-test-id={'search-result-news-time-since'} className={classes.timeSincePublishedText} > &nbsp;· {timeSincePublished} </p> ) : null} </div> </div> </Paper> ) } NewsSearchItem.propTypes = { item: PropTypes.shape({ category: PropTypes.string, clusteredArticles: PropTypes.array, contractualRules: PropTypes.arrayOf( PropTypes.shape({ text: PropTypes.string, }) ), datePublished: PropTypes.string, // might not exist description: PropTypes.string, headline: PropTypes.bool, id: PropTypes.string, // might not exist image: PropTypes.shape({ thumbnail: PropTypes.shape({ contentUrl: PropTypes.string, height: PropTypes.number, width: PropTypes.number, }), }), mentions: PropTypes.arrayOf( PropTypes.shape({ name: PropTypes.string, }) ), name: PropTypes.string.isRequired, provider: PropTypes.arrayOf( PropTypes.shape({ _type: PropTypes.string, name: PropTypes.string, image: PropTypes.shape({ thumbnail: PropTypes.shape({ contentUrl: PropTypes.string, }), }), }) ), url: PropTypes.string.isRequired, video: PropTypes.shape({ allowHttpsEmbed: PropTypes.bool, embedHtml: PropTypes.string, motionThumbnailUrl: PropTypes.string, name: PropTypes.string, thumbnail: PropTypes.shape({ height: PropTypes.number, width: PropTypes.number, }), thumbnailUrl: PropTypes.string, }), }).isRequired, } NewsSearchItem.defaultProps = {} const NewsSearchResults = props => { const { classes, newsItems } = props // Only display 3 news items. If we want to display more, // we need horizontal scrolling. const newsItemsToShow = newsItems.slice(0, 3) return ( <div className={classes.container}> <Typography variant={'h6'} className={classes.topStoriesLabel}> Top stories </Typography> <div style={{ display: 'flex', }} > {newsItemsToShow.map(newsItem => ( <NewsSearchItem key={newsItem.url} classes={classes} item={newsItem} /> ))} </div> </div> ) } NewsSearchResults.propTypes = { classes: PropTypes.object.isRequired, newsItems: PropTypes.arrayOf(NewsSearchItem.propTypes.item), } NewsSearchResults.defaultProps = {} export default withStyles(styles)(NewsSearchResults)
src/ImageBlurLoader.spec.js
revolunet/react-imageblurloader
import React from 'react'; import ReactDOM from 'react-dom'; import expect from 'expect'; import { renderIntoDocument } from 'react-addons-test-utils'; import ImageBlurLoader from './ImageBlurLoader'; let previewImage = 'data:image/gif;base64,R0lGODlhAQABAIAAAP///wAAACwAAAAAAQABAAACAkQBADs='; let finalImage = 'data:image/jpeg;base64,/9j/4AAQSkZJRgABAQEASABIAAD/4QCMRXhpZgAATU0AKgAAAAgABQESAAMAAAABAAEAAAEaAAUAAAABAAAASgEbAAUAAAABAAAAUgEoAAMAAAABAAIAAIdpAAQAAAABAAAAWgAAAAAAAABIAAAAAQAAAEgAAAABAAOgAQADAAAAAQABAACgAgAEAAAAAQAAACCgAwAEAAAAAQAAACAAAAAA/+0AOFBob3Rvc2hvcCAzLjAAOEJJTQQEAAAAAAAAOEJJTQQlAAAAAAAQ1B2M2Y8AsgTpgAmY7PhCfv/iDFhJQ0NfUFJPRklMRQABAQAADEhMaW5vAhAAAG1udHJSR0IgWFlaIAfOAAIACQAGADEAAGFjc3BNU0ZUAAAAAElFQyBzUkdCAAAAAAAAAAAAAAAAAAD21gABAAAAANMtSFAgIAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAEWNwcnQAAAFQAAAAM2Rlc2MAAAGEAAAAbHd0cHQAAAHwAAAAFGJrcHQAAAIEAAAAFHJYWVoAAAIYAAAAFGdYWVoAAAIsAAAAFGJYWVoAAAJAAAAAFGRtbmQAAAJUAAAAcGRtZGQAAALEAAAAiHZ1ZWQAAANMAAAAhnZpZXcAAAPUAAAAJGx1bWkAAAP4AAAAFG1lYXMAAAQMAAAAJHRlY2gAAAQwAAAADHJUUkMAAAQ8AAAIDGdUUkMAAAQ8AAAIDGJUUkMAAAQ8AAAIDHRleHQAAAAAQ29weXJpZ2h0IChjKSAxOTk4IEhld2xldHQtUGFja2FyZCBDb21wYW55AABkZXNjAAAAAAAAABJzUkdCIElFQzYxOTY2LTIuMQAAAAAAAAAAAAAAEnNSR0IgSUVDNjE5NjYtMi4xAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAABYWVogAAAAAAAA81EAAQAAAAEWzFhZWiAAAAAAAAAAAAAAAAAAAAAAWFlaIAAAAAAAAG+iAAA49QAAA5BYWVogAAAAAAAAYpkAALeFAAAY2lhZWiAAAAAAAAAkoAAAD4QAALbPZGVzYwAAAAAAAAAWSUVDIGh0dHA6Ly93d3cuaWVjLmNoAAAAAAAAAAAAAAAWSUVDIGh0dHA6Ly93d3cuaWVjLmNoAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAGRlc2MAAAAAAAAALklFQyA2MTk2Ni0yLjEgRGVmYXVsdCBSR0IgY29sb3VyIHNwYWNlIC0gc1JHQgAAAAAAAAAAAAAALklFQyA2MTk2Ni0yLjEgRGVmYXVsdCBSR0IgY29sb3VyIHNwYWNlIC0gc1JHQgAAAAAAAAAAAAAAAAAAAAAAAAAAAABkZXNjAAAAAAAAACxSZWZlcmVuY2UgVmlld2luZyBDb25kaXRpb24gaW4gSUVDNjE5NjYtMi4xAAAAAAAAAAAAAAAsUmVmZXJlbmNlIFZpZXdpbmcgQ29uZGl0aW9uIGluIElFQzYxOTY2LTIuMQAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAdmlldwAAAAAAE6T+ABRfLgAQzxQAA+3MAAQTCwADXJ4AAAABWFlaIAAAAAAATAlWAFAAAABXH+dtZWFzAAAAAAAAAAEAAAAAAAAAAAAAAAAAAAAAAAACjwAAAAJzaWcgAAAAAENSVCBjdXJ2AAAAAAAABAAAAAAFAAoADwAUABkAHgAjACgALQAyADcAOwBAAEUASgBPAFQAWQBeAGMAaABtAHIAdwB8AIEAhgCLAJAAlQCaAJ8ApACpAK4AsgC3ALwAwQDGAMsA0ADVANsA4ADlAOsA8AD2APsBAQEHAQ0BEwEZAR8BJQErATIBOAE+AUUBTAFSAVkBYAFnAW4BdQF8AYMBiwGSAZoBoQGpAbEBuQHBAckB0QHZAeEB6QHyAfoCAwIMAhQCHQImAi8COAJBAksCVAJdAmcCcQJ6AoQCjgKYAqICrAK2AsECywLVAuAC6wL1AwADCwMWAyEDLQM4A0MDTwNaA2YDcgN+A4oDlgOiA64DugPHA9MD4APsA/kEBgQTBCAELQQ7BEgEVQRjBHEEfgSMBJoEqAS2BMQE0wThBPAE/gUNBRwFKwU6BUkFWAVnBXcFhgWWBaYFtQXFBdUF5QX2BgYGFgYnBjcGSAZZBmoGewaMBp0GrwbABtEG4wb1BwcHGQcrBz0HTwdhB3QHhgeZB6wHvwfSB+UH+AgLCB8IMghGCFoIbgiCCJYIqgi+CNII5wj7CRAJJQk6CU8JZAl5CY8JpAm6Cc8J5Qn7ChEKJwo9ClQKagqBCpgKrgrFCtwK8wsLCyILOQtRC2kLgAuYC7ALyAvhC/kMEgwqDEMMXAx1DI4MpwzADNkM8w0NDSYNQA1aDXQNjg2pDcMN3g34DhMOLg5JDmQOfw6bDrYO0g7uDwkPJQ9BD14Peg+WD7MPzw/sEAkQJhBDEGEQfhCbELkQ1xD1ERMRMRFPEW0RjBGqEckR6BIHEiYSRRJkEoQSoxLDEuMTAxMjE0MTYxODE6QTxRPlFAYUJxRJFGoUixStFM4U8BUSFTQVVhV4FZsVvRXgFgMWJhZJFmwWjxayFtYW+hcdF0EXZReJF64X0hf3GBsYQBhlGIoYrxjVGPoZIBlFGWsZkRm3Gd0aBBoqGlEadxqeGsUa7BsUGzsbYxuKG7Ib2hwCHCocUhx7HKMczBz1HR4dRx1wHZkdwx3sHhYeQB5qHpQevh7pHxMfPh9pH5Qfvx/qIBUgQSBsIJggxCDwIRwhSCF1IaEhziH7IiciVSKCIq8i3SMKIzgjZiOUI8Ij8CQfJE0kfCSrJNolCSU4JWgllyXHJfcmJyZXJocmtyboJxgnSSd6J6sn3CgNKD8ocSiiKNQpBik4KWspnSnQKgIqNSpoKpsqzysCKzYraSudK9EsBSw5LG4soizXLQwtQS12Last4S4WLkwugi63Lu4vJC9aL5Evxy/+MDUwbDCkMNsxEjFKMYIxujHyMioyYzKbMtQzDTNGM38zuDPxNCs0ZTSeNNg1EzVNNYc1wjX9Njc2cjauNuk3JDdgN5w31zgUOFA4jDjIOQU5Qjl/Obw5+To2OnQ6sjrvOy07azuqO+g8JzxlPKQ84z0iPWE9oT3gPiA+YD6gPuA/IT9hP6I/4kAjQGRApkDnQSlBakGsQe5CMEJyQrVC90M6Q31DwEQDREdEikTORRJFVUWaRd5GIkZnRqtG8Ec1R3tHwEgFSEtIkUjXSR1JY0mpSfBKN0p9SsRLDEtTS5pL4kwqTHJMuk0CTUpNk03cTiVObk63TwBPSU+TT91QJ1BxULtRBlFQUZtR5lIxUnxSx1MTU19TqlP2VEJUj1TbVShVdVXCVg9WXFapVvdXRFeSV+BYL1h9WMtZGllpWbhaB1pWWqZa9VtFW5Vb5Vw1XIZc1l0nXXhdyV4aXmxevV8PX2Ffs2AFYFdgqmD8YU9homH1YklinGLwY0Njl2PrZEBklGTpZT1lkmXnZj1mkmboZz1nk2fpaD9olmjsaUNpmmnxakhqn2r3a09rp2v/bFdsr20IbWBtuW4SbmtuxG8eb3hv0XArcIZw4HE6cZVx8HJLcqZzAXNdc7h0FHRwdMx1KHWFdeF2Pnabdvh3VnezeBF4bnjMeSp5iXnnekZ6pXsEe2N7wnwhfIF84X1BfaF+AX5ifsJ/I3+Ef+WAR4CogQqBa4HNgjCCkoL0g1eDuoQdhICE44VHhauGDoZyhteHO4efiASIaYjOiTOJmYn+imSKyoswi5aL/IxjjMqNMY2Yjf+OZo7OjzaPnpAGkG6Q1pE/kaiSEZJ6kuOTTZO2lCCUipT0lV+VyZY0lp+XCpd1l+CYTJi4mSSZkJn8mmia1ZtCm6+cHJyJnPedZJ3SnkCerp8dn4uf+qBpoNihR6G2oiailqMGo3aj5qRWpMelOKWpphqmi6b9p26n4KhSqMSpN6mpqhyqj6sCq3Wr6axcrNCtRK24ri2uoa8Wr4uwALB1sOqxYLHWskuywrM4s660JbSctRO1irYBtnm28Ldot+C4WbjRuUq5wro7urW7LrunvCG8m70VvY++Cr6Evv+/er/1wHDA7MFnwePCX8Lbw1jD1MRRxM7FS8XIxkbGw8dBx7/IPci8yTrJuco4yrfLNsu2zDXMtc01zbXONs62zzfPuNA50LrRPNG+0j/SwdNE08bUSdTL1U7V0dZV1tjXXNfg2GTY6Nls2fHadtr724DcBdyK3RDdlt4c3qLfKd+v4DbgveFE4cziU+Lb42Pj6+Rz5PzlhOYN5pbnH+ep6DLovOlG6dDqW+rl63Dr++yG7RHtnO4o7rTvQO/M8Fjw5fFy8f/yjPMZ86f0NPTC9VD13vZt9vv3ivgZ+Kj5OPnH+lf65/t3/Af8mP0p/br+S/7c/23////AABEIACAAIAMBIgACEQEDEQH/xAAfAAABBQEBAQEBAQAAAAAAAAAAAQIDBAUGBwgJCgv/xAC1EAACAQMDAgQDBQUEBAAAAX0BAgMABBEFEiExQQYTUWEHInEUMoGRoQgjQrHBFVLR8CQzYnKCCQoWFxgZGiUmJygpKjQ1Njc4OTpDREVGR0hJSlNUVVZXWFlaY2RlZmdoaWpzdHV2d3h5eoOEhYaHiImKkpOUlZaXmJmaoqOkpaanqKmqsrO0tba3uLm6wsPExcbHyMnK0tPU1dbX2Nna4eLj5OXm5+jp6vHy8/T19vf4+fr/xAAfAQADAQEBAQEBAQEBAAAAAAAAAQIDBAUGBwgJCgv/xAC1EQACAQIEBAMEBwUEBAABAncAAQIDEQQFITEGEkFRB2FxEyIygQgUQpGhscEJIzNS8BVictEKFiQ04SXxFxgZGiYnKCkqNTY3ODk6Q0RFRkdISUpTVFVWV1hZWmNkZWZnaGlqc3R1dnd4eXqCg4SFhoeIiYqSk5SVlpeYmZqio6Slpqeoqaqys7S1tre4ubrCw8TFxsfIycrS09TV1tfY2dri4+Tl5ufo6ery8/T19vf4+fr/2wBDAAkJCQkJCQ8JCQ8VDw8PFR0VFRUVHSQdHR0dHSQsJCQkJCQkLCwsLCwsLCw1NTU1NTU9PT09PUVFRUVFRUVFRUX/2wBDAQsLCxIQEh4QEB5IMSgxSEhISEhISEhISEhISEhISEhISEhISEhISEhISEhISEhISEhISEhISEhISEhISEhISEj/3QAEAAL/2gAMAwEAAhEDEQA/AOi13X9Z0nxGIIG3wuFKxMBtPBzzjIPB55+lbMWtJNfw38TsYHiKSxd0dT0I9ee3pWzq2l2l40d1MPnhyAfZhgiuftJ7O6hjns+Ymyo4xgqSpH5isGpXep1+0g4rTUv6fqMtlYPNqDGSaSVvLTqSGY7R7cdap6B4h1LWdXuLaWNIoIFyQMk5JwMk/T0rRl1DTra7tNKuT++vN3lLgkHYMnJ7Vr2NhBaeZJEoDTNucjv6U0pXXYlzhaWmrP/Q9a1KQpjOdoBb8R2rEU6bpRitU2RRjJC9sscn9TmutkjSVdrjINcfrdnFFNFcSxiTaRjIrOS6msOV6SNtodNuJob4okkkORHIRyu4c7T2yKuWdytzGzKDhWK/lWZarcXoUsPLjH+eK3UjSNQiDAFUkS7Wsf/Z'; describe('ImageBlurLoader', () => { let output, onLoadCalls; let loader = (<ImageBlurLoader preview={ previewImage } src='http://wrong/image' width={ 10 } height={ 10 } blur={ 42 } onLoad={ () => onLoadCalls++ } />); beforeEach(function() { onLoadCalls = 0; output = renderIntoDocument(loader); }); it('should display blurred preview image initially', () => { let preview = ReactDOM.findDOMNode(output).querySelectorAll('div')[0]; let image = ReactDOM.findDOMNode(output).querySelectorAll('img')[0]; let preview1 = ReactDOM.findDOMNode(output).querySelectorAll('img')[1]; let preview2 = ReactDOM.findDOMNode(output).querySelectorAll('img')[2]; expect(image.src).toEqual('http://wrong/image'); expect(preview1.src).toEqual(previewImage); expect(preview2.src).toEqual(previewImage); expect(preview2.style.webkitFilter).toEqual('blur(42px)'); expect(preview.style.opacity).toEqual(''); }); it('should change preview opacity to 0 on img.onLoad', (done) => { let final = ReactDOM.findDOMNode(output).querySelectorAll('img')[0]; let preview = ReactDOM.findDOMNode(output).querySelectorAll('div')[0]; expect(preview.style.opacity).toEqual(''); final.src = finalImage; setTimeout(function() { expect(preview.style.opacity).toEqual(0); done(); }, 10); }); it('should call props.onLoad on img.onLoad', (done) => { expect(onLoadCalls).toEqual(0); let final = ReactDOM.findDOMNode(output).querySelectorAll('img')[0]; final.src = finalImage; setTimeout(function() { expect(onLoadCalls).toEqual(1); done(); }, 10); }); it('should restore blur on src change', (done) => { let final = ReactDOM.findDOMNode(output).querySelectorAll('img')[0]; let preview = ReactDOM.findDOMNode(output).querySelectorAll('div')[0]; expect(preview.style.opacity).toEqual(''); final.src = finalImage; setTimeout(function() { expect(preview.style.opacity).toEqual(0); expect(onLoadCalls).toEqual(1); // force componentWillUpdate final.src = previewImage; output.forceUpdate(); expect(preview.style.opacity).toEqual(1); setTimeout(function() { expect(preview.style.opacity).toEqual(0); expect(onLoadCalls).toEqual(2); done(); }, 10); }, 10); }); });
src/routes/search/Search.js
LevelPlayingField/levelplayingfield
/* @flow */ import React from 'react'; import PropTypes from 'prop-types'; import Helmet from 'react-helmet'; import FontAwesomeIcon from '@fortawesome/react-fontawesome'; import { faSearch, faSpinner, faChevronUp, faChevronDown } from '@fortawesome/fontawesome-free-solid'; import cx from 'classnames'; import qs from 'query-string'; import Layout from '../../components/Layout'; import Link from '../../components/Link'; import { Col, Container, Row } from '../../components/Grid'; import s from './Search.scss'; import SearchResult from './SearchResult'; import type { Result } from './Types'; const typeRegex = /\bis:(case|party)\b\s?/; type Props = { query: string, results: Array<Result>, loading: bool, sortBy: string, sortDir: 'ASC' | 'DESC', urlArgs: { [key: string]: string }, page: number, perPage: number, pages: number, updateQuery: (query: string) => void, } type SortableProps = { sortKey: string, urlArgs: { [key: string]: string }, children?: any, }; const Sortable = ({ sortKey, urlArgs: { sortBy = '', sortDir = '', ...urlArgs }, children, ...props }: SortableProps) => { const url = `/search?${qs.stringify({ ...urlArgs, sortBy: sortKey, sortDir: sortBy === sortKey && sortDir === 'DESC' ? 'ASC' : 'DESC', })}`; return ( <Link to={url} {...props} className={s.Sortable}> {children} {sortBy === sortKey ? (<FontAwesomeIcon icon={sortDir === 'DESC' ? faChevronDown : faChevronUp} size='1x'/>) : null} </Link> ); }; class Search extends React.Component { props: Props; state: { USE_CASEPARTY_SELECT: bool }; input: HTMLInputElement; static contextTypes = { history: PropTypes.any.isRequired, }; constructor(props: Props) { super(props); this.state = { USE_CASEPARTY_SELECT: false, }; } componentDidMount() { if (!this.props.query) { this.input.focus(); } } setUrl(type: string) { const { history } = this.context; const query = qs.stringify({ q: `is:${type} ${this.input.value}`, sortBy: this.props.sortBy, sortDir: this.props.sortDir, }); history.push(`/search?${query}`, { search_query: this.input.value, }); } renderThead(type: string) { const { urlArgs } = this.props; if (type === 'case') { return ( <thead> <tr> <th className={s.cell1} style={{ width: '10%' }}> <Sortable sortKey="case_number" urlArgs={urlArgs}>Case</Sortable> </th> <th className={s.cell2}>Plaintiff</th> <th className={s.cell3}>Defendant</th> <th className={s.cell4}/> <th className={s.cell5} style={{ width: '9%' }}> <Sortable sortKey="type_of_disposition" urlArgs={urlArgs}>Disposition</Sortable> </th> <th className={s.cell6} style={{ width: '7%' }}> <Sortable sortKey="filing_date" urlArgs={urlArgs}>Filed</Sortable> </th> </tr> <tr> <th className={s.cell1}> <Sortable sortKey="dispute_type" urlArgs={urlArgs}>Dispute Type</Sortable> </th> <th className={s.cell2}>Plaintiff Counsel</th> <th className={s.cell3}>Defendant Counsel</th> <th className={s.cell4}>Arbitrator</th> <th className={s.cell5}> <Sortable sortKey="prevailing_party" urlArgs={urlArgs}>Awardee</Sortable> </th> <th className={s.cell6}> <Sortable sortKey="close_date" urlArgs={urlArgs}>Closed</Sortable> </th> </tr> </thead> ); } return ( <thead> <tr> <th className={s.cell1} style={{ width: '15%' }}>Type</th> <th className={s.cell2} style={{ width: '35%' }}> <Sortable sortKey="name" urlArgs={urlArgs}>Name</Sortable> </th> <th className={s.cell3} style={{ width: '40%' }}>Firm/Attorneys</th> <th className={s.cell4} style={{ width: '10%' }}> <Sortable sortKey="case_count" urlArgs={urlArgs}>Case Count</Sortable> </th> </tr> </thead> ); } render() { const { query, page, perPage, sortBy, sortDir, pages, results, loading } = this.props; const reMatch = query.match(typeRegex); const type = reMatch == null ? 'case' : reMatch[1]; const parsedQuery = query.replace(typeRegex, ''); const setSearch = (searchType: string) => { this.props.updateQuery(`is:${searchType} ${parsedQuery}`); this.setUrl(searchType); }; return ( <Layout> <Helmet title="Search - Level Playing Field" style={[{ type: 'text/css', cssText: s._getCss() }]} /> <Container> <Row centerMd centerLg> <Col sm={12} md={8} lg={6} className={s.centerText}> {this.state.USE_CASEPARTY_SELECT ? ( <select value={type} className={s.selectField} onChange={e => { this.props.updateQuery( `is:${e.target.value} ${parsedQuery}`); this.setUrl(e.target.value); }} > <option value="case">Cases</option> <option value="party">Parties</option> </select> ) : ( <span> <button className={cx(s.toggleButton, type === 'case' && s.toggleButtonActive)} onClick={() => setSearch('case')} > Case </button> <button className={cx(s.toggleButton, type === 'party' && s.toggleButtonActive)} onClick={() => setSearch('party')} > Party </button> </span> )} <input className={s.searchField} onChange={e => this.props.updateQuery( `is:${type} ${e.target.value}`)} onBlur={() => this.setUrl(type)} onKeyDown={(e: KeyboardEvent) => e.keyCode === 13 && this.setUrl(type)} value={parsedQuery} ref={input => { this.input = input; }} /> <FontAwesomeIcon icon={faSearch} size='lg'/> </Col> </Row> <Row> <Col> <table className={s.table}> {this.renderThead(type)} {loading && ( <tbody className={s.tbodyLoading}> <tr> <td colSpan="6"> Loading... </td> </tr> <tr> <td colSpan="6"> <FontAwesomeIcon icon={faSpinner} size='3x' pulse/> </td> </tr> </tbody> )} {results && results.map((result: Result) => <SearchResult result={result} key={`result_${result.type}_${result.id}`} />, )} </table> </Col> </Row> <Row> <Col> <ul className={s.pagination}> {/* Page 1, if gt page 1 */} <li> {page > 1 ? ( <Link to={`/search?${qs.stringify({ q: query, page: page - 1, sortBy, sortDir, })}`} > Last {perPage} </Link> ) : ( <span>Last {perPage}</span> )} </li> <li><span>Page {page} of {pages}</span></li> <li> {page < pages ? ( <Link to={`/search?${qs.stringify({ q: query, page: page + 1, sortBy, sortDir, })}`} > Next {perPage} </Link> ) : ( <span>Next {perPage}</span> )} </li> </ul> </Col> </Row> </Container> </Layout> ); } } export default Search;
src/svg-icons/image/looks-one.js
skarnecki/material-ui
import React from 'react'; import pure from 'recompose/pure'; import SvgIcon from '../../SvgIcon'; let ImageLooksOne = (props) => ( <SvgIcon {...props}> <path d="M19 3H5c-1.1 0-2 .9-2 2v14c0 1.1.9 2 2 2h14c1.1 0 2-.9 2-2V5c0-1.1-.9-2-2-2zm-5 14h-2V9h-2V7h4v10z"/> </SvgIcon> ); ImageLooksOne = pure(ImageLooksOne); ImageLooksOne.displayName = 'ImageLooksOne'; export default ImageLooksOne;
packages/material-ui-icons/src/Movie.js
cherniavskii/material-ui
import React from 'react'; import createSvgIcon from './utils/createSvgIcon'; export default createSvgIcon( <g><path d="M18 4l2 4h-3l-2-4h-2l2 4h-3l-2-4H8l2 4H7L5 4H4c-1.1 0-1.99.9-1.99 2L2 18c0 1.1.9 2 2 2h16c1.1 0 2-.9 2-2V4h-4z" /></g> , 'Movie');
stories/DropdownLayout/ExampleManyOptions.js
nirhart/wix-style-react
import React from 'react'; import DropdownLayout from 'wix-style-react/DropdownLayout'; const style = { display: 'inline-block', padding: '0 5px', width: '140px', lineHeight: '22px' }; const nodeStyle = { background: 'azure', paddingLeft: '25px', }; const options = [ {id: 0, value: 'Option 1'}, {id: 1, value: 'Option 2'}, {id: 2, value: 'Option 3'}, {id: 3, value: 'Option 4'}, {id: 4, value: 'Option 5'}, {id: 5, value: 'Option 6'}, {id: 6, value: 'Option 7'}, {id: 7, value: 'Option 8'}, {id: 8, value: 'Option 9'}, {id: 9, value: 'Option 10'}, {id: 10, value: 'Option 11'}, {id: 11, value: 'Option 12'}, {id: 12, value: 'Option 13'}, {id: 13, value: 'Option 14'}, {id: 14, value: 'Option 15'}, {id: 15, value: 'Option 16'}, {id: 16, value: 'Option 17'}, {id: 17, value: 'Option 18'}, {id: 18, value: 'Option 19'}, {id: 19, value: 'Option 20'}, {id: 20, value: 'Option 21'}, {id: 21, value: 'Option 22'}, {id: 22, value: 'Option 23'}, {id: 23, value: 'Option 24'}, {id: 24, value: 'Option 25'}, {id: 25, value: 'Option 26'}, {id: 26, value: 'Option 27'}, {id: 27, value: 'Option 28'}, {id: 28, value: 'Option 29'}, {id: 29, value: 'Option 30'}, ]; export default () => <div> <div className="ltr" style={style}> 30 options<br/> <DropdownLayout visible options={options} fixedFooter={<div style={nodeStyle}>I am a footer</div>} /> </div> </div>;
src/svg-icons/notification/drive-eta.js
rscnt/material-ui
import React from 'react'; import pure from 'recompose/pure'; import SvgIcon from '../../SvgIcon'; let NotificationDriveEta = (props) => ( <SvgIcon {...props}> <path d="M18.92 5.01C18.72 4.42 18.16 4 17.5 4h-11c-.66 0-1.21.42-1.42 1.01L3 11v8c0 .55.45 1 1 1h1c.55 0 1-.45 1-1v-1h12v1c0 .55.45 1 1 1h1c.55 0 1-.45 1-1v-8l-2.08-5.99zM6.5 15c-.83 0-1.5-.67-1.5-1.5S5.67 12 6.5 12s1.5.67 1.5 1.5S7.33 15 6.5 15zm11 0c-.83 0-1.5-.67-1.5-1.5s.67-1.5 1.5-1.5 1.5.67 1.5 1.5-.67 1.5-1.5 1.5zM5 10l1.5-4.5h11L19 10H5z"/> </SvgIcon> ); NotificationDriveEta = pure(NotificationDriveEta); NotificationDriveEta.displayName = 'NotificationDriveEta'; export default NotificationDriveEta;
local-cli/generate-android.js
pvinis/react-native-desktop
/** * Copyright (c) 2015-present, Facebook, Inc. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. */ 'use strict'; var fs = require('fs'); var path = require('path'); var yeoman = require('yeoman-environment'); /** * Simple utility for running the android yeoman generator. * * @param {String} projectDir root project directory (i.e. contains index.js) * @param {String} name name of the root JS module for this app */ module.exports = function(projectDir, name) { var oldCwd = process.cwd(); process.chdir(projectDir); var env = yeoman.createEnv(); var generatorPath = path.join(__dirname, 'generator'); env.register(generatorPath, 'react:app'); var args = ['react:app', name].concat(process.argv.slice(4)); env.run(args, {'skip-ios': true}, function() { process.chdir(oldCwd); }); };
app/components/List/index.js
akash6190/apollo-starter
import React from 'react'; import Ul from './Ul'; import Wrapper from './Wrapper'; function List(props) { const ComponentToRender = props.component; let content = (<div></div>); // If we have items, render them if (props.items) { content = props.items.map((item) => ( <ComponentToRender key={`item-${item.id}`} item={item} /> )); } else { // Otherwise render a single component content = (<ComponentToRender />); } return ( <Wrapper> <Ul> {content} </Ul> </Wrapper> ); } List.propTypes = { component: React.PropTypes.func.isRequired, items: React.PropTypes.array, }; export default List;
react-ui/src/components/List.js
the-oem/happy-hour-power
import React, { Component } from 'react'; import Location from './Location'; import '../styles/List.css'; export class List extends Component { render() { const displayLocation = this.props.locations.map(location => ( <Location key={location.id} {...location} /> )); return <div>{displayLocation}</div>; } }
src/components/footer.js
techyrajeev/Flight-Search-Engine
import React from 'react'; const Footer = () => ( <footer> Flight Search Engine </footer> ); export default Footer;
app/javascript/mastodon/containers/account_container.js
amazedkoumei/mastodon
import React from 'react'; import { connect } from 'react-redux'; import { defineMessages, injectIntl, FormattedMessage } from 'react-intl'; import { makeGetAccount } from '../selectors'; import Account from '../components/account'; import { followAccount, unfollowAccount, blockAccount, unblockAccount, muteAccount, unmuteAccount, } from '../actions/accounts'; import { openModal } from '../actions/modal'; import { initMuteModal } from '../actions/mutes'; import { unfollowModal } from '../initial_state'; const messages = defineMessages({ unfollowConfirm: { id: 'confirmations.unfollow.confirm', defaultMessage: 'Unfollow' }, }); const makeMapStateToProps = () => { const getAccount = makeGetAccount(); const mapStateToProps = (state, props) => ({ account: getAccount(state, props.id), }); return mapStateToProps; }; const mapDispatchToProps = (dispatch, { intl }) => ({ onFollow (account) { if (account.getIn(['relationship', 'following']) || account.getIn(['relationship', 'requested'])) { if (unfollowModal) { dispatch(openModal('CONFIRM', { message: <FormattedMessage id='confirmations.unfollow.message' defaultMessage='Are you sure you want to unfollow {name}?' values={{ name: <strong>@{account.get('acct')}</strong> }} />, confirm: intl.formatMessage(messages.unfollowConfirm), onConfirm: () => dispatch(unfollowAccount(account.get('id'))), })); } else { dispatch(unfollowAccount(account.get('id'))); } } else { dispatch(followAccount(account.get('id'))); } }, onBlock (account) { if (account.getIn(['relationship', 'blocking'])) { dispatch(unblockAccount(account.get('id'))); } else { dispatch(blockAccount(account.get('id'))); } }, onMute (account) { if (account.getIn(['relationship', 'muting'])) { dispatch(unmuteAccount(account.get('id'))); } else { dispatch(initMuteModal(account)); } }, onMuteNotifications (account, notifications) { dispatch(muteAccount(account.get('id'), notifications)); }, }); export default injectIntl(connect(makeMapStateToProps, mapDispatchToProps)(Account));
server/sonar-web/src/main/js/components/ui/Rating.js
Builders-SonarSource/sonarqube-bis
/* * SonarQube * Copyright (C) 2009-2016 SonarSource SA * mailto:contact AT sonarsource DOT com * * This program is free software; you can redistribute it and/or * modify it under the terms of the GNU Lesser General Public * License as published by the Free Software Foundation; either * version 3 of the License, or (at your option) any later version. * * This program is distributed in the hope that it will be useful, * but WITHOUT ANY WARRANTY; without even the implied warranty of * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU * Lesser General Public License for more details. * * You should have received a copy of the GNU Lesser General Public License * along with this program; if not, write to the Free Software Foundation, * Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA. */ import React from 'react'; import classNames from 'classnames'; import { formatMeasure } from '../../helpers/measures'; import './Rating.css'; export default class Rating extends React.Component { static propTypes = { value: (props, propName, componentName) => { // allow both numbers and strings const numberValue = Number(props[propName]); if (numberValue < 1 || numberValue > 5) { throw new Error( `Invalid prop "${propName}" passed to "${componentName}".`); } }, small: React.PropTypes.bool, muted: React.PropTypes.bool }; static defaultProps = { small: false, muted: false }; render () { const formatted = formatMeasure(this.props.value, 'RATING'); const className = classNames('rating', 'rating-' + formatted, { 'rating-small': this.props.small, 'rating-muted': this.props.muted }); return <span className={className}>{formatted}</span>; } }
node_modules/react-navigation/lib/createNavigationContainer.js
jiangqizheng/ReactNative-BookProject
'use strict'; Object.defineProperty(exports, "__esModule", { value: true }); var _extends = Object.assign || function (target) { for (var i = 1; i < arguments.length; i++) { var source = arguments[i]; for (var key in source) { if (Object.prototype.hasOwnProperty.call(source, key)) { target[key] = source[key]; } } } return target; }; var _createClass = function () { function defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }(); exports.default = createNavigationContainer; var _react = require('react'); var _react2 = _interopRequireDefault(_react); var _invariant = require('./utils/invariant'); var _invariant2 = _interopRequireDefault(_invariant); var _PlatformHelpers = require('./PlatformHelpers'); var _NavigationActions = require('./NavigationActions'); var _NavigationActions2 = _interopRequireDefault(_NavigationActions); var _addNavigationHelpers = require('./addNavigationHelpers'); var _addNavigationHelpers2 = _interopRequireDefault(_addNavigationHelpers); function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } function _objectWithoutProperties(obj, keys) { var target = {}; for (var i in obj) { if (keys.indexOf(i) >= 0) continue; if (!Object.prototype.hasOwnProperty.call(obj, i)) continue; target[i] = obj[i]; } return target; } function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } function _possibleConstructorReturn(self, call) { if (!self) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return call && (typeof call === "object" || typeof call === "function") ? call : self; } function _inherits(subClass, superClass) { if (typeof superClass !== "function" && superClass !== null) { throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; } /** * Create an HOC that injects the navigation and manages the navigation state * in case it's not passed from above. * This allows to use e.g. the StackNavigator and TabNavigator as root-level * components. */ function createNavigationContainer(Component) { var NavigationContainer = function (_React$Component) { _inherits(NavigationContainer, _React$Component); function NavigationContainer(props) { _classCallCheck(this, NavigationContainer); var _this = _possibleConstructorReturn(this, (NavigationContainer.__proto__ || Object.getPrototypeOf(NavigationContainer)).call(this, props)); _this.subs = null; _this._handleOpenURL = function (_ref) { var url = _ref.url; var parsedUrl = _this._urlToPathAndParams(url); if (parsedUrl) { var path = parsedUrl.path, params = parsedUrl.params; var action = Component.router.getActionForPathAndParams(path, params); if (action) { _this.dispatch(action); } } }; _this.dispatch = function (action) { var state = _this.state; if (!_this._isStateful()) { return false; } var nav = Component.router.getStateForAction(action, state.nav); if (nav && nav !== state.nav) { _this.setState({ nav: nav }, function () { return _this._onNavigationStateChange(state.nav, nav, action); }); return true; } return false; }; _this._validateProps(props); _this.state = { nav: _this._isStateful() ? Component.router.getStateForAction(_NavigationActions2.default.init()) : null }; return _this; } _createClass(NavigationContainer, [{ key: '_isStateful', value: function _isStateful() { return !this.props.navigation; } }, { key: '_validateProps', value: function _validateProps(props) { if (this._isStateful()) { return; } var navigation = props.navigation, screenProps = props.screenProps, containerProps = _objectWithoutProperties(props, ['navigation', 'screenProps']); var keys = Object.keys(containerProps); (0, _invariant2.default)(keys.length === 0, 'This navigator has both navigation and container props, so it is ' + ('unclear if it should own its own state. Remove props: "' + keys.join(', ') + '" ') + 'if the navigator should get its state from the navigation prop. If the ' + 'navigator should maintain its own state, do not pass a navigation prop.'); } }, { key: '_urlToPathAndParams', value: function _urlToPathAndParams(url) { var params = {}; var delimiter = this.props.uriPrefix || '://'; var path = url.split(delimiter)[1]; if (typeof path === 'undefined') { path = url; } return { path: path, params: params }; } }, { key: '_onNavigationStateChange', value: function _onNavigationStateChange(prevNav, nav, action) { if (typeof this.props.onNavigationStateChange === 'undefined' && this._isStateful() && !!process.env.REACT_NAV_LOGGING) { /* eslint-disable no-console */ if (console.group) { console.group('Navigation Dispatch: '); console.log('Action: ', action); console.log('New State: ', nav); console.log('Last State: ', prevNav); console.groupEnd(); } else { console.log('Navigation Dispatch: ', { action: action, newState: nav, lastState: prevNav }); } /* eslint-enable no-console */ return; } if (typeof this.props.onNavigationStateChange === 'function') { this.props.onNavigationStateChange(prevNav, nav, action); } } }, { key: 'componentWillReceiveProps', value: function componentWillReceiveProps(nextProps) { this._validateProps(nextProps); } }, { key: 'componentDidMount', value: function componentDidMount() { var _this2 = this; if (!this._isStateful()) { return; } this.subs = _PlatformHelpers.BackHandler.addEventListener('hardwareBackPress', function () { return _this2.dispatch(_NavigationActions2.default.back()); }); _PlatformHelpers.Linking.addEventListener('url', this._handleOpenURL); _PlatformHelpers.Linking.getInitialURL().then(function (url) { return url && _this2._handleOpenURL({ url: url }); }); } }, { key: 'componentWillUnmount', value: function componentWillUnmount() { _PlatformHelpers.Linking.removeEventListener('url', this._handleOpenURL); this.subs && this.subs.remove(); } }, { key: 'render', value: function render() { var navigation = this.props.navigation; if (this._isStateful()) { if (!this._navigation || this._navigation.state !== this.state.nav) { this._navigation = (0, _addNavigationHelpers2.default)({ dispatch: this.dispatch, state: this.state.nav }); } navigation = this._navigation; } return _react2.default.createElement(Component, _extends({}, this.props, { navigation: navigation })); } }]); return NavigationContainer; }(_react2.default.Component); NavigationContainer.router = Component.router; return NavigationContainer; }
__tests__/index.ios.js
Abrax20/snap-react
import 'react-native'; import React from 'react'; import Index from '../index.ios.js'; // Note: test renderer must be required after react-native. import renderer from 'react-test-renderer'; it('renders correctly', () => { const tree = renderer.create( <Index /> ); });
definitions/npm/styled-components_v2.x.x/flow_v0.53.x-v0.74.x/test_styled-components_native_v2.x.x.js
flowtype/flow-typed
// @flow import nativeStyled, { ThemeProvider as NativeThemeProvider, withTheme as nativeWithTheme, keyframes as nativeKeyframes, } from 'styled-components/native' import React from 'react' import type { Theme as NativeTheme, Interpolation as NativeInterpolation, ReactComponentFunctional as NativeReactComponentFunctional, ReactComponentFunctionalUndefinedDefaultProps as NativeReactComponentFunctionalUndefinedDefaultProps, ReactComponentClass as NativeReactComponentClass, ReactComponentStyled as NativeReactComponentStyled, ReactComponentStyledTaggedTemplateLiteral as NativeReactComponentStyledTaggedTemplateLiteral, ReactComponentUnion as NativeReactComponentUnion, ReactComponentIntersection as NativeReactComponentIntersection, } from 'styled-components' const NativeTitleTaggedTemplateLiteral: NativeReactComponentStyledTaggedTemplateLiteral<*> = nativeStyled.Text; const NativeTitleStyled: NativeReactComponentStyled<*> = nativeStyled.Text` font-size: 1.5em; `; const NativeTitleGeneric: NativeReactComponentIntersection<*> = nativeStyled.Text` font-size: 1.5em; `; const NativeTitleFunctional: NativeReactComponentFunctional<*> = nativeStyled.Text` font-size: 1.5em; `; const NativeTitleClass: NativeReactComponentClass<*> = nativeStyled.Text` font-size: 1.5em; `; declare var nativeNeedsReactComponentFunctional: NativeReactComponentFunctional<*> => void declare var nativeNeedsReactComponentClass: NativeReactComponentClass<*> => void nativeNeedsReactComponentFunctional(NativeTitleStyled) nativeNeedsReactComponentClass(NativeTitleStyled) const NativeExtendedTitle: NativeReactComponentIntersection<*> = nativeStyled(NativeTitleStyled)` font-size: 2em; `; const NativeWrapper: NativeReactComponentIntersection<*> = nativeStyled.View` padding: 4em; background: ${({theme}) => theme.background}; `; // ---- EXTEND ---- const NativeAttrs0ReactComponent: NativeReactComponentStyled<*> = nativeStyled.View.extend``; const NativeAttrs0ExtendReactComponent: NativeReactComponentIntersection<*> = NativeAttrs0ReactComponent.extend``; const NativeAttrs0SyledComponent: NativeReactComponentStyledTaggedTemplateLiteral<*> = nativeStyled.View; const NativeAttrs0ExtendStyledComponent: NativeReactComponentIntersection<*> = NativeAttrs0SyledComponent.extend``; // ---- ATTRIBUTES ---- const NativeAttrs1: NativeReactComponentStyledTaggedTemplateLiteral<*> = nativeStyled.View.attrs({ testProp: 'foo' }); // $FlowExpectedError const NativeAttrs1Error: NativeReactComponentStyledTaggedTemplateLiteral<*> = nativeStyled.View.attrs({ testProp: 'foo' })``; declare var needsString: string => void nativeNeedsReactComponentFunctional(nativeStyled.View.attrs({})``) nativeNeedsReactComponentClass(nativeStyled.View.attrs({})``) // $FlowExpectedError needsString(nativeStyled.View.attrs({})``) const NativeAttrs2: NativeReactComponentStyledTaggedTemplateLiteral<*> = nativeStyled.View .attrs({ testProp1: 'foo' }) .attrs({ testProp2: 'bar' }); const NativeAttrs3Styled: NativeReactComponentStyled<*> = nativeStyled.View.attrs({ testProp: 'foo' })` background-color: red; `; const NativeAttrs3Generic: NativeReactComponentIntersection<*> = nativeStyled.View.attrs({ testProp: 'foo' })` background-color: red; `; const NativeAttrs3Functional: NativeReactComponentFunctional<*> = nativeStyled.View.attrs({ testProp: 'foo' })` background-color: red; `; const NativeAttrs3Class: NativeReactComponentClass<*> = nativeStyled.View.attrs({ testProp: 'foo' })` background-color: red; `; const nativeTheme: NativeTheme = { background: "papayawhip" }; // ---- WithComponent ---- const NativeWithComponent1: NativeReactComponentStyled<*> = nativeStyled.View.withComponent('Text'); const NativeWithComponent2: NativeReactComponentStyled<*> = nativeStyled.View.withComponent(NativeWithComponent1); const NativeWithComponent3: NativeReactComponentStyled<*> = nativeStyled.View.withComponent(NativeAttrs3Class); const NativeWithComponent4: NativeReactComponentStyled<*> = nativeStyled('View').withComponent('Text'); const NativeWithComponent5: NativeReactComponentStyled<*> = nativeStyled('View').withComponent(NativeWithComponent1); const NativeWithComponent6: NativeReactComponentStyled<*> = nativeStyled('View').withComponent(NativeAttrs3Class); // $FlowExpectedError const NativeWithComponentError1: NativeReactComponentStyled<*> = nativeStyled.View.withComponent(0); // $FlowExpectedError const NativeWithComponentError2: NativeReactComponentStyled<*> = nativeStyled.View.withComponent('NotHere'); class NativeCustomComponentError3 extends React.Component<{ foo: string }> { render() { return <div />; } } // $FlowExpectedError const NativeWithComponentError3 = nativeStyled(NativeCustomComponentError3).withComponent('Text'); // $FlowExpectedError const NativeWithComponentError4 = nativeStyled(NativeCustomComponentError3).withComponent(NativeWithComponent1); // $FlowExpectedError const NativeWithComponentError5 = nativeStyled(NativeCustomComponentError3).withComponent(NativeAttrs3Class); // $FlowExpectedError const NativeWithComponentError6 = nativeStyled(NativeCustomComponentError3).withComponent(0); // $FlowExpectedError const NativeWithComponentError7 = nativeStyled(NativeCustomComponentError3).withComponent('NotHere'); // ---- WithTheme ---- const NativeComponent: NativeReactComponentFunctionalUndefinedDefaultProps<{ theme: NativeTheme }> = ({ theme }) => ( <NativeThemeProvider theme={theme}> <NativeWrapper> <NativeTitleStyled>Hello World, this is my first styled component!</NativeTitleStyled> </NativeWrapper> </NativeThemeProvider> ); const NativeComponentWithTheme: NativeReactComponentFunctionalUndefinedDefaultProps<{}> = nativeWithTheme(NativeComponent); const NativeComponent2: NativeReactComponentFunctionalUndefinedDefaultProps<{}> = () => ( <NativeThemeProvider theme={outerTheme => outerTheme}> <NativeWrapper> <NativeTitleStyled>Hello World, this is my first styled component!</NativeTitleStyled> </NativeWrapper> </NativeThemeProvider> ); const NativeOpacityKeyFrame: string = nativeKeyframes` 0% { opacity: 0; } 100% { opacity: 1; } `; // $FlowExpectedError const NativeNoExistingElementWrapper = nativeStyled.nonexisting` padding: 4em; background: papayawhip; `; const nativeNum: 9 = 9 // $FlowExpectedError const NativeNoExistingComponentWrapper = nativeStyled()` padding: 4em; background: papayawhip; `; // $FlowExpectedError const NativeNumberWrapper = nativeStyled(nativeNum)` padding: 4em; background: papayawhip; `; // ---- COMPONENT CLASS TESTS ---- class NativeNeedsThemeReactClass extends React.Component<{ foo: string, theme: NativeTheme }> { render() { return <div />; } } class NativeReactClass extends React.Component<{ foo: string }> { render() { return <div />; } } const NativeStyledClass: NativeReactComponentClass<{ foo: string, theme: NativeTheme }> = nativeStyled(NativeNeedsThemeReactClass)` color: red; `; const NativeNeedsFoo1Class: NativeReactComponentClass<{ foo: string }, { theme: NativeTheme }> = nativeWithTheme(NativeNeedsThemeReactClass); // $FlowExpectedError const NativeNeedsFoo0ClassError: NativeReactComponentClass<{ foo: string }> = nativeWithTheme(NativeReactClass); // $FlowExpectedError const NativeNeedsFoo1ClassError: NativeReactComponentClass<{ foo: string }> = nativeWithTheme(NeedsFoo1Class); // $FlowExpectedError const NativeNeedsFoo1ErrorClass: NativeReactComponentClass<{ foo: number }> = nativeWithTheme(NativeNeedsThemeReactClass); // $FlowExpectedError const NativeNeedsFoo2ErrorClass: NativeReactComponentClass<{ foo: string }, { theme: string }> = nativeWithTheme(NativeNeedsThemeReactClass); // $FlowExpectedError const NativeNeedsFoo3ErrorClass: NativeReactComponentClass<{ foo: string, theme: NativeTheme }> = nativeWithTheme(NativeNeedsFoo1Class); // $FlowExpectedError const NativeNeedsFoo4ErrorClass: NativeReactComponentClass<{ foo: number }> = nativeWithTheme(NativeNeedsFoo1Class); // $FlowExpectedError const NativeNeedsFoo5ErrorClass: NativeReactComponentClass<{ foo: string, theme: string }> = nativeWithTheme(NativeNeedsFoo1Class); // ---- INTERPOLATION TESTS ---- const nativeInterpolation: Array<NativeInterpolation> = nativeStyled.css` background-color: red; `; // $FlowExpectedError const nativeInterpolationError: Array<NativeInterpolation | boolean> = nativeStyled.css` background-color: red; `; // ---- DEFAULT COMPONENT TESTS ---- const NativeDefaultComponent: NativeReactComponentIntersection<{}> = nativeStyled.View` background-color: red; `; // $FlowExpectedError const NativeDefaultComponentError: {} => string = nativeStyled.View` background-color: red; `; // ---- FUNCTIONAL COMPONENT TESTS ---- declare var View: ({}) => React$Element<*> const NativeFunctionalComponent: NativeReactComponentFunctionalUndefinedDefaultProps<{ foo: string, theme: NativeTheme }> = props => <View />; const NativeNeedsFoo1: NativeReactComponentFunctionalUndefinedDefaultProps<{ foo: string, theme: NativeTheme }> = nativeStyled(NativeFunctionalComponent)` background-color: red; `; // $FlowExpectedError const NativeNeedsFoo1Error: NativeReactComponentFunctionalUndefinedDefaultProps<{ foo: number }> = nativeStyled(NativeFunctionalComponent)` background-color: red; `; const NativeNeedsFoo2: NativeReactComponentFunctionalUndefinedDefaultProps<{ foo: string, theme: NativeTheme }> = nativeStyled(NativeNeedsFoo1)` background-color: red; `; // $FlowExpectedError const NativeNeedsFoo2Error: NativeReactComponentFunctionalUndefinedDefaultProps<{ foo: number }> = nativeStyled(NativeNeedsFoo1)` background-color: red; `; const NativeNeedsNothingInferred = nativeStyled(() => <View />); // ---- FUNCTIONAL COMPONENT TESTS (nativeWithTheme)---- const NativeNeedsFoo1Functional: NativeReactComponentFunctionalUndefinedDefaultProps<{ foo: string, theme: NativeTheme }> = nativeWithTheme(NativeFunctionalComponent); const NativeNeedsFoo2Functional: NativeReactComponentFunctionalUndefinedDefaultProps<{ foo: string }> = nativeWithTheme(NativeNeedsFoo1Functional); const NativeNeedsFoo1FunctionalDefaultProps: NativeReactComponentFunctional<{ foo: string, theme: NativeTheme }, { theme: NativeTheme }> = nativeWithTheme(NativeFunctionalComponent); const NativeNeedsFoo2FunctionalDefaultProps: NativeReactComponentFunctional<{ foo: string }, { theme: NativeTheme }> = nativeWithTheme(NativeNeedsFoo1FunctionalDefaultProps); // $FlowExpectedError const NativeNeedsFoo1ErrorFunctional: NativeReactComponentFunctionalUndefinedDefaultProps<{ foo: number }> = nativeWithTheme(NativeFunctionalComponent); // $FlowExpectedError const NativeNeedsFoo2ErrorFunctional: NativeReactComponentFunctional<{ foo: string }, { theme: string }> = nativeWithTheme(NativeFunctionalComponent); // $FlowExpectedError const NativeNeedsFoo3ErrorFunctional: NativeReactComponentFunctionalUndefinedDefaultProps<{ foo: number, theme: NativeTheme }> = nativeWithTheme(NativeFunctionalComponent); // $FlowExpectedError const NativeNeedsFoo4ErrorFunctional: NativeReactComponentFunctionalUndefinedDefaultProps<{ foo: number }> = nativeWithTheme(NativeNeedsFoo1Functional); // $FlowExpectedError const NativeNeedsFoo5ErrorFunctional: NativeReactComponentFunctional<{ foo: string }, { theme: string }> = nativeWithTheme(NativeNeedsFoo1Functional); // $FlowExpectedError const NativeNeedsFoo6ErrorFunctional: NativeReactComponentFunctional<{ foo: number }, { theme: NativeTheme }> = nativeWithTheme(NativeNeedsFoo1Functional);
src/svg-icons/av/forward-30.js
xmityaz/material-ui
import React from 'react'; import pure from 'recompose/pure'; import SvgIcon from '../../SvgIcon'; let AvForward30 = (props) => ( <SvgIcon {...props}> <path d="M9.6 13.5h.4c.2 0 .4-.1.5-.2s.2-.2.2-.4v-.2s-.1-.1-.1-.2-.1-.1-.2-.1h-.5s-.1.1-.2.1-.1.1-.1.2v.2h-1c0-.2 0-.3.1-.5s.2-.3.3-.4.3-.2.4-.2.4-.1.5-.1c.2 0 .4 0 .6.1s.3.1.5.2.2.2.3.4.1.3.1.5v.3s-.1.2-.1.3-.1.2-.2.2-.2.1-.3.2c.2.1.4.2.5.4s.2.4.2.6c0 .2 0 .4-.1.5s-.2.3-.3.4-.3.2-.5.2-.4.1-.6.1c-.2 0-.4 0-.5-.1s-.3-.1-.5-.2-.2-.2-.3-.4-.1-.4-.1-.6h.8v.2s.1.1.1.2.1.1.2.1h.5s.1-.1.2-.1.1-.1.1-.2v-.5s-.1-.1-.1-.2-.1-.1-.2-.1h-.6v-.7zm5.7.7c0 .3 0 .6-.1.8l-.3.6s-.3.3-.5.3-.4.1-.6.1-.4 0-.6-.1-.3-.2-.5-.3-.2-.3-.3-.6-.1-.5-.1-.8v-.7c0-.3 0-.6.1-.8l.3-.6s.3-.3.5-.3.4-.1.6-.1.4 0 .6.1.3.2.5.3.2.3.3.6.1.5.1.8v.7zm-.9-.8v-.5s-.1-.2-.1-.3-.1-.1-.2-.2-.2-.1-.3-.1-.2 0-.3.1l-.2.2s-.1.2-.1.3v2s.1.2.1.3.1.1.2.2.2.1.3.1.2 0 .3-.1l.2-.2s.1-.2.1-.3v-1.5zM4 13c0 4.4 3.6 8 8 8s8-3.6 8-8h-2c0 3.3-2.7 6-6 6s-6-2.7-6-6 2.7-6 6-6v4l5-5-5-5v4c-4.4 0-8 3.6-8 8z"/> </SvgIcon> ); AvForward30 = pure(AvForward30); AvForward30.displayName = 'AvForward30'; AvForward30.muiName = 'SvgIcon'; export default AvForward30;
ajax/libs/material-ui/4.11.3/Table/Table.min.js
cdnjs/cdnjs
"use strict";var _interopRequireWildcard=require("@babel/runtime/helpers/interopRequireWildcard"),_interopRequireDefault=require("@babel/runtime/helpers/interopRequireDefault");Object.defineProperty(exports,"__esModule",{value:!0}),exports.default=exports.styles=void 0;var _objectWithoutProperties2=_interopRequireDefault(require("@babel/runtime/helpers/objectWithoutProperties")),_extends2=_interopRequireDefault(require("@babel/runtime/helpers/extends")),React=_interopRequireWildcard(require("react")),_propTypes=_interopRequireDefault(require("prop-types")),_clsx=_interopRequireDefault(require("clsx")),_withStyles=_interopRequireDefault(require("../styles/withStyles")),_TableContext=_interopRequireDefault(require("./TableContext")),styles=function(e){return{root:{display:"table",width:"100%",borderCollapse:"collapse",borderSpacing:0,"& caption":(0,_extends2.default)({},e.typography.body2,{padding:e.spacing(2),color:e.palette.text.secondary,textAlign:"left",captionSide:"bottom"})},stickyHeader:{borderCollapse:"separate"}}};exports.styles=styles;var defaultComponent="table",Table=React.forwardRef(function(e,t){var r=e.classes,a=e.className,l=e.component,o=void 0===l?defaultComponent:l,l=e.padding,i=void 0===l?"default":l,l=e.size,s=void 0===l?"medium":l,l=e.stickyHeader,p=void 0!==l&&l,l=(0,_objectWithoutProperties2.default)(e,["classes","className","component","padding","size","stickyHeader"]),e=React.useMemo(function(){return{padding:i,size:s,stickyHeader:p}},[i,s,p]);return React.createElement(_TableContext.default.Provider,{value:e},React.createElement(o,(0,_extends2.default)({role:o===defaultComponent?null:"table",ref:t,className:(0,_clsx.default)(r.root,a,p&&r.stickyHeader)},l)))});"production"!==process.env.NODE_ENV&&(Table.propTypes={children:_propTypes.default.node.isRequired,classes:_propTypes.default.object.isRequired,className:_propTypes.default.string,component:_propTypes.default.elementType,padding:_propTypes.default.oneOf(["default","checkbox","none"]),size:_propTypes.default.oneOf(["small","medium"]),stickyHeader:_propTypes.default.bool});var _default=(0,_withStyles.default)(styles,{name:"MuiTable"})(Table);exports.default=_default;
node_modules/react-bootstrap/es/MediaListItem.js
saltypaul/SnipTodo
import _extends from 'babel-runtime/helpers/extends'; import _objectWithoutProperties from 'babel-runtime/helpers/objectWithoutProperties'; import _classCallCheck from 'babel-runtime/helpers/classCallCheck'; import _possibleConstructorReturn from 'babel-runtime/helpers/possibleConstructorReturn'; import _inherits from 'babel-runtime/helpers/inherits'; import classNames from 'classnames'; import React from 'react'; import { bsClass, getClassSet, splitBsProps } from './utils/bootstrapUtils'; var MediaListItem = function (_React$Component) { _inherits(MediaListItem, _React$Component); function MediaListItem() { _classCallCheck(this, MediaListItem); return _possibleConstructorReturn(this, _React$Component.apply(this, arguments)); } MediaListItem.prototype.render = function render() { var _props = this.props, className = _props.className, props = _objectWithoutProperties(_props, ['className']); var _splitBsProps = splitBsProps(props), bsProps = _splitBsProps[0], elementProps = _splitBsProps[1]; var classes = getClassSet(bsProps); return React.createElement('li', _extends({}, elementProps, { className: classNames(className, classes) })); }; return MediaListItem; }(React.Component); export default bsClass('media', MediaListItem);
src/index.js
manovotny/client-side-render-and-seo
import React from 'react'; import ReactDOM from 'react-dom'; import App from './App'; import './index.css'; ReactDOM.render(<App />, document.getElementById('root'));
admin/client/App/screens/List/index.js
ratecity/keystone
/** * The list view is a paginated table of all items in the list. It can show a * variety of information about the individual items in columns. */ import React from 'react'; // import { findDOMNode } from 'react-dom'; // TODO re-implement focus when ready import numeral from 'numeral'; import { connect } from 'react-redux'; import { BlankState, Center, Container, Glyph, GlyphButton, Pagination, Spinner, } from '../../elemental'; import ListFilters from './components/Filtering/ListFilters'; import ListHeaderTitle from './components/ListHeaderTitle'; import ListHeaderToolbar from './components/ListHeaderToolbar'; import ListManagement from './components/ListManagement'; import ConfirmationDialog from '../../shared/ConfirmationDialog'; import CreateForm from '../../shared/CreateForm'; import FlashMessages from '../../shared/FlashMessages'; import ItemsTable from './components/ItemsTable/ItemsTable'; import UpdateForm from './components/UpdateForm'; import { plural as pluralize } from '../../../utils/string'; import { listsByPath } from '../../../utils/lists'; import { checkForQueryChange } from '../../../utils/queryParams'; import { deleteItems, setActiveSearch, setActiveSort, setCurrentPage, selectList, clearCachedQuery, } from './actions'; import { deleteItem, } from '../Item/actions'; const ESC_KEY_CODE = 27; const ListView = React.createClass({ contextTypes: { router: React.PropTypes.object.isRequired, }, getInitialState () { return { confirmationDialog: { isOpen: false, }, checkedItems: {}, constrainTableWidth: false, manageMode: false, showCreateForm: false, showUpdateForm: false, }; }, componentWillMount () { // When we directly navigate to a list without coming from another client // side routed page before, we need to initialize the list and parse // possibly specified query parameters this.props.dispatch(selectList(this.props.params.listId)); const isNoCreate = this.props.lists.data[this.props.params.listId].nocreate; const shouldOpenCreate = this.props.location.search === '?create'; this.setState({ showCreateForm: (shouldOpenCreate && !isNoCreate) || Keystone.createFormErrors, }); }, componentWillReceiveProps (nextProps) { // We've opened a new list from the client side routing, so initialize // again with the new list id const isReady = this.props.lists.ready && nextProps.lists.ready; if (isReady && checkForQueryChange(nextProps, this.props)) { this.props.dispatch(selectList(nextProps.params.listId)); } }, componentWillUnmount () { this.props.dispatch(clearCachedQuery()); }, // ============================== // HEADER // ============================== // Called when a new item is created onCreate (item) { // Hide the create form this.toggleCreateModal(false); // Redirect to newly created item path const list = this.props.currentList; this.context.router.push(`${Keystone.adminPath}/${list.path}/${item.id}`); }, createAutocreate () { const list = this.props.currentList; list.createItem(null, (err, data) => { if (err) { // TODO Proper error handling alert('Something went wrong, please try again!'); console.log(err); } else { this.context.router.push(`${Keystone.adminPath}/${list.path}/${data.id}`); } }); }, updateSearch (e) { this.props.dispatch(setActiveSearch(e.target.value)); }, handleSearchClear () { this.props.dispatch(setActiveSearch('')); // TODO re-implement focus when ready // findDOMNode(this.refs.listSearchInput).focus(); }, handleSearchKey (e) { // clear on esc if (e.which === ESC_KEY_CODE) { this.handleSearchClear(); } }, handlePageSelect (i) { // If the current page index is the same as the index we are intending to pass to redux, bail out. if (i === this.props.lists.page.index) return; return this.props.dispatch(setCurrentPage(i)); }, toggleManageMode (filter = !this.state.manageMode) { this.setState({ manageMode: filter, checkedItems: {}, }); }, toggleUpdateModal (filter = !this.state.showUpdateForm) { this.setState({ showUpdateForm: filter, }); }, massUpdate () { // TODO: Implement update multi-item console.log('Update ALL the things!'); }, massDelete () { const { checkedItems } = this.state; const list = this.props.currentList; const itemCount = pluralize(checkedItems, ('* ' + list.singular.toLowerCase()), ('* ' + list.plural.toLowerCase())); const itemIds = Object.keys(checkedItems); this.setState({ confirmationDialog: { isOpen: true, label: 'Delete', body: ( <div> Are you sure you want to delete {itemCount}? <br /> <br /> This cannot be undone. </div> ), onConfirmation: () => { this.props.dispatch(deleteItems(itemIds)); this.toggleManageMode(); this.removeConfirmationDialog(); }, }, }); }, handleManagementSelect (selection) { if (selection === 'all') this.checkAllItems(); if (selection === 'none') this.uncheckAllTableItems(); if (selection === 'visible') this.checkAllTableItems(); return false; }, renderConfirmationDialog () { const props = this.state.confirmationDialog; return ( <ConfirmationDialog confirmationLabel={props.label} isOpen={props.isOpen} onCancel={this.removeConfirmationDialog} onConfirmation={props.onConfirmation} > {props.body} </ConfirmationDialog> ); }, renderManagement () { const { checkedItems, manageMode, selectAllItemsLoading } = this.state; const { currentList } = this.props; return ( <ListManagement checkedItemCount={Object.keys(checkedItems).length} handleDelete={this.massDelete} handleSelect={this.handleManagementSelect} handleToggle={() => this.toggleManageMode(!manageMode)} isOpen={manageMode} itemCount={this.props.items.count} itemsPerPage={this.props.lists.page.size} nodelete={currentList.nodelete} noedit={currentList.noedit} selectAllItemsLoading={selectAllItemsLoading} /> ); }, renderPagination () { const items = this.props.items; if (this.state.manageMode || !items.count) return; const list = this.props.currentList; const currentPage = this.props.lists.page.index; const pageSize = this.props.lists.page.size; return ( <Pagination currentPage={currentPage} onPageSelect={this.handlePageSelect} pageSize={pageSize} plural={list.plural} singular={list.singular} style={{ marginBottom: 0 }} total={items.count} limit={10} /> ); }, renderHeader () { const items = this.props.items; const { autocreate, nocreate, plural, singular } = this.props.currentList; return ( <Container style={{ paddingTop: '2em' }}> <ListHeaderTitle activeSort={this.props.active.sort} availableColumns={this.props.currentList.columns} handleSortSelect={this.handleSortSelect} title={` ${numeral(items.count).format()} ${pluralize(items.count, ' ' + singular, ' ' + plural)} `} /> <ListHeaderToolbar // common dispatch={this.props.dispatch} list={listsByPath[this.props.params.listId]} // expand expandIsActive={!this.state.constrainTableWidth} expandOnClick={this.toggleTableWidth} // create createIsAvailable={!nocreate} createListName={singular} createOnClick={autocreate ? this.createAutocreate : this.openCreateModal} // search searchHandleChange={this.updateSearch} searchHandleClear={this.handleSearchClear} searchHandleKeyup={this.handleSearchKey} searchValue={this.props.active.search} // filters filtersActive={this.props.active.filters} filtersAvailable={this.props.currentList.columns.filter((col) => ( col.field && col.field.hasFilterMethod) || col.type === 'heading' )} // columns columnsActive={this.props.active.columns} columnsAvailable={this.props.currentList.columns} /> <ListFilters dispatch={this.props.dispatch} filters={this.props.active.filters} /> </Container> ); }, // ============================== // TABLE // ============================== checkTableItem (item, e) { e.preventDefault(); const newCheckedItems = { ...this.state.checkedItems }; const itemId = item.id; if (this.state.checkedItems[itemId]) { delete newCheckedItems[itemId]; } else { newCheckedItems[itemId] = true; } this.setState({ checkedItems: newCheckedItems, }); }, checkAllTableItems () { const checkedItems = {}; this.props.items.results.forEach(item => { checkedItems[item.id] = true; }); this.setState({ checkedItems: checkedItems, }); }, checkAllItems () { const checkedItems = { ...this.state.checkedItems }; // Just in case this API call takes a long time, we'll update the select all button with // a spinner. this.setState({ selectAllItemsLoading: true }); var self = this; this.props.currentList.loadItems({ expandRelationshipFilters: false, filters: {} }, function (err, data) { data.results.forEach(item => { checkedItems[item.id] = true; }); self.setState({ checkedItems: checkedItems, selectAllItemsLoading: false, }); }); }, uncheckAllTableItems () { this.setState({ checkedItems: {}, }); }, deleteTableItem (item, e) { if (e.altKey) { this.props.dispatch(deleteItem(item.id)); return; } e.preventDefault(); this.setState({ confirmationDialog: { isOpen: true, label: 'Delete', body: ( <div> Are you sure you want to delete <strong>{item.name}</strong>? <br /> <br /> This cannot be undone. </div> ), onConfirmation: () => { this.props.dispatch(deleteItem(item.id)); this.removeConfirmationDialog(); }, }, }); }, removeConfirmationDialog () { this.setState({ confirmationDialog: { isOpen: false, }, }); }, toggleTableWidth () { this.setState({ constrainTableWidth: !this.state.constrainTableWidth, }); }, // ============================== // COMMON // ============================== handleSortSelect (path, inverted) { if (inverted) path = '-' + path; this.props.dispatch(setActiveSort(path)); }, toggleCreateModal (visible) { this.setState({ showCreateForm: visible, }); }, openCreateModal () { this.toggleCreateModal(true); }, closeCreateModal () { this.toggleCreateModal(false); }, showBlankState () { return !this.props.loading && !this.props.items.results.length && !this.props.active.search && !this.props.active.filters.length; }, renderBlankState () { const { currentList } = this.props; if (!this.showBlankState()) return null; // create and nav directly to the item view, or open the create modal const onClick = currentList.autocreate ? this.createAutocreate : this.openCreateModal; // display the button if create allowed const button = !currentList.nocreate ? ( <GlyphButton color="success" glyph="plus" position="left" onClick={onClick} data-e2e-list-create-button="no-results"> Create {currentList.singular} </GlyphButton> ) : null; return ( <Container> {(this.props.error) ? ( <FlashMessages messages={{ error: [{ title: "There is a problem with the network, we're trying to reconnect...", }] }} /> ) : null} <BlankState heading={`No ${this.props.currentList.plural.toLowerCase()} found...`} style={{ marginTop: 40 }}> {button} </BlankState> </Container> ); }, renderActiveState () { if (this.showBlankState()) return null; const containerStyle = { transition: 'max-width 160ms ease-out', msTransition: 'max-width 160ms ease-out', MozTransition: 'max-width 160ms ease-out', WebkitTransition: 'max-width 160ms ease-out', }; if (!this.state.constrainTableWidth) { containerStyle.maxWidth = '100%'; } return ( <div> {this.renderHeader()} <Container> <div style={{ height: 35, marginBottom: '1em', marginTop: '1em' }}> {this.renderManagement()} {this.renderPagination()} <span style={{ clear: 'both', display: 'table' }} /> </div> </Container> <Container style={containerStyle}> {(this.props.error) ? ( <FlashMessages messages={{ error: [{ title: "There is a problem with the network, we're trying to reconnect..", }] }} /> ) : null} {(this.props.loading) ? ( <Center height="50vh"> <Spinner /> </Center> ) : ( <div> <ItemsTable activeSort={this.props.active.sort} checkedItems={this.state.checkedItems} checkTableItem={this.checkTableItem} columns={this.props.active.columns} deleteTableItem={this.deleteTableItem} handleSortSelect={this.handleSortSelect} items={this.props.items} list={this.props.currentList} manageMode={this.state.manageMode} rowAlert={this.props.rowAlert} currentPage={this.props.lists.page.index} pageSize={this.props.lists.page.size} drag={this.props.lists.drag} dispatch={this.props.dispatch} /> {this.renderNoSearchResults()} </div> )} </Container> </div> ); }, renderNoSearchResults () { if (this.props.items.results.length) return null; let matching = this.props.active.search; if (this.props.active.filters.length) { matching += (matching ? ' and ' : '') + pluralize(this.props.active.filters.length, '* filter', '* filters'); } matching = matching ? ' found matching ' + matching : '.'; return ( <BlankState style={{ marginTop: 20, marginBottom: 20 }}> <Glyph name="search" size="medium" style={{ marginBottom: 20 }} /> <h2 style={{ color: 'inherit' }}> No {this.props.currentList.plural.toLowerCase()}{matching} </h2> </BlankState> ); }, render () { if (!this.props.ready) { return ( <Center height="50vh" data-screen-id="list"> <Spinner /> </Center> ); } return ( <div data-screen-id="list"> {this.renderBlankState()} {this.renderActiveState()} <CreateForm err={Keystone.createFormErrors} isOpen={this.state.showCreateForm} list={this.props.currentList} onCancel={this.closeCreateModal} onCreate={this.onCreate} /> <UpdateForm isOpen={this.state.showUpdateForm} itemIds={Object.keys(this.state.checkedItems)} list={this.props.currentList} onCancel={() => this.toggleUpdateModal(false)} /> {this.renderConfirmationDialog()} </div> ); }, }); module.exports = connect((state) => { return { lists: state.lists, loading: state.lists.loading, error: state.lists.error, currentList: state.lists.currentList, items: state.lists.items, page: state.lists.page, ready: state.lists.ready, rowAlert: state.lists.rowAlert, active: state.active, }; })(ListView);
app/components/FoodCell.js
EleTeam/Shop-React-Native
/** * ShopReactNative * * @author Tony Wong * @date 2016-08-13 * @email 908601756@qq.com * @copyright Copyright © 2016 EleTeam * @license The MIT License (MIT) */ import React from 'react'; import { StyleSheet, TouchableOpacity, View, Text, Image, } from 'react-native'; import Common from '../common/constants'; export default class FoodCell extends React.Component { constructor(props) { super(props); } render() { let lightStyle = [styles.healthLight]; if (food.health_light == 2) { lightStyle.push({backgroundColor: 'orange'}) } else if (food.health_light == 3) { lightStyle.push({backgroundColor: 'red'}) } return <View style={{width: 300, height: 20, marginTop: 10, backgroundColor: 'red'}}/> // return ( // <TouchableOpacity // style={styles.foodsCell} // > // <View style={{flexDirection: 'row'}}> // <Image style={styles.foodIcon} source={{uri: food.thumb_image_url}}/> // <View style={styles.titleContainer}> // <Text style={styles.foodName} numberOfLines={1}>{food.name}</Text> // <Text style={styles.calory}> // {food.calory} // <Text style={styles.unit}> 千卡/{food.weight}克</Text> // </Text> // </View> // </View> // <View style={lightStyle}/> // </TouchableOpacity> // ) } } const styles = StyleSheet.create({ foodsCell: { flexDirection: 'row', paddingLeft: 15, paddingRight: 15, paddingTop: 10, paddingBottom: 10, borderBottomColor: '#ccc', borderBottomWidth: 0.5, alignItems: 'center', justifyContent: 'space-between', }, foodIcon: { width: 40, height: 40, borderRadius: 20, }, titleContainer: { height: 40, marginLeft: 15, justifyContent: 'space-between', }, foodName: { width: Common.window.width - 15 - 15 - 40 - 15 - 10, }, calory: { fontSize: 13, color: 'red', }, unit: { fontSize: 13, color: 'black' }, healthLight: { width: 10, height: 10, borderRadius: 5, backgroundColor: 'green', marginRight: 0, }, })
dist/jquery.min.js
marthar/startupInstitute
/*! * jQuery JavaScript Library v1.6.2 * http://jquery.com/ * * Copyright 2011, John Resig * Dual licensed under the MIT or GPL Version 2 licenses. * http://jquery.org/license * * Includes Sizzle.js * http://sizzlejs.com/ * Copyright 2011, The Dojo Foundation * Released under the MIT, BSD, and GPL Licenses. * * Date: Thu Jun 30 14:16:56 2011 -0400 */ (function(a,b){function cv(a){return f.isWindow(a)?a:a.nodeType===9?a.defaultView||a.parentWindow:!1}function cs(a){if(!cg[a]){var b=c.body,d=f("<"+a+">").appendTo(b),e=d.css("display");d.remove();if(e==="none"||e===""){ch||(ch=c.createElement("iframe"),ch.frameBorder=ch.width=ch.height=0),b.appendChild(ch);if(!ci||!ch.createElement)ci=(ch.contentWindow||ch.contentDocument).document,ci.write((c.compatMode==="CSS1Compat"?"<!doctype html>":"")+"<html><body>"),ci.close();d=ci.createElement(a),ci.body.appendChild(d),e=f.css(d,"display"),b.removeChild(ch)}cg[a]=e}return cg[a]}function cr(a,b){var c={};f.each(cm.concat.apply([],cm.slice(0,b)),function(){c[this]=a});return c}function cq(){cn=b}function cp(){setTimeout(cq,0);return cn=f.now()}function cf(){try{return new a.ActiveXObject("Microsoft.XMLHTTP")}catch(b){}}function ce(){try{return new a.XMLHttpRequest}catch(b){}}function b$(a,c){a.dataFilter&&(c=a.dataFilter(c,a.dataType));var d=a.dataTypes,e={},g,h,i=d.length,j,k=d[0],l,m,n,o,p;for(g=1;g<i;g++){if(g===1)for(h in a.converters)typeof h=="string"&&(e[h.toLowerCase()]=a.converters[h]);l=k,k=d[g];if(k==="*")k=l;else if(l!=="*"&&l!==k){m=l+" "+k,n=e[m]||e["* "+k];if(!n){p=b;for(o in e){j=o.split(" ");if(j[0]===l||j[0]==="*"){p=e[j[1]+" "+k];if(p){o=e[o],o===!0?n=p:p===!0&&(n=o);break}}}}!n&&!p&&f.error("No conversion from "+m.replace(" "," to ")),n!==!0&&(c=n?n(c):p(o(c)))}}return c}function bZ(a,c,d){var e=a.contents,f=a.dataTypes,g=a.responseFields,h,i,j,k;for(i in g)i in d&&(c[g[i]]=d[i]);while(f[0]==="*")f.shift(),h===b&&(h=a.mimeType||c.getResponseHeader("content-type"));if(h)for(i in e)if(e[i]&&e[i].test(h)){f.unshift(i);break}if(f[0]in d)j=f[0];else{for(i in d){if(!f[0]||a.converters[i+" "+f[0]]){j=i;break}k||(k=i)}j=j||k}if(j){j!==f[0]&&f.unshift(j);return d[j]}}function bY(a,b,c,d){if(f.isArray(b))f.each(b,function(b,e){c||bC.test(a)?d(a,e):bY(a+"["+(typeof e=="object"||f.isArray(e)?b:"")+"]",e,c,d)});else if(!c&&b!=null&&typeof b=="object")for(var e in b)bY(a+"["+e+"]",b[e],c,d);else d(a,b)}function bX(a,c,d,e,f,g){f=f||c.dataTypes[0],g=g||{},g[f]=!0;var h=a[f],i=0,j=h?h.length:0,k=a===bR,l;for(;i<j&&(k||!l);i++)l=h[i](c,d,e),typeof l=="string"&&(!k||g[l]?l=b:(c.dataTypes.unshift(l),l=bX(a,c,d,e,l,g)));(k||!l)&&!g["*"]&&(l=bX(a,c,d,e,"*",g));return l}function bW(a){return function(b,c){typeof b!="string"&&(c=b,b="*");if(f.isFunction(c)){var d=b.toLowerCase().split(bN),e=0,g=d.length,h,i,j;for(;e<g;e++)h=d[e],j=/^\+/.test(h),j&&(h=h.substr(1)||"*"),i=a[h]=a[h]||[],i[j?"unshift":"push"](c)}}}function bA(a,b,c){var d=b==="width"?a.offsetWidth:a.offsetHeight,e=b==="width"?bv:bw;if(d>0){c!=="border"&&f.each(e,function(){c||(d-=parseFloat(f.css(a,"padding"+this))||0),c==="margin"?d+=parseFloat(f.css(a,c+this))||0:d-=parseFloat(f.css(a,"border"+this+"Width"))||0});return d+"px"}d=bx(a,b,b);if(d<0||d==null)d=a.style[b]||0;d=parseFloat(d)||0,c&&f.each(e,function(){d+=parseFloat(f.css(a,"padding"+this))||0,c!=="padding"&&(d+=parseFloat(f.css(a,"border"+this+"Width"))||0),c==="margin"&&(d+=parseFloat(f.css(a,c+this))||0)});return d+"px"}function bm(a,b){b.src?f.ajax({url:b.src,async:!1,dataType:"script"}):f.globalEval((b.text||b.textContent||b.innerHTML||"").replace(be,"/*$0*/")),b.parentNode&&b.parentNode.removeChild(b)}function bl(a){f.nodeName(a,"input")?bk(a):"getElementsByTagName"in a&&f.grep(a.getElementsByTagName("input"),bk)}function bk(a){if(a.type==="checkbox"||a.type==="radio")a.defaultChecked=a.checked}function bj(a){return"getElementsByTagName"in a?a.getElementsByTagName("*"):"querySelectorAll"in a?a.querySelectorAll("*"):[]}function bi(a,b){var c;if(b.nodeType===1){b.clearAttributes&&b.clearAttributes(),b.mergeAttributes&&b.mergeAttributes(a),c=b.nodeName.toLowerCase();if(c==="object")b.outerHTML=a.outerHTML;else if(c!=="input"||a.type!=="checkbox"&&a.type!=="radio"){if(c==="option")b.selected=a.defaultSelected;else if(c==="input"||c==="textarea")b.defaultValue=a.defaultValue}else a.checked&&(b.defaultChecked=b.checked=a.checked),b.value!==a.value&&(b.value=a.value);b.removeAttribute(f.expando)}}function bh(a,b){if(b.nodeType===1&&!!f.hasData(a)){var c=f.expando,d=f.data(a),e=f.data(b,d);if(d=d[c]){var g=d.events;e=e[c]=f.extend({},d);if(g){delete e.handle,e.events={};for(var h in g)for(var i=0,j=g[h].length;i<j;i++)f.event.add(b,h+(g[h][i].namespace?".":"")+g[h][i].namespace,g[h][i],g[h][i].data)}}}}function bg(a,b){return f.nodeName(a,"table")?a.getElementsByTagName("tbody")[0]||a.appendChild(a.ownerDocument.createElement("tbody")):a}function W(a,b,c){b=b||0;if(f.isFunction(b))return f.grep(a,function(a,d){var e=!!b.call(a,d,a);return e===c});if(b.nodeType)return f.grep(a,function(a,d){return a===b===c});if(typeof b=="string"){var d=f.grep(a,function(a){return a.nodeType===1});if(R.test(b))return f.filter(b,d,!c);b=f.filter(b,d)}return f.grep(a,function(a,d){return f.inArray(a,b)>=0===c})}function V(a){return!a||!a.parentNode||a.parentNode.nodeType===11}function N(a,b){return(a&&a!=="*"?a+".":"")+b.replace(z,"`").replace(A,"&")}function M(a){var b,c,d,e,g,h,i,j,k,l,m,n,o,p=[],q=[],r=f._data(this,"events");if(!(a.liveFired===this||!r||!r.live||a.target.disabled||a.button&&a.type==="click")){a.namespace&&(n=new RegExp("(^|\\.)"+a.namespace.split(".").join("\\.(?:.*\\.)?")+"(\\.|$)")),a.liveFired=this;var s=r.live.slice(0);for(i=0;i<s.length;i++)g=s[i],g.origType.replace(x,"")===a.type?q.push(g.selector):s.splice(i--,1);e=f(a.target).closest(q,a.currentTarget);for(j=0,k=e.length;j<k;j++){m=e[j];for(i=0;i<s.length;i++){g=s[i];if(m.selector===g.selector&&(!n||n.test(g.namespace))&&!m.elem.disabled){h=m.elem,d=null;if(g.preType==="mouseenter"||g.preType==="mouseleave")a.type=g.preType,d=f(a.relatedTarget).closest(g.selector)[0],d&&f.contains(h,d)&&(d=h);(!d||d!==h)&&p.push({elem:h,handleObj:g,level:m.level})}}}for(j=0,k=p.length;j<k;j++){e=p[j];if(c&&e.level>c)break;a.currentTarget=e.elem,a.data=e.handleObj.data,a.handleObj=e.handleObj,o=e.handleObj.origHandler.apply(e.elem,arguments);if(o===!1||a.isPropagationStopped()){c=e.level,o===!1&&(b=!1);if(a.isImmediatePropagationStopped())break}}return b}}function K(a,c,d){var e=f.extend({},d[0]);e.type=a,e.originalEvent={},e.liveFired=b,f.event.handle.call(c,e),e.isDefaultPrevented()&&d[0].preventDefault()}function E(){return!0}function D(){return!1}function m(a,c,d){var e=c+"defer",g=c+"queue",h=c+"mark",i=f.data(a,e,b,!0);i&&(d==="queue"||!f.data(a,g,b,!0))&&(d==="mark"||!f.data(a,h,b,!0))&&setTimeout(function(){!f.data(a,g,b,!0)&&!f.data(a,h,b,!0)&&(f.removeData(a,e,!0),i.resolve())},0)}function l(a){for(var b in a)if(b!=="toJSON")return!1;return!0}function k(a,c,d){if(d===b&&a.nodeType===1){var e="data-"+c.replace(j,"$1-$2").toLowerCase();d=a.getAttribute(e);if(typeof d=="string"){try{d=d==="true"?!0:d==="false"?!1:d==="null"?null:f.isNaN(d)?i.test(d)?f.parseJSON(d):d:parseFloat(d)}catch(g){}f.data(a,c,d)}else d=b}return d}var c=a.document,d=a.navigator,e=a.location,f=function(){function J(){if(!e.isReady){try{c.documentElement.doScroll("left")}catch(a){setTimeout(J,1);return}e.ready()}}var e=function(a,b){return new e.fn.init(a,b,h)},f=a.jQuery,g=a.$,h,i=/^(?:[^<]*(<[\w\W]+>)[^>]*$|#([\w\-]*)$)/,j=/\S/,k=/^\s+/,l=/\s+$/,m=/\d/,n=/^<(\w+)\s*\/?>(?:<\/\1>)?$/,o=/^[\],:{}\s]*$/,p=/\\(?:["\\\/bfnrt]|u[0-9a-fA-F]{4})/g,q=/"[^"\\\n\r]*"|true|false|null|-?\d+(?:\.\d*)?(?:[eE][+\-]?\d+)?/g,r=/(?:^|:|,)(?:\s*\[)+/g,s=/(webkit)[ \/]([\w.]+)/,t=/(opera)(?:.*version)?[ \/]([\w.]+)/,u=/(msie) ([\w.]+)/,v=/(mozilla)(?:.*? rv:([\w.]+))?/,w=/-([a-z])/ig,x=function(a,b){return b.toUpperCase()},y=d.userAgent,z,A,B,C=Object.prototype.toString,D=Object.prototype.hasOwnProperty,E=Array.prototype.push,F=Array.prototype.slice,G=String.prototype.trim,H=Array.prototype.indexOf,I={};e.fn=e.prototype={constructor:e,init:function(a,d,f){var g,h,j,k;if(!a)return this;if(a.nodeType){this.context=this[0]=a,this.length=1;return this}if(a==="body"&&!d&&c.body){this.context=c,this[0]=c.body,this.selector=a,this.length=1;return this}if(typeof a=="string"){a.charAt(0)!=="<"||a.charAt(a.length-1)!==">"||a.length<3?g=i.exec(a):g=[null,a,null];if(g&&(g[1]||!d)){if(g[1]){d=d instanceof e?d[0]:d,k=d?d.ownerDocument||d:c,j=n.exec(a),j?e.isPlainObject(d)?(a=[c.createElement(j[1])],e.fn.attr.call(a,d,!0)):a=[k.createElement(j[1])]:(j=e.buildFragment([g[1]],[k]),a=(j.cacheable?e.clone(j.fragment):j.fragment).childNodes);return e.merge(this,a)}h=c.getElementById(g[2]);if(h&&h.parentNode){if(h.id!==g[2])return f.find(a);this.length=1,this[0]=h}this.context=c,this.selector=a;return this}return!d||d.jquery?(d||f).find(a):this.constructor(d).find(a)}if(e.isFunction(a))return f.ready(a);a.selector!==b&&(this.selector=a.selector,this.context=a.context);return e.makeArray(a,this)},selector:"",jquery:"1.6.2",length:0,size:function(){return this.length},toArray:function(){return F.call(this,0)},get:function(a){return a==null?this.toArray():a<0?this[this.length+a]:this[a]},pushStack:function(a,b,c){var d=this.constructor();e.isArray(a)?E.apply(d,a):e.merge(d,a),d.prevObject=this,d.context=this.context,b==="find"?d.selector=this.selector+(this.selector?" ":"")+c:b&&(d.selector=this.selector+"."+b+"("+c+")");return d},each:function(a,b){return e.each(this,a,b)},ready:function(a){e.bindReady(),A.done(a);return this},eq:function(a){return a===-1?this.slice(a):this.slice(a,+a+1)},first:function(){return this.eq(0)},last:function(){return this.eq(-1)},slice:function(){return this.pushStack(F.apply(this,arguments),"slice",F.call(arguments).join(","))},map:function(a){return this.pushStack(e.map(this,function(b,c){return a.call(b,c,b)}))},end:function(){return this.prevObject||this.constructor(null)},push:E,sort:[].sort,splice:[].splice},e.fn.init.prototype=e.fn,e.extend=e.fn.extend=function(){var a,c,d,f,g,h,i=arguments[0]||{},j=1,k=arguments.length,l=!1;typeof i=="boolean"&&(l=i,i=arguments[1]||{},j=2),typeof i!="object"&&!e.isFunction(i)&&(i={}),k===j&&(i=this,--j);for(;j<k;j++)if((a=arguments[j])!=null)for(c in a){d=i[c],f=a[c];if(i===f)continue;l&&f&&(e.isPlainObject(f)||(g=e.isArray(f)))?(g?(g=!1,h=d&&e.isArray(d)?d:[]):h=d&&e.isPlainObject(d)?d:{},i[c]=e.extend(l,h,f)):f!==b&&(i[c]=f)}return i},e.extend({noConflict:function(b){a.$===e&&(a.$=g),b&&a.jQuery===e&&(a.jQuery=f);return e},isReady:!1,readyWait:1,holdReady:function(a){a?e.readyWait++:e.ready(!0)},ready:function(a){if(a===!0&&!--e.readyWait||a!==!0&&!e.isReady){if(!c.body)return setTimeout(e.ready,1);e.isReady=!0;if(a!==!0&&--e.readyWait>0)return;A.resolveWith(c,[e]),e.fn.trigger&&e(c).trigger("ready").unbind("ready")}},bindReady:function(){if(!A){A=e._Deferred();if(c.readyState==="complete")return setTimeout(e.ready,1);if(c.addEventListener)c.addEventListener("DOMContentLoaded",B,!1),a.addEventListener("load",e.ready,!1);else if(c.attachEvent){c.attachEvent("onreadystatechange",B),a.attachEvent("onload",e.ready);var b=!1;try{b=a.frameElement==null}catch(d){}c.documentElement.doScroll&&b&&J()}}},isFunction:function(a){return e.type(a)==="function"},isArray:Array.isArray||function(a){return e.type(a)==="array"},isWindow:function(a){return a&&typeof a=="object"&&"setInterval"in a},isNaN:function(a){return a==null||!m.test(a)||isNaN(a)},type:function(a){return a==null?String(a):I[C.call(a)]||"object"},isPlainObject:function(a){if(!a||e.type(a)!=="object"||a.nodeType||e.isWindow(a))return!1;if(a.constructor&&!D.call(a,"constructor")&&!D.call(a.constructor.prototype,"isPrototypeOf"))return!1;var c;for(c in a);return c===b||D.call(a,c)},isEmptyObject:function(a){for(var b in a)return!1;return!0},error:function(a){throw a},parseJSON:function(b){if(typeof b!="string"||!b)return null;b=e.trim(b);if(a.JSON&&a.JSON.parse)return a.JSON.parse(b);if(o.test(b.replace(p,"@").replace(q,"]").replace(r,"")))return(new Function("return "+b))();e.error("Invalid JSON: "+b)},parseXML:function(b,c,d){a.DOMParser?(d=new DOMParser,c=d.parseFromString(b,"text/xml")):(c=new ActiveXObject("Microsoft.XMLDOM"),c.async="false",c.loadXML(b)),d=c.documentElement,(!d||!d.nodeName||d.nodeName==="parsererror")&&e.error("Invalid XML: "+b);return c},noop:function(){},globalEval:function(b){b&&j.test(b)&&(a.execScript||function(b){a.eval.call(a,b)})(b)},camelCase:function(a){return a.replace(w,x)},nodeName:function(a,b){return a.nodeName&&a.nodeName.toUpperCase()===b.toUpperCase()},each:function(a,c,d){var f,g=0,h=a.length,i=h===b||e.isFunction(a);if(d){if(i){for(f in a)if(c.apply(a[f],d)===!1)break}else for(;g<h;)if(c.apply(a[g++],d)===!1)break}else if(i){for(f in a)if(c.call(a[f],f,a[f])===!1)break}else for(;g<h;)if(c.call(a[g],g,a[g++])===!1)break;return a},trim:G?function(a){return a==null?"":G.call(a)}:function(a){return a==null?"":(a+"").replace(k,"").replace(l,"")},makeArray:function(a,b){var c=b||[];if(a!=null){var d=e.type(a);a.length==null||d==="string"||d==="function"||d==="regexp"||e.isWindow(a)?E.call(c,a):e.merge(c,a)}return c},inArray:function(a,b){if(H)return H.call(b,a);for(var c=0,d=b.length;c<d;c++)if(b[c]===a)return c;return-1},merge:function(a,c){var d=a.length,e=0;if(typeof c.length=="number")for(var f=c.length;e<f;e++)a[d++]=c[e];else while(c[e]!==b)a[d++]=c[e++];a.length=d;return a},grep:function(a,b,c){var d=[],e;c=!!c;for(var f=0,g=a.length;f<g;f++)e=!!b(a[f],f),c!==e&&d.push(a[f]);return d},map:function(a,c,d){var f,g,h=[],i=0,j=a.length,k=a instanceof e||j!==b&&typeof j=="number"&&(j>0&&a[0]&&a[j-1]||j===0||e.isArray(a));if(k)for(;i<j;i++)f=c(a[i],i,d),f!=null&&(h[h.length]=f);else for(g in a)f=c(a[g],g,d),f!=null&&(h[h.length]=f);return h.concat.apply([],h)},guid:1,proxy:function(a,c){if(typeof c=="string"){var d=a[c];c=a,a=d}if(!e.isFunction(a))return b;var f=F.call(arguments,2),g=function(){return a.apply(c,f.concat(F.call(arguments)))};g.guid=a.guid=a.guid||g.guid||e.guid++;return g},access:function(a,c,d,f,g,h){var i=a.length;if(typeof c=="object"){for(var j in c)e.access(a,j,c[j],f,g,d);return a}if(d!==b){f=!h&&f&&e.isFunction(d);for(var k=0;k<i;k++)g(a[k],c,f?d.call(a[k],k,g(a[k],c)):d,h);return a}return i?g(a[0],c):b},now:function(){return(new Date).getTime()},uaMatch:function(a){a=a.toLowerCase();var b=s.exec(a)||t.exec(a)||u.exec(a)||a.indexOf("compatible")<0&&v.exec(a)||[];return{browser:b[1]||"",version:b[2]||"0"}},sub:function(){function a(b,c){return new a.fn.init(b,c)}e.extend(!0,a,this),a.superclass=this,a.fn=a.prototype=this(),a.fn.constructor=a,a.sub=this.sub,a.fn.init=function(d,f){f&&f instanceof e&&!(f instanceof a)&&(f=a(f));return e.fn.init.call(this,d,f,b)},a.fn.init.prototype=a.fn;var b=a(c);return a},browser:{}}),e.each("Boolean Number String Function Array Date RegExp Object".split(" "),function(a,b){I["[object "+b+"]"]=b.toLowerCase()}),z=e.uaMatch(y),z.browser&&(e.browser[z.browser]=!0,e.browser.version=z.version),e.browser.webkit&&(e.browser.safari=!0),j.test(" ")&&(k=/^[\s\xA0]+/,l=/[\s\xA0]+$/),h=e(c),c.addEventListener?B=function(){c.removeEventListener("DOMContentLoaded",B,!1),e.ready()}:c.attachEvent&&(B=function(){c.readyState==="complete"&&(c.detachEvent("onreadystatechange",B),e.ready())});return e}(),g="done fail isResolved isRejected promise then always pipe".split(" "),h=[].slice;f.extend({_Deferred:function(){var a=[],b,c,d,e={done:function(){if(!d){var c=arguments,g,h,i,j,k;b&&(k=b,b=0);for(g=0,h=c.length;g<h;g++)i=c[g],j=f.type(i),j==="array"?e.done.apply(e,i):j==="function"&&a.push(i);k&&e.resolveWith(k[0],k[1])}return this},resolveWith:function(e,f){if(!d&&!b&&!c){f=f||[],c=1;try{while(a[0])a.shift().apply(e,f)}finally{b=[e,f],c=0}}return this},resolve:function(){e.resolveWith(this,arguments);return this},isResolved:function(){return!!c||!!b},cancel:function(){d=1,a=[];return this}};return e},Deferred:function(a){var b=f._Deferred(),c=f._Deferred(),d;f.extend(b,{then:function(a,c){b.done(a).fail(c);return this},always:function(){return b.done.apply(b,arguments).fail.apply(this,arguments)},fail:c.done,rejectWith:c.resolveWith,reject:c.resolve,isRejected:c.isResolved,pipe:function(a,c){return f.Deferred(function(d){f.each({done:[a,"resolve"],fail:[c,"reject"]},function(a,c){var e=c[0],g=c[1],h;f.isFunction(e)?b[a](function(){h=e.apply(this,arguments),h&&f.isFunction(h.promise)?h.promise().then(d.resolve,d.reject):d[g](h)}):b[a](d[g])})}).promise()},promise:function(a){if(a==null){if(d)return d;d=a={}}var c=g.length;while(c--)a[g[c]]=b[g[c]];return a}}),b.done(c.cancel).fail(b.cancel),delete b.cancel,a&&a.call(b,b);return b},when:function(a){function i(a){return function(c){b[a]=arguments.length>1?h.call(arguments,0):c,--e||g.resolveWith(g,h.call(b,0))}}var b=arguments,c=0,d=b.length,e=d,g=d<=1&&a&&f.isFunction(a.promise)?a:f.Deferred();if(d>1){for(;c<d;c++)b[c]&&f.isFunction(b[c].promise)?b[c].promise().then(i(c),g.reject):--e;e||g.resolveWith(g,b)}else g!==a&&g.resolveWith(g,d?[a]:[]);return g.promise()}}),f.support=function(){var a=c.createElement("div"),b=c.documentElement,d,e,g,h,i,j,k,l,m,n,o,p,q,r,s,t,u;a.setAttribute("className","t"),a.innerHTML=" <link/><table></table><a href='/a' style='top:1px;float:left;opacity:.55;'>a</a><input type='checkbox'/>",d=a.getElementsByTagName("*"),e=a.getElementsByTagName("a")[0];if(!d||!d.length||!e)return{};g=c.createElement("select"),h=g.appendChild(c.createElement("option")),i=a.getElementsByTagName("input")[0],k={leadingWhitespace:a.firstChild.nodeType===3,tbody:!a.getElementsByTagName("tbody").length,htmlSerialize:!!a.getElementsByTagName("link").length,style:/top/.test(e.getAttribute("style")),hrefNormalized:e.getAttribute("href")==="/a",opacity:/^0.55$/.test(e.style.opacity),cssFloat:!!e.style.cssFloat,checkOn:i.value==="on",optSelected:h.selected,getSetAttribute:a.className!=="t",submitBubbles:!0,changeBubbles:!0,focusinBubbles:!1,deleteExpando:!0,noCloneEvent:!0,inlineBlockNeedsLayout:!1,shrinkWrapBlocks:!1,reliableMarginRight:!0},i.checked=!0,k.noCloneChecked=i.cloneNode(!0).checked,g.disabled=!0,k.optDisabled=!h.disabled;try{delete a.test}catch(v){k.deleteExpando=!1}!a.addEventListener&&a.attachEvent&&a.fireEvent&&(a.attachEvent("onclick",function(){k.noCloneEvent=!1}),a.cloneNode(!0).fireEvent("onclick")),i=c.createElement("input"),i.value="t",i.setAttribute("type","radio"),k.radioValue=i.value==="t",i.setAttribute("checked","checked"),a.appendChild(i),l=c.createDocumentFragment(),l.appendChild(a.firstChild),k.checkClone=l.cloneNode(!0).cloneNode(!0).lastChild.checked,a.innerHTML="",a.style.width=a.style.paddingLeft="1px",m=c.getElementsByTagName("body")[0],o=c.createElement(m?"div":"body"),p={visibility:"hidden",width:0,height:0,border:0,margin:0},m&&f.extend(p,{position:"absolute",left:-1e3,top:-1e3});for(t in p)o.style[t]=p[t];o.appendChild(a),n=m||b,n.insertBefore(o,n.firstChild),k.appendChecked=i.checked,k.boxModel=a.offsetWidth===2,"zoom"in a.style&&(a.style.display="inline",a.style.zoom=1,k.inlineBlockNeedsLayout=a.offsetWidth===2,a.style.display="",a.innerHTML="<div style='width:4px;'></div>",k.shrinkWrapBlocks=a.offsetWidth!==2),a.innerHTML="<table><tr><td style='padding:0;border:0;display:none'></td><td>t</td></tr></table>",q=a.getElementsByTagName("td"),u=q[0].offsetHeight===0,q[0].style.display="",q[1].style.display="none",k.reliableHiddenOffsets=u&&q[0].offsetHeight===0,a.innerHTML="",c.defaultView&&c.defaultView.getComputedStyle&&(j=c.createElement("div"),j.style.width="0",j.style.marginRight="0",a.appendChild(j),k.reliableMarginRight=(parseInt((c.defaultView.getComputedStyle(j,null)||{marginRight:0}).marginRight,10)||0)===0),o.innerHTML="",n.removeChild(o);if(a.attachEvent)for(t in{submit:1,change:1,focusin:1})s="on"+t,u=s in a,u||(a.setAttribute(s,"return;"),u=typeof a[s]=="function"),k[t+"Bubbles"]=u;o=l=g=h=m=j=a=i=null;return k}(),f.boxModel=f.support.boxModel;var i=/^(?:\{.*\}|\[.*\])$/,j=/([a-z])([A-Z])/g;f.extend({cache:{},uuid:0,expando:"jQuery"+(f.fn.jquery+Math.random()).replace(/\D/g,""),noData:{embed:!0,object:"clsid:D27CDB6E-AE6D-11cf-96B8-444553540000",applet:!0},hasData:function(a){a=a.nodeType?f.cache[a[f.expando]]:a[f.expando];return!!a&&!l(a)},data:function(a,c,d,e){if(!!f.acceptData(a)){var g=f.expando,h=typeof c=="string",i,j=a.nodeType,k=j?f.cache:a,l=j?a[f.expando]:a[f.expando]&&f.expando;if((!l||e&&l&&!k[l][g])&&h&&d===b)return;l||(j?a[f.expando]=l=++f.uuid:l=f.expando),k[l]||(k[l]={},j||(k[l].toJSON=f.noop));if(typeof c=="object"||typeof c=="function")e?k[l][g]=f.extend(k[l][g],c):k[l]=f.extend(k[l],c);i=k[l],e&&(i[g]||(i[g]={}),i=i[g]),d!==b&&(i[f.camelCase(c)]=d);if(c==="events"&&!i[c])return i[g]&&i[g].events;return h?i[f.camelCase(c)]||i[c]:i}},removeData:function(b,c,d){if(!!f.acceptData(b)){var e=f.expando,g=b.nodeType,h=g?f.cache:b,i=g?b[f.expando]:f.expando;if(!h[i])return;if(c){var j=d?h[i][e]:h[i];if(j){delete j[c];if(!l(j))return}}if(d){delete h[i][e];if(!l(h[i]))return}var k=h[i][e];f.support.deleteExpando||h!=a?delete h[i]:h[i]=null,k?(h[i]={},g||(h[i].toJSON=f.noop),h[i][e]=k):g&&(f.support.deleteExpando?delete b[f.expando]:b.removeAttribute?b.removeAttribute(f.expando):b[f.expando]=null)}},_data:function(a,b,c){return f.data(a,b,c,!0)},acceptData:function(a){if(a.nodeName){var b=f.noData[a.nodeName.toLowerCase()];if(b)return b!==!0&&a.getAttribute("classid")===b}return!0}}),f.fn.extend({data:function(a,c){var d=null;if(typeof a=="undefined"){if(this.length){d=f.data(this[0]);if(this[0].nodeType===1){var e=this[0].attributes,g;for(var h=0,i=e.length;h<i;h++)g=e[h].name,g.indexOf("data-")===0&&(g=f.camelCase(g.substring(5)),k(this[0],g,d[g]))}}return d}if(typeof a=="object")return this.each(function(){f.data(this,a)});var j=a.split(".");j[1]=j[1]?"."+j[1]:"";if(c===b){d=this.triggerHandler("getData"+j[1]+"!",[j[0]]),d===b&&this.length&&(d=f.data(this[0],a),d=k(this[0],a,d));return d===b&&j[1]?this.data(j[0]):d}return this.each(function(){var b=f(this),d=[j[0],c];b.triggerHandler("setData"+j[1]+"!",d),f.data(this,a,c),b.triggerHandler("changeData"+j[1]+"!",d)})},removeData:function(a){return this.each(function(){f.removeData(this,a)})}}),f.extend({_mark:function(a,c){a&&(c=(c||"fx")+"mark",f.data(a,c,(f.data(a,c,b,!0)||0)+1,!0))},_unmark:function(a,c,d){a!==!0&&(d=c,c=a,a=!1);if(c){d=d||"fx";var e=d+"mark",g=a?0:(f.data(c,e,b,!0)||1)-1;g?f.data(c,e,g,!0):(f.removeData(c,e,!0),m(c,d,"mark"))}},queue:function(a,c,d){if(a){c=(c||"fx")+"queue";var e=f.data(a,c,b,!0);d&&(!e||f.isArray(d)?e=f.data(a,c,f.makeArray(d),!0):e.push(d));return e||[]}},dequeue:function(a,b){b=b||"fx";var c=f.queue(a,b),d=c.shift(),e;d==="inprogress"&&(d=c.shift()),d&&(b==="fx"&&c.unshift("inprogress"),d.call(a,function(){f.dequeue(a,b)})),c.length||(f.removeData(a,b+"queue",!0),m(a,b,"queue"))}}),f.fn.extend({queue:function(a,c){typeof a!="string"&&(c=a,a="fx");if(c===b)return f.queue(this[0],a);return this.each(function(){var b=f.queue(this,a,c);a==="fx"&&b[0]!=="inprogress"&&f.dequeue(this,a)})},dequeue:function(a){return this.each(function(){f.dequeue(this,a)})},delay:function(a,b){a=f.fx?f.fx.speeds[a]||a:a,b=b||"fx";return this.queue(b,function(){var c=this;setTimeout(function(){f.dequeue(c,b)},a)})},clearQueue:function(a){return this.queue(a||"fx",[])},promise:function(a,c){function m(){--h||d.resolveWith(e,[e])}typeof a!="string"&&(c=a,a=b),a=a||"fx";var d=f.Deferred(),e=this,g=e.length,h=1,i=a+"defer",j=a+"queue",k=a+"mark",l;while(g--)if(l=f.data(e[g],i,b,!0)||(f.data(e[g],j,b,!0)||f.data(e[g],k,b,!0))&&f.data(e[g],i,f._Deferred(),!0))h++,l.done(m);m();return d.promise()}});var n=/[\n\t\r]/g,o=/\s+/,p=/\r/g,q=/^(?:button|input)$/i,r=/^(?:button|input|object|select|textarea)$/i,s=/^a(?:rea)?$/i,t=/^(?:autofocus|autoplay|async|checked|controls|defer|disabled|hidden|loop|multiple|open|readonly|required|scoped|selected)$/i,u=/\:|^on/,v,w;f.fn.extend({attr:function(a,b){return f.access(this,a,b,!0,f.attr)},removeAttr:function(a){return this.each(function(){f.removeAttr(this,a)})},prop:function(a,b){return f.access(this,a,b,!0,f.prop)},removeProp:function(a){a=f.propFix[a]||a;return this.each(function(){try{this[a]=b,delete this[a]}catch(c){}})},addClass:function(a){var b,c,d,e,g,h,i;if(f.isFunction(a))return this.each(function(b){f(this).addClass(a.call(this,b,this.className))});if(a&&typeof a=="string"){b=a.split(o);for(c=0,d=this.length;c<d;c++){e=this[c];if(e.nodeType===1)if(!e.className&&b.length===1)e.className=a;else{g=" "+e.className+" ";for(h=0,i=b.length;h<i;h++)~g.indexOf(" "+b[h]+" ")||(g+=b[h]+" ");e.className=f.trim(g)}}}return this},removeClass:function(a){var c,d,e,g,h,i,j;if(f.isFunction(a))return this.each(function(b){f(this).removeClass(a.call(this,b,this.className))});if(a&&typeof a=="string"||a===b){c=(a||"").split(o);for(d=0,e=this.length;d<e;d++){g=this[d];if(g.nodeType===1&&g.className)if(a){h=(" "+g.className+" ").replace(n," ");for(i=0,j=c.length;i<j;i++)h=h.replace(" "+c[i]+" "," ");g.className=f.trim(h)}else g.className=""}}return this},toggleClass:function(a,b){var c=typeof a,d=typeof b=="boolean";if(f.isFunction(a))return this.each(function(c){f(this).toggleClass(a.call(this,c,this.className,b),b)});return this.each(function(){if(c==="string"){var e,g=0,h=f(this),i=b,j=a.split(o);while(e=j[g++])i=d?i:!h.hasClass(e),h[i?"addClass":"removeClass"](e)}else if(c==="undefined"||c==="boolean")this.className&&f._data(this,"__className__",this.className),this.className=this.className||a===!1?"":f._data(this,"__className__")||""})},hasClass:function(a){var b=" "+a+" ";for(var c=0,d=this.length;c<d;c++)if((" "+this[c].className+" ").replace(n," ").indexOf(b)>-1)return!0;return!1},val:function(a){var c,d,e=this[0];if(!arguments.length){if(e){c=f.valHooks[e.nodeName.toLowerCase()]||f.valHooks[e.type];if(c&&"get"in c&&(d=c.get(e,"value"))!==b)return d;d=e.value;return typeof d=="string"?d.replace(p,""):d==null?"":d}return b}var g=f.isFunction(a);return this.each(function(d){var e=f(this),h;if(this.nodeType===1){g?h=a.call(this,d,e.val()):h=a,h==null?h="":typeof h=="number"?h+="":f.isArray(h)&&(h=f.map(h,function(a){return a==null?"":a+""})),c=f.valHooks[this.nodeName.toLowerCase()]||f.valHooks[this.type];if(!c||!("set"in c)||c.set(this,h,"value")===b)this.value=h}})}}),f.extend({valHooks:{option:{get:function(a){var b=a.attributes.value;return!b||b.specified?a.value:a.text}},select:{get:function(a){var b,c=a.selectedIndex,d=[],e=a.options,g=a.type==="select-one";if(c<0)return null;for(var h=g?c:0,i=g?c+1:e.length;h<i;h++){var j=e[h];if(j.selected&&(f.support.optDisabled?!j.disabled:j.getAttribute("disabled")===null)&&(!j.parentNode.disabled||!f.nodeName(j.parentNode,"optgroup"))){b=f(j).val();if(g)return b;d.push(b)}}if(g&&!d.length&&e.length)return f(e[c]).val();return d},set:function(a,b){var c=f.makeArray(b);f(a).find("option").each(function(){this.selected=f.inArray(f(this).val(),c)>=0}),c.length||(a.selectedIndex=-1);return c}}},attrFn:{val:!0,css:!0,html:!0,text:!0,data:!0,width:!0,height:!0,offset:!0},attrFix:{tabindex:"tabIndex"},attr:function(a,c,d,e){var g=a.nodeType;if(!a||g===3||g===8||g===2)return b;if(e&&c in f.attrFn)return f(a)[c](d);if(!("getAttribute"in a))return f.prop(a,c,d);var h,i,j=g!==1||!f.isXMLDoc(a);j&&(c=f.attrFix[c]||c,i=f.attrHooks[c],i||(t.test(c)?i=w:v&&c!=="className"&&(f.nodeName(a,"form")||u.test(c))&&(i=v)));if(d!==b){if(d===null){f.removeAttr(a,c);return b}if(i&&"set"in i&&j&&(h=i.set(a,d,c))!==b)return h;a.setAttribute(c,""+d);return d}if(i&&"get"in i&&j&&(h=i.get(a,c))!==null)return h;h=a.getAttribute(c);return h===null?b:h},removeAttr:function(a,b){var c;a.nodeType===1&&(b=f.attrFix[b]||b,f.support.getSetAttribute?a.removeAttribute(b):(f.attr(a,b,""),a.removeAttributeNode(a.getAttributeNode(b))),t.test(b)&&(c=f.propFix[b]||b)in a&&(a[c]=!1))},attrHooks:{type:{set:function(a,b){if(q.test(a.nodeName)&&a.parentNode)f.error("type property can't be changed");else if(!f.support.radioValue&&b==="radio"&&f.nodeName(a,"input")){var c=a.value;a.setAttribute("type",b),c&&(a.value=c);return b}}},tabIndex:{get:function(a){var c=a.getAttributeNode("tabIndex");return c&&c.specified?parseInt(c.value,10):r.test(a.nodeName)||s.test(a.nodeName)&&a.href?0:b}},value:{get:function(a,b){if(v&&f.nodeName(a,"button"))return v.get(a,b);return b in a?a.value:null},set:function(a,b,c){if(v&&f.nodeName(a,"button"))return v.set(a,b,c);a.value=b}}},propFix:{tabindex:"tabIndex",readonly:"readOnly","for":"htmlFor","class":"className",maxlength:"maxLength",cellspacing:"cellSpacing",cellpadding:"cellPadding",rowspan:"rowSpan",colspan:"colSpan",usemap:"useMap",frameborder:"frameBorder",contenteditable:"contentEditable"},prop:function(a,c,d){var e=a.nodeType;if(!a||e===3||e===8||e===2)return b;var g,h,i=e!==1||!f.isXMLDoc(a);i&&(c=f.propFix[c]||c,h=f.propHooks[c]);return d!==b?h&&"set"in h&&(g=h.set(a,d,c))!==b?g:a[c]=d:h&&"get"in h&&(g=h.get(a,c))!==b?g:a[c]},propHooks:{}}),w={get:function(a,c){return f.prop(a,c)?c.toLowerCase():b},set:function(a,b,c){var d;b===!1?f.removeAttr(a,c):(d=f.propFix[c]||c,d in a&&(a[d]=!0),a.setAttribute(c,c.toLowerCase()));return c}},f.support.getSetAttribute||(f.attrFix=f.propFix,v=f.attrHooks.name=f.attrHooks.title=f.valHooks.button={get:function(a,c){var d;d=a.getAttributeNode(c);return d&&d.nodeValue!==""?d.nodeValue:b},set:function(a,b,c){var d=a.getAttributeNode(c);if(d){d.nodeValue=b;return b}}},f.each(["width","height"],function(a,b){f.attrHooks[b]=f.extend(f.attrHooks[b],{set:function(a,c){if(c===""){a.setAttribute(b,"auto");return c}}})})),f.support.hrefNormalized||f.each(["href","src","width","height"],function(a,c){f.attrHooks[c]=f.extend(f.attrHooks[c],{get:function(a){var d=a.getAttribute(c,2);return d===null?b:d}})}),f.support.style||(f.attrHooks.style={get:function(a){return a.style.cssText.toLowerCase()||b},set:function(a,b){return a.style.cssText=""+b}}),f.support.optSelected||(f.propHooks.selected=f.extend(f.propHooks.selected,{get:function(a){var b=a.parentNode;b&&(b.selectedIndex,b.parentNode&&b.parentNode.selectedIndex)}})),f.support.checkOn||f.each(["radio","checkbox"],function(){f.valHooks[this]={get:function(a){return a.getAttribute("value")===null?"on":a.value}}}),f.each(["radio","checkbox"],function(){f.valHooks[this]=f.extend(f.valHooks[this],{set:function(a,b){if(f.isArray(b))return a.checked=f.inArray(f(a).val(),b)>=0}})});var x=/\.(.*)$/,y=/^(?:textarea|input|select)$/i,z=/\./g,A=/ /g,B=/[^\w\s.|`]/g,C=function(a){return a.replace(B,"\\$&")};f.event={add:function(a,c,d,e){if(a.nodeType!==3&&a.nodeType!==8){if(d===!1)d=D;else if(!d)return;var g,h;d.handler&&(g=d,d=g.handler),d.guid||(d.guid=f.guid++);var i=f._data(a);if(!i)return;var j=i.events,k=i.handle;j||(i.events=j={}),k||(i.handle=k=function(a){return typeof f!="undefined"&&(!a||f.event.triggered!==a.type)?f.event.handle.apply(k.elem,arguments):b}),k.elem=a,c=c.split(" ");var l,m=0,n;while(l=c[m++]){h=g?f.extend({},g):{handler:d,data:e},l.indexOf(".")>-1?(n=l.split("."),l=n.shift(),h.namespace=n.slice(0).sort().join(".")):(n=[],h.namespace=""),h.type=l,h.guid||(h.guid=d.guid);var o=j[l],p=f.event.special[l]||{};if(!o){o=j[l]=[];if(!p.setup||p.setup.call(a,e,n,k)===!1)a.addEventListener?a.addEventListener(l,k,!1):a.attachEvent&&a.attachEvent("on"+l,k)}p.add&&(p.add.call(a,h),h.handler.guid||(h.handler.guid=d.guid)),o.push(h),f.event.global[l]=!0}a=null}},global:{},remove:function(a,c,d,e){if(a.nodeType!==3&&a.nodeType!==8){d===!1&&(d=D);var g,h,i,j,k=0,l,m,n,o,p,q,r,s=f.hasData(a)&&f._data(a),t=s&&s.events;if(!s||!t)return;c&&c.type&&(d=c.handler,c=c.type);if(!c||typeof c=="string"&&c.charAt(0)==="."){c=c||"";for(h in t)f.event.remove(a,h+c);return}c=c.split(" ");while(h=c[k++]){r=h,q=null,l=h.indexOf(".")<0,m=[],l||(m=h.split("."),h=m.shift(),n=new RegExp("(^|\\.)"+f.map(m.slice(0).sort(),C).join("\\.(?:.*\\.)?")+"(\\.|$)")),p=t[h];if(!p)continue;if(!d){for(j=0;j<p.length;j++){q=p[j];if(l||n.test(q.namespace))f.event.remove(a,r,q.handler,j),p.splice(j--,1)}continue}o=f.event.special[h]||{};for(j=e||0;j<p.length;j++){q=p[j];if(d.guid===q.guid){if(l||n.test(q.namespace))e==null&&p.splice(j--,1),o.remove&&o.remove.call(a,q);if(e!=null)break}}if(p.length===0||e!=null&&p.length===1)(!o.teardown||o.teardown.call(a,m)===!1)&&f.removeEvent(a,h,s.handle),g=null,delete t[h]}if(f.isEmptyObject(t)){var u=s.handle;u&&(u.elem=null),delete s.events,delete s.handle,f.isEmptyObject(s)&&f.removeData(a,b,!0)}}},customEvent:{getData:!0,setData:!0,changeData:!0},trigger:function(c,d,e,g){var h=c.type||c,i=[],j;h.indexOf("!")>=0&&(h=h.slice(0,-1),j=!0),h.indexOf(".")>=0&&(i=h.split("."),h=i. shift(),i.sort());if(!!e&&!f.event.customEvent[h]||!!f.event.global[h]){c=typeof c=="object"?c[f.expando]?c:new f.Event(h,c):new f.Event(h),c.type=h,c.exclusive=j,c.namespace=i.join("."),c.namespace_re=new RegExp("(^|\\.)"+i.join("\\.(?:.*\\.)?")+"(\\.|$)");if(g||!e)c.preventDefault(),c.stopPropagation();if(!e){f.each(f.cache,function(){var a=f.expando,b=this[a];b&&b.events&&b.events[h]&&f.event.trigger(c,d,b.handle.elem)});return}if(e.nodeType===3||e.nodeType===8)return;c.result=b,c.target=e,d=d!=null?f.makeArray(d):[],d.unshift(c);var k=e,l=h.indexOf(":")<0?"on"+h:"";do{var m=f._data(k,"handle");c.currentTarget=k,m&&m.apply(k,d),l&&f.acceptData(k)&&k[l]&&k[l].apply(k,d)===!1&&(c.result=!1,c.preventDefault()),k=k.parentNode||k.ownerDocument||k===c.target.ownerDocument&&a}while(k&&!c.isPropagationStopped());if(!c.isDefaultPrevented()){var n,o=f.event.special[h]||{};if((!o._default||o._default.call(e.ownerDocument,c)===!1)&&(h!=="click"||!f.nodeName(e,"a"))&&f.acceptData(e)){try{l&&e[h]&&(n=e[l],n&&(e[l]=null),f.event.triggered=h,e[h]())}catch(p){}n&&(e[l]=n),f.event.triggered=b}}return c.result}},handle:function(c){c=f.event.fix(c||a.event);var d=((f._data(this,"events")||{})[c.type]||[]).slice(0),e=!c.exclusive&&!c.namespace,g=Array.prototype.slice.call(arguments,0);g[0]=c,c.currentTarget=this;for(var h=0,i=d.length;h<i;h++){var j=d[h];if(e||c.namespace_re.test(j.namespace)){c.handler=j.handler,c.data=j.data,c.handleObj=j;var k=j.handler.apply(this,g);k!==b&&(c.result=k,k===!1&&(c.preventDefault(),c.stopPropagation()));if(c.isImmediatePropagationStopped())break}}return c.result},props:"altKey attrChange attrName bubbles button cancelable charCode clientX clientY ctrlKey currentTarget data detail eventPhase fromElement handler keyCode layerX layerY metaKey newValue offsetX offsetY pageX pageY prevValue relatedNode relatedTarget screenX screenY shiftKey srcElement target toElement view wheelDelta which".split(" "),fix:function(a){if(a[f.expando])return a;var d=a;a=f.Event(d);for(var e=this.props.length,g;e;)g=this.props[--e],a[g]=d[g];a.target||(a.target=a.srcElement||c),a.target.nodeType===3&&(a.target=a.target.parentNode),!a.relatedTarget&&a.fromElement&&(a.relatedTarget=a.fromElement===a.target?a.toElement:a.fromElement);if(a.pageX==null&&a.clientX!=null){var h=a.target.ownerDocument||c,i=h.documentElement,j=h.body;a.pageX=a.clientX+(i&&i.scrollLeft||j&&j.scrollLeft||0)-(i&&i.clientLeft||j&&j.clientLeft||0),a.pageY=a.clientY+(i&&i.scrollTop||j&&j.scrollTop||0)-(i&&i.clientTop||j&&j.clientTop||0)}a.which==null&&(a.charCode!=null||a.keyCode!=null)&&(a.which=a.charCode!=null?a.charCode:a.keyCode),!a.metaKey&&a.ctrlKey&&(a.metaKey=a.ctrlKey),!a.which&&a.button!==b&&(a.which=a.button&1?1:a.button&2?3:a.button&4?2:0);return a},guid:1e8,proxy:f.proxy,special:{ready:{setup:f.bindReady,teardown:f.noop},live:{add:function(a){f.event.add(this,N(a.origType,a.selector),f.extend({},a,{handler:M,guid:a.handler.guid}))},remove:function(a){f.event.remove(this,N(a.origType,a.selector),a)}},beforeunload:{setup:function(a,b,c){f.isWindow(this)&&(this.onbeforeunload=c)},teardown:function(a,b){this.onbeforeunload===b&&(this.onbeforeunload=null)}}}},f.removeEvent=c.removeEventListener?function(a,b,c){a.removeEventListener&&a.removeEventListener(b,c,!1)}:function(a,b,c){a.detachEvent&&a.detachEvent("on"+b,c)},f.Event=function(a,b){if(!this.preventDefault)return new f.Event(a,b);a&&a.type?(this.originalEvent=a,this.type=a.type,this.isDefaultPrevented=a.defaultPrevented||a.returnValue===!1||a.getPreventDefault&&a.getPreventDefault()?E:D):this.type=a,b&&f.extend(this,b),this.timeStamp=f.now(),this[f.expando]=!0},f.Event.prototype={preventDefault:function(){this.isDefaultPrevented=E;var a=this.originalEvent;!a||(a.preventDefault?a.preventDefault():a.returnValue=!1)},stopPropagation:function(){this.isPropagationStopped=E;var a=this.originalEvent;!a||(a.stopPropagation&&a.stopPropagation(),a.cancelBubble=!0)},stopImmediatePropagation:function(){this.isImmediatePropagationStopped=E,this.stopPropagation()},isDefaultPrevented:D,isPropagationStopped:D,isImmediatePropagationStopped:D};var F=function(a){var b=a.relatedTarget,c=!1,d=a.type;a.type=a.data,b!==this&&(b&&(c=f.contains(this,b)),c||(f.event.handle.apply(this,arguments),a.type=d))},G=function(a){a.type=a.data,f.event.handle.apply(this,arguments)};f.each({mouseenter:"mouseover",mouseleave:"mouseout"},function(a,b){f.event.special[a]={setup:function(c){f.event.add(this,b,c&&c.selector?G:F,a)},teardown:function(a){f.event.remove(this,b,a&&a.selector?G:F)}}}),f.support.submitBubbles||(f.event.special.submit={setup:function(a,b){if(!f.nodeName(this,"form"))f.event.add(this,"click.specialSubmit",function(a){var b=a.target,c=b.type;(c==="submit"||c==="image")&&f(b).closest("form").length&&K("submit",this,arguments)}),f.event.add(this,"keypress.specialSubmit",function(a){var b=a.target,c=b.type;(c==="text"||c==="password")&&f(b).closest("form").length&&a.keyCode===13&&K("submit",this,arguments)});else return!1},teardown:function(a){f.event.remove(this,".specialSubmit")}});if(!f.support.changeBubbles){var H,I=function(a){var b=a.type,c=a.value;b==="radio"||b==="checkbox"?c=a.checked:b==="select-multiple"?c=a.selectedIndex>-1?f.map(a.options,function(a){return a.selected}).join("-"):"":f.nodeName(a,"select")&&(c=a.selectedIndex);return c},J=function(c){var d=c.target,e,g;if(!!y.test(d.nodeName)&&!d.readOnly){e=f._data(d,"_change_data"),g=I(d),(c.type!=="focusout"||d.type!=="radio")&&f._data(d,"_change_data",g);if(e===b||g===e)return;if(e!=null||g)c.type="change",c.liveFired=b,f.event.trigger(c,arguments[1],d)}};f.event.special.change={filters:{focusout:J,beforedeactivate:J,click:function(a){var b=a.target,c=f.nodeName(b,"input")?b.type:"";(c==="radio"||c==="checkbox"||f.nodeName(b,"select"))&&J.call(this,a)},keydown:function(a){var b=a.target,c=f.nodeName(b,"input")?b.type:"";(a.keyCode===13&&!f.nodeName(b,"textarea")||a.keyCode===32&&(c==="checkbox"||c==="radio")||c==="select-multiple")&&J.call(this,a)},beforeactivate:function(a){var b=a.target;f._data(b,"_change_data",I(b))}},setup:function(a,b){if(this.type==="file")return!1;for(var c in H)f.event.add(this,c+".specialChange",H[c]);return y.test(this.nodeName)},teardown:function(a){f.event.remove(this,".specialChange");return y.test(this.nodeName)}},H=f.event.special.change.filters,H.focus=H.beforeactivate}f.support.focusinBubbles||f.each({focus:"focusin",blur:"focusout"},function(a,b){function e(a){var c=f.event.fix(a);c.type=b,c.originalEvent={},f.event.trigger(c,null,c.target),c.isDefaultPrevented()&&a.preventDefault()}var d=0;f.event.special[b]={setup:function(){d++===0&&c.addEventListener(a,e,!0)},teardown:function(){--d===0&&c.removeEventListener(a,e,!0)}}}),f.each(["bind","one"],function(a,c){f.fn[c]=function(a,d,e){var g;if(typeof a=="object"){for(var h in a)this[c](h,d,a[h],e);return this}if(arguments.length===2||d===!1)e=d,d=b;c==="one"?(g=function(a){f(this).unbind(a,g);return e.apply(this,arguments)},g.guid=e.guid||f.guid++):g=e;if(a==="unload"&&c!=="one")this.one(a,d,e);else for(var i=0,j=this.length;i<j;i++)f.event.add(this[i],a,g,d);return this}}),f.fn.extend({unbind:function(a,b){if(typeof a=="object"&&!a.preventDefault)for(var c in a)this.unbind(c,a[c]);else for(var d=0,e=this.length;d<e;d++)f.event.remove(this[d],a,b);return this},delegate:function(a,b,c,d){return this.live(b,c,d,a)},undelegate:function(a,b,c){return arguments.length===0?this.unbind("live"):this.die(b,null,c,a)},trigger:function(a,b){return this.each(function(){f.event.trigger(a,b,this)})},triggerHandler:function(a,b){if(this[0])return f.event.trigger(a,b,this[0],!0)},toggle:function(a){var b=arguments,c=a.guid||f.guid++,d=0,e=function(c){var e=(f.data(this,"lastToggle"+a.guid)||0)%d;f.data(this,"lastToggle"+a.guid,e+1),c.preventDefault();return b[e].apply(this,arguments)||!1};e.guid=c;while(d<b.length)b[d++].guid=c;return this.click(e)},hover:function(a,b){return this.mouseenter(a).mouseleave(b||a)}});var L={focus:"focusin",blur:"focusout",mouseenter:"mouseover",mouseleave:"mouseout"};f.each(["live","die"],function(a,c){f.fn[c]=function(a,d,e,g){var h,i=0,j,k,l,m=g||this.selector,n=g?this:f(this.context);if(typeof a=="object"&&!a.preventDefault){for(var o in a)n[c](o,d,a[o],m);return this}if(c==="die"&&!a&&g&&g.charAt(0)==="."){n.unbind(g);return this}if(d===!1||f.isFunction(d))e=d||D,d=b;a=(a||"").split(" ");while((h=a[i++])!=null){j=x.exec(h),k="",j&&(k=j[0],h=h.replace(x,""));if(h==="hover"){a.push("mouseenter"+k,"mouseleave"+k);continue}l=h,L[h]?(a.push(L[h]+k),h=h+k):h=(L[h]||h)+k;if(c==="live")for(var p=0,q=n.length;p<q;p++)f.event.add(n[p],"live."+N(h,m),{data:d,selector:m,handler:e,origType:h,origHandler:e,preType:l});else n.unbind("live."+N(h,m),e)}return this}}),f.each("blur focus focusin focusout load resize scroll unload click dblclick mousedown mouseup mousemove mouseover mouseout mouseenter mouseleave change select submit keydown keypress keyup error".split(" "),function(a,b){f.fn[b]=function(a,c){c==null&&(c=a,a=null);return arguments.length>0?this.bind(b,a,c):this.trigger(b)},f.attrFn&&(f.attrFn[b]=!0)}),function(){function u(a,b,c,d,e,f){for(var g=0,h=d.length;g<h;g++){var i=d[g];if(i){var j=!1;i=i[a];while(i){if(i.sizcache===c){j=d[i.sizset];break}if(i.nodeType===1){f||(i.sizcache=c,i.sizset=g);if(typeof b!="string"){if(i===b){j=!0;break}}else if(k.filter(b,[i]).length>0){j=i;break}}i=i[a]}d[g]=j}}}function t(a,b,c,d,e,f){for(var g=0,h=d.length;g<h;g++){var i=d[g];if(i){var j=!1;i=i[a];while(i){if(i.sizcache===c){j=d[i.sizset];break}i.nodeType===1&&!f&&(i.sizcache=c,i.sizset=g);if(i.nodeName.toLowerCase()===b){j=i;break}i=i[a]}d[g]=j}}}var a=/((?:\((?:\([^()]+\)|[^()]+)+\)|\[(?:\[[^\[\]]*\]|['"][^'"]*['"]|[^\[\]'"]+)+\]|\\.|[^ >+~,(\[\\]+)+|[>+~])(\s*,\s*)?((?:.|\r|\n)*)/g,d=0,e=Object.prototype.toString,g=!1,h=!0,i=/\\/g,j=/\W/;[0,0].sort(function(){h=!1;return 0});var k=function(b,d,f,g){f=f||[],d=d||c;var h=d;if(d.nodeType!==1&&d.nodeType!==9)return[];if(!b||typeof b!="string")return f;var i,j,n,o,q,r,s,t,u=!0,w=k.isXML(d),x=[],y=b;do{a.exec(""),i=a.exec(y);if(i){y=i[3],x.push(i[1]);if(i[2]){o=i[3];break}}}while(i);if(x.length>1&&m.exec(b))if(x.length===2&&l.relative[x[0]])j=v(x[0]+x[1],d);else{j=l.relative[x[0]]?[d]:k(x.shift(),d);while(x.length)b=x.shift(),l.relative[b]&&(b+=x.shift()),j=v(b,j)}else{!g&&x.length>1&&d.nodeType===9&&!w&&l.match.ID.test(x[0])&&!l.match.ID.test(x[x.length-1])&&(q=k.find(x.shift(),d,w),d=q.expr?k.filter(q.expr,q.set)[0]:q.set[0]);if(d){q=g?{expr:x.pop(),set:p(g)}:k.find(x.pop(),x.length===1&&(x[0]==="~"||x[0]==="+")&&d.parentNode?d.parentNode:d,w),j=q.expr?k.filter(q.expr,q.set):q.set,x.length>0?n=p(j):u=!1;while(x.length)r=x.pop(),s=r,l.relative[r]?s=x.pop():r="",s==null&&(s=d),l.relative[r](n,s,w)}else n=x=[]}n||(n=j),n||k.error(r||b);if(e.call(n)==="[object Array]")if(!u)f.push.apply(f,n);else if(d&&d.nodeType===1)for(t=0;n[t]!=null;t++)n[t]&&(n[t]===!0||n[t].nodeType===1&&k.contains(d,n[t]))&&f.push(j[t]);else for(t=0;n[t]!=null;t++)n[t]&&n[t].nodeType===1&&f.push(j[t]);else p(n,f);o&&(k(o,h,f,g),k.uniqueSort(f));return f};k.uniqueSort=function(a){if(r){g=h,a.sort(r);if(g)for(var b=1;b<a.length;b++)a[b]===a[b-1]&&a.splice(b--,1)}return a},k.matches=function(a,b){return k(a,null,null,b)},k.matchesSelector=function(a,b){return k(b,null,null,[a]).length>0},k.find=function(a,b,c){var d;if(!a)return[];for(var e=0,f=l.order.length;e<f;e++){var g,h=l.order[e];if(g=l.leftMatch[h].exec(a)){var j=g[1];g.splice(1,1);if(j.substr(j.length-1)!=="\\"){g[1]=(g[1]||"").replace(i,""),d=l.find[h](g,b,c);if(d!=null){a=a.replace(l.match[h],"");break}}}}d||(d=typeof b.getElementsByTagName!="undefined"?b.getElementsByTagName("*"):[]);return{set:d,expr:a}},k.filter=function(a,c,d,e){var f,g,h=a,i=[],j=c,m=c&&c[0]&&k.isXML(c[0]);while(a&&c.length){for(var n in l.filter)if((f=l.leftMatch[n].exec(a))!=null&&f[2]){var o,p,q=l.filter[n],r=f[1];g=!1,f.splice(1,1);if(r.substr(r.length-1)==="\\")continue;j===i&&(i=[]);if(l.preFilter[n]){f=l.preFilter[n](f,j,d,i,e,m);if(!f)g=o=!0;else if(f===!0)continue}if(f)for(var s=0;(p=j[s])!=null;s++)if(p){o=q(p,f,s,j);var t=e^!!o;d&&o!=null?t?g=!0:j[s]=!1:t&&(i.push(p),g=!0)}if(o!==b){d||(j=i),a=a.replace(l.match[n],"");if(!g)return[];break}}if(a===h)if(g==null)k.error(a);else break;h=a}return j},k.error=function(a){throw"Syntax error, unrecognized expression: "+a};var l=k.selectors={order:["ID","NAME","TAG"],match:{ID:/#((?:[\w\u00c0-\uFFFF\-]|\\.)+)/,CLASS:/\.((?:[\w\u00c0-\uFFFF\-]|\\.)+)/,NAME:/\[name=['"]*((?:[\w\u00c0-\uFFFF\-]|\\.)+)['"]*\]/,ATTR:/\[\s*((?:[\w\u00c0-\uFFFF\-]|\\.)+)\s*(?:(\S?=)\s*(?:(['"])(.*?)\3|(#?(?:[\w\u00c0-\uFFFF\-]|\\.)*)|)|)\s*\]/,TAG:/^((?:[\w\u00c0-\uFFFF\*\-]|\\.)+)/,CHILD:/:(only|nth|last|first)-child(?:\(\s*(even|odd|(?:[+\-]?\d+|(?:[+\-]?\d*)?n\s*(?:[+\-]\s*\d+)?))\s*\))?/,POS:/:(nth|eq|gt|lt|first|last|even|odd)(?:\((\d*)\))?(?=[^\-]|$)/,PSEUDO:/:((?:[\w\u00c0-\uFFFF\-]|\\.)+)(?:\((['"]?)((?:\([^\)]+\)|[^\(\)]*)+)\2\))?/},leftMatch:{},attrMap:{"class":"className","for":"htmlFor"},attrHandle:{href:function(a){return a.getAttribute("href")},type:function(a){return a.getAttribute("type")}},relative:{"+":function(a,b){var c=typeof b=="string",d=c&&!j.test(b),e=c&&!d;d&&(b=b.toLowerCase());for(var f=0,g=a.length,h;f<g;f++)if(h=a[f]){while((h=h.previousSibling)&&h.nodeType!==1);a[f]=e||h&&h.nodeName.toLowerCase()===b?h||!1:h===b}e&&k.filter(b,a,!0)},">":function(a,b){var c,d=typeof b=="string",e=0,f=a.length;if(d&&!j.test(b)){b=b.toLowerCase();for(;e<f;e++){c=a[e];if(c){var g=c.parentNode;a[e]=g.nodeName.toLowerCase()===b?g:!1}}}else{for(;e<f;e++)c=a[e],c&&(a[e]=d?c.parentNode:c.parentNode===b);d&&k.filter(b,a,!0)}},"":function(a,b,c){var e,f=d++,g=u;typeof b=="string"&&!j.test(b)&&(b=b.toLowerCase(),e=b,g=t),g("parentNode",b,f,a,e,c)},"~":function(a,b,c){var e,f=d++,g=u;typeof b=="string"&&!j.test(b)&&(b=b.toLowerCase(),e=b,g=t),g("previousSibling",b,f,a,e,c)}},find:{ID:function(a,b,c){if(typeof b.getElementById!="undefined"&&!c){var d=b.getElementById(a[1]);return d&&d.parentNode?[d]:[]}},NAME:function(a,b){if(typeof b.getElementsByName!="undefined"){var c=[],d=b.getElementsByName(a[1]);for(var e=0,f=d.length;e<f;e++)d[e].getAttribute("name")===a[1]&&c.push(d[e]);return c.length===0?null:c}},TAG:function(a,b){if(typeof b.getElementsByTagName!="undefined")return b.getElementsByTagName(a[1])}},preFilter:{CLASS:function(a,b,c,d,e,f){a=" "+a[1].replace(i,"")+" ";if(f)return a;for(var g=0,h;(h=b[g])!=null;g++)h&&(e^(h.className&&(" "+h.className+" ").replace(/[\t\n\r]/g," ").indexOf(a)>=0)?c||d.push(h):c&&(b[g]=!1));return!1},ID:function(a){return a[1].replace(i,"")},TAG:function(a,b){return a[1].replace(i,"").toLowerCase()},CHILD:function(a){if(a[1]==="nth"){a[2]||k.error(a[0]),a[2]=a[2].replace(/^\+|\s*/g,"");var b=/(-?)(\d*)(?:n([+\-]?\d*))?/.exec(a[2]==="even"&&"2n"||a[2]==="odd"&&"2n+1"||!/\D/.test(a[2])&&"0n+"+a[2]||a[2]);a[2]=b[1]+(b[2]||1)-0,a[3]=b[3]-0}else a[2]&&k.error(a[0]);a[0]=d++;return a},ATTR:function(a,b,c,d,e,f){var g=a[1]=a[1].replace(i,"");!f&&l.attrMap[g]&&(a[1]=l.attrMap[g]),a[4]=(a[4]||a[5]||"").replace(i,""),a[2]==="~="&&(a[4]=" "+a[4]+" ");return a},PSEUDO:function(b,c,d,e,f){if(b[1]==="not")if((a.exec(b[3])||"").length>1||/^\w/.test(b[3]))b[3]=k(b[3],null,null,c);else{var g=k.filter(b[3],c,d,!0^f);d||e.push.apply(e,g);return!1}else if(l.match.POS.test(b[0])||l.match.CHILD.test(b[0]))return!0;return b},POS:function(a){a.unshift(!0);return a}},filters:{enabled:function(a){return a.disabled===!1&&a.type!=="hidden"},disabled:function(a){return a.disabled===!0},checked:function(a){return a.checked===!0},selected:function(a){a.parentNode&&a.parentNode.selectedIndex;return a.selected===!0},parent:function(a){return!!a.firstChild},empty:function(a){return!a.firstChild},has:function(a,b,c){return!!k(c[3],a).length},header:function(a){return/h\d/i.test(a.nodeName)},text:function(a){var b=a.getAttribute("type"),c=a.type;return a.nodeName.toLowerCase()==="input"&&"text"===c&&(b===c||b===null)},radio:function(a){return a.nodeName.toLowerCase()==="input"&&"radio"===a.type},checkbox:function(a){return a.nodeName.toLowerCase()==="input"&&"checkbox"===a.type},file:function(a){return a.nodeName.toLowerCase()==="input"&&"file"===a.type},password:function(a){return a.nodeName.toLowerCase()==="input"&&"password"===a.type},submit:function(a){var b=a.nodeName.toLowerCase();return(b==="input"||b==="button")&&"submit"===a.type},image:function(a){return a.nodeName.toLowerCase()==="input"&&"image"===a.type},reset:function(a){var b=a.nodeName.toLowerCase();return(b==="input"||b==="button")&&"reset"===a.type},button:function(a){var b=a.nodeName.toLowerCase();return b==="input"&&"button"===a.type||b==="button"},input:function(a){return/input|select|textarea|button/i.test(a.nodeName)},focus:function(a){return a===a.ownerDocument.activeElement}},setFilters:{first:function(a,b){return b===0},last:function(a,b,c,d){return b===d.length-1},even:function(a,b){return b%2===0},odd:function(a,b){return b%2===1},lt:function(a,b,c){return b<c[3]-0},gt:function(a,b,c){return b>c[3]-0},nth:function(a,b,c){return c[3]-0===b},eq:function(a,b,c){return c[3]-0===b}},filter:{PSEUDO:function(a,b,c,d){var e=b[1],f=l.filters[e];if(f)return f(a,c,b,d);if(e==="contains")return(a.textContent||a.innerText||k.getText([a])||"").indexOf(b[3])>=0;if(e==="not"){var g=b[3];for(var h=0,i=g.length;h<i;h++)if(g[h]===a)return!1;return!0}k.error(e)},CHILD:function(a,b){var c=b[1],d=a;switch(c){case"only":case"first":while(d=d.previousSibling)if(d.nodeType===1)return!1;if(c==="first")return!0;d=a;case"last":while(d=d.nextSibling)if(d.nodeType===1)return!1;return!0;case"nth":var e=b[2],f=b[3];if(e===1&&f===0)return!0;var g=b[0],h=a.parentNode;if(h&&(h.sizcache!==g||!a.nodeIndex)){var i=0;for(d=h.firstChild;d;d=d.nextSibling)d.nodeType===1&&(d.nodeIndex=++i);h.sizcache=g}var j=a.nodeIndex-f;return e===0?j===0:j%e===0&&j/e>=0}},ID:function(a,b){return a.nodeType===1&&a.getAttribute("id")===b},TAG:function(a,b){return b==="*"&&a.nodeType===1||a.nodeName.toLowerCase()===b},CLASS:function(a,b){return(" "+(a.className||a.getAttribute("class"))+" ").indexOf(b)>-1},ATTR:function(a,b){var c=b[1],d=l.attrHandle[c]?l.attrHandle[c](a):a[c]!=null?a[c]:a.getAttribute(c),e=d+"",f=b[2],g=b[4];return d==null?f==="!=":f==="="?e===g:f==="*="?e.indexOf(g)>=0:f==="~="?(" "+e+" ").indexOf(g)>=0:g?f==="!="?e!==g:f==="^="?e.indexOf(g)===0:f==="$="?e.substr(e.length-g.length)===g:f==="|="?e===g||e.substr(0,g.length+1)===g+"-":!1:e&&d!==!1},POS:function(a,b,c,d){var e=b[2],f=l.setFilters[e];if(f)return f(a,c,b,d)}}},m=l.match.POS,n=function(a,b){return"\\"+(b-0+1)};for(var o in l.match)l.match[o]=new RegExp(l.match[o].source+/(?![^\[]*\])(?![^\(]*\))/.source),l.leftMatch[o]=new RegExp(/(^(?:.|\r|\n)*?)/.source+l.match[o].source.replace(/\\(\d+)/g,n));var p=function(a,b){a=Array.prototype.slice.call(a,0);if(b){b.push.apply(b,a);return b}return a};try{Array.prototype.slice.call(c.documentElement.childNodes,0)[0].nodeType}catch(q){p=function(a,b){var c=0,d=b||[];if(e.call(a)==="[object Array]")Array.prototype.push.apply(d,a);else if(typeof a.length=="number")for(var f=a.length;c<f;c++)d.push(a[c]);else for(;a[c];c++)d.push(a[c]);return d}}var r,s;c.documentElement.compareDocumentPosition?r=function(a,b){if(a===b){g=!0;return 0}if(!a.compareDocumentPosition||!b.compareDocumentPosition)return a.compareDocumentPosition?-1:1;return a.compareDocumentPosition(b)&4?-1:1}:(r=function(a,b){if(a===b){g=!0;return 0}if(a.sourceIndex&&b.sourceIndex)return a.sourceIndex-b.sourceIndex;var c,d,e=[],f=[],h=a.parentNode,i=b.parentNode,j=h;if(h===i)return s(a,b);if(!h)return-1;if(!i)return 1;while(j)e.unshift(j),j=j.parentNode;j=i;while(j)f.unshift(j),j=j.parentNode;c=e.length,d=f.length;for(var k=0;k<c&&k<d;k++)if(e[k]!==f[k])return s(e[k],f[k]);return k===c?s(a,f[k],-1):s(e[k],b,1)},s=function(a,b,c){if(a===b)return c;var d=a.nextSibling;while(d){if(d===b)return-1;d=d.nextSibling}return 1}),k.getText=function(a){var b="",c;for(var d=0;a[d];d++)c=a[d],c.nodeType===3||c.nodeType===4?b+=c.nodeValue:c.nodeType!==8&&(b+=k.getText(c.childNodes));return b},function(){var a=c.createElement("div"),d="script"+(new Date).getTime(),e=c.documentElement;a.innerHTML="<a name='"+d+"'/>",e.insertBefore(a,e.firstChild),c.getElementById(d)&&(l.find.ID=function(a,c,d){if(typeof c.getElementById!="undefined"&&!d){var e=c.getElementById(a[1]);return e?e.id===a[1]||typeof e.getAttributeNode!="undefined"&&e.getAttributeNode("id").nodeValue===a[1]?[e]:b:[]}},l.filter.ID=function(a,b){var c=typeof a.getAttributeNode!="undefined"&&a.getAttributeNode("id");return a.nodeType===1&&c&&c.nodeValue===b}),e.removeChild(a),e=a=null}(),function(){var a=c.createElement("div");a.appendChild(c.createComment("")),a.getElementsByTagName("*").length>0&&(l.find.TAG=function(a,b){var c=b.getElementsByTagName(a[1]);if(a[1]==="*"){var d=[];for(var e=0;c[e];e++)c[e].nodeType===1&&d.push(c[e]);c=d}return c}),a.innerHTML="<a href='#'></a>",a.firstChild&&typeof a.firstChild.getAttribute!="undefined"&&a.firstChild.getAttribute("href")!=="#"&&(l.attrHandle.href=function(a){return a.getAttribute("href",2)}),a=null}(),c.querySelectorAll&&function(){var a=k,b=c.createElement("div"),d="__sizzle__";b.innerHTML="<p class='TEST'></p>";if(!b.querySelectorAll||b.querySelectorAll(".TEST").length!==0){k=function(b,e,f,g){e=e||c;if(!g&&!k.isXML(e)){var h=/^(\w+$)|^\.([\w\-]+$)|^#([\w\-]+$)/.exec(b);if(h&&(e.nodeType===1||e.nodeType===9)){if(h[1])return p(e.getElementsByTagName(b),f);if(h[2]&&l.find.CLASS&&e.getElementsByClassName)return p(e.getElementsByClassName(h[2]),f)}if(e.nodeType===9){if(b==="body"&&e.body)return p([e.body],f);if(h&&h[3]){var i=e.getElementById(h[3]);if(!i||!i.parentNode)return p([],f);if(i.id===h[3])return p([i],f)}try{return p(e.querySelectorAll(b),f)}catch(j){}}else if(e.nodeType===1&&e.nodeName.toLowerCase()!=="object"){var m=e,n=e.getAttribute("id"),o=n||d,q=e.parentNode,r=/^\s*[+~]/.test(b);n?o=o.replace(/'/g,"\\$&"):e.setAttribute("id",o),r&&q&&(e=e.parentNode);try{if(!r||q)return p(e.querySelectorAll("[id='"+o+"'] "+b),f)}catch(s){}finally{n||m.removeAttribute("id")}}}return a(b,e,f,g)};for(var e in a)k[e]=a[e];b=null}}(),function(){var a=c.documentElement,b=a.matchesSelector||a.mozMatchesSelector||a.webkitMatchesSelector||a.msMatchesSelector;if(b){var d=!b.call(c.createElement("div"),"div"),e=!1;try{b.call(c.documentElement,"[test!='']:sizzle")}catch(f){e=!0}k.matchesSelector=function(a,c){c=c.replace(/\=\s*([^'"\]]*)\s*\]/g,"='$1']");if(!k.isXML(a))try{if(e||!l.match.PSEUDO.test(c)&&!/!=/.test(c)){var f=b.call(a,c);if(f||!d||a.document&&a.document.nodeType!==11)return f}}catch(g){}return k(c,null,null,[a]).length>0}}}(),function(){var a=c.createElement("div");a.innerHTML="<div class='test e'></div><div class='test'></div>";if(!!a.getElementsByClassName&&a.getElementsByClassName("e").length!==0){a.lastChild.className="e";if(a.getElementsByClassName("e").length===1)return;l.order.splice(1,0,"CLASS"),l.find.CLASS=function(a,b,c){if(typeof b.getElementsByClassName!="undefined"&&!c)return b.getElementsByClassName(a[1])},a=null}}(),c.documentElement.contains?k.contains=function(a,b){return a!==b&&(a.contains?a.contains(b):!0)}:c.documentElement.compareDocumentPosition?k.contains=function(a,b){return!!(a.compareDocumentPosition(b)&16)}:k.contains=function(){return!1},k.isXML=function(a){var b=(a?a.ownerDocument||a:0).documentElement;return b?b.nodeName!=="HTML":!1};var v=function(a,b){var c,d=[],e="",f=b.nodeType?[b]:b;while(c=l.match.PSEUDO.exec(a))e+=c[0],a=a.replace(l.match.PSEUDO,"");a=l.relative[a]?a+"*":a;for(var g=0,h=f.length;g<h;g++)k(a,f[g],d);return k.filter(e,d)};f.find=k,f.expr=k.selectors,f.expr[":"]=f.expr.filters,f.unique=k.uniqueSort,f.text=k.getText,f.isXMLDoc=k.isXML,f.contains=k.contains}();var O=/Until$/,P=/^(?:parents|prevUntil|prevAll)/,Q=/,/,R=/^.[^:#\[\.,]*$/,S=Array.prototype.slice,T=f.expr.match.POS,U={children:!0,contents:!0,next:!0,prev:!0};f.fn.extend({find:function(a){var b=this,c,d;if(typeof a!="string")return f(a).filter(function(){for(c=0,d=b.length;c<d;c++)if(f.contains(b[c],this))return!0});var e=this.pushStack("","find",a),g,h,i;for(c=0,d=this.length;c<d;c++){g=e.length,f.find(a,this[c],e);if(c>0)for(h=g;h<e.length;h++)for(i=0;i<g;i++)if(e[i]===e[h]){e.splice(h--,1);break}}return e},has:function(a){var b=f(a);return this.filter(function(){for(var a=0,c=b.length;a<c;a++)if(f.contains(this,b[a]))return!0})},not:function(a){return this.pushStack(W(this,a,!1),"not",a)},filter:function(a){return this.pushStack(W(this,a,!0),"filter",a)},is:function(a){return!!a&&(typeof a=="string"?f.filter(a,this).length>0:this.filter(a).length>0)},closest:function(a,b){var c=[],d,e,g=this[0];if(f.isArray(a)){var h,i,j={},k=1;if(g&&a.length){for(d=0,e=a.length;d<e;d++)i=a[d],j[i]||(j[i]=T.test(i)?f(i,b||this.context):i);while(g&&g.ownerDocument&&g!==b){for(i in j)h=j[i],(h.jquery?h.index(g)>-1:f(g).is(h))&&c.push({selector:i,elem:g,level:k});g=g.parentNode,k++}}return c}var l=T.test(a)||typeof a!="string"?f(a,b||this.context):0;for(d=0,e=this.length;d<e;d++){g=this[d];while(g){if(l?l.index(g)>-1:f.find.matchesSelector(g,a)){c.push(g);break}g=g.parentNode;if(!g||!g.ownerDocument||g===b||g.nodeType===11)break}}c=c.length>1?f.unique(c):c;return this.pushStack(c,"closest",a)},index:function(a){if(!a||typeof a=="string")return f.inArray(this[0],a?f(a):this.parent().children());return f.inArray(a.jquery?a[0]:a,this)},add:function(a,b){var c=typeof a=="string"?f(a,b):f.makeArray(a&&a.nodeType?[a]:a),d=f.merge(this.get(),c);return this.pushStack(V(c[0])||V(d[0])?d:f.unique(d))},andSelf:function(){return this.add(this.prevObject)}}),f.each({parent:function(a){var b=a.parentNode;return b&&b.nodeType!==11?b:null},parents:function(a){return f.dir(a,"parentNode")},parentsUntil:function(a,b,c){return f.dir(a,"parentNode",c)},next:function(a){return f.nth(a,2,"nextSibling")},prev:function(a){return f.nth(a,2,"previousSibling")},nextAll:function(a){return f.dir(a,"nextSibling")},prevAll:function(a){return f.dir(a,"previousSibling")},nextUntil:function(a,b,c){return f.dir(a,"nextSibling",c)},prevUntil:function(a,b,c){return f.dir(a,"previousSibling",c)},siblings:function(a){return f.sibling(a.parentNode.firstChild,a)},children:function(a){return f.sibling(a.firstChild)},contents:function(a){return f.nodeName(a,"iframe")?a.contentDocument||a.contentWindow.document:f.makeArray(a.childNodes)}},function(a,b){f.fn[a]=function(c,d){var e=f.map(this,b,c),g=S.call(arguments);O.test(a)||(d=c),d&&typeof d=="string"&&(e=f.filter(d,e)),e=this.length>1&&!U[a]?f.unique(e):e,(this.length>1||Q.test(d))&&P.test(a)&&(e=e.reverse());return this.pushStack(e,a,g.join(","))}}),f.extend({filter:function(a,b,c){c&&(a=":not("+a+")");return b.length===1?f.find.matchesSelector(b[0],a)?[b[0]]:[]:f.find.matches(a,b)},dir:function(a,c,d){var e=[],g=a[c];while(g&&g.nodeType!==9&&(d===b||g.nodeType!==1||!f(g).is(d)))g.nodeType===1&&e.push(g),g=g[c];return e},nth:function(a,b,c,d){b=b||1;var e=0;for(;a;a=a[c])if(a.nodeType===1&&++e===b)break;return a},sibling:function(a,b){var c=[];for(;a;a=a.nextSibling)a.nodeType===1&&a!==b&&c.push(a);return c}});var X=/ jQuery\d+="(?:\d+|null)"/g,Y=/^\s+/,Z=/<(?!area|br|col|embed|hr|img|input|link|meta|param)(([\w:]+)[^>]*)\/>/ig,$=/<([\w:]+)/,_=/<tbody/i,ba=/<|&#?\w+;/,bb=/<(?:script|object|embed|option|style)/i,bc=/checked\s*(?:[^=]|=\s*.checked.)/i,bd=/\/(java|ecma)script/i,be=/^\s*<!(?:\[CDATA\[|\-\-)/,bf={option:[1,"<select multiple='multiple'>","</select>"],legend:[1,"<fieldset>","</fieldset>"],thead:[1,"<table>","</table>"],tr:[2,"<table><tbody>","</tbody></table>"],td:[3,"<table><tbody><tr>","</tr></tbody></table>"],col:[2,"<table><tbody></tbody><colgroup>","</colgroup></table>"],area:[1,"<map>","</map>"],_default:[0,"",""]};bf.optgroup=bf.option,bf.tbody=bf.tfoot=bf.colgroup=bf.caption=bf.thead,bf.th=bf.td,f.support.htmlSerialize||(bf._default=[1,"div<div>","</div>"]),f.fn.extend({text:function(a){if(f.isFunction(a))return this.each(function(b){var c=f(this);c.text(a.call(this,b,c.text()))});if(typeof a!="object"&&a!==b)return this.empty().append((this[0]&&this[0].ownerDocument||c).createTextNode(a));return f.text(this)},wrapAll:function(a){if(f.isFunction(a))return this.each(function(b){f(this).wrapAll(a.call(this,b))});if(this[0]){var b=f(a,this[0].ownerDocument).eq(0).clone(!0);this[0].parentNode&&b.insertBefore(this[0]),b.map(function(){var a=this;while(a.firstChild&&a.firstChild.nodeType===1)a=a.firstChild;return a}).append(this)}return this},wrapInner:function(a){if(f.isFunction(a))return this.each(function(b){f(this).wrapInner(a.call(this,b))});return this.each(function(){var b=f(this),c=b.contents();c.length?c.wrapAll(a):b.append(a)})},wrap:function(a){return this.each(function(){f(this).wrapAll(a)})},unwrap:function(){return this.parent().each(function(){f.nodeName(this,"body")||f(this).replaceWith(this.childNodes)}).end()},append:function(){return this.domManip(arguments,!0,function(a){this.nodeType===1&&this.appendChild(a)})},prepend:function(){return this.domManip(arguments,!0,function(a){this.nodeType===1&&this.insertBefore(a,this.firstChild)})},before:function(){if(this[0]&&this[0].parentNode)return this.domManip(arguments,!1,function(a){this.parentNode.insertBefore(a,this)});if(arguments.length){var a=f(arguments[0]);a.push.apply(a,this.toArray());return this.pushStack(a,"before",arguments)}},after:function(){if(this[0]&&this[0].parentNode)return this.domManip(arguments,!1,function(a){this.parentNode.insertBefore(a,this.nextSibling)});if(arguments.length){var a=this.pushStack(this,"after",arguments);a.push.apply(a,f(arguments[0]).toArray());return a}},remove:function(a,b){for(var c=0,d;(d=this[c])!=null;c++)if(!a||f.filter(a,[d]).length)!b&&d.nodeType===1&&(f.cleanData(d.getElementsByTagName("*")),f.cleanData([d])),d.parentNode&&d.parentNode.removeChild(d);return this},empty:function(){for(var a=0,b;(b=this[a])!=null;a++){b.nodeType===1&&f.cleanData(b.getElementsByTagName("*"));while(b.firstChild)b.removeChild(b.firstChild)}return this},clone:function(a,b){a=a==null?!1:a,b=b==null?a:b;return this.map(function(){return f.clone(this,a,b)})},html:function(a){if(a===b)return this[0]&&this[0].nodeType===1?this[0].innerHTML.replace(X,""):null;if(typeof a=="string"&&!bb.test(a)&&(f.support.leadingWhitespace||!Y.test(a))&&!bf[($.exec(a)||["",""])[1].toLowerCase()]){a=a.replace(Z,"<$1></$2>");try{for(var c=0,d=this.length;c<d;c++)this[c].nodeType===1&&(f.cleanData(this[c].getElementsByTagName("*")),this[c].innerHTML=a)}catch(e){this.empty().append(a)}}else f.isFunction(a)?this.each(function(b){var c=f(this);c.html(a.call(this,b,c.html()))}):this.empty().append(a);return this},replaceWith:function(a){if(this[0]&&this[0].parentNode){if(f.isFunction(a))return this.each(function(b){var c=f(this),d=c.html();c.replaceWith(a.call(this,b,d))});typeof a!="string"&&(a=f(a).detach());return this.each(function(){var b=this.nextSibling,c=this.parentNode;f(this).remove(),b?f(b).before(a):f(c).append(a)})}return this.length?this.pushStack(f(f.isFunction(a)?a():a),"replaceWith",a):this},detach:function(a){return this.remove(a,!0)},domManip:function(a,c,d){var e,g,h,i,j=a[0],k=[];if(!f.support.checkClone&&arguments.length===3&&typeof j=="string"&&bc.test(j))return this.each(function(){f(this).domManip(a,c,d,!0)});if(f.isFunction(j))return this.each(function(e){var g=f(this);a[0]=j.call(this,e,c?g.html():b),g.domManip(a,c,d)});if(this[0]){i=j&&j.parentNode,f.support.parentNode&&i&&i.nodeType===11&&i.childNodes.length===this.length?e={fragment:i}:e=f.buildFragment(a,this,k),h=e.fragment,h.childNodes.length===1?g=h=h.firstChild:g=h.firstChild;if(g){c=c&&f.nodeName(g,"tr");for(var l=0,m=this.length,n=m-1;l<m;l++)d.call(c?bg(this[l],g):this[l],e.cacheable||m>1&&l<n?f.clone(h,!0,!0):h)}k.length&&f.each(k,bm)}return this}}),f.buildFragment=function(a,b,d){var e,g,h,i;b&&b[0]&&(i=b[0].ownerDocument||b[0]),i.createDocumentFragment||(i=c),a.length===1&&typeof a[0]=="string"&&a[0].length<512&&i===c&&a[0].charAt(0)==="<"&&!bb.test(a[0])&&(f.support.checkClone||!bc.test(a[0]))&&(g=!0,h=f.fragments[a[0]],h&&h!==1&&(e=h)),e||(e=i.createDocumentFragment(),f.clean(a,i,e,d)),g&&(f.fragments[a[0]]=h?e:1);return{fragment:e,cacheable:g}},f.fragments={},f.each({appendTo:"append",prependTo:"prepend",insertBefore:"before",insertAfter:"after",replaceAll:"replaceWith"},function(a,b){f.fn[a]=function(c){var d=[],e=f(c),g=this.length===1&&this[0].parentNode;if(g&&g.nodeType===11&&g.childNodes.length===1&&e.length===1){e[b](this[0]);return this}for(var h=0,i=e.length;h<i;h++){var j=(h>0?this.clone(!0):this).get();f(e[h])[b](j),d=d.concat(j )}return this.pushStack(d,a,e.selector)}}),f.extend({clone:function(a,b,c){var d=a.cloneNode(!0),e,g,h;if((!f.support.noCloneEvent||!f.support.noCloneChecked)&&(a.nodeType===1||a.nodeType===11)&&!f.isXMLDoc(a)){bi(a,d),e=bj(a),g=bj(d);for(h=0;e[h];++h)bi(e[h],g[h])}if(b){bh(a,d);if(c){e=bj(a),g=bj(d);for(h=0;e[h];++h)bh(e[h],g[h])}}e=g=null;return d},clean:function(a,b,d,e){var g;b=b||c,typeof b.createElement=="undefined"&&(b=b.ownerDocument||b[0]&&b[0].ownerDocument||c);var h=[],i;for(var j=0,k;(k=a[j])!=null;j++){typeof k=="number"&&(k+="");if(!k)continue;if(typeof k=="string")if(!ba.test(k))k=b.createTextNode(k);else{k=k.replace(Z,"<$1></$2>");var l=($.exec(k)||["",""])[1].toLowerCase(),m=bf[l]||bf._default,n=m[0],o=b.createElement("div");o.innerHTML=m[1]+k+m[2];while(n--)o=o.lastChild;if(!f.support.tbody){var p=_.test(k),q=l==="table"&&!p?o.firstChild&&o.firstChild.childNodes:m[1]==="<table>"&&!p?o.childNodes:[];for(i=q.length-1;i>=0;--i)f.nodeName(q[i],"tbody")&&!q[i].childNodes.length&&q[i].parentNode.removeChild(q[i])}!f.support.leadingWhitespace&&Y.test(k)&&o.insertBefore(b.createTextNode(Y.exec(k)[0]),o.firstChild),k=o.childNodes}var r;if(!f.support.appendChecked)if(k[0]&&typeof (r=k.length)=="number")for(i=0;i<r;i++)bl(k[i]);else bl(k);k.nodeType?h.push(k):h=f.merge(h,k)}if(d){g=function(a){return!a.type||bd.test(a.type)};for(j=0;h[j];j++)if(e&&f.nodeName(h[j],"script")&&(!h[j].type||h[j].type.toLowerCase()==="text/javascript"))e.push(h[j].parentNode?h[j].parentNode.removeChild(h[j]):h[j]);else{if(h[j].nodeType===1){var s=f.grep(h[j].getElementsByTagName("script"),g);h.splice.apply(h,[j+1,0].concat(s))}d.appendChild(h[j])}}return h},cleanData:function(a){var b,c,d=f.cache,e=f.expando,g=f.event.special,h=f.support.deleteExpando;for(var i=0,j;(j=a[i])!=null;i++){if(j.nodeName&&f.noData[j.nodeName.toLowerCase()])continue;c=j[f.expando];if(c){b=d[c]&&d[c][e];if(b&&b.events){for(var k in b.events)g[k]?f.event.remove(j,k):f.removeEvent(j,k,b.handle);b.handle&&(b.handle.elem=null)}h?delete j[f.expando]:j.removeAttribute&&j.removeAttribute(f.expando),delete d[c]}}}});var bn=/alpha\([^)]*\)/i,bo=/opacity=([^)]*)/,bp=/([A-Z]|^ms)/g,bq=/^-?\d+(?:px)?$/i,br=/^-?\d/,bs=/^[+\-]=/,bt=/[^+\-\.\de]+/g,bu={position:"absolute",visibility:"hidden",display:"block"},bv=["Left","Right"],bw=["Top","Bottom"],bx,by,bz;f.fn.css=function(a,c){if(arguments.length===2&&c===b)return this;return f.access(this,a,c,!0,function(a,c,d){return d!==b?f.style(a,c,d):f.css(a,c)})},f.extend({cssHooks:{opacity:{get:function(a,b){if(b){var c=bx(a,"opacity","opacity");return c===""?"1":c}return a.style.opacity}}},cssNumber:{fillOpacity:!0,fontWeight:!0,lineHeight:!0,opacity:!0,orphans:!0,widows:!0,zIndex:!0,zoom:!0},cssProps:{"float":f.support.cssFloat?"cssFloat":"styleFloat"},style:function(a,c,d,e){if(!!a&&a.nodeType!==3&&a.nodeType!==8&&!!a.style){var g,h,i=f.camelCase(c),j=a.style,k=f.cssHooks[i];c=f.cssProps[i]||i;if(d===b){if(k&&"get"in k&&(g=k.get(a,!1,e))!==b)return g;return j[c]}h=typeof d;if(h==="number"&&isNaN(d)||d==null)return;h==="string"&&bs.test(d)&&(d=+d.replace(bt,"")+parseFloat(f.css(a,c)),h="number"),h==="number"&&!f.cssNumber[i]&&(d+="px");if(!k||!("set"in k)||(d=k.set(a,d))!==b)try{j[c]=d}catch(l){}}},css:function(a,c,d){var e,g;c=f.camelCase(c),g=f.cssHooks[c],c=f.cssProps[c]||c,c==="cssFloat"&&(c="float");if(g&&"get"in g&&(e=g.get(a,!0,d))!==b)return e;if(bx)return bx(a,c)},swap:function(a,b,c){var d={};for(var e in b)d[e]=a.style[e],a.style[e]=b[e];c.call(a);for(e in b)a.style[e]=d[e]}}),f.curCSS=f.css,f.each(["height","width"],function(a,b){f.cssHooks[b]={get:function(a,c,d){var e;if(c){if(a.offsetWidth!==0)return bA(a,b,d);f.swap(a,bu,function(){e=bA(a,b,d)});return e}},set:function(a,b){if(!bq.test(b))return b;b=parseFloat(b);if(b>=0)return b+"px"}}}),f.support.opacity||(f.cssHooks.opacity={get:function(a,b){return bo.test((b&&a.currentStyle?a.currentStyle.filter:a.style.filter)||"")?parseFloat(RegExp.$1)/100+"":b?"1":""},set:function(a,b){var c=a.style,d=a.currentStyle;c.zoom=1;var e=f.isNaN(b)?"":"alpha(opacity="+b*100+")",g=d&&d.filter||c.filter||"";c.filter=bn.test(g)?g.replace(bn,e):g+" "+e}}),f(function(){f.support.reliableMarginRight||(f.cssHooks.marginRight={get:function(a,b){var c;f.swap(a,{display:"inline-block"},function(){b?c=bx(a,"margin-right","marginRight"):c=a.style.marginRight});return c}})}),c.defaultView&&c.defaultView.getComputedStyle&&(by=function(a,c){var d,e,g;c=c.replace(bp,"-$1").toLowerCase();if(!(e=a.ownerDocument.defaultView))return b;if(g=e.getComputedStyle(a,null))d=g.getPropertyValue(c),d===""&&!f.contains(a.ownerDocument.documentElement,a)&&(d=f.style(a,c));return d}),c.documentElement.currentStyle&&(bz=function(a,b){var c,d=a.currentStyle&&a.currentStyle[b],e=a.runtimeStyle&&a.runtimeStyle[b],f=a.style;!bq.test(d)&&br.test(d)&&(c=f.left,e&&(a.runtimeStyle.left=a.currentStyle.left),f.left=b==="fontSize"?"1em":d||0,d=f.pixelLeft+"px",f.left=c,e&&(a.runtimeStyle.left=e));return d===""?"auto":d}),bx=by||bz,f.expr&&f.expr.filters&&(f.expr.filters.hidden=function(a){var b=a.offsetWidth,c=a.offsetHeight;return b===0&&c===0||!f.support.reliableHiddenOffsets&&(a.style.display||f.css(a,"display"))==="none"},f.expr.filters.visible=function(a){return!f.expr.filters.hidden(a)});var bB=/%20/g,bC=/\[\]$/,bD=/\r?\n/g,bE=/#.*$/,bF=/^(.*?):[ \t]*([^\r\n]*)\r?$/mg,bG=/^(?:color|date|datetime|email|hidden|month|number|password|range|search|tel|text|time|url|week)$/i,bH=/^(?:about|app|app\-storage|.+\-extension|file|widget):$/,bI=/^(?:GET|HEAD)$/,bJ=/^\/\//,bK=/\?/,bL=/<script\b[^<]*(?:(?!<\/script>)<[^<]*)*<\/script>/gi,bM=/^(?:select|textarea)/i,bN=/\s+/,bO=/([?&])_=[^&]*/,bP=/^([\w\+\.\-]+:)(?:\/\/([^\/?#:]*)(?::(\d+))?)?/,bQ=f.fn.load,bR={},bS={},bT,bU;try{bT=e.href}catch(bV){bT=c.createElement("a"),bT.href="",bT=bT.href}bU=bP.exec(bT.toLowerCase())||[],f.fn.extend({load:function(a,c,d){if(typeof a!="string"&&bQ)return bQ.apply(this,arguments);if(!this.length)return this;var e=a.indexOf(" ");if(e>=0){var g=a.slice(e,a.length);a=a.slice(0,e)}var h="GET";c&&(f.isFunction(c)?(d=c,c=b):typeof c=="object"&&(c=f.param(c,f.ajaxSettings.traditional),h="POST"));var i=this;f.ajax({url:a,type:h,dataType:"html",data:c,complete:function(a,b,c){c=a.responseText,a.isResolved()&&(a.done(function(a){c=a}),i.html(g?f("<div>").append(c.replace(bL,"")).find(g):c)),d&&i.each(d,[c,b,a])}});return this},serialize:function(){return f.param(this.serializeArray())},serializeArray:function(){return this.map(function(){return this.elements?f.makeArray(this.elements):this}).filter(function(){return this.name&&!this.disabled&&(this.checked||bM.test(this.nodeName)||bG.test(this.type))}).map(function(a,b){var c=f(this).val();return c==null?null:f.isArray(c)?f.map(c,function(a,c){return{name:b.name,value:a.replace(bD,"\r\n")}}):{name:b.name,value:c.replace(bD,"\r\n")}}).get()}}),f.each("ajaxStart ajaxStop ajaxComplete ajaxError ajaxSuccess ajaxSend".split(" "),function(a,b){f.fn[b]=function(a){return this.bind(b,a)}}),f.each(["get","post"],function(a,c){f[c]=function(a,d,e,g){f.isFunction(d)&&(g=g||e,e=d,d=b);return f.ajax({type:c,url:a,data:d,success:e,dataType:g})}}),f.extend({getScript:function(a,c){return f.get(a,b,c,"script")},getJSON:function(a,b,c){return f.get(a,b,c,"json")},ajaxSetup:function(a,b){b?f.extend(!0,a,f.ajaxSettings,b):(b=a,a=f.extend(!0,f.ajaxSettings,b));for(var c in{context:1,url:1})c in b?a[c]=b[c]:c in f.ajaxSettings&&(a[c]=f.ajaxSettings[c]);return a},ajaxSettings:{url:bT,isLocal:bH.test(bU[1]),global:!0,type:"GET",contentType:"application/x-www-form-urlencoded",processData:!0,async:!0,accepts:{xml:"application/xml, text/xml",html:"text/html",text:"text/plain",json:"application/json, text/javascript","*":"*/*"},contents:{xml:/xml/,html:/html/,json:/json/},responseFields:{xml:"responseXML",text:"responseText"},converters:{"* text":a.String,"text html":!0,"text json":f.parseJSON,"text xml":f.parseXML}},ajaxPrefilter:bW(bR),ajaxTransport:bW(bS),ajax:function(a,c){function w(a,c,l,m){if(s!==2){s=2,q&&clearTimeout(q),p=b,n=m||"",v.readyState=a?4:0;var o,r,u,w=l?bZ(d,v,l):b,x,y;if(a>=200&&a<300||a===304){if(d.ifModified){if(x=v.getResponseHeader("Last-Modified"))f.lastModified[k]=x;if(y=v.getResponseHeader("Etag"))f.etag[k]=y}if(a===304)c="notmodified",o=!0;else try{r=b$(d,w),c="success",o=!0}catch(z){c="parsererror",u=z}}else{u=c;if(!c||a)c="error",a<0&&(a=0)}v.status=a,v.statusText=c,o?h.resolveWith(e,[r,c,v]):h.rejectWith(e,[v,c,u]),v.statusCode(j),j=b,t&&g.trigger("ajax"+(o?"Success":"Error"),[v,d,o?r:u]),i.resolveWith(e,[v,c]),t&&(g.trigger("ajaxComplete",[v,d]),--f.active||f.event.trigger("ajaxStop"))}}typeof a=="object"&&(c=a,a=b),c=c||{};var d=f.ajaxSetup({},c),e=d.context||d,g=e!==d&&(e.nodeType||e instanceof f)?f(e):f.event,h=f.Deferred(),i=f._Deferred(),j=d.statusCode||{},k,l={},m={},n,o,p,q,r,s=0,t,u,v={readyState:0,setRequestHeader:function(a,b){if(!s){var c=a.toLowerCase();a=m[c]=m[c]||a,l[a]=b}return this},getAllResponseHeaders:function(){return s===2?n:null},getResponseHeader:function(a){var c;if(s===2){if(!o){o={};while(c=bF.exec(n))o[c[1].toLowerCase()]=c[2]}c=o[a.toLowerCase()]}return c===b?null:c},overrideMimeType:function(a){s||(d.mimeType=a);return this},abort:function(a){a=a||"abort",p&&p.abort(a),w(0,a);return this}};h.promise(v),v.success=v.done,v.error=v.fail,v.complete=i.done,v.statusCode=function(a){if(a){var b;if(s<2)for(b in a)j[b]=[j[b],a[b]];else b=a[v.status],v.then(b,b)}return this},d.url=((a||d.url)+"").replace(bE,"").replace(bJ,bU[1]+"//"),d.dataTypes=f.trim(d.dataType||"*").toLowerCase().split(bN),d.crossDomain==null&&(r=bP.exec(d.url.toLowerCase()),d.crossDomain=!(!r||r[1]==bU[1]&&r[2]==bU[2]&&(r[3]||(r[1]==="http:"?80:443))==(bU[3]||(bU[1]==="http:"?80:443)))),d.data&&d.processData&&typeof d.data!="string"&&(d.data=f.param(d.data,d.traditional)),bX(bR,d,c,v);if(s===2)return!1;t=d.global,d.type=d.type.toUpperCase(),d.hasContent=!bI.test(d.type),t&&f.active++===0&&f.event.trigger("ajaxStart");if(!d.hasContent){d.data&&(d.url+=(bK.test(d.url)?"&":"?")+d.data),k=d.url;if(d.cache===!1){var x=f.now(),y=d.url.replace(bO,"$1_="+x);d.url=y+(y===d.url?(bK.test(d.url)?"&":"?")+"_="+x:"")}}(d.data&&d.hasContent&&d.contentType!==!1||c.contentType)&&v.setRequestHeader("Content-Type",d.contentType),d.ifModified&&(k=k||d.url,f.lastModified[k]&&v.setRequestHeader("If-Modified-Since",f.lastModified[k]),f.etag[k]&&v.setRequestHeader("If-None-Match",f.etag[k])),v.setRequestHeader("Accept",d.dataTypes[0]&&d.accepts[d.dataTypes[0]]?d.accepts[d.dataTypes[0]]+(d.dataTypes[0]!=="*"?", */*; q=0.01":""):d.accepts["*"]);for(u in d.headers)v.setRequestHeader(u,d.headers[u]);if(d.beforeSend&&(d.beforeSend.call(e,v,d)===!1||s===2)){v.abort();return!1}for(u in{success:1,error:1,complete:1})v[u](d[u]);p=bX(bS,d,c,v);if(!p)w(-1,"No Transport");else{v.readyState=1,t&&g.trigger("ajaxSend",[v,d]),d.async&&d.timeout>0&&(q=setTimeout(function(){v.abort("timeout")},d.timeout));try{s=1,p.send(l,w)}catch(z){status<2?w(-1,z):f.error(z)}}return v},param:function(a,c){var d=[],e=function(a,b){b=f.isFunction(b)?b():b,d[d.length]=encodeURIComponent(a)+"="+encodeURIComponent(b)};c===b&&(c=f.ajaxSettings.traditional);if(f.isArray(a)||a.jquery&&!f.isPlainObject(a))f.each(a,function(){e(this.name,this.value)});else for(var g in a)bY(g,a[g],c,e);return d.join("&").replace(bB,"+")}}),f.extend({active:0,lastModified:{},etag:{}});var b_=f.now(),ca=/(\=)\?(&|$)|\?\?/i;f.ajaxSetup({jsonp:"callback",jsonpCallback:function(){return f.expando+"_"+b_++}}),f.ajaxPrefilter("json jsonp",function(b,c,d){var e=b.contentType==="application/x-www-form-urlencoded"&&typeof b.data=="string";if(b.dataTypes[0]==="jsonp"||b.jsonp!==!1&&(ca.test(b.url)||e&&ca.test(b.data))){var g,h=b.jsonpCallback=f.isFunction(b.jsonpCallback)?b.jsonpCallback():b.jsonpCallback,i=a[h],j=b.url,k=b.data,l="$1"+h+"$2";b.jsonp!==!1&&(j=j.replace(ca,l),b.url===j&&(e&&(k=k.replace(ca,l)),b.data===k&&(j+=(/\?/.test(j)?"&":"?")+b.jsonp+"="+h))),b.url=j,b.data=k,a[h]=function(a){g=[a]},d.always(function(){a[h]=i,g&&f.isFunction(i)&&a[h](g[0])}),b.converters["script json"]=function(){g||f.error(h+" was not called");return g[0]},b.dataTypes[0]="json";return"script"}}),f.ajaxSetup({accepts:{script:"text/javascript, application/javascript, application/ecmascript, application/x-ecmascript"},contents:{script:/javascript|ecmascript/},converters:{"text script":function(a){f.globalEval(a);return a}}}),f.ajaxPrefilter("script",function(a){a.cache===b&&(a.cache=!1),a.crossDomain&&(a.type="GET",a.global=!1)}),f.ajaxTransport("script",function(a){if(a.crossDomain){var d,e=c.head||c.getElementsByTagName("head")[0]||c.documentElement;return{send:function(f,g){d=c.createElement("script"),d.async="async",a.scriptCharset&&(d.charset=a.scriptCharset),d.src=a.url,d.onload=d.onreadystatechange=function(a,c){if(c||!d.readyState||/loaded|complete/.test(d.readyState))d.onload=d.onreadystatechange=null,e&&d.parentNode&&e.removeChild(d),d=b,c||g(200,"success")},e.insertBefore(d,e.firstChild)},abort:function(){d&&d.onload(0,1)}}}});var cb=a.ActiveXObject?function(){for(var a in cd)cd[a](0,1)}:!1,cc=0,cd;f.ajaxSettings.xhr=a.ActiveXObject?function(){return!this.isLocal&&ce()||cf()}:ce,function(a){f.extend(f.support,{ajax:!!a,cors:!!a&&"withCredentials"in a})}(f.ajaxSettings.xhr()),f.support.ajax&&f.ajaxTransport(function(c){if(!c.crossDomain||f.support.cors){var d;return{send:function(e,g){var h=c.xhr(),i,j;c.username?h.open(c.type,c.url,c.async,c.username,c.password):h.open(c.type,c.url,c.async);if(c.xhrFields)for(j in c.xhrFields)h[j]=c.xhrFields[j];c.mimeType&&h.overrideMimeType&&h.overrideMimeType(c.mimeType),!c.crossDomain&&!e["X-Requested-With"]&&(e["X-Requested-With"]="XMLHttpRequest");try{for(j in e)h.setRequestHeader(j,e[j])}catch(k){}h.send(c.hasContent&&c.data||null),d=function(a,e){var j,k,l,m,n;try{if(d&&(e||h.readyState===4)){d=b,i&&(h.onreadystatechange=f.noop,cb&&delete cd[i]);if(e)h.readyState!==4&&h.abort();else{j=h.status,l=h.getAllResponseHeaders(),m={},n=h.responseXML,n&&n.documentElement&&(m.xml=n),m.text=h.responseText;try{k=h.statusText}catch(o){k=""}!j&&c.isLocal&&!c.crossDomain?j=m.text?200:404:j===1223&&(j=204)}}}catch(p){e||g(-1,p)}m&&g(j,k,m,l)},!c.async||h.readyState===4?d():(i=++cc,cb&&(cd||(cd={},f(a).unload(cb)),cd[i]=d),h.onreadystatechange=d)},abort:function(){d&&d(0,1)}}}});var cg={},ch,ci,cj=/^(?:toggle|show|hide)$/,ck=/^([+\-]=)?([\d+.\-]+)([a-z%]*)$/i,cl,cm=[["height","marginTop","marginBottom","paddingTop","paddingBottom"],["width","marginLeft","marginRight","paddingLeft","paddingRight"],["opacity"]],cn,co=a.webkitRequestAnimationFrame||a.mozRequestAnimationFrame||a.oRequestAnimationFrame;f.fn.extend({show:function(a,b,c){var d,e;if(a||a===0)return this.animate(cr("show",3),a,b,c);for(var g=0,h=this.length;g<h;g++)d=this[g],d.style&&(e=d.style.display,!f._data(d,"olddisplay")&&e==="none"&&(e=d.style.display=""),e===""&&f.css(d,"display")==="none"&&f._data(d,"olddisplay",cs(d.nodeName)));for(g=0;g<h;g++){d=this[g];if(d.style){e=d.style.display;if(e===""||e==="none")d.style.display=f._data(d,"olddisplay")||""}}return this},hide:function(a,b,c){if(a||a===0)return this.animate(cr("hide",3),a,b,c);for(var d=0,e=this.length;d<e;d++)if(this[d].style){var g=f.css(this[d],"display");g!=="none"&&!f._data(this[d],"olddisplay")&&f._data(this[d],"olddisplay",g)}for(d=0;d<e;d++)this[d].style&&(this[d].style.display="none");return this},_toggle:f.fn.toggle,toggle:function(a,b,c){var d=typeof a=="boolean";f.isFunction(a)&&f.isFunction(b)?this._toggle.apply(this,arguments):a==null||d?this.each(function(){var b=d?a:f(this).is(":hidden");f(this)[b?"show":"hide"]()}):this.animate(cr("toggle",3),a,b,c);return this},fadeTo:function(a,b,c,d){return this.filter(":hidden").css("opacity",0).show().end().animate({opacity:b},a,c,d)},animate:function(a,b,c,d){var e=f.speed(b,c,d);if(f.isEmptyObject(a))return this.each(e.complete,[!1]);a=f.extend({},a);return this[e.queue===!1?"each":"queue"](function(){e.queue===!1&&f._mark(this);var b=f.extend({},e),c=this.nodeType===1,d=c&&f(this).is(":hidden"),g,h,i,j,k,l,m,n,o;b.animatedProperties={};for(i in a){g=f.camelCase(i),i!==g&&(a[g]=a[i],delete a[i]),h=a[g],f.isArray(h)?(b.animatedProperties[g]=h[1],h=a[g]=h[0]):b.animatedProperties[g]=b.specialEasing&&b.specialEasing[g]||b.easing||"swing";if(h==="hide"&&d||h==="show"&&!d)return b.complete.call(this);c&&(g==="height"||g==="width")&&(b.overflow=[this.style.overflow,this.style.overflowX,this.style.overflowY],f.css(this,"display")==="inline"&&f.css(this,"float")==="none"&&(f.support.inlineBlockNeedsLayout?(j=cs(this.nodeName),j==="inline"?this.style.display="inline-block":(this.style.display="inline",this.style.zoom=1)):this.style.display="inline-block"))}b.overflow!=null&&(this.style.overflow="hidden");for(i in a)k=new f.fx(this,b,i),h=a[i],cj.test(h)?k[h==="toggle"?d?"show":"hide":h]():(l=ck.exec(h),m=k.cur(),l?(n=parseFloat(l[2]),o=l[3]||(f.cssNumber[i]?"":"px"),o!=="px"&&(f.style(this,i,(n||1)+o),m=(n||1)/k.cur()*m,f.style(this,i,m+o)),l[1]&&(n=(l[1]==="-="?-1:1)*n+m),k.custom(m,n,o)):k.custom(m,h,""));return!0})},stop:function(a,b){a&&this.queue([]),this.each(function(){var a=f.timers,c=a.length;b||f._unmark(!0,this);while(c--)a[c].elem===this&&(b&&a[c](!0),a.splice(c,1))}),b||this.dequeue();return this}}),f.each({slideDown:cr("show",1),slideUp:cr("hide",1),slideToggle:cr("toggle",1),fadeIn:{opacity:"show"},fadeOut:{opacity:"hide"},fadeToggle:{opacity:"toggle"}},function(a,b){f.fn[a]=function(a,c,d){return this.animate(b,a,c,d)}}),f.extend({speed:function(a,b,c){var d=a&&typeof a=="object"?f.extend({},a):{complete:c||!c&&b||f.isFunction(a)&&a,duration:a,easing:c&&b||b&&!f.isFunction(b)&&b};d.duration=f.fx.off?0:typeof d.duration=="number"?d.duration:d.duration in f.fx.speeds?f.fx.speeds[d.duration]:f.fx.speeds._default,d.old=d.complete,d.complete=function(a){f.isFunction(d.old)&&d.old.call(this),d.queue!==!1?f.dequeue(this):a!==!1&&f._unmark(this)};return d},easing:{linear:function(a,b,c,d){return c+d*a},swing:function(a,b,c,d){return(-Math.cos(a*Math.PI)/2+.5)*d+c}},timers:[],fx:function(a,b,c){this.options=b,this.elem=a,this.prop=c,b.orig=b.orig||{}}}),f.fx.prototype={update:function(){this.options.step&&this.options.step.call(this.elem,this.now,this),(f.fx.step[this.prop]||f.fx.step._default)(this)},cur:function(){if(this.elem[this.prop]!=null&&(!this.elem.style||this.elem.style[this.prop]==null))return this.elem[this.prop];var a,b=f.css(this.elem,this.prop);return isNaN(a=parseFloat(b))?!b||b==="auto"?0:b:a},custom:function(a,b,c){function h(a){return d.step(a)}var d=this,e=f.fx,g;this.startTime=cn||cp(),this.start=a,this.end=b,this.unit=c||this.unit||(f.cssNumber[this.prop]?"":"px"),this.now=this.start,this.pos=this.state=0,h.elem=this.elem,h()&&f.timers.push(h)&&!cl&&(co?(cl=!0,g=function(){cl&&(co(g),e.tick())},co(g)):cl=setInterval(e.tick,e.interval))},show:function(){this.options.orig[this.prop]=f.style(this.elem,this.prop),this.options.show=!0,this.custom(this.prop==="width"||this.prop==="height"?1:0,this.cur()),f(this.elem).show()},hide:function(){this.options.orig[this.prop]=f.style(this.elem,this.prop),this.options.hide=!0,this.custom(this.cur(),0)},step:function(a){var b=cn||cp(),c=!0,d=this.elem,e=this.options,g,h;if(a||b>=e.duration+this.startTime){this.now=this.end,this.pos=this.state=1,this.update(),e.animatedProperties[this.prop]=!0;for(g in e.animatedProperties)e.animatedProperties[g]!==!0&&(c=!1);if(c){e.overflow!=null&&!f.support.shrinkWrapBlocks&&f.each(["","X","Y"],function(a,b){d.style["overflow"+b]=e.overflow[a]}),e.hide&&f(d).hide();if(e.hide||e.show)for(var i in e.animatedProperties)f.style(d,i,e.orig[i]);e.complete.call(d)}return!1}e.duration==Infinity?this.now=b:(h=b-this.startTime,this.state=h/e.duration,this.pos=f.easing[e.animatedProperties[this.prop]](this.state,h,0,1,e.duration),this.now=this.start+(this.end-this.start)*this.pos),this.update();return!0}},f.extend(f.fx,{tick:function(){for(var a=f.timers,b=0;b<a.length;++b)a[b]()||a.splice(b--,1);a.length||f.fx.stop()},interval:13,stop:function(){clearInterval(cl),cl=null},speeds:{slow:600,fast:200,_default:400},step:{opacity:function(a){f.style(a.elem,"opacity",a.now)},_default:function(a){a.elem.style&&a.elem.style[a.prop]!=null?a.elem.style[a.prop]=(a.prop==="width"||a.prop==="height"?Math.max(0,a.now):a.now)+a.unit:a.elem[a.prop]=a.now}}}),f.expr&&f.expr.filters&&(f.expr.filters.animated=function(a){return f.grep(f.timers,function(b){return a===b.elem}).length});var ct=/^t(?:able|d|h)$/i,cu=/^(?:body|html)$/i;"getBoundingClientRect"in c.documentElement?f.fn.offset=function(a){var b=this[0],c;if(a)return this.each(function(b){f.offset.setOffset(this,a,b)});if(!b||!b.ownerDocument)return null;if(b===b.ownerDocument.body)return f.offset.bodyOffset(b);try{c=b.getBoundingClientRect()}catch(d){}var e=b.ownerDocument,g=e.documentElement;if(!c||!f.contains(g,b))return c?{top:c.top,left:c.left}:{top:0,left:0};var h=e.body,i=cv(e),j=g.clientTop||h.clientTop||0,k=g.clientLeft||h.clientLeft||0,l=i.pageYOffset||f.support.boxModel&&g.scrollTop||h.scrollTop,m=i.pageXOffset||f.support.boxModel&&g.scrollLeft||h.scrollLeft,n=c.top+l-j,o=c.left+m-k;return{top:n,left:o}}:f.fn.offset=function(a){var b=this[0];if(a)return this.each(function(b){f.offset.setOffset(this,a,b)});if(!b||!b.ownerDocument)return null;if(b===b.ownerDocument.body)return f.offset.bodyOffset(b);f.offset.initialize();var c,d=b.offsetParent,e=b,g=b.ownerDocument,h=g.documentElement,i=g.body,j=g.defaultView,k=j?j.getComputedStyle(b,null):b.currentStyle,l=b.offsetTop,m=b.offsetLeft;while((b=b.parentNode)&&b!==i&&b!==h){if(f.offset.supportsFixedPosition&&k.position==="fixed")break;c=j?j.getComputedStyle(b,null):b.currentStyle,l-=b.scrollTop,m-=b.scrollLeft,b===d&&(l+=b.offsetTop,m+=b.offsetLeft,f.offset.doesNotAddBorder&&(!f.offset.doesAddBorderForTableAndCells||!ct.test(b.nodeName))&&(l+=parseFloat(c.borderTopWidth)||0,m+=parseFloat(c.borderLeftWidth)||0),e=d,d=b.offsetParent),f.offset.subtractsBorderForOverflowNotVisible&&c.overflow!=="visible"&&(l+=parseFloat(c.borderTopWidth)||0,m+=parseFloat(c.borderLeftWidth)||0),k=c}if(k.position==="relative"||k.position==="static")l+=i.offsetTop,m+=i.offsetLeft;f.offset.supportsFixedPosition&&k.position==="fixed"&&(l+=Math.max(h.scrollTop,i.scrollTop),m+=Math.max(h.scrollLeft,i.scrollLeft));return{top:l,left:m}},f.offset={initialize:function(){var a=c.body,b=c.createElement("div"),d,e,g,h,i=parseFloat(f.css(a,"marginTop"))||0,j="<div style='position:absolute;top:0;left:0;margin:0;border:5px solid #000;padding:0;width:1px;height:1px;'><div></div></div><table style='position:absolute;top:0;left:0;margin:0;border:5px solid #000;padding:0;width:1px;height:1px;' cellpadding='0' cellspacing='0'><tr><td></td></tr></table>";f.extend(b.style,{position:"absolute",top:0,left:0,margin:0,border:0,width:"1px",height:"1px",visibility:"hidden"}),b.innerHTML=j,a.insertBefore(b,a.firstChild),d=b.firstChild,e=d.firstChild,h=d.nextSibling.firstChild.firstChild,this.doesNotAddBorder=e.offsetTop!==5,this.doesAddBorderForTableAndCells=h.offsetTop===5,e.style.position="fixed",e.style.top="20px",this.supportsFixedPosition=e.offsetTop===20||e.offsetTop===15,e.style.position=e.style.top="",d.style.overflow="hidden",d.style.position="relative",this.subtractsBorderForOverflowNotVisible=e.offsetTop===-5,this.doesNotIncludeMarginInBodyOffset=a.offsetTop!==i,a.removeChild(b),f.offset.initialize=f.noop},bodyOffset:function(a){var b=a.offsetTop,c=a.offsetLeft;f.offset.initialize(),f.offset.doesNotIncludeMarginInBodyOffset&&(b+=parseFloat(f.css(a,"marginTop"))||0,c+=parseFloat(f.css(a,"marginLeft"))||0);return{top:b,left:c}},setOffset:function(a,b,c){var d=f.css(a,"position");d==="static"&&(a.style.position="relative");var e=f(a),g=e.offset(),h=f.css(a,"top"),i=f.css(a,"left"),j=(d==="absolute"||d==="fixed")&&f.inArray("auto",[h,i])>-1,k={},l={},m,n;j?(l=e.position(),m=l.top,n=l.left):(m=parseFloat(h)||0,n=parseFloat(i)||0),f.isFunction(b)&&(b=b.call(a,c,g)),b.top!=null&&(k.top=b.top-g.top+m),b.left!=null&&(k.left=b.left-g.left+n),"using"in b?b.using.call(a,k):e.css(k)}},f.fn.extend({position:function(){if(!this[0])return null;var a=this[0],b=this.offsetParent(),c=this.offset(),d=cu.test(b[0].nodeName)?{top:0,left:0}:b.offset();c.top-=parseFloat(f.css(a,"marginTop"))||0,c.left-=parseFloat(f.css(a,"marginLeft"))||0,d.top+=parseFloat(f.css(b[0],"borderTopWidth"))||0,d.left+=parseFloat(f.css(b[0],"borderLeftWidth"))||0;return{top:c.top-d.top,left:c.left-d.left}},offsetParent:function(){return this.map(function(){var a=this.offsetParent||c.body;while(a&&!cu.test(a.nodeName)&&f.css(a,"position")==="static")a=a.offsetParent;return a})}}),f.each(["Left","Top"],function(a,c){var d="scroll"+c;f.fn[d]=function(c){var e,g;if(c===b){e=this[0];if(!e)return null;g=cv(e);return g?"pageXOffset"in g?g[a?"pageYOffset":"pageXOffset"]:f.support.boxModel&&g.document.documentElement[d]||g.document.body[d]:e[d]}return this.each(function(){g=cv(this),g?g.scrollTo(a?f(g).scrollLeft():c,a?c:f(g).scrollTop()):this[d]=c})}}),f.each(["Height","Width"],function(a,c){var d=c.toLowerCase();f.fn["inner"+c]=function(){var a=this[0];return a&&a.style?parseFloat(f.css(a,d,"padding")):null},f.fn["outer"+c]=function(a){var b=this[0];return b&&b.style?parseFloat(f.css(b,d,a?"margin":"border")):null},f.fn[d]=function(a){var e=this[0];if(!e)return a==null?null:this;if(f.isFunction(a))return this.each(function(b){var c=f(this);c[d](a.call(this,b,c[d]()))});if(f.isWindow(e)){var g=e.document.documentElement["client"+c];return e.document.compatMode==="CSS1Compat"&&g||e.document.body["client"+c]||g}if(e.nodeType===9)return Math.max(e.documentElement["client"+c],e.body["scroll"+c],e.documentElement["scroll"+c],e.body["offset"+c],e.documentElement["offset"+c]);if(a===b){var h=f.css(e,d),i=parseFloat(h);return f.isNaN(i)?h:i}return this.css(d,typeof a=="string"?a:a+"px")}}),a.jQuery=a.$=f})(window);
stories/index.js
JAdshead/j-react-ui
import React from 'react' import { storiesOf } from '@storybook/react'; import styles from './styles' import buttons from './buttons' import appBar from './appBar' const welcomeStory = storiesOf('Welcome', module) welcomeStory.add('Intro', () => ( <div> <h1>Welcome to J React UI</h1> <p>This project was created purley to test creating and publishing a simple UI library</p> <p>It is unlikely to develop into anything really usable.</p> <p>Check out <a href="http://www.material-ui.com">material-ui</a> for something more polished.</p> </div> ))
src/svg-icons/notification/drive-eta.js
owencm/material-ui
import React from 'react'; import pure from 'recompose/pure'; import SvgIcon from '../../SvgIcon'; let NotificationDriveEta = (props) => ( <SvgIcon {...props}> <path d="M18.92 5.01C18.72 4.42 18.16 4 17.5 4h-11c-.66 0-1.21.42-1.42 1.01L3 11v8c0 .55.45 1 1 1h1c.55 0 1-.45 1-1v-1h12v1c0 .55.45 1 1 1h1c.55 0 1-.45 1-1v-8l-2.08-5.99zM6.5 15c-.83 0-1.5-.67-1.5-1.5S5.67 12 6.5 12s1.5.67 1.5 1.5S7.33 15 6.5 15zm11 0c-.83 0-1.5-.67-1.5-1.5s.67-1.5 1.5-1.5 1.5.67 1.5 1.5-.67 1.5-1.5 1.5zM5 10l1.5-4.5h11L19 10H5z"/> </SvgIcon> ); NotificationDriveEta = pure(NotificationDriveEta); NotificationDriveEta.displayName = 'NotificationDriveEta'; NotificationDriveEta.muiName = 'SvgIcon'; export default NotificationDriveEta;
ajax/libs/dexie/2.0.0-beta.1/dexie.js
seogi1004/cdnjs
(function (global, factory) { typeof exports === 'object' && typeof module !== 'undefined' ? module.exports = factory() : typeof define === 'function' && define.amd ? define(factory) : (global.Dexie = factory()); }(this, (function () { 'use strict'; /* * Dexie.js - a minimalistic wrapper for IndexedDB * =============================================== * * By David Fahlander, david.fahlander@gmail.com * * Version 2.0.0-beta.1, Tue Oct 11 2016 * www.dexie.com * Apache License Version 2.0, January 2004, http://www.apache.org/licenses/ */ var keys = Object.keys; var isArray = Array.isArray; var _global = typeof self !== 'undefined' ? self : typeof window !== 'undefined' ? window : global; function extend(obj, extension) { if (typeof extension !== 'object') return obj; keys(extension).forEach(function (key) { obj[key] = extension[key]; }); return obj; } var getProto = Object.getPrototypeOf; var _hasOwn = {}.hasOwnProperty; function hasOwn(obj, prop) { return _hasOwn.call(obj, prop); } function props(proto, extension) { if (typeof extension === 'function') extension = extension(getProto(proto)); keys(extension).forEach(function (key) { setProp(proto, key, extension[key]); }); } function setProp(obj, prop, functionOrGetSet, options) { Object.defineProperty(obj, prop, extend(functionOrGetSet && hasOwn(functionOrGetSet, "get") && typeof functionOrGetSet.get === 'function' ? { get: functionOrGetSet.get, set: functionOrGetSet.set, configurable: true } : { value: functionOrGetSet, configurable: true, writable: true }, options)); } function derive(Child) { return { from: function (Parent) { Child.prototype = Object.create(Parent.prototype); setProp(Child.prototype, "constructor", Child); return { extend: props.bind(null, Child.prototype) }; } }; } var getOwnPropertyDescriptor = Object.getOwnPropertyDescriptor; function getPropertyDescriptor(obj, prop) { var pd = getOwnPropertyDescriptor(obj, prop), proto; return pd || (proto = getProto(obj)) && getPropertyDescriptor(proto, prop); } var _slice = [].slice; function slice(args, start, end) { return _slice.call(args, start, end); } function override(origFunc, overridedFactory) { return overridedFactory(origFunc); } function doFakeAutoComplete(fn) { var to = setTimeout(fn, 1000); clearTimeout(to); } function assert(b) { if (!b) throw new Error("Assertion Failed"); } function asap(fn) { if (_global.setImmediate) setImmediate(fn);else setTimeout(fn, 0); } /** Generate an object (hash map) based on given array. * @param extractor Function taking an array item and its index and returning an array of 2 items ([key, value]) to * instert on the resulting object for each item in the array. If this function returns a falsy value, the * current item wont affect the resulting object. */ function arrayToObject(array, extractor) { return array.reduce(function (result, item, i) { var nameAndValue = extractor(item, i); if (nameAndValue) result[nameAndValue[0]] = nameAndValue[1]; return result; }, {}); } function trycatcher(fn, reject) { return function () { try { fn.apply(this, arguments); } catch (e) { reject(e); } }; } function tryCatch(fn, onerror, args) { try { fn.apply(null, args); } catch (ex) { onerror && onerror(ex); } } function getByKeyPath(obj, keyPath) { // http://www.w3.org/TR/IndexedDB/#steps-for-extracting-a-key-from-a-value-using-a-key-path if (hasOwn(obj, keyPath)) return obj[keyPath]; // This line is moved from last to first for optimization purpose. if (!keyPath) return obj; if (typeof keyPath !== 'string') { var rv = []; for (var i = 0, l = keyPath.length; i < l; ++i) { var val = getByKeyPath(obj, keyPath[i]); rv.push(val); } return rv; } var period = keyPath.indexOf('.'); if (period !== -1) { var innerObj = obj[keyPath.substr(0, period)]; return innerObj === undefined ? undefined : getByKeyPath(innerObj, keyPath.substr(period + 1)); } return undefined; } function setByKeyPath(obj, keyPath, value) { if (!obj || keyPath === undefined) return; if ('isFrozen' in Object && Object.isFrozen(obj)) return; if (typeof keyPath !== 'string' && 'length' in keyPath) { assert(typeof value !== 'string' && 'length' in value); for (var i = 0, l = keyPath.length; i < l; ++i) { setByKeyPath(obj, keyPath[i], value[i]); } } else { var period = keyPath.indexOf('.'); if (period !== -1) { var currentKeyPath = keyPath.substr(0, period); var remainingKeyPath = keyPath.substr(period + 1); if (remainingKeyPath === "") { if (value === undefined) delete obj[currentKeyPath];else obj[currentKeyPath] = value; } else { var innerObj = obj[currentKeyPath]; if (!innerObj) innerObj = obj[currentKeyPath] = {}; setByKeyPath(innerObj, remainingKeyPath, value); } } else { if (value === undefined) delete obj[keyPath];else obj[keyPath] = value; } } } function delByKeyPath(obj, keyPath) { if (typeof keyPath === 'string') setByKeyPath(obj, keyPath, undefined);else if ('length' in keyPath) [].map.call(keyPath, function (kp) { setByKeyPath(obj, kp, undefined); }); } function shallowClone(obj) { var rv = {}; for (var m in obj) { if (hasOwn(obj, m)) rv[m] = obj[m]; } return rv; } function deepClone(any) { if (!any || typeof any !== 'object') return any; var rv; if (isArray(any)) { rv = []; for (var i = 0, l = any.length; i < l; ++i) { rv.push(deepClone(any[i])); } } else if (any instanceof Date) { rv = new Date(); rv.setTime(any.getTime()); } else { rv = any.constructor ? Object.create(any.constructor.prototype) : {}; for (var prop in any) { if (hasOwn(any, prop)) { rv[prop] = deepClone(any[prop]); } } } return rv; } function getObjectDiff(a, b, rv, prfx) { // Compares objects a and b and produces a diff object. rv = rv || {}; prfx = prfx || ''; keys(a).forEach(function (prop) { if (!hasOwn(b, prop)) rv[prfx + prop] = undefined; // Property removed else { var ap = a[prop], bp = b[prop]; if (typeof ap === 'object' && typeof bp === 'object' && ap && bp && ap.constructor === bp.constructor) // Same type of object but its properties may have changed getObjectDiff(ap, bp, rv, prfx + prop + ".");else if (ap !== bp) rv[prfx + prop] = b[prop]; // Primitive value changed } }); keys(b).forEach(function (prop) { if (!hasOwn(a, prop)) { rv[prfx + prop] = b[prop]; // Property added } }); return rv; } // If first argument is iterable or array-like, return it as an array var iteratorSymbol = typeof Symbol !== 'undefined' && Symbol.iterator; var getIteratorOf = iteratorSymbol ? function (x) { var i; return x != null && (i = x[iteratorSymbol]) && i.apply(x); } : function () { return null; }; var NO_CHAR_ARRAY = {}; // Takes one or several arguments and returns an array based on the following criteras: // * If several arguments provided, return arguments converted to an array in a way that // still allows javascript engine to optimize the code. // * If single argument is an array, return a clone of it. // * If this-pointer equals NO_CHAR_ARRAY, don't accept strings as valid iterables as a special // case to the two bullets below. // * If single argument is an iterable, convert it to an array and return the resulting array. // * If single argument is array-like (has length of type number), convert it to an array. function getArrayOf(arrayLike) { var i, a, x, it; if (arguments.length === 1) { if (isArray(arrayLike)) return arrayLike.slice(); if (this === NO_CHAR_ARRAY && typeof arrayLike === 'string') return [arrayLike]; if (it = getIteratorOf(arrayLike)) { a = []; while (x = it.next(), !x.done) { a.push(x.value); }return a; } if (arrayLike == null) return [arrayLike]; i = arrayLike.length; if (typeof i === 'number') { a = new Array(i); while (i--) { a[i] = arrayLike[i]; }return a; } return [arrayLike]; } i = arguments.length; a = new Array(i); while (i--) { a[i] = arguments[i]; }return a; } var concat = [].concat; function flatten(a) { return concat.apply([], a); } function nop() {} function mirror(val) { return val; } function pureFunctionChain(f1, f2) { // Enables chained events that takes ONE argument and returns it to the next function in chain. // This pattern is used in the hook("reading") event. if (f1 == null || f1 === mirror) return f2; return function (val) { return f2(f1(val)); }; } function callBoth(on1, on2) { return function () { on1.apply(this, arguments); on2.apply(this, arguments); }; } function hookCreatingChain(f1, f2) { // Enables chained events that takes several arguments and may modify first argument by making a modification and then returning the same instance. // This pattern is used in the hook("creating") event. if (f1 === nop) return f2; return function () { var res = f1.apply(this, arguments); if (res !== undefined) arguments[0] = res; var onsuccess = this.onsuccess, // In case event listener has set this.onsuccess onerror = this.onerror; // In case event listener has set this.onerror this.onsuccess = null; this.onerror = null; var res2 = f2.apply(this, arguments); if (onsuccess) this.onsuccess = this.onsuccess ? callBoth(onsuccess, this.onsuccess) : onsuccess; if (onerror) this.onerror = this.onerror ? callBoth(onerror, this.onerror) : onerror; return res2 !== undefined ? res2 : res; }; } function hookDeletingChain(f1, f2) { if (f1 === nop) return f2; return function () { f1.apply(this, arguments); var onsuccess = this.onsuccess, // In case event listener has set this.onsuccess onerror = this.onerror; // In case event listener has set this.onerror this.onsuccess = this.onerror = null; f2.apply(this, arguments); if (onsuccess) this.onsuccess = this.onsuccess ? callBoth(onsuccess, this.onsuccess) : onsuccess; if (onerror) this.onerror = this.onerror ? callBoth(onerror, this.onerror) : onerror; }; } function hookUpdatingChain(f1, f2) { if (f1 === nop) return f2; return function (modifications) { var res = f1.apply(this, arguments); extend(modifications, res); // If f1 returns new modifications, extend caller's modifications with the result before calling next in chain. var onsuccess = this.onsuccess, // In case event listener has set this.onsuccess onerror = this.onerror; // In case event listener has set this.onerror this.onsuccess = null; this.onerror = null; var res2 = f2.apply(this, arguments); if (onsuccess) this.onsuccess = this.onsuccess ? callBoth(onsuccess, this.onsuccess) : onsuccess; if (onerror) this.onerror = this.onerror ? callBoth(onerror, this.onerror) : onerror; return res === undefined ? res2 === undefined ? undefined : res2 : extend(res, res2); }; } function reverseStoppableEventChain(f1, f2) { if (f1 === nop) return f2; return function () { if (f2.apply(this, arguments) === false) return false; return f1.apply(this, arguments); }; } function promisableChain(f1, f2) { if (f1 === nop) return f2; return function () { var res = f1.apply(this, arguments); if (res && typeof res.then === 'function') { var thiz = this, i = arguments.length, args = new Array(i); while (i--) { args[i] = arguments[i]; }return res.then(function () { return f2.apply(thiz, args); }); } return f2.apply(this, arguments); }; } // By default, debug will be true only if platform is a web platform and its page is served from localhost. // When debug = true, error's stacks will contain asyncronic long stacks. var debug = typeof location !== 'undefined' && // By default, use debug mode if served from localhost. /^(http|https):\/\/(localhost|127\.0\.0\.1)/.test(location.href); function setDebug(value, filter) { debug = value; libraryFilter = filter; } var libraryFilter = function () { return true; }; var NEEDS_THROW_FOR_STACK = !new Error("").stack; function getErrorWithStack() { "use strict"; if (NEEDS_THROW_FOR_STACK) try { // Doing something naughty in strict mode here to trigger a specific error // that can be explicitely ignored in debugger's exception settings. // If we'd just throw new Error() here, IE's debugger's exception settings // will just consider it as "exception thrown by javascript code" which is // something you wouldn't want it to ignore. getErrorWithStack.arguments; throw new Error(); // Fallback if above line don't throw. } catch (e) { return e; } return new Error(); } function prettyStack(exception, numIgnoredFrames) { var stack = exception.stack; if (!stack) return ""; numIgnoredFrames = numIgnoredFrames || 0; if (stack.indexOf(exception.name) === 0) numIgnoredFrames += (exception.name + exception.message).split('\n').length; return stack.split('\n').slice(numIgnoredFrames).filter(libraryFilter).map(function (frame) { return "\n" + frame; }).join(''); } function deprecated(what, fn) { return function () { console.warn(what + " is deprecated. See https://github.com/dfahlander/Dexie.js/wiki/Deprecations. " + prettyStack(getErrorWithStack(), 1)); return fn.apply(this, arguments); }; } var dexieErrorNames = ['Modify', 'Bulk', 'OpenFailed', 'VersionChange', 'Schema', 'Upgrade', 'InvalidTable', 'MissingAPI', 'NoSuchDatabase', 'InvalidArgument', 'SubTransaction', 'Unsupported', 'Internal', 'DatabaseClosed', 'IncompatiblePromise']; var idbDomErrorNames = ['Unknown', 'Constraint', 'Data', 'TransactionInactive', 'ReadOnly', 'Version', 'NotFound', 'InvalidState', 'InvalidAccess', 'Abort', 'Timeout', 'QuotaExceeded', 'Syntax', 'DataClone']; var errorList = dexieErrorNames.concat(idbDomErrorNames); var defaultTexts = { VersionChanged: "Database version changed by other database connection", DatabaseClosed: "Database has been closed", Abort: "Transaction aborted", TransactionInactive: "Transaction has already completed or failed" }; // // DexieError - base class of all out exceptions. // function DexieError(name, msg) { // Reason we don't use ES6 classes is because: // 1. It bloats transpiled code and increases size of minified code. // 2. It doesn't give us much in this case. // 3. It would require sub classes to call super(), which // is not needed when deriving from Error. this._e = getErrorWithStack(); this.name = name; this.message = msg; } derive(DexieError).from(Error).extend({ stack: { get: function () { return this._stack || (this._stack = this.name + ": " + this.message + prettyStack(this._e, 2)); } }, toString: function () { return this.name + ": " + this.message; } }); function getMultiErrorMessage(msg, failures) { return msg + ". Errors: " + failures.map(function (f) { return f.toString(); }).filter(function (v, i, s) { return s.indexOf(v) === i; }) // Only unique error strings .join('\n'); } // // ModifyError - thrown in WriteableCollection.modify() // Specific constructor because it contains members failures and failedKeys. // function ModifyError(msg, failures, successCount, failedKeys) { this._e = getErrorWithStack(); this.failures = failures; this.failedKeys = failedKeys; this.successCount = successCount; } derive(ModifyError).from(DexieError); function BulkError(msg, failures) { this._e = getErrorWithStack(); this.name = "BulkError"; this.failures = failures; this.message = getMultiErrorMessage(msg, failures); } derive(BulkError).from(DexieError); // // // Dynamically generate error names and exception classes based // on the names in errorList. // // // Map of {ErrorName -> ErrorName + "Error"} var errnames = errorList.reduce(function (obj, name) { return obj[name] = name + "Error", obj; }, {}); // Need an alias for DexieError because we're gonna create subclasses with the same name. var BaseException = DexieError; // Map of {ErrorName -> exception constructor} var exceptions = errorList.reduce(function (obj, name) { // Let the name be "DexieError" because this name may // be shown in call stack and when debugging. DexieError is // the most true name because it derives from DexieError, // and we cannot change Function.name programatically without // dynamically create a Function object, which would be considered // 'eval-evil'. var fullName = name + "Error"; function DexieError(msgOrInner, inner) { this._e = getErrorWithStack(); this.name = fullName; if (!msgOrInner) { this.message = defaultTexts[name] || fullName; this.inner = null; } else if (typeof msgOrInner === 'string') { this.message = msgOrInner; this.inner = inner || null; } else if (typeof msgOrInner === 'object') { this.message = msgOrInner.name + ' ' + msgOrInner.message; this.inner = msgOrInner; } } derive(DexieError).from(BaseException); obj[name] = DexieError; return obj; }, {}); // Use ECMASCRIPT standard exceptions where applicable: exceptions.Syntax = SyntaxError; exceptions.Type = TypeError; exceptions.Range = RangeError; var exceptionMap = idbDomErrorNames.reduce(function (obj, name) { obj[name + "Error"] = exceptions[name]; return obj; }, {}); function mapError(domError, message) { if (!domError || domError instanceof DexieError || domError instanceof TypeError || domError instanceof SyntaxError || !domError.name || !exceptionMap[domError.name]) return domError; var rv = new exceptionMap[domError.name](message || domError.message, domError); if ("stack" in domError) { // Derive stack from inner exception if it has a stack setProp(rv, "stack", { get: function () { return this.inner.stack; } }); } return rv; } var fullNameExceptions = errorList.reduce(function (obj, name) { if (["Syntax", "Type", "Range"].indexOf(name) === -1) obj[name + "Error"] = exceptions[name]; return obj; }, {}); fullNameExceptions.ModifyError = ModifyError; fullNameExceptions.DexieError = DexieError; fullNameExceptions.BulkError = BulkError; function Events(ctx) { var evs = {}; var rv = function (eventName, subscriber) { if (subscriber) { // Subscribe. If additional arguments than just the subscriber was provided, forward them as well. var i = arguments.length, args = new Array(i - 1); while (--i) { args[i - 1] = arguments[i]; }evs[eventName].subscribe.apply(null, args); return ctx; } else if (typeof eventName === 'string') { // Return interface allowing to fire or unsubscribe from event return evs[eventName]; } }; rv.addEventType = add; for (var i = 1, l = arguments.length; i < l; ++i) { add(arguments[i]); } return rv; function add(eventName, chainFunction, defaultFunction) { if (typeof eventName === 'object') return addConfiguredEvents(eventName); if (!chainFunction) chainFunction = reverseStoppableEventChain; if (!defaultFunction) defaultFunction = nop; var context = { subscribers: [], fire: defaultFunction, subscribe: function (cb) { if (context.subscribers.indexOf(cb) === -1) { context.subscribers.push(cb); context.fire = chainFunction(context.fire, cb); } }, unsubscribe: function (cb) { context.subscribers = context.subscribers.filter(function (fn) { return fn !== cb; }); context.fire = context.subscribers.reduce(chainFunction, defaultFunction); } }; evs[eventName] = rv[eventName] = context; return context; } function addConfiguredEvents(cfg) { // events(this, {reading: [functionChain, nop]}); keys(cfg).forEach(function (eventName) { var args = cfg[eventName]; if (isArray(args)) { add(eventName, cfg[eventName][0], cfg[eventName][1]); } else if (args === 'asap') { // Rather than approaching event subscription using a functional approach, we here do it in a for-loop where subscriber is executed in its own stack // enabling that any exception that occur wont disturb the initiator and also not nescessary be catched and forgotten. var context = add(eventName, mirror, function fire() { // Optimazation-safe cloning of arguments into args. var i = arguments.length, args = new Array(i); while (i--) { args[i] = arguments[i]; } // All each subscriber: context.subscribers.forEach(function (fn) { asap(function fireEvent() { fn.apply(null, args); }); }); }); } else throw new exceptions.InvalidArgument("Invalid event config"); }); } } // // Promise Class for Dexie library // // I started out writing this Promise class by copying promise-light (https://github.com/taylorhakes/promise-light) by // https://github.com/taylorhakes - an A+ and ECMASCRIPT 6 compliant Promise implementation. // // Modifications needed to be done to support indexedDB because it wont accept setTimeout() // (See discussion: https://github.com/promises-aplus/promises-spec/issues/45) . // This topic was also discussed in the following thread: https://github.com/promises-aplus/promises-spec/issues/45 // // This implementation will not use setTimeout or setImmediate when it's not needed. The behavior is 100% Promise/A+ compliant since // the caller of new Promise() can be certain that the promise wont be triggered the lines after constructing the promise. // // In previous versions this was fixed by not calling setTimeout when knowing that the resolve() or reject() came from another // tick. In Dexie v1.4.0, I've rewritten the Promise class entirely. Just some fragments of promise-light is left. I use // another strategy now that simplifies everything a lot: to always execute callbacks in a new tick, but have an own microTick // engine that is used instead of setImmediate() or setTimeout(). // Promise class has also been optimized a lot with inspiration from bluebird - to avoid closures as much as possible. // Also with inspiration from bluebird, asyncronic stacks in debug mode. // // Specific non-standard features of this Promise class: // * Async static context support (Promise.PSD) // * Promise.follow() method built upon PSD, that allows user to track all promises created from current stack frame // and below + all promises that those promises creates or awaits. // * Detect any unhandled promise in a PSD-scope (PSD.onunhandled). // // David Fahlander, https://github.com/dfahlander // // Just a pointer that only this module knows about. // Used in Promise constructor to emulate a private constructor. var INTERNAL = {}; // Async stacks (long stacks) must not grow infinitely. var LONG_STACKS_CLIP_LIMIT = 100; var MAX_LONG_STACKS = 20; var stack_being_generated = false; /* The default "nextTick" function used only for the very first promise in a promise chain. As soon as then promise is resolved or rejected, all next tasks will be executed in micro ticks emulated in this module. For indexedDB compatibility, this means that every method needs to execute at least one promise before doing an indexedDB operation. Dexie will always call db.ready().then() for every operation to make sure the indexedDB event is started in an emulated micro tick. */ var schedulePhysicalTick = _global.setImmediate ? // setImmediate supported. Those modern platforms also supports Function.bind(). setImmediate.bind(null, physicalTick) : _global.MutationObserver ? // MutationObserver supported function () { var hiddenDiv = document.createElement("div"); new MutationObserver(function () { physicalTick(); hiddenDiv = null; }).observe(hiddenDiv, { attributes: true }); hiddenDiv.setAttribute('i', '1'); } : // No support for setImmediate or MutationObserver. No worry, setTimeout is only called // once time. Every tick that follows will be our emulated micro tick. // Could have uses setTimeout.bind(null, 0, physicalTick) if it wasnt for that FF13 and below has a bug function () { setTimeout(physicalTick, 0); }; // Confifurable through Promise.scheduler. // Don't export because it would be unsafe to let unknown // code call it unless they do try..catch within their callback. // This function can be retrieved through getter of Promise.scheduler though, // but users must not do Promise.scheduler (myFuncThatThrows exception)! var asap$1 = function (callback, args) { microtickQueue.push([callback, args]); if (needsNewPhysicalTick) { schedulePhysicalTick(); needsNewPhysicalTick = false; } }; var isOutsideMicroTick = true; var needsNewPhysicalTick = true; var unhandledErrors = []; var rejectingErrors = []; var currentFulfiller = null; var rejectionMapper = mirror; // Remove in next major when removing error mapping of DOMErrors and DOMExceptions var globalPSD = { global: true, ref: 0, unhandleds: [], onunhandled: globalError, //env: null, // Will be set whenever leaving a scope using wrappers.snapshot() finalize: function () { this.unhandleds.forEach(function (uh) { try { globalError(uh[0], uh[1]); } catch (e) {} }); } }; var PSD = globalPSD; var microtickQueue = []; // Callbacks to call in this or next physical tick. var numScheduledCalls = 0; // Number of listener-calls left to do in this physical tick. var tickFinalizers = []; // Finalizers to call when there are no more async calls scheduled within current physical tick. // Wrappers are not being used yet. Their framework is functioning and can be used // to replace environment during a PSD scope (a.k.a. 'zone'). /* **KEEP** export var wrappers = (() => { var wrappers = []; return { snapshot: () => { var i = wrappers.length, result = new Array(i); while (i--) result[i] = wrappers[i].snapshot(); return result; }, restore: values => { var i = wrappers.length; while (i--) wrappers[i].restore(values[i]); }, wrap: () => wrappers.map(w => w.wrap()), add: wrapper => { wrappers.push(wrapper); } }; })(); */ function Promise(fn) { if (typeof this !== 'object') throw new TypeError('Promises must be constructed via new'); this._listeners = []; this.onuncatched = nop; // Deprecate in next major. Not needed. Better to use global error handler. // A library may set `promise._lib = true;` after promise is created to make resolve() or reject() // execute the microtask engine implicitely within the call to resolve() or reject(). // To remain A+ compliant, a library must only set `_lib=true` if it can guarantee that the stack // only contains library code when calling resolve() or reject(). // RULE OF THUMB: ONLY set _lib = true for promises explicitely resolving/rejecting directly from // global scope (event handler, timer etc)! this._lib = false; // Current async scope var psd = this._PSD = PSD; if (debug) { this._stackHolder = getErrorWithStack(); this._prev = null; this._numPrev = 0; // Number of previous promises (for long stacks) linkToPreviousPromise(this, currentFulfiller); } if (typeof fn !== 'function') { if (fn !== INTERNAL) throw new TypeError('Not a function'); // Private constructor (INTERNAL, state, value). // Used internally by Promise.resolve() and Promise.reject(). this._state = arguments[1]; this._value = arguments[2]; if (this._state === false) handleRejection(this, this._value); // Map error, set stack and addPossiblyUnhandledError(). return; } this._state = null; // null (=pending), false (=rejected) or true (=resolved) this._value = null; // error or result ++psd.ref; // Refcounting current scope executePromiseTask(this, fn); } props(Promise.prototype, { then: function (onFulfilled, onRejected) { var _this = this; var rv = new Promise(function (resolve, reject) { propagateToListener(_this, new Listener(onFulfilled, onRejected, resolve, reject)); }); debug && (!this._prev || this._state === null) && linkToPreviousPromise(rv, this); return rv; }, _then: function (onFulfilled, onRejected) { // A little tinier version of then() that don't have to create a resulting promise. propagateToListener(this, new Listener(null, null, onFulfilled, onRejected)); }, catch: function (onRejected) { if (arguments.length === 1) return this.then(null, onRejected); // First argument is the Error type to catch var type = arguments[0], handler = arguments[1]; return typeof type === 'function' ? this.then(null, function (err) { return ( // Catching errors by its constructor type (similar to java / c++ / c#) // Sample: promise.catch(TypeError, function (e) { ... }); err instanceof type ? handler(err) : PromiseReject(err) ); }) : this.then(null, function (err) { return ( // Catching errors by the error.name property. Makes sense for indexedDB where error type // is always DOMError but where e.name tells the actual error type. // Sample: promise.catch('ConstraintError', function (e) { ... }); err && err.name === type ? handler(err) : PromiseReject(err) ); }); }, finally: function (onFinally) { return this.then(function (value) { onFinally(); return value; }, function (err) { onFinally(); return PromiseReject(err); }); }, // Deprecate in next major. Needed only for db.on.error. uncaught: function (uncaughtHandler) { var _this2 = this; // Be backward compatible and use "onuncatched" as the event name on this. // Handle multiple subscribers through reverseStoppableEventChain(). If a handler returns `false`, bubbling stops. this.onuncatched = reverseStoppableEventChain(this.onuncatched, uncaughtHandler); // In case caller does this on an already rejected promise, assume caller wants to point out the error to this promise and not // a previous promise. Reason: the prevous promise may lack onuncatched handler. if (this._state === false && unhandledErrors.indexOf(this) === -1) { // Replace unhandled error's destinaion promise with this one! unhandledErrors.some(function (p, i, l) { return p._value === _this2._value && (l[i] = _this2); }); // Actually we do this shit because we need to support db.on.error() correctly during db.open(). If we deprecate db.on.error, we could // take away this piece of code as well as the onuncatched and uncaught() method. } return this; }, stack: { get: function () { if (this._stack) return this._stack; try { stack_being_generated = true; var stacks = getStack(this, [], MAX_LONG_STACKS); var stack = stacks.join("\nFrom previous: "); if (this._state !== null) this._stack = stack; // Stack may be updated on reject. return stack; } finally { stack_being_generated = false; } } } }); function Listener(onFulfilled, onRejected, resolve, reject) { this.onFulfilled = typeof onFulfilled === 'function' ? onFulfilled : null; this.onRejected = typeof onRejected === 'function' ? onRejected : null; this.resolve = resolve; this.reject = reject; this.psd = PSD; } // Promise Static Properties props(Promise, { all: function () { var values = getArrayOf.apply(null, arguments); // Supports iterables, implicit arguments and array-like. return new Promise(function (resolve, reject) { if (values.length === 0) resolve([]); var remaining = values.length; values.forEach(function (a, i) { return Promise.resolve(a).then(function (x) { values[i] = x; if (! --remaining) resolve(values); }, reject); }); }); }, resolve: function (value) { if (value instanceof Promise) return value; if (value && typeof value.then === 'function') return new Promise(function (resolve, reject) { value.then(resolve, reject); }); return new Promise(INTERNAL, true, value); }, reject: PromiseReject, race: function () { var values = getArrayOf.apply(null, arguments); return new Promise(function (resolve, reject) { values.map(function (value) { return Promise.resolve(value).then(resolve, reject); }); }); }, PSD: { get: function () { return PSD; }, set: function (value) { return PSD = value; } }, newPSD: newScope, usePSD: usePSD, scheduler: { get: function () { return asap$1; }, set: function (value) { asap$1 = value; } }, rejectionMapper: { get: function () { return rejectionMapper; }, set: function (value) { rejectionMapper = value; } // Map reject failures }, follow: function (fn) { return new Promise(function (resolve, reject) { return newScope(function (resolve, reject) { var psd = PSD; psd.unhandleds = []; // For unhandled standard- or 3rd party Promises. Checked at psd.finalize() psd.onunhandled = reject; // Triggered directly on unhandled promises of this library. psd.finalize = callBoth(function () { var _this3 = this; // Unhandled standard or 3rd part promises are put in PSD.unhandleds and // examined upon scope completion while unhandled rejections in this Promise // will trigger directly through psd.onunhandled run_at_end_of_this_or_next_physical_tick(function () { _this3.unhandleds.length === 0 ? resolve() : reject(_this3.unhandleds[0]); }); }, psd.finalize); fn(); }, resolve, reject); }); }, on: Events(null, { "error": [reverseStoppableEventChain, defaultErrorHandler] // Default to defaultErrorHandler }) }); /** * Take a potentially misbehaving resolver function and make sure * onFulfilled and onRejected are only called once. * * Makes no guarantees about asynchrony. */ function executePromiseTask(promise, fn) { // Promise Resolution Procedure: // https://github.com/promises-aplus/promises-spec#the-promise-resolution-procedure try { fn(function (value) { if (promise._state !== null) return; if (value === promise) throw new TypeError('A promise cannot be resolved with itself.'); var shouldExecuteTick = promise._lib && beginMicroTickScope(); if (value && typeof value.then === 'function') { executePromiseTask(promise, function (resolve, reject) { value instanceof Promise ? value._then(resolve, reject) : value.then(resolve, reject); }); } else { promise._state = true; promise._value = value; propagateAllListeners(promise); } if (shouldExecuteTick) endMicroTickScope(); }, handleRejection.bind(null, promise)); // If Function.bind is not supported. Exception is handled in catch below } catch (ex) { handleRejection(promise, ex); } } function handleRejection(promise, reason) { rejectingErrors.push(reason); if (promise._state !== null) return; var shouldExecuteTick = promise._lib && beginMicroTickScope(); reason = rejectionMapper(reason); promise._state = false; promise._value = reason; debug && reason !== null && typeof reason === 'object' && !reason._promise && tryCatch(function () { var origProp = getPropertyDescriptor(reason, "stack"); reason._promise = promise; setProp(reason, "stack", { get: function () { return stack_being_generated ? origProp && (origProp.get ? origProp.get.apply(reason) : origProp.value) : promise.stack; } }); }); // Add the failure to a list of possibly uncaught errors addPossiblyUnhandledError(promise); propagateAllListeners(promise); if (shouldExecuteTick) endMicroTickScope(); } function propagateAllListeners(promise) { //debug && linkToPreviousPromise(promise); var listeners = promise._listeners; promise._listeners = []; for (var i = 0, len = listeners.length; i < len; ++i) { propagateToListener(promise, listeners[i]); } var psd = promise._PSD; --psd.ref || psd.finalize(); // if psd.ref reaches zero, call psd.finalize(); if (numScheduledCalls === 0) { // If numScheduledCalls is 0, it means that our stack is not in a callback of a scheduled call, // and that no deferreds where listening to this rejection or success. // Since there is a risk that our stack can contain application code that may // do stuff after this code is finished that may generate new calls, we cannot // call finalizers here. ++numScheduledCalls; asap$1(function () { if (--numScheduledCalls === 0) finalizePhysicalTick(); // Will detect unhandled errors }, []); } } function propagateToListener(promise, listener) { if (promise._state === null) { promise._listeners.push(listener); return; } var cb = promise._state ? listener.onFulfilled : listener.onRejected; if (cb === null) { // This Listener doesnt have a listener for the event being triggered (onFulfilled or onReject) so lets forward the event to any eventual listeners on the Promise instance returned by then() or catch() return (promise._state ? listener.resolve : listener.reject)(promise._value); } var psd = listener.psd; ++psd.ref; ++numScheduledCalls; asap$1(callListener, [cb, promise, listener]); } function callListener(cb, promise, listener) { var outerScope = PSD; var psd = listener.psd; try { if (psd !== outerScope) { // **KEEP** outerScope.env = wrappers.snapshot(); // Snapshot outerScope's environment. PSD = psd; // **KEEP** wrappers.restore(psd.env); // Restore PSD's environment. } // Set static variable currentFulfiller to the promise that is being fullfilled, // so that we connect the chain of promises (for long stacks support) currentFulfiller = promise; // Call callback and resolve our listener with it's return value. var value = promise._value, ret; if (promise._state) { ret = cb(value); } else { if (rejectingErrors.length) rejectingErrors = []; ret = cb(value); if (rejectingErrors.indexOf(value) === -1) markErrorAsHandled(promise); // Callback didnt do Promise.reject(err) nor reject(err) onto another promise. } listener.resolve(ret); } catch (e) { // Exception thrown in callback. Reject our listener. listener.reject(e); } finally { // Restore PSD, env and currentFulfiller. if (psd !== outerScope) { PSD = outerScope; // **KEEP** wrappers.restore(outerScope.env); // Restore outerScope's environment } currentFulfiller = null; if (--numScheduledCalls === 0) finalizePhysicalTick(); --psd.ref || psd.finalize(); } } function getStack(promise, stacks, limit) { if (stacks.length === limit) return stacks; var stack = ""; if (promise._state === false) { var failure = promise._value, errorName, message; if (failure != null) { errorName = failure.name || "Error"; message = failure.message || failure; stack = prettyStack(failure, 0); } else { errorName = failure; // If error is undefined or null, show that. message = ""; } stacks.push(errorName + (message ? ": " + message : "") + stack); } if (debug) { stack = prettyStack(promise._stackHolder, 2); if (stack && stacks.indexOf(stack) === -1) stacks.push(stack); if (promise._prev) getStack(promise._prev, stacks, limit); } return stacks; } function linkToPreviousPromise(promise, prev) { // Support long stacks by linking to previous completed promise. var numPrev = prev ? prev._numPrev + 1 : 0; if (numPrev < LONG_STACKS_CLIP_LIMIT) { // Prohibit infinite Promise loops to get an infinite long memory consuming "tail". promise._prev = prev; promise._numPrev = numPrev; } } /* The callback to schedule with setImmediate() or setTimeout(). It runs a virtual microtick and executes any callback registered in microtickQueue. */ function physicalTick() { beginMicroTickScope() && endMicroTickScope(); } function beginMicroTickScope() { var wasRootExec = isOutsideMicroTick; isOutsideMicroTick = false; needsNewPhysicalTick = false; return wasRootExec; } /* Executes micro-ticks without doing try..catch. This can be possible because we only use this internally and the registered functions are exception-safe (they do try..catch internally before calling any external method). If registering functions in the microtickQueue that are not exception-safe, this would destroy the framework and make it instable. So we don't export our asap method. */ function endMicroTickScope() { var callbacks, i, l; do { while (microtickQueue.length > 0) { callbacks = microtickQueue; microtickQueue = []; l = callbacks.length; for (i = 0; i < l; ++i) { var item = callbacks[i]; item[0].apply(null, item[1]); } } } while (microtickQueue.length > 0); isOutsideMicroTick = true; needsNewPhysicalTick = true; } function finalizePhysicalTick() { var unhandledErrs = unhandledErrors; unhandledErrors = []; unhandledErrs.forEach(function (p) { p._PSD.onunhandled.call(null, p._value, p); }); var finalizers = tickFinalizers.slice(0); // Clone first because finalizer may remove itself from list. var i = finalizers.length; while (i) { finalizers[--i](); } } function run_at_end_of_this_or_next_physical_tick(fn) { function finalizer() { fn(); tickFinalizers.splice(tickFinalizers.indexOf(finalizer), 1); } tickFinalizers.push(finalizer); ++numScheduledCalls; asap$1(function () { if (--numScheduledCalls === 0) finalizePhysicalTick(); }, []); } function addPossiblyUnhandledError(promise) { // Only add to unhandledErrors if not already there. The first one to add to this list // will be upon the first rejection so that the root cause (first promise in the // rejection chain) is the one listed. if (!unhandledErrors.some(function (p) { return p._value === promise._value; })) unhandledErrors.push(promise); } function markErrorAsHandled(promise) { // Called when a reject handled is actually being called. // Search in unhandledErrors for any promise whos _value is this promise_value (list // contains only rejected promises, and only one item per error) var i = unhandledErrors.length; while (i) { if (unhandledErrors[--i]._value === promise._value) { // Found a promise that failed with this same error object pointer, // Remove that since there is a listener that actually takes care of it. unhandledErrors.splice(i, 1); return; } } } // By default, log uncaught errors to the console function defaultErrorHandler(e) { console.warn('Unhandled rejection: ' + (e.stack || e)); } function PromiseReject(reason) { return new Promise(INTERNAL, false, reason); } function wrap(fn, errorCatcher) { var psd = PSD; return function () { var wasRootExec = beginMicroTickScope(), outerScope = PSD; try { if (outerScope !== psd) { // **KEEP** outerScope.env = wrappers.snapshot(); // Snapshot outerScope's environment PSD = psd; // **KEEP** wrappers.restore(psd.env); // Restore PSD's environment. } return fn.apply(this, arguments); } catch (e) { errorCatcher && errorCatcher(e); } finally { if (outerScope !== psd) { PSD = outerScope; // **KEEP** wrappers.restore(outerScope.env); // Restore outerScope's environment } if (wasRootExec) endMicroTickScope(); } }; } function newScope(fn, a1, a2, a3) { var parent = PSD, psd = Object.create(parent); psd.parent = parent; psd.ref = 0; psd.global = false; // **KEEP** psd.env = wrappers.wrap(psd); // unhandleds and onunhandled should not be specifically set here. // Leave them on parent prototype. // unhandleds.push(err) will push to parent's prototype // onunhandled() will call parents onunhandled (with this scope's this-pointer though!) ++parent.ref; psd.finalize = function () { --this.parent.ref || this.parent.finalize(); }; var rv = usePSD(psd, fn, a1, a2, a3); if (psd.ref === 0) psd.finalize(); return rv; } function usePSD(psd, fn, a1, a2, a3) { var outerScope = PSD; try { if (psd !== outerScope) { // **KEEP** outerScope.env = wrappers.snapshot(); // snapshot outerScope's environment. PSD = psd; // **KEEP** wrappers.restore(psd.env); // Restore PSD's environment. } return fn(a1, a2, a3); } finally { if (psd !== outerScope) { PSD = outerScope; // **KEEP** wrappers.restore(outerScope.env); // Restore outerScope's environment. } } } function globalError(err, promise) { var rv; try { rv = promise.onuncatched(err); } catch (e) {} if (rv !== false) try { Promise.on.error.fire(err, promise); // TODO: Deprecated and use same global handler as bluebird. } catch (e) {} } /* **KEEP** export function wrapPromise(PromiseClass) { var proto = PromiseClass.prototype; var origThen = proto.then; wrappers.add({ snapshot: () => proto.then, restore: value => {proto.then = value;}, wrap: () => patchedThen }); function patchedThen (onFulfilled, onRejected) { var promise = this; var onFulfilledProxy = wrap(function(value){ var rv = value; if (onFulfilled) { rv = onFulfilled(rv); if (rv && typeof rv.then === 'function') rv.then(); // Intercept that promise as well. } --PSD.ref || PSD.finalize(); return rv; }); var onRejectedProxy = wrap(function(err){ promise._$err = err; var unhandleds = PSD.unhandleds; var idx = unhandleds.length, rv; while (idx--) if (unhandleds[idx]._$err === err) break; if (onRejected) { if (idx !== -1) unhandleds.splice(idx, 1); // Mark as handled. rv = onRejected(err); if (rv && typeof rv.then === 'function') rv.then(); // Intercept that promise as well. } else { if (idx === -1) unhandleds.push(promise); rv = PromiseClass.reject(err); rv._$nointercept = true; // Prohibit eternal loop. } --PSD.ref || PSD.finalize(); return rv; }); if (this._$nointercept) return origThen.apply(this, arguments); ++PSD.ref; return origThen.call(this, onFulfilledProxy, onRejectedProxy); } } // Global Promise wrapper if (_global.Promise) wrapPromise(_global.Promise); */ doFakeAutoComplete(function () { // Simplify the job for VS Intellisense. This piece of code is one of the keys to the new marvellous intellisense support in Dexie. asap$1 = function (fn, args) { setTimeout(function () { fn.apply(null, args); }, 0); }; }); function rejection(err, uncaughtHandler) { // Get the call stack and return a rejected promise. var rv = Promise.reject(err); return uncaughtHandler ? rv.uncaught(uncaughtHandler) : rv; } /* * Dexie.js - a minimalistic wrapper for IndexedDB * =============================================== * * By David Fahlander, david.fahlander@gmail.com * * Version 2.0.0-beta.1, Tue Oct 11 2016 * * http://dexie.org * * Apache License Version 2.0, January 2004, http://www.apache.org/licenses/ */ var DEXIE_VERSION = '2.0.0-beta.1'; var maxString = String.fromCharCode(65535); var maxKey = function () { try { IDBKeyRange.only([[]]);return [[]]; } catch (e) { return maxString; } }(); var INVALID_KEY_ARGUMENT = "Invalid key provided. Keys must be of type string, number, Date or Array<string | number | Date>."; var STRING_EXPECTED = "String expected."; var connections = []; var isIEOrEdge = typeof navigator !== 'undefined' && /(MSIE|Trident|Edge)/.test(navigator.userAgent); var hasIEDeleteObjectStoreBug = isIEOrEdge; var hangsOnDeleteLargeKeyRange = isIEOrEdge; var dexieStackFrameFilter = function (frame) { return !/(dexie\.js|dexie\.min\.js)/.test(frame); }; setDebug(debug, dexieStackFrameFilter); function Dexie(dbName, options) { /// <param name="options" type="Object" optional="true">Specify only if you wich to control which addons that should run on this instance</param> var deps = Dexie.dependencies; var opts = extend({ // Default Options addons: Dexie.addons, // Pick statically registered addons by default autoOpen: true, // Don't require db.open() explicitely. indexedDB: deps.indexedDB, // Backend IndexedDB api. Default to IDBShim or browser env. IDBKeyRange: deps.IDBKeyRange // Backend IDBKeyRange api. Default to IDBShim or browser env. }, options); var addons = opts.addons, autoOpen = opts.autoOpen, indexedDB = opts.indexedDB, IDBKeyRange = opts.IDBKeyRange; var globalSchema = this._dbSchema = {}; var versions = []; var dbStoreNames = []; var allTables = {}; ///<var type="IDBDatabase" /> var idbdb = null; // Instance of IDBDatabase var dbOpenError = null; var isBeingOpened = false; var openComplete = false; var READONLY = "readonly", READWRITE = "readwrite"; var db = this; var dbReadyResolve, dbReadyPromise = new Promise(function (resolve) { dbReadyResolve = resolve; }), cancelOpen, openCanceller = new Promise(function (_, reject) { cancelOpen = reject; }); var autoSchema = true; var hasNativeGetDatabaseNames = !!getNativeGetDatabaseNamesFn(indexedDB), hasGetAll; function init() { // Default subscribers to "versionchange" and "blocked". // Can be overridden by custom handlers. If custom handlers return false, these default // behaviours will be prevented. db.on("versionchange", function (ev) { // Default behavior for versionchange event is to close database connection. // Caller can override this behavior by doing db.on("versionchange", function(){ return false; }); // Let's not block the other window from making it's delete() or open() call. // NOTE! This event is never fired in IE,Edge or Safari. if (ev.newVersion > 0) console.warn('Another connection wants to upgrade database \'' + db.name + '\'. Closing db now to resume the upgrade.');else console.warn('Another connection wants to delete database \'' + db.name + '\'. Closing db now to resume the delete request.'); db.close(); // In many web applications, it would be recommended to force window.reload() // when this event occurs. To do that, subscribe to the versionchange event // and call window.location.reload(true) if ev.newVersion > 0 (not a deletion) // The reason for this is that your current web app obviously has old schema code that needs // to be updated. Another window got a newer version of the app and needs to upgrade DB but // your window is blocking it unless we close it here. }); db.on("blocked", function (ev) { if (!ev.newVersion || ev.newVersion < ev.oldVersion) console.warn('Dexie.delete(\'' + db.name + '\') was blocked');else console.warn('Upgrade \'' + db.name + '\' blocked by other connection holding version ' + ev.oldVersion / 10); }); } // // // // ------------------------- Versioning Framework--------------------------- // // // this.version = function (versionNumber) { /// <param name="versionNumber" type="Number"></param> /// <returns type="Version"></returns> if (idbdb || isBeingOpened) throw new exceptions.Schema("Cannot add version when database is open"); this.verno = Math.max(this.verno, versionNumber); var versionInstance = versions.filter(function (v) { return v._cfg.version === versionNumber; })[0]; if (versionInstance) return versionInstance; versionInstance = new Version(versionNumber); versions.push(versionInstance); versions.sort(lowerVersionFirst); return versionInstance; }; function Version(versionNumber) { this._cfg = { version: versionNumber, storesSource: null, dbschema: {}, tables: {}, contentUpgrade: null }; this.stores({}); // Derive earlier schemas by default. } extend(Version.prototype, { stores: function (stores) { /// <summary> /// Defines the schema for a particular version /// </summary> /// <param name="stores" type="Object"> /// Example: <br/> /// {users: "id++,first,last,&amp;username,*email", <br/> /// passwords: "id++,&amp;username"}<br/> /// <br/> /// Syntax: {Table: "[primaryKey][++],[&amp;][*]index1,[&amp;][*]index2,..."}<br/><br/> /// Special characters:<br/> /// "&amp;" means unique key, <br/> /// "*" means value is multiEntry, <br/> /// "++" means auto-increment and only applicable for primary key <br/> /// </param> this._cfg.storesSource = this._cfg.storesSource ? extend(this._cfg.storesSource, stores) : stores; // Derive stores from earlier versions if they are not explicitely specified as null or a new syntax. var storesSpec = {}; versions.forEach(function (version) { // 'versions' is always sorted by lowest version first. extend(storesSpec, version._cfg.storesSource); }); var dbschema = this._cfg.dbschema = {}; this._parseStoresSpec(storesSpec, dbschema); // Update the latest schema to this version // Update API globalSchema = db._dbSchema = dbschema; removeTablesApi([allTables, db, Transaction.prototype]); setApiOnPlace([allTables, db, Transaction.prototype, this._cfg.tables], keys(dbschema), READWRITE, dbschema); dbStoreNames = keys(dbschema); return this; }, upgrade: function (upgradeFunction) { /// <param name="upgradeFunction" optional="true">Function that performs upgrading actions.</param> var self = this; fakeAutoComplete(function () { upgradeFunction(db._createTransaction(READWRITE, keys(self._cfg.dbschema), self._cfg.dbschema)); // BUGBUG: No code completion for prev version's tables wont appear. }); this._cfg.contentUpgrade = upgradeFunction; return this; }, _parseStoresSpec: function (stores, outSchema) { keys(stores).forEach(function (tableName) { if (stores[tableName] !== null) { var instanceTemplate = {}; var indexes = parseIndexSyntax(stores[tableName]); var primKey = indexes.shift(); if (primKey.multi) throw new exceptions.Schema("Primary key cannot be multi-valued"); if (primKey.keyPath) setByKeyPath(instanceTemplate, primKey.keyPath, primKey.auto ? 0 : primKey.keyPath); indexes.forEach(function (idx) { if (idx.auto) throw new exceptions.Schema("Only primary key can be marked as autoIncrement (++)"); if (!idx.keyPath) throw new exceptions.Schema("Index must have a name and cannot be an empty string"); setByKeyPath(instanceTemplate, idx.keyPath, idx.compound ? idx.keyPath.map(function () { return ""; }) : ""); }); outSchema[tableName] = new TableSchema(tableName, primKey, indexes, instanceTemplate); } }); } }); function runUpgraders(oldVersion, idbtrans, reject) { var trans = db._createTransaction(READWRITE, dbStoreNames, globalSchema); trans.create(idbtrans); trans._completion.catch(reject); var rejectTransaction = trans._reject.bind(trans); newScope(function () { PSD.trans = trans; if (oldVersion === 0) { // Create tables: keys(globalSchema).forEach(function (tableName) { createTable(idbtrans, tableName, globalSchema[tableName].primKey, globalSchema[tableName].indexes); }); Promise.follow(function () { return db.on.populate.fire(trans); }).catch(rejectTransaction); } else updateTablesAndIndexes(oldVersion, trans, idbtrans).catch(rejectTransaction); }); } function updateTablesAndIndexes(oldVersion, trans, idbtrans) { // Upgrade version to version, step-by-step from oldest to newest version. // Each transaction object will contain the table set that was current in that version (but also not-yet-deleted tables from its previous version) var queue = []; var oldVersionStruct = versions.filter(function (version) { return version._cfg.version === oldVersion; })[0]; if (!oldVersionStruct) throw new exceptions.Upgrade("Dexie specification of currently installed DB version is missing"); globalSchema = db._dbSchema = oldVersionStruct._cfg.dbschema; var anyContentUpgraderHasRun = false; var versToRun = versions.filter(function (v) { return v._cfg.version > oldVersion; }); versToRun.forEach(function (version) { /// <param name="version" type="Version"></param> queue.push(function () { var oldSchema = globalSchema; var newSchema = version._cfg.dbschema; adjustToExistingIndexNames(oldSchema, idbtrans); adjustToExistingIndexNames(newSchema, idbtrans); globalSchema = db._dbSchema = newSchema; var diff = getSchemaDiff(oldSchema, newSchema); // Add tables diff.add.forEach(function (tuple) { createTable(idbtrans, tuple[0], tuple[1].primKey, tuple[1].indexes); }); // Change tables diff.change.forEach(function (change) { if (change.recreate) { throw new exceptions.Upgrade("Not yet support for changing primary key"); } else { var store = idbtrans.objectStore(change.name); // Add indexes change.add.forEach(function (idx) { addIndex(store, idx); }); // Update indexes change.change.forEach(function (idx) { store.deleteIndex(idx.name); addIndex(store, idx); }); // Delete indexes change.del.forEach(function (idxName) { store.deleteIndex(idxName); }); } }); if (version._cfg.contentUpgrade) { anyContentUpgraderHasRun = true; return Promise.follow(function () { version._cfg.contentUpgrade(trans); }); } }); queue.push(function (idbtrans) { if (!anyContentUpgraderHasRun || !hasIEDeleteObjectStoreBug) { // Dont delete old tables if ieBug is present and a content upgrader has run. Let tables be left in DB so far. This needs to be taken care of. var newSchema = version._cfg.dbschema; // Delete old tables deleteRemovedTables(newSchema, idbtrans); } }); }); // Now, create a queue execution engine function runQueue() { return queue.length ? Promise.resolve(queue.shift()(trans.idbtrans)).then(runQueue) : Promise.resolve(); } return runQueue().then(function () { createMissingTables(globalSchema, idbtrans); // At last, make sure to create any missing tables. (Needed by addons that add stores to DB without specifying version) }); } function getSchemaDiff(oldSchema, newSchema) { var diff = { del: [], // Array of table names add: [], // Array of [tableName, newDefinition] change: [] // Array of {name: tableName, recreate: newDefinition, del: delIndexNames, add: newIndexDefs, change: changedIndexDefs} }; for (var table in oldSchema) { if (!newSchema[table]) diff.del.push(table); } for (table in newSchema) { var oldDef = oldSchema[table], newDef = newSchema[table]; if (!oldDef) { diff.add.push([table, newDef]); } else { var change = { name: table, def: newDef, recreate: false, del: [], add: [], change: [] }; if (oldDef.primKey.src !== newDef.primKey.src) { // Primary key has changed. Remove and re-add table. change.recreate = true; diff.change.push(change); } else { // Same primary key. Just find out what differs: var oldIndexes = oldDef.idxByName; var newIndexes = newDef.idxByName; for (var idxName in oldIndexes) { if (!newIndexes[idxName]) change.del.push(idxName); } for (idxName in newIndexes) { var oldIdx = oldIndexes[idxName], newIdx = newIndexes[idxName]; if (!oldIdx) change.add.push(newIdx);else if (oldIdx.src !== newIdx.src) change.change.push(newIdx); } if (change.del.length > 0 || change.add.length > 0 || change.change.length > 0) { diff.change.push(change); } } } } return diff; } function createTable(idbtrans, tableName, primKey, indexes) { /// <param name="idbtrans" type="IDBTransaction"></param> var store = idbtrans.db.createObjectStore(tableName, primKey.keyPath ? { keyPath: primKey.keyPath, autoIncrement: primKey.auto } : { autoIncrement: primKey.auto }); indexes.forEach(function (idx) { addIndex(store, idx); }); return store; } function createMissingTables(newSchema, idbtrans) { keys(newSchema).forEach(function (tableName) { if (!idbtrans.db.objectStoreNames.contains(tableName)) { createTable(idbtrans, tableName, newSchema[tableName].primKey, newSchema[tableName].indexes); } }); } function deleteRemovedTables(newSchema, idbtrans) { for (var i = 0; i < idbtrans.db.objectStoreNames.length; ++i) { var storeName = idbtrans.db.objectStoreNames[i]; if (newSchema[storeName] == null) { idbtrans.db.deleteObjectStore(storeName); } } } function addIndex(store, idx) { store.createIndex(idx.name, idx.keyPath, { unique: idx.unique, multiEntry: idx.multi }); } function dbUncaught(err) { return db.on.error.fire(err); } // // // Dexie Protected API // // this._allTables = allTables; this._tableFactory = function createTable(mode, tableSchema) { /// <param name="tableSchema" type="TableSchema"></param> if (mode === READONLY) return new Table(tableSchema.name, tableSchema, Collection);else return new WriteableTable(tableSchema.name, tableSchema); }; this._createTransaction = function (mode, storeNames, dbschema, parentTransaction) { return new Transaction(mode, storeNames, dbschema, parentTransaction); }; /* Generate a temporary transaction when db operations are done outside a transactino scope. */ function tempTransaction(mode, storeNames, fn) { // Last argument is "writeLocked". But this doesnt apply to oneshot direct db operations, so we ignore it. if (!openComplete && !PSD.letThrough) { if (!isBeingOpened) { if (!autoOpen) return rejection(new exceptions.DatabaseClosed(), dbUncaught); db.open().catch(nop); // Open in background. If if fails, it will be catched by the final promise anyway. } return dbReadyPromise.then(function () { return tempTransaction(mode, storeNames, fn); }); } else { var trans = db._createTransaction(mode, storeNames, globalSchema); return trans._promise(mode, function (resolve, reject) { newScope(function () { // OPTIMIZATION POSSIBLE? newScope() not needed because it's already done in _promise. PSD.trans = trans; fn(resolve, reject, trans); }); }).then(function (result) { // Instead of resolving value directly, wait with resolving it until transaction has completed. // Otherwise the data would not be in the DB if requesting it in the then() operation. // Specifically, to ensure that the following expression will work: // // db.friends.put({name: "Arne"}).then(function () { // db.friends.where("name").equals("Arne").count(function(count) { // assert (count === 1); // }); // }); // return trans._completion.then(function () { return result; }); }); /*.catch(err => { // Don't do this as of now. If would affect bulk- and modify methods in a way that could be more intuitive. But wait! Maybe change in next major. trans._reject(err); return rejection(err); });*/ } } this._whenReady = function (fn) { return new Promise(fake || openComplete || PSD.letThrough ? fn : function (resolve, reject) { if (!isBeingOpened) { if (!autoOpen) { reject(new exceptions.DatabaseClosed()); return; } db.open().catch(nop); // Open in background. If if fails, it will be catched by the final promise anyway. } dbReadyPromise.then(function () { fn(resolve, reject); }); }).uncaught(dbUncaught); }; // // // // // Dexie API // // // this.verno = 0; this.open = function () { if (isBeingOpened || idbdb) return dbReadyPromise.then(function () { return dbOpenError ? rejection(dbOpenError, dbUncaught) : db; }); debug && (openCanceller._stackHolder = getErrorWithStack()); // Let stacks point to when open() was called rather than where new Dexie() was called. isBeingOpened = true; dbOpenError = null; openComplete = false; // Function pointers to call when the core opening process completes. var resolveDbReady = dbReadyResolve, // upgradeTransaction to abort on failure. upgradeTransaction = null; return Promise.race([openCanceller, new Promise(function (resolve, reject) { doFakeAutoComplete(function () { return resolve(); }); // Make sure caller has specified at least one version if (versions.length > 0) autoSchema = false; // Multiply db.verno with 10 will be needed to workaround upgrading bug in IE: // IE fails when deleting objectStore after reading from it. // A future version of Dexie.js will stopover an intermediate version to workaround this. // At that point, we want to be backward compatible. Could have been multiplied with 2, but by using 10, it is easier to map the number to the real version number. // If no API, throw! if (!indexedDB) throw new exceptions.MissingAPI("indexedDB API not found. If using IE10+, make sure to run your code on a server URL " + "(not locally). If using old Safari versions, make sure to include indexedDB polyfill."); var req = autoSchema ? indexedDB.open(dbName) : indexedDB.open(dbName, Math.round(db.verno * 10)); if (!req) throw new exceptions.MissingAPI("IndexedDB API not available"); // May happen in Safari private mode, see https://github.com/dfahlander/Dexie.js/issues/134 req.onerror = wrap(eventRejectHandler(reject)); req.onblocked = wrap(fireOnBlocked); req.onupgradeneeded = wrap(function (e) { upgradeTransaction = req.transaction; if (autoSchema && !db._allowEmptyDB) { // Unless an addon has specified db._allowEmptyDB, lets make the call fail. // Caller did not specify a version or schema. Doing that is only acceptable for opening alread existing databases. // If onupgradeneeded is called it means database did not exist. Reject the open() promise and make sure that we // do not create a new database by accident here. req.onerror = preventDefault; // Prohibit onabort error from firing before we're done! upgradeTransaction.abort(); // Abort transaction (would hope that this would make DB disappear but it doesnt.) // Close database and delete it. req.result.close(); var delreq = indexedDB.deleteDatabase(dbName); // The upgrade transaction is atomic, and javascript is single threaded - meaning that there is no risk that we delete someone elses database here! delreq.onsuccess = delreq.onerror = wrap(function () { reject(new exceptions.NoSuchDatabase('Database ' + dbName + ' doesnt exist')); }); } else { upgradeTransaction.onerror = wrap(eventRejectHandler(reject)); var oldVer = e.oldVersion > Math.pow(2, 62) ? 0 : e.oldVersion; // Safari 8 fix. runUpgraders(oldVer / 10, upgradeTransaction, reject, req); } }, reject); req.onsuccess = wrap(function () { // Core opening procedure complete. Now let's just record some stuff. upgradeTransaction = null; idbdb = req.result; connections.push(db); // Used for emulating versionchange event on IE/Edge/Safari. if (autoSchema) readGlobalSchema();else if (idbdb.objectStoreNames.length > 0) { try { adjustToExistingIndexNames(globalSchema, idbdb.transaction(safariMultiStoreFix(idbdb.objectStoreNames), READONLY)); } catch (e) { // Safari may bail out if > 1 store names. However, this shouldnt be a showstopper. Issue #120. } } idbdb.onversionchange = wrap(function (ev) { db._vcFired = true; // detect implementations that not support versionchange (IE/Edge/Safari) db.on("versionchange").fire(ev); }); if (!hasNativeGetDatabaseNames) { // Update localStorage with list of database names globalDatabaseList(function (databaseNames) { if (databaseNames.indexOf(dbName) === -1) return databaseNames.push(dbName); }); } resolve(); }, reject); })]).then(function () { // Before finally resolving the dbReadyPromise and this promise, // call and await all on('ready') subscribers: // Dexie.vip() makes subscribers able to use the database while being opened. // This is a must since these subscribers take part of the opening procedure. return Dexie.vip(db.on.ready.fire); }).then(function () { // Resolve the db.open() with the db instance. isBeingOpened = false; return db; }).catch(function (err) { try { // Did we fail within onupgradeneeded? Make sure to abort the upgrade transaction so it doesnt commit. upgradeTransaction && upgradeTransaction.abort(); } catch (e) {} isBeingOpened = false; // Set before calling db.close() so that it doesnt reject openCanceller again (leads to unhandled rejection event). db.close(); // Closes and resets idbdb, removes connections, resets dbReadyPromise and openCanceller so that a later db.open() is fresh. // A call to db.close() may have made on-ready subscribers fail. Use dbOpenError if set, since err could be a follow-up error on that. dbOpenError = err; // Record the error. It will be used to reject further promises of db operations. return rejection(dbOpenError, dbUncaught); // dbUncaught will make sure any error that happened in any operation before will now bubble to db.on.error() thanks to the special handling in Promise.uncaught(). }).finally(function () { openComplete = true; resolveDbReady(); // dbReadyPromise is resolved no matter if open() rejects or resolved. It's just to wake up waiters. }); }; this.close = function () { var idx = connections.indexOf(db); if (idx >= 0) connections.splice(idx, 1); if (idbdb) { try { idbdb.close(); } catch (e) {} idbdb = null; } autoOpen = false; dbOpenError = new exceptions.DatabaseClosed(); if (isBeingOpened) cancelOpen(dbOpenError); // Reset dbReadyPromise promise: dbReadyPromise = new Promise(function (resolve) { dbReadyResolve = resolve; }); openCanceller = new Promise(function (_, reject) { cancelOpen = reject; }); }; this.delete = function () { var hasArguments = arguments.length > 0; return new Promise(function (resolve, reject) { if (hasArguments) throw new exceptions.InvalidArgument("Arguments not allowed in db.delete()"); if (isBeingOpened) { dbReadyPromise.then(doDelete); } else { doDelete(); } function doDelete() { db.close(); var req = indexedDB.deleteDatabase(dbName); req.onsuccess = wrap(function () { if (!hasNativeGetDatabaseNames) { globalDatabaseList(function (databaseNames) { var pos = databaseNames.indexOf(dbName); if (pos >= 0) return databaseNames.splice(pos, 1); }); } resolve(); }); req.onerror = wrap(eventRejectHandler(reject)); req.onblocked = fireOnBlocked; } }).uncaught(dbUncaught); }; this.backendDB = function () { return idbdb; }; this.isOpen = function () { return idbdb !== null; }; this.hasFailed = function () { return dbOpenError !== null; }; this.dynamicallyOpened = function () { return autoSchema; }; // // Properties // this.name = dbName; // db.tables - an array of all Table instances. setProp(this, "tables", { get: function () { /// <returns type="Array" elementType="WriteableTable" /> return keys(allTables).map(function (name) { return allTables[name]; }); } }); // // Events // this.on = Events(this, "error", "populate", "blocked", "versionchange", { ready: [promisableChain, nop] }); this.on.ready.subscribe = override(this.on.ready.subscribe, function (subscribe) { return function (subscriber, bSticky) { Dexie.vip(function () { if (openComplete) { // Database already open. Call subscriber asap. Promise.resolve().then(subscriber); // bSticky: Also subscribe to future open sucesses (after close / reopen) if (bSticky) subscribe(subscriber); } else { // Database not yet open. Subscribe to it. subscribe(subscriber); // If bSticky is falsy, make sure to unsubscribe subscriber when fired once. if (!bSticky) subscribe(function unsubscribe() { db.on.ready.unsubscribe(subscriber); db.on.ready.unsubscribe(unsubscribe); }); } }); }; }); fakeAutoComplete(function () { db.on("populate").fire(db._createTransaction(READWRITE, dbStoreNames, globalSchema)); db.on("error").fire(new Error()); }); this.transaction = function (mode, tableInstances, scopeFunc) { /// <summary> /// /// </summary> /// <param name="mode" type="String">"r" for readonly, or "rw" for readwrite</param> /// <param name="tableInstances">Table instance, Array of Table instances, String or String Array of object stores to include in the transaction</param> /// <param name="scopeFunc" type="Function">Function to execute with transaction</param> // Let table arguments be all arguments between mode and last argument. var i = arguments.length; if (i < 2) throw new exceptions.InvalidArgument("Too few arguments"); // Prevent optimzation killer (https://github.com/petkaantonov/bluebird/wiki/Optimization-killers#32-leaking-arguments) // and clone arguments except the first one into local var 'args'. var args = new Array(i - 1); while (--i) { args[i - 1] = arguments[i]; } // Let scopeFunc be the last argument and pop it so that args now only contain the table arguments. scopeFunc = args.pop(); var tables = flatten(args); // Support using array as middle argument, or a mix of arrays and non-arrays. var parentTransaction = PSD.trans; // Check if parent transactions is bound to this db instance, and if caller wants to reuse it if (!parentTransaction || parentTransaction.db !== db || mode.indexOf('!') !== -1) parentTransaction = null; var onlyIfCompatible = mode.indexOf('?') !== -1; mode = mode.replace('!', '').replace('?', ''); // Ok. Will change arguments[0] as well but we wont touch arguments henceforth. try { // // Get storeNames from arguments. Either through given table instances, or through given table names. // var storeNames = tables.map(function (table) { var storeName = table instanceof Table ? table.name : table; if (typeof storeName !== 'string') throw new TypeError("Invalid table argument to Dexie.transaction(). Only Table or String are allowed"); return storeName; }); // // Resolve mode. Allow shortcuts "r" and "rw". // if (mode == "r" || mode == READONLY) mode = READONLY;else if (mode == "rw" || mode == READWRITE) mode = READWRITE;else throw new exceptions.InvalidArgument("Invalid transaction mode: " + mode); if (parentTransaction) { // Basic checks if (parentTransaction.mode === READONLY && mode === READWRITE) { if (onlyIfCompatible) { // Spawn new transaction instead. parentTransaction = null; } else throw new exceptions.SubTransaction("Cannot enter a sub-transaction with READWRITE mode when parent transaction is READONLY"); } if (parentTransaction) { storeNames.forEach(function (storeName) { if (parentTransaction && parentTransaction.storeNames.indexOf(storeName) === -1) { if (onlyIfCompatible) { // Spawn new transaction instead. parentTransaction = null; } else throw new exceptions.SubTransaction("Table " + storeName + " not included in parent transaction."); } }); } } } catch (e) { return parentTransaction ? parentTransaction._promise(null, function (_, reject) { reject(e); }) : rejection(e, dbUncaught); } // If this is a sub-transaction, lock the parent and then launch the sub-transaction. return parentTransaction ? parentTransaction._promise(mode, enterTransactionScope, "lock") : db._whenReady(enterTransactionScope); function enterTransactionScope(resolve) { var parentPSD = PSD; resolve(Promise.resolve().then(function () { return newScope(function () { // Keep a pointer to last non-transactional PSD to use if someone calls Dexie.ignoreTransaction(). PSD.transless = PSD.transless || parentPSD; // Our transaction. //return new Promise((resolve, reject) => { var trans = db._createTransaction(mode, storeNames, globalSchema, parentTransaction); // Let the transaction instance be part of a Promise-specific data (PSD) value. PSD.trans = trans; if (parentTransaction) { // Emulate transaction commit awareness for inner transaction (must 'commit' when the inner transaction has no more operations ongoing) trans.idbtrans = parentTransaction.idbtrans; } else { trans.create(); // Create the backend transaction so that complete() or error() will trigger even if no operation is made upon it. } // Provide arguments to the scope function (for backward compatibility) var tableArgs = storeNames.map(function (name) { return allTables[name]; }); tableArgs.push(trans); var returnValue; return Promise.follow(function () { // Finally, call the scope function with our table and transaction arguments. returnValue = scopeFunc.apply(trans, tableArgs); // NOTE: returnValue is used in trans.on.complete() not as a returnValue to this func. if (returnValue) { if (typeof returnValue.next === 'function' && typeof returnValue.throw === 'function') { // scopeFunc returned an iterator with throw-support. Handle yield as await. returnValue = awaitIterator(returnValue); } else if (typeof returnValue.then === 'function' && !hasOwn(returnValue, '_PSD')) { throw new exceptions.IncompatiblePromise("Incompatible Promise returned from transaction scope (read more at http://tinyurl.com/znyqjqc). Transaction scope: " + scopeFunc.toString()); } } }).uncaught(dbUncaught).then(function () { if (parentTransaction) trans._resolve(); // sub transactions don't react to idbtrans.oncomplete. We must trigger a acompletion. return trans._completion; // Even if WE believe everything is fine. Await IDBTransaction's oncomplete or onerror as well. }).then(function () { return returnValue; }).catch(function (e) { //reject(e); trans._reject(e); // Yes, above then-handler were maybe not called because of an unhandled rejection in scopeFunc! return rejection(e); }); //}); }); })); } }; this.table = function (tableName) { /// <returns type="WriteableTable"></returns> if (fake && autoSchema) return new WriteableTable(tableName); if (!hasOwn(allTables, tableName)) { throw new exceptions.InvalidTable('Table ' + tableName + ' does not exist'); } return allTables[tableName]; }; // // // // Table Class // // // function Table(name, tableSchema, collClass) { /// <param name="name" type="String"></param> this.name = name; this.schema = tableSchema; this.hook = allTables[name] ? allTables[name].hook : Events(null, { "creating": [hookCreatingChain, nop], "reading": [pureFunctionChain, mirror], "updating": [hookUpdatingChain, nop], "deleting": [hookDeletingChain, nop] }); this._collClass = collClass || Collection; } props(Table.prototype, { // // Table Protected Methods // _trans: function getTransaction(mode, fn, writeLocked) { var trans = PSD.trans; return trans && trans.db === db ? trans._promise(mode, fn, writeLocked) : tempTransaction(mode, [this.name], fn); }, _idbstore: function getIDBObjectStore(mode, fn, writeLocked) { if (fake) return new Promise(fn); // Simplify the work for Intellisense/Code completion. var trans = PSD.trans, tableName = this.name; function supplyIdbStore(resolve, reject, trans) { fn(resolve, reject, trans.idbtrans.objectStore(tableName), trans); } return trans && trans.db === db ? trans._promise(mode, supplyIdbStore, writeLocked) : tempTransaction(mode, [this.name], supplyIdbStore); }, // // Table Public Methods // get: function (key, cb) { var self = this; return this._idbstore(READONLY, function (resolve, reject, idbstore) { fake && resolve(self.schema.instanceTemplate); var req = idbstore.get(key); req.onerror = eventRejectHandler(reject); req.onsuccess = function () { resolve(self.hook.reading.fire(req.result)); }; }).then(cb); }, where: function (indexName) { return new WhereClause(this, indexName); }, count: function (cb) { return this.toCollection().count(cb); }, offset: function (offset) { return this.toCollection().offset(offset); }, limit: function (numRows) { return this.toCollection().limit(numRows); }, reverse: function () { return this.toCollection().reverse(); }, filter: function (filterFunction) { return this.toCollection().and(filterFunction); }, each: function (fn) { return this.toCollection().each(fn); }, toArray: function (cb) { return this.toCollection().toArray(cb); }, orderBy: function (index) { return new this._collClass(new WhereClause(this, index)); }, toCollection: function () { return new this._collClass(new WhereClause(this)); }, mapToClass: function (constructor, structure) { /// <summary> /// Map table to a javascript constructor function. Objects returned from the database will be instances of this class, making /// it possible to the instanceOf operator as well as extending the class using constructor.prototype.method = function(){...}. /// </summary> /// <param name="constructor">Constructor function representing the class.</param> /// <param name="structure" optional="true">Helps IDE code completion by knowing the members that objects contain and not just the indexes. Also /// know what type each member has. Example: {name: String, emailAddresses: [String], password}</param> this.schema.mappedClass = constructor; var instanceTemplate = Object.create(constructor.prototype); if (structure) { // structure and instanceTemplate is for IDE code competion only while constructor.prototype is for actual inheritance. applyStructure(instanceTemplate, structure); } this.schema.instanceTemplate = instanceTemplate; // Now, subscribe to the when("reading") event to make all objects that come out from this table inherit from given class // no matter which method to use for reading (Table.get() or Table.where(...)... ) var readHook = function (obj) { if (!obj) return obj; // No valid object. (Value is null). Return as is. // Create a new object that derives from constructor: var res = Object.create(constructor.prototype); // Clone members: for (var m in obj) { if (hasOwn(obj, m)) res[m] = obj[m]; }return res; }; if (this.schema.readHook) { this.hook.reading.unsubscribe(this.schema.readHook); } this.schema.readHook = readHook; this.hook("reading", readHook); return constructor; }, defineClass: function (structure) { /// <summary> /// Define all members of the class that represents the table. This will help code completion of when objects are read from the database /// as well as making it possible to extend the prototype of the returned constructor function. /// </summary> /// <param name="structure">Helps IDE code completion by knowing the members that objects contain and not just the indexes. Also /// know what type each member has. Example: {name: String, emailAddresses: [String], properties: {shoeSize: Number}}</param> return this.mapToClass(Dexie.defineClass(structure), structure); } }); // // // // WriteableTable Class (extends Table) // // // function WriteableTable(name, tableSchema, collClass) { Table.call(this, name, tableSchema, collClass || WriteableCollection); } function BulkErrorHandlerCatchAll(errorList, done, supportHooks) { return (supportHooks ? hookedEventRejectHandler : eventRejectHandler)(function (e) { errorList.push(e); done && done(); }); } function bulkDelete(idbstore, trans, keysOrTuples, hasDeleteHook, deletingHook) { // If hasDeleteHook, keysOrTuples must be an array of tuples: [[key1, value2],[key2,value2],...], // else keysOrTuples must be just an array of keys: [key1, key2, ...]. return new Promise(function (resolve, reject) { var len = keysOrTuples.length, lastItem = len - 1; if (len === 0) return resolve(); if (!hasDeleteHook) { for (var i = 0; i < len; ++i) { var req = idbstore.delete(keysOrTuples[i]); req.onerror = wrap(eventRejectHandler(reject)); if (i === lastItem) req.onsuccess = wrap(function () { return resolve(); }); } } else { var hookCtx, errorHandler = hookedEventRejectHandler(reject), successHandler = hookedEventSuccessHandler(null); tryCatch(function () { for (var i = 0; i < len; ++i) { hookCtx = { onsuccess: null, onerror: null }; var tuple = keysOrTuples[i]; deletingHook.call(hookCtx, tuple[0], tuple[1], trans); var req = idbstore.delete(tuple[0]); req._hookCtx = hookCtx; req.onerror = errorHandler; if (i === lastItem) req.onsuccess = hookedEventSuccessHandler(resolve);else req.onsuccess = successHandler; } }, function (err) { hookCtx.onerror && hookCtx.onerror(err); throw err; }); } }).uncaught(dbUncaught); } derive(WriteableTable).from(Table).extend({ bulkDelete: function (keys$$1) { if (this.hook.deleting.fire === nop) { return this._idbstore(READWRITE, function (resolve, reject, idbstore, trans) { resolve(bulkDelete(idbstore, trans, keys$$1, false, nop)); }); } else { return this.where(':id').anyOf(keys$$1).delete().then(function () {}); // Resolve with undefined. } }, bulkPut: function (objects, keys$$1) { var _this = this; return this._idbstore(READWRITE, function (resolve, reject, idbstore) { if (!idbstore.keyPath && !_this.schema.primKey.auto && !keys$$1) throw new exceptions.InvalidArgument("bulkPut() with non-inbound keys requires keys array in second argument"); if (idbstore.keyPath && keys$$1) throw new exceptions.InvalidArgument("bulkPut(): keys argument invalid on tables with inbound keys"); if (keys$$1 && keys$$1.length !== objects.length) throw new exceptions.InvalidArgument("Arguments objects and keys must have the same length"); if (objects.length === 0) return resolve(); // Caller provided empty list. var done = function (result) { if (errorList.length === 0) resolve(result);else reject(new BulkError(_this.name + '.bulkPut(): ' + errorList.length + ' of ' + numObjs + ' operations failed', errorList)); }; var req, errorList = [], errorHandler, numObjs = objects.length, table = _this; if (_this.hook.creating.fire === nop && _this.hook.updating.fire === nop) { // // Standard Bulk (no 'creating' or 'updating' hooks to care about) // errorHandler = BulkErrorHandlerCatchAll(errorList); for (var i = 0, l = objects.length; i < l; ++i) { req = keys$$1 ? idbstore.put(objects[i], keys$$1[i]) : idbstore.put(objects[i]); req.onerror = errorHandler; } // Only need to catch success or error on the last operation // according to the IDB spec. req.onerror = BulkErrorHandlerCatchAll(errorList, done); req.onsuccess = eventSuccessHandler(done); } else { var effectiveKeys = keys$$1 || idbstore.keyPath && objects.map(function (o) { return getByKeyPath(o, idbstore.keyPath); }); // Generate map of {[key]: object} var objectLookup = effectiveKeys && arrayToObject(effectiveKeys, function (key, i) { return key != null && [key, objects[i]]; }); var promise = !effectiveKeys ? // Auto-incremented key-less objects only without any keys argument. table.bulkAdd(objects) : // Keys provided. Either as inbound in provided objects, or as a keys argument. // Begin with updating those that exists in DB: table.where(':id').anyOf(effectiveKeys.filter(function (key) { return key != null; })).modify(function () { this.value = objectLookup[this.primKey]; objectLookup[this.primKey] = null; // Mark as "don't add this" }).catch(ModifyError, function (e) { errorList = e.failures; // No need to concat here. These are the first errors added. }).then(function () { // Now, let's examine which items didnt exist so we can add them: var objsToAdd = [], keysToAdd = keys$$1 && []; // Iterate backwards. Why? Because if same key was used twice, just add the last one. for (var i = effectiveKeys.length - 1; i >= 0; --i) { var key = effectiveKeys[i]; if (key == null || objectLookup[key]) { objsToAdd.push(objects[i]); keys$$1 && keysToAdd.push(key); if (key != null) objectLookup[key] = null; // Mark as "dont add again" } } // The items are in reverse order so reverse them before adding. // Could be important in order to get auto-incremented keys the way the caller // would expect. Could have used unshift instead of push()/reverse(), // but: http://jsperf.com/unshift-vs-reverse objsToAdd.reverse(); keys$$1 && keysToAdd.reverse(); return table.bulkAdd(objsToAdd, keysToAdd); }).then(function (lastAddedKey) { // Resolve with key of the last object in given arguments to bulkPut(): var lastEffectiveKey = effectiveKeys[effectiveKeys.length - 1]; // Key was provided. return lastEffectiveKey != null ? lastEffectiveKey : lastAddedKey; }); promise.then(done).catch(BulkError, function (e) { // Concat failure from ModifyError and reject using our 'done' method. errorList = errorList.concat(e.failures); done(); }).catch(reject); } }, "locked"); // If called from transaction scope, lock transaction til all steps are done. }, bulkAdd: function (objects, keys$$1) { var self = this, creatingHook = this.hook.creating.fire; return this._idbstore(READWRITE, function (resolve, reject, idbstore, trans) { if (!idbstore.keyPath && !self.schema.primKey.auto && !keys$$1) throw new exceptions.InvalidArgument("bulkAdd() with non-inbound keys requires keys array in second argument"); if (idbstore.keyPath && keys$$1) throw new exceptions.InvalidArgument("bulkAdd(): keys argument invalid on tables with inbound keys"); if (keys$$1 && keys$$1.length !== objects.length) throw new exceptions.InvalidArgument("Arguments objects and keys must have the same length"); if (objects.length === 0) return resolve(); // Caller provided empty list. function done(result) { if (errorList.length === 0) resolve(result);else reject(new BulkError(self.name + '.bulkAdd(): ' + errorList.length + ' of ' + numObjs + ' operations failed', errorList)); } var req, errorList = [], errorHandler, successHandler, numObjs = objects.length; if (creatingHook !== nop) { // // There are subscribers to hook('creating') // Must behave as documented. // var keyPath = idbstore.keyPath, hookCtx; errorHandler = BulkErrorHandlerCatchAll(errorList, null, true); successHandler = hookedEventSuccessHandler(null); tryCatch(function () { for (var i = 0, l = objects.length; i < l; ++i) { hookCtx = { onerror: null, onsuccess: null }; var key = keys$$1 && keys$$1[i]; var obj = objects[i], effectiveKey = keys$$1 ? key : keyPath ? getByKeyPath(obj, keyPath) : undefined, keyToUse = creatingHook.call(hookCtx, effectiveKey, obj, trans); if (effectiveKey == null && keyToUse != null) { if (keyPath) { obj = deepClone(obj); setByKeyPath(obj, keyPath, keyToUse); } else { key = keyToUse; } } req = key != null ? idbstore.add(obj, key) : idbstore.add(obj); req._hookCtx = hookCtx; if (i < l - 1) { req.onerror = errorHandler; if (hookCtx.onsuccess) req.onsuccess = successHandler; } } }, function (err) { hookCtx.onerror && hookCtx.onerror(err); throw err; }); req.onerror = BulkErrorHandlerCatchAll(errorList, done, true); req.onsuccess = hookedEventSuccessHandler(done); } else { // // Standard Bulk (no 'creating' hook to care about) // errorHandler = BulkErrorHandlerCatchAll(errorList); for (var i = 0, l = objects.length; i < l; ++i) { req = keys$$1 ? idbstore.add(objects[i], keys$$1[i]) : idbstore.add(objects[i]); req.onerror = errorHandler; } // Only need to catch success or error on the last operation // according to the IDB spec. req.onerror = BulkErrorHandlerCatchAll(errorList, done); req.onsuccess = eventSuccessHandler(done); } }); }, add: function (obj, key) { /// <summary> /// Add an object to the database. In case an object with same primary key already exists, the object will not be added. /// </summary> /// <param name="obj" type="Object">A javascript object to insert</param> /// <param name="key" optional="true">Primary key</param> var creatingHook = this.hook.creating.fire; return this._idbstore(READWRITE, function (resolve, reject, idbstore, trans) { var hookCtx = { onsuccess: null, onerror: null }; if (creatingHook !== nop) { var effectiveKey = key != null ? key : idbstore.keyPath ? getByKeyPath(obj, idbstore.keyPath) : undefined; var keyToUse = creatingHook.call(hookCtx, effectiveKey, obj, trans); // Allow subscribers to when("creating") to generate the key. if (effectiveKey == null && keyToUse != null) { // Using "==" and "!=" to check for either null or undefined! if (idbstore.keyPath) setByKeyPath(obj, idbstore.keyPath, keyToUse);else key = keyToUse; } } try { var req = key != null ? idbstore.add(obj, key) : idbstore.add(obj); req._hookCtx = hookCtx; req.onerror = hookedEventRejectHandler(reject); req.onsuccess = hookedEventSuccessHandler(function (result) { // TODO: Remove these two lines in next major release (2.0?) // It's no good practice to have side effects on provided parameters var keyPath = idbstore.keyPath; if (keyPath) setByKeyPath(obj, keyPath, result); resolve(result); }); } catch (e) { if (hookCtx.onerror) hookCtx.onerror(e); throw e; } }); }, put: function (obj, key) { /// <summary> /// Add an object to the database but in case an object with same primary key alread exists, the existing one will get updated. /// </summary> /// <param name="obj" type="Object">A javascript object to insert or update</param> /// <param name="key" optional="true">Primary key</param> var self = this, creatingHook = this.hook.creating.fire, updatingHook = this.hook.updating.fire; if (creatingHook !== nop || updatingHook !== nop) { // // People listens to when("creating") or when("updating") events! // We must know whether the put operation results in an CREATE or UPDATE. // return this._trans(READWRITE, function (resolve, reject, trans) { // Since key is optional, make sure we get it from obj if not provided var effectiveKey = key !== undefined ? key : self.schema.primKey.keyPath && getByKeyPath(obj, self.schema.primKey.keyPath); if (effectiveKey == null) { // "== null" means checking for either null or undefined. // No primary key. Must use add(). self.add(obj).then(resolve, reject); } else { // Primary key exist. Lock transaction and try modifying existing. If nothing modified, call add(). trans._lock(); // Needed because operation is splitted into modify() and add(). // clone obj before this async call. If caller modifies obj the line after put(), the IDB spec requires that it should not affect operation. obj = deepClone(obj); self.where(":id").equals(effectiveKey).modify(function () { // Replace extisting value with our object // CRUD event firing handled in WriteableCollection.modify() this.value = obj; }).then(function (count) { if (count === 0) { // Object's key was not found. Add the object instead. // CRUD event firing will be done in add() return self.add(obj, key); // Resolving with another Promise. Returned Promise will then resolve with the new key. } else { return effectiveKey; // Resolve with the provided key. } }).finally(function () { trans._unlock(); }).then(resolve, reject); } }); } else { // Use the standard IDB put() method. return this._idbstore(READWRITE, function (resolve, reject, idbstore) { var req = key !== undefined ? idbstore.put(obj, key) : idbstore.put(obj); req.onerror = eventRejectHandler(reject); req.onsuccess = function (ev) { var keyPath = idbstore.keyPath; if (keyPath) setByKeyPath(obj, keyPath, ev.target.result); resolve(req.result); }; }); } }, 'delete': function (key) { /// <param name="key">Primary key of the object to delete</param> if (this.hook.deleting.subscribers.length) { // People listens to when("deleting") event. Must implement delete using WriteableCollection.delete() that will // call the CRUD event. Only WriteableCollection.delete() will know whether an object was actually deleted. return this.where(":id").equals(key).delete(); } else { // No one listens. Use standard IDB delete() method. return this._idbstore(READWRITE, function (resolve, reject, idbstore) { var req = idbstore.delete(key); req.onerror = eventRejectHandler(reject); req.onsuccess = function () { resolve(req.result); }; }); } }, clear: function () { if (this.hook.deleting.subscribers.length) { // People listens to when("deleting") event. Must implement delete using WriteableCollection.delete() that will // call the CRUD event. Only WriteableCollection.delete() will knows which objects that are actually deleted. return this.toCollection().delete(); } else { return this._idbstore(READWRITE, function (resolve, reject, idbstore) { var req = idbstore.clear(); req.onerror = eventRejectHandler(reject); req.onsuccess = function () { resolve(req.result); }; }); } }, update: function (keyOrObject, modifications) { if (typeof modifications !== 'object' || isArray(modifications)) throw new exceptions.InvalidArgument("Modifications must be an object."); if (typeof keyOrObject === 'object' && !isArray(keyOrObject)) { // object to modify. Also modify given object with the modifications: keys(modifications).forEach(function (keyPath) { setByKeyPath(keyOrObject, keyPath, modifications[keyPath]); }); var key = getByKeyPath(keyOrObject, this.schema.primKey.keyPath); if (key === undefined) return rejection(new exceptions.InvalidArgument("Given object does not contain its primary key"), dbUncaught); return this.where(":id").equals(key).modify(modifications); } else { // key to modify return this.where(":id").equals(keyOrObject).modify(modifications); } } }); // // // // Transaction Class // // // function Transaction(mode, storeNames, dbschema, parent) { var _this2 = this; /// <summary> /// Transaction class. Represents a database transaction. All operations on db goes through a Transaction. /// </summary> /// <param name="mode" type="String">Any of "readwrite" or "readonly"</param> /// <param name="storeNames" type="Array">Array of table names to operate on</param> this.db = db; this.mode = mode; this.storeNames = storeNames; this.idbtrans = null; this.on = Events(this, "complete", "error", "abort"); this.parent = parent || null; this.active = true; this._tables = null; this._reculock = 0; this._blockedFuncs = []; this._psd = null; this._dbschema = dbschema; this._resolve = null; this._reject = null; this._completion = new Promise(function (resolve, reject) { _this2._resolve = resolve; _this2._reject = reject; }).uncaught(dbUncaught); this._completion.then(function () { _this2.on.complete.fire(); }, function (e) { _this2.on.error.fire(e); _this2.parent ? _this2.parent._reject(e) : _this2.active && _this2.idbtrans && _this2.idbtrans.abort(); _this2.active = false; return rejection(e); // Indicate we actually DO NOT catch this error. }); } props(Transaction.prototype, { // // Transaction Protected Methods (not required by API users, but needed internally and eventually by dexie extensions) // _lock: function () { assert(!PSD.global); // Locking and unlocking reuires to be within a PSD scope. // Temporary set all requests into a pending queue if they are called before database is ready. ++this._reculock; // Recursive read/write lock pattern using PSD (Promise Specific Data) instead of TLS (Thread Local Storage) if (this._reculock === 1 && !PSD.global) PSD.lockOwnerFor = this; return this; }, _unlock: function () { assert(!PSD.global); // Locking and unlocking reuires to be within a PSD scope. if (--this._reculock === 0) { if (!PSD.global) PSD.lockOwnerFor = null; while (this._blockedFuncs.length > 0 && !this._locked()) { var fn = this._blockedFuncs.shift(); try { fn(); } catch (e) {} } } return this; }, _locked: function () { // Checks if any write-lock is applied on this transaction. // To simplify the Dexie API for extension implementations, we support recursive locks. // This is accomplished by using "Promise Specific Data" (PSD). // PSD data is bound to a Promise and any child Promise emitted through then() or resolve( new Promise() ). // PSD is local to code executing on top of the call stacks of any of any code executed by Promise(): // * callback given to the Promise() constructor (function (resolve, reject){...}) // * callbacks given to then()/catch()/finally() methods (function (value){...}) // If creating a new independant Promise instance from within a Promise call stack, the new Promise will derive the PSD from the call stack of the parent Promise. // Derivation is done so that the inner PSD __proto__ points to the outer PSD. // PSD.lockOwnerFor will point to current transaction object if the currently executing PSD scope owns the lock. return this._reculock && PSD.lockOwnerFor !== this; }, create: function (idbtrans) { var _this3 = this; assert(!this.idbtrans); if (!idbtrans && !idbdb) { switch (dbOpenError && dbOpenError.name) { case "DatabaseClosedError": // Errors where it is no difference whether it was caused by the user operation or an earlier call to db.open() throw new exceptions.DatabaseClosed(dbOpenError); case "MissingAPIError": // Errors where it is no difference whether it was caused by the user operation or an earlier call to db.open() throw new exceptions.MissingAPI(dbOpenError.message, dbOpenError); default: // Make it clear that the user operation was not what caused the error - the error had occurred earlier on db.open()! throw new exceptions.OpenFailed(dbOpenError); } } if (!this.active) throw new exceptions.TransactionInactive(); assert(this._completion._state === null); idbtrans = this.idbtrans = idbtrans || idbdb.transaction(safariMultiStoreFix(this.storeNames), this.mode); idbtrans.onerror = wrap(function (ev) { preventDefault(ev); // Prohibit default bubbling to window.error _this3._reject(idbtrans.error); }); idbtrans.onabort = wrap(function (ev) { preventDefault(ev); _this3.active && _this3._reject(new exceptions.Abort()); _this3.active = false; _this3.on("abort").fire(ev); }); idbtrans.oncomplete = wrap(function () { _this3.active = false; _this3._resolve(); }); return this; }, _promise: function (mode, fn, bWriteLock) { var self = this; return newScope(function () { var p; // Read lock always if (!self._locked()) { p = self.active ? new Promise(function (resolve, reject) { if (mode === READWRITE && self.mode !== READWRITE) throw new exceptions.ReadOnly("Transaction is readonly"); if (!self.idbtrans && mode) self.create(); if (bWriteLock) self._lock(); // Write lock if write operation is requested fn(resolve, reject, self); }) : rejection(new exceptions.TransactionInactive()); if (self.active && bWriteLock) p.finally(function () { self._unlock(); }); } else { // Transaction is write-locked. Wait for mutex. p = new Promise(function (resolve, reject) { self._blockedFuncs.push(function () { self._promise(mode, fn, bWriteLock).then(resolve, reject); }); }); } p._lib = true; return p.uncaught(dbUncaught); }); }, // // Transaction Public Properties and Methods // abort: function () { this.active && this._reject(new exceptions.Abort()); this.active = false; }, tables: { get: deprecated("Transaction.tables", function () { return arrayToObject(this.storeNames, function (name) { return [name, allTables[name]]; }); }, "Use db.tables()") }, complete: deprecated("Transaction.complete()", function (cb) { return this.on("complete", cb); }), error: deprecated("Transaction.error()", function (cb) { return this.on("error", cb); }), table: deprecated("Transaction.table()", function (name) { if (this.storeNames.indexOf(name) === -1) throw new exceptions.InvalidTable("Table " + name + " not in transaction"); return allTables[name]; }) }); // // // // WhereClause // // // function WhereClause(table, index, orCollection) { /// <param name="table" type="Table"></param> /// <param name="index" type="String" optional="true"></param> /// <param name="orCollection" type="Collection" optional="true"></param> this._ctx = { table: table, index: index === ":id" ? null : index, collClass: table._collClass, or: orCollection }; } props(WhereClause.prototype, function () { // WhereClause private methods function fail(collectionOrWhereClause, err, T) { var collection = collectionOrWhereClause instanceof WhereClause ? new collectionOrWhereClause._ctx.collClass(collectionOrWhereClause) : collectionOrWhereClause; collection._ctx.error = T ? new T(err) : new TypeError(err); return collection; } function emptyCollection(whereClause) { return new whereClause._ctx.collClass(whereClause, function () { return IDBKeyRange.only(""); }).limit(0); } function upperFactory(dir) { return dir === "next" ? function (s) { return s.toUpperCase(); } : function (s) { return s.toLowerCase(); }; } function lowerFactory(dir) { return dir === "next" ? function (s) { return s.toLowerCase(); } : function (s) { return s.toUpperCase(); }; } function nextCasing(key, lowerKey, upperNeedle, lowerNeedle, cmp, dir) { var length = Math.min(key.length, lowerNeedle.length); var llp = -1; for (var i = 0; i < length; ++i) { var lwrKeyChar = lowerKey[i]; if (lwrKeyChar !== lowerNeedle[i]) { if (cmp(key[i], upperNeedle[i]) < 0) return key.substr(0, i) + upperNeedle[i] + upperNeedle.substr(i + 1); if (cmp(key[i], lowerNeedle[i]) < 0) return key.substr(0, i) + lowerNeedle[i] + upperNeedle.substr(i + 1); if (llp >= 0) return key.substr(0, llp) + lowerKey[llp] + upperNeedle.substr(llp + 1); return null; } if (cmp(key[i], lwrKeyChar) < 0) llp = i; } if (length < lowerNeedle.length && dir === "next") return key + upperNeedle.substr(key.length); if (length < key.length && dir === "prev") return key.substr(0, upperNeedle.length); return llp < 0 ? null : key.substr(0, llp) + lowerNeedle[llp] + upperNeedle.substr(llp + 1); } function addIgnoreCaseAlgorithm(whereClause, match, needles, suffix) { /// <param name="needles" type="Array" elementType="String"></param> var upper, lower, compare, upperNeedles, lowerNeedles, direction, nextKeySuffix, needlesLen = needles.length; if (!needles.every(function (s) { return typeof s === 'string'; })) { return fail(whereClause, STRING_EXPECTED); } function initDirection(dir) { upper = upperFactory(dir); lower = lowerFactory(dir); compare = dir === "next" ? simpleCompare : simpleCompareReverse; var needleBounds = needles.map(function (needle) { return { lower: lower(needle), upper: upper(needle) }; }).sort(function (a, b) { return compare(a.lower, b.lower); }); upperNeedles = needleBounds.map(function (nb) { return nb.upper; }); lowerNeedles = needleBounds.map(function (nb) { return nb.lower; }); direction = dir; nextKeySuffix = dir === "next" ? "" : suffix; } initDirection("next"); var c = new whereClause._ctx.collClass(whereClause, function () { return IDBKeyRange.bound(upperNeedles[0], lowerNeedles[needlesLen - 1] + suffix); }); c._ondirectionchange = function (direction) { // This event onlys occur before filter is called the first time. initDirection(direction); }; var firstPossibleNeedle = 0; c._addAlgorithm(function (cursor, advance, resolve) { /// <param name="cursor" type="IDBCursor"></param> /// <param name="advance" type="Function"></param> /// <param name="resolve" type="Function"></param> var key = cursor.key; if (typeof key !== 'string') return false; var lowerKey = lower(key); if (match(lowerKey, lowerNeedles, firstPossibleNeedle)) { return true; } else { var lowestPossibleCasing = null; for (var i = firstPossibleNeedle; i < needlesLen; ++i) { var casing = nextCasing(key, lowerKey, upperNeedles[i], lowerNeedles[i], compare, direction); if (casing === null && lowestPossibleCasing === null) firstPossibleNeedle = i + 1;else if (lowestPossibleCasing === null || compare(lowestPossibleCasing, casing) > 0) { lowestPossibleCasing = casing; } } if (lowestPossibleCasing !== null) { advance(function () { cursor.continue(lowestPossibleCasing + nextKeySuffix); }); } else { advance(resolve); } return false; } }); return c; } // // WhereClause public methods // return { between: function (lower, upper, includeLower, includeUpper) { /// <summary> /// Filter out records whose where-field lays between given lower and upper values. Applies to Strings, Numbers and Dates. /// </summary> /// <param name="lower"></param> /// <param name="upper"></param> /// <param name="includeLower" optional="true">Whether items that equals lower should be included. Default true.</param> /// <param name="includeUpper" optional="true">Whether items that equals upper should be included. Default false.</param> /// <returns type="Collection"></returns> includeLower = includeLower !== false; // Default to true includeUpper = includeUpper === true; // Default to false try { if (cmp(lower, upper) > 0 || cmp(lower, upper) === 0 && (includeLower || includeUpper) && !(includeLower && includeUpper)) return emptyCollection(this); // Workaround for idiotic W3C Specification that DataError must be thrown if lower > upper. The natural result would be to return an empty collection. return new this._ctx.collClass(this, function () { return IDBKeyRange.bound(lower, upper, !includeLower, !includeUpper); }); } catch (e) { return fail(this, INVALID_KEY_ARGUMENT); } }, equals: function (value) { return new this._ctx.collClass(this, function () { return IDBKeyRange.only(value); }); }, above: function (value) { return new this._ctx.collClass(this, function () { return IDBKeyRange.lowerBound(value, true); }); }, aboveOrEqual: function (value) { return new this._ctx.collClass(this, function () { return IDBKeyRange.lowerBound(value); }); }, below: function (value) { return new this._ctx.collClass(this, function () { return IDBKeyRange.upperBound(value, true); }); }, belowOrEqual: function (value) { return new this._ctx.collClass(this, function () { return IDBKeyRange.upperBound(value); }); }, startsWith: function (str) { /// <param name="str" type="String"></param> if (typeof str !== 'string') return fail(this, STRING_EXPECTED); return this.between(str, str + maxString, true, true); }, startsWithIgnoreCase: function (str) { /// <param name="str" type="String"></param> if (str === "") return this.startsWith(str); return addIgnoreCaseAlgorithm(this, function (x, a) { return x.indexOf(a[0]) === 0; }, [str], maxString); }, equalsIgnoreCase: function (str) { /// <param name="str" type="String"></param> return addIgnoreCaseAlgorithm(this, function (x, a) { return x === a[0]; }, [str], ""); }, anyOfIgnoreCase: function () { var set = getArrayOf.apply(NO_CHAR_ARRAY, arguments); if (set.length === 0) return emptyCollection(this); return addIgnoreCaseAlgorithm(this, function (x, a) { return a.indexOf(x) !== -1; }, set, ""); }, startsWithAnyOfIgnoreCase: function () { var set = getArrayOf.apply(NO_CHAR_ARRAY, arguments); if (set.length === 0) return emptyCollection(this); return addIgnoreCaseAlgorithm(this, function (x, a) { return a.some(function (n) { return x.indexOf(n) === 0; }); }, set, maxString); }, anyOf: function () { var set = getArrayOf.apply(NO_CHAR_ARRAY, arguments); var compare = ascending; try { set.sort(compare); } catch (e) { return fail(this, INVALID_KEY_ARGUMENT); } if (set.length === 0) return emptyCollection(this); var c = new this._ctx.collClass(this, function () { return IDBKeyRange.bound(set[0], set[set.length - 1]); }); c._ondirectionchange = function (direction) { compare = direction === "next" ? ascending : descending; set.sort(compare); }; var i = 0; c._addAlgorithm(function (cursor, advance, resolve) { var key = cursor.key; while (compare(key, set[i]) > 0) { // The cursor has passed beyond this key. Check next. ++i; if (i === set.length) { // There is no next. Stop searching. advance(resolve); return false; } } if (compare(key, set[i]) === 0) { // The current cursor value should be included and we should continue a single step in case next item has the same key or possibly our next key in set. return true; } else { // cursor.key not yet at set[i]. Forward cursor to the next key to hunt for. advance(function () { cursor.continue(set[i]); }); return false; } }); return c; }, notEqual: function (value) { return this.inAnyRange([[-Infinity, value], [value, maxKey]], { includeLowers: false, includeUppers: false }); }, noneOf: function () { var set = getArrayOf.apply(NO_CHAR_ARRAY, arguments); if (set.length === 0) return new this._ctx.collClass(this); // Return entire collection. try { set.sort(ascending); } catch (e) { return fail(this, INVALID_KEY_ARGUMENT); } // Transform ["a","b","c"] to a set of ranges for between/above/below: [[-Infinity,"a"], ["a","b"], ["b","c"], ["c",maxKey]] var ranges = set.reduce(function (res, val) { return res ? res.concat([[res[res.length - 1][1], val]]) : [[-Infinity, val]]; }, null); ranges.push([set[set.length - 1], maxKey]); return this.inAnyRange(ranges, { includeLowers: false, includeUppers: false }); }, /** Filter out values withing given set of ranges. * Example, give children and elders a rebate of 50%: * * db.friends.where('age').inAnyRange([[0,18],[65,Infinity]]).modify({Rebate: 1/2}); * * @param {(string|number|Date|Array)[][]} ranges * @param {{includeLowers: boolean, includeUppers: boolean}} options */ inAnyRange: function (ranges, options) { var ctx = this._ctx; if (ranges.length === 0) return emptyCollection(this); if (!ranges.every(function (range) { return range[0] !== undefined && range[1] !== undefined && ascending(range[0], range[1]) <= 0; })) { return fail(this, "First argument to inAnyRange() must be an Array of two-value Arrays [lower,upper] where upper must not be lower than lower", exceptions.InvalidArgument); } var includeLowers = !options || options.includeLowers !== false; // Default to true var includeUppers = options && options.includeUppers === true; // Default to false function addRange(ranges, newRange) { for (var i = 0, l = ranges.length; i < l; ++i) { var range = ranges[i]; if (cmp(newRange[0], range[1]) < 0 && cmp(newRange[1], range[0]) > 0) { range[0] = min(range[0], newRange[0]); range[1] = max(range[1], newRange[1]); break; } } if (i === l) ranges.push(newRange); return ranges; } var sortDirection = ascending; function rangeSorter(a, b) { return sortDirection(a[0], b[0]); } // Join overlapping ranges var set; try { set = ranges.reduce(addRange, []); set.sort(rangeSorter); } catch (ex) { return fail(this, INVALID_KEY_ARGUMENT); } var i = 0; var keyIsBeyondCurrentEntry = includeUppers ? function (key) { return ascending(key, set[i][1]) > 0; } : function (key) { return ascending(key, set[i][1]) >= 0; }; var keyIsBeforeCurrentEntry = includeLowers ? function (key) { return descending(key, set[i][0]) > 0; } : function (key) { return descending(key, set[i][0]) >= 0; }; function keyWithinCurrentRange(key) { return !keyIsBeyondCurrentEntry(key) && !keyIsBeforeCurrentEntry(key); } var checkKey = keyIsBeyondCurrentEntry; var c = new ctx.collClass(this, function () { return IDBKeyRange.bound(set[0][0], set[set.length - 1][1], !includeLowers, !includeUppers); }); c._ondirectionchange = function (direction) { if (direction === "next") { checkKey = keyIsBeyondCurrentEntry; sortDirection = ascending; } else { checkKey = keyIsBeforeCurrentEntry; sortDirection = descending; } set.sort(rangeSorter); }; c._addAlgorithm(function (cursor, advance, resolve) { var key = cursor.key; while (checkKey(key)) { // The cursor has passed beyond this key. Check next. ++i; if (i === set.length) { // There is no next. Stop searching. advance(resolve); return false; } } if (keyWithinCurrentRange(key)) { // The current cursor value should be included and we should continue a single step in case next item has the same key or possibly our next key in set. return true; } else if (cmp(key, set[i][1]) === 0 || cmp(key, set[i][0]) === 0) { // includeUpper or includeLower is false so keyWithinCurrentRange() returns false even though we are at range border. // Continue to next key but don't include this one. return false; } else { // cursor.key not yet at set[i]. Forward cursor to the next key to hunt for. advance(function () { if (sortDirection === ascending) cursor.continue(set[i][0]);else cursor.continue(set[i][1]); }); return false; } }); return c; }, startsWithAnyOf: function () { var set = getArrayOf.apply(NO_CHAR_ARRAY, arguments); if (!set.every(function (s) { return typeof s === 'string'; })) { return fail(this, "startsWithAnyOf() only works with strings"); } if (set.length === 0) return emptyCollection(this); return this.inAnyRange(set.map(function (str) { return [str, str + maxString]; })); } }; }); // // // // Collection Class // // // function Collection(whereClause, keyRangeGenerator) { /// <summary> /// /// </summary> /// <param name="whereClause" type="WhereClause">Where clause instance</param> /// <param name="keyRangeGenerator" value="function(){ return IDBKeyRange.bound(0,1);}" optional="true"></param> var keyRange = null, error = null; if (keyRangeGenerator) try { keyRange = keyRangeGenerator(); } catch (ex) { error = ex; } var whereCtx = whereClause._ctx, table = whereCtx.table; this._ctx = { table: table, index: whereCtx.index, isPrimKey: !whereCtx.index || table.schema.primKey.keyPath && whereCtx.index === table.schema.primKey.name, range: keyRange, keysOnly: false, dir: "next", unique: "", algorithm: null, filter: null, replayFilter: null, justLimit: true, // True if a replayFilter is just a filter that performs a "limit" operation (or none at all) isMatch: null, offset: 0, limit: Infinity, error: error, // If set, any promise must be rejected with this error or: whereCtx.or, valueMapper: table.hook.reading.fire }; } function isPlainKeyRange(ctx, ignoreLimitFilter) { return !(ctx.filter || ctx.algorithm || ctx.or) && (ignoreLimitFilter ? ctx.justLimit : !ctx.replayFilter); } props(Collection.prototype, function () { // // Collection Private Functions // function addFilter(ctx, fn) { ctx.filter = combine(ctx.filter, fn); } function addReplayFilter(ctx, factory, isLimitFilter) { var curr = ctx.replayFilter; ctx.replayFilter = curr ? function () { return combine(curr(), factory()); } : factory; ctx.justLimit = isLimitFilter && !curr; } function addMatchFilter(ctx, fn) { ctx.isMatch = combine(ctx.isMatch, fn); } /** @param ctx { * isPrimKey: boolean, * table: Table, * index: string * } * @param store IDBObjectStore **/ function getIndexOrStore(ctx, store) { if (ctx.isPrimKey) return store; var indexSpec = ctx.table.schema.idxByName[ctx.index]; if (!indexSpec) throw new exceptions.Schema("KeyPath " + ctx.index + " on object store " + store.name + " is not indexed"); return store.index(indexSpec.name); } /** @param ctx { * isPrimKey: boolean, * table: Table, * index: string, * keysOnly: boolean, * range?: IDBKeyRange, * dir: "next" | "prev" * } */ function openCursor(ctx, store) { var idxOrStore = getIndexOrStore(ctx, store); return ctx.keysOnly && 'openKeyCursor' in idxOrStore ? idxOrStore.openKeyCursor(ctx.range || null, ctx.dir + ctx.unique) : idxOrStore.openCursor(ctx.range || null, ctx.dir + ctx.unique); } function iter(ctx, fn, resolve, reject, idbstore) { var filter = ctx.replayFilter ? combine(ctx.filter, ctx.replayFilter()) : ctx.filter; if (!ctx.or) { iterate(openCursor(ctx, idbstore), combine(ctx.algorithm, filter), fn, resolve, reject, !ctx.keysOnly && ctx.valueMapper); } else (function () { var set = {}; var resolved = 0; function resolveboth() { if (++resolved === 2) resolve(); // Seems like we just support or btwn max 2 expressions, but there are no limit because we do recursion. } function union(item, cursor, advance) { if (!filter || filter(cursor, advance, resolveboth, reject)) { var key = cursor.primaryKey.toString(); // Converts any Date to String, String to String, Number to String and Array to comma-separated string if (!hasOwn(set, key)) { set[key] = true; fn(item, cursor, advance); } } } ctx.or._iterate(union, resolveboth, reject, idbstore); iterate(openCursor(ctx, idbstore), ctx.algorithm, union, resolveboth, reject, !ctx.keysOnly && ctx.valueMapper); })(); } function getInstanceTemplate(ctx) { return ctx.table.schema.instanceTemplate; } return { // // Collection Protected Functions // _read: function (fn, cb) { var ctx = this._ctx; if (ctx.error) return ctx.table._trans(null, function rejector(resolve, reject) { reject(ctx.error); });else return ctx.table._idbstore(READONLY, fn).then(cb); }, _write: function (fn) { var ctx = this._ctx; if (ctx.error) return ctx.table._trans(null, function rejector(resolve, reject) { reject(ctx.error); });else return ctx.table._idbstore(READWRITE, fn, "locked"); // When doing write operations on collections, always lock the operation so that upcoming operations gets queued. }, _addAlgorithm: function (fn) { var ctx = this._ctx; ctx.algorithm = combine(ctx.algorithm, fn); }, _iterate: function (fn, resolve, reject, idbstore) { return iter(this._ctx, fn, resolve, reject, idbstore); }, clone: function (props$$1) { var rv = Object.create(this.constructor.prototype), ctx = Object.create(this._ctx); if (props$$1) extend(ctx, props$$1); rv._ctx = ctx; return rv; }, raw: function () { this._ctx.valueMapper = null; return this; }, // // Collection Public methods // each: function (fn) { var ctx = this._ctx; if (fake) { var item = getInstanceTemplate(ctx), primKeyPath = ctx.table.schema.primKey.keyPath, key = getByKeyPath(item, ctx.index ? ctx.table.schema.idxByName[ctx.index].keyPath : primKeyPath), primaryKey = getByKeyPath(item, primKeyPath); fn(item, { key: key, primaryKey: primaryKey }); } return this._read(function (resolve, reject, idbstore) { iter(ctx, fn, resolve, reject, idbstore); }); }, count: function (cb) { if (fake) return Promise.resolve(0).then(cb); var ctx = this._ctx; if (isPlainKeyRange(ctx, true)) { // This is a plain key range. We can use the count() method if the index. return this._read(function (resolve, reject, idbstore) { var idx = getIndexOrStore(ctx, idbstore); var req = ctx.range ? idx.count(ctx.range) : idx.count(); req.onerror = eventRejectHandler(reject); req.onsuccess = function (e) { resolve(Math.min(e.target.result, ctx.limit)); }; }, cb); } else { // Algorithms, filters or expressions are applied. Need to count manually. var count = 0; return this._read(function (resolve, reject, idbstore) { iter(ctx, function () { ++count;return false; }, function () { resolve(count); }, reject, idbstore); }, cb); } }, sortBy: function (keyPath, cb) { /// <param name="keyPath" type="String"></param> var parts = keyPath.split('.').reverse(), lastPart = parts[0], lastIndex = parts.length - 1; function getval(obj, i) { if (i) return getval(obj[parts[i]], i - 1); return obj[lastPart]; } var order = this._ctx.dir === "next" ? 1 : -1; function sorter(a, b) { var aVal = getval(a, lastIndex), bVal = getval(b, lastIndex); return aVal < bVal ? -order : aVal > bVal ? order : 0; } return this.toArray(function (a) { return a.sort(sorter); }).then(cb); }, toArray: function (cb) { var ctx = this._ctx; return this._read(function (resolve, reject, idbstore) { fake && resolve([getInstanceTemplate(ctx)]); if (hasGetAll && ctx.dir === 'next' && isPlainKeyRange(ctx, true) && ctx.limit > 0) { // Special optimation if we could use IDBObjectStore.getAll() or // IDBKeyRange.getAll(): var readingHook = ctx.table.hook.reading.fire; var idxOrStore = getIndexOrStore(ctx, idbstore); var req = ctx.limit < Infinity ? idxOrStore.getAll(ctx.range, ctx.limit) : idxOrStore.getAll(ctx.range); req.onerror = eventRejectHandler(reject); req.onsuccess = readingHook === mirror ? eventSuccessHandler(resolve) : wrap(eventSuccessHandler(function (res) { resolve(res.map(readingHook)); })); } else { // Getting array through a cursor. var a = []; iter(ctx, function (item) { a.push(item); }, function arrayComplete() { resolve(a); }, reject, idbstore); } }, cb); }, offset: function (offset) { var ctx = this._ctx; if (offset <= 0) return this; ctx.offset += offset; // For count() if (isPlainKeyRange(ctx)) { addReplayFilter(ctx, function () { var offsetLeft = offset; return function (cursor, advance) { if (offsetLeft === 0) return true; if (offsetLeft === 1) { --offsetLeft;return false; } advance(function () { cursor.advance(offsetLeft); offsetLeft = 0; }); return false; }; }); } else { addReplayFilter(ctx, function () { var offsetLeft = offset; return function () { return --offsetLeft < 0; }; }); } return this; }, limit: function (numRows) { this._ctx.limit = Math.min(this._ctx.limit, numRows); // For count() addReplayFilter(this._ctx, function () { var rowsLeft = numRows; return function (cursor, advance, resolve) { if (--rowsLeft <= 0) advance(resolve); // Stop after this item has been included return rowsLeft >= 0; // If numRows is already below 0, return false because then 0 was passed to numRows initially. Otherwise we wouldnt come here. }; }, true); return this; }, until: function (filterFunction, bIncludeStopEntry) { var ctx = this._ctx; fake && filterFunction(getInstanceTemplate(ctx)); addFilter(this._ctx, function (cursor, advance, resolve) { if (filterFunction(cursor.value)) { advance(resolve); return bIncludeStopEntry; } else { return true; } }); return this; }, first: function (cb) { return this.limit(1).toArray(function (a) { return a[0]; }).then(cb); }, last: function (cb) { return this.reverse().first(cb); }, filter: function (filterFunction) { /// <param name="jsFunctionFilter" type="Function">function(val){return true/false}</param> fake && filterFunction(getInstanceTemplate(this._ctx)); addFilter(this._ctx, function (cursor) { return filterFunction(cursor.value); }); // match filters not used in Dexie.js but can be used by 3rd part libraries to test a // collection for a match without querying DB. Used by Dexie.Observable. addMatchFilter(this._ctx, filterFunction); return this; }, and: function (filterFunction) { return this.filter(filterFunction); }, or: function (indexName) { return new WhereClause(this._ctx.table, indexName, this); }, reverse: function () { this._ctx.dir = this._ctx.dir === "prev" ? "next" : "prev"; if (this._ondirectionchange) this._ondirectionchange(this._ctx.dir); return this; }, desc: function () { return this.reverse(); }, eachKey: function (cb) { var ctx = this._ctx; ctx.keysOnly = !ctx.isMatch; return this.each(function (val, cursor) { cb(cursor.key, cursor); }); }, eachUniqueKey: function (cb) { this._ctx.unique = "unique"; return this.eachKey(cb); }, eachPrimaryKey: function (cb) { var ctx = this._ctx; ctx.keysOnly = !ctx.isMatch; return this.each(function (val, cursor) { cb(cursor.primaryKey, cursor); }); }, keys: function (cb) { var ctx = this._ctx; ctx.keysOnly = !ctx.isMatch; var a = []; return this.each(function (item, cursor) { a.push(cursor.key); }).then(function () { return a; }).then(cb); }, primaryKeys: function (cb) { var ctx = this._ctx; if (hasGetAll && ctx.dir === 'next' && isPlainKeyRange(ctx, true) && ctx.limit > 0) { // Special optimation if we could use IDBObjectStore.getAllKeys() or // IDBKeyRange.getAllKeys(): return this._read(function (resolve, reject, idbstore) { var idxOrStore = getIndexOrStore(ctx, idbstore); var req = ctx.limit < Infinity ? idxOrStore.getAllKeys(ctx.range, ctx.limit) : idxOrStore.getAllKeys(ctx.range); req.onerror = eventRejectHandler(reject); req.onsuccess = eventSuccessHandler(resolve); }).then(cb); } ctx.keysOnly = !ctx.isMatch; var a = []; return this.each(function (item, cursor) { a.push(cursor.primaryKey); }).then(function () { return a; }).then(cb); }, uniqueKeys: function (cb) { this._ctx.unique = "unique"; return this.keys(cb); }, firstKey: function (cb) { return this.limit(1).keys(function (a) { return a[0]; }).then(cb); }, lastKey: function (cb) { return this.reverse().firstKey(cb); }, distinct: function () { var ctx = this._ctx, idx = ctx.index && ctx.table.schema.idxByName[ctx.index]; if (!idx || !idx.multi) return this; // distinct() only makes differencies on multiEntry indexes. var set = {}; addFilter(this._ctx, function (cursor) { var strKey = cursor.primaryKey.toString(); // Converts any Date to String, String to String, Number to String and Array to comma-separated string var found = hasOwn(set, strKey); set[strKey] = true; return !found; }); return this; } }; }); // // // WriteableCollection Class // // function WriteableCollection() { Collection.apply(this, arguments); } derive(WriteableCollection).from(Collection).extend({ // // WriteableCollection Public Methods // modify: function (changes) { var self = this, ctx = this._ctx, hook = ctx.table.hook, updatingHook = hook.updating.fire, deletingHook = hook.deleting.fire; fake && typeof changes === 'function' && changes.call({ value: ctx.table.schema.instanceTemplate }, ctx.table.schema.instanceTemplate); return this._write(function (resolve, reject, idbstore, trans) { var modifyer; if (typeof changes === 'function') { // Changes is a function that may update, add or delete propterties or even require a deletion the object itself (delete this.item) if (updatingHook === nop && deletingHook === nop) { // Noone cares about what is being changed. Just let the modifier function be the given argument as is. modifyer = changes; } else { // People want to know exactly what is being modified or deleted. // Let modifyer be a proxy function that finds out what changes the caller is actually doing // and call the hooks accordingly! modifyer = function (item) { var origItem = deepClone(item); // Clone the item first so we can compare laters. if (changes.call(this, item, this) === false) return false; // Call the real modifyer function (If it returns false explicitely, it means it dont want to modify anyting on this object) if (!hasOwn(this, "value")) { // The real modifyer function requests a deletion of the object. Inform the deletingHook that a deletion is taking place. deletingHook.call(this, this.primKey, item, trans); } else { // No deletion. Check what was changed var objectDiff = getObjectDiff(origItem, this.value); var additionalChanges = updatingHook.call(this, objectDiff, this.primKey, origItem, trans); if (additionalChanges) { // Hook want to apply additional modifications. Make sure to fullfill the will of the hook. item = this.value; keys(additionalChanges).forEach(function (keyPath) { setByKeyPath(item, keyPath, additionalChanges[keyPath]); // Adding {keyPath: undefined} means that the keyPath should be deleted. Handled by setByKeyPath }); } } }; } } else if (updatingHook === nop) { // changes is a set of {keyPath: value} and no one is listening to the updating hook. var keyPaths = keys(changes); var numKeys = keyPaths.length; modifyer = function (item) { var anythingModified = false; for (var i = 0; i < numKeys; ++i) { var keyPath = keyPaths[i], val = changes[keyPath]; if (getByKeyPath(item, keyPath) !== val) { setByKeyPath(item, keyPath, val); // Adding {keyPath: undefined} means that the keyPath should be deleted. Handled by setByKeyPath anythingModified = true; } } return anythingModified; }; } else { // changes is a set of {keyPath: value} and people are listening to the updating hook so we need to call it and // allow it to add additional modifications to make. var origChanges = changes; changes = shallowClone(origChanges); // Let's work with a clone of the changes keyPath/value set so that we can restore it in case a hook extends it. modifyer = function (item) { var anythingModified = false; var additionalChanges = updatingHook.call(this, changes, this.primKey, deepClone(item), trans); if (additionalChanges) extend(changes, additionalChanges); keys(changes).forEach(function (keyPath) { var val = changes[keyPath]; if (getByKeyPath(item, keyPath) !== val) { setByKeyPath(item, keyPath, val); anythingModified = true; } }); if (additionalChanges) changes = shallowClone(origChanges); // Restore original changes for next iteration return anythingModified; }; } var count = 0; var successCount = 0; var iterationComplete = false; var failures = []; var failKeys = []; var currentKey = null; function modifyItem(item, cursor) { currentKey = cursor.primaryKey; var thisContext = { primKey: cursor.primaryKey, value: item, onsuccess: null, onerror: null }; function onerror(e) { failures.push(e); failKeys.push(thisContext.primKey); checkFinished(); return true; // Catch these errors and let a final rejection decide whether or not to abort entire transaction } if (modifyer.call(thisContext, item, thisContext) !== false) { // If a callback explicitely returns false, do not perform the update! var bDelete = !hasOwn(thisContext, "value"); ++count; tryCatch(function () { var req = bDelete ? cursor.delete() : cursor.update(thisContext.value); req._hookCtx = thisContext; req.onerror = hookedEventRejectHandler(onerror); req.onsuccess = hookedEventSuccessHandler(function () { ++successCount; checkFinished(); }); }, onerror); } else if (thisContext.onsuccess) { // Hook will expect either onerror or onsuccess to always be called! thisContext.onsuccess(thisContext.value); } } function doReject(e) { if (e) { failures.push(e); failKeys.push(currentKey); } return reject(new ModifyError("Error modifying one or more objects", failures, successCount, failKeys)); } function checkFinished() { if (iterationComplete && successCount + failures.length === count) { if (failures.length > 0) doReject();else resolve(successCount); } } self.clone().raw()._iterate(modifyItem, function () { iterationComplete = true; checkFinished(); }, doReject, idbstore); }); }, 'delete': function () { var _this4 = this; var ctx = this._ctx, range = ctx.range, deletingHook = ctx.table.hook.deleting.fire, hasDeleteHook = deletingHook !== nop; if (!hasDeleteHook && isPlainKeyRange(ctx) && (ctx.isPrimKey && !hangsOnDeleteLargeKeyRange || !range)) // if no range, we'll use clear(). { // May use IDBObjectStore.delete(IDBKeyRange) in this case (Issue #208) // For chromium, this is the way most optimized version. // For IE/Edge, this could hang the indexedDB engine and make operating system instable // (https://gist.github.com/dfahlander/5a39328f029de18222cf2125d56c38f7) return this._write(function (resolve, reject, idbstore) { // Our API contract is to return a count of deleted items, so we have to count() before delete(). var onerror = eventRejectHandler(reject), countReq = range ? idbstore.count(range) : idbstore.count(); countReq.onerror = onerror; countReq.onsuccess = function () { var count = countReq.result; tryCatch(function () { var delReq = range ? idbstore.delete(range) : idbstore.clear(); delReq.onerror = onerror; delReq.onsuccess = function () { return resolve(count); }; }, function (err) { return reject(err); }); }; }); } // Default version to use when collection is not a vanilla IDBKeyRange on the primary key. // Divide into chunks to not starve RAM. // If has delete hook, we will have to collect not just keys but also objects, so it will use // more memory and need lower chunk size. var CHUNKSIZE = hasDeleteHook ? 2000 : 10000; return this._write(function (resolve, reject, idbstore, trans) { var totalCount = 0; // Clone collection and change its table and set a limit of CHUNKSIZE on the cloned Collection instance. var collection = _this4.clone({ keysOnly: !ctx.isMatch && !hasDeleteHook }) // load just keys (unless filter() or and() or deleteHook has subscribers) .distinct() // In case multiEntry is used, never delete same key twice because resulting count // would become larger than actual delete count. .limit(CHUNKSIZE).raw(); // Don't filter through reading-hooks (like mapped classes etc) var keysOrTuples = []; // We're gonna do things on as many chunks that are needed. // Use recursion of nextChunk function: var nextChunk = function () { return collection.each(hasDeleteHook ? function (val, cursor) { // Somebody subscribes to hook('deleting'). Collect all primary keys and their values, // so that the hook can be called with its values in bulkDelete(). keysOrTuples.push([cursor.primaryKey, cursor.value]); } : function (val, cursor) { // No one subscribes to hook('deleting'). Collect only primary keys: keysOrTuples.push(cursor.primaryKey); }).then(function () { // Chromium deletes faster when doing it in sort order. hasDeleteHook ? keysOrTuples.sort(function (a, b) { return ascending(a[0], b[0]); }) : keysOrTuples.sort(ascending); return bulkDelete(idbstore, trans, keysOrTuples, hasDeleteHook, deletingHook); }).then(function () { var count = keysOrTuples.length; totalCount += count; keysOrTuples = []; return count < CHUNKSIZE ? totalCount : nextChunk(); }); }; resolve(nextChunk()); }); } }); // // // // ------------------------- Help functions --------------------------- // // // function lowerVersionFirst(a, b) { return a._cfg.version - b._cfg.version; } function setApiOnPlace(objs, tableNames, mode, dbschema) { tableNames.forEach(function (tableName) { var tableInstance = db._tableFactory(mode, dbschema[tableName]); objs.forEach(function (obj) { tableName in obj || (obj[tableName] = tableInstance); }); }); } function removeTablesApi(objs) { objs.forEach(function (obj) { for (var key in obj) { if (obj[key] instanceof Table) delete obj[key]; } }); } function iterate(req, filter, fn, resolve, reject, valueMapper) { // Apply valueMapper (hook('reading') or mappped class) var mappedFn = valueMapper ? function (x, c, a) { return fn(valueMapper(x), c, a); } : fn; // Wrap fn with PSD and microtick stuff from Promise. var wrappedFn = wrap(mappedFn, reject); if (!req.onerror) req.onerror = eventRejectHandler(reject); if (filter) { req.onsuccess = trycatcher(function filter_record() { var cursor = req.result; if (cursor) { var c = function () { cursor.continue(); }; if (filter(cursor, function (advancer) { c = advancer; }, resolve, reject)) wrappedFn(cursor.value, cursor, function (advancer) { c = advancer; }); c(); } else { resolve(); } }, reject); } else { req.onsuccess = trycatcher(function filter_record() { var cursor = req.result; if (cursor) { var c = function () { cursor.continue(); }; wrappedFn(cursor.value, cursor, function (advancer) { c = advancer; }); c(); } else { resolve(); } }, reject); } } function parseIndexSyntax(indexes) { /// <param name="indexes" type="String"></param> /// <returns type="Array" elementType="IndexSpec"></returns> var rv = []; indexes.split(',').forEach(function (index) { index = index.trim(); var name = index.replace(/([&*]|\+\+)/g, ""); // Remove "&", "++" and "*" // Let keyPath of "[a+b]" be ["a","b"]: var keyPath = /^\[/.test(name) ? name.match(/^\[(.*)\]$/)[1].split('+') : name; rv.push(new IndexSpec(name, keyPath || null, /\&/.test(index), /\*/.test(index), /\+\+/.test(index), isArray(keyPath), /\./.test(index))); }); return rv; } function cmp(key1, key2) { return indexedDB.cmp(key1, key2); } function min(a, b) { return cmp(a, b) < 0 ? a : b; } function max(a, b) { return cmp(a, b) > 0 ? a : b; } function ascending(a, b) { return indexedDB.cmp(a, b); } function descending(a, b) { return indexedDB.cmp(b, a); } function simpleCompare(a, b) { return a < b ? -1 : a === b ? 0 : 1; } function simpleCompareReverse(a, b) { return a > b ? -1 : a === b ? 0 : 1; } function combine(filter1, filter2) { return filter1 ? filter2 ? function () { return filter1.apply(this, arguments) && filter2.apply(this, arguments); } : filter1 : filter2; } function readGlobalSchema() { db.verno = idbdb.version / 10; db._dbSchema = globalSchema = {}; dbStoreNames = slice(idbdb.objectStoreNames, 0); if (dbStoreNames.length === 0) return; // Database contains no stores. var trans = idbdb.transaction(safariMultiStoreFix(dbStoreNames), 'readonly'); dbStoreNames.forEach(function (storeName) { var store = trans.objectStore(storeName), keyPath = store.keyPath, dotted = keyPath && typeof keyPath === 'string' && keyPath.indexOf('.') !== -1; var primKey = new IndexSpec(keyPath, keyPath || "", false, false, !!store.autoIncrement, keyPath && typeof keyPath !== 'string', dotted); var indexes = []; for (var j = 0; j < store.indexNames.length; ++j) { var idbindex = store.index(store.indexNames[j]); keyPath = idbindex.keyPath; dotted = keyPath && typeof keyPath === 'string' && keyPath.indexOf('.') !== -1; var index = new IndexSpec(idbindex.name, keyPath, !!idbindex.unique, !!idbindex.multiEntry, false, keyPath && typeof keyPath !== 'string', dotted); indexes.push(index); } globalSchema[storeName] = new TableSchema(storeName, primKey, indexes, {}); }); setApiOnPlace([allTables, Transaction.prototype], keys(globalSchema), READWRITE, globalSchema); } function adjustToExistingIndexNames(schema, idbtrans) { /// <summary> /// Issue #30 Problem with existing db - adjust to existing index names when migrating from non-dexie db /// </summary> /// <param name="schema" type="Object">Map between name and TableSchema</param> /// <param name="idbtrans" type="IDBTransaction"></param> var storeNames = idbtrans.db.objectStoreNames; for (var i = 0; i < storeNames.length; ++i) { var storeName = storeNames[i]; var store = idbtrans.objectStore(storeName); hasGetAll = 'getAll' in store; for (var j = 0; j < store.indexNames.length; ++j) { var indexName = store.indexNames[j]; var keyPath = store.index(indexName).keyPath; var dexieName = typeof keyPath === 'string' ? keyPath : "[" + slice(keyPath).join('+') + "]"; if (schema[storeName]) { var indexSpec = schema[storeName].idxByName[dexieName]; if (indexSpec) indexSpec.name = indexName; } } } } function fireOnBlocked(ev) { db.on("blocked").fire(ev); // Workaround (not fully*) for missing "versionchange" event in IE,Edge and Safari: connections.filter(function (c) { return c.name === db.name && c !== db && !c._vcFired; }).map(function (c) { return c.on("versionchange").fire(ev); }); } extend(this, { Collection: Collection, Table: Table, Transaction: Transaction, Version: Version, WhereClause: WhereClause, WriteableCollection: WriteableCollection, WriteableTable: WriteableTable }); init(); addons.forEach(function (fn) { fn(db); }); } var fakeAutoComplete = function () {}; // Will never be changed. We just fake for the IDE that we change it (see doFakeAutoComplete()) var fake = false; // Will never be changed. We just fake for the IDE that we change it (see doFakeAutoComplete()) function parseType(type) { if (typeof type === 'function') { return new type(); } else if (isArray(type)) { return [parseType(type[0])]; } else if (type && typeof type === 'object') { var rv = {}; applyStructure(rv, type); return rv; } else { return type; } } function applyStructure(obj, structure) { keys(structure).forEach(function (member) { var value = parseType(structure[member]); obj[member] = value; }); return obj; } function eventSuccessHandler(done) { return function (ev) { done(ev.target.result); }; } function hookedEventSuccessHandler(resolve) { // wrap() is needed when calling hooks because the rare scenario of: // * hook does a db operation that fails immediately (IDB throws exception) // For calling db operations on correct transaction, wrap makes sure to set PSD correctly. // wrap() will also execute in a virtual tick. // * If not wrapped in a virtual tick, direct exception will launch a new physical tick. // * If this was the last event in the bulk, the promise will resolve after a physical tick // and the transaction will have committed already. // If no hook, the virtual tick will be executed in the reject()/resolve of the final promise, // because it is always marked with _lib = true when created using Transaction._promise(). return wrap(function (event) { var req = event.target, result = req.result, ctx = req._hookCtx, // Contains the hook error handler. Put here instead of closure to boost performance. hookSuccessHandler = ctx && ctx.onsuccess; hookSuccessHandler && hookSuccessHandler(result); resolve && resolve(result); }, resolve); } function eventRejectHandler(reject) { return function (event) { preventDefault(event); reject(event.target.error); return false; }; } function hookedEventRejectHandler(reject) { return wrap(function (event) { // See comment on hookedEventSuccessHandler() why wrap() is needed only when supporting hooks. var req = event.target, err = req.error, ctx = req._hookCtx, // Contains the hook error handler. Put here instead of closure to boost performance. hookErrorHandler = ctx && ctx.onerror; hookErrorHandler && hookErrorHandler(err); preventDefault(event); reject(err); return false; }); } function preventDefault(event) { if (event.stopPropagation) // IndexedDBShim doesnt support this on Safari 8 and below. event.stopPropagation(); if (event.preventDefault) // IndexedDBShim doesnt support this on Safari 8 and below. event.preventDefault(); } function globalDatabaseList(cb) { var val, localStorage = Dexie.dependencies.localStorage; if (!localStorage) return cb([]); // Envs without localStorage support try { val = JSON.parse(localStorage.getItem('Dexie.DatabaseNames') || "[]"); } catch (e) { val = []; } if (cb(val)) { localStorage.setItem('Dexie.DatabaseNames', JSON.stringify(val)); } } function awaitIterator(iterator) { var callNext = function (result) { return iterator.next(result); }, doThrow = function (error) { return iterator.throw(error); }, onSuccess = step(callNext), onError = step(doThrow); function step(getNext) { return function (val) { var next = getNext(val), value = next.value; return next.done ? value : !value || typeof value.then !== 'function' ? isArray(value) ? Promise.all(value).then(onSuccess, onError) : onSuccess(value) : value.then(onSuccess, onError); }; } return step(callNext)(); } // // IndexSpec struct // function IndexSpec(name, keyPath, unique, multi, auto, compound, dotted) { /// <param name="name" type="String"></param> /// <param name="keyPath" type="String"></param> /// <param name="unique" type="Boolean"></param> /// <param name="multi" type="Boolean"></param> /// <param name="auto" type="Boolean"></param> /// <param name="compound" type="Boolean"></param> /// <param name="dotted" type="Boolean"></param> this.name = name; this.keyPath = keyPath; this.unique = unique; this.multi = multi; this.auto = auto; this.compound = compound; this.dotted = dotted; var keyPathSrc = typeof keyPath === 'string' ? keyPath : keyPath && '[' + [].join.call(keyPath, '+') + ']'; this.src = (unique ? '&' : '') + (multi ? '*' : '') + (auto ? "++" : "") + keyPathSrc; } // // TableSchema struct // function TableSchema(name, primKey, indexes, instanceTemplate) { /// <param name="name" type="String"></param> /// <param name="primKey" type="IndexSpec"></param> /// <param name="indexes" type="Array" elementType="IndexSpec"></param> /// <param name="instanceTemplate" type="Object"></param> this.name = name; this.primKey = primKey || new IndexSpec(); this.indexes = indexes || [new IndexSpec()]; this.instanceTemplate = instanceTemplate; this.mappedClass = null; this.idxByName = arrayToObject(indexes, function (index) { return [index.name, index]; }); } // Used in when defining dependencies later... // (If IndexedDBShim is loaded, prefer it before standard indexedDB) var idbshim = _global.idbModules && _global.idbModules.shimIndexedDB ? _global.idbModules : {}; function safariMultiStoreFix(storeNames) { return storeNames.length === 1 ? storeNames[0] : storeNames; } function getNativeGetDatabaseNamesFn(indexedDB) { var fn = indexedDB && (indexedDB.getDatabaseNames || indexedDB.webkitGetDatabaseNames); return fn && fn.bind(indexedDB); } // Export Error classes props(Dexie, fullNameExceptions); // Dexie.XXXError = class XXXError {...}; // // Static methods and properties // props(Dexie, { // // Static delete() method. // delete: function (databaseName) { var db = new Dexie(databaseName), promise = db.delete(); promise.onblocked = function (fn) { db.on("blocked", fn); return this; }; return promise; }, // // Static exists() method. // exists: function (name) { return new Dexie(name).open().then(function (db) { db.close(); return true; }).catch(Dexie.NoSuchDatabaseError, function () { return false; }); }, // // Static method for retrieving a list of all existing databases at current host. // getDatabaseNames: function (cb) { return new Promise(function (resolve, reject) { var getDatabaseNames = getNativeGetDatabaseNamesFn(indexedDB); if (getDatabaseNames) { // In case getDatabaseNames() becomes standard, let's prepare to support it: var req = getDatabaseNames(); req.onsuccess = function (event) { resolve(slice(event.target.result, 0)); // Converst DOMStringList to Array<String> }; req.onerror = eventRejectHandler(reject); } else { globalDatabaseList(function (val) { resolve(val); return false; }); } }).then(cb); }, defineClass: function (structure) { /// <summary> /// Create a javascript constructor based on given template for which properties to expect in the class. /// Any property that is a constructor function will act as a type. So {name: String} will be equal to {name: new String()}. /// </summary> /// <param name="structure">Helps IDE code completion by knowing the members that objects contain and not just the indexes. Also /// know what type each member has. Example: {name: String, emailAddresses: [String], properties: {shoeSize: Number}}</param> // Default constructor able to copy given properties into this object. function Class(properties) { /// <param name="properties" type="Object" optional="true">Properties to initialize object with. /// </param> properties ? extend(this, properties) : fake && applyStructure(this, structure); } return Class; }, applyStructure: applyStructure, ignoreTransaction: function (scopeFunc) { // In case caller is within a transaction but needs to create a separate transaction. // Example of usage: // // Let's say we have a logger function in our app. Other application-logic should be unaware of the // logger function and not need to include the 'logentries' table in all transaction it performs. // The logging should always be done in a separate transaction and not be dependant on the current // running transaction context. Then you could use Dexie.ignoreTransaction() to run code that starts a new transaction. // // Dexie.ignoreTransaction(function() { // db.logentries.add(newLogEntry); // }); // // Unless using Dexie.ignoreTransaction(), the above example would try to reuse the current transaction // in current Promise-scope. // // An alternative to Dexie.ignoreTransaction() would be setImmediate() or setTimeout(). The reason we still provide an // API for this because // 1) The intention of writing the statement could be unclear if using setImmediate() or setTimeout(). // 2) setTimeout() would wait unnescessary until firing. This is however not the case with setImmediate(). // 3) setImmediate() is not supported in the ES standard. // 4) You might want to keep other PSD state that was set in a parent PSD, such as PSD.letThrough. return PSD.trans ? usePSD(PSD.transless, scopeFunc) : // Use the closest parent that was non-transactional. scopeFunc(); // No need to change scope because there is no ongoing transaction. }, vip: function (fn) { // To be used by subscribers to the on('ready') event. // This will let caller through to access DB even when it is blocked while the db.ready() subscribers are firing. // This would have worked automatically if we were certain that the Provider was using Dexie.Promise for all asyncronic operations. The promise PSD // from the provider.connect() call would then be derived all the way to when provider would call localDatabase.applyChanges(). But since // the provider more likely is using non-promise async APIs or other thenable implementations, we cannot assume that. // Note that this method is only useful for on('ready') subscribers that is returning a Promise from the event. If not using vip() // the database could deadlock since it wont open until the returned Promise is resolved, and any non-VIPed operation started by // the caller will not resolve until database is opened. return newScope(function () { PSD.letThrough = true; // Make sure we are let through if still blocking db due to onready is firing. return fn(); }); }, async: function (generatorFn) { return function () { try { var rv = awaitIterator(generatorFn.apply(this, arguments)); if (!rv || typeof rv.then !== 'function') return Promise.resolve(rv); return rv; } catch (e) { return rejection(e); } }; }, spawn: function (generatorFn, args, thiz) { try { var rv = awaitIterator(generatorFn.apply(thiz, args || [])); if (!rv || typeof rv.then !== 'function') return Promise.resolve(rv); return rv; } catch (e) { return rejection(e); } }, // Dexie.currentTransaction property currentTransaction: { get: function () { return PSD.trans || null; } }, // Export our Promise implementation since it can be handy as a standalone Promise implementation Promise: Promise, // Dexie.debug proptery: // Dexie.debug = false // Dexie.debug = true // Dexie.debug = "dexie" - don't hide dexie's stack frames. debug: { get: function () { return debug; }, set: function (value) { setDebug(value, value === 'dexie' ? function () { return true; } : dexieStackFrameFilter); } }, // Export our derive/extend/override methodology derive: derive, extend: extend, props: props, override: override, // Export our Events() function - can be handy as a toolkit Events: Events, events: { get: deprecated(function () { return Events; }) }, // Backward compatible lowercase version. // Utilities getByKeyPath: getByKeyPath, setByKeyPath: setByKeyPath, delByKeyPath: delByKeyPath, shallowClone: shallowClone, deepClone: deepClone, getObjectDiff: getObjectDiff, asap: asap, maxKey: maxKey, // Addon registry addons: [], // Global DB connection list connections: connections, MultiModifyError: exceptions.Modify, // Backward compatibility 0.9.8. Deprecate. errnames: errnames, // Export other static classes IndexSpec: IndexSpec, TableSchema: TableSchema, // // Dependencies // // These will automatically work in browsers with indexedDB support, or where an indexedDB polyfill has been included. // // In node.js, however, these properties must be set "manually" before instansiating a new Dexie(). // For node.js, you need to require indexeddb-js or similar and then set these deps. // dependencies: { // Required: indexedDB: idbshim.shimIndexedDB || _global.indexedDB || _global.mozIndexedDB || _global.webkitIndexedDB || _global.msIndexedDB, IDBKeyRange: idbshim.IDBKeyRange || _global.IDBKeyRange || _global.webkitIDBKeyRange }, // API Version Number: Type Number, make sure to always set a version number that can be comparable correctly. Example: 0.9, 0.91, 0.92, 1.0, 1.01, 1.1, 1.2, 1.21, etc. semVer: DEXIE_VERSION, version: DEXIE_VERSION.split('.').map(function (n) { return parseInt(n); }).reduce(function (p, c, i) { return p + c / Math.pow(10, i * 2); }), fakeAutoComplete: fakeAutoComplete, // https://github.com/dfahlander/Dexie.js/issues/186 // typescript compiler tsc in mode ts-->es5 & commonJS, will expect require() to return // x.default. Workaround: Set Dexie.default = Dexie. default: Dexie }); tryCatch(function () { // Optional dependencies // localStorage Dexie.dependencies.localStorage = (typeof chrome !== "undefined" && chrome !== null ? chrome.storage : void 0) != null ? null : _global.localStorage; }); // Map DOMErrors and DOMExceptions to corresponding Dexie errors. May change in Dexie v2.0. Promise.rejectionMapper = mapError; // Fool IDE to improve autocomplete. Tested with Visual Studio 2013 and 2015. doFakeAutoComplete(function () { Dexie.fakeAutoComplete = fakeAutoComplete = doFakeAutoComplete; Dexie.fake = fake = true; }); return Dexie; }))); //# sourceMappingURL=dexie.js.map
packages/material-ui-icons/src/ContactSupport.js
Kagami/material-ui
import React from 'react'; import createSvgIcon from './utils/createSvgIcon'; export default createSvgIcon( <React.Fragment><path d="M11.5 2C6.81 2 3 5.81 3 10.5S6.81 19 11.5 19h.5v3c4.86-2.34 8-7 8-11.5C20 5.81 16.19 2 11.5 2zm1 14.5h-2v-2h2v2zm0-3.5h-2c0-3.25 3-3 3-5 0-1.1-.9-2-2-2s-2 .9-2 2h-2c0-2.21 1.79-4 4-4s4 1.79 4 4c0 2.5-3 2.75-3 5z" /><path fill="none" d="M0 0h24v24H0z" /></React.Fragment> , 'ContactSupport');
src/docs/components/meter/MeterExamplesDoc.js
grommet/grommet-docs
// (C) Copyright 2014-2017 Hewlett Packard Enterprise Development LP import React, { Component } from 'react'; import Meter from 'grommet/components/Meter'; import Value from 'grommet/components/Value'; import Label from 'grommet/components/Label'; import Box from 'grommet/components/Box'; import InteractiveExample from '../../../components/InteractiveExample'; const PROPS_SCHEMA = { type: { options: ['bar', 'arc', 'circle', 'spiral'] }, vertical: { value: true }, series: { value: [ {label: 'Gen 7', value: 50, onClick: () => alert('50')}, {label: 'Gen 8', value: 1, onClick: () => alert('1')}, {label: 'Gen 9', value: 19, onClick: () => alert('10')}, {label: 'Gen 10', value: 30, onClick: () => alert('30')} ] }, stacked: { value: true }, threshold: { value: 90 }, label: { value: true }, size: { options: ['xsmall', 'small', 'medium', 'large'] } }; const CONTENTS_SCHEMA = { value: { value: true, initial: true }, limits: { value: true } }; export default class MeterExamplesDoc extends Component { constructor () { super(); this.state = { contents: {}, elementProps: {} }; } render () { let { activeIndex, contents, elementProps } = this.state; const { vertical } = elementProps; let propsSchema = { ...PROPS_SCHEMA }; let contentsSchema = { ...CONTENTS_SCHEMA }; let props = { ...elementProps }; if (! props.type) { props.type = 'bar'; } if (props.threshold) { props.max = 100; } if (props.series) { // delete props.threshold; // delete propsSchema.threshold; } else { props.value = 40; delete props.stacked; delete propsSchema.stacked; } if ('circle' !== props.type) { delete props.label; delete propsSchema.label; } if ('circle' === props.type) { delete props.vertical; delete propsSchema.vertical; delete contentsSchema.value; if (props.series && ! props.stacked) { delete props.label; delete propsSchema.label; } } if ('spiral' === props.type) { delete propsSchema.value; delete propsSchema.stacked; delete propsSchema.vertical; delete propsSchema.series; delete propsSchema.threshold; delete contentsSchema.value; props.series = PROPS_SCHEMA.series.value; } if (props.label) { props.label = <Value value={40} units='GB' size={props.size} />; } let element = ( <Meter {...props} activeIndex={activeIndex} onActive={activeIndex => this.setState({ activeIndex })} /> ); let limits; if (contents.limits) { limits = ( <Box direction={vertical ? 'column' : 'row'} justify='between' pad={{'between': 'small'}} responsive={false}> <Label size='small'>0 GB</Label> <Label size='small'>100 GB</Label> </Box> ); } let value, valueValue, valueLabel; if (contents.value) { if (props.series) { if (activeIndex >= 0) { valueValue = props.series[activeIndex].value; valueLabel = props.series[activeIndex].label; } else { valueValue = 0; props.series.forEach(serie => valueValue += serie.value); valueLabel = 'Total'; } } else { valueValue = props.value; } value = ( <Value value={valueValue} label={valueLabel} units='GB' size={props.size} align={(vertical || 'bar' === props.type) ? 'start' : 'center'} /> ); } if ('bar' === props.type && (value || limits)) { if (vertical) { let second = value || limits; if (value && limits) { second = ( <Box justify='between'> <Label size='small'>0 GB</Label> {value} <Label size='small'>100 GB</Label> </Box> ); } element = ( <Box direction='row' pad={{ between: 'small' }}> {element} {second} </Box> ); } else { let first; if (value) { first = value; if (props.series) { first = ( <Box direction='row' justify='between' align='center' pad={{'between': 'small'}} announce={true} responsive={false}> <Value value={valueValue} units='GB' align='start' /> <span>{valueLabel}</span> </Box> ); } } element = ( <Box> {first} {element} {limits} </Box> ); } } else if ('arc' === props.type && (value || limits)) { let second = value || limits; if (value && limits) { second = ( <Box direction={vertical ? 'column' : 'row'} justify='between' align={vertical ? 'start' : 'center'} pad={{ between: 'small' }} responsive={false}> <Label size='small'>0 GB</Label> {value} <Label size='small'>100 GB</Label> </Box> ); } element = ( <Box direction={vertical ? 'row' : 'column'} responsive={false} align={(vertical && limits) ? 'stretch' : 'center'} pad={vertical ? {'between': 'small'} : undefined}> {element} {second} </Box> ); } else if ('circle' === props.type && (value || limits)) { let second = value || limits; if (value && limits) { second = ( <Box direction='row' justify='between' align='center' pad={{ between: 'small' }} responsive={false}> <Label size='small'>0 GB</Label> {value} <Label size='small'>100 GB</Label> </Box> ); } element = ( <Box align='center'> {element} {second} </Box> ); } return ( <InteractiveExample contextLabel='Meter' contextPath='/docs/meter' preamble={`import Meter from 'grommet/components/Meter';`} propsSchema={propsSchema} contentsSchema={contentsSchema} element={element} onChange={(elementProps, contents) => { this.setState({ elementProps, contents }); }} /> ); } };
stories/ViewStack.stories.js
bartlomn/react-viewstack
import React, { Component } from 'react'; import { storiesOf, action } from '@kadira/storybook'; import ViewStack from './../src/ViewStack'; let img01 = require( 'url?limit=50000!./assets/img01.jpeg' ); let img02 = require( 'url?limit=50000!./assets/img02.jpeg' ); let img03 = require( 'url?limit=50000!./assets/img03.jpeg' ); let sources = [ img01, img02, img03 ]; class Wrapper extends Component { static propTypes = { fxClass: React.PropTypes.string }; fxInterval = null; state = { selectedIndex: 0 }; componentDidMount () { this.fxInterval = window.setInterval( this.fxGo, 2500 ); }; componentWillUnmount () { if ( this.fxInterval ) { window.clearInterval( this.fxInterval ); } } fxGo = () => { this.setState({ selectedIndex: this.state.selectedIndex < sources.length - 1 ? this.state.selectedIndex + 1 : 0 }); }; render () { return ( <ViewStack classNames={ this.props.fxClass } selectedIndex={ this.state.selectedIndex } onFxStart={ action( 'transition started' ) } onFxEnd={ action( 'transition finished' ) } style={ { width: '640px', height: '480px' } } > { sources.map(( strSource, idx ) => <img src={ strSource } key={ idx } /> ) } </ViewStack> ); } } storiesOf( 'ViewStack', module ) .add( 'with fade-through', () => ( <Wrapper fxClass="fade-through" /> )) .add( 'with fortune-wheel vertical', () => ( <Wrapper fxClass="fortune-wheel-v" /> )) .add( 'with fortune-wheel horizontal', () => ( <Wrapper fxClass="fortune-wheel" /> ));
devtools/client/performance/components/recording-list.js
Yukarumya/Yukarum-Redfoxes
/* This Source Code Form is subject to the terms of the Mozilla Public * License, v. 2.0. If a copy of the MPL was not distributed with this file, * You can obtain one at http://mozilla.org/MPL/2.0/. */ "use strict"; const {DOM, createClass, PropTypes} = require("devtools/client/shared/vendor/react"); const {L10N} = require("devtools/client/performance/modules/global"); const {ul, div} = DOM; module.exports = createClass({ displayName: "Recording List", propTypes: { items: PropTypes.arrayOf(PropTypes.object).isRequired, itemComponent: PropTypes.func.isRequired }, render() { const { items, itemComponent: Item, } = this.props; return items.length > 0 ? ul({ className: "recording-list" }, ...items.map(Item)) : div({ className: "recording-list-empty" }, L10N.getStr("noRecordingsText")); } });
Website/Website/Scripts/jquery-1.10.2.min.js
iliantrifonov/to-delete
/* NUGET: BEGIN LICENSE TEXT * * Microsoft grants you the right to use these script files for the sole * purpose of either: (i) interacting through your browser with the Microsoft * website or online service, subject to the applicable licensing or use * terms; or (ii) using the files as included with a Microsoft product subject * to that product's license terms. Microsoft reserves all other rights to the * files not expressly granted by Microsoft, whether by implication, estoppel * or otherwise. Insofar as a script file is dual licensed under GPL, * Microsoft neither took the code under GPL nor distributes it thereunder but * under the terms set out in this paragraph. All notices and licenses * below are for informational purposes only. * * JQUERY CORE 1.10.2; Copyright 2005, 2013 jQuery Foundation, Inc. and other contributors; http://jquery.org/license * Includes Sizzle.js; Copyright 2013 jQuery Foundation, Inc. and other contributors; http://opensource.org/licenses/MIT * * NUGET: END LICENSE TEXT */ /*! jQuery v1.10.2 | (c) 2005, 2013 jQuery Foundation, Inc. | jquery.org/license //@ sourceMappingURL=jquery-1.10.2.min.map */ (function(e,t){var n,r,i=typeof t,o=e.location,a=e.document,s=a.documentElement,l=e.jQuery,u=e.$,c={},p=[],f="1.10.2",d=p.concat,h=p.push,g=p.slice,m=p.indexOf,y=c.toString,v=c.hasOwnProperty,b=f.trim,x=function(e,t){return new x.fn.init(e,t,r)},w=/[+-]?(?:\d*\.|)\d+(?:[eE][+-]?\d+|)/.source,T=/\S+/g,C=/^[\s\uFEFF\xA0]+|[\s\uFEFF\xA0]+$/g,N=/^(?:\s*(<[\w\W]+>)[^>]*|#([\w-]*))$/,k=/^<(\w+)\s*\/?>(?:<\/\1>|)$/,E=/^[\],:{}\s]*$/,S=/(?:^|:|,)(?:\s*\[)+/g,A=/\\(?:["\\\/bfnrt]|u[\da-fA-F]{4})/g,j=/"[^"\\\r\n]*"|true|false|null|-?(?:\d+\.|)\d+(?:[eE][+-]?\d+|)/g,D=/^-ms-/,L=/-([\da-z])/gi,H=function(e,t){return t.toUpperCase()},q=function(e){(a.addEventListener||"load"===e.type||"complete"===a.readyState)&&(_(),x.ready())},_=function(){a.addEventListener?(a.removeEventListener("DOMContentLoaded",q,!1),e.removeEventListener("load",q,!1)):(a.detachEvent("onreadystatechange",q),e.detachEvent("onload",q))};x.fn=x.prototype={jquery:f,constructor:x,init:function(e,n,r){var i,o;if(!e)return this;if("string"==typeof e){if(i="<"===e.charAt(0)&&">"===e.charAt(e.length-1)&&e.length>=3?[null,e,null]:N.exec(e),!i||!i[1]&&n)return!n||n.jquery?(n||r).find(e):this.constructor(n).find(e);if(i[1]){if(n=n instanceof x?n[0]:n,x.merge(this,x.parseHTML(i[1],n&&n.nodeType?n.ownerDocument||n:a,!0)),k.test(i[1])&&x.isPlainObject(n))for(i in n)x.isFunction(this[i])?this[i](n[i]):this.attr(i,n[i]);return this}if(o=a.getElementById(i[2]),o&&o.parentNode){if(o.id!==i[2])return r.find(e);this.length=1,this[0]=o}return this.context=a,this.selector=e,this}return e.nodeType?(this.context=this[0]=e,this.length=1,this):x.isFunction(e)?r.ready(e):(e.selector!==t&&(this.selector=e.selector,this.context=e.context),x.makeArray(e,this))},selector:"",length:0,toArray:function(){return g.call(this)},get:function(e){return null==e?this.toArray():0>e?this[this.length+e]:this[e]},pushStack:function(e){var t=x.merge(this.constructor(),e);return t.prevObject=this,t.context=this.context,t},each:function(e,t){return x.each(this,e,t)},ready:function(e){return x.ready.promise().done(e),this},slice:function(){return this.pushStack(g.apply(this,arguments))},first:function(){return this.eq(0)},last:function(){return this.eq(-1)},eq:function(e){var t=this.length,n=+e+(0>e?t:0);return this.pushStack(n>=0&&t>n?[this[n]]:[])},map:function(e){return this.pushStack(x.map(this,function(t,n){return e.call(t,n,t)}))},end:function(){return this.prevObject||this.constructor(null)},push:h,sort:[].sort,splice:[].splice},x.fn.init.prototype=x.fn,x.extend=x.fn.extend=function(){var e,n,r,i,o,a,s=arguments[0]||{},l=1,u=arguments.length,c=!1;for("boolean"==typeof s&&(c=s,s=arguments[1]||{},l=2),"object"==typeof s||x.isFunction(s)||(s={}),u===l&&(s=this,--l);u>l;l++)if(null!=(o=arguments[l]))for(i in o)e=s[i],r=o[i],s!==r&&(c&&r&&(x.isPlainObject(r)||(n=x.isArray(r)))?(n?(n=!1,a=e&&x.isArray(e)?e:[]):a=e&&x.isPlainObject(e)?e:{},s[i]=x.extend(c,a,r)):r!==t&&(s[i]=r));return s},x.extend({expando:"jQuery"+(f+Math.random()).replace(/\D/g,""),noConflict:function(t){return e.$===x&&(e.$=u),t&&e.jQuery===x&&(e.jQuery=l),x},isReady:!1,readyWait:1,holdReady:function(e){e?x.readyWait++:x.ready(!0)},ready:function(e){if(e===!0?!--x.readyWait:!x.isReady){if(!a.body)return setTimeout(x.ready);x.isReady=!0,e!==!0&&--x.readyWait>0||(n.resolveWith(a,[x]),x.fn.trigger&&x(a).trigger("ready").off("ready"))}},isFunction:function(e){return"function"===x.type(e)},isArray:Array.isArray||function(e){return"array"===x.type(e)},isWindow:function(e){return null!=e&&e==e.window},isNumeric:function(e){return!isNaN(parseFloat(e))&&isFinite(e)},type:function(e){return null==e?e+"":"object"==typeof e||"function"==typeof e?c[y.call(e)]||"object":typeof e},isPlainObject:function(e){var n;if(!e||"object"!==x.type(e)||e.nodeType||x.isWindow(e))return!1;try{if(e.constructor&&!v.call(e,"constructor")&&!v.call(e.constructor.prototype,"isPrototypeOf"))return!1}catch(r){return!1}if(x.support.ownLast)for(n in e)return v.call(e,n);for(n in e);return n===t||v.call(e,n)},isEmptyObject:function(e){var t;for(t in e)return!1;return!0},error:function(e){throw Error(e)},parseHTML:function(e,t,n){if(!e||"string"!=typeof e)return null;"boolean"==typeof t&&(n=t,t=!1),t=t||a;var r=k.exec(e),i=!n&&[];return r?[t.createElement(r[1])]:(r=x.buildFragment([e],t,i),i&&x(i).remove(),x.merge([],r.childNodes))},parseJSON:function(n){return e.JSON&&e.JSON.parse?e.JSON.parse(n):null===n?n:"string"==typeof n&&(n=x.trim(n),n&&E.test(n.replace(A,"@").replace(j,"]").replace(S,"")))?Function("return "+n)():(x.error("Invalid JSON: "+n),t)},parseXML:function(n){var r,i;if(!n||"string"!=typeof n)return null;try{e.DOMParser?(i=new DOMParser,r=i.parseFromString(n,"text/xml")):(r=new ActiveXObject("Microsoft.XMLDOM"),r.async="false",r.loadXML(n))}catch(o){r=t}return r&&r.documentElement&&!r.getElementsByTagName("parsererror").length||x.error("Invalid XML: "+n),r},noop:function(){},globalEval:function(t){t&&x.trim(t)&&(e.execScript||function(t){e.eval.call(e,t)})(t)},camelCase:function(e){return e.replace(D,"ms-").replace(L,H)},nodeName:function(e,t){return e.nodeName&&e.nodeName.toLowerCase()===t.toLowerCase()},each:function(e,t,n){var r,i=0,o=e.length,a=M(e);if(n){if(a){for(;o>i;i++)if(r=t.apply(e[i],n),r===!1)break}else for(i in e)if(r=t.apply(e[i],n),r===!1)break}else if(a){for(;o>i;i++)if(r=t.call(e[i],i,e[i]),r===!1)break}else for(i in e)if(r=t.call(e[i],i,e[i]),r===!1)break;return e},trim:b&&!b.call("\ufeff\u00a0")?function(e){return null==e?"":b.call(e)}:function(e){return null==e?"":(e+"").replace(C,"")},makeArray:function(e,t){var n=t||[];return null!=e&&(M(Object(e))?x.merge(n,"string"==typeof e?[e]:e):h.call(n,e)),n},inArray:function(e,t,n){var r;if(t){if(m)return m.call(t,e,n);for(r=t.length,n=n?0>n?Math.max(0,r+n):n:0;r>n;n++)if(n in t&&t[n]===e)return n}return-1},merge:function(e,n){var r=n.length,i=e.length,o=0;if("number"==typeof r)for(;r>o;o++)e[i++]=n[o];else while(n[o]!==t)e[i++]=n[o++];return e.length=i,e},grep:function(e,t,n){var r,i=[],o=0,a=e.length;for(n=!!n;a>o;o++)r=!!t(e[o],o),n!==r&&i.push(e[o]);return i},map:function(e,t,n){var r,i=0,o=e.length,a=M(e),s=[];if(a)for(;o>i;i++)r=t(e[i],i,n),null!=r&&(s[s.length]=r);else for(i in e)r=t(e[i],i,n),null!=r&&(s[s.length]=r);return d.apply([],s)},guid:1,proxy:function(e,n){var r,i,o;return"string"==typeof n&&(o=e[n],n=e,e=o),x.isFunction(e)?(r=g.call(arguments,2),i=function(){return e.apply(n||this,r.concat(g.call(arguments)))},i.guid=e.guid=e.guid||x.guid++,i):t},access:function(e,n,r,i,o,a,s){var l=0,u=e.length,c=null==r;if("object"===x.type(r)){o=!0;for(l in r)x.access(e,n,l,r[l],!0,a,s)}else if(i!==t&&(o=!0,x.isFunction(i)||(s=!0),c&&(s?(n.call(e,i),n=null):(c=n,n=function(e,t,n){return c.call(x(e),n)})),n))for(;u>l;l++)n(e[l],r,s?i:i.call(e[l],l,n(e[l],r)));return o?e:c?n.call(e):u?n(e[0],r):a},now:function(){return(new Date).getTime()},swap:function(e,t,n,r){var i,o,a={};for(o in t)a[o]=e.style[o],e.style[o]=t[o];i=n.apply(e,r||[]);for(o in t)e.style[o]=a[o];return i}}),x.ready.promise=function(t){if(!n)if(n=x.Deferred(),"complete"===a.readyState)setTimeout(x.ready);else if(a.addEventListener)a.addEventListener("DOMContentLoaded",q,!1),e.addEventListener("load",q,!1);else{a.attachEvent("onreadystatechange",q),e.attachEvent("onload",q);var r=!1;try{r=null==e.frameElement&&a.documentElement}catch(i){}r&&r.doScroll&&function o(){if(!x.isReady){try{r.doScroll("left")}catch(e){return setTimeout(o,50)}_(),x.ready()}}()}return n.promise(t)},x.each("Boolean Number String Function Array Date RegExp Object Error".split(" "),function(e,t){c["[object "+t+"]"]=t.toLowerCase()});function M(e){var t=e.length,n=x.type(e);return x.isWindow(e)?!1:1===e.nodeType&&t?!0:"array"===n||"function"!==n&&(0===t||"number"==typeof t&&t>0&&t-1 in e)}r=x(a),function(e,t){var n,r,i,o,a,s,l,u,c,p,f,d,h,g,m,y,v,b="sizzle"+-new Date,w=e.document,T=0,C=0,N=st(),k=st(),E=st(),S=!1,A=function(e,t){return e===t?(S=!0,0):0},j=typeof t,D=1<<31,L={}.hasOwnProperty,H=[],q=H.pop,_=H.push,M=H.push,O=H.slice,F=H.indexOf||function(e){var t=0,n=this.length;for(;n>t;t++)if(this[t]===e)return t;return-1},B="checked|selected|async|autofocus|autoplay|controls|defer|disabled|hidden|ismap|loop|multiple|open|readonly|required|scoped",P="[\\x20\\t\\r\\n\\f]",R="(?:\\\\.|[\\w-]|[^\\x00-\\xa0])+",W=R.replace("w","w#"),$="\\["+P+"*("+R+")"+P+"*(?:([*^$|!~]?=)"+P+"*(?:(['\"])((?:\\\\.|[^\\\\])*?)\\3|("+W+")|)|)"+P+"*\\]",I=":("+R+")(?:\\(((['\"])((?:\\\\.|[^\\\\])*?)\\3|((?:\\\\.|[^\\\\()[\\]]|"+$.replace(3,8)+")*)|.*)\\)|)",z=RegExp("^"+P+"+|((?:^|[^\\\\])(?:\\\\.)*)"+P+"+$","g"),X=RegExp("^"+P+"*,"+P+"*"),U=RegExp("^"+P+"*([>+~]|"+P+")"+P+"*"),V=RegExp(P+"*[+~]"),Y=RegExp("="+P+"*([^\\]'\"]*)"+P+"*\\]","g"),J=RegExp(I),G=RegExp("^"+W+"$"),Q={ID:RegExp("^#("+R+")"),CLASS:RegExp("^\\.("+R+")"),TAG:RegExp("^("+R.replace("w","w*")+")"),ATTR:RegExp("^"+$),PSEUDO:RegExp("^"+I),CHILD:RegExp("^:(only|first|last|nth|nth-last)-(child|of-type)(?:\\("+P+"*(even|odd|(([+-]|)(\\d*)n|)"+P+"*(?:([+-]|)"+P+"*(\\d+)|))"+P+"*\\)|)","i"),bool:RegExp("^(?:"+B+")$","i"),needsContext:RegExp("^"+P+"*[>+~]|:(even|odd|eq|gt|lt|nth|first|last)(?:\\("+P+"*((?:-\\d)?\\d*)"+P+"*\\)|)(?=[^-]|$)","i")},K=/^[^{]+\{\s*\[native \w/,Z=/^(?:#([\w-]+)|(\w+)|\.([\w-]+))$/,et=/^(?:input|select|textarea|button)$/i,tt=/^h\d$/i,nt=/'|\\/g,rt=RegExp("\\\\([\\da-f]{1,6}"+P+"?|("+P+")|.)","ig"),it=function(e,t,n){var r="0x"+t-65536;return r!==r||n?t:0>r?String.fromCharCode(r+65536):String.fromCharCode(55296|r>>10,56320|1023&r)};try{M.apply(H=O.call(w.childNodes),w.childNodes),H[w.childNodes.length].nodeType}catch(ot){M={apply:H.length?function(e,t){_.apply(e,O.call(t))}:function(e,t){var n=e.length,r=0;while(e[n++]=t[r++]);e.length=n-1}}}function at(e,t,n,i){var o,a,s,l,u,c,d,m,y,x;if((t?t.ownerDocument||t:w)!==f&&p(t),t=t||f,n=n||[],!e||"string"!=typeof e)return n;if(1!==(l=t.nodeType)&&9!==l)return[];if(h&&!i){if(o=Z.exec(e))if(s=o[1]){if(9===l){if(a=t.getElementById(s),!a||!a.parentNode)return n;if(a.id===s)return n.push(a),n}else if(t.ownerDocument&&(a=t.ownerDocument.getElementById(s))&&v(t,a)&&a.id===s)return n.push(a),n}else{if(o[2])return M.apply(n,t.getElementsByTagName(e)),n;if((s=o[3])&&r.getElementsByClassName&&t.getElementsByClassName)return M.apply(n,t.getElementsByClassName(s)),n}if(r.qsa&&(!g||!g.test(e))){if(m=d=b,y=t,x=9===l&&e,1===l&&"object"!==t.nodeName.toLowerCase()){c=mt(e),(d=t.getAttribute("id"))?m=d.replace(nt,"\\$&"):t.setAttribute("id",m),m="[id='"+m+"'] ",u=c.length;while(u--)c[u]=m+yt(c[u]);y=V.test(e)&&t.parentNode||t,x=c.join(",")}if(x)try{return M.apply(n,y.querySelectorAll(x)),n}catch(T){}finally{d||t.removeAttribute("id")}}}return kt(e.replace(z,"$1"),t,n,i)}function st(){var e=[];function t(n,r){return e.push(n+=" ")>o.cacheLength&&delete t[e.shift()],t[n]=r}return t}function lt(e){return e[b]=!0,e}function ut(e){var t=f.createElement("div");try{return!!e(t)}catch(n){return!1}finally{t.parentNode&&t.parentNode.removeChild(t),t=null}}function ct(e,t){var n=e.split("|"),r=e.length;while(r--)o.attrHandle[n[r]]=t}function pt(e,t){var n=t&&e,r=n&&1===e.nodeType&&1===t.nodeType&&(~t.sourceIndex||D)-(~e.sourceIndex||D);if(r)return r;if(n)while(n=n.nextSibling)if(n===t)return-1;return e?1:-1}function ft(e){return function(t){var n=t.nodeName.toLowerCase();return"input"===n&&t.type===e}}function dt(e){return function(t){var n=t.nodeName.toLowerCase();return("input"===n||"button"===n)&&t.type===e}}function ht(e){return lt(function(t){return t=+t,lt(function(n,r){var i,o=e([],n.length,t),a=o.length;while(a--)n[i=o[a]]&&(n[i]=!(r[i]=n[i]))})})}s=at.isXML=function(e){var t=e&&(e.ownerDocument||e).documentElement;return t?"HTML"!==t.nodeName:!1},r=at.support={},p=at.setDocument=function(e){var n=e?e.ownerDocument||e:w,i=n.defaultView;return n!==f&&9===n.nodeType&&n.documentElement?(f=n,d=n.documentElement,h=!s(n),i&&i.attachEvent&&i!==i.top&&i.attachEvent("onbeforeunload",function(){p()}),r.attributes=ut(function(e){return e.className="i",!e.getAttribute("className")}),r.getElementsByTagName=ut(function(e){return e.appendChild(n.createComment("")),!e.getElementsByTagName("*").length}),r.getElementsByClassName=ut(function(e){return e.innerHTML="<div class='a'></div><div class='a i'></div>",e.firstChild.className="i",2===e.getElementsByClassName("i").length}),r.getById=ut(function(e){return d.appendChild(e).id=b,!n.getElementsByName||!n.getElementsByName(b).length}),r.getById?(o.find.ID=function(e,t){if(typeof t.getElementById!==j&&h){var n=t.getElementById(e);return n&&n.parentNode?[n]:[]}},o.filter.ID=function(e){var t=e.replace(rt,it);return function(e){return e.getAttribute("id")===t}}):(delete o.find.ID,o.filter.ID=function(e){var t=e.replace(rt,it);return function(e){var n=typeof e.getAttributeNode!==j&&e.getAttributeNode("id");return n&&n.value===t}}),o.find.TAG=r.getElementsByTagName?function(e,n){return typeof n.getElementsByTagName!==j?n.getElementsByTagName(e):t}:function(e,t){var n,r=[],i=0,o=t.getElementsByTagName(e);if("*"===e){while(n=o[i++])1===n.nodeType&&r.push(n);return r}return o},o.find.CLASS=r.getElementsByClassName&&function(e,n){return typeof n.getElementsByClassName!==j&&h?n.getElementsByClassName(e):t},m=[],g=[],(r.qsa=K.test(n.querySelectorAll))&&(ut(function(e){e.innerHTML="<select><option selected=''></option></select>",e.querySelectorAll("[selected]").length||g.push("\\["+P+"*(?:value|"+B+")"),e.querySelectorAll(":checked").length||g.push(":checked")}),ut(function(e){var t=n.createElement("input");t.setAttribute("type","hidden"),e.appendChild(t).setAttribute("t",""),e.querySelectorAll("[t^='']").length&&g.push("[*^$]="+P+"*(?:''|\"\")"),e.querySelectorAll(":enabled").length||g.push(":enabled",":disabled"),e.querySelectorAll("*,:x"),g.push(",.*:")})),(r.matchesSelector=K.test(y=d.webkitMatchesSelector||d.mozMatchesSelector||d.oMatchesSelector||d.msMatchesSelector))&&ut(function(e){r.disconnectedMatch=y.call(e,"div"),y.call(e,"[s!='']:x"),m.push("!=",I)}),g=g.length&&RegExp(g.join("|")),m=m.length&&RegExp(m.join("|")),v=K.test(d.contains)||d.compareDocumentPosition?function(e,t){var n=9===e.nodeType?e.documentElement:e,r=t&&t.parentNode;return e===r||!(!r||1!==r.nodeType||!(n.contains?n.contains(r):e.compareDocumentPosition&&16&e.compareDocumentPosition(r)))}:function(e,t){if(t)while(t=t.parentNode)if(t===e)return!0;return!1},A=d.compareDocumentPosition?function(e,t){if(e===t)return S=!0,0;var i=t.compareDocumentPosition&&e.compareDocumentPosition&&e.compareDocumentPosition(t);return i?1&i||!r.sortDetached&&t.compareDocumentPosition(e)===i?e===n||v(w,e)?-1:t===n||v(w,t)?1:c?F.call(c,e)-F.call(c,t):0:4&i?-1:1:e.compareDocumentPosition?-1:1}:function(e,t){var r,i=0,o=e.parentNode,a=t.parentNode,s=[e],l=[t];if(e===t)return S=!0,0;if(!o||!a)return e===n?-1:t===n?1:o?-1:a?1:c?F.call(c,e)-F.call(c,t):0;if(o===a)return pt(e,t);r=e;while(r=r.parentNode)s.unshift(r);r=t;while(r=r.parentNode)l.unshift(r);while(s[i]===l[i])i++;return i?pt(s[i],l[i]):s[i]===w?-1:l[i]===w?1:0},n):f},at.matches=function(e,t){return at(e,null,null,t)},at.matchesSelector=function(e,t){if((e.ownerDocument||e)!==f&&p(e),t=t.replace(Y,"='$1']"),!(!r.matchesSelector||!h||m&&m.test(t)||g&&g.test(t)))try{var n=y.call(e,t);if(n||r.disconnectedMatch||e.document&&11!==e.document.nodeType)return n}catch(i){}return at(t,f,null,[e]).length>0},at.contains=function(e,t){return(e.ownerDocument||e)!==f&&p(e),v(e,t)},at.attr=function(e,n){(e.ownerDocument||e)!==f&&p(e);var i=o.attrHandle[n.toLowerCase()],a=i&&L.call(o.attrHandle,n.toLowerCase())?i(e,n,!h):t;return a===t?r.attributes||!h?e.getAttribute(n):(a=e.getAttributeNode(n))&&a.specified?a.value:null:a},at.error=function(e){throw Error("Syntax error, unrecognized expression: "+e)},at.uniqueSort=function(e){var t,n=[],i=0,o=0;if(S=!r.detectDuplicates,c=!r.sortStable&&e.slice(0),e.sort(A),S){while(t=e[o++])t===e[o]&&(i=n.push(o));while(i--)e.splice(n[i],1)}return e},a=at.getText=function(e){var t,n="",r=0,i=e.nodeType;if(i){if(1===i||9===i||11===i){if("string"==typeof e.textContent)return e.textContent;for(e=e.firstChild;e;e=e.nextSibling)n+=a(e)}else if(3===i||4===i)return e.nodeValue}else for(;t=e[r];r++)n+=a(t);return n},o=at.selectors={cacheLength:50,createPseudo:lt,match:Q,attrHandle:{},find:{},relative:{">":{dir:"parentNode",first:!0}," ":{dir:"parentNode"},"+":{dir:"previousSibling",first:!0},"~":{dir:"previousSibling"}},preFilter:{ATTR:function(e){return e[1]=e[1].replace(rt,it),e[3]=(e[4]||e[5]||"").replace(rt,it),"~="===e[2]&&(e[3]=" "+e[3]+" "),e.slice(0,4)},CHILD:function(e){return e[1]=e[1].toLowerCase(),"nth"===e[1].slice(0,3)?(e[3]||at.error(e[0]),e[4]=+(e[4]?e[5]+(e[6]||1):2*("even"===e[3]||"odd"===e[3])),e[5]=+(e[7]+e[8]||"odd"===e[3])):e[3]&&at.error(e[0]),e},PSEUDO:function(e){var n,r=!e[5]&&e[2];return Q.CHILD.test(e[0])?null:(e[3]&&e[4]!==t?e[2]=e[4]:r&&J.test(r)&&(n=mt(r,!0))&&(n=r.indexOf(")",r.length-n)-r.length)&&(e[0]=e[0].slice(0,n),e[2]=r.slice(0,n)),e.slice(0,3))}},filter:{TAG:function(e){var t=e.replace(rt,it).toLowerCase();return"*"===e?function(){return!0}:function(e){return e.nodeName&&e.nodeName.toLowerCase()===t}},CLASS:function(e){var t=N[e+" "];return t||(t=RegExp("(^|"+P+")"+e+"("+P+"|$)"))&&N(e,function(e){return t.test("string"==typeof e.className&&e.className||typeof e.getAttribute!==j&&e.getAttribute("class")||"")})},ATTR:function(e,t,n){return function(r){var i=at.attr(r,e);return null==i?"!="===t:t?(i+="","="===t?i===n:"!="===t?i!==n:"^="===t?n&&0===i.indexOf(n):"*="===t?n&&i.indexOf(n)>-1:"$="===t?n&&i.slice(-n.length)===n:"~="===t?(" "+i+" ").indexOf(n)>-1:"|="===t?i===n||i.slice(0,n.length+1)===n+"-":!1):!0}},CHILD:function(e,t,n,r,i){var o="nth"!==e.slice(0,3),a="last"!==e.slice(-4),s="of-type"===t;return 1===r&&0===i?function(e){return!!e.parentNode}:function(t,n,l){var u,c,p,f,d,h,g=o!==a?"nextSibling":"previousSibling",m=t.parentNode,y=s&&t.nodeName.toLowerCase(),v=!l&&!s;if(m){if(o){while(g){p=t;while(p=p[g])if(s?p.nodeName.toLowerCase()===y:1===p.nodeType)return!1;h=g="only"===e&&!h&&"nextSibling"}return!0}if(h=[a?m.firstChild:m.lastChild],a&&v){c=m[b]||(m[b]={}),u=c[e]||[],d=u[0]===T&&u[1],f=u[0]===T&&u[2],p=d&&m.childNodes[d];while(p=++d&&p&&p[g]||(f=d=0)||h.pop())if(1===p.nodeType&&++f&&p===t){c[e]=[T,d,f];break}}else if(v&&(u=(t[b]||(t[b]={}))[e])&&u[0]===T)f=u[1];else while(p=++d&&p&&p[g]||(f=d=0)||h.pop())if((s?p.nodeName.toLowerCase()===y:1===p.nodeType)&&++f&&(v&&((p[b]||(p[b]={}))[e]=[T,f]),p===t))break;return f-=i,f===r||0===f%r&&f/r>=0}}},PSEUDO:function(e,t){var n,r=o.pseudos[e]||o.setFilters[e.toLowerCase()]||at.error("unsupported pseudo: "+e);return r[b]?r(t):r.length>1?(n=[e,e,"",t],o.setFilters.hasOwnProperty(e.toLowerCase())?lt(function(e,n){var i,o=r(e,t),a=o.length;while(a--)i=F.call(e,o[a]),e[i]=!(n[i]=o[a])}):function(e){return r(e,0,n)}):r}},pseudos:{not:lt(function(e){var t=[],n=[],r=l(e.replace(z,"$1"));return r[b]?lt(function(e,t,n,i){var o,a=r(e,null,i,[]),s=e.length;while(s--)(o=a[s])&&(e[s]=!(t[s]=o))}):function(e,i,o){return t[0]=e,r(t,null,o,n),!n.pop()}}),has:lt(function(e){return function(t){return at(e,t).length>0}}),contains:lt(function(e){return function(t){return(t.textContent||t.innerText||a(t)).indexOf(e)>-1}}),lang:lt(function(e){return G.test(e||"")||at.error("unsupported lang: "+e),e=e.replace(rt,it).toLowerCase(),function(t){var n;do if(n=h?t.lang:t.getAttribute("xml:lang")||t.getAttribute("lang"))return n=n.toLowerCase(),n===e||0===n.indexOf(e+"-");while((t=t.parentNode)&&1===t.nodeType);return!1}}),target:function(t){var n=e.location&&e.location.hash;return n&&n.slice(1)===t.id},root:function(e){return e===d},focus:function(e){return e===f.activeElement&&(!f.hasFocus||f.hasFocus())&&!!(e.type||e.href||~e.tabIndex)},enabled:function(e){return e.disabled===!1},disabled:function(e){return e.disabled===!0},checked:function(e){var t=e.nodeName.toLowerCase();return"input"===t&&!!e.checked||"option"===t&&!!e.selected},selected:function(e){return e.parentNode&&e.parentNode.selectedIndex,e.selected===!0},empty:function(e){for(e=e.firstChild;e;e=e.nextSibling)if(e.nodeName>"@"||3===e.nodeType||4===e.nodeType)return!1;return!0},parent:function(e){return!o.pseudos.empty(e)},header:function(e){return tt.test(e.nodeName)},input:function(e){return et.test(e.nodeName)},button:function(e){var t=e.nodeName.toLowerCase();return"input"===t&&"button"===e.type||"button"===t},text:function(e){var t;return"input"===e.nodeName.toLowerCase()&&"text"===e.type&&(null==(t=e.getAttribute("type"))||t.toLowerCase()===e.type)},first:ht(function(){return[0]}),last:ht(function(e,t){return[t-1]}),eq:ht(function(e,t,n){return[0>n?n+t:n]}),even:ht(function(e,t){var n=0;for(;t>n;n+=2)e.push(n);return e}),odd:ht(function(e,t){var n=1;for(;t>n;n+=2)e.push(n);return e}),lt:ht(function(e,t,n){var r=0>n?n+t:n;for(;--r>=0;)e.push(r);return e}),gt:ht(function(e,t,n){var r=0>n?n+t:n;for(;t>++r;)e.push(r);return e})}},o.pseudos.nth=o.pseudos.eq;for(n in{radio:!0,checkbox:!0,file:!0,password:!0,image:!0})o.pseudos[n]=ft(n);for(n in{submit:!0,reset:!0})o.pseudos[n]=dt(n);function gt(){}gt.prototype=o.filters=o.pseudos,o.setFilters=new gt;function mt(e,t){var n,r,i,a,s,l,u,c=k[e+" "];if(c)return t?0:c.slice(0);s=e,l=[],u=o.preFilter;while(s){(!n||(r=X.exec(s)))&&(r&&(s=s.slice(r[0].length)||s),l.push(i=[])),n=!1,(r=U.exec(s))&&(n=r.shift(),i.push({value:n,type:r[0].replace(z," ")}),s=s.slice(n.length));for(a in o.filter)!(r=Q[a].exec(s))||u[a]&&!(r=u[a](r))||(n=r.shift(),i.push({value:n,type:a,matches:r}),s=s.slice(n.length));if(!n)break}return t?s.length:s?at.error(e):k(e,l).slice(0)}function yt(e){var t=0,n=e.length,r="";for(;n>t;t++)r+=e[t].value;return r}function vt(e,t,n){var r=t.dir,o=n&&"parentNode"===r,a=C++;return t.first?function(t,n,i){while(t=t[r])if(1===t.nodeType||o)return e(t,n,i)}:function(t,n,s){var l,u,c,p=T+" "+a;if(s){while(t=t[r])if((1===t.nodeType||o)&&e(t,n,s))return!0}else while(t=t[r])if(1===t.nodeType||o)if(c=t[b]||(t[b]={}),(u=c[r])&&u[0]===p){if((l=u[1])===!0||l===i)return l===!0}else if(u=c[r]=[p],u[1]=e(t,n,s)||i,u[1]===!0)return!0}}function bt(e){return e.length>1?function(t,n,r){var i=e.length;while(i--)if(!e[i](t,n,r))return!1;return!0}:e[0]}function xt(e,t,n,r,i){var o,a=[],s=0,l=e.length,u=null!=t;for(;l>s;s++)(o=e[s])&&(!n||n(o,r,i))&&(a.push(o),u&&t.push(s));return a}function wt(e,t,n,r,i,o){return r&&!r[b]&&(r=wt(r)),i&&!i[b]&&(i=wt(i,o)),lt(function(o,a,s,l){var u,c,p,f=[],d=[],h=a.length,g=o||Nt(t||"*",s.nodeType?[s]:s,[]),m=!e||!o&&t?g:xt(g,f,e,s,l),y=n?i||(o?e:h||r)?[]:a:m;if(n&&n(m,y,s,l),r){u=xt(y,d),r(u,[],s,l),c=u.length;while(c--)(p=u[c])&&(y[d[c]]=!(m[d[c]]=p))}if(o){if(i||e){if(i){u=[],c=y.length;while(c--)(p=y[c])&&u.push(m[c]=p);i(null,y=[],u,l)}c=y.length;while(c--)(p=y[c])&&(u=i?F.call(o,p):f[c])>-1&&(o[u]=!(a[u]=p))}}else y=xt(y===a?y.splice(h,y.length):y),i?i(null,a,y,l):M.apply(a,y)})}function Tt(e){var t,n,r,i=e.length,a=o.relative[e[0].type],s=a||o.relative[" "],l=a?1:0,c=vt(function(e){return e===t},s,!0),p=vt(function(e){return F.call(t,e)>-1},s,!0),f=[function(e,n,r){return!a&&(r||n!==u)||((t=n).nodeType?c(e,n,r):p(e,n,r))}];for(;i>l;l++)if(n=o.relative[e[l].type])f=[vt(bt(f),n)];else{if(n=o.filter[e[l].type].apply(null,e[l].matches),n[b]){for(r=++l;i>r;r++)if(o.relative[e[r].type])break;return wt(l>1&&bt(f),l>1&&yt(e.slice(0,l-1).concat({value:" "===e[l-2].type?"*":""})).replace(z,"$1"),n,r>l&&Tt(e.slice(l,r)),i>r&&Tt(e=e.slice(r)),i>r&&yt(e))}f.push(n)}return bt(f)}function Ct(e,t){var n=0,r=t.length>0,a=e.length>0,s=function(s,l,c,p,d){var h,g,m,y=[],v=0,b="0",x=s&&[],w=null!=d,C=u,N=s||a&&o.find.TAG("*",d&&l.parentNode||l),k=T+=null==C?1:Math.random()||.1;for(w&&(u=l!==f&&l,i=n);null!=(h=N[b]);b++){if(a&&h){g=0;while(m=e[g++])if(m(h,l,c)){p.push(h);break}w&&(T=k,i=++n)}r&&((h=!m&&h)&&v--,s&&x.push(h))}if(v+=b,r&&b!==v){g=0;while(m=t[g++])m(x,y,l,c);if(s){if(v>0)while(b--)x[b]||y[b]||(y[b]=q.call(p));y=xt(y)}M.apply(p,y),w&&!s&&y.length>0&&v+t.length>1&&at.uniqueSort(p)}return w&&(T=k,u=C),x};return r?lt(s):s}l=at.compile=function(e,t){var n,r=[],i=[],o=E[e+" "];if(!o){t||(t=mt(e)),n=t.length;while(n--)o=Tt(t[n]),o[b]?r.push(o):i.push(o);o=E(e,Ct(i,r))}return o};function Nt(e,t,n){var r=0,i=t.length;for(;i>r;r++)at(e,t[r],n);return n}function kt(e,t,n,i){var a,s,u,c,p,f=mt(e);if(!i&&1===f.length){if(s=f[0]=f[0].slice(0),s.length>2&&"ID"===(u=s[0]).type&&r.getById&&9===t.nodeType&&h&&o.relative[s[1].type]){if(t=(o.find.ID(u.matches[0].replace(rt,it),t)||[])[0],!t)return n;e=e.slice(s.shift().value.length)}a=Q.needsContext.test(e)?0:s.length;while(a--){if(u=s[a],o.relative[c=u.type])break;if((p=o.find[c])&&(i=p(u.matches[0].replace(rt,it),V.test(s[0].type)&&t.parentNode||t))){if(s.splice(a,1),e=i.length&&yt(s),!e)return M.apply(n,i),n;break}}}return l(e,f)(i,t,!h,n,V.test(e)),n}r.sortStable=b.split("").sort(A).join("")===b,r.detectDuplicates=S,p(),r.sortDetached=ut(function(e){return 1&e.compareDocumentPosition(f.createElement("div"))}),ut(function(e){return e.innerHTML="<a href='#'></a>","#"===e.firstChild.getAttribute("href")})||ct("type|href|height|width",function(e,n,r){return r?t:e.getAttribute(n,"type"===n.toLowerCase()?1:2)}),r.attributes&&ut(function(e){return e.innerHTML="<input/>",e.firstChild.setAttribute("value",""),""===e.firstChild.getAttribute("value")})||ct("value",function(e,n,r){return r||"input"!==e.nodeName.toLowerCase()?t:e.defaultValue}),ut(function(e){return null==e.getAttribute("disabled")})||ct(B,function(e,n,r){var i;return r?t:(i=e.getAttributeNode(n))&&i.specified?i.value:e[n]===!0?n.toLowerCase():null}),x.find=at,x.expr=at.selectors,x.expr[":"]=x.expr.pseudos,x.unique=at.uniqueSort,x.text=at.getText,x.isXMLDoc=at.isXML,x.contains=at.contains}(e);var O={};function F(e){var t=O[e]={};return x.each(e.match(T)||[],function(e,n){t[n]=!0}),t}x.Callbacks=function(e){e="string"==typeof e?O[e]||F(e):x.extend({},e);var n,r,i,o,a,s,l=[],u=!e.once&&[],c=function(t){for(r=e.memory&&t,i=!0,a=s||0,s=0,o=l.length,n=!0;l&&o>a;a++)if(l[a].apply(t[0],t[1])===!1&&e.stopOnFalse){r=!1;break}n=!1,l&&(u?u.length&&c(u.shift()):r?l=[]:p.disable())},p={add:function(){if(l){var t=l.length;(function i(t){x.each(t,function(t,n){var r=x.type(n);"function"===r?e.unique&&p.has(n)||l.push(n):n&&n.length&&"string"!==r&&i(n)})})(arguments),n?o=l.length:r&&(s=t,c(r))}return this},remove:function(){return l&&x.each(arguments,function(e,t){var r;while((r=x.inArray(t,l,r))>-1)l.splice(r,1),n&&(o>=r&&o--,a>=r&&a--)}),this},has:function(e){return e?x.inArray(e,l)>-1:!(!l||!l.length)},empty:function(){return l=[],o=0,this},disable:function(){return l=u=r=t,this},disabled:function(){return!l},lock:function(){return u=t,r||p.disable(),this},locked:function(){return!u},fireWith:function(e,t){return!l||i&&!u||(t=t||[],t=[e,t.slice?t.slice():t],n?u.push(t):c(t)),this},fire:function(){return p.fireWith(this,arguments),this},fired:function(){return!!i}};return p},x.extend({Deferred:function(e){var t=[["resolve","done",x.Callbacks("once memory"),"resolved"],["reject","fail",x.Callbacks("once memory"),"rejected"],["notify","progress",x.Callbacks("memory")]],n="pending",r={state:function(){return n},always:function(){return i.done(arguments).fail(arguments),this},then:function(){var e=arguments;return x.Deferred(function(n){x.each(t,function(t,o){var a=o[0],s=x.isFunction(e[t])&&e[t];i[o[1]](function(){var e=s&&s.apply(this,arguments);e&&x.isFunction(e.promise)?e.promise().done(n.resolve).fail(n.reject).progress(n.notify):n[a+"With"](this===r?n.promise():this,s?[e]:arguments)})}),e=null}).promise()},promise:function(e){return null!=e?x.extend(e,r):r}},i={};return r.pipe=r.then,x.each(t,function(e,o){var a=o[2],s=o[3];r[o[1]]=a.add,s&&a.add(function(){n=s},t[1^e][2].disable,t[2][2].lock),i[o[0]]=function(){return i[o[0]+"With"](this===i?r:this,arguments),this},i[o[0]+"With"]=a.fireWith}),r.promise(i),e&&e.call(i,i),i},when:function(e){var t=0,n=g.call(arguments),r=n.length,i=1!==r||e&&x.isFunction(e.promise)?r:0,o=1===i?e:x.Deferred(),a=function(e,t,n){return function(r){t[e]=this,n[e]=arguments.length>1?g.call(arguments):r,n===s?o.notifyWith(t,n):--i||o.resolveWith(t,n)}},s,l,u;if(r>1)for(s=Array(r),l=Array(r),u=Array(r);r>t;t++)n[t]&&x.isFunction(n[t].promise)?n[t].promise().done(a(t,u,n)).fail(o.reject).progress(a(t,l,s)):--i;return i||o.resolveWith(u,n),o.promise()}}),x.support=function(t){var n,r,o,s,l,u,c,p,f,d=a.createElement("div");if(d.setAttribute("className","t"),d.innerHTML=" <link/><table></table><a href='/a'>a</a><input type='checkbox'/>",n=d.getElementsByTagName("*")||[],r=d.getElementsByTagName("a")[0],!r||!r.style||!n.length)return t;s=a.createElement("select"),u=s.appendChild(a.createElement("option")),o=d.getElementsByTagName("input")[0],r.style.cssText="top:1px;float:left;opacity:.5",t.getSetAttribute="t"!==d.className,t.leadingWhitespace=3===d.firstChild.nodeType,t.tbody=!d.getElementsByTagName("tbody").length,t.htmlSerialize=!!d.getElementsByTagName("link").length,t.style=/top/.test(r.getAttribute("style")),t.hrefNormalized="/a"===r.getAttribute("href"),t.opacity=/^0.5/.test(r.style.opacity),t.cssFloat=!!r.style.cssFloat,t.checkOn=!!o.value,t.optSelected=u.selected,t.enctype=!!a.createElement("form").enctype,t.html5Clone="<:nav></:nav>"!==a.createElement("nav").cloneNode(!0).outerHTML,t.inlineBlockNeedsLayout=!1,t.shrinkWrapBlocks=!1,t.pixelPosition=!1,t.deleteExpando=!0,t.noCloneEvent=!0,t.reliableMarginRight=!0,t.boxSizingReliable=!0,o.checked=!0,t.noCloneChecked=o.cloneNode(!0).checked,s.disabled=!0,t.optDisabled=!u.disabled;try{delete d.test}catch(h){t.deleteExpando=!1}o=a.createElement("input"),o.setAttribute("value",""),t.input=""===o.getAttribute("value"),o.value="t",o.setAttribute("type","radio"),t.radioValue="t"===o.value,o.setAttribute("checked","t"),o.setAttribute("name","t"),l=a.createDocumentFragment(),l.appendChild(o),t.appendChecked=o.checked,t.checkClone=l.cloneNode(!0).cloneNode(!0).lastChild.checked,d.attachEvent&&(d.attachEvent("onclick",function(){t.noCloneEvent=!1}),d.cloneNode(!0).click());for(f in{submit:!0,change:!0,focusin:!0})d.setAttribute(c="on"+f,"t"),t[f+"Bubbles"]=c in e||d.attributes[c].expando===!1;d.style.backgroundClip="content-box",d.cloneNode(!0).style.backgroundClip="",t.clearCloneStyle="content-box"===d.style.backgroundClip;for(f in x(t))break;return t.ownLast="0"!==f,x(function(){var n,r,o,s="padding:0;margin:0;border:0;display:block;box-sizing:content-box;-moz-box-sizing:content-box;-webkit-box-sizing:content-box;",l=a.getElementsByTagName("body")[0];l&&(n=a.createElement("div"),n.style.cssText="border:0;width:0;height:0;position:absolute;top:0;left:-9999px;margin-top:1px",l.appendChild(n).appendChild(d),d.innerHTML="<table><tr><td></td><td>t</td></tr></table>",o=d.getElementsByTagName("td"),o[0].style.cssText="padding:0;margin:0;border:0;display:none",p=0===o[0].offsetHeight,o[0].style.display="",o[1].style.display="none",t.reliableHiddenOffsets=p&&0===o[0].offsetHeight,d.innerHTML="",d.style.cssText="box-sizing:border-box;-moz-box-sizing:border-box;-webkit-box-sizing:border-box;padding:1px;border:1px;display:block;width:4px;margin-top:1%;position:absolute;top:1%;",x.swap(l,null!=l.style.zoom?{zoom:1}:{},function(){t.boxSizing=4===d.offsetWidth}),e.getComputedStyle&&(t.pixelPosition="1%"!==(e.getComputedStyle(d,null)||{}).top,t.boxSizingReliable="4px"===(e.getComputedStyle(d,null)||{width:"4px"}).width,r=d.appendChild(a.createElement("div")),r.style.cssText=d.style.cssText=s,r.style.marginRight=r.style.width="0",d.style.width="1px",t.reliableMarginRight=!parseFloat((e.getComputedStyle(r,null)||{}).marginRight)),typeof d.style.zoom!==i&&(d.innerHTML="",d.style.cssText=s+"width:1px;padding:1px;display:inline;zoom:1",t.inlineBlockNeedsLayout=3===d.offsetWidth,d.style.display="block",d.innerHTML="<div></div>",d.firstChild.style.width="5px",t.shrinkWrapBlocks=3!==d.offsetWidth,t.inlineBlockNeedsLayout&&(l.style.zoom=1)),l.removeChild(n),n=d=o=r=null)}),n=s=l=u=r=o=null,t }({});var B=/(?:\{[\s\S]*\}|\[[\s\S]*\])$/,P=/([A-Z])/g;function R(e,n,r,i){if(x.acceptData(e)){var o,a,s=x.expando,l=e.nodeType,u=l?x.cache:e,c=l?e[s]:e[s]&&s;if(c&&u[c]&&(i||u[c].data)||r!==t||"string"!=typeof n)return c||(c=l?e[s]=p.pop()||x.guid++:s),u[c]||(u[c]=l?{}:{toJSON:x.noop}),("object"==typeof n||"function"==typeof n)&&(i?u[c]=x.extend(u[c],n):u[c].data=x.extend(u[c].data,n)),a=u[c],i||(a.data||(a.data={}),a=a.data),r!==t&&(a[x.camelCase(n)]=r),"string"==typeof n?(o=a[n],null==o&&(o=a[x.camelCase(n)])):o=a,o}}function W(e,t,n){if(x.acceptData(e)){var r,i,o=e.nodeType,a=o?x.cache:e,s=o?e[x.expando]:x.expando;if(a[s]){if(t&&(r=n?a[s]:a[s].data)){x.isArray(t)?t=t.concat(x.map(t,x.camelCase)):t in r?t=[t]:(t=x.camelCase(t),t=t in r?[t]:t.split(" ")),i=t.length;while(i--)delete r[t[i]];if(n?!I(r):!x.isEmptyObject(r))return}(n||(delete a[s].data,I(a[s])))&&(o?x.cleanData([e],!0):x.support.deleteExpando||a!=a.window?delete a[s]:a[s]=null)}}}x.extend({cache:{},noData:{applet:!0,embed:!0,object:"clsid:D27CDB6E-AE6D-11cf-96B8-444553540000"},hasData:function(e){return e=e.nodeType?x.cache[e[x.expando]]:e[x.expando],!!e&&!I(e)},data:function(e,t,n){return R(e,t,n)},removeData:function(e,t){return W(e,t)},_data:function(e,t,n){return R(e,t,n,!0)},_removeData:function(e,t){return W(e,t,!0)},acceptData:function(e){if(e.nodeType&&1!==e.nodeType&&9!==e.nodeType)return!1;var t=e.nodeName&&x.noData[e.nodeName.toLowerCase()];return!t||t!==!0&&e.getAttribute("classid")===t}}),x.fn.extend({data:function(e,n){var r,i,o=null,a=0,s=this[0];if(e===t){if(this.length&&(o=x.data(s),1===s.nodeType&&!x._data(s,"parsedAttrs"))){for(r=s.attributes;r.length>a;a++)i=r[a].name,0===i.indexOf("data-")&&(i=x.camelCase(i.slice(5)),$(s,i,o[i]));x._data(s,"parsedAttrs",!0)}return o}return"object"==typeof e?this.each(function(){x.data(this,e)}):arguments.length>1?this.each(function(){x.data(this,e,n)}):s?$(s,e,x.data(s,e)):null},removeData:function(e){return this.each(function(){x.removeData(this,e)})}});function $(e,n,r){if(r===t&&1===e.nodeType){var i="data-"+n.replace(P,"-$1").toLowerCase();if(r=e.getAttribute(i),"string"==typeof r){try{r="true"===r?!0:"false"===r?!1:"null"===r?null:+r+""===r?+r:B.test(r)?x.parseJSON(r):r}catch(o){}x.data(e,n,r)}else r=t}return r}function I(e){var t;for(t in e)if(("data"!==t||!x.isEmptyObject(e[t]))&&"toJSON"!==t)return!1;return!0}x.extend({queue:function(e,n,r){var i;return e?(n=(n||"fx")+"queue",i=x._data(e,n),r&&(!i||x.isArray(r)?i=x._data(e,n,x.makeArray(r)):i.push(r)),i||[]):t},dequeue:function(e,t){t=t||"fx";var n=x.queue(e,t),r=n.length,i=n.shift(),o=x._queueHooks(e,t),a=function(){x.dequeue(e,t)};"inprogress"===i&&(i=n.shift(),r--),i&&("fx"===t&&n.unshift("inprogress"),delete o.stop,i.call(e,a,o)),!r&&o&&o.empty.fire()},_queueHooks:function(e,t){var n=t+"queueHooks";return x._data(e,n)||x._data(e,n,{empty:x.Callbacks("once memory").add(function(){x._removeData(e,t+"queue"),x._removeData(e,n)})})}}),x.fn.extend({queue:function(e,n){var r=2;return"string"!=typeof e&&(n=e,e="fx",r--),r>arguments.length?x.queue(this[0],e):n===t?this:this.each(function(){var t=x.queue(this,e,n);x._queueHooks(this,e),"fx"===e&&"inprogress"!==t[0]&&x.dequeue(this,e)})},dequeue:function(e){return this.each(function(){x.dequeue(this,e)})},delay:function(e,t){return e=x.fx?x.fx.speeds[e]||e:e,t=t||"fx",this.queue(t,function(t,n){var r=setTimeout(t,e);n.stop=function(){clearTimeout(r)}})},clearQueue:function(e){return this.queue(e||"fx",[])},promise:function(e,n){var r,i=1,o=x.Deferred(),a=this,s=this.length,l=function(){--i||o.resolveWith(a,[a])};"string"!=typeof e&&(n=e,e=t),e=e||"fx";while(s--)r=x._data(a[s],e+"queueHooks"),r&&r.empty&&(i++,r.empty.add(l));return l(),o.promise(n)}});var z,X,U=/[\t\r\n\f]/g,V=/\r/g,Y=/^(?:input|select|textarea|button|object)$/i,J=/^(?:a|area)$/i,G=/^(?:checked|selected)$/i,Q=x.support.getSetAttribute,K=x.support.input;x.fn.extend({attr:function(e,t){return x.access(this,x.attr,e,t,arguments.length>1)},removeAttr:function(e){return this.each(function(){x.removeAttr(this,e)})},prop:function(e,t){return x.access(this,x.prop,e,t,arguments.length>1)},removeProp:function(e){return e=x.propFix[e]||e,this.each(function(){try{this[e]=t,delete this[e]}catch(n){}})},addClass:function(e){var t,n,r,i,o,a=0,s=this.length,l="string"==typeof e&&e;if(x.isFunction(e))return this.each(function(t){x(this).addClass(e.call(this,t,this.className))});if(l)for(t=(e||"").match(T)||[];s>a;a++)if(n=this[a],r=1===n.nodeType&&(n.className?(" "+n.className+" ").replace(U," "):" ")){o=0;while(i=t[o++])0>r.indexOf(" "+i+" ")&&(r+=i+" ");n.className=x.trim(r)}return this},removeClass:function(e){var t,n,r,i,o,a=0,s=this.length,l=0===arguments.length||"string"==typeof e&&e;if(x.isFunction(e))return this.each(function(t){x(this).removeClass(e.call(this,t,this.className))});if(l)for(t=(e||"").match(T)||[];s>a;a++)if(n=this[a],r=1===n.nodeType&&(n.className?(" "+n.className+" ").replace(U," "):"")){o=0;while(i=t[o++])while(r.indexOf(" "+i+" ")>=0)r=r.replace(" "+i+" "," ");n.className=e?x.trim(r):""}return this},toggleClass:function(e,t){var n=typeof e;return"boolean"==typeof t&&"string"===n?t?this.addClass(e):this.removeClass(e):x.isFunction(e)?this.each(function(n){x(this).toggleClass(e.call(this,n,this.className,t),t)}):this.each(function(){if("string"===n){var t,r=0,o=x(this),a=e.match(T)||[];while(t=a[r++])o.hasClass(t)?o.removeClass(t):o.addClass(t)}else(n===i||"boolean"===n)&&(this.className&&x._data(this,"__className__",this.className),this.className=this.className||e===!1?"":x._data(this,"__className__")||"")})},hasClass:function(e){var t=" "+e+" ",n=0,r=this.length;for(;r>n;n++)if(1===this[n].nodeType&&(" "+this[n].className+" ").replace(U," ").indexOf(t)>=0)return!0;return!1},val:function(e){var n,r,i,o=this[0];{if(arguments.length)return i=x.isFunction(e),this.each(function(n){var o;1===this.nodeType&&(o=i?e.call(this,n,x(this).val()):e,null==o?o="":"number"==typeof o?o+="":x.isArray(o)&&(o=x.map(o,function(e){return null==e?"":e+""})),r=x.valHooks[this.type]||x.valHooks[this.nodeName.toLowerCase()],r&&"set"in r&&r.set(this,o,"value")!==t||(this.value=o))});if(o)return r=x.valHooks[o.type]||x.valHooks[o.nodeName.toLowerCase()],r&&"get"in r&&(n=r.get(o,"value"))!==t?n:(n=o.value,"string"==typeof n?n.replace(V,""):null==n?"":n)}}}),x.extend({valHooks:{option:{get:function(e){var t=x.find.attr(e,"value");return null!=t?t:e.text}},select:{get:function(e){var t,n,r=e.options,i=e.selectedIndex,o="select-one"===e.type||0>i,a=o?null:[],s=o?i+1:r.length,l=0>i?s:o?i:0;for(;s>l;l++)if(n=r[l],!(!n.selected&&l!==i||(x.support.optDisabled?n.disabled:null!==n.getAttribute("disabled"))||n.parentNode.disabled&&x.nodeName(n.parentNode,"optgroup"))){if(t=x(n).val(),o)return t;a.push(t)}return a},set:function(e,t){var n,r,i=e.options,o=x.makeArray(t),a=i.length;while(a--)r=i[a],(r.selected=x.inArray(x(r).val(),o)>=0)&&(n=!0);return n||(e.selectedIndex=-1),o}}},attr:function(e,n,r){var o,a,s=e.nodeType;if(e&&3!==s&&8!==s&&2!==s)return typeof e.getAttribute===i?x.prop(e,n,r):(1===s&&x.isXMLDoc(e)||(n=n.toLowerCase(),o=x.attrHooks[n]||(x.expr.match.bool.test(n)?X:z)),r===t?o&&"get"in o&&null!==(a=o.get(e,n))?a:(a=x.find.attr(e,n),null==a?t:a):null!==r?o&&"set"in o&&(a=o.set(e,r,n))!==t?a:(e.setAttribute(n,r+""),r):(x.removeAttr(e,n),t))},removeAttr:function(e,t){var n,r,i=0,o=t&&t.match(T);if(o&&1===e.nodeType)while(n=o[i++])r=x.propFix[n]||n,x.expr.match.bool.test(n)?K&&Q||!G.test(n)?e[r]=!1:e[x.camelCase("default-"+n)]=e[r]=!1:x.attr(e,n,""),e.removeAttribute(Q?n:r)},attrHooks:{type:{set:function(e,t){if(!x.support.radioValue&&"radio"===t&&x.nodeName(e,"input")){var n=e.value;return e.setAttribute("type",t),n&&(e.value=n),t}}}},propFix:{"for":"htmlFor","class":"className"},prop:function(e,n,r){var i,o,a,s=e.nodeType;if(e&&3!==s&&8!==s&&2!==s)return a=1!==s||!x.isXMLDoc(e),a&&(n=x.propFix[n]||n,o=x.propHooks[n]),r!==t?o&&"set"in o&&(i=o.set(e,r,n))!==t?i:e[n]=r:o&&"get"in o&&null!==(i=o.get(e,n))?i:e[n]},propHooks:{tabIndex:{get:function(e){var t=x.find.attr(e,"tabindex");return t?parseInt(t,10):Y.test(e.nodeName)||J.test(e.nodeName)&&e.href?0:-1}}}}),X={set:function(e,t,n){return t===!1?x.removeAttr(e,n):K&&Q||!G.test(n)?e.setAttribute(!Q&&x.propFix[n]||n,n):e[x.camelCase("default-"+n)]=e[n]=!0,n}},x.each(x.expr.match.bool.source.match(/\w+/g),function(e,n){var r=x.expr.attrHandle[n]||x.find.attr;x.expr.attrHandle[n]=K&&Q||!G.test(n)?function(e,n,i){var o=x.expr.attrHandle[n],a=i?t:(x.expr.attrHandle[n]=t)!=r(e,n,i)?n.toLowerCase():null;return x.expr.attrHandle[n]=o,a}:function(e,n,r){return r?t:e[x.camelCase("default-"+n)]?n.toLowerCase():null}}),K&&Q||(x.attrHooks.value={set:function(e,n,r){return x.nodeName(e,"input")?(e.defaultValue=n,t):z&&z.set(e,n,r)}}),Q||(z={set:function(e,n,r){var i=e.getAttributeNode(r);return i||e.setAttributeNode(i=e.ownerDocument.createAttribute(r)),i.value=n+="","value"===r||n===e.getAttribute(r)?n:t}},x.expr.attrHandle.id=x.expr.attrHandle.name=x.expr.attrHandle.coords=function(e,n,r){var i;return r?t:(i=e.getAttributeNode(n))&&""!==i.value?i.value:null},x.valHooks.button={get:function(e,n){var r=e.getAttributeNode(n);return r&&r.specified?r.value:t},set:z.set},x.attrHooks.contenteditable={set:function(e,t,n){z.set(e,""===t?!1:t,n)}},x.each(["width","height"],function(e,n){x.attrHooks[n]={set:function(e,r){return""===r?(e.setAttribute(n,"auto"),r):t}}})),x.support.hrefNormalized||x.each(["href","src"],function(e,t){x.propHooks[t]={get:function(e){return e.getAttribute(t,4)}}}),x.support.style||(x.attrHooks.style={get:function(e){return e.style.cssText||t},set:function(e,t){return e.style.cssText=t+""}}),x.support.optSelected||(x.propHooks.selected={get:function(e){var t=e.parentNode;return t&&(t.selectedIndex,t.parentNode&&t.parentNode.selectedIndex),null}}),x.each(["tabIndex","readOnly","maxLength","cellSpacing","cellPadding","rowSpan","colSpan","useMap","frameBorder","contentEditable"],function(){x.propFix[this.toLowerCase()]=this}),x.support.enctype||(x.propFix.enctype="encoding"),x.each(["radio","checkbox"],function(){x.valHooks[this]={set:function(e,n){return x.isArray(n)?e.checked=x.inArray(x(e).val(),n)>=0:t}},x.support.checkOn||(x.valHooks[this].get=function(e){return null===e.getAttribute("value")?"on":e.value})});var Z=/^(?:input|select|textarea)$/i,et=/^key/,tt=/^(?:mouse|contextmenu)|click/,nt=/^(?:focusinfocus|focusoutblur)$/,rt=/^([^.]*)(?:\.(.+)|)$/;function it(){return!0}function ot(){return!1}function at(){try{return a.activeElement}catch(e){}}x.event={global:{},add:function(e,n,r,o,a){var s,l,u,c,p,f,d,h,g,m,y,v=x._data(e);if(v){r.handler&&(c=r,r=c.handler,a=c.selector),r.guid||(r.guid=x.guid++),(l=v.events)||(l=v.events={}),(f=v.handle)||(f=v.handle=function(e){return typeof x===i||e&&x.event.triggered===e.type?t:x.event.dispatch.apply(f.elem,arguments)},f.elem=e),n=(n||"").match(T)||[""],u=n.length;while(u--)s=rt.exec(n[u])||[],g=y=s[1],m=(s[2]||"").split(".").sort(),g&&(p=x.event.special[g]||{},g=(a?p.delegateType:p.bindType)||g,p=x.event.special[g]||{},d=x.extend({type:g,origType:y,data:o,handler:r,guid:r.guid,selector:a,needsContext:a&&x.expr.match.needsContext.test(a),namespace:m.join(".")},c),(h=l[g])||(h=l[g]=[],h.delegateCount=0,p.setup&&p.setup.call(e,o,m,f)!==!1||(e.addEventListener?e.addEventListener(g,f,!1):e.attachEvent&&e.attachEvent("on"+g,f))),p.add&&(p.add.call(e,d),d.handler.guid||(d.handler.guid=r.guid)),a?h.splice(h.delegateCount++,0,d):h.push(d),x.event.global[g]=!0);e=null}},remove:function(e,t,n,r,i){var o,a,s,l,u,c,p,f,d,h,g,m=x.hasData(e)&&x._data(e);if(m&&(c=m.events)){t=(t||"").match(T)||[""],u=t.length;while(u--)if(s=rt.exec(t[u])||[],d=g=s[1],h=(s[2]||"").split(".").sort(),d){p=x.event.special[d]||{},d=(r?p.delegateType:p.bindType)||d,f=c[d]||[],s=s[2]&&RegExp("(^|\\.)"+h.join("\\.(?:.*\\.|)")+"(\\.|$)"),l=o=f.length;while(o--)a=f[o],!i&&g!==a.origType||n&&n.guid!==a.guid||s&&!s.test(a.namespace)||r&&r!==a.selector&&("**"!==r||!a.selector)||(f.splice(o,1),a.selector&&f.delegateCount--,p.remove&&p.remove.call(e,a));l&&!f.length&&(p.teardown&&p.teardown.call(e,h,m.handle)!==!1||x.removeEvent(e,d,m.handle),delete c[d])}else for(d in c)x.event.remove(e,d+t[u],n,r,!0);x.isEmptyObject(c)&&(delete m.handle,x._removeData(e,"events"))}},trigger:function(n,r,i,o){var s,l,u,c,p,f,d,h=[i||a],g=v.call(n,"type")?n.type:n,m=v.call(n,"namespace")?n.namespace.split("."):[];if(u=f=i=i||a,3!==i.nodeType&&8!==i.nodeType&&!nt.test(g+x.event.triggered)&&(g.indexOf(".")>=0&&(m=g.split("."),g=m.shift(),m.sort()),l=0>g.indexOf(":")&&"on"+g,n=n[x.expando]?n:new x.Event(g,"object"==typeof n&&n),n.isTrigger=o?2:3,n.namespace=m.join("."),n.namespace_re=n.namespace?RegExp("(^|\\.)"+m.join("\\.(?:.*\\.|)")+"(\\.|$)"):null,n.result=t,n.target||(n.target=i),r=null==r?[n]:x.makeArray(r,[n]),p=x.event.special[g]||{},o||!p.trigger||p.trigger.apply(i,r)!==!1)){if(!o&&!p.noBubble&&!x.isWindow(i)){for(c=p.delegateType||g,nt.test(c+g)||(u=u.parentNode);u;u=u.parentNode)h.push(u),f=u;f===(i.ownerDocument||a)&&h.push(f.defaultView||f.parentWindow||e)}d=0;while((u=h[d++])&&!n.isPropagationStopped())n.type=d>1?c:p.bindType||g,s=(x._data(u,"events")||{})[n.type]&&x._data(u,"handle"),s&&s.apply(u,r),s=l&&u[l],s&&x.acceptData(u)&&s.apply&&s.apply(u,r)===!1&&n.preventDefault();if(n.type=g,!o&&!n.isDefaultPrevented()&&(!p._default||p._default.apply(h.pop(),r)===!1)&&x.acceptData(i)&&l&&i[g]&&!x.isWindow(i)){f=i[l],f&&(i[l]=null),x.event.triggered=g;try{i[g]()}catch(y){}x.event.triggered=t,f&&(i[l]=f)}return n.result}},dispatch:function(e){e=x.event.fix(e);var n,r,i,o,a,s=[],l=g.call(arguments),u=(x._data(this,"events")||{})[e.type]||[],c=x.event.special[e.type]||{};if(l[0]=e,e.delegateTarget=this,!c.preDispatch||c.preDispatch.call(this,e)!==!1){s=x.event.handlers.call(this,e,u),n=0;while((o=s[n++])&&!e.isPropagationStopped()){e.currentTarget=o.elem,a=0;while((i=o.handlers[a++])&&!e.isImmediatePropagationStopped())(!e.namespace_re||e.namespace_re.test(i.namespace))&&(e.handleObj=i,e.data=i.data,r=((x.event.special[i.origType]||{}).handle||i.handler).apply(o.elem,l),r!==t&&(e.result=r)===!1&&(e.preventDefault(),e.stopPropagation()))}return c.postDispatch&&c.postDispatch.call(this,e),e.result}},handlers:function(e,n){var r,i,o,a,s=[],l=n.delegateCount,u=e.target;if(l&&u.nodeType&&(!e.button||"click"!==e.type))for(;u!=this;u=u.parentNode||this)if(1===u.nodeType&&(u.disabled!==!0||"click"!==e.type)){for(o=[],a=0;l>a;a++)i=n[a],r=i.selector+" ",o[r]===t&&(o[r]=i.needsContext?x(r,this).index(u)>=0:x.find(r,this,null,[u]).length),o[r]&&o.push(i);o.length&&s.push({elem:u,handlers:o})}return n.length>l&&s.push({elem:this,handlers:n.slice(l)}),s},fix:function(e){if(e[x.expando])return e;var t,n,r,i=e.type,o=e,s=this.fixHooks[i];s||(this.fixHooks[i]=s=tt.test(i)?this.mouseHooks:et.test(i)?this.keyHooks:{}),r=s.props?this.props.concat(s.props):this.props,e=new x.Event(o),t=r.length;while(t--)n=r[t],e[n]=o[n];return e.target||(e.target=o.srcElement||a),3===e.target.nodeType&&(e.target=e.target.parentNode),e.metaKey=!!e.metaKey,s.filter?s.filter(e,o):e},props:"altKey bubbles cancelable ctrlKey currentTarget eventPhase metaKey relatedTarget shiftKey target timeStamp view which".split(" "),fixHooks:{},keyHooks:{props:"char charCode key keyCode".split(" "),filter:function(e,t){return null==e.which&&(e.which=null!=t.charCode?t.charCode:t.keyCode),e}},mouseHooks:{props:"button buttons clientX clientY fromElement offsetX offsetY pageX pageY screenX screenY toElement".split(" "),filter:function(e,n){var r,i,o,s=n.button,l=n.fromElement;return null==e.pageX&&null!=n.clientX&&(i=e.target.ownerDocument||a,o=i.documentElement,r=i.body,e.pageX=n.clientX+(o&&o.scrollLeft||r&&r.scrollLeft||0)-(o&&o.clientLeft||r&&r.clientLeft||0),e.pageY=n.clientY+(o&&o.scrollTop||r&&r.scrollTop||0)-(o&&o.clientTop||r&&r.clientTop||0)),!e.relatedTarget&&l&&(e.relatedTarget=l===e.target?n.toElement:l),e.which||s===t||(e.which=1&s?1:2&s?3:4&s?2:0),e}},special:{load:{noBubble:!0},focus:{trigger:function(){if(this!==at()&&this.focus)try{return this.focus(),!1}catch(e){}},delegateType:"focusin"},blur:{trigger:function(){return this===at()&&this.blur?(this.blur(),!1):t},delegateType:"focusout"},click:{trigger:function(){return x.nodeName(this,"input")&&"checkbox"===this.type&&this.click?(this.click(),!1):t},_default:function(e){return x.nodeName(e.target,"a")}},beforeunload:{postDispatch:function(e){e.result!==t&&(e.originalEvent.returnValue=e.result)}}},simulate:function(e,t,n,r){var i=x.extend(new x.Event,n,{type:e,isSimulated:!0,originalEvent:{}});r?x.event.trigger(i,null,t):x.event.dispatch.call(t,i),i.isDefaultPrevented()&&n.preventDefault()}},x.removeEvent=a.removeEventListener?function(e,t,n){e.removeEventListener&&e.removeEventListener(t,n,!1)}:function(e,t,n){var r="on"+t;e.detachEvent&&(typeof e[r]===i&&(e[r]=null),e.detachEvent(r,n))},x.Event=function(e,n){return this instanceof x.Event?(e&&e.type?(this.originalEvent=e,this.type=e.type,this.isDefaultPrevented=e.defaultPrevented||e.returnValue===!1||e.getPreventDefault&&e.getPreventDefault()?it:ot):this.type=e,n&&x.extend(this,n),this.timeStamp=e&&e.timeStamp||x.now(),this[x.expando]=!0,t):new x.Event(e,n)},x.Event.prototype={isDefaultPrevented:ot,isPropagationStopped:ot,isImmediatePropagationStopped:ot,preventDefault:function(){var e=this.originalEvent;this.isDefaultPrevented=it,e&&(e.preventDefault?e.preventDefault():e.returnValue=!1)},stopPropagation:function(){var e=this.originalEvent;this.isPropagationStopped=it,e&&(e.stopPropagation&&e.stopPropagation(),e.cancelBubble=!0)},stopImmediatePropagation:function(){this.isImmediatePropagationStopped=it,this.stopPropagation()}},x.each({mouseenter:"mouseover",mouseleave:"mouseout"},function(e,t){x.event.special[e]={delegateType:t,bindType:t,handle:function(e){var n,r=this,i=e.relatedTarget,o=e.handleObj;return(!i||i!==r&&!x.contains(r,i))&&(e.type=o.origType,n=o.handler.apply(this,arguments),e.type=t),n}}}),x.support.submitBubbles||(x.event.special.submit={setup:function(){return x.nodeName(this,"form")?!1:(x.event.add(this,"click._submit keypress._submit",function(e){var n=e.target,r=x.nodeName(n,"input")||x.nodeName(n,"button")?n.form:t;r&&!x._data(r,"submitBubbles")&&(x.event.add(r,"submit._submit",function(e){e._submit_bubble=!0}),x._data(r,"submitBubbles",!0))}),t)},postDispatch:function(e){e._submit_bubble&&(delete e._submit_bubble,this.parentNode&&!e.isTrigger&&x.event.simulate("submit",this.parentNode,e,!0))},teardown:function(){return x.nodeName(this,"form")?!1:(x.event.remove(this,"._submit"),t)}}),x.support.changeBubbles||(x.event.special.change={setup:function(){return Z.test(this.nodeName)?(("checkbox"===this.type||"radio"===this.type)&&(x.event.add(this,"propertychange._change",function(e){"checked"===e.originalEvent.propertyName&&(this._just_changed=!0)}),x.event.add(this,"click._change",function(e){this._just_changed&&!e.isTrigger&&(this._just_changed=!1),x.event.simulate("change",this,e,!0)})),!1):(x.event.add(this,"beforeactivate._change",function(e){var t=e.target;Z.test(t.nodeName)&&!x._data(t,"changeBubbles")&&(x.event.add(t,"change._change",function(e){!this.parentNode||e.isSimulated||e.isTrigger||x.event.simulate("change",this.parentNode,e,!0)}),x._data(t,"changeBubbles",!0))}),t)},handle:function(e){var n=e.target;return this!==n||e.isSimulated||e.isTrigger||"radio"!==n.type&&"checkbox"!==n.type?e.handleObj.handler.apply(this,arguments):t},teardown:function(){return x.event.remove(this,"._change"),!Z.test(this.nodeName)}}),x.support.focusinBubbles||x.each({focus:"focusin",blur:"focusout"},function(e,t){var n=0,r=function(e){x.event.simulate(t,e.target,x.event.fix(e),!0)};x.event.special[t]={setup:function(){0===n++&&a.addEventListener(e,r,!0)},teardown:function(){0===--n&&a.removeEventListener(e,r,!0)}}}),x.fn.extend({on:function(e,n,r,i,o){var a,s;if("object"==typeof e){"string"!=typeof n&&(r=r||n,n=t);for(a in e)this.on(a,n,r,e[a],o);return this}if(null==r&&null==i?(i=n,r=n=t):null==i&&("string"==typeof n?(i=r,r=t):(i=r,r=n,n=t)),i===!1)i=ot;else if(!i)return this;return 1===o&&(s=i,i=function(e){return x().off(e),s.apply(this,arguments)},i.guid=s.guid||(s.guid=x.guid++)),this.each(function(){x.event.add(this,e,i,r,n)})},one:function(e,t,n,r){return this.on(e,t,n,r,1)},off:function(e,n,r){var i,o;if(e&&e.preventDefault&&e.handleObj)return i=e.handleObj,x(e.delegateTarget).off(i.namespace?i.origType+"."+i.namespace:i.origType,i.selector,i.handler),this;if("object"==typeof e){for(o in e)this.off(o,n,e[o]);return this}return(n===!1||"function"==typeof n)&&(r=n,n=t),r===!1&&(r=ot),this.each(function(){x.event.remove(this,e,r,n)})},trigger:function(e,t){return this.each(function(){x.event.trigger(e,t,this)})},triggerHandler:function(e,n){var r=this[0];return r?x.event.trigger(e,n,r,!0):t}});var st=/^.[^:#\[\.,]*$/,lt=/^(?:parents|prev(?:Until|All))/,ut=x.expr.match.needsContext,ct={children:!0,contents:!0,next:!0,prev:!0};x.fn.extend({find:function(e){var t,n=[],r=this,i=r.length;if("string"!=typeof e)return this.pushStack(x(e).filter(function(){for(t=0;i>t;t++)if(x.contains(r[t],this))return!0}));for(t=0;i>t;t++)x.find(e,r[t],n);return n=this.pushStack(i>1?x.unique(n):n),n.selector=this.selector?this.selector+" "+e:e,n},has:function(e){var t,n=x(e,this),r=n.length;return this.filter(function(){for(t=0;r>t;t++)if(x.contains(this,n[t]))return!0})},not:function(e){return this.pushStack(ft(this,e||[],!0))},filter:function(e){return this.pushStack(ft(this,e||[],!1))},is:function(e){return!!ft(this,"string"==typeof e&&ut.test(e)?x(e):e||[],!1).length},closest:function(e,t){var n,r=0,i=this.length,o=[],a=ut.test(e)||"string"!=typeof e?x(e,t||this.context):0;for(;i>r;r++)for(n=this[r];n&&n!==t;n=n.parentNode)if(11>n.nodeType&&(a?a.index(n)>-1:1===n.nodeType&&x.find.matchesSelector(n,e))){n=o.push(n);break}return this.pushStack(o.length>1?x.unique(o):o)},index:function(e){return e?"string"==typeof e?x.inArray(this[0],x(e)):x.inArray(e.jquery?e[0]:e,this):this[0]&&this[0].parentNode?this.first().prevAll().length:-1},add:function(e,t){var n="string"==typeof e?x(e,t):x.makeArray(e&&e.nodeType?[e]:e),r=x.merge(this.get(),n);return this.pushStack(x.unique(r))},addBack:function(e){return this.add(null==e?this.prevObject:this.prevObject.filter(e))}});function pt(e,t){do e=e[t];while(e&&1!==e.nodeType);return e}x.each({parent:function(e){var t=e.parentNode;return t&&11!==t.nodeType?t:null},parents:function(e){return x.dir(e,"parentNode")},parentsUntil:function(e,t,n){return x.dir(e,"parentNode",n)},next:function(e){return pt(e,"nextSibling")},prev:function(e){return pt(e,"previousSibling")},nextAll:function(e){return x.dir(e,"nextSibling")},prevAll:function(e){return x.dir(e,"previousSibling")},nextUntil:function(e,t,n){return x.dir(e,"nextSibling",n)},prevUntil:function(e,t,n){return x.dir(e,"previousSibling",n)},siblings:function(e){return x.sibling((e.parentNode||{}).firstChild,e)},children:function(e){return x.sibling(e.firstChild)},contents:function(e){return x.nodeName(e,"iframe")?e.contentDocument||e.contentWindow.document:x.merge([],e.childNodes)}},function(e,t){x.fn[e]=function(n,r){var i=x.map(this,t,n);return"Until"!==e.slice(-5)&&(r=n),r&&"string"==typeof r&&(i=x.filter(r,i)),this.length>1&&(ct[e]||(i=x.unique(i)),lt.test(e)&&(i=i.reverse())),this.pushStack(i)}}),x.extend({filter:function(e,t,n){var r=t[0];return n&&(e=":not("+e+")"),1===t.length&&1===r.nodeType?x.find.matchesSelector(r,e)?[r]:[]:x.find.matches(e,x.grep(t,function(e){return 1===e.nodeType}))},dir:function(e,n,r){var i=[],o=e[n];while(o&&9!==o.nodeType&&(r===t||1!==o.nodeType||!x(o).is(r)))1===o.nodeType&&i.push(o),o=o[n];return i},sibling:function(e,t){var n=[];for(;e;e=e.nextSibling)1===e.nodeType&&e!==t&&n.push(e);return n}});function ft(e,t,n){if(x.isFunction(t))return x.grep(e,function(e,r){return!!t.call(e,r,e)!==n});if(t.nodeType)return x.grep(e,function(e){return e===t!==n});if("string"==typeof t){if(st.test(t))return x.filter(t,e,n);t=x.filter(t,e)}return x.grep(e,function(e){return x.inArray(e,t)>=0!==n})}function dt(e){var t=ht.split("|"),n=e.createDocumentFragment();if(n.createElement)while(t.length)n.createElement(t.pop());return n}var ht="abbr|article|aside|audio|bdi|canvas|data|datalist|details|figcaption|figure|footer|header|hgroup|mark|meter|nav|output|progress|section|summary|time|video",gt=/ jQuery\d+="(?:null|\d+)"/g,mt=RegExp("<(?:"+ht+")[\\s/>]","i"),yt=/^\s+/,vt=/<(?!area|br|col|embed|hr|img|input|link|meta|param)(([\w:]+)[^>]*)\/>/gi,bt=/<([\w:]+)/,xt=/<tbody/i,wt=/<|&#?\w+;/,Tt=/<(?:script|style|link)/i,Ct=/^(?:checkbox|radio)$/i,Nt=/checked\s*(?:[^=]|=\s*.checked.)/i,kt=/^$|\/(?:java|ecma)script/i,Et=/^true\/(.*)/,St=/^\s*<!(?:\[CDATA\[|--)|(?:\]\]|--)>\s*$/g,At={option:[1,"<select multiple='multiple'>","</select>"],legend:[1,"<fieldset>","</fieldset>"],area:[1,"<map>","</map>"],param:[1,"<object>","</object>"],thead:[1,"<table>","</table>"],tr:[2,"<table><tbody>","</tbody></table>"],col:[2,"<table><tbody></tbody><colgroup>","</colgroup></table>"],td:[3,"<table><tbody><tr>","</tr></tbody></table>"],_default:x.support.htmlSerialize?[0,"",""]:[1,"X<div>","</div>"]},jt=dt(a),Dt=jt.appendChild(a.createElement("div"));At.optgroup=At.option,At.tbody=At.tfoot=At.colgroup=At.caption=At.thead,At.th=At.td,x.fn.extend({text:function(e){return x.access(this,function(e){return e===t?x.text(this):this.empty().append((this[0]&&this[0].ownerDocument||a).createTextNode(e))},null,e,arguments.length)},append:function(){return this.domManip(arguments,function(e){if(1===this.nodeType||11===this.nodeType||9===this.nodeType){var t=Lt(this,e);t.appendChild(e)}})},prepend:function(){return this.domManip(arguments,function(e){if(1===this.nodeType||11===this.nodeType||9===this.nodeType){var t=Lt(this,e);t.insertBefore(e,t.firstChild)}})},before:function(){return this.domManip(arguments,function(e){this.parentNode&&this.parentNode.insertBefore(e,this)})},after:function(){return this.domManip(arguments,function(e){this.parentNode&&this.parentNode.insertBefore(e,this.nextSibling)})},remove:function(e,t){var n,r=e?x.filter(e,this):this,i=0;for(;null!=(n=r[i]);i++)t||1!==n.nodeType||x.cleanData(Ft(n)),n.parentNode&&(t&&x.contains(n.ownerDocument,n)&&_t(Ft(n,"script")),n.parentNode.removeChild(n));return this},empty:function(){var e,t=0;for(;null!=(e=this[t]);t++){1===e.nodeType&&x.cleanData(Ft(e,!1));while(e.firstChild)e.removeChild(e.firstChild);e.options&&x.nodeName(e,"select")&&(e.options.length=0)}return this},clone:function(e,t){return e=null==e?!1:e,t=null==t?e:t,this.map(function(){return x.clone(this,e,t)})},html:function(e){return x.access(this,function(e){var n=this[0]||{},r=0,i=this.length;if(e===t)return 1===n.nodeType?n.innerHTML.replace(gt,""):t;if(!("string"!=typeof e||Tt.test(e)||!x.support.htmlSerialize&&mt.test(e)||!x.support.leadingWhitespace&&yt.test(e)||At[(bt.exec(e)||["",""])[1].toLowerCase()])){e=e.replace(vt,"<$1></$2>");try{for(;i>r;r++)n=this[r]||{},1===n.nodeType&&(x.cleanData(Ft(n,!1)),n.innerHTML=e);n=0}catch(o){}}n&&this.empty().append(e)},null,e,arguments.length)},replaceWith:function(){var e=x.map(this,function(e){return[e.nextSibling,e.parentNode]}),t=0;return this.domManip(arguments,function(n){var r=e[t++],i=e[t++];i&&(r&&r.parentNode!==i&&(r=this.nextSibling),x(this).remove(),i.insertBefore(n,r))},!0),t?this:this.remove()},detach:function(e){return this.remove(e,!0)},domManip:function(e,t,n){e=d.apply([],e);var r,i,o,a,s,l,u=0,c=this.length,p=this,f=c-1,h=e[0],g=x.isFunction(h);if(g||!(1>=c||"string"!=typeof h||x.support.checkClone)&&Nt.test(h))return this.each(function(r){var i=p.eq(r);g&&(e[0]=h.call(this,r,i.html())),i.domManip(e,t,n)});if(c&&(l=x.buildFragment(e,this[0].ownerDocument,!1,!n&&this),r=l.firstChild,1===l.childNodes.length&&(l=r),r)){for(a=x.map(Ft(l,"script"),Ht),o=a.length;c>u;u++)i=l,u!==f&&(i=x.clone(i,!0,!0),o&&x.merge(a,Ft(i,"script"))),t.call(this[u],i,u);if(o)for(s=a[a.length-1].ownerDocument,x.map(a,qt),u=0;o>u;u++)i=a[u],kt.test(i.type||"")&&!x._data(i,"globalEval")&&x.contains(s,i)&&(i.src?x._evalUrl(i.src):x.globalEval((i.text||i.textContent||i.innerHTML||"").replace(St,"")));l=r=null}return this}});function Lt(e,t){return x.nodeName(e,"table")&&x.nodeName(1===t.nodeType?t:t.firstChild,"tr")?e.getElementsByTagName("tbody")[0]||e.appendChild(e.ownerDocument.createElement("tbody")):e}function Ht(e){return e.type=(null!==x.find.attr(e,"type"))+"/"+e.type,e}function qt(e){var t=Et.exec(e.type);return t?e.type=t[1]:e.removeAttribute("type"),e}function _t(e,t){var n,r=0;for(;null!=(n=e[r]);r++)x._data(n,"globalEval",!t||x._data(t[r],"globalEval"))}function Mt(e,t){if(1===t.nodeType&&x.hasData(e)){var n,r,i,o=x._data(e),a=x._data(t,o),s=o.events;if(s){delete a.handle,a.events={};for(n in s)for(r=0,i=s[n].length;i>r;r++)x.event.add(t,n,s[n][r])}a.data&&(a.data=x.extend({},a.data))}}function Ot(e,t){var n,r,i;if(1===t.nodeType){if(n=t.nodeName.toLowerCase(),!x.support.noCloneEvent&&t[x.expando]){i=x._data(t);for(r in i.events)x.removeEvent(t,r,i.handle);t.removeAttribute(x.expando)}"script"===n&&t.text!==e.text?(Ht(t).text=e.text,qt(t)):"object"===n?(t.parentNode&&(t.outerHTML=e.outerHTML),x.support.html5Clone&&e.innerHTML&&!x.trim(t.innerHTML)&&(t.innerHTML=e.innerHTML)):"input"===n&&Ct.test(e.type)?(t.defaultChecked=t.checked=e.checked,t.value!==e.value&&(t.value=e.value)):"option"===n?t.defaultSelected=t.selected=e.defaultSelected:("input"===n||"textarea"===n)&&(t.defaultValue=e.defaultValue)}}x.each({appendTo:"append",prependTo:"prepend",insertBefore:"before",insertAfter:"after",replaceAll:"replaceWith"},function(e,t){x.fn[e]=function(e){var n,r=0,i=[],o=x(e),a=o.length-1;for(;a>=r;r++)n=r===a?this:this.clone(!0),x(o[r])[t](n),h.apply(i,n.get());return this.pushStack(i)}});function Ft(e,n){var r,o,a=0,s=typeof e.getElementsByTagName!==i?e.getElementsByTagName(n||"*"):typeof e.querySelectorAll!==i?e.querySelectorAll(n||"*"):t;if(!s)for(s=[],r=e.childNodes||e;null!=(o=r[a]);a++)!n||x.nodeName(o,n)?s.push(o):x.merge(s,Ft(o,n));return n===t||n&&x.nodeName(e,n)?x.merge([e],s):s}function Bt(e){Ct.test(e.type)&&(e.defaultChecked=e.checked)}x.extend({clone:function(e,t,n){var r,i,o,a,s,l=x.contains(e.ownerDocument,e);if(x.support.html5Clone||x.isXMLDoc(e)||!mt.test("<"+e.nodeName+">")?o=e.cloneNode(!0):(Dt.innerHTML=e.outerHTML,Dt.removeChild(o=Dt.firstChild)),!(x.support.noCloneEvent&&x.support.noCloneChecked||1!==e.nodeType&&11!==e.nodeType||x.isXMLDoc(e)))for(r=Ft(o),s=Ft(e),a=0;null!=(i=s[a]);++a)r[a]&&Ot(i,r[a]);if(t)if(n)for(s=s||Ft(e),r=r||Ft(o),a=0;null!=(i=s[a]);a++)Mt(i,r[a]);else Mt(e,o);return r=Ft(o,"script"),r.length>0&&_t(r,!l&&Ft(e,"script")),r=s=i=null,o},buildFragment:function(e,t,n,r){var i,o,a,s,l,u,c,p=e.length,f=dt(t),d=[],h=0;for(;p>h;h++)if(o=e[h],o||0===o)if("object"===x.type(o))x.merge(d,o.nodeType?[o]:o);else if(wt.test(o)){s=s||f.appendChild(t.createElement("div")),l=(bt.exec(o)||["",""])[1].toLowerCase(),c=At[l]||At._default,s.innerHTML=c[1]+o.replace(vt,"<$1></$2>")+c[2],i=c[0];while(i--)s=s.lastChild;if(!x.support.leadingWhitespace&&yt.test(o)&&d.push(t.createTextNode(yt.exec(o)[0])),!x.support.tbody){o="table"!==l||xt.test(o)?"<table>"!==c[1]||xt.test(o)?0:s:s.firstChild,i=o&&o.childNodes.length;while(i--)x.nodeName(u=o.childNodes[i],"tbody")&&!u.childNodes.length&&o.removeChild(u)}x.merge(d,s.childNodes),s.textContent="";while(s.firstChild)s.removeChild(s.firstChild);s=f.lastChild}else d.push(t.createTextNode(o));s&&f.removeChild(s),x.support.appendChecked||x.grep(Ft(d,"input"),Bt),h=0;while(o=d[h++])if((!r||-1===x.inArray(o,r))&&(a=x.contains(o.ownerDocument,o),s=Ft(f.appendChild(o),"script"),a&&_t(s),n)){i=0;while(o=s[i++])kt.test(o.type||"")&&n.push(o)}return s=null,f},cleanData:function(e,t){var n,r,o,a,s=0,l=x.expando,u=x.cache,c=x.support.deleteExpando,f=x.event.special;for(;null!=(n=e[s]);s++)if((t||x.acceptData(n))&&(o=n[l],a=o&&u[o])){if(a.events)for(r in a.events)f[r]?x.event.remove(n,r):x.removeEvent(n,r,a.handle); u[o]&&(delete u[o],c?delete n[l]:typeof n.removeAttribute!==i?n.removeAttribute(l):n[l]=null,p.push(o))}},_evalUrl:function(e){return x.ajax({url:e,type:"GET",dataType:"script",async:!1,global:!1,"throws":!0})}}),x.fn.extend({wrapAll:function(e){if(x.isFunction(e))return this.each(function(t){x(this).wrapAll(e.call(this,t))});if(this[0]){var t=x(e,this[0].ownerDocument).eq(0).clone(!0);this[0].parentNode&&t.insertBefore(this[0]),t.map(function(){var e=this;while(e.firstChild&&1===e.firstChild.nodeType)e=e.firstChild;return e}).append(this)}return this},wrapInner:function(e){return x.isFunction(e)?this.each(function(t){x(this).wrapInner(e.call(this,t))}):this.each(function(){var t=x(this),n=t.contents();n.length?n.wrapAll(e):t.append(e)})},wrap:function(e){var t=x.isFunction(e);return this.each(function(n){x(this).wrapAll(t?e.call(this,n):e)})},unwrap:function(){return this.parent().each(function(){x.nodeName(this,"body")||x(this).replaceWith(this.childNodes)}).end()}});var Pt,Rt,Wt,$t=/alpha\([^)]*\)/i,It=/opacity\s*=\s*([^)]*)/,zt=/^(top|right|bottom|left)$/,Xt=/^(none|table(?!-c[ea]).+)/,Ut=/^margin/,Vt=RegExp("^("+w+")(.*)$","i"),Yt=RegExp("^("+w+")(?!px)[a-z%]+$","i"),Jt=RegExp("^([+-])=("+w+")","i"),Gt={BODY:"block"},Qt={position:"absolute",visibility:"hidden",display:"block"},Kt={letterSpacing:0,fontWeight:400},Zt=["Top","Right","Bottom","Left"],en=["Webkit","O","Moz","ms"];function tn(e,t){if(t in e)return t;var n=t.charAt(0).toUpperCase()+t.slice(1),r=t,i=en.length;while(i--)if(t=en[i]+n,t in e)return t;return r}function nn(e,t){return e=t||e,"none"===x.css(e,"display")||!x.contains(e.ownerDocument,e)}function rn(e,t){var n,r,i,o=[],a=0,s=e.length;for(;s>a;a++)r=e[a],r.style&&(o[a]=x._data(r,"olddisplay"),n=r.style.display,t?(o[a]||"none"!==n||(r.style.display=""),""===r.style.display&&nn(r)&&(o[a]=x._data(r,"olddisplay",ln(r.nodeName)))):o[a]||(i=nn(r),(n&&"none"!==n||!i)&&x._data(r,"olddisplay",i?n:x.css(r,"display"))));for(a=0;s>a;a++)r=e[a],r.style&&(t&&"none"!==r.style.display&&""!==r.style.display||(r.style.display=t?o[a]||"":"none"));return e}x.fn.extend({css:function(e,n){return x.access(this,function(e,n,r){var i,o,a={},s=0;if(x.isArray(n)){for(o=Rt(e),i=n.length;i>s;s++)a[n[s]]=x.css(e,n[s],!1,o);return a}return r!==t?x.style(e,n,r):x.css(e,n)},e,n,arguments.length>1)},show:function(){return rn(this,!0)},hide:function(){return rn(this)},toggle:function(e){return"boolean"==typeof e?e?this.show():this.hide():this.each(function(){nn(this)?x(this).show():x(this).hide()})}}),x.extend({cssHooks:{opacity:{get:function(e,t){if(t){var n=Wt(e,"opacity");return""===n?"1":n}}}},cssNumber:{columnCount:!0,fillOpacity:!0,fontWeight:!0,lineHeight:!0,opacity:!0,order:!0,orphans:!0,widows:!0,zIndex:!0,zoom:!0},cssProps:{"float":x.support.cssFloat?"cssFloat":"styleFloat"},style:function(e,n,r,i){if(e&&3!==e.nodeType&&8!==e.nodeType&&e.style){var o,a,s,l=x.camelCase(n),u=e.style;if(n=x.cssProps[l]||(x.cssProps[l]=tn(u,l)),s=x.cssHooks[n]||x.cssHooks[l],r===t)return s&&"get"in s&&(o=s.get(e,!1,i))!==t?o:u[n];if(a=typeof r,"string"===a&&(o=Jt.exec(r))&&(r=(o[1]+1)*o[2]+parseFloat(x.css(e,n)),a="number"),!(null==r||"number"===a&&isNaN(r)||("number"!==a||x.cssNumber[l]||(r+="px"),x.support.clearCloneStyle||""!==r||0!==n.indexOf("background")||(u[n]="inherit"),s&&"set"in s&&(r=s.set(e,r,i))===t)))try{u[n]=r}catch(c){}}},css:function(e,n,r,i){var o,a,s,l=x.camelCase(n);return n=x.cssProps[l]||(x.cssProps[l]=tn(e.style,l)),s=x.cssHooks[n]||x.cssHooks[l],s&&"get"in s&&(a=s.get(e,!0,r)),a===t&&(a=Wt(e,n,i)),"normal"===a&&n in Kt&&(a=Kt[n]),""===r||r?(o=parseFloat(a),r===!0||x.isNumeric(o)?o||0:a):a}}),e.getComputedStyle?(Rt=function(t){return e.getComputedStyle(t,null)},Wt=function(e,n,r){var i,o,a,s=r||Rt(e),l=s?s.getPropertyValue(n)||s[n]:t,u=e.style;return s&&(""!==l||x.contains(e.ownerDocument,e)||(l=x.style(e,n)),Yt.test(l)&&Ut.test(n)&&(i=u.width,o=u.minWidth,a=u.maxWidth,u.minWidth=u.maxWidth=u.width=l,l=s.width,u.width=i,u.minWidth=o,u.maxWidth=a)),l}):a.documentElement.currentStyle&&(Rt=function(e){return e.currentStyle},Wt=function(e,n,r){var i,o,a,s=r||Rt(e),l=s?s[n]:t,u=e.style;return null==l&&u&&u[n]&&(l=u[n]),Yt.test(l)&&!zt.test(n)&&(i=u.left,o=e.runtimeStyle,a=o&&o.left,a&&(o.left=e.currentStyle.left),u.left="fontSize"===n?"1em":l,l=u.pixelLeft+"px",u.left=i,a&&(o.left=a)),""===l?"auto":l});function on(e,t,n){var r=Vt.exec(t);return r?Math.max(0,r[1]-(n||0))+(r[2]||"px"):t}function an(e,t,n,r,i){var o=n===(r?"border":"content")?4:"width"===t?1:0,a=0;for(;4>o;o+=2)"margin"===n&&(a+=x.css(e,n+Zt[o],!0,i)),r?("content"===n&&(a-=x.css(e,"padding"+Zt[o],!0,i)),"margin"!==n&&(a-=x.css(e,"border"+Zt[o]+"Width",!0,i))):(a+=x.css(e,"padding"+Zt[o],!0,i),"padding"!==n&&(a+=x.css(e,"border"+Zt[o]+"Width",!0,i)));return a}function sn(e,t,n){var r=!0,i="width"===t?e.offsetWidth:e.offsetHeight,o=Rt(e),a=x.support.boxSizing&&"border-box"===x.css(e,"boxSizing",!1,o);if(0>=i||null==i){if(i=Wt(e,t,o),(0>i||null==i)&&(i=e.style[t]),Yt.test(i))return i;r=a&&(x.support.boxSizingReliable||i===e.style[t]),i=parseFloat(i)||0}return i+an(e,t,n||(a?"border":"content"),r,o)+"px"}function ln(e){var t=a,n=Gt[e];return n||(n=un(e,t),"none"!==n&&n||(Pt=(Pt||x("<iframe frameborder='0' width='0' height='0'/>").css("cssText","display:block !important")).appendTo(t.documentElement),t=(Pt[0].contentWindow||Pt[0].contentDocument).document,t.write("<!doctype html><html><body>"),t.close(),n=un(e,t),Pt.detach()),Gt[e]=n),n}function un(e,t){var n=x(t.createElement(e)).appendTo(t.body),r=x.css(n[0],"display");return n.remove(),r}x.each(["height","width"],function(e,n){x.cssHooks[n]={get:function(e,r,i){return r?0===e.offsetWidth&&Xt.test(x.css(e,"display"))?x.swap(e,Qt,function(){return sn(e,n,i)}):sn(e,n,i):t},set:function(e,t,r){var i=r&&Rt(e);return on(e,t,r?an(e,n,r,x.support.boxSizing&&"border-box"===x.css(e,"boxSizing",!1,i),i):0)}}}),x.support.opacity||(x.cssHooks.opacity={get:function(e,t){return It.test((t&&e.currentStyle?e.currentStyle.filter:e.style.filter)||"")?.01*parseFloat(RegExp.$1)+"":t?"1":""},set:function(e,t){var n=e.style,r=e.currentStyle,i=x.isNumeric(t)?"alpha(opacity="+100*t+")":"",o=r&&r.filter||n.filter||"";n.zoom=1,(t>=1||""===t)&&""===x.trim(o.replace($t,""))&&n.removeAttribute&&(n.removeAttribute("filter"),""===t||r&&!r.filter)||(n.filter=$t.test(o)?o.replace($t,i):o+" "+i)}}),x(function(){x.support.reliableMarginRight||(x.cssHooks.marginRight={get:function(e,n){return n?x.swap(e,{display:"inline-block"},Wt,[e,"marginRight"]):t}}),!x.support.pixelPosition&&x.fn.position&&x.each(["top","left"],function(e,n){x.cssHooks[n]={get:function(e,r){return r?(r=Wt(e,n),Yt.test(r)?x(e).position()[n]+"px":r):t}}})}),x.expr&&x.expr.filters&&(x.expr.filters.hidden=function(e){return 0>=e.offsetWidth&&0>=e.offsetHeight||!x.support.reliableHiddenOffsets&&"none"===(e.style&&e.style.display||x.css(e,"display"))},x.expr.filters.visible=function(e){return!x.expr.filters.hidden(e)}),x.each({margin:"",padding:"",border:"Width"},function(e,t){x.cssHooks[e+t]={expand:function(n){var r=0,i={},o="string"==typeof n?n.split(" "):[n];for(;4>r;r++)i[e+Zt[r]+t]=o[r]||o[r-2]||o[0];return i}},Ut.test(e)||(x.cssHooks[e+t].set=on)});var cn=/%20/g,pn=/\[\]$/,fn=/\r?\n/g,dn=/^(?:submit|button|image|reset|file)$/i,hn=/^(?:input|select|textarea|keygen)/i;x.fn.extend({serialize:function(){return x.param(this.serializeArray())},serializeArray:function(){return this.map(function(){var e=x.prop(this,"elements");return e?x.makeArray(e):this}).filter(function(){var e=this.type;return this.name&&!x(this).is(":disabled")&&hn.test(this.nodeName)&&!dn.test(e)&&(this.checked||!Ct.test(e))}).map(function(e,t){var n=x(this).val();return null==n?null:x.isArray(n)?x.map(n,function(e){return{name:t.name,value:e.replace(fn,"\r\n")}}):{name:t.name,value:n.replace(fn,"\r\n")}}).get()}}),x.param=function(e,n){var r,i=[],o=function(e,t){t=x.isFunction(t)?t():null==t?"":t,i[i.length]=encodeURIComponent(e)+"="+encodeURIComponent(t)};if(n===t&&(n=x.ajaxSettings&&x.ajaxSettings.traditional),x.isArray(e)||e.jquery&&!x.isPlainObject(e))x.each(e,function(){o(this.name,this.value)});else for(r in e)gn(r,e[r],n,o);return i.join("&").replace(cn,"+")};function gn(e,t,n,r){var i;if(x.isArray(t))x.each(t,function(t,i){n||pn.test(e)?r(e,i):gn(e+"["+("object"==typeof i?t:"")+"]",i,n,r)});else if(n||"object"!==x.type(t))r(e,t);else for(i in t)gn(e+"["+i+"]",t[i],n,r)}x.each("blur focus focusin focusout load resize scroll unload click dblclick mousedown mouseup mousemove mouseover mouseout mouseenter mouseleave change select submit keydown keypress keyup error contextmenu".split(" "),function(e,t){x.fn[t]=function(e,n){return arguments.length>0?this.on(t,null,e,n):this.trigger(t)}}),x.fn.extend({hover:function(e,t){return this.mouseenter(e).mouseleave(t||e)},bind:function(e,t,n){return this.on(e,null,t,n)},unbind:function(e,t){return this.off(e,null,t)},delegate:function(e,t,n,r){return this.on(t,e,n,r)},undelegate:function(e,t,n){return 1===arguments.length?this.off(e,"**"):this.off(t,e||"**",n)}});var mn,yn,vn=x.now(),bn=/\?/,xn=/#.*$/,wn=/([?&])_=[^&]*/,Tn=/^(.*?):[ \t]*([^\r\n]*)\r?$/gm,Cn=/^(?:about|app|app-storage|.+-extension|file|res|widget):$/,Nn=/^(?:GET|HEAD)$/,kn=/^\/\//,En=/^([\w.+-]+:)(?:\/\/([^\/?#:]*)(?::(\d+)|)|)/,Sn=x.fn.load,An={},jn={},Dn="*/".concat("*");try{yn=o.href}catch(Ln){yn=a.createElement("a"),yn.href="",yn=yn.href}mn=En.exec(yn.toLowerCase())||[];function Hn(e){return function(t,n){"string"!=typeof t&&(n=t,t="*");var r,i=0,o=t.toLowerCase().match(T)||[];if(x.isFunction(n))while(r=o[i++])"+"===r[0]?(r=r.slice(1)||"*",(e[r]=e[r]||[]).unshift(n)):(e[r]=e[r]||[]).push(n)}}function qn(e,n,r,i){var o={},a=e===jn;function s(l){var u;return o[l]=!0,x.each(e[l]||[],function(e,l){var c=l(n,r,i);return"string"!=typeof c||a||o[c]?a?!(u=c):t:(n.dataTypes.unshift(c),s(c),!1)}),u}return s(n.dataTypes[0])||!o["*"]&&s("*")}function _n(e,n){var r,i,o=x.ajaxSettings.flatOptions||{};for(i in n)n[i]!==t&&((o[i]?e:r||(r={}))[i]=n[i]);return r&&x.extend(!0,e,r),e}x.fn.load=function(e,n,r){if("string"!=typeof e&&Sn)return Sn.apply(this,arguments);var i,o,a,s=this,l=e.indexOf(" ");return l>=0&&(i=e.slice(l,e.length),e=e.slice(0,l)),x.isFunction(n)?(r=n,n=t):n&&"object"==typeof n&&(a="POST"),s.length>0&&x.ajax({url:e,type:a,dataType:"html",data:n}).done(function(e){o=arguments,s.html(i?x("<div>").append(x.parseHTML(e)).find(i):e)}).complete(r&&function(e,t){s.each(r,o||[e.responseText,t,e])}),this},x.each(["ajaxStart","ajaxStop","ajaxComplete","ajaxError","ajaxSuccess","ajaxSend"],function(e,t){x.fn[t]=function(e){return this.on(t,e)}}),x.extend({active:0,lastModified:{},etag:{},ajaxSettings:{url:yn,type:"GET",isLocal:Cn.test(mn[1]),global:!0,processData:!0,async:!0,contentType:"application/x-www-form-urlencoded; charset=UTF-8",accepts:{"*":Dn,text:"text/plain",html:"text/html",xml:"application/xml, text/xml",json:"application/json, text/javascript"},contents:{xml:/xml/,html:/html/,json:/json/},responseFields:{xml:"responseXML",text:"responseText",json:"responseJSON"},converters:{"* text":String,"text html":!0,"text json":x.parseJSON,"text xml":x.parseXML},flatOptions:{url:!0,context:!0}},ajaxSetup:function(e,t){return t?_n(_n(e,x.ajaxSettings),t):_n(x.ajaxSettings,e)},ajaxPrefilter:Hn(An),ajaxTransport:Hn(jn),ajax:function(e,n){"object"==typeof e&&(n=e,e=t),n=n||{};var r,i,o,a,s,l,u,c,p=x.ajaxSetup({},n),f=p.context||p,d=p.context&&(f.nodeType||f.jquery)?x(f):x.event,h=x.Deferred(),g=x.Callbacks("once memory"),m=p.statusCode||{},y={},v={},b=0,w="canceled",C={readyState:0,getResponseHeader:function(e){var t;if(2===b){if(!c){c={};while(t=Tn.exec(a))c[t[1].toLowerCase()]=t[2]}t=c[e.toLowerCase()]}return null==t?null:t},getAllResponseHeaders:function(){return 2===b?a:null},setRequestHeader:function(e,t){var n=e.toLowerCase();return b||(e=v[n]=v[n]||e,y[e]=t),this},overrideMimeType:function(e){return b||(p.mimeType=e),this},statusCode:function(e){var t;if(e)if(2>b)for(t in e)m[t]=[m[t],e[t]];else C.always(e[C.status]);return this},abort:function(e){var t=e||w;return u&&u.abort(t),k(0,t),this}};if(h.promise(C).complete=g.add,C.success=C.done,C.error=C.fail,p.url=((e||p.url||yn)+"").replace(xn,"").replace(kn,mn[1]+"//"),p.type=n.method||n.type||p.method||p.type,p.dataTypes=x.trim(p.dataType||"*").toLowerCase().match(T)||[""],null==p.crossDomain&&(r=En.exec(p.url.toLowerCase()),p.crossDomain=!(!r||r[1]===mn[1]&&r[2]===mn[2]&&(r[3]||("http:"===r[1]?"80":"443"))===(mn[3]||("http:"===mn[1]?"80":"443")))),p.data&&p.processData&&"string"!=typeof p.data&&(p.data=x.param(p.data,p.traditional)),qn(An,p,n,C),2===b)return C;l=p.global,l&&0===x.active++&&x.event.trigger("ajaxStart"),p.type=p.type.toUpperCase(),p.hasContent=!Nn.test(p.type),o=p.url,p.hasContent||(p.data&&(o=p.url+=(bn.test(o)?"&":"?")+p.data,delete p.data),p.cache===!1&&(p.url=wn.test(o)?o.replace(wn,"$1_="+vn++):o+(bn.test(o)?"&":"?")+"_="+vn++)),p.ifModified&&(x.lastModified[o]&&C.setRequestHeader("If-Modified-Since",x.lastModified[o]),x.etag[o]&&C.setRequestHeader("If-None-Match",x.etag[o])),(p.data&&p.hasContent&&p.contentType!==!1||n.contentType)&&C.setRequestHeader("Content-Type",p.contentType),C.setRequestHeader("Accept",p.dataTypes[0]&&p.accepts[p.dataTypes[0]]?p.accepts[p.dataTypes[0]]+("*"!==p.dataTypes[0]?", "+Dn+"; q=0.01":""):p.accepts["*"]);for(i in p.headers)C.setRequestHeader(i,p.headers[i]);if(p.beforeSend&&(p.beforeSend.call(f,C,p)===!1||2===b))return C.abort();w="abort";for(i in{success:1,error:1,complete:1})C[i](p[i]);if(u=qn(jn,p,n,C)){C.readyState=1,l&&d.trigger("ajaxSend",[C,p]),p.async&&p.timeout>0&&(s=setTimeout(function(){C.abort("timeout")},p.timeout));try{b=1,u.send(y,k)}catch(N){if(!(2>b))throw N;k(-1,N)}}else k(-1,"No Transport");function k(e,n,r,i){var c,y,v,w,T,N=n;2!==b&&(b=2,s&&clearTimeout(s),u=t,a=i||"",C.readyState=e>0?4:0,c=e>=200&&300>e||304===e,r&&(w=Mn(p,C,r)),w=On(p,w,C,c),c?(p.ifModified&&(T=C.getResponseHeader("Last-Modified"),T&&(x.lastModified[o]=T),T=C.getResponseHeader("etag"),T&&(x.etag[o]=T)),204===e||"HEAD"===p.type?N="nocontent":304===e?N="notmodified":(N=w.state,y=w.data,v=w.error,c=!v)):(v=N,(e||!N)&&(N="error",0>e&&(e=0))),C.status=e,C.statusText=(n||N)+"",c?h.resolveWith(f,[y,N,C]):h.rejectWith(f,[C,N,v]),C.statusCode(m),m=t,l&&d.trigger(c?"ajaxSuccess":"ajaxError",[C,p,c?y:v]),g.fireWith(f,[C,N]),l&&(d.trigger("ajaxComplete",[C,p]),--x.active||x.event.trigger("ajaxStop")))}return C},getJSON:function(e,t,n){return x.get(e,t,n,"json")},getScript:function(e,n){return x.get(e,t,n,"script")}}),x.each(["get","post"],function(e,n){x[n]=function(e,r,i,o){return x.isFunction(r)&&(o=o||i,i=r,r=t),x.ajax({url:e,type:n,dataType:o,data:r,success:i})}});function Mn(e,n,r){var i,o,a,s,l=e.contents,u=e.dataTypes;while("*"===u[0])u.shift(),o===t&&(o=e.mimeType||n.getResponseHeader("Content-Type"));if(o)for(s in l)if(l[s]&&l[s].test(o)){u.unshift(s);break}if(u[0]in r)a=u[0];else{for(s in r){if(!u[0]||e.converters[s+" "+u[0]]){a=s;break}i||(i=s)}a=a||i}return a?(a!==u[0]&&u.unshift(a),r[a]):t}function On(e,t,n,r){var i,o,a,s,l,u={},c=e.dataTypes.slice();if(c[1])for(a in e.converters)u[a.toLowerCase()]=e.converters[a];o=c.shift();while(o)if(e.responseFields[o]&&(n[e.responseFields[o]]=t),!l&&r&&e.dataFilter&&(t=e.dataFilter(t,e.dataType)),l=o,o=c.shift())if("*"===o)o=l;else if("*"!==l&&l!==o){if(a=u[l+" "+o]||u["* "+o],!a)for(i in u)if(s=i.split(" "),s[1]===o&&(a=u[l+" "+s[0]]||u["* "+s[0]])){a===!0?a=u[i]:u[i]!==!0&&(o=s[0],c.unshift(s[1]));break}if(a!==!0)if(a&&e["throws"])t=a(t);else try{t=a(t)}catch(p){return{state:"parsererror",error:a?p:"No conversion from "+l+" to "+o}}}return{state:"success",data:t}}x.ajaxSetup({accepts:{script:"text/javascript, application/javascript, application/ecmascript, application/x-ecmascript"},contents:{script:/(?:java|ecma)script/},converters:{"text script":function(e){return x.globalEval(e),e}}}),x.ajaxPrefilter("script",function(e){e.cache===t&&(e.cache=!1),e.crossDomain&&(e.type="GET",e.global=!1)}),x.ajaxTransport("script",function(e){if(e.crossDomain){var n,r=a.head||x("head")[0]||a.documentElement;return{send:function(t,i){n=a.createElement("script"),n.async=!0,e.scriptCharset&&(n.charset=e.scriptCharset),n.src=e.url,n.onload=n.onreadystatechange=function(e,t){(t||!n.readyState||/loaded|complete/.test(n.readyState))&&(n.onload=n.onreadystatechange=null,n.parentNode&&n.parentNode.removeChild(n),n=null,t||i(200,"success"))},r.insertBefore(n,r.firstChild)},abort:function(){n&&n.onload(t,!0)}}}});var Fn=[],Bn=/(=)\?(?=&|$)|\?\?/;x.ajaxSetup({jsonp:"callback",jsonpCallback:function(){var e=Fn.pop()||x.expando+"_"+vn++;return this[e]=!0,e}}),x.ajaxPrefilter("json jsonp",function(n,r,i){var o,a,s,l=n.jsonp!==!1&&(Bn.test(n.url)?"url":"string"==typeof n.data&&!(n.contentType||"").indexOf("application/x-www-form-urlencoded")&&Bn.test(n.data)&&"data");return l||"jsonp"===n.dataTypes[0]?(o=n.jsonpCallback=x.isFunction(n.jsonpCallback)?n.jsonpCallback():n.jsonpCallback,l?n[l]=n[l].replace(Bn,"$1"+o):n.jsonp!==!1&&(n.url+=(bn.test(n.url)?"&":"?")+n.jsonp+"="+o),n.converters["script json"]=function(){return s||x.error(o+" was not called"),s[0]},n.dataTypes[0]="json",a=e[o],e[o]=function(){s=arguments},i.always(function(){e[o]=a,n[o]&&(n.jsonpCallback=r.jsonpCallback,Fn.push(o)),s&&x.isFunction(a)&&a(s[0]),s=a=t}),"script"):t});var Pn,Rn,Wn=0,$n=e.ActiveXObject&&function(){var e;for(e in Pn)Pn[e](t,!0)};function In(){try{return new e.XMLHttpRequest}catch(t){}}function zn(){try{return new e.ActiveXObject("Microsoft.XMLHTTP")}catch(t){}}x.ajaxSettings.xhr=e.ActiveXObject?function(){return!this.isLocal&&In()||zn()}:In,Rn=x.ajaxSettings.xhr(),x.support.cors=!!Rn&&"withCredentials"in Rn,Rn=x.support.ajax=!!Rn,Rn&&x.ajaxTransport(function(n){if(!n.crossDomain||x.support.cors){var r;return{send:function(i,o){var a,s,l=n.xhr();if(n.username?l.open(n.type,n.url,n.async,n.username,n.password):l.open(n.type,n.url,n.async),n.xhrFields)for(s in n.xhrFields)l[s]=n.xhrFields[s];n.mimeType&&l.overrideMimeType&&l.overrideMimeType(n.mimeType),n.crossDomain||i["X-Requested-With"]||(i["X-Requested-With"]="XMLHttpRequest");try{for(s in i)l.setRequestHeader(s,i[s])}catch(u){}l.send(n.hasContent&&n.data||null),r=function(e,i){var s,u,c,p;try{if(r&&(i||4===l.readyState))if(r=t,a&&(l.onreadystatechange=x.noop,$n&&delete Pn[a]),i)4!==l.readyState&&l.abort();else{p={},s=l.status,u=l.getAllResponseHeaders(),"string"==typeof l.responseText&&(p.text=l.responseText);try{c=l.statusText}catch(f){c=""}s||!n.isLocal||n.crossDomain?1223===s&&(s=204):s=p.text?200:404}}catch(d){i||o(-1,d)}p&&o(s,c,p,u)},n.async?4===l.readyState?setTimeout(r):(a=++Wn,$n&&(Pn||(Pn={},x(e).unload($n)),Pn[a]=r),l.onreadystatechange=r):r()},abort:function(){r&&r(t,!0)}}}});var Xn,Un,Vn=/^(?:toggle|show|hide)$/,Yn=RegExp("^(?:([+-])=|)("+w+")([a-z%]*)$","i"),Jn=/queueHooks$/,Gn=[nr],Qn={"*":[function(e,t){var n=this.createTween(e,t),r=n.cur(),i=Yn.exec(t),o=i&&i[3]||(x.cssNumber[e]?"":"px"),a=(x.cssNumber[e]||"px"!==o&&+r)&&Yn.exec(x.css(n.elem,e)),s=1,l=20;if(a&&a[3]!==o){o=o||a[3],i=i||[],a=+r||1;do s=s||".5",a/=s,x.style(n.elem,e,a+o);while(s!==(s=n.cur()/r)&&1!==s&&--l)}return i&&(a=n.start=+a||+r||0,n.unit=o,n.end=i[1]?a+(i[1]+1)*i[2]:+i[2]),n}]};function Kn(){return setTimeout(function(){Xn=t}),Xn=x.now()}function Zn(e,t,n){var r,i=(Qn[t]||[]).concat(Qn["*"]),o=0,a=i.length;for(;a>o;o++)if(r=i[o].call(n,t,e))return r}function er(e,t,n){var r,i,o=0,a=Gn.length,s=x.Deferred().always(function(){delete l.elem}),l=function(){if(i)return!1;var t=Xn||Kn(),n=Math.max(0,u.startTime+u.duration-t),r=n/u.duration||0,o=1-r,a=0,l=u.tweens.length;for(;l>a;a++)u.tweens[a].run(o);return s.notifyWith(e,[u,o,n]),1>o&&l?n:(s.resolveWith(e,[u]),!1)},u=s.promise({elem:e,props:x.extend({},t),opts:x.extend(!0,{specialEasing:{}},n),originalProperties:t,originalOptions:n,startTime:Xn||Kn(),duration:n.duration,tweens:[],createTween:function(t,n){var r=x.Tween(e,u.opts,t,n,u.opts.specialEasing[t]||u.opts.easing);return u.tweens.push(r),r},stop:function(t){var n=0,r=t?u.tweens.length:0;if(i)return this;for(i=!0;r>n;n++)u.tweens[n].run(1);return t?s.resolveWith(e,[u,t]):s.rejectWith(e,[u,t]),this}}),c=u.props;for(tr(c,u.opts.specialEasing);a>o;o++)if(r=Gn[o].call(u,e,c,u.opts))return r;return x.map(c,Zn,u),x.isFunction(u.opts.start)&&u.opts.start.call(e,u),x.fx.timer(x.extend(l,{elem:e,anim:u,queue:u.opts.queue})),u.progress(u.opts.progress).done(u.opts.done,u.opts.complete).fail(u.opts.fail).always(u.opts.always)}function tr(e,t){var n,r,i,o,a;for(n in e)if(r=x.camelCase(n),i=t[r],o=e[n],x.isArray(o)&&(i=o[1],o=e[n]=o[0]),n!==r&&(e[r]=o,delete e[n]),a=x.cssHooks[r],a&&"expand"in a){o=a.expand(o),delete e[r];for(n in o)n in e||(e[n]=o[n],t[n]=i)}else t[r]=i}x.Animation=x.extend(er,{tweener:function(e,t){x.isFunction(e)?(t=e,e=["*"]):e=e.split(" ");var n,r=0,i=e.length;for(;i>r;r++)n=e[r],Qn[n]=Qn[n]||[],Qn[n].unshift(t)},prefilter:function(e,t){t?Gn.unshift(e):Gn.push(e)}});function nr(e,t,n){var r,i,o,a,s,l,u=this,c={},p=e.style,f=e.nodeType&&nn(e),d=x._data(e,"fxshow");n.queue||(s=x._queueHooks(e,"fx"),null==s.unqueued&&(s.unqueued=0,l=s.empty.fire,s.empty.fire=function(){s.unqueued||l()}),s.unqueued++,u.always(function(){u.always(function(){s.unqueued--,x.queue(e,"fx").length||s.empty.fire()})})),1===e.nodeType&&("height"in t||"width"in t)&&(n.overflow=[p.overflow,p.overflowX,p.overflowY],"inline"===x.css(e,"display")&&"none"===x.css(e,"float")&&(x.support.inlineBlockNeedsLayout&&"inline"!==ln(e.nodeName)?p.zoom=1:p.display="inline-block")),n.overflow&&(p.overflow="hidden",x.support.shrinkWrapBlocks||u.always(function(){p.overflow=n.overflow[0],p.overflowX=n.overflow[1],p.overflowY=n.overflow[2]}));for(r in t)if(i=t[r],Vn.exec(i)){if(delete t[r],o=o||"toggle"===i,i===(f?"hide":"show"))continue;c[r]=d&&d[r]||x.style(e,r)}if(!x.isEmptyObject(c)){d?"hidden"in d&&(f=d.hidden):d=x._data(e,"fxshow",{}),o&&(d.hidden=!f),f?x(e).show():u.done(function(){x(e).hide()}),u.done(function(){var t;x._removeData(e,"fxshow");for(t in c)x.style(e,t,c[t])});for(r in c)a=Zn(f?d[r]:0,r,u),r in d||(d[r]=a.start,f&&(a.end=a.start,a.start="width"===r||"height"===r?1:0))}}function rr(e,t,n,r,i){return new rr.prototype.init(e,t,n,r,i)}x.Tween=rr,rr.prototype={constructor:rr,init:function(e,t,n,r,i,o){this.elem=e,this.prop=n,this.easing=i||"swing",this.options=t,this.start=this.now=this.cur(),this.end=r,this.unit=o||(x.cssNumber[n]?"":"px")},cur:function(){var e=rr.propHooks[this.prop];return e&&e.get?e.get(this):rr.propHooks._default.get(this)},run:function(e){var t,n=rr.propHooks[this.prop];return this.pos=t=this.options.duration?x.easing[this.easing](e,this.options.duration*e,0,1,this.options.duration):e,this.now=(this.end-this.start)*t+this.start,this.options.step&&this.options.step.call(this.elem,this.now,this),n&&n.set?n.set(this):rr.propHooks._default.set(this),this}},rr.prototype.init.prototype=rr.prototype,rr.propHooks={_default:{get:function(e){var t;return null==e.elem[e.prop]||e.elem.style&&null!=e.elem.style[e.prop]?(t=x.css(e.elem,e.prop,""),t&&"auto"!==t?t:0):e.elem[e.prop]},set:function(e){x.fx.step[e.prop]?x.fx.step[e.prop](e):e.elem.style&&(null!=e.elem.style[x.cssProps[e.prop]]||x.cssHooks[e.prop])?x.style(e.elem,e.prop,e.now+e.unit):e.elem[e.prop]=e.now}}},rr.propHooks.scrollTop=rr.propHooks.scrollLeft={set:function(e){e.elem.nodeType&&e.elem.parentNode&&(e.elem[e.prop]=e.now)}},x.each(["toggle","show","hide"],function(e,t){var n=x.fn[t];x.fn[t]=function(e,r,i){return null==e||"boolean"==typeof e?n.apply(this,arguments):this.animate(ir(t,!0),e,r,i)}}),x.fn.extend({fadeTo:function(e,t,n,r){return this.filter(nn).css("opacity",0).show().end().animate({opacity:t},e,n,r)},animate:function(e,t,n,r){var i=x.isEmptyObject(e),o=x.speed(t,n,r),a=function(){var t=er(this,x.extend({},e),o);(i||x._data(this,"finish"))&&t.stop(!0)};return a.finish=a,i||o.queue===!1?this.each(a):this.queue(o.queue,a)},stop:function(e,n,r){var i=function(e){var t=e.stop;delete e.stop,t(r)};return"string"!=typeof e&&(r=n,n=e,e=t),n&&e!==!1&&this.queue(e||"fx",[]),this.each(function(){var t=!0,n=null!=e&&e+"queueHooks",o=x.timers,a=x._data(this);if(n)a[n]&&a[n].stop&&i(a[n]);else for(n in a)a[n]&&a[n].stop&&Jn.test(n)&&i(a[n]);for(n=o.length;n--;)o[n].elem!==this||null!=e&&o[n].queue!==e||(o[n].anim.stop(r),t=!1,o.splice(n,1));(t||!r)&&x.dequeue(this,e)})},finish:function(e){return e!==!1&&(e=e||"fx"),this.each(function(){var t,n=x._data(this),r=n[e+"queue"],i=n[e+"queueHooks"],o=x.timers,a=r?r.length:0;for(n.finish=!0,x.queue(this,e,[]),i&&i.stop&&i.stop.call(this,!0),t=o.length;t--;)o[t].elem===this&&o[t].queue===e&&(o[t].anim.stop(!0),o.splice(t,1));for(t=0;a>t;t++)r[t]&&r[t].finish&&r[t].finish.call(this);delete n.finish})}});function ir(e,t){var n,r={height:e},i=0;for(t=t?1:0;4>i;i+=2-t)n=Zt[i],r["margin"+n]=r["padding"+n]=e;return t&&(r.opacity=r.width=e),r}x.each({slideDown:ir("show"),slideUp:ir("hide"),slideToggle:ir("toggle"),fadeIn:{opacity:"show"},fadeOut:{opacity:"hide"},fadeToggle:{opacity:"toggle"}},function(e,t){x.fn[e]=function(e,n,r){return this.animate(t,e,n,r)}}),x.speed=function(e,t,n){var r=e&&"object"==typeof e?x.extend({},e):{complete:n||!n&&t||x.isFunction(e)&&e,duration:e,easing:n&&t||t&&!x.isFunction(t)&&t};return r.duration=x.fx.off?0:"number"==typeof r.duration?r.duration:r.duration in x.fx.speeds?x.fx.speeds[r.duration]:x.fx.speeds._default,(null==r.queue||r.queue===!0)&&(r.queue="fx"),r.old=r.complete,r.complete=function(){x.isFunction(r.old)&&r.old.call(this),r.queue&&x.dequeue(this,r.queue)},r},x.easing={linear:function(e){return e},swing:function(e){return.5-Math.cos(e*Math.PI)/2}},x.timers=[],x.fx=rr.prototype.init,x.fx.tick=function(){var e,n=x.timers,r=0;for(Xn=x.now();n.length>r;r++)e=n[r],e()||n[r]!==e||n.splice(r--,1);n.length||x.fx.stop(),Xn=t},x.fx.timer=function(e){e()&&x.timers.push(e)&&x.fx.start()},x.fx.interval=13,x.fx.start=function(){Un||(Un=setInterval(x.fx.tick,x.fx.interval))},x.fx.stop=function(){clearInterval(Un),Un=null},x.fx.speeds={slow:600,fast:200,_default:400},x.fx.step={},x.expr&&x.expr.filters&&(x.expr.filters.animated=function(e){return x.grep(x.timers,function(t){return e===t.elem}).length}),x.fn.offset=function(e){if(arguments.length)return e===t?this:this.each(function(t){x.offset.setOffset(this,e,t)});var n,r,o={top:0,left:0},a=this[0],s=a&&a.ownerDocument;if(s)return n=s.documentElement,x.contains(n,a)?(typeof a.getBoundingClientRect!==i&&(o=a.getBoundingClientRect()),r=or(s),{top:o.top+(r.pageYOffset||n.scrollTop)-(n.clientTop||0),left:o.left+(r.pageXOffset||n.scrollLeft)-(n.clientLeft||0)}):o},x.offset={setOffset:function(e,t,n){var r=x.css(e,"position");"static"===r&&(e.style.position="relative");var i=x(e),o=i.offset(),a=x.css(e,"top"),s=x.css(e,"left"),l=("absolute"===r||"fixed"===r)&&x.inArray("auto",[a,s])>-1,u={},c={},p,f;l?(c=i.position(),p=c.top,f=c.left):(p=parseFloat(a)||0,f=parseFloat(s)||0),x.isFunction(t)&&(t=t.call(e,n,o)),null!=t.top&&(u.top=t.top-o.top+p),null!=t.left&&(u.left=t.left-o.left+f),"using"in t?t.using.call(e,u):i.css(u)}},x.fn.extend({position:function(){if(this[0]){var e,t,n={top:0,left:0},r=this[0];return"fixed"===x.css(r,"position")?t=r.getBoundingClientRect():(e=this.offsetParent(),t=this.offset(),x.nodeName(e[0],"html")||(n=e.offset()),n.top+=x.css(e[0],"borderTopWidth",!0),n.left+=x.css(e[0],"borderLeftWidth",!0)),{top:t.top-n.top-x.css(r,"marginTop",!0),left:t.left-n.left-x.css(r,"marginLeft",!0)}}},offsetParent:function(){return this.map(function(){var e=this.offsetParent||s;while(e&&!x.nodeName(e,"html")&&"static"===x.css(e,"position"))e=e.offsetParent;return e||s})}}),x.each({scrollLeft:"pageXOffset",scrollTop:"pageYOffset"},function(e,n){var r=/Y/.test(n);x.fn[e]=function(i){return x.access(this,function(e,i,o){var a=or(e);return o===t?a?n in a?a[n]:a.document.documentElement[i]:e[i]:(a?a.scrollTo(r?x(a).scrollLeft():o,r?o:x(a).scrollTop()):e[i]=o,t)},e,i,arguments.length,null)}});function or(e){return x.isWindow(e)?e:9===e.nodeType?e.defaultView||e.parentWindow:!1}x.each({Height:"height",Width:"width"},function(e,n){x.each({padding:"inner"+e,content:n,"":"outer"+e},function(r,i){x.fn[i]=function(i,o){var a=arguments.length&&(r||"boolean"!=typeof i),s=r||(i===!0||o===!0?"margin":"border");return x.access(this,function(n,r,i){var o;return x.isWindow(n)?n.document.documentElement["client"+e]:9===n.nodeType?(o=n.documentElement,Math.max(n.body["scroll"+e],o["scroll"+e],n.body["offset"+e],o["offset"+e],o["client"+e])):i===t?x.css(n,r,s):x.style(n,r,i,s)},n,a?i:t,a,null)}})}),x.fn.size=function(){return this.length},x.fn.andSelf=x.fn.addBack,"object"==typeof module&&module&&"object"==typeof module.exports?module.exports=x:(e.jQuery=e.$=x,"function"==typeof define&&define.amd&&define("jquery",[],function(){return x}))})(window);
ajax/libs/angular-ui-select/0.9.7/select.js
eduardo-costa/cdnjs
/*! * ui-select * http://github.com/angular-ui/ui-select * Version: 0.9.7 - 2015-02-13T15:09:21.834Z * License: MIT */ (function () { "use strict"; var KEY = { TAB: 9, ENTER: 13, ESC: 27, SPACE: 32, LEFT: 37, UP: 38, RIGHT: 39, DOWN: 40, SHIFT: 16, CTRL: 17, ALT: 18, PAGE_UP: 33, PAGE_DOWN: 34, HOME: 36, END: 35, BACKSPACE: 8, DELETE: 46, COMMAND: 91, MAP: { 91 : "COMMAND", 8 : "BACKSPACE" , 9 : "TAB" , 13 : "ENTER" , 16 : "SHIFT" , 17 : "CTRL" , 18 : "ALT" , 19 : "PAUSEBREAK" , 20 : "CAPSLOCK" , 27 : "ESC" , 32 : "SPACE" , 33 : "PAGE_UP", 34 : "PAGE_DOWN" , 35 : "END" , 36 : "HOME" , 37 : "LEFT" , 38 : "UP" , 39 : "RIGHT" , 40 : "DOWN" , 43 : "+" , 44 : "PRINTSCREEN" , 45 : "INSERT" , 46 : "DELETE", 48 : "0" , 49 : "1" , 50 : "2" , 51 : "3" , 52 : "4" , 53 : "5" , 54 : "6" , 55 : "7" , 56 : "8" , 57 : "9" , 59 : ";", 61 : "=" , 65 : "A" , 66 : "B" , 67 : "C" , 68 : "D" , 69 : "E" , 70 : "F" , 71 : "G" , 72 : "H" , 73 : "I" , 74 : "J" , 75 : "K" , 76 : "L", 77 : "M" , 78 : "N" , 79 : "O" , 80 : "P" , 81 : "Q" , 82 : "R" , 83 : "S" , 84 : "T" , 85 : "U" , 86 : "V" , 87 : "W" , 88 : "X" , 89 : "Y" , 90 : "Z", 96 : "0" , 97 : "1" , 98 : "2" , 99 : "3" , 100 : "4" , 101 : "5" , 102 : "6" , 103 : "7" , 104 : "8" , 105 : "9", 106 : "*" , 107 : "+" , 109 : "-" , 110 : "." , 111 : "/", 112 : "F1" , 113 : "F2" , 114 : "F3" , 115 : "F4" , 116 : "F5" , 117 : "F6" , 118 : "F7" , 119 : "F8" , 120 : "F9" , 121 : "F10" , 122 : "F11" , 123 : "F12", 144 : "NUMLOCK" , 145 : "SCROLLLOCK" , 186 : ";" , 187 : "=" , 188 : "," , 189 : "-" , 190 : "." , 191 : "/" , 192 : "`" , 219 : "[" , 220 : "\\" , 221 : "]" , 222 : "'" }, isControl: function (e) { var k = e.which; switch (k) { case KEY.COMMAND: case KEY.SHIFT: case KEY.CTRL: case KEY.ALT: return true; } if (e.metaKey) return true; return false; }, isFunctionKey: function (k) { k = k.which ? k.which : k; return k >= 112 && k <= 123; }, isVerticalMovement: function (k){ return ~[KEY.UP, KEY.DOWN].indexOf(k); }, isHorizontalMovement: function (k){ return ~[KEY.LEFT,KEY.RIGHT,KEY.BACKSPACE,KEY.DELETE].indexOf(k); } }; /** * Add querySelectorAll() to jqLite. * * jqLite find() is limited to lookups by tag name. * TODO This will change with future versions of AngularJS, to be removed when this happens * * See jqLite.find - why not use querySelectorAll? https://github.com/angular/angular.js/issues/3586 * See feat(jqLite): use querySelectorAll instead of getElementsByTagName in jqLite.find https://github.com/angular/angular.js/pull/3598 */ if (angular.element.prototype.querySelectorAll === undefined) { angular.element.prototype.querySelectorAll = function(selector) { return angular.element(this[0].querySelectorAll(selector)); }; } /** * Add closest() to jqLite. */ if (angular.element.prototype.closest === undefined) { angular.element.prototype.closest = function( selector) { var elem = this[0]; var matchesSelector = elem.matches || elem.webkitMatchesSelector || elem.mozMatchesSelector || elem.msMatchesSelector; while (elem) { if (matchesSelector.bind(elem)(selector)) { return elem; } else { elem = elem.parentElement; } } return false; }; } var latestId = 0; angular.module('ui.select', []) .constant('uiSelectConfig', { theme: 'bootstrap', searchEnabled: true, placeholder: '', // Empty by default, like HTML tag <select> refreshDelay: 1000, // In milliseconds closeOnSelect: true, generateId: function() { return latestId++; } }) // See Rename minErr and make it accessible from outside https://github.com/angular/angular.js/issues/6913 .service('uiSelectMinErr', function() { var minErr = angular.$$minErr('ui.select'); return function() { var error = minErr.apply(this, arguments); var message = error.message.replace(new RegExp('\nhttp://errors.angularjs.org/.*'), ''); return new Error(message); }; }) /** * Parses "repeat" attribute. * * Taken from AngularJS ngRepeat source code * See https://github.com/angular/angular.js/blob/v1.2.15/src/ng/directive/ngRepeat.js#L211 * * Original discussion about parsing "repeat" attribute instead of fully relying on ng-repeat: * https://github.com/angular-ui/ui-select/commit/5dd63ad#commitcomment-5504697 */ .service('RepeatParser', ['uiSelectMinErr','$parse', function(uiSelectMinErr, $parse) { var self = this; /** * Example: * expression = "address in addresses | filter: {street: $select.search} track by $index" * itemName = "address", * source = "addresses | filter: {street: $select.search}", * trackByExp = "$index", */ self.parse = function(expression) { var match = expression.match(/^\s*(?:([\s\S]+?)\s+as\s+)?([\S]+?)\s+in\s+([\s\S]+?)(?:\s+track\s+by\s+([\s\S]+?))?\s*$/); if (!match) { throw uiSelectMinErr('iexp', "Expected expression in form of '_item_ in _collection_[ track by _id_]' but got '{0}'.", expression); } return { itemName: match[2], // (lhs) Left-hand side, source: $parse(match[3]), trackByExp: match[4], modelMapper: $parse(match[1] || match[2]) }; }; self.getGroupNgRepeatExpression = function() { return '$group in $select.groups'; }; self.getNgRepeatExpression = function(itemName, source, trackByExp, grouped) { var expression = itemName + ' in ' + (grouped ? '$group.items' : source); if (trackByExp) { expression += ' track by ' + trackByExp; } return expression; }; }]) /** * Contains ui-select "intelligence". * * The goal is to limit dependency on the DOM whenever possible and * put as much logic in the controller (instead of the link functions) as possible so it can be easily tested. */ .controller('uiSelectCtrl', ['$scope', '$element', '$timeout', '$filter', 'RepeatParser', 'uiSelectMinErr', 'uiSelectConfig', function($scope, $element, $timeout, $filter, RepeatParser, uiSelectMinErr, uiSelectConfig) { var ctrl = this; var EMPTY_SEARCH = ''; ctrl.placeholder = undefined; ctrl.search = EMPTY_SEARCH; ctrl.activeIndex = 0; ctrl.activeMatchIndex = -1; ctrl.items = []; ctrl.selected = undefined; ctrl.open = false; ctrl.focus = false; ctrl.focusser = undefined; //Reference to input element used to handle focus events ctrl.disabled = undefined; // Initialized inside uiSelect directive link function ctrl.searchEnabled = undefined; // Initialized inside uiSelect directive link function ctrl.resetSearchInput = undefined; // Initialized inside uiSelect directive link function ctrl.refreshDelay = undefined; // Initialized inside uiSelectChoices directive link function ctrl.multiple = false; // Initialized inside uiSelect directive link function ctrl.disableChoiceExpression = undefined; // Initialized inside uiSelect directive link function ctrl.tagging = {isActivated: false, fct: undefined}; ctrl.taggingTokens = {isActivated: false, tokens: undefined}; ctrl.lockChoiceExpression = undefined; // Initialized inside uiSelect directive link function ctrl.closeOnSelect = true; // Initialized inside uiSelect directive link function ctrl.clickTriggeredSelect = false; ctrl.$filter = $filter; ctrl.isEmpty = function() { return angular.isUndefined(ctrl.selected) || ctrl.selected === null || ctrl.selected === ''; }; var _searchInput = $element.querySelectorAll('input.ui-select-search'); if (_searchInput.length !== 1) { throw uiSelectMinErr('searchInput', "Expected 1 input.ui-select-search but got '{0}'.", _searchInput.length); } // Most of the time the user does not want to empty the search input when in typeahead mode function _resetSearchInput() { if (ctrl.resetSearchInput || (ctrl.resetSearchInput === undefined && uiSelectConfig.resetSearchInput)) { ctrl.search = EMPTY_SEARCH; //reset activeIndex if (ctrl.selected && ctrl.items.length && !ctrl.multiple) { ctrl.activeIndex = ctrl.items.indexOf(ctrl.selected); } } } // When the user clicks on ui-select, displays the dropdown list ctrl.activate = function(initSearchValue, avoidReset) { if (!ctrl.disabled && !ctrl.open) { if(!avoidReset) _resetSearchInput(); ctrl.focusser.prop('disabled', true); //Will reactivate it on .close() ctrl.open = true; ctrl.activeMatchIndex = -1; ctrl.activeIndex = ctrl.activeIndex >= ctrl.items.length ? 0 : ctrl.activeIndex; // ensure that the index is set to zero for tagging variants // that where first option is auto-selected if ( ctrl.activeIndex === -1 && ctrl.taggingLabel !== false ) { ctrl.activeIndex = 0; } // Give it time to appear before focus $timeout(function() { ctrl.search = initSearchValue || ctrl.search; _searchInput[0].focus(); }); } }; ctrl.findGroupByName = function(name) { return ctrl.groups && ctrl.groups.filter(function(group) { return group.name === name; })[0]; }; ctrl.parseRepeatAttr = function(repeatAttr, groupByExp) { function updateGroups(items) { ctrl.groups = []; angular.forEach(items, function(item) { var groupFn = $scope.$eval(groupByExp); var groupName = angular.isFunction(groupFn) ? groupFn(item) : item[groupFn]; var group = ctrl.findGroupByName(groupName); if(group) { group.items.push(item); } else { ctrl.groups.push({name: groupName, items: [item]}); } }); ctrl.items = []; ctrl.groups.forEach(function(group) { ctrl.items = ctrl.items.concat(group.items); }); } function setPlainItems(items) { ctrl.items = items; } var setItemsFn = groupByExp ? updateGroups : setPlainItems; ctrl.parserResult = RepeatParser.parse(repeatAttr); ctrl.isGrouped = !!groupByExp; ctrl.itemProperty = ctrl.parserResult.itemName; // See https://github.com/angular/angular.js/blob/v1.2.15/src/ng/directive/ngRepeat.js#L259 $scope.$watchCollection(ctrl.parserResult.source, function(items) { if (items === undefined || items === null) { // If the user specifies undefined or null => reset the collection // Special case: items can be undefined if the user did not initialized the collection on the scope // i.e $scope.addresses = [] is missing ctrl.items = []; } else { if (!angular.isArray(items)) { throw uiSelectMinErr('items', "Expected an array but got '{0}'.", items); } else { if (ctrl.multiple){ //Remove already selected items (ex: while searching) var filteredItems = items.filter(function(i) {return ctrl.selected.indexOf(i) < 0;}); setItemsFn(filteredItems); }else{ setItemsFn(items); } ctrl.ngModel.$modelValue = null; //Force scope model value and ngModel value to be out of sync to re-run formatters } } }); if (ctrl.multiple){ //Remove already selected items $scope.$watchCollection('$select.selected', function(selectedItems){ var data = ctrl.parserResult.source($scope); if (!selectedItems.length) { setItemsFn(data); }else{ if ( data !== undefined ) { var filteredItems = data.filter(function(i) {return selectedItems.indexOf(i) < 0;}); setItemsFn(filteredItems); } } ctrl.sizeSearchInput(); }); } }; var _refreshDelayPromise; /** * Typeahead mode: lets the user refresh the collection using his own function. * * See Expose $select.search for external / remote filtering https://github.com/angular-ui/ui-select/pull/31 */ ctrl.refresh = function(refreshAttr) { if (refreshAttr !== undefined) { // Debounce // See https://github.com/angular-ui/bootstrap/blob/0.10.0/src/typeahead/typeahead.js#L155 // FYI AngularStrap typeahead does not have debouncing: https://github.com/mgcrea/angular-strap/blob/v2.0.0-rc.4/src/typeahead/typeahead.js#L177 if (_refreshDelayPromise) { $timeout.cancel(_refreshDelayPromise); } _refreshDelayPromise = $timeout(function() { $scope.$eval(refreshAttr); }, ctrl.refreshDelay); } }; ctrl.setActiveItem = function(item) { ctrl.activeIndex = ctrl.items.indexOf(item); }; ctrl.isActive = function(itemScope) { if ( !ctrl.open ) { return false; } var itemIndex = ctrl.items.indexOf(itemScope[ctrl.itemProperty]); var isActive = itemIndex === ctrl.activeIndex; if ( !isActive || ( itemIndex < 0 && ctrl.taggingLabel !== false ) ||( itemIndex < 0 && ctrl.taggingLabel === false) ) { return false; } if (isActive && !angular.isUndefined(ctrl.onHighlightCallback)) { itemScope.$eval(ctrl.onHighlightCallback); } return isActive; }; ctrl.isDisabled = function(itemScope) { if (!ctrl.open) return; var itemIndex = ctrl.items.indexOf(itemScope[ctrl.itemProperty]); var isDisabled = false; var item; if (itemIndex >= 0 && !angular.isUndefined(ctrl.disableChoiceExpression)) { item = ctrl.items[itemIndex]; isDisabled = !!(itemScope.$eval(ctrl.disableChoiceExpression)); // force the boolean value item._uiSelectChoiceDisabled = isDisabled; // store this for later reference } return isDisabled; }; // When the user selects an item with ENTER or clicks the dropdown ctrl.select = function(item, skipFocusser, $event) { if (item === undefined || !item._uiSelectChoiceDisabled) { if ( ! ctrl.items && ! ctrl.search ) return; if (!item || !item._uiSelectChoiceDisabled) { if(ctrl.tagging.isActivated) { // if taggingLabel is disabled, we pull from ctrl.search val if ( ctrl.taggingLabel === false ) { if ( ctrl.activeIndex < 0 ) { item = ctrl.tagging.fct !== undefined ? ctrl.tagging.fct(ctrl.search) : ctrl.search; if ( angular.equals( ctrl.items[0], item ) ) { return; } } else { // keyboard nav happened first, user selected from dropdown item = ctrl.items[ctrl.activeIndex]; } } else { // tagging always operates at index zero, taggingLabel === false pushes // the ctrl.search value without having it injected if ( ctrl.activeIndex === 0 ) { // ctrl.tagging pushes items to ctrl.items, so we only have empty val // for `item` if it is a detected duplicate if ( item === undefined ) return; // create new item on the fly if we don't already have one; // use tagging function if we have one if ( ctrl.tagging.fct !== undefined && typeof item === 'string' ) { item = ctrl.tagging.fct(ctrl.search); // if item type is 'string', apply the tagging label } else if ( typeof item === 'string' ) { // trim the trailing space item = item.replace(ctrl.taggingLabel,'').trim(); } } } // search ctrl.selected for dupes potentially caused by tagging and return early if found if ( ctrl.selected && ctrl.selected.filter( function (selection) { return angular.equals(selection, item); }).length > 0 ) { ctrl.close(skipFocusser); return; } } var locals = {}; locals[ctrl.parserResult.itemName] = item; if(ctrl.multiple) { ctrl.selected.push(item); ctrl.sizeSearchInput(); } else { ctrl.selected = item; } $timeout(function(){ ctrl.onSelectCallback($scope, { $item: item, $model: ctrl.parserResult.modelMapper($scope, locals) }); }); if (!ctrl.multiple || ctrl.closeOnSelect) { ctrl.close(skipFocusser); } if ($event && $event.type === 'click') { ctrl.clickTriggeredSelect = true; } } } }; // Closes the dropdown ctrl.close = function(skipFocusser) { if (!ctrl.open) return; _resetSearchInput(); ctrl.open = false; if (!ctrl.multiple){ $timeout(function(){ ctrl.focusser.prop('disabled', false); if (!skipFocusser) ctrl.focusser[0].focus(); },0,false); } }; // Toggle dropdown ctrl.toggle = function(e) { if (ctrl.open) { ctrl.close(); e.preventDefault(); e.stopPropagation(); } else { ctrl.activate(); } }; ctrl.isLocked = function(itemScope, itemIndex) { var isLocked, item = ctrl.selected[itemIndex]; if (item && !angular.isUndefined(ctrl.lockChoiceExpression)) { isLocked = !!(itemScope.$eval(ctrl.lockChoiceExpression)); // force the boolean value item._uiSelectChoiceLocked = isLocked; // store this for later reference } return isLocked; }; // Remove item from multiple select ctrl.removeChoice = function(index){ var removedChoice = ctrl.selected[index]; // if the choice is locked, can't remove it if(removedChoice._uiSelectChoiceLocked) return; var locals = {}; locals[ctrl.parserResult.itemName] = removedChoice; ctrl.selected.splice(index, 1); ctrl.activeMatchIndex = -1; ctrl.sizeSearchInput(); // Give some time for scope propagation. $timeout(function(){ ctrl.onRemoveCallback($scope, { $item: removedChoice, $model: ctrl.parserResult.modelMapper($scope, locals) }); }); }; ctrl.getPlaceholder = function(){ //Refactor single? if(ctrl.multiple && ctrl.selected.length) return; return ctrl.placeholder; }; var containerSizeWatch; ctrl.sizeSearchInput = function(){ var input = _searchInput[0], container = _searchInput.parent().parent()[0]; _searchInput.css('width','10px'); var calculate = function(){ var newWidth = container.clientWidth - input.offsetLeft - 10; if(newWidth < 50) newWidth = container.clientWidth; _searchInput.css('width',newWidth+'px'); }; $timeout(function(){ //Give tags time to render correctly if (container.clientWidth === 0 && !containerSizeWatch){ containerSizeWatch = $scope.$watch(function(){ return container.clientWidth;}, function(newValue){ if (newValue !== 0){ calculate(); containerSizeWatch(); containerSizeWatch = null; } }); }else if (!containerSizeWatch) { calculate(); } }, 0, false); }; function _handleDropDownSelection(key) { var processed = true; switch (key) { case KEY.DOWN: if (!ctrl.open && ctrl.multiple) ctrl.activate(false, true); //In case its the search input in 'multiple' mode else if (ctrl.activeIndex < ctrl.items.length - 1) { ctrl.activeIndex++; } break; case KEY.UP: if (!ctrl.open && ctrl.multiple) ctrl.activate(false, true); //In case its the search input in 'multiple' mode else if (ctrl.activeIndex > 0 || (ctrl.search.length === 0 && ctrl.tagging.isActivated && ctrl.activeIndex > -1)) { ctrl.activeIndex--; } break; case KEY.TAB: if (!ctrl.multiple || ctrl.open) ctrl.select(ctrl.items[ctrl.activeIndex], true); break; case KEY.ENTER: if(ctrl.open && ctrl.activeIndex >= 0){ ctrl.select(ctrl.items[ctrl.activeIndex]); // Make sure at least one dropdown item is highlighted before adding. } else { ctrl.activate(false, true); //In case its the search input in 'multiple' mode } break; case KEY.ESC: ctrl.close(); break; default: processed = false; } return processed; } // Handles selected options in "multiple" mode function _handleMatchSelection(key){ var caretPosition = _getCaretPosition(_searchInput[0]), length = ctrl.selected.length, // none = -1, first = 0, last = length-1, curr = ctrl.activeMatchIndex, next = ctrl.activeMatchIndex+1, prev = ctrl.activeMatchIndex-1, newIndex = curr; if(caretPosition > 0 || (ctrl.search.length && key == KEY.RIGHT)) return false; ctrl.close(); function getNewActiveMatchIndex(){ switch(key){ case KEY.LEFT: // Select previous/first item if(~ctrl.activeMatchIndex) return prev; // Select last item else return last; break; case KEY.RIGHT: // Open drop-down if(!~ctrl.activeMatchIndex || curr === last){ ctrl.activate(); return false; } // Select next/last item else return next; break; case KEY.BACKSPACE: // Remove selected item and select previous/first if(~ctrl.activeMatchIndex){ ctrl.removeChoice(curr); return prev; } // Select last item else return last; break; case KEY.DELETE: // Remove selected item and select next item if(~ctrl.activeMatchIndex){ ctrl.removeChoice(ctrl.activeMatchIndex); return curr; } else return false; } } newIndex = getNewActiveMatchIndex(); if(!ctrl.selected.length || newIndex === false) ctrl.activeMatchIndex = -1; else ctrl.activeMatchIndex = Math.min(last,Math.max(first,newIndex)); return true; } // Bind to keyboard shortcuts _searchInput.on('keydown', function(e) { var key = e.which; // if(~[KEY.ESC,KEY.TAB].indexOf(key)){ // //TODO: SEGURO? // ctrl.close(); // } $scope.$apply(function() { var processed = false; var tagged = false; if(ctrl.multiple && KEY.isHorizontalMovement(key)){ processed = _handleMatchSelection(key); } if (!processed && (ctrl.items.length > 0 || ctrl.tagging.isActivated)) { processed = _handleDropDownSelection(key); if ( ctrl.taggingTokens.isActivated ) { for (var i = 0; i < ctrl.taggingTokens.tokens.length; i++) { if ( ctrl.taggingTokens.tokens[i] === KEY.MAP[e.keyCode] ) { // make sure there is a new value to push via tagging if ( ctrl.search.length > 0 ) { tagged = true; } } } if ( tagged ) { $timeout(function() { _searchInput.triggerHandler('tagged'); var newItem = ctrl.search.replace(KEY.MAP[e.keyCode],'').trim(); if ( ctrl.tagging.fct ) { newItem = ctrl.tagging.fct( newItem ); } ctrl.select( newItem, true); }); } } } if (processed && key != KEY.TAB) { //TODO Check si el tab selecciona aun correctamente //Crear test e.preventDefault(); e.stopPropagation(); } }); if(KEY.isVerticalMovement(key) && ctrl.items.length > 0){ _ensureHighlightVisible(); } }); _searchInput.on('keyup', function(e) { if ( ! KEY.isVerticalMovement(e.which) ) { $scope.$evalAsync( function () { ctrl.activeIndex = ctrl.taggingLabel === false ? -1 : 0; }); } // Push a "create new" item into array if there is a search string if ( ctrl.tagging.isActivated && ctrl.search.length > 0 ) { // return early with these keys if (e.which === KEY.TAB || KEY.isControl(e) || KEY.isFunctionKey(e) || e.which === KEY.ESC || KEY.isVerticalMovement(e.which) ) { return; } // always reset the activeIndex to the first item when tagging ctrl.activeIndex = ctrl.taggingLabel === false ? -1 : 0; // taggingLabel === false bypasses all of this if (ctrl.taggingLabel === false) return; var items = angular.copy( ctrl.items ); var stashArr = angular.copy( ctrl.items ); var newItem; var item; var hasTag = false; var dupeIndex = -1; var tagItems; var tagItem; // case for object tagging via transform `ctrl.tagging.fct` function if ( ctrl.tagging.fct !== undefined) { tagItems = ctrl.$filter('filter')(items,{'isTag': true}); if ( tagItems.length > 0 ) { tagItem = tagItems[0]; } // remove the first element, if it has the `isTag` prop we generate a new one with each keyup, shaving the previous if ( items.length > 0 && tagItem ) { hasTag = true; items = items.slice(1,items.length); stashArr = stashArr.slice(1,stashArr.length); } newItem = ctrl.tagging.fct(ctrl.search); newItem.isTag = true; // verify the the tag doesn't match the value of an existing item if ( stashArr.filter( function (origItem) { return angular.equals( origItem, ctrl.tagging.fct(ctrl.search) ); } ).length > 0 ) { return; } // handle newItem string and stripping dupes in tagging string context } else { // find any tagging items already in the ctrl.items array and store them tagItems = ctrl.$filter('filter')(items,function (item) { return item.match(ctrl.taggingLabel); }); if ( tagItems.length > 0 ) { tagItem = tagItems[0]; } item = items[0]; // remove existing tag item if found (should only ever be one tag item) if ( item !== undefined && items.length > 0 && tagItem ) { hasTag = true; items = items.slice(1,items.length); stashArr = stashArr.slice(1,stashArr.length); } newItem = ctrl.search+' '+ctrl.taggingLabel; if ( _findApproxDupe(ctrl.selected, ctrl.search) > -1 ) { return; } // verify the the tag doesn't match the value of an existing item from // the searched data set or the items already selected if ( _findCaseInsensitiveDupe(stashArr.concat(ctrl.selected)) ) { // if there is a tag from prev iteration, strip it / queue the change // and return early if ( hasTag ) { items = stashArr; $scope.$evalAsync( function () { ctrl.activeIndex = 0; ctrl.items = items; }); } return; } if ( _findCaseInsensitiveDupe(stashArr) ) { // if there is a tag from prev iteration, strip it if ( hasTag ) { ctrl.items = stashArr.slice(1,stashArr.length); } return; } } if ( hasTag ) dupeIndex = _findApproxDupe(ctrl.selected, newItem); // dupe found, shave the first item if ( dupeIndex > -1 ) { items = items.slice(dupeIndex+1,items.length-1); } else { items = []; items.push(newItem); items = items.concat(stashArr); } $scope.$evalAsync( function () { ctrl.activeIndex = 0; ctrl.items = items; }); } }); _searchInput.on('tagged', function() { $timeout(function() { _resetSearchInput(); }); }); _searchInput.on('blur', function() { $timeout(function() { ctrl.activeMatchIndex = -1; }); }); function _findCaseInsensitiveDupe(arr) { if ( arr === undefined || ctrl.search === undefined ) { return false; } var hasDupe = arr.filter( function (origItem) { if ( ctrl.search.toUpperCase() === undefined ) { return false; } return origItem.toUpperCase() === ctrl.search.toUpperCase(); }).length > 0; return hasDupe; } function _findApproxDupe(haystack, needle) { var tempArr = angular.copy(haystack); var dupeIndex = -1; for (var i = 0; i <tempArr.length; i++) { // handle the simple string version of tagging if ( ctrl.tagging.fct === undefined ) { // search the array for the match if ( tempArr[i]+' '+ctrl.taggingLabel === needle ) { dupeIndex = i; } // handle the object tagging implementation } else { var mockObj = tempArr[i]; mockObj.isTag = true; if ( angular.equals(mockObj, needle) ) { dupeIndex = i; } } } return dupeIndex; } function _getCaretPosition(el) { if(angular.isNumber(el.selectionStart)) return el.selectionStart; // selectionStart is not supported in IE8 and we don't want hacky workarounds so we compromise else return el.value.length; } // See https://github.com/ivaynberg/select2/blob/3.4.6/select2.js#L1431 function _ensureHighlightVisible() { var container = $element.querySelectorAll('.ui-select-choices-content'); var choices = container.querySelectorAll('.ui-select-choices-row'); if (choices.length < 1) { throw uiSelectMinErr('choices', "Expected multiple .ui-select-choices-row but got '{0}'.", choices.length); } if (ctrl.activeIndex < 0) { return; } var highlighted = choices[ctrl.activeIndex]; var posY = highlighted.offsetTop + highlighted.clientHeight - container[0].scrollTop; var height = container[0].offsetHeight; if (posY > height) { container[0].scrollTop += posY - height; } else if (posY < highlighted.clientHeight) { if (ctrl.isGrouped && ctrl.activeIndex === 0) container[0].scrollTop = 0; //To make group header visible when going all the way up else container[0].scrollTop -= highlighted.clientHeight - posY; } } $scope.$on('$destroy', function() { _searchInput.off('keyup keydown tagged blur'); }); }]) .directive('uiSelect', ['$document', 'uiSelectConfig', 'uiSelectMinErr', '$compile', '$parse', function($document, uiSelectConfig, uiSelectMinErr, $compile, $parse) { return { restrict: 'EA', templateUrl: function(tElement, tAttrs) { var theme = tAttrs.theme || uiSelectConfig.theme; return theme + (angular.isDefined(tAttrs.multiple) ? '/select-multiple.tpl.html' : '/select.tpl.html'); }, replace: true, transclude: true, require: ['uiSelect', 'ngModel'], scope: true, controller: 'uiSelectCtrl', controllerAs: '$select', link: function(scope, element, attrs, ctrls, transcludeFn) { var $select = ctrls[0]; var ngModel = ctrls[1]; var searchInput = element.querySelectorAll('input.ui-select-search'); $select.generatedId = uiSelectConfig.generateId(); $select.baseTitle = attrs.title || 'Select box'; $select.focusserTitle = $select.baseTitle + ' focus'; $select.focusserId = 'focusser-' + $select.generatedId; $select.multiple = angular.isDefined(attrs.multiple) && ( attrs.multiple === '' || attrs.multiple.toLowerCase() === 'multiple' || attrs.multiple.toLowerCase() === 'true' ); $select.closeOnSelect = function() { if (angular.isDefined(attrs.closeOnSelect)) { return $parse(attrs.closeOnSelect)(); } else { return uiSelectConfig.closeOnSelect; } }(); $select.onSelectCallback = $parse(attrs.onSelect); $select.onRemoveCallback = $parse(attrs.onRemove); //From view --> model ngModel.$parsers.unshift(function (inputValue) { var locals = {}, result; if ($select.multiple){ var resultMultiple = []; for (var j = $select.selected.length - 1; j >= 0; j--) { locals = {}; locals[$select.parserResult.itemName] = $select.selected[j]; result = $select.parserResult.modelMapper(scope, locals); resultMultiple.unshift(result); } return resultMultiple; }else{ locals = {}; locals[$select.parserResult.itemName] = inputValue; result = $select.parserResult.modelMapper(scope, locals); return result; } }); //From model --> view ngModel.$formatters.unshift(function (inputValue) { var data = $select.parserResult.source (scope, { $select : {search:''}}), //Overwrite $search locals = {}, result; if (data){ if ($select.multiple){ var resultMultiple = []; var checkFnMultiple = function(list, value){ if (!list || !list.length) return; for (var p = list.length - 1; p >= 0; p--) { locals[$select.parserResult.itemName] = list[p]; result = $select.parserResult.modelMapper(scope, locals); if($select.parserResult.trackByExp){ var matches = /\.(.+)/.exec($select.parserResult.trackByExp); if(matches.length>0 && result[matches[1]] == value[matches[1]]){ resultMultiple.unshift(list[p]); return true; } } if (result == value){ resultMultiple.unshift(list[p]); return true; } } return false; }; if (!inputValue) return resultMultiple; //If ngModel was undefined for (var k = inputValue.length - 1; k >= 0; k--) { if (!checkFnMultiple($select.selected, inputValue[k])){ checkFnMultiple(data, inputValue[k]); } } return resultMultiple; }else{ var checkFnSingle = function(d){ locals[$select.parserResult.itemName] = d; result = $select.parserResult.modelMapper(scope, locals); return result == inputValue; }; //If possible pass same object stored in $select.selected if ($select.selected && checkFnSingle($select.selected)) { return $select.selected; } for (var i = data.length - 1; i >= 0; i--) { if (checkFnSingle(data[i])) return data[i]; } } } return inputValue; }); //Set reference to ngModel from uiSelectCtrl $select.ngModel = ngModel; $select.choiceGrouped = function(group){ return $select.isGrouped && group && group.name; }; //Idea from: https://github.com/ivaynberg/select2/blob/79b5bf6db918d7560bdd959109b7bcfb47edaf43/select2.js#L1954 var focusser = angular.element("<input ng-disabled='$select.disabled' class='ui-select-focusser ui-select-offscreen' type='text' id='{{ $select.focusserId }}' aria-label='{{ $select.focusserTitle }}' aria-haspopup='true' role='button' />"); if(attrs.tabindex){ //tabindex might be an expression, wait until it contains the actual value before we set the focusser tabindex attrs.$observe('tabindex', function(value) { //If we are using multiple, add tabindex to the search input if($select.multiple){ searchInput.attr("tabindex", value); } else { focusser.attr("tabindex", value); } //Remove the tabindex on the parent so that it is not focusable element.removeAttr("tabindex"); }); } $compile(focusser)(scope); $select.focusser = focusser; if (!$select.multiple){ element.append(focusser); focusser.bind("focus", function(){ scope.$evalAsync(function(){ $select.focus = true; }); }); focusser.bind("blur", function(){ scope.$evalAsync(function(){ $select.focus = false; }); }); focusser.bind("keydown", function(e){ if (e.which === KEY.BACKSPACE) { e.preventDefault(); e.stopPropagation(); $select.select(undefined); scope.$apply(); return; } if (e.which === KEY.TAB || KEY.isControl(e) || KEY.isFunctionKey(e) || e.which === KEY.ESC) { return; } if (e.which == KEY.DOWN || e.which == KEY.UP || e.which == KEY.ENTER || e.which == KEY.SPACE){ e.preventDefault(); e.stopPropagation(); $select.activate(); } scope.$digest(); }); focusser.bind("keyup input", function(e){ if (e.which === KEY.TAB || KEY.isControl(e) || KEY.isFunctionKey(e) || e.which === KEY.ESC || e.which == KEY.ENTER || e.which === KEY.BACKSPACE) { return; } $select.activate(focusser.val()); //User pressed some regular key, so we pass it to the search input focusser.val(''); scope.$digest(); }); } scope.$watch('searchEnabled', function() { var searchEnabled = scope.$eval(attrs.searchEnabled); $select.searchEnabled = searchEnabled !== undefined ? searchEnabled : uiSelectConfig.searchEnabled; }); attrs.$observe('disabled', function() { // No need to use $eval() (thanks to ng-disabled) since we already get a boolean instead of a string $select.disabled = attrs.disabled !== undefined ? attrs.disabled : false; }); attrs.$observe('resetSearchInput', function() { // $eval() is needed otherwise we get a string instead of a boolean var resetSearchInput = scope.$eval(attrs.resetSearchInput); $select.resetSearchInput = resetSearchInput !== undefined ? resetSearchInput : true; }); attrs.$observe('tagging', function() { if(attrs.tagging !== undefined) { // $eval() is needed otherwise we get a string instead of a boolean var taggingEval = scope.$eval(attrs.tagging); $select.tagging = {isActivated: true, fct: taggingEval !== true ? taggingEval : undefined}; } else { $select.tagging = {isActivated: false, fct: undefined}; } }); attrs.$observe('taggingLabel', function() { if(attrs.tagging !== undefined ) { // check eval for FALSE, in this case, we disable the labels // associated with tagging if ( attrs.taggingLabel === 'false' ) { $select.taggingLabel = false; } else { $select.taggingLabel = attrs.taggingLabel !== undefined ? attrs.taggingLabel : '(new)'; } } }); attrs.$observe('taggingTokens', function() { if (attrs.tagging !== undefined) { var tokens = attrs.taggingTokens !== undefined ? attrs.taggingTokens.split('|') : [',','ENTER']; $select.taggingTokens = {isActivated: true, tokens: tokens }; } }); if ($select.multiple){ scope.$watchCollection(function(){ return ngModel.$modelValue; }, function(newValue, oldValue) { if (oldValue != newValue) ngModel.$modelValue = null; //Force scope model value and ngModel value to be out of sync to re-run formatters }); $select.firstPass = true; // so the form doesn't get dirty as soon as it loads scope.$watchCollection('$select.selected', function() { if (!$select.firstPass) { ngModel.$setViewValue(Date.now()); //Set timestamp as a unique string to force changes } else { $select.firstPass = false; } }); focusser.prop('disabled', true); //Focusser isn't needed if multiple }else{ scope.$watch('$select.selected', function(newValue) { if (ngModel.$viewValue !== newValue) { ngModel.$setViewValue(newValue); } }); } ngModel.$render = function() { if($select.multiple){ // Make sure that model value is array if(!angular.isArray(ngModel.$viewValue)){ // Have tolerance for null or undefined values if(angular.isUndefined(ngModel.$viewValue) || ngModel.$viewValue === null){ $select.selected = []; } else { throw uiSelectMinErr('multiarr', "Expected model value to be array but got '{0}'", ngModel.$viewValue); } } } $select.selected = ngModel.$viewValue; }; function onDocumentClick(e) { var contains = false; if (window.jQuery) { // Firefox 3.6 does not support element.contains() // See Node.contains https://developer.mozilla.org/en-US/docs/Web/API/Node.contains contains = window.jQuery.contains(element[0], e.target); } else { contains = element[0].contains(e.target); } if (!contains && !$select.clickTriggeredSelect) { $select.close(angular.element(e.target).closest('.ui-select-container.open').length > 0); // Skip focusser if the target is another select scope.$digest(); } $select.clickTriggeredSelect = false; } // See Click everywhere but here event http://stackoverflow.com/questions/12931369 $document.on('click', onDocumentClick); scope.$on('$destroy', function() { $document.off('click', onDocumentClick); }); // Move transcluded elements to their correct position in main template transcludeFn(scope, function(clone) { // See Transclude in AngularJS http://blog.omkarpatil.com/2012/11/transclude-in-angularjs.html // One day jqLite will be replaced by jQuery and we will be able to write: // var transcludedElement = clone.filter('.my-class') // instead of creating a hackish DOM element: var transcluded = angular.element('<div>').append(clone); var transcludedMatch = transcluded.querySelectorAll('.ui-select-match'); transcludedMatch.removeAttr('ui-select-match'); //To avoid loop in case directive as attr if (transcludedMatch.length !== 1) { throw uiSelectMinErr('transcluded', "Expected 1 .ui-select-match but got '{0}'.", transcludedMatch.length); } element.querySelectorAll('.ui-select-match').replaceWith(transcludedMatch); var transcludedChoices = transcluded.querySelectorAll('.ui-select-choices'); transcludedChoices.removeAttr('ui-select-choices'); //To avoid loop in case directive as attr if (transcludedChoices.length !== 1) { throw uiSelectMinErr('transcluded', "Expected 1 .ui-select-choices but got '{0}'.", transcludedChoices.length); } element.querySelectorAll('.ui-select-choices').replaceWith(transcludedChoices); }); } }; }]) .directive('uiSelectChoices', ['uiSelectConfig', 'RepeatParser', 'uiSelectMinErr', '$compile', function(uiSelectConfig, RepeatParser, uiSelectMinErr, $compile) { return { restrict: 'EA', require: '^uiSelect', replace: true, transclude: true, templateUrl: function(tElement) { // Gets theme attribute from parent (ui-select) var theme = tElement.parent().attr('theme') || uiSelectConfig.theme; return theme + '/choices.tpl.html'; }, compile: function(tElement, tAttrs) { if (!tAttrs.repeat) throw uiSelectMinErr('repeat', "Expected 'repeat' expression."); return function link(scope, element, attrs, $select, transcludeFn) { // var repeat = RepeatParser.parse(attrs.repeat); var groupByExp = attrs.groupBy; $select.parseRepeatAttr(attrs.repeat, groupByExp); //Result ready at $select.parserResult $select.disableChoiceExpression = attrs.uiDisableChoice; $select.onHighlightCallback = attrs.onHighlight; if(groupByExp) { var groups = element.querySelectorAll('.ui-select-choices-group'); if (groups.length !== 1) throw uiSelectMinErr('rows', "Expected 1 .ui-select-choices-group but got '{0}'.", groups.length); groups.attr('ng-repeat', RepeatParser.getGroupNgRepeatExpression()); } var choices = element.querySelectorAll('.ui-select-choices-row'); if (choices.length !== 1) { throw uiSelectMinErr('rows', "Expected 1 .ui-select-choices-row but got '{0}'.", choices.length); } choices.attr('ng-repeat', RepeatParser.getNgRepeatExpression($select.parserResult.itemName, '$select.items', $select.parserResult.trackByExp, groupByExp)) .attr('ng-if', '$select.open') //Prevent unnecessary watches when dropdown is closed .attr('ng-mouseenter', '$select.setActiveItem('+$select.parserResult.itemName +')') .attr('ng-click', '$select.select(' + $select.parserResult.itemName + ',false,$event)'); var rowsInner = element.querySelectorAll('.ui-select-choices-row-inner'); if (rowsInner.length !== 1) throw uiSelectMinErr('rows', "Expected 1 .ui-select-choices-row-inner but got '{0}'.", rowsInner.length); rowsInner.attr('uis-transclude-append', ''); //Adding uisTranscludeAppend directive to row element after choices element has ngRepeat $compile(element, transcludeFn)(scope); //Passing current transcludeFn to be able to append elements correctly from uisTranscludeAppend scope.$watch('$select.search', function(newValue) { if(newValue && !$select.open && $select.multiple) $select.activate(false, true); $select.activeIndex = $select.tagging.isActivated ? -1 : 0; $select.refresh(attrs.refresh); }); attrs.$observe('refreshDelay', function() { // $eval() is needed otherwise we get a string instead of a number var refreshDelay = scope.$eval(attrs.refreshDelay); $select.refreshDelay = refreshDelay !== undefined ? refreshDelay : uiSelectConfig.refreshDelay; }); }; } }; }]) // Recreates old behavior of ng-transclude. Used internally. .directive('uisTranscludeAppend', function () { return { link: function (scope, element, attrs, ctrl, transclude) { transclude(scope, function (clone) { element.append(clone); }); } }; }) .directive('uiSelectMatch', ['uiSelectConfig', function(uiSelectConfig) { return { restrict: 'EA', require: '^uiSelect', replace: true, transclude: true, templateUrl: function(tElement) { // Gets theme attribute from parent (ui-select) var theme = tElement.parent().attr('theme') || uiSelectConfig.theme; var multi = tElement.parent().attr('multiple'); return theme + (multi ? '/match-multiple.tpl.html' : '/match.tpl.html'); }, link: function(scope, element, attrs, $select) { $select.lockChoiceExpression = attrs.uiLockChoice; attrs.$observe('placeholder', function(placeholder) { $select.placeholder = placeholder !== undefined ? placeholder : uiSelectConfig.placeholder; }); $select.allowClear = (angular.isDefined(attrs.allowClear)) ? (attrs.allowClear === '') ? true : (attrs.allowClear.toLowerCase() === 'true') : false; if($select.multiple){ $select.sizeSearchInput(); } } }; }]) /** * Highlights text that matches $select.search. * * Taken from AngularUI Bootstrap Typeahead * See https://github.com/angular-ui/bootstrap/blob/0.10.0/src/typeahead/typeahead.js#L340 */ .filter('highlight', function() { function escapeRegexp(queryToEscape) { return queryToEscape.replace(/([.?*+^$[\]\\(){}|-])/g, '\\$1'); } return function(matchItem, query) { return query && matchItem ? matchItem.replace(new RegExp(escapeRegexp(query), 'gi'), '<span class="ui-select-highlight">$&</span>') : matchItem; }; }); }()); angular.module("ui.select").run(["$templateCache", function($templateCache) {$templateCache.put("bootstrap/choices.tpl.html","<ul class=\"ui-select-choices ui-select-choices-content dropdown-menu\" role=\"listbox\" ng-show=\"$select.items.length > 0\"><li class=\"ui-select-choices-group\" id=\"ui-select-choices-{{ $select.generatedId }}\"><div class=\"divider\" ng-show=\"$select.isGrouped && $index > 0\"></div><div ng-show=\"$select.isGrouped\" class=\"ui-select-choices-group-label dropdown-header\" ng-bind=\"$group.name\"></div><div id=\"ui-select-choices-row-{{ $select.generatedId }}-{{$index}}\" class=\"ui-select-choices-row\" ng-class=\"{active: $select.isActive(this), disabled: $select.isDisabled(this)}\" role=\"option\"><a href=\"javascript:void(0)\" class=\"ui-select-choices-row-inner\"></a></div></li></ul>"); $templateCache.put("bootstrap/match-multiple.tpl.html","<span class=\"ui-select-match\"><span ng-repeat=\"$item in $select.selected\"><span style=\"margin-right: 3px;\" class=\"ui-select-match-item btn btn-default btn-xs\" tabindex=\"-1\" type=\"button\" ng-disabled=\"$select.disabled\" ng-click=\"$select.activeMatchIndex = $index;\" ng-class=\"{\'btn-primary\':$select.activeMatchIndex === $index, \'select-locked\':$select.isLocked(this, $index)}\"><span class=\"close ui-select-match-close\" ng-hide=\"$select.disabled\" ng-click=\"$select.removeChoice($index)\">&nbsp;&times;</span> <span uis-transclude-append=\"\"></span></span></span></span>"); $templateCache.put("bootstrap/match.tpl.html","<div class=\"ui-select-match\" ng-hide=\"$select.open\" ng-disabled=\"$select.disabled\" ng-class=\"{\'btn-default-focus\':$select.focus}\"><button aria-label=\"{{ $select.baseTitle }} activate\" type=\"button\" class=\"btn btn-default btn-block ui-select-toggle\" tabindex=\"-1\" ;=\"\" ng-disabled=\"$select.disabled\" ng-click=\"$select.activate()\"><span ng-show=\"$select.isEmpty()\" class=\"ui-select-placeholder text-muted\">{{$select.placeholder}}</span> <span ng-hide=\"$select.isEmpty()\" class=\"ui-select-match-text\" ng-class=\"{\'ui-select-allow-clear\': $select.allowClear && !$select.isEmpty()}\" ng-transclude=\"\"></span> <i class=\"caret pull-right\" ng-click=\"$select.toggle($event)\"></i></button><button aria-label=\"{{ $select.baseTitle }} clear\" type=\"button\" class=\"ui-select-clear\" ng-if=\"$select.allowClear && !$select.isEmpty()\" ng-click=\"$select.select(undefined)\"><i class=\"glyphicon glyphicon-remove\"></i></button></div>"); $templateCache.put("bootstrap/select-multiple.tpl.html","<div class=\"ui-select-container ui-select-multiple ui-select-bootstrap dropdown form-control\" ng-class=\"{open: $select.open}\"><div><div class=\"ui-select-match\"></div><input type=\"text\" autocomplete=\"off\" autocorrect=\"off\" autocapitalize=\"off\" spellcheck=\"false\" class=\"ui-select-search input-xs\" placeholder=\"{{$select.getPlaceholder()}}\" ng-disabled=\"$select.disabled\" ng-hide=\"$select.disabled\" ng-click=\"$select.activate()\" ng-model=\"$select.search\" role=\"combobox\" aria-label=\"{{ $select.baseTitle }}\"></div><div class=\"ui-select-choices\"></div></div>"); $templateCache.put("bootstrap/select.tpl.html","<div class=\"ui-select-container ui-select-bootstrap dropdown\" ng-class=\"{open: $select.open}\"><div class=\"ui-select-match\"></div><input type=\"text\" autocomplete=\"off\" tabindex=\"-1\" aria-expanded=\"true\" aria-label=\"{{ $select.baseTitle }}\" aria-owns=\"ui-select-choices-{{ $select.generatedId }}\" aria-activedescendant=\"ui-select-choices-row-{{ $select.generatedId }}-{{ $select.activeIndex }}\" class=\"form-control ui-select-search\" placeholder=\"{{$select.placeholder}}\" ng-model=\"$select.search\" ng-show=\"$select.searchEnabled && $select.open\"><div class=\"ui-select-choices\"></div></div>"); $templateCache.put("select2/choices.tpl.html","<ul class=\"ui-select-choices ui-select-choices-content select2-results\"><li class=\"ui-select-choices-group\" ng-class=\"{\'select2-result-with-children\': $select.choiceGrouped($group) }\"><div ng-show=\"$select.choiceGrouped($group)\" class=\"ui-select-choices-group-label select2-result-label\" ng-bind=\"$group.name\"></div><ul role=\"listbox\" id=\"ui-select-choices-{{ $select.generatedId }}\" ng-class=\"{\'select2-result-sub\': $select.choiceGrouped($group), \'select2-result-single\': !$select.choiceGrouped($group) }\"><li role=\"option\" id=\"ui-select-choices-row-{{ $select.generatedId }}-{{$index}}\" class=\"ui-select-choices-row\" ng-class=\"{\'select2-highlighted\': $select.isActive(this), \'select2-disabled\': $select.isDisabled(this)}\"><div class=\"select2-result-label ui-select-choices-row-inner\"></div></li></ul></li></ul>"); $templateCache.put("select2/match-multiple.tpl.html","<span class=\"ui-select-match\"><li class=\"ui-select-match-item select2-search-choice\" ng-repeat=\"$item in $select.selected\" ng-class=\"{\'select2-search-choice-focus\':$select.activeMatchIndex === $index, \'select2-locked\':$select.isLocked(this, $index)}\"><span uis-transclude-append=\"\"></span> <a href=\"javascript:;\" class=\"ui-select-match-close select2-search-choice-close\" ng-click=\"$select.removeChoice($index)\" tabindex=\"-1\"></a></li></span>"); $templateCache.put("select2/match.tpl.html","<a class=\"select2-choice ui-select-match\" ng-class=\"{\'select2-default\': $select.isEmpty()}\" ng-click=\"$select.activate()\" aria-label=\"{{ $select.baseTitle }} select\"><span ng-show=\"$select.isEmpty()\" class=\"select2-chosen\">{{$select.placeholder}}</span> <span ng-hide=\"$select.isEmpty()\" class=\"select2-chosen\" ng-transclude=\"\"></span> <abbr ng-if=\"$select.allowClear && !$select.isEmpty()\" class=\"select2-search-choice-close\" ng-click=\"$select.select(undefined)\"></abbr> <span class=\"select2-arrow ui-select-toggle\" ng-click=\"$select.toggle($event)\"><b></b></span></a>"); $templateCache.put("select2/select-multiple.tpl.html","<div class=\"ui-select-container ui-select-multiple select2 select2-container select2-container-multi\" ng-class=\"{\'select2-container-active select2-dropdown-open open\': $select.open,\n \'select2-container-disabled\': $select.disabled}\"><ul class=\"select2-choices\"><span class=\"ui-select-match\"></span><li class=\"select2-search-field\"><input type=\"text\" autocomplete=\"off\" autocorrect=\"off\" autocapitalize=\"off\" spellcheck=\"false\" role=\"combobox\" aria-expanded=\"true\" aria-owns=\"ui-select-choices-{{ $select.generatedId }}\" aria-label=\"{{ $select.baseTitle }}\" aria-activedescendant=\"ui-select-choices-row-{{ $select.generatedId }}-{{ $select.activeIndex }}\" class=\"select2-input ui-select-search\" placeholder=\"{{$select.getPlaceholder()}}\" ng-disabled=\"$select.disabled\" ng-hide=\"$select.disabled\" ng-model=\"$select.search\" ng-click=\"$select.activate()\" style=\"width: 34px;\"></li></ul><div class=\"select2-drop select2-with-searchbox select2-drop-active\" ng-class=\"{\'select2-display-none\': !$select.open}\"><div class=\"ui-select-choices\"></div></div></div>"); $templateCache.put("select2/select.tpl.html","<div class=\"ui-select-container select2 select2-container\" ng-class=\"{\'select2-container-active select2-dropdown-open open\': $select.open,\n \'select2-container-disabled\': $select.disabled,\n \'select2-container-active\': $select.focus,\n \'select2-allowclear\': $select.allowClear && !$select.isEmpty()}\"><div class=\"ui-select-match\"></div><div class=\"select2-drop select2-with-searchbox select2-drop-active\" ng-class=\"{\'select2-display-none\': !$select.open}\"><div class=\"select2-search\" ng-show=\"$select.searchEnabled\"><input type=\"text\" autocomplete=\"off\" autocorrect=\"off\" autocapitalize=\"off\" spellcheck=\"false\" role=\"combobox\" aria-expanded=\"true\" aria-owns=\"ui-select-choices-{{ $select.generatedId }}\" aria-label=\"{{ $select.baseTitle }}\" aria-activedescendant=\"ui-select-choices-row-{{ $select.generatedId }}-{{ $select.activeIndex }}\" class=\"ui-select-search select2-input\" ng-model=\"$select.search\"></div><div class=\"ui-select-choices\"></div></div></div>"); $templateCache.put("selectize/choices.tpl.html","<div ng-show=\"$select.open\" class=\"ui-select-choices selectize-dropdown single\"><div class=\"ui-select-choices-content selectize-dropdown-content\"><div class=\"ui-select-choices-group optgroup\" role=\"listbox\"><div ng-show=\"$select.isGrouped\" class=\"ui-select-choices-group-label optgroup-header\" ng-bind=\"$group.name\"></div><div role=\"option\" class=\"ui-select-choices-row\" ng-class=\"{active: $select.isActive(this), disabled: $select.isDisabled(this)}\"><div class=\"option ui-select-choices-row-inner\" data-selectable=\"\"></div></div></div></div></div>"); $templateCache.put("selectize/match.tpl.html","<div ng-hide=\"($select.open || $select.isEmpty())\" class=\"ui-select-match\" ng-transclude=\"\"></div>"); $templateCache.put("selectize/select.tpl.html","<div class=\"ui-select-container selectize-control single\" ng-class=\"{\'open\': $select.open}\"><div class=\"selectize-input\" ng-class=\"{\'focus\': $select.open, \'disabled\': $select.disabled, \'selectize-focus\' : $select.focus}\" ng-click=\"$select.activate()\"><div class=\"ui-select-match\"></div><input type=\"text\" autocomplete=\"off\" tabindex=\"-1\" class=\"ui-select-search ui-select-toggle\" ng-click=\"$select.toggle($event)\" placeholder=\"{{$select.placeholder}}\" ng-model=\"$select.search\" ng-hide=\"!$select.searchEnabled || ($select.selected && !$select.open)\" ng-disabled=\"$select.disabled\" aria-label=\"{{ $select.baseTitle }}\"></div><div class=\"ui-select-choices\"></div></div>");}]);
test/integration/hydration/pages/_document.js
JeromeFitz/next.js
import Document, { Head, Html, Main, NextScript } from 'next/document' import React from 'react' class WeddingDocument extends Document { render() { return ( <Html lang="en-GB"> <Head /> <Main /> <NextScript /> </Html> ) } } export default WeddingDocument
admin-app/routes.js
feijihn/lotto
import React from 'react'; import {Route, IndexRoute, Redirect} from 'react-router'; import AdminMain from './components/Main.jsx'; import Index from './components/Index.jsx'; import Products from './components/Products.jsx'; import Rounds from './components/Rounds.jsx'; import PagesIndex from './components/Pages/Index/component.jsx'; import PagesFooter from './components/Pages/Footer/component.jsx'; export default ( <Route path="/" component={AdminMain}> <IndexRoute component={Index} /> <Route path="/products" component={Products} /> <Route path="/rounds" component={Rounds} /> <Route path="/pages/index" component={PagesIndex} /> <Route path="/pages/footer" component={PagesFooter} /> </Route> )
client/src/hooks/tests/useTabFirstShow-test.js
silverstripe/silverstripe-admin
/* global jest, describe, it, expect */ import React from 'react'; import Enzyme, { mount } from 'enzyme'; import Adapter from 'enzyme-adapter-react-16/build/index'; import { useTabFirstShow } from '../useTabContext'; import { Component as Tabs } from 'components/Tabs/Tabs'; import TabItem from 'components/Tabs/TabItem'; Enzyme.configure({ adapter: new Adapter() }); const TabContextPrinter = ({ callback }) => { useTabFirstShow(callback); return <div />; }; describe('useTabFirstShow', () => { it('Not in any tab', () => { const callback = jest.fn(); mount(<TabContextPrinter callback={callback} />); expect(callback).toHaveBeenCalledWith(false); }); it('In active tab', () => { const callback = jest.fn(); mount( <Tabs id="foo" activeTab="active" activateTab={() => (false)}> <TabItem name="active"> <TabContextPrinter callback={callback} /> </TabItem> </Tabs> ); expect(callback).toHaveBeenCalledWith({ activeTab: 'active', currentTab: 'active', isOnActiveTab: true }); }); it('Outside active tab', () => { const callback = jest.fn(); const wrapper = mount( <Tabs id="foo" activeTab="active" activateTab={() => (false)}> <TabItem name="active" /> <TabItem name="secondary"> <TabContextPrinter callback={callback} /> </TabItem> </Tabs> ); expect(callback).not.toHaveBeenCalled(); wrapper.setProps({ activeTab: 'secondary' }); expect(callback).toHaveBeenCalledWith({ activeTab: 'secondary', currentTab: 'secondary', isOnActiveTab: true }); callback.mockClear(); wrapper.setProps({ activeTab: 'active' }); wrapper.setProps({ activeTab: 'secondary' }); expect(callback).not.toHaveBeenCalled(); }); it('active tab inside inactive tab', () => { const callback = jest.fn(); const wrapper = mount( <Tabs id="foo" activeTab="active" activateTab={() => (false)}> <TabItem name="active" /> <TabItem name="secondary"> <Tabs id="bar" activeTab="subactive" activateTab={() => (false)}> <TabItem name="subactive"> <TabContextPrinter callback={callback} /> </TabItem> </Tabs> </TabItem> </Tabs> ); expect(callback).not.toHaveBeenCalled(); wrapper.setProps({ activeTab: 'secondary' }); expect(callback).toHaveBeenCalledWith({ activeTab: 'subactive', currentTab: 'subactive', isOnActiveTab: true }); callback.mockClear(); wrapper.setProps({ activeTab: 'active' }); wrapper.setProps({ activeTab: 'secondary' }); expect(callback).not.toHaveBeenCalled(); }); it('inactive tab inside inactive tab', () => { const callback = jest.fn(); const wrapper = mount( <Tabs id="foo" activeTab="active" activateTab={() => (false)}> <TabItem name="active" /> <TabItem name="secondary"> <Tabs id="bar" activeTab="subactive" activateTab={() => (false)}> <TabItem name="subactive" /> <TabItem name="subinactive"> <TabContextPrinter callback={callback} /> </TabItem> </Tabs> </TabItem> </Tabs> ); expect(callback).not.toHaveBeenCalled(); wrapper.setProps({ activeTab: 'secondary' }); expect(callback).not.toHaveBeenCalled(); }); });
src/firebase.js
petertrotman/critrolemoments
import React from 'react'; import PropTypes from 'prop-types'; import firebase from 'firebase/app'; import 'firebase/database'; import 'firebase/auth'; import firebaseui from 'firebaseui'; import 'firebaseui/dist/firebaseui.css'; export function initFirebase() { return firebase.initializeApp({ apiKey: 'AIzaSyCzGnlp7o5Ul1xUKCSZZ_OGYR6aC2ERFQo', authDomain: 'critrolemoments.firebaseapp.com', databaseURL: 'https://critrolemoments.firebaseio.com', projectId: 'critrolemoments', storageBucket: 'critrolemoments.appspot.com', messagingSenderId: '1038580015751', }); } export function initFirebaseui(firebaseApp) { return new firebaseui.auth.AuthUI(firebaseApp.auth()); } class FirebaseProvider extends React.Component { getChildContext() { return { firebaseApp: this.props.firebaseApp, firebaseuiApp: this.props.firebaseuiApp, }; } render() { return this.props.children; } } export const firebaseAppType = PropTypes.shape({}); export const firebaseuiAppType = PropTypes.shape({}); FirebaseProvider.propTypes = { firebaseApp: firebaseAppType.isRequired, firebaseuiApp: firebaseuiAppType, children: PropTypes.node.isRequired, }; FirebaseProvider.defaultProps = { firebaseuiApp: undefined, }; FirebaseProvider.childContextTypes = { firebaseApp: firebaseAppType, firebaseuiApp: firebaseuiAppType, }; export { FirebaseProvider }; const withFirebase = (Component) => { const FirebaseComponent = (props, context) => ( <Component {...props} firebaseApp={context.firebaseApp} firebaseuiApp={context.firebaseuiApp} /> ); FirebaseComponent.contextTypes = { firebaseApp: firebaseAppType, firebaseuiApp: firebaseuiAppType, }; FirebaseComponent.displayName = `withFirebase(${Component.displayName || Component.name || 'Component'})`; return FirebaseComponent; }; export { withFirebase };
__tests__/index.ios.js
7kfpun/AudienceNetworkReactNative
import 'react-native'; import React from 'react'; import Index from '../index.ios.js'; // Note: test renderer must be required after react-native. import renderer from 'react-test-renderer'; it('renders correctly', () => { const tree = renderer.create( <Index /> ); });
src/scripts/components/MainLayout/MainLayout.js
Joywok/Joywok-Mobility-Framework
import React from 'react'; import styles from './../../../styles/MainLayout.css'; import Header from './Header'; import Footer from './Footer'; import Nav from './Nav'; function MainLayout({ children, location }) { return ( <div className={styles.normal}> <Header location={location} /> <Nav/> <div className={styles.content}> <div className={styles.main}> {children} </div> </div> <Footer/> </div> ); } export default MainLayout;
docs/static/js/30.cc637a85.chunk.js
yurizhang/ishow
webpackJsonp([30],{198:function(n,e,t){"use strict";function o(n,e){if(!(n instanceof e))throw new TypeError("Cannot call a class as a function")}function i(n,e){if(!n)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?n:e}function r(n,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);n.prototype=Object.create(e&&e.prototype,{constructor:{value:n,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(n,e):n.__proto__=e)}var a=t(0),s=t.n(a),l=t(8),p=t.n(l),c=t(1),u=t.n(c),d=t(237),A=t.n(d),h=t(230),m=(t.n(h),function(){function n(n,e){for(var t=0;t<e.length;t++){var o=e[t];o.enumerable=o.enumerable||!1,o.configurable=!0,"value"in o&&(o.writable=!0),Object.defineProperty(n,o.key,o)}}return function(e,t,o){return t&&n(e.prototype,t),o&&n(e,o),e}}()),f=function(n){function e(n){o(this,e);var t=i(this,(e.__proto__||Object.getPrototypeOf(e)).call(this,n)),r=n.children;return t.state={children:r&&t.enhanceChildren(r)},t.didEnter=t.didEnter.bind(t),t.didLeave=t.didLeave.bind(t),t}return r(e,n),m(e,[{key:"componentWillReceiveProps",value:function(n){var e=s.a.isValidElement(this.props.children)&&s.a.Children.only(this.props.children),t=s.a.isValidElement(n.children)&&s.a.Children.only(n.children);if(!n.name)return void this.setState({children:t});this.isViewComponent(t)?this.setState({children:this.enhanceChildren(t,{show:!e||e.props.show})}):t&&this.setState({children:this.enhanceChildren(t)})}},{key:"componentDidUpdate",value:function(n){if(this.props.name){var e=s.a.isValidElement(this.props.children)&&s.a.Children.only(this.props.children),t=s.a.isValidElement(n.children)&&s.a.Children.only(n.children);this.isViewComponent(e)?t&&t.props.show||!e.props.show?t&&t.props.show&&!e.props.show&&this.toggleHidden():this.toggleVisible():!t&&e?this.toggleVisible():t&&!e&&this.toggleHidden()}}},{key:"enhanceChildren",value:function(n,e){var t=this;return s.a.cloneElement(n,Object.assign({ref:function(n){t.el=n}},e))}},{key:"isViewComponent",value:function(n){return n&&"View"===n.type._typeName}},{key:"animateElement",value:function(n,e,t,o){n.classList.add(t);var i=getComputedStyle(n),r=parseFloat(i.animationDuration)||parseFloat(i.transitionDuration);if(n.classList.add(e),0===r){var a=getComputedStyle(n),s=parseFloat(a.animationDuration)||parseFloat(a.transitionDuration);clearTimeout(this.timeout),this.timeout=setTimeout(function(){o()},1e3*s)}n.classList.remove(e,t)}},{key:"didEnter",value:function(n){var e=p.a.findDOMNode(this.el);if(n&&n.target===e){var t=this.props.onAfterEnter,o=this.transitionClass,i=o.enterActive,r=o.enterTo;e.classList.remove(i,r),e.removeEventListener("transitionend",this.didEnter),e.removeEventListener("animationend",this.didEnter),t&&t()}}},{key:"didLeave",value:function(n){var e=this,t=p.a.findDOMNode(this.el);if(n&&n.target===t){var o=this.props,i=o.onAfterLeave,r=o.children,a=this.transitionClass,s=a.leaveActive,l=a.leaveTo;new Promise(function(n){e.isViewComponent(r)?(t.removeEventListener("transitionend",e.didLeave),t.removeEventListener("animationend",e.didLeave),A()(function(){t.style.display="none",t.classList.remove(s,l),A()(n)})):e.setState({children:null},n)}).then(function(){i&&i()})}}},{key:"toggleVisible",value:function(){var n=this,e=this.props.onEnter,t=this.transitionClass,o=t.enter,i=t.enterActive,r=t.enterTo,a=t.leaveActive,s=t.leaveTo,l=p.a.findDOMNode(this.el);l.addEventListener("transitionend",this.didEnter),l.addEventListener("animationend",this.didEnter),A()(function(){l.classList.contains(a)&&(l.classList.remove(a,s),l.removeEventListener("transitionend",n.didLeave),l.removeEventListener("animationend",n.didLeave)),l.style.display="",l.classList.add(o,i),e&&e(),A()(function(){l.classList.remove(o),l.classList.add(r)})})}},{key:"toggleHidden",value:function(){var n=this,e=this.props.onLeave,t=this.transitionClass,o=t.leave,i=t.leaveActive,r=t.leaveTo,a=t.enterActive,s=t.enterTo,l=p.a.findDOMNode(this.el);l.addEventListener("transitionend",this.didLeave),l.addEventListener("animationend",this.didLeave),A()(function(){l.classList.contains(a)&&(l.classList.remove(a,s),l.removeEventListener("transitionend",n.didEnter),l.removeEventListener("animationend",n.didEnter)),l.classList.add(o,i),e&&e(),A()(function(){l.classList.remove(o),l.classList.add(r)})})}},{key:"render",value:function(){return this.state.children||null}},{key:"transitionClass",get:function(){var n=this.props.name;return{enter:n+"-enter",enterActive:n+"-enter-active",enterTo:n+"-enter-to",leave:n+"-leave",leaveActive:n+"-leave-active",leaveTo:n+"-leave-to"}}}]),e}(a.Component);e.a=f,f.propTypes={name:u.a.string,onEnter:u.a.func,onAfterEnter:u.a.func,onLeave:u.a.func,onAfterLeave:u.a.func}},201:function(n,e,t){var o=t(215);"string"===typeof o&&(o=[[n.i,o,""]]);var i={hmr:!1};i.transform=void 0;t(193)(o,i);o.locals&&(n.exports=o.locals)},207:function(n,e,t){var o=t(235);"string"===typeof o&&(o=[[n.i,o,""]]);var i={hmr:!1};i.transform=void 0;t(193)(o,i);o.locals&&(n.exports=o.locals)},208:function(n,e,t){n.exports=t.p+"static/media/ishow-icons.d2f69a92.woff"},209:function(n,e,t){n.exports=t.p+"static/media/ishow-icons.b02bdc1b.ttf"},211:function(n,e,t){"use strict";function o(n){var e=window.getComputedStyle(n),t=e.getPropertyValue("box-sizing"),o=parseFloat(e.getPropertyValue("padding-bottom"))+parseFloat(e.getPropertyValue("padding-top")),i=parseFloat(e.getPropertyValue("border-bottom-width"))+parseFloat(e.getPropertyValue("border-top-width"));return{contextStyle:f.map(function(n){return n+":"+e.getPropertyValue(n)}).join(";"),paddingSize:o,borderSize:i,boxSizing:t}}function i(n,e,t){h||(h=document.createElement("textarea"),document.body&&document.body.appendChild(h));var i=o(n),r=i.paddingSize,a=i.borderSize,s=i.boxSizing,l=i.contextStyle;h.setAttribute("style",l+";"+m),h.value=n.value||n.placeholder||"";var p=h.scrollHeight;"border-box"===s?p+=a:"content-box"===s&&(p-=r),h.value="";var c=h.scrollHeight-r;if(null!==e&&void 0!==e){var u=c*e;"border-box"===s&&(u=u+r+a),p=Math.max(u,p)}if(null!==t&&void 0!==t){var d=c*t;"border-box"===s&&(d=d+r+a),p=Math.min(d,p)}return{height:p+"px"}}function r(n,e){var t={};for(var o in n)e.indexOf(o)>=0||Object.prototype.hasOwnProperty.call(n,o)&&(t[o]=n[o]);return t}function a(n,e){if(!(n instanceof e))throw new TypeError("Cannot call a class as a function")}function s(n,e){if(!n)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?n:e}function l(n,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);n.prototype=Object.create(e&&e.prototype,{constructor:{value:n,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(n,e):n.__proto__=e)}var p=t(0),c=t.n(p),u=t(1),d=t.n(u),A=t(50),h=(t(260),void 0),m="\n height:0 !important;\n visibility:hidden !important;\n overflow:hidden !important;\n position:absolute !important;\n z-index:-1000 !important;\n top:0 !important;\n right:0 !important\n",f=["letter-spacing","line-height","padding-top","padding-bottom","font-family","font-weight","font-size","text-rendering","text-transform","width","text-indent","padding-left","padding-right","border-width","box-sizing"],b=function(){function n(n,e){for(var t=0;t<e.length;t++){var o=e[t];o.enumerable=o.enumerable||!1,o.configurable=!0,"value"in o&&(o.writable=!0),Object.defineProperty(n,o.key,o)}}return function(e,t,o){return t&&n(e.prototype,t),o&&n(e,o),e}}(),C=function(n){function e(n){a(this,e);var t=s(this,(e.__proto__||Object.getPrototypeOf(e)).call(this,n));return t.state={textareaStyle:{resize:n.resize}},t}return l(e,n),b(e,[{key:"componentDidMount",value:function(){this.resizeTextarea()}},{key:"focus",value:function(){var n=this;setTimeout(function(){(n.refs.input||n.refs.textarea).focus()})}},{key:"blur",value:function(){var n=this;setTimeout(function(){(n.refs.input||n.refs.textarea).blur()})}},{key:"fixControlledValue",value:function(n){return"undefined"===typeof n||null===n?"":n}},{key:"handleChange",value:function(n){var e=this.props.onChange;e&&e(n.target.value),this.resizeTextarea()}},{key:"handleFocus",value:function(n){var e=this.props.onFocus;e&&e(n)}},{key:"handleBlur",value:function(n){var e=this.props.onBlur;e&&e(n)}},{key:"handleIconClick",value:function(){this.props.onIconClick&&this.props.onIconClick()}},{key:"resizeTextarea",value:function(){var n=this.props,e=n.autosize,t=n.type;if(e&&"textarea"===t){var o=e.minRows,r=e.maxRows,a=i(this.refs.textarea,o,r);this.setState({textareaStyle:Object.assign({},this.state.textareaStyle,a)})}}},{key:"render",value:function(){var n=this.props,e=n.type,t=n.size,o=n.prepend,i=n.append,a=n.icon,s=n.autoComplete,l=n.validating,p=n.rows,u=n.onMouseEnter,d=n.onMouseLeave,A=r(n,["type","size","prepend","append","icon","autoComplete","validating","rows","onMouseEnter","onMouseLeave"]),h=this.classNames("textarea"===e?"ishow-textarea":"ishow-input",t&&"ishow-input--"+t,{"is-disabled":this.props.disabled,"ishow-input-group":o||i,"ishow-input-group--append":!!i,"ishow-input-group--prepend":!!o});return"value"in this.props&&(A.value=this.fixControlledValue(this.props.value),delete A.defaultValue),delete A.resize,delete A.style,delete A.autosize,delete A.onIconClick,"textarea"===e?c.a.createElement("div",{style:this.style(),className:this.className(h)},c.a.createElement("textarea",Object.assign({},A,{ref:"textarea",className:"ishow-textarea__inner",style:this.state.textareaStyle,rows:p,onChange:this.handleChange.bind(this),onFocus:this.handleFocus.bind(this),onBlur:this.handleBlur.bind(this)}))):c.a.createElement("div",{style:this.style(),className:this.className(h),onMouseEnter:u,onMouseLeave:d},o&&c.a.createElement("div",{className:"ishow-input-group__prepend"},o),"string"===typeof a?c.a.createElement("i",{className:"ishow-input__icon ishow-icon-"+a,onClick:this.handleIconClick.bind(this)},o):a,c.a.createElement("input",Object.assign({},A,{ref:"input",type:e,className:"ishow-input__inner",autoComplete:s,onChange:this.handleChange.bind(this),onFocus:this.handleFocus.bind(this),onBlur:this.handleBlur.bind(this)})),l&&c.a.createElement("i",{className:"ishow-input__icon ishow-icon-loading"}),i&&c.a.createElement("div",{className:"ishow-input-group__append"},i))}}]),e}(A.b);e.a=C;C.defaultProps={type:"text",autosize:!1,rows:2,autoComplete:"off"},C.propTypes={type:d.a.string,icon:d.a.oneOfType([d.a.element,d.a.string]),disabled:d.a.bool,name:d.a.string,placeholder:d.a.string,readOnly:d.a.bool,autoFocus:d.a.bool,maxLength:d.a.number,minLength:d.a.number,defaultValue:d.a.any,value:d.a.any,size:d.a.oneOf(["large","small","mini"]),prepend:d.a.node,append:d.a.node,autosize:d.a.oneOfType([d.a.bool,d.a.object]),rows:d.a.number,resize:d.a.oneOf(["none","both","horizontal","vertical"]),onFocus:d.a.func,onBlur:d.a.func,onChange:d.a.func,onIconClick:d.a.func,onMouseEnter:d.a.func,onMouseLeave:d.a.func,autoComplete:d.a.string,inputSelect:d.a.func,form:d.a.string,validating:d.a.bool}},212:function(n,e,t){"use strict";function o(n,e){if(!(n instanceof e))throw new TypeError("Cannot call a class as a function")}function i(n,e){if(!n)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?n:e}function r(n,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);n.prototype=Object.create(e&&e.prototype,{constructor:{value:n,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(n,e):n.__proto__=e)}var a=t(0),s=t.n(a),l=t(50),p=function(){function n(n,e){for(var t=0;t<e.length;t++){var o=e[t];o.enumerable=o.enumerable||!1,o.configurable=!0,"value"in o&&(o.writable=!0),Object.defineProperty(n,o.key,o)}}return function(e,t,o){return t&&n(e.prototype,t),o&&n(e,o),e}}(),c=function(n){function e(){return o(this,e),i(this,(e.__proto__||Object.getPrototypeOf(e)).apply(this,arguments))}return r(e,n),p(e,[{key:"componentDidMount",value:function(){this.beforeEnter(),this.props.isShow&&this.enter()}},{key:"componentWillUnmount",value:function(){this.beforeLeave(),this.leave()}},{key:"componentWillReceiveProps",value:function(n){this.props.isShow!==n.isShow&&this.triggerChange(n.isShow)}},{key:"triggerChange",value:function(n){clearTimeout(this.enterTimer),clearTimeout(this.leaveTimer),n?(this.beforeEnter(),this.enter()):(this.beforeLeave(),this.leave())}},{key:"beforeEnter",value:function(){var n=this.selfRef;n.dataset.oldPaddingTop=n.style.paddingTop,n.dataset.oldPaddingBottom=n.style.paddingBottom,n.dataset.oldOverflow=n.style.overflow,n.style.height="0",n.style.paddingTop=0,n.style.paddingBottom=0}},{key:"enter",value:function(){var n=this,e=this.selfRef;e.style.display="block",0!==e.scrollHeight?(e.style.height=e.scrollHeight+"px",e.style.paddingTop=e.dataset.oldPaddingTop,e.style.paddingBottom=e.dataset.oldPaddingBottom):(e.style.height="",e.style.paddingTop=e.dataset.oldPaddingTop,e.style.paddingBottom=e.dataset.oldPaddingBottom),e.style.overflow="hidden",this.enterTimer=setTimeout(function(){return n.afterEnter()},300)}},{key:"afterEnter",value:function(){var n=this.selfRef;n&&void 0!==n.style&&(n.style.display="block",n.style.height="",n.style.overflow=n.dataset.oldOverflow)}},{key:"beforeLeave",value:function(){var n=this.selfRef;n.dataset.oldPaddingTop=n.style.paddingTop,n.dataset.oldPaddingBottom=n.style.paddingBottom,n.dataset.oldOverflow=n.style.overflow,n.style.display="block",0!==n.scrollHeight&&(n.style.height=n.scrollHeight+"px"),n.style.overflow="hidden"}},{key:"leave",value:function(){var n=this,e=this.selfRef;0!==e.scrollHeight&&(e.style.height=0,e.style.paddingTop=0,e.style.paddingBottom=0),this.leaveTimer=setTimeout(function(){return n.afterLeave()},300)}},{key:"afterLeave",value:function(){var n=this.selfRef;n&&(n.style.display="none",n.style.height="",n.style.overflow=n.dataset.oldOverflow,n.style.paddingTop=n.dataset.oldPaddingTop,n.style.paddingBottom=n.dataset.oldPaddingBottom)}},{key:"render",value:function(){var n=this;return s.a.createElement("div",{className:"collapse-transition",style:{overflow:"hidden"},ref:function(e){return n.selfRef=e}},this.props.children)}}]),e}(l.b);e.a=c},213:function(n,e,t){"use strict";var o=t(216),i=t(217);o.a.Item=i.a,e.a=o.a},215:function(n,e,t){e=n.exports=t(192)(!0),e.push([n.i,'body{font-family:Helvetica Neue,Helvetica,PingFang SC,Hiragino Sans GB,Microsoft YaHei,\\\\5FAE\\8F6F\\96C5\\9ED1,Arial,sans-serif}.App-logo{-webkit-animation:App-logo-spin infinite 20s linear;animation:App-logo-spin infinite 20s linear;height:80px}.App-header{background-color:#222;padding:20px;color:#fff}.App-intro{font-size:large}table.grid{border-collapse:collapse;width:90%;background-color:#fff;color:#5e6d82;font-size:14px;margin-bottom:45px;line-height:1.5em}table.grid td:first-child,table.grid th:first-child{padding-left:10px}table.grid td,table.grid th{border-bottom:1px solid #eaeefb;padding:10px;max-width:250px}.table-smallSize{font-size:12px}.table-smallSize td{height:28px!important}.icon-list{overflow:hidden;list-style:none;padding:0;border-radius:4px;width:100%;margin:0 auto}.icon-list li{float:left;width:10%;text-align:center;height:120px;line-height:120px;color:#333;font-size:13px;-webkit-transition:color .15s linear;-o-transition:color .15s linear;transition:color .15s linear;border:1px solid #eaeefb;margin-right:-1px;margin-bottom:-1px}.icon-list li span{display:inline-block;line-height:normal;vertical-align:middle;font-family:Helvetica Neue,Helvetica,PingFang SC,Hiragino Sans GB,Microsoft YaHei,SimSun,sans-serif;color:#99a9bf}.icon-list li span i{color:#333;font-size:20px;width:100%;padding:5px 0;margin-bottom:10px}.bg-blue{background-color:#409eff}.bg-success{background-color:#13ce66}.bg-warning{background-color:#f7ba2a}.bg-info{background-color:#20a0ff}.bg-danger{background-color:#ff4949}.bg-text-primary{background-color:#1f2d3d}.bg-text-regular{background-color:#324057}.bg-text-secondary{background-color:#475669}.bg-text-placeholder{background-color:#c0c4cc}.bg-border-base{background-color:#8492a6}.bg-border-light{background-color:#99a9bf}.bg-border-lighter{background-color:#c0ccda}.bg-border-extra-light{background-color:#f2f6fc}.bg-border-gray{background-color:#d3dce6}.bg-border-lightgray{background-color:#e5e9f2}.bg-border-lightergray{background-color:#eff2f7}.demo-color-box{width:120px;display:inline-block;margin-right:20px}.demo-color-box,.demo-color-box-vertical{border-radius:4px;padding:20px;height:74px;-webkit-box-sizing:border-box;box-sizing:border-box;color:#fff;font-size:14px}.demo-color-box-vertical{width:200px}.demo-color-box .value{font-size:12px;opacity:.69;line-height:24px}.demo-color-box-group .demo-color-box:first-child{border-radius:4px 4px 0 0}.demo-color-box-group{display:inline-block;margin-right:30px}@-webkit-keyframes App-logo-spin{0%{-webkit-transform:rotate(0deg);transform:rotate(0deg)}to{-webkit-transform:rotate(1turn);transform:rotate(1turn)}}@keyframes App-logo-spin{0%{-webkit-transform:rotate(0deg);transform:rotate(0deg)}to{-webkit-transform:rotate(1turn);transform:rotate(1turn)}}.dialog{text-align:left}.codeCollapse .ishow-collapse-item__content{background:#000;font-size:16px}.lost-404-title{color:#2d8cf0;font-size:100px;text-align:center;margin-bottom:0}.lost-404-content{color:#999;text-align:center;top:80px}.login-form{width:500px;height:auto;border-radius:10px;border:1px solid #ccc;padding:50px 100px 50px 0;background:#fff}.login-btn{width:100%}.codeCollapse .ishow-collapse-item__content{overflow-x:auto!important}.QueryCriteriaModule{margin-top:20px}.QueryCriteriaModule_ShowPart{position:relative;overflow:hidden}.QueryCriteriaModule .QueryCriteriaModule_Row{margin-bottom:20px}.QueryCriteriaModule .QueryCriteriaModule_Row>.QueryCriteriaModule_Col{text-align:center}.QueryCriteriaModule_Col>label{display:inline-block;width:16%;text-align:left;vertical-align:middle}.QueryCriteriaModule_Col>.QueryCriteriaModule_Input{width:70%;margin-left:2%}.QueryCriteriaModule_Expend{border-bottom:1px dashed #ddd;margin:35px 0;position:relative;width:100%}.QueryCriteriaModule_Expend>.QueryCriteriaModule_Expend_Button{position:absolute;text-align:center;right:0;top:-16px;width:80px;display:inline-block;margin:0 auto}.QueryCriteriaModule_CollapsePart{display:none}.QueryCriteriaModule_Button{text-align:center;margin:30px 0}.QueryCriteriaModule_DatePicker{display:inline-block;width:70%;margin-left:10px}.QueryCriteriaModule_DatePicker .ishow-date-editor.ishow-input{width:auto!important}.QueryCriteriaModule_DatePicker .ishow-date-editor{width:45%}.QueryCriteriaModule_rangeSpliter{display:inline-block;width:10%}.my-autocomplete-poi li{line-height:normal!important}.ishow-customItem-detail{overflow:hidden;-o-text-overflow:ellipsis;text-overflow:ellipsis;display:block}div.aniInput div{width:200px;margin:15px 10px 0 0}.box{width:400px}.box .top{text-align:center}.box .ishow-tooltip{margin-left:0}.box .item{margin:4px}.ishow-tooltip{display:inline-block}.box .left{float:left;width:60px}.box .right{float:right;width:60px}.box .bottom{clear:both;text-align:center}.grade{font-size:28px}.intro-block h3{font-size:22px;margin:45px 0 15px}.block{padding:54px 0;display:inline-block;width:50%;text-align:center}.block,.halfBlock{border:1px solid #eff2f6}.halfBlock{padding:24px}.contentFont{display:inline-block;vertical-align:top}#typography{font-size:28px;color:typography}.contentFont p{margin:8px 0;font-size:14px;color:#5e6d82}.contentFont h3{font-size:22px;margin:45px 0 15px}.demo_box{border:1px solid #eaeefb;height:200px;width:200px;position:relative;margin-top:20px;display:inline-block;margin-right:17px}.pingfang .hchf{font-family:PingFang SC}.hiragino .hchf{font-family:Hiragino Sans GB}.microsoft .hchf{font-family:Microsoft YaHei}.helveticaN .hchf{font-family:Helvetica Neue}.helvetica .hchf{font-family:Helvetica}.arial .hchf{font-family:Arial}.hchf{font-size:40px;color:#1f2d3d;text-align:center;line-height:160px;padding-bottom:36px}.little_box{width:100%;height:35px;line-height:35px;position:absolute;bottom:0;font-size:14px;color:#8492a6;text-align:left;text-indent:10px;border-top:1px solid #eaeefb}.language_style{font-size:12px;padding:18px 24px;line-height:1.8}.font-family{color:#c08b30}.token.string{color:#22a2c9}.token1.string{color:#5e6687}.demo-size1 p{color:#1f2f3d;font-family:Microsoft YaHei,\\ \\5FAE\\8F6F\\96C5\\9ED1}.demo-size2 p{color:#1f2f3d;font-family:\\\\5B8B\\4F53}.demo-size3 p{color:#1f2f3d;font-family:Helvetica Neue}.demo-size4 p{color:#1f2f3d;font-family:Helvetica}.demo-size5 p{color:#1f2f3d;font-family:PingFang SC}.demo-size6 p{color:#1f2f3d;font-family:Hiragino Sans GB}.demo-size7 p{color:#1f2f3d;font-family:Arial}.demo-size8 p{color:#1f2f3d;font-family:"sans-serif"}.demo-size1,.demo-size2,.demo-size3,.demo-size4,.demo-size5,.demo-size6,.demo-size7,.demo-size8,caption{color:#22a2c9;font-size:18px;caption-side:top}.demo-size1,.demo-size2,.demo-size3,.demo-size4,.demo-size5,.demo-size6,.demo-size7,.demo-size8,.h1 p{font-size:20px}.demo-size1,.demo-size2,.demo-size3,.demo-size4,.demo-size5,.demo-size6,.demo-size7,.demo-size8,.h2 p{font-size:18px}.demo-size1,.demo-size2,.demo-size3,.demo-size4,.demo-size5,.demo-size6,.demo-size7,.demo-size8,.h3 p{font-size:16px}.demo-size1,.demo-size2,.demo-size3,.demo-size4,.demo-size5,.demo-size6,.demo-size7,.demo-size8,.text-regular p{font-size:14px}.demo-size1,.demo-size2,.demo-size3,.demo-size4,.demo-size5,.demo-size6,.demo-size7,.demo-size8,.text-smaller p{font-size:12px}.color-dark,.demo-size1,.demo-size2,.demo-size3,.demo-size4,.demo-size5,.demo-size6,.demo-size7,.demo-size8{color:#99a9bf;font-size:16px}.thomas{font-family:thomas!important}.songti{font-family:\\\\5B8B\\4F53}.yahei{font-family:Microsoft YaHei,\\\\5FAE\\8F6F\\96C5\\9ED1}.numbers{font-size:24px;color:#1f2d3d;text-align:center;line-height:160px;padding-bottom:36px}.demo-box .demonstration{font-size:14px;color:#8492a6;line-height:44px}.demo-box .demonstration+.el-slider{float:right;width:70%;margin-right:20px}.demo-form .ishow-input{width:33.3%}.demo-form .ishow-textarea__inner{width:33%}.demo-form .ishow-input-group{width:33%!important;margin-top:15px}.ishow-input-for-select .ishow-input{width:100%}.ishow-tabs__active-bar{height:2px!important}.ishow-tabs--card>.ishow-tabs__header .ishow-tabs__item.is-active{background-color:#20a0ff;color:#fff;border-bottom-color:#20a0ff!important}.QueryCriteriaModule .QueryCriteriaModule_Row>.QueryCriteriaModule_Col,.QueryCriteriaModule_Button{text-align:left!important}.ishow_dialog--small{min-width:600px}.ishow-select-dropdown__list{min-height:10px}.allInOneBreadCrumbs{position:relative;display:block!important;line-height:30px;border-bottom:1px solid #f0f0f0}table{border-collapse:separate!important}.ishow-table .cell,.ishow-table th>div{padding-left:4px!important}.ishow-table{font-size:12px!important;text-align:left!important;margin-top:30px;margin-bottom:30px}.ishow-table td,.ishow-table th{height:28px!important;line-height:28px!important}.ishow-table th>.cell,.ishow-table th>.cell span{line-height:28px!important}.ishow-table_2_column_4{border-right:none!important}.checkbox_margin .ishow-checkbox{margin-bottom:15px!important}.checkbox_margin .ishow-table{margin-top:0!important}.block{display:block!important;text-align:left;border:none;padding-top:20px;padding-bottom:20px}.ishow-button--large,.QueryCriteriaModule_Expend_Button{font-size:12px!important}.ishow-tabs__header{border-bottom:1px solid #20a0ff!important}.search-tabs .ishow-tabs__header,.tabs_border_bottom .ishow-tabs__header{border-bottom:1px solid #d1dbe5!important}.ishow-select-dropdown__list{height:200px!important;overflow-y:visible!important;overflow-x:hidden!important}.ishow-select-dropdown__wrap ::-webkit-scrollbar{width:10px;height:0;background-color:#fff}.ishow-select-dropdown__wrap ::-webkit-scrollbar-thumb{background-color:#eee}.ishow-autocomplete-suggestion__list{height:250px;overflow:scroll}.my-autocomplete.ishow-scrollbar__wrap{height:250px}.ishow-popper{top:38px!important;left:0!important}#cascaderTips{font-size:12px;margin:14px 0}#floating-panel{position:absolute;top:10px;left:25%;z-index:5;background-color:#fff;padding:5px;border:1px solid #999;text-align:center;font-family:Roboto,"sans-serif";line-height:30px;padding-left:10px}.popup-tip-anchor{height:0;position:absolute;width:200px}.popup-bubble-anchor{position:absolute;width:100%;bottom:8px;left:0}.popup-bubble-anchor:after{content:"";position:absolute;top:0;left:0;-webkit-transform:translate(-50%);-ms-transform:translate(-50%);transform:translate(-50%);width:0;height:0;border-left:6px solid transparent;border-right:6px solid transparent;border-top:8px solid #fff}.popup-bubble-content{position:absolute;top:0;left:0;-webkit-transform:translate(-50%,-100%);-ms-transform:translate(-50%,-100%);transform:translate(-50%,-100%);background-color:#fff;padding:5px;border-radius:5px;font-family:sans-serif;overflow-y:auto;max-height:60px;-webkit-box-shadow:0 2px 10px 1px rgba(0,0,0,.5);box-shadow:0 2px 10px 1px rgba(0,0,0,.5)}.context-contain{width:280px;height:50px;position:absolute;margin:0;outline:0;vertical-align:baseline;background:#fff;border:0;-webkit-box-shadow:0 10px 40px rgba(0,0,0,.2);box-shadow:0 10px 40px rgba(0,0,0,.2);border-radius:8px;white-space:nowrap}.context-contain:before{content:"";position:absolute;bottom:-6px;left:50%;margin-left:-5px;width:0;height:0;border-left:5px solid transparent;border-right:5px solid transparent;border-top:6px solid #fff}.context-img{position:absolute;top:0;left:0;width:50px;border-top-left-radius:8px;border-bottom-left-radius:8px;height:50px;background:#ebebeb}.context-text{position:absolute;left:65px;right:60px;top:50%;-webkit-transform:translateY(-50%);-ms-transform:translateY(-50%);transform:translateY(-50%)}.context-text span{width:100%;line-height:20px;overflow:hidden;height:20px;white-space:nowrap;font-weight:700;-o-text-overflow:ellipsis;text-overflow:ellipsis;display:block}.context-text .subtext{font-weight:400;font-size:12px;line-height:16px;height:16px}.context-link{position:absolute;right:0;top:0;width:60px;font-size:14px;color:#3cc;text-align:center;line-height:50px}',"",{version:3,sources:["E:/demo/demo/src/components/ui/App.css"],names:[],mappings:"AAAA,KAEI,wHAA0H,CAC7H,AAED,UACI,oDAAqD,AAC7C,4CAA6C,AACrD,WAAa,CAChB,AAED,YACI,sBAAuB,AACvB,aAAc,AACd,UAAa,CAChB,AAED,WACI,eAAiB,CACpB,AAED,WACI,yBAA0B,AAC1B,UAAW,AACX,sBAAuB,AACvB,cAAe,AACf,eAAgB,AAChB,mBAAoB,AACpB,iBAAmB,CACtB,AAED,oDAEI,iBAAmB,CACtB,AAED,4BAEI,gCAAiC,AACjC,aAAc,AACd,eAAiB,CACpB,AAED,iBACI,cAAe,CAClB,AAED,oBACI,qBAAuB,CAC1B,AAID,WACI,gBAAiB,AACjB,gBAAiB,AACjB,UAAW,AACX,kBAAmB,AACnB,WAAY,AACZ,aAAe,CAClB,AAED,cACI,WAAY,AACZ,UAAW,AACX,kBAAmB,AACnB,aAAc,AACd,kBAAmB,AACnB,WAAY,AACZ,eAAgB,AAChB,qCAAsC,AACtC,gCAAiC,AACjC,6BAA8B,AAC9B,yBAA0B,AAC1B,kBAAmB,AACnB,kBAAoB,CACvB,AAED,mBACI,qBAAsB,AACtB,mBAAoB,AACpB,sBAAuB,AACvB,oGAAmH,AACnH,aAAe,CAClB,AAED,qBACI,WAAY,AACZ,eAAgB,AAChB,WAAY,AACZ,cAAe,AACf,kBAAoB,CACvB,AAID,SACI,wBAA0B,CAC7B,AAED,YACI,wBAA0B,CAC7B,AAED,YACI,wBAA0B,CAC7B,AAED,SACI,wBAA0B,CAC7B,AAED,WACI,wBAA0B,CAC7B,AAED,iBACI,wBAA0B,CAC7B,AAED,iBACI,wBAA0B,CAC7B,AAED,mBACI,wBAA0B,CAC7B,AAED,qBACI,wBAA0B,CAC7B,AAED,gBACI,wBAA0B,CAC7B,AAED,iBACI,wBAA0B,CAC7B,AAED,mBACI,wBAA0B,CAC7B,AAED,uBACI,wBAA0B,CAC7B,AAED,gBACI,wBAA0B,CAC7B,AAED,qBACI,wBAA0B,CAC7B,AAED,uBACI,wBAA0B,CAC7B,AAED,gBAQI,YAAa,AACb,qBAAsB,AACtB,iBAAmB,CACtB,AAED,yCAZI,kBAAmB,AACnB,aAAc,AACd,YAAa,AACb,8BAA+B,AACvB,sBAAuB,AAC/B,WAAY,AACZ,cAAgB,CAenB,AATD,yBAQI,WAAa,CAChB,AAED,uBACI,eAAgB,AAChB,YAAa,AACb,gBAAkB,CACrB,AAED,kDACI,yBAA2B,CAC9B,AAED,sBACI,qBAAsB,AACtB,iBAAmB,CACtB,AAID,iCACI,GACI,+BAAgC,AACxB,sBAAwB,CACnC,AACD,GACI,gCAAkC,AAC1B,uBAA0B,CACrC,CACJ,AAED,yBACI,GACI,+BAAgC,AACxB,sBAAwB,CACnC,AACD,GACI,gCAAkC,AAC1B,uBAA0B,CACrC,CACJ,AAID,QACI,eAAiB,CACpB,AAED,4CACI,gBAAiB,AACjB,cAAgB,CACnB,AAID,gBACI,cAAe,AACf,gBAAiB,AACjB,kBAAmB,AACnB,eAAgB,CACnB,AAED,kBACI,WAAY,AACZ,kBAAmB,AACnB,QAAU,CACb,AAID,YACI,YAAa,AACb,YAAa,AACb,mBAAoB,AACpB,sBAAuB,AACvB,0BAA2B,AAC3B,eAAiB,CACpB,AAID,WACI,UAAY,CACf,AAED,4CACI,yBAA4B,CAC/B,AAID,qBACI,eAAiB,CACpB,AAED,8BACI,kBAAmB,AACnB,eAAiB,CACpB,AAED,8CACI,kBAAoB,CACvB,AAED,uEACI,iBAAmB,CACtB,AAED,+BACI,qBAAsB,AACtB,UAAW,AACX,gBAAiB,AACjB,qBAAuB,CAC1B,AAED,oDACI,UAAW,AACX,cAAgB,CACnB,AAED,4BACI,8BAA+B,AAC/B,cAAiB,AACjB,kBAAmB,AACnB,UAAY,CACf,AAED,+DACI,kBAAmB,AACnB,kBAAmB,AACnB,QAAS,AACT,UAAW,AACX,WAAY,AACZ,qBAAsB,AACtB,aAAe,CAClB,AAED,kCACI,YAAc,CACjB,AAED,4BACI,kBAAmB,AACnB,aAAe,CAClB,AAED,gCACI,qBAAsB,AACtB,UAAW,AACX,gBAAkB,CACrB,AAED,+DACI,oBAAuB,CAC1B,AAED,mDACI,SAAW,CACd,AAED,kCACI,qBAAsB,AACtB,SAAW,CACd,AAID,wBACI,4BAA+B,CAClC,AAED,yBACI,gBAAiB,AACjB,0BAA2B,AACxB,uBAAwB,AAC3B,aAAe,CAClB,AAED,iBACI,YAAa,AACb,oBAAsB,CACzB,AAID,KACE,WAAa,CACd,AACD,UACE,iBAAmB,CACpB,AACD,oBACE,aAAe,CAChB,AAED,WACE,UAAY,CACb,AACD,eACE,oBAAsB,CACvB,AACD,WACE,WAAY,AACZ,UAAY,CACb,AACD,YACE,YAAa,AACb,UAAY,CACb,AACD,aACE,WAAY,AACZ,iBAAmB,CACpB,AAGD,OACE,cAAgB,CACjB,AACD,gBACE,eAAgB,AAChB,kBAAmB,CACpB,AACD,OACE,eAAgB,AAChB,qBAAqB,AACrB,UAAU,AAEV,iBAAmB,CACpB,AAED,kBAJE,wBAAyB,CAO1B,AAHD,WAEE,YAAc,CACf,AASD,aAEE,qBAAsB,AACtB,kBAAoB,CACnB,AACH,YACE,eAAgB,AAChB,gBAAkB,CACnB,AACD,eACE,aAAa,AACb,eAAgB,AAChB,aAAc,CACf,AACD,gBACE,eAAgB,AAEhB,kBAAmB,CACpB,AACD,UACE,yBAA0B,AAC1B,aAAc,AACd,YAAY,AACZ,kBAAmB,AACnB,gBAAgB,AAGhB,qBAAsB,AACtB,iBAAmB,CACpB,AAED,gBACE,uBAAyB,CAC1B,AACD,gBACE,4BAA8B,CAC/B,AACD,iBACE,2BAA6B,CAC9B,AAED,kBACE,0BAA4B,CAC7B,AACD,iBACE,qBAAuB,CACxB,AACD,aACE,iBAAmB,CACpB,AAED,MACE,eAAe,AACf,cAAc,AACd,kBAAmB,AACnB,kBAAmB,AACnB,mBAAqB,CACtB,AACD,YACE,WAAW,AACX,YAAa,AACb,iBAAkB,AAClB,kBAAkB,AAClB,SAAU,AACV,eAAgB,AAChB,cAAc,AACd,gBAAiB,AACjB,iBAAiB,AACjB,4BAA6B,CAC9B,AAED,gBACE,eAAe,AACf,kBAAmB,AACnB,eAAiB,CAClB,AACD,aACE,aAAe,CAChB,AACD,cACE,aAAe,CAChB,AACD,eACE,aAAc,CACf,AAED,cACE,cAAc,AACd,kDAAoC,CACrC,AACD,cACE,cAAc,AACd,uBAAmB,CACpB,AACD,cACE,cAAc,AACd,0BAA+B,CAChC,AAED,cACE,cAAc,AACd,qBAA0B,CAC3B,AACD,cACE,cAAc,AACd,uBAA4B,CAC7B,AACD,cACE,cAAc,AACd,4BAAiC,CAClC,AACD,cACE,cAAc,AACd,iBAAsB,CACvB,AACD,cACE,cAAc,AACd,wBAA2B,CAC5B,AAGD,wGACE,cAAc,AACd,eAAgB,AAChB,gBAAgB,CACjB,AACD,sGACE,cAAgB,CAEjB,AACD,sGACE,cAAe,CAChB,AACD,sGACE,cAAgB,CACjB,AACD,gHACE,cAAe,CAChB,AACD,gHACE,cAAe,CAChB,AACD,4GACE,cAAc,AACd,cAAe,CAChB,AAED,QACE,4BAA+B,CAChC,AAED,QACE,uBAAkB,CACnB,AACD,OACE,iDAAuC,CACxC,AACD,SACE,eAAgB,AAChB,cAAe,AACf,kBAAmB,AACnB,kBAAmB,AACnB,mBAAqB,CACtB,AAED,yBACE,eAAgB,AAChB,cAAe,AACf,gBAAkB,CACnB,AACD,oCACE,YAAa,AACb,UAAW,AACX,iBAAmB,CACpB,AACD,wBACI,WAAa,CAChB,AACD,kCACI,SAAY,CACf,AACD,8BACI,oBAAsB,AACtB,eAAiB,CACpB,AAED,qCACI,UAAW,CACd,AAUD,wBACI,oBAAuB,CAE1B,AACD,kEACI,yBAA0B,AAC1B,WAAY,AACZ,qCAAwC,CAC3C,AAQD,mGACI,yBAA4B,CAC/B,AAGD,qBACI,eAAiB,CACpB,AACD,6BACI,eAAiB,CACpB,AACD,qBACI,kBAAmB,AACnB,wBAA0B,AAC1B,iBAAkB,AAClB,+BAAiC,CACpC,AACD,MACI,kCAAqC,CACxC,AACD,uCAEI,0BAA4B,CAC/B,AACD,aACI,yBAA0B,AAC1B,0BAA2B,AAC3B,gBAAgB,AAChB,kBAAmB,CACtB,AACD,gCAEI,sBAAuB,AACvB,0BAA6B,CAChC,AAID,iDACI,0BAA6B,CAChC,AACD,wBACI,2BAA8B,CACjC,AAED,iCACI,4BAA+B,CAClC,AAED,8BACI,sBAAwB,CAC3B,AAED,OACI,wBAA0B,AAC1B,gBAAgB,AAChB,YAAa,AACb,iBAAkB,AAClB,mBAAqB,CACxB,AAMD,wDACI,wBAA2B,CAC9B,AACD,oBACI,yCAA4C,CAC/C,AAID,yEACI,yCAA4C,CAC/C,AACD,6BACI,uBAAyB,AACzB,6BAA+B,AAC/B,2BAA8B,CAEjC,AAID,iDACI,WAAY,AACZ,SAAY,AACZ,qBAAuB,CAC1B,AAeD,uDAII,qBAAuB,CAC1B,AAID,qCACI,aAAc,AACd,eAAiB,CACpB,AACD,uCACI,YAAc,CACjB,AACD,cACI,mBAAqB,AACrB,gBAAoB,CACvB,AACD,cACG,eAAgB,AAChB,aAAiB,CACnB,AAED,gBACI,kBAAmB,AACnB,SAAU,AACV,SAAU,AACV,UAAW,AACX,sBAAuB,AACvB,YAAa,AACb,sBAAuB,AACvB,kBAAmB,AACnB,gCAAmC,AACnC,iBAAkB,AAClB,iBAAmB,CACtB,AAGD,kBACI,SAAU,AACV,kBAAmB,AAEnB,WAAa,CACd,AAED,qBACE,kBAAmB,AACnB,WAAY,AACZ,WAA8B,AAC9B,MAAQ,CACT,AAED,2BACE,WAAY,AACZ,kBAAmB,AACnB,MAAO,AACP,OAAQ,AAER,kCAAsC,AAClC,8BAAkC,AAC9B,0BAA8B,AAEtC,QAAS,AACT,SAAU,AAEV,kCAAmC,AACnC,mCAAoC,AACpC,yBAA8C,CAC/C,AAED,sBACE,kBAAmB,AACnB,MAAO,AACP,OAAQ,AACR,wCAA0C,AACtC,oCAAsC,AAClC,gCAAkC,AAE1C,sBAAwB,AACxB,YAAa,AACb,kBAAmB,AACnB,uBAAwB,AACxB,gBAAiB,AACjB,gBAAiB,AACjB,iDAAqD,AAC7C,wCAA6C,CACtD,AAED,iBACE,YAAa,AACb,YAAa,AACb,kBAAmB,AACnB,SAAU,AACV,UAAW,AACX,wBAAyB,AAEzB,gBAAiB,AACjB,SAAU,AACV,8CAA+C,AACvC,sCAAuC,AAC/C,kBAAmB,AAGnB,kBAAoB,CACrB,AACH,wBACQ,WAAY,AACZ,kBAAmB,AACnB,YAAa,AACb,SAAU,AACV,iBAAkB,AAClB,QAAS,AACT,SAAU,AACV,kCAAmC,AACnC,mCAAoC,AACpC,yBAA2B,CAChC,AACD,aACE,kBAAmB,AACnB,MAAO,AACP,OAAQ,AACR,WAAY,AACZ,2BAA4B,AAC5B,8BAA+B,AAC/B,YAAa,AACb,kBAAoB,CACrB,AACD,cACE,kBAAmB,AACnB,UAAW,AACX,WAAY,AACZ,QAAS,AACT,mCAAoC,AACpC,+BAAgC,AAChC,0BAA4B,CAC7B,AACD,mBACQ,WAAY,AACV,iBAAkB,AAClB,gBAAiB,AACjB,YAAa,AACb,mBAAoB,AACpB,gBAAiB,AACjB,0BAA2B,AACxB,uBAAwB,AAC3B,aAAe,CACxB,AACD,uBACE,gBAAiB,AACjB,eAAgB,AAChB,iBAAkB,AAClB,WAAa,CACd,AACD,cACE,kBAAmB,AACnB,QAAS,AACT,MAAO,AACP,WAAY,AACZ,eAAgB,AAChB,WAAY,AACZ,kBAAmB,AACnB,gBAAkB,CACnB",file:"App.css",sourcesContent:['body {\n /* \u5b57\u4f53 */\n font-family: "Helvetica Neue", Helvetica, "PingFang SC", "Hiragino Sans GB", "Microsoft YaHei", "\u5fae\u8f6f\u96c5\u9ed1", Arial, sans-serif;\n}\n\n.App-logo {\n -webkit-animation: App-logo-spin infinite 20s linear;\n animation: App-logo-spin infinite 20s linear;\n height: 80px;\n}\n\n.App-header {\n background-color: #222;\n padding: 20px;\n color: white;\n}\n\n.App-intro {\n font-size: large;\n}\n\ntable.grid {\n border-collapse: collapse;\n width: 90%;\n background-color: #fff;\n color: #5e6d82;\n font-size: 14px;\n margin-bottom: 45px;\n line-height: 1.5em;\n}\n\ntable.grid th:first-child,\ntable.grid td:first-child {\n padding-left: 10px;\n}\n\ntable.grid td,\ntable.grid th {\n border-bottom: 1px solid #eaeefb;\n padding: 10px;\n max-width: 250px;\n}\n\n.table-smallSize {\n font-size: 12px\n}\n\n.table-smallSize td {\n height: 28px !important\n}\n\n/* \u56fe\u6807 */\n\n.icon-list {\n overflow: hidden;\n list-style: none;\n padding: 0;\n border-radius: 4px;\n width: 100%;\n margin: 0 auto;\n}\n\n.icon-list li {\n float: left;\n width: 10%;\n text-align: center;\n height: 120px;\n line-height: 120px;\n color: #333;\n font-size: 13px;\n -webkit-transition: color .15s linear;\n -o-transition: color .15s linear;\n transition: color .15s linear;\n border: 1px solid #eaeefb;\n margin-right: -1px;\n margin-bottom: -1px;\n}\n\n.icon-list li span {\n display: inline-block;\n line-height: normal;\n vertical-align: middle;\n font-family: \'Helvetica Neue\', Helvetica, \'PingFang SC\', \'Hiragino Sans GB\', \'Microsoft YaHei\', SimSun, sans-serif;\n color: #99a9bf;\n}\n\n.icon-list li span i {\n color: #333;\n font-size: 20px;\n width: 100%;\n padding: 5px 0;\n margin-bottom: 10px;\n}\n\n/* for Color.jsx */\n\n.bg-blue {\n background-color: #409eff;\n}\n\n.bg-success {\n background-color: #13CE66;\n}\n\n.bg-warning {\n background-color: #F7BA2A;\n}\n\n.bg-info {\n background-color: #20A0FF;\n}\n\n.bg-danger {\n background-color: #FF4949;\n}\n\n.bg-text-primary {\n background-color: #1F2D3D;\n}\n\n.bg-text-regular {\n background-color: #324057;\n}\n\n.bg-text-secondary {\n background-color: #475669;\n}\n\n.bg-text-placeholder {\n background-color: #c0c4cc;\n}\n\n.bg-border-base {\n background-color: #8492A6;\n}\n\n.bg-border-light {\n background-color: #99A9BF;\n}\n\n.bg-border-lighter {\n background-color: #C0CCDA;\n}\n\n.bg-border-extra-light {\n background-color: #f2f6fc;\n}\n\n.bg-border-gray {\n background-color: #D3DCE6;\n}\n\n.bg-border-lightgray {\n background-color: #E5E9F2;\n}\n\n.bg-border-lightergray {\n background-color: #EFF2F7;\n}\n\n.demo-color-box {\n border-radius: 4px;\n padding: 20px;\n height: 74px;\n -webkit-box-sizing: border-box;\n box-sizing: border-box;\n color: #fff;\n font-size: 14px;\n width: 120px;\n display: inline-block;\n margin-right: 20px;\n}\n\n.demo-color-box-vertical {\n border-radius: 4px;\n padding: 20px;\n height: 74px;\n -webkit-box-sizing: border-box;\n box-sizing: border-box;\n color: #fff;\n font-size: 14px;\n width: 200px;\n}\n\n.demo-color-box .value {\n font-size: 12px;\n opacity: .69;\n line-height: 24px;\n}\n\n.demo-color-box-group .demo-color-box:first-child {\n border-radius: 4px 4px 0 0;\n}\n\n.demo-color-box-group {\n display: inline-block;\n margin-right: 30px;\n}\n\n/* for Color.jsx */\n\n@-webkit-keyframes App-logo-spin {\n from {\n -webkit-transform: rotate(0deg);\n transform: rotate(0deg);\n }\n to {\n -webkit-transform: rotate(360deg);\n transform: rotate(360deg);\n }\n}\n\n@keyframes App-logo-spin {\n from {\n -webkit-transform: rotate(0deg);\n transform: rotate(0deg);\n }\n to {\n -webkit-transform: rotate(360deg);\n transform: rotate(360deg);\n }\n}\n\n/* \u5f39\u51fa\u7a97\u53e3 */\n\n.dialog {\n text-align: left;\n}\n\n.codeCollapse .ishow-collapse-item__content {\n background: #000;\n font-size: 16px;\n}\n\n/* 404\u9875\u9762\u6837\u5f0f */\n\n.lost-404-title {\n color: #2d8cf0;\n font-size: 100px;\n text-align: center;\n margin-bottom: 0\n}\n\n.lost-404-content {\n color: #999;\n text-align: center;\n top: 80px;\n}\n\n/*\u767b\u5f55\u8868\u5355\u6837\u5f0f*/\n\n.login-form {\n width: 500px;\n height: auto;\n border-radius: 10px;\n border: 1px solid #ccc;\n padding: 50px 100px 50px 0;\n background: #fff;\n}\n\n\n\n.login-btn {\n width: 100%;\n}\n\n.codeCollapse .ishow-collapse-item__content {\n overflow-x: auto !important;\n}\n\n/* QueryCriteriaModule START*/\n\n.QueryCriteriaModule {\n margin-top: 20px;\n}\n\n.QueryCriteriaModule_ShowPart {\n position: relative;\n overflow: hidden;\n}\n\n.QueryCriteriaModule .QueryCriteriaModule_Row {\n margin-bottom: 20px;\n}\n\n.QueryCriteriaModule .QueryCriteriaModule_Row>.QueryCriteriaModule_Col {\n text-align: center;\n}\n\n.QueryCriteriaModule_Col>label {\n display: inline-block;\n width: 16%;\n text-align: left;\n vertical-align: middle;\n}\n\n.QueryCriteriaModule_Col>.QueryCriteriaModule_Input {\n width: 70%;\n margin-left: 2%;\n}\n\n.QueryCriteriaModule_Expend {\n border-bottom: 1px dashed #ddd;\n margin: 35px 0px;\n position: relative;\n width: 100%;\n}\n\n.QueryCriteriaModule_Expend>.QueryCriteriaModule_Expend_Button {\n position: absolute;\n text-align: center;\n right: 0;\n top: -16px;\n width: 80px;\n display: inline-block;\n margin: 0 auto;\n}\n\n.QueryCriteriaModule_CollapsePart {\n display: none;\n}\n\n.QueryCriteriaModule_Button {\n text-align: center;\n margin: 30px 0;\n}\n\n.QueryCriteriaModule_DatePicker {\n display: inline-block;\n width: 70%;\n margin-left: 10px;\n}\n\n.QueryCriteriaModule_DatePicker .ishow-date-editor.ishow-input {\n width: auto !important;\n}\n\n.QueryCriteriaModule_DatePicker .ishow-date-editor {\n width: 45%;\n}\n\n.QueryCriteriaModule_rangeSpliter {\n display: inline-block;\n width: 10%;\n}\n\n/* QueryCriteriaModule END */\n\n.my-autocomplete-poi li {\n line-height: normal !important;\n}\n\n.ishow-customItem-detail {\n overflow: hidden;\n -o-text-overflow: ellipsis;\n text-overflow: ellipsis;\n display: block;\n}\n\ndiv.aniInput div {\n width: 200px;\n margin: 15px 10px 0 0;\n}\n\n\n\n.box {\n width: 400px;\n}\n.box .top {\n text-align: center;\n}\n.box .ishow-tooltip {\n margin-left: 0;\n}\n\n.box .item {\n margin: 4px;\n}\n.ishow-tooltip {\n display: inline-block;\n}\n.box .left {\n float: left;\n width: 60px;\n}\n.box .right {\n float: right;\n width: 60px;\n}\n.box .bottom {\n clear: both;\n text-align: center;\n}\n\n\n.grade {\n font-size: 28px;\n}\n.intro-block h3{\n font-size: 22px;\n margin:45px 0 15px;\n}\n.block{\n padding: 54px 0;\n display:inline-block;\n width:50%;\n border:1px solid #eff2f6;\n text-align: center;\n}\n\n.halfBlock{\n border:1px solid #eff2f6;\n padding: 24px;\n}\n\n\n/* .container{\n width: 1140px;\n padding: 60px 30px;\n margin: 0 auto;\n box-sizing: border-box;\n} */\n.contentFont{\n /* padding:60px,189px,95px,219px; */\n display: inline-block;\n vertical-align: top;\n }\n#typography{\n font-size: 28px;\n color: typography;\n}\n.contentFont p{\n margin:8px 0;\n font-size: 14px;\n color:#5e6d82;\n}\n.contentFont h3{\n font-size: 22px;\n /* margin-top: 22px; */\n margin:45px 0 15px;\n}\n.demo_box{\n border: 1px solid #eaeefb;\n height: 200px;\n width:200px;\n position: relative;\n margin-top:20px;\n /* font-size:40px; */\n /* color:#1f2d3d; */\n display: inline-block;\n margin-right: 17px;\n}\n\n.pingfang .hchf{\n font-family: PingFang SC;\n} \n.hiragino .hchf{\n font-family: Hiragino Sans GB;\n}\n.microsoft .hchf{\n font-family: Microsoft YaHei;\n}\n\n.helveticaN .hchf{\n font-family: Helvetica Neue;\n}\n.helvetica .hchf{\n font-family: Helvetica;\n}\n.arial .hchf{\n font-family: Arial;\n}\n\n.hchf{\n font-size:40px;\n color:#1f2d3d;\n text-align: center;\n line-height: 160px;\n padding-bottom: 36px;\n}\n.little_box{\n width:100%;\n height: 35px;\n line-height: 35px;\n position:absolute;\n bottom: 0;\n font-size: 14px;\n color:#8492a6;\n text-align: left;\n text-indent:10px;\n border-top:1px solid #eaeefb;\n}\n\n.language_style{\n font-size:12px;\n padding: 18px 24px;\n line-height: 1.8;\n}\n.font-family{\n color:#c08b30 ;\n}\n.token.string{\n color: #22a2c9;\n}\n.token1.string{\n color:#5e6687;\n}\n\n.demo-size1 p{\n color:#1f2f3d;\n font-family:"Microsoft YaHei, \u5fae\u8f6f\u96c5\u9ed1";\n}\n.demo-size2 p{\n color:#1f2f3d;\n font-family: "\u5b8b\u4f53";\n}\n.demo-size3 p{\n color:#1f2f3d;\n font-family: "Helvetica Neue";\n}\n\n.demo-size4 p{\n color:#1f2f3d;\n font-family: "Helvetica";\n}\n.demo-size5 p{\n color:#1f2f3d;\n font-family: "PingFang SC";\n}\n.demo-size6 p{\n color:#1f2f3d;\n font-family: "Hiragino Sans GB";\n}\n.demo-size7 p{\n color:#1f2f3d;\n font-family: "Arial";\n}\n.demo-size8 p{\n color:#1f2f3d;\n font-family: "sans-serif";\n}\n\n\n.demo-size1, .demo-size2, .demo-size3, .demo-size4, .demo-size5, .demo-size6, .demo-size7, .demo-size8, caption{\n color:#22a2c9;\n font-size: 18px;\n caption-side:top\n}\n.demo-size1, .demo-size2, .demo-size3, .demo-size4, .demo-size5, .demo-size6, .demo-size7, .demo-size8, .h1 p{\n font-size: 20px;\n /* color:#1f2f3d; */\n}\n.demo-size1, .demo-size2, .demo-size3, .demo-size4, .demo-size5, .demo-size6, .demo-size7, .demo-size8, .h2 p{\n font-size:18px;\n}\n.demo-size1, .demo-size2, .demo-size3, .demo-size4, .demo-size5, .demo-size6, .demo-size7, .demo-size8, .h3 p{\n font-size: 16px;\n}\n.demo-size1, .demo-size2, .demo-size3, .demo-size4, .demo-size5, .demo-size6, .demo-size7, .demo-size8, .text-regular p{\n font-size:14px;\n}\n.demo-size1, .demo-size2, .demo-size3, .demo-size4, .demo-size5, .demo-size6, .demo-size7, .demo-size8, .text-smaller p{\n font-size:12px;\n}\n.demo-size1, .demo-size2, .demo-size3, .demo-size4, .demo-size5, .demo-size6, .demo-size7, .demo-size8, .color-dark {\n color:#99a9bf;\n font-size:16px;\n}\n\n.thomas{\n font-family: thomas !important;\n}\n\n.songti{\n font-family: \'\u5b8b\u4f53\';\n}\n.yahei{\n font-family: "Microsoft YaHei", "\u5fae\u8f6f\u96c5\u9ed1"\n}\n.numbers{\n font-size: 24px;\n color: #1f2d3d;\n text-align: center;\n line-height: 160px;\n padding-bottom: 36px;\n}\n/*slider*/\n.demo-box .demonstration {\n font-size: 14px;\n color: #8492a6;\n line-height: 44px;\n}\n.demo-box .demonstration + .el-slider {\n float: right;\n width: 70%;\n margin-right: 20px;\n}\n.demo-form .ishow-input{\n width: 33.3%;\n}\n.demo-form .ishow-textarea__inner{\n width: 33% ;\n}\n.demo-form .ishow-input-group{\n width: 33% !important;\n margin-top: 15px;\n}\n\n.ishow-input-for-select .ishow-input {\n width: 100%\n}\n\n\n/* .demo-form .ishow-icon-time{\n left: 379px !important;\n} */\n/* .mine */\n/* .ishow-table {\n font-size: 12px !important;\n} */\n.ishow-tabs__active-bar{\n height: 2px !important;\n \n}\n.ishow-tabs--card>.ishow-tabs__header .ishow-tabs__item.is-active{\n background-color:#20a0ff ;\n color: #fff;\n border-bottom-color: #20a0ff !important;\n}\n/* .jilin .ishow-tabs__header{\n border-bottom: 1px solid #20a0ff;\n\n} */\n.QueryCriteriaModule_Button{\n text-align: left !important;\n}\n.QueryCriteriaModule .QueryCriteriaModule_Row>.QueryCriteriaModule_Col{\n text-align: left !important;\n}\n\n\n.ishow_dialog--small{\n min-width: 600px;\n}\n.ishow-select-dropdown__list{\n min-height: 10px;\n}\n.allInOneBreadCrumbs{\n position: relative;\n display: block !important;\n line-height: 30px;\n border-bottom: 1px solid #f0f0f0;\n}\ntable{\n border-collapse: separate !important;\n}\n.ishow-table .cell,\n.ishow-table th>div {\n padding-left:4px !important;\n}\n.ishow-table{\n font-size:12px !important;\n text-align:left !important;\n margin-top:30px;\n margin-bottom:30px;\n}\n.ishow-table td,\n.ishow-table th{\n height:28px !important;\n line-height: 28px !important;\n}\n.ishow-table th>.cell{\n line-height: 28px !important;\n}\n.ishow-table th>.cell span{\n line-height: 28px !important;\n}\n.ishow-table_2_column_4{\n border-right: none !important;\n}\n\n.checkbox_margin .ishow-checkbox {\n margin-bottom: 15px !important;\n}\n\n.checkbox_margin .ishow-table {\n margin-top:0 !important;\n}\n\n.block{\n display: block !important;\n text-align:left;\n border: none; \n padding-top: 20px;\n padding-bottom: 20px;\n}\n\n\n.ishow-button--large{\n font-size: 12px !important;\n}\n.QueryCriteriaModule_Expend_Button {\n font-size: 12px !important;\n}\n.ishow-tabs__header{\n border-bottom: 1px solid #20a0ff !important;\n}\n.tabs_border_bottom .ishow-tabs__header {\n border-bottom: 1px solid #d1dbe5 !important;\n}\n.search-tabs .ishow-tabs__header {\n border-bottom: 1px solid #d1dbe5 !important;\n}\n.ishow-select-dropdown__list {\n height: 200px !important;\n overflow-y: visible !important;\n overflow-x: hidden !important;\n /* -webkit-scrollbar-base-color:#FEFAF1 !important; */\n}\n\n/*\u5b9a\u4e49\u6eda\u52a8\u6761\u9ad8\u5bbd\u53ca\u80cc\u666f \u9ad8\u5bbd\u5206\u522b\u5bf9\u5e94\u6a2a\u7ad6\u6eda\u52a8\u6761\u7684\u5c3a\u5bf8*/\n\n.ishow-select-dropdown__wrap ::-webkit-scrollbar {\n width: 10px;\n height: 0px;\n background-color: #fff;\n}\n\n/*\u5b9a\u4e49\u6eda\u52a8\u6761\u8f68\u9053 \u5185\u9634\u5f71+\u5706\u89d2*/\n\n/* ::-webkit-scrollbar-track {\n box-shadow: inset 0 0 6px rgba(0, 0, 0, 0.3);\n -webkit-box-shadow: inset 0 0 6px rgba(0, 0, 0, 0.3);\n border-radius: 10px;\n display: none;\n background-color: #F5F5F5;\n\n} */\n\n/*\u5b9a\u4e49\u6ed1\u5757 \u5185\u9634\u5f71+\u5706\u89d2*/\n\n.ishow-select-dropdown__wrap ::-webkit-scrollbar-thumb {\n /* border-radius: 10px; */\n /* box-shadow: inset 0 0 6px rgba(0, 0, 0, .3);\n -webkit-box-shadow: inset 0 0 6px rgba(0, 0, 0, .3); */\n background-color: #eee;\n}\n\n\n/* POI\u9009\u62e9\u57fa\u672c\u7528\u6cd5\u52a0\u6eda\u52a8\u6761*/\n.ishow-autocomplete-suggestion__list{\n height: 250px;\n overflow: scroll;\n}\n.my-autocomplete.ishow-scrollbar__wrap {\n height: 250px;\n}\n.ishow-popper{\n top: 38px !important;\n left:0px !important;\n}\n#cascaderTips{\n font-size: 12px;\n margin: 14px 0px; \n}\n\n#floating-panel {\n position: absolute;\n top: 10px;\n left: 25%;\n z-index: 5;\n background-color: #fff;\n padding: 5px;\n border: 1px solid #999;\n text-align: center;\n font-family: \'Roboto\',\'sans-serif\';\n line-height: 30px;\n padding-left: 10px;\n}\n\n/* The location pointed to by the popup tip. */\n.popup-tip-anchor {\n height: 0;\n position: absolute;\n /* The max width of the info window. */\n width: 200px;\n }\n /* The bubble is anchored above the tip. */\n .popup-bubble-anchor {\n position: absolute;\n width: 100%;\n bottom: /* TIP_HEIGHT= */ 8px;\n left: 0;\n }\n /* Draw the tip. */\n .popup-bubble-anchor::after {\n content: "";\n position: absolute;\n top: 0;\n left: 0;\n /* Center the tip horizontally. */\n -webkit-transform: translate(-50%, 0);\n -ms-transform: translate(-50%, 0);\n transform: translate(-50%, 0);\n /* The tip is a https://css-tricks.com/snippets/css/css-triangle/ */\n width: 0;\n height: 0;\n /* The tip is 8px high, and 12px wide. */\n border-left: 6px solid transparent;\n border-right: 6px solid transparent;\n border-top: /* TIP_HEIGHT= */ 8px solid white;\n }\n /* The popup bubble itself. */\n .popup-bubble-content {\n position: absolute;\n top: 0;\n left: 0;\n -webkit-transform: translate(-50%, -100%);\n -ms-transform: translate(-50%, -100%);\n transform: translate(-50%, -100%);\n /* Style the info window. */\n background-color: white;\n padding: 5px;\n border-radius: 5px;\n font-family: sans-serif;\n overflow-y: auto;\n max-height: 60px;\n -webkit-box-shadow: 0px 2px 10px 1px rgba(0,0,0,0.5);\n box-shadow: 0px 2px 10px 1px rgba(0,0,0,0.5);\n }\n\n .context-contain{\n width: 280px;\n height: 50px;\n position: absolute;\n margin: 0;\n outline: 0;\n vertical-align: baseline;\n /* color: #333; */\n background: #fff;\n border: 0;\n -webkit-box-shadow: 0 10px 40px rgba(0,0,0,.2);\n box-shadow: 0 10px 40px rgba(0,0,0,.2);\n border-radius: 8px;\n /* line-height: 20px; */\n /* font-size: 14px !important; */\n white-space: nowrap;\n }\n.context-contain:before{\n content: "";\n position: absolute;\n bottom: -6px;\n left: 50%;\n margin-left: -5px;\n width: 0;\n height: 0;\n border-left: 5px solid transparent;\n border-right: 5px solid transparent;\n border-top: 6px solid #fff;\n }\n .context-img{\n position: absolute;\n top: 0;\n left: 0;\n width: 50px;\n border-top-left-radius: 8px;\n border-bottom-left-radius: 8px;\n height: 50px;\n background: #ebebeb;\n }\n .context-text{\n position: absolute;\n left: 65px;\n right: 60px;\n top: 50%;\n -webkit-transform: translateY(-50%);\n -ms-transform: translateY(-50%);\n transform: translateY(-50%);\n }\n .context-text span{\n width: 100%;\n line-height: 20px;\n overflow: hidden;\n height: 20px;\n white-space: nowrap;\n font-weight: 700;\n -o-text-overflow: ellipsis;\n text-overflow: ellipsis;\n display: block;\n }\n .context-text .subtext{\n font-weight: 400;\n font-size: 12px;\n line-height: 16px;\n height: 16px; \n }\n .context-link{\n position: absolute;\n right: 0;\n top: 0;\n width: 60px;\n font-size: 14px;\n color: #3cc;\n text-align: center;\n line-height: 50px;\n }'],sourceRoot:""}])},216:function(n,e,t){"use strict";function o(n,e){if(!(n instanceof e))throw new TypeError("Cannot call a class as a function")}function i(n,e){if(!n)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?n:e}function r(n,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);n.prototype=Object.create(e&&e.prototype,{constructor:{value:n,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(n,e):n.__proto__=e)}var a=t(0),s=t.n(a),l=t(1),p=t.n(l),c=t(50),u=t(218),d=(t.n(u),function(){function n(n,e){for(var t=0;t<e.length;t++){var o=e[t];o.enumerable=o.enumerable||!1,o.configurable=!0,"value"in o&&(o.writable=!0),Object.defineProperty(n,o.key,o)}}return function(e,t,o){return t&&n(e.prototype,t),o&&n(e,o),e}}()),A=function(n){function e(n){o(this,e);var t=i(this,(e.__proto__||Object.getPrototypeOf(e)).call(this,n));return t.state={activeNames:[].concat(t.props.value)},t}return r(e,n),d(e,[{key:"componentWillReceiveProps",value:function(n){this.setActiveNames(n.value)}},{key:"setActiveNames",value:function(n){var e=this;n=[].concat(n),this.setState({activeNames:n},function(){return e.props.onChange(n)})}},{key:"handleItemClick",value:function(n){var e=this.state.activeNames;this.props.accordion?this.setActiveNames(e[0]&&e[0]===n?"":n):e.includes(n)?this.setActiveNames(e.filter(function(e){return e!==n})):this.setActiveNames(e.concat(n))}},{key:"render",value:function(){var n=this,e=s.a.Children.map(this.props.children,function(e,t){var o=e.props.name||t.toString();return s.a.cloneElement(e,{isActive:n.state.activeNames.includes(o),key:t,name:o,onClick:function(e){return n.handleItemClick(e)}})});return s.a.createElement("div",{className:"ishow-collapse"},e)}}]),e}(c.b);e.a=A,A.propTypes={accordion:p.a.bool,value:p.a.oneOfType([p.a.array,p.a.string]),onChange:p.a.func},A.defaultProps={value:[],onChange:function(){}}},217:function(n,e,t){"use strict";function o(n,e){if(!(n instanceof e))throw new TypeError("Cannot call a class as a function")}function i(n,e){if(!n)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?n:e}function r(n,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);n.prototype=Object.create(e&&e.prototype,{constructor:{value:n,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(n,e):n.__proto__=e)}var a=t(0),s=t.n(a),l=t(1),p=t.n(l),c=t(50),u=t(220),d=(t.n(u),t(212)),A=function(){function n(n,e){for(var t=0;t<e.length;t++){var o=e[t];o.enumerable=o.enumerable||!1,o.configurable=!0,"value"in o&&(o.writable=!0),Object.defineProperty(n,o.key,o)}}return function(e,t,o){return t&&n(e.prototype,t),o&&n(e,o),e}}(),h=function(n){function e(){return o(this,e),i(this,(e.__proto__||Object.getPrototypeOf(e)).apply(this,arguments))}return r(e,n),A(e,[{key:"render",value:function(){var n=this.props,e=n.title,t=n.isActive,o=n.onClick,i=n.name;return s.a.createElement("div",{className:this.classNames({"ishow-collapse-item":!0,"is-active":t})},s.a.createElement("div",{className:"ishow-collapse-item__header",onClick:function(){return o(i)}},s.a.createElement("i",{className:"ishow-collapse-item__header__arrow ishow-icon-arrow-right"}),e),s.a.createElement(d.a,{isShow:t},s.a.createElement("div",{className:"ishow-collapse-item__wrap"},s.a.createElement("div",{className:"ishow-collapse-item__content"},this.props.children))))}}]),e}(c.b);e.a=h,h.propTypes={onClick:p.a.func,isActive:p.a.bool,title:p.a.node,name:p.a.string}},218:function(n,e,t){var o=t(219);"string"===typeof o&&(o=[[n.i,o,""]]);var i={hmr:!1};i.transform=void 0;t(193)(o,i);o.locals&&(n.exports=o.locals)},219:function(n,e,t){e=n.exports=t(192)(!0),e.push([n.i,".ishow-collapse{border:1px solid #dfe6ec;border-radius:0}.ishow-collapse-item:last-child{margin-bottom:-1px}.ishow-collapse-item.is-active>.ishow-collapse-item__header .ishow-collapse-item__header__arrow{-ms-transform:rotate(90deg);-webkit-transform:rotate(90deg);transform:rotate(90deg)}.ishow-collapse-item__header{height:43px;line-height:43px;padding-left:15px;background-color:#fff;color:#48576a;cursor:pointer;border-bottom:1px solid #dfe6ec;font-size:13px}.ishow-collapse-item__header__arrow{margin-right:8px;-webkit-transition:-webkit-transform .3s;transition:-webkit-transform .3s;-o-transition:transform .3s;transition:transform .3s;transition:transform .3s,-webkit-transform .3s}.ishow-collapse-item__wrap{will-change:height;background-color:#fbfdff;overflow:hidden;-webkit-box-sizing:border-box;box-sizing:border-box;border-bottom:1px solid #dfe6ec}.ishow-collapse-item__content{padding:10px 15px;font-size:13px;color:#1f2d3d;line-height:1.769230769230769}","",{version:3,sources:["E:/demo/demo/src/ishow/Common/css/Collapse.css"],names:[],mappings:"AACA,gBACE,yBAA0B,AAC1B,eAAgB,CACjB,AAED,gCACE,kBAAmB,CACpB,AAED,gGACE,4BAA6B,AAC7B,gCAAiC,AACzB,uBAAwB,CACjC,AAED,6BACE,YAAa,AACb,iBAAkB,AAClB,kBAAmB,AACnB,sBAAuB,AACvB,cAAe,AACf,eAAgB,AAChB,gCAAiC,AACjC,cAAe,CAChB,AAED,oCACE,iBAAkB,AAClB,yCAA0C,AAC1C,iCAAkC,AAClC,4BAA6B,AAC7B,yBAA0B,AAC1B,8CAAgD,CACjD,AAED,2BACE,mBAAoB,AACpB,yBAA0B,AAC1B,gBAAiB,AACjB,8BAA+B,AACvB,sBAAuB,AAC/B,+BAAgC,CACjC,AAED,8BACE,kBAAmB,AACnB,eAAgB,AAChB,cAAe,AACf,6BAA8B,CAC/B",file:"Collapse.css",sourcesContent:['@charset "UTF-8";\r\n.ishow-collapse {\r\n border: 1px solid #dfe6ec;\r\n border-radius: 0\r\n}\r\n\r\n.ishow-collapse-item:last-child {\r\n margin-bottom: -1px\r\n}\r\n\r\n.ishow-collapse-item.is-active>.ishow-collapse-item__header .ishow-collapse-item__header__arrow {\r\n -ms-transform: rotate(90deg);\r\n -webkit-transform: rotate(90deg);\r\n transform: rotate(90deg)\r\n}\r\n\r\n.ishow-collapse-item__header {\r\n height: 43px;\r\n line-height: 43px;\r\n padding-left: 15px;\r\n background-color: #fff;\r\n color: #48576a;\r\n cursor: pointer;\r\n border-bottom: 1px solid #dfe6ec;\r\n font-size: 13px\r\n}\r\n\r\n.ishow-collapse-item__header__arrow {\r\n margin-right: 8px;\r\n -webkit-transition: -webkit-transform .3s;\r\n transition: -webkit-transform .3s;\r\n -o-transition: transform .3s;\r\n transition: transform .3s;\r\n transition: transform .3s, -webkit-transform .3s\r\n}\r\n\r\n.ishow-collapse-item__wrap {\r\n will-change: height;\r\n background-color: #fbfdff;\r\n overflow: hidden;\r\n -webkit-box-sizing: border-box;\r\n box-sizing: border-box;\r\n border-bottom: 1px solid #dfe6ec\r\n}\r\n\r\n.ishow-collapse-item__content {\r\n padding: 10px 15px;\r\n font-size: 13px;\r\n color: #1f2d3d;\r\n line-height: 1.769230769230769\r\n}\r\n'],sourceRoot:""}])},220:function(n,e,t){var o=t(221);"string"===typeof o&&(o=[[n.i,o,""]]);var i={hmr:!1};i.transform=void 0;t(193)(o,i);o.locals&&(n.exports=o.locals)},221:function(n,e,t){e=n.exports=t(192)(!0),e.push([n.i,".ishow-collapse{border:1px solid #dfe6ec;border-radius:0}.ishow-collapse-item:last-child{margin-bottom:-1px}.ishow-collapse-item.is-active>.ishow-collapse-item__header .ishow-collapse-item__header__arrow{-ms-transform:rotate(90deg);-webkit-transform:rotate(90deg);transform:rotate(90deg)}.ishow-collapse-item__header{height:43px;line-height:43px;padding-left:15px;background-color:#fff;color:#48576a;cursor:pointer;border-bottom:1px solid #dfe6ec;font-size:13px}.ishow-collapse-item__header__arrow{margin-right:8px;-webkit-transition:-webkit-transform .3s;transition:-webkit-transform .3s;-o-transition:transform .3s;transition:transform .3s;transition:transform .3s,-webkit-transform .3s}.ishow-collapse-item__wrap{will-change:height;background-color:#fbfdff;overflow:hidden;-webkit-box-sizing:border-box;box-sizing:border-box;border-bottom:1px solid #dfe6ec}.ishow-collapse-item__content{padding:10px 15px;font-size:13px;color:#1f2d3d;line-height:1.769230769230769}","",{version:3,sources:["E:/demo/demo/src/ishow/Common/css/Collapse-item.css"],names:[],mappings:"AACA,gBACE,yBAA0B,AAC1B,eAAgB,CACjB,AAED,gCACE,kBAAmB,CACpB,AAED,gGACE,4BAA6B,AAC7B,gCAAiC,AACzB,uBAAwB,CACjC,AAED,6BACE,YAAa,AACb,iBAAkB,AAClB,kBAAmB,AACnB,sBAAuB,AACvB,cAAe,AACf,eAAgB,AAChB,gCAAiC,AACjC,cAAe,CAChB,AAED,oCACE,iBAAkB,AAClB,yCAA0C,AAC1C,iCAAkC,AAClC,4BAA6B,AAC7B,yBAA0B,AAC1B,8CAAgD,CACjD,AAED,2BACE,mBAAoB,AACpB,yBAA0B,AAC1B,gBAAiB,AACjB,8BAA+B,AACvB,sBAAuB,AAC/B,+BAAgC,CACjC,AAED,8BACE,kBAAmB,AACnB,eAAgB,AAChB,cAAe,AACf,6BAA8B,CAC/B",file:"Collapse-item.css",sourcesContent:['@charset "UTF-8";\r\n.ishow-collapse {\r\n border: 1px solid #dfe6ec;\r\n border-radius: 0\r\n}\r\n\r\n.ishow-collapse-item:last-child {\r\n margin-bottom: -1px\r\n}\r\n\r\n.ishow-collapse-item.is-active>.ishow-collapse-item__header .ishow-collapse-item__header__arrow {\r\n -ms-transform: rotate(90deg);\r\n -webkit-transform: rotate(90deg);\r\n transform: rotate(90deg)\r\n}\r\n\r\n.ishow-collapse-item__header {\r\n height: 43px;\r\n line-height: 43px;\r\n padding-left: 15px;\r\n background-color: #fff;\r\n color: #48576a;\r\n cursor: pointer;\r\n border-bottom: 1px solid #dfe6ec;\r\n font-size: 13px\r\n}\r\n\r\n.ishow-collapse-item__header__arrow {\r\n margin-right: 8px;\r\n -webkit-transition: -webkit-transform .3s;\r\n transition: -webkit-transform .3s;\r\n -o-transition: transform .3s;\r\n transition: transform .3s;\r\n transition: transform .3s, -webkit-transform .3s\r\n}\r\n\r\n.ishow-collapse-item__wrap {\r\n will-change: height;\r\n background-color: #fbfdff;\r\n overflow: hidden;\r\n -webkit-box-sizing: border-box;\r\n box-sizing: border-box;\r\n border-bottom: 1px solid #dfe6ec\r\n}\r\n\r\n.ishow-collapse-item__content {\r\n padding: 10px 15px;\r\n font-size: 13px;\r\n color: #1f2d3d;\r\n line-height: 1.769230769230769\r\n}\r\n'],sourceRoot:""}])},222:function(n,e,t){"use strict";function o(n,e){if(!(n instanceof e))throw new TypeError("Cannot call a class as a function")}function i(n,e){if(!n)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?n:e}function r(n,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);n.prototype=Object.create(e&&e.prototype,{constructor:{value:n,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(n,e):n.__proto__=e)}var a=t(0),s=t.n(a),l=(t(201),{Tree:{Code:["\n import Tree from \"../../ishow/Tree/index\"\n\n constructor(props) {\n super(props);\n \n this.state = {\n data: [{\n label: '\u4e00\u7ea7 1',\n children: [{\n label: '\u4e8c\u7ea7 1-1',\n children: [{\n label: '\u4e09\u7ea7 1-1-1'\n }]\n }]\n }, {\n label: '\u4e00\u7ea7 2',\n children: [{\n label: '\u4e8c\u7ea7 2-1',\n children: [{\n label: '\u4e09\u7ea7 2-1-1'\n }]\n }, {\n label: '\u4e8c\u7ea7 2-2',\n children: [{\n label: '\u4e09\u7ea7 2-2-1'\n }]\n }]\n }, {\n label: '\u4e00\u7ea7 3',\n children: [{\n label: '\u4e8c\u7ea7 3-1',\n children: [{\n label: '\u4e09\u7ea7 3-1-1'\n }]\n }, {\n label: '\u4e8c\u7ea7 3-2',\n children: [{\n label: '\u4e09\u7ea7 3-2-1'\n }]\n }]\n }],\n options: {\n children: 'children',\n label: 'label'\n }\n }\n }\n \n render() {\n return (\n <Tree\n data={this.state.data}\n options={this.state.options}\n highlightCurrent={true}\n onCheckChange={(data, checked, indeterminate)=>{\n console.debug('onCheckChange: ', data, checked, indeterminate)}\n }\n onNodeClicked={(data, reactElement,)=>{\n console.debug('onNodeClicked: ', data, reactElement)\n }}\n />\n )\n }\n ","\n import Tree from \"../../ishow/Tree/index\"\n\n constructor(props) {\n super(props)\n this.state = {\n regions: [{\n 'name': 'region1'\n }, {\n 'name': 'region2'\n }]\n }\n \n this.options = {\n label: 'name',\n children: 'zones'\n }\n this.count = 1\n \n }\n \n handleCheckChange(data, checked, indeterminate) {\n console.log(data, checked, indeterminate);\n }\n \n loadNode(node, resolve) {\n \n if (node.level === 0) {\n return resolve([{ name: 'region1' }, { name: 'region2' }]);\n }\n if (node.level > 3) return resolve([]);\n \n var hasChild;\n if (node.data.name === 'region1') {\n hasChild = true;\n } else if (node.data.name === 'region2') {\n hasChild = false;\n } else {\n hasChild = Math.random() > 0.5;\n }\n \n setTimeout(() => {\n var data;\n if (hasChild) {\n data = [{\n name: 'zone' + this.count++\n }, {\n name: 'zone' + this.count++\n }];\n } else {\n data = [];\n }\n \n resolve(data);\n }, 500);\n }\n \n render() {\n const { regions } = this.state\n \n return (\n <Tree\n data={regions}\n options={this.options}\n isShowCheckbox={true}\n lazy={true}\n load={this.loadNode.bind(this)}\n onCheckChange={this.handleCheckChange.bind(this)}\n onNodeClicked={(data, nodeModel, reactElement, treeNode)=>{\n console.debug('onNodeClicked: ', data, nodeModel, reactElement)\n }}\n />\n )\n }\n ","\n import Tree from \"../../ishow/Tree/index\"\n\n constructor(props) {\n super(props);\n \n this.state = {\n data: [{\n id: 1,\n label: '\u4e00\u7ea7 1',\n children: [{\n id: 4,\n label: '\u4e8c\u7ea7 1-1',\n children: [{\n id: 9,\n label: '\u4e09\u7ea7 1-1-1'\n }, {\n id: 10,\n label: '\u4e09\u7ea7 1-1-2'\n }]\n }]\n }, {\n id: 2,\n label: '\u4e00\u7ea7 2',\n children: [{\n id: 5,\n label: '\u4e8c\u7ea7 2-1'\n }, {\n id: 6,\n label: '\u4e8c\u7ea7 2-2'\n }]\n }, {\n id: 3,\n label: '\u4e00\u7ea7 3',\n children: [{\n id: 7,\n label: '\u4e8c\u7ea7 3-1'\n }, {\n id: 8,\n label: '\u4e8c\u7ea7 3-2'\n }]\n }],\n options: {\n children: 'children',\n label: 'label'\n }\n }\n }\n \n render() {\n const { data, options } = this.state\n \n return (\n <Tree\n data={data}\n options={options}\n isShowCheckbox={true}\n nodeKey=\"id\"\n defaultExpandedKeys={[2, 3]}\n defaultCheckedKeys={[5]}\n />\n )\n } \n ","\n import Tree from \"../../ishow/Tree/index\"\n import Button from '../../ishow/Button/index'\n\n constructor(props) {\n super(props);\n \n this.state = {\n data: [{\n id: 1,\n label: '\u4e00\u7ea7 1',\n children: [{\n id: 4,\n label: '\u4e8c\u7ea7 1-1',\n children: [{\n id: 9,\n label: '\u4e09\u7ea7 1-1-1'\n }, {\n id: 10,\n label: '\u4e09\u7ea7 1-1-2'\n }]\n }]\n }, {\n id: 2,\n label: '\u4e00\u7ea7 2',\n children: [{\n id: 5,\n label: '\u4e8c\u7ea7 2-1'\n }, {\n id: 6,\n label: '\u4e8c\u7ea7 2-2'\n }]\n }, {\n id: 3,\n label: '\u4e00\u7ea7 3',\n children: [{\n id: 7,\n label: '\u4e8c\u7ea7 3-1'\n }, {\n id: 8,\n label: '\u4e8c\u7ea7 3-2'\n }]\n }],\n options: {\n children: 'children',\n label: 'label'\n }\n }\n }\n \n getCheckedNodes() {\n console.log(this.tree.getCheckedNodes());\n }\n getCheckedKeys() {\n console.log(this.tree.getCheckedKeys());\n }\n setCheckedNodes() {\n this.tree.setCheckedNodes([{\n id: 5,\n label: '\u4e8c\u7ea7 2-1'\n }, {\n id: 9,\n label: '\u4e09\u7ea7 1-1-1'\n }]);\n }\n setCheckedKeys() {\n this.tree.setCheckedKeys([3]);\n }\n resetChecked() {\n this.tree.setCheckedKeys([]);\n }\n \n render() {\n const { data, options } = this.state\n \n return (\n <div>\n <Tree\n ref={e=>this.tree = e}\n data={data}\n options={options}\n isShowCheckbox={true}\n highlightCurrent={true}\n nodeKey=\"id\"\n defaultExpandedKeys={[2, 3]}\n defaultCheckedKeys={[5]}\n />\n <div className=\"buttons\">\n <Button onClick={()=>this.getCheckedNodes()}>\u901a\u8fc7 node \u83b7\u53d6</Button>\n <Button onClick={()=>this.getCheckedKeys()}>\u901a\u8fc7 key \u83b7\u53d6</Button>\n <Button onClick={()=>this.setCheckedNodes()}>\u901a\u8fc7 node \u8bbe\u7f6e</Button>\n <Button onClick={()=>this.setCheckedKeys()}>\u901a\u8fc7 key \u8bbe\u7f6e</Button>\n <Button onClick={()=>this.resetChecked()}>\u6e05\u7a7a</Button>\n </div>\n </div>\n )\n }\n ","\n import Tree from \"../../ishow/Tree/index\"\n\n constructor(props) {\n super(props);\n \n this.state = {\n data: [{\n id: 1,\n label: '\u4e00\u7ea7 1',\n children: [{\n id: 4,\n label: '\u4e8c\u7ea7 1-1',\n children: [{\n id: 9,\n label: '\u4e09\u7ea7 1-1-1'\n }, {\n id: 10,\n label: '\u4e09\u7ea7 1-1-2'\n }]\n }]\n }, {\n id: 2,\n label: '\u4e00\u7ea7 2',\n children: [{\n id: 5,\n label: '\u4e8c\u7ea7 2-1'\n }, {\n id: 6,\n label: '\u4e8c\u7ea7 2-2'\n }]\n }, {\n id: 3,\n label: '\u4e00\u7ea7 3',\n children: [{\n id: 7,\n label: '\u4e8c\u7ea7 3-1'\n }, {\n id: 8,\n label: '\u4e8c\u7ea7 3-2'\n }]\n }],\n options: {\n children: 'children',\n label: 'label'\n }\n }\n this.id = 100;\n }\n \n append(store, data) {\n store.append({ id: this.id++, label: `testtest_${this.id}`, children: [] }, data);\n }\n \n remove(store, data) {\n store.remove(data);\n }\n \n renderContent(nodeModel, data, store) {\n return (\n <span>\n <span>\n <span>{data.label}</span>\n </span>\n <span style={{float: 'right', marginRight: '20px'}}>\n <Button size=\"mini\" onClick={ () => this.append(store, data) }>Append</Button>\n <Button size=\"mini\" onClick={ () => this.remove(store, data) }>Delete</Button>\n </span>\n </span>);\n }\n \n render() {\n const { data, options } = this.state\n \n return (\n <Tree\n data={data}\n options={options}\n isShowCheckbox={true}\n nodeKey=\"id\"\n defaultExpandAll={true}\n expandOnClickNode={false}\n renderContent={(...args)=>this.renderContent(...args)}\n />\n )\n }\n ","\n import Tree from \"../../ishow/Tree/index\"\n import Input from \"../../ishow/Input/index\"\n\n constructor(props) {\n super(props);\n \n this.state = {\n data: [{\n id: 1,\n label: '\u4e00\u7ea7 1',\n children: [{\n id: 4,\n label: '\u4e8c\u7ea7 1-1',\n children: [{\n id: 9,\n label: '\u4e09\u7ea7 1-1-1'\n }, {\n id: 10,\n label: '\u4e09\u7ea7 1-1-2'\n }]\n }]\n }, {\n id: 2,\n label: '\u4e00\u7ea7 2',\n children: [{\n id: 5,\n label: '\u4e8c\u7ea7 2-1'\n }, {\n id: 6,\n label: '\u4e8c\u7ea7 2-2'\n }]\n }, {\n id: 3,\n label: '\u4e00\u7ea7 3',\n children: [{\n id: 7,\n label: '\u4e8c\u7ea7 3-1'\n }, {\n id: 8,\n label: '\u4e8c\u7ea7 3-2'\n }]\n }],\n options: {\n children: 'children',\n label: 'label'\n }\n }\n }\n \n render() {\n const { data, options } = this.state\n \n return (\n <div>\n <Input placeholder=\"\u8f93\u5165\u5173\u952e\u5b57\u8fdb\u884c\u8fc7\u6ee4\" onChange={text=> this.tree.filter(text)} />\n <Tree\n ref={e=> this.tree = e}\n className=\"filter-tree\"\n data={data}\n options={options}\n nodeKey=\"id\"\n defaultExpandAll={true}\n filterNodeMethod={(value, data)=>{\n if (!value) return true;\n return data.label.indexOf(value) !== -1;\n }}\n />\n </div>\n \n )\n }\n ","\n import Tree from \"../../ishow/Tree/index\"\n\n constructor(props) {\n super(props);\n \n this.state = {\n data: [{\n label: '\u4e00\u7ea7 1',\n children: [{\n label: '\u4e8c\u7ea7 1-1',\n children: [{\n label: '\u4e09\u7ea7 1-1-1'\n }]\n }]\n }, {\n label: '\u4e00\u7ea7 2',\n children: [{\n label: '\u4e8c\u7ea7 2-1',\n children: [{\n label: '\u4e09\u7ea7 2-1-1'\n }]\n }, {\n label: '\u4e8c\u7ea7 2-2',\n children: [{\n label: '\u4e09\u7ea7 2-2-1'\n }]\n }]\n }, {\n label: '\u4e00\u7ea7 3',\n children: [{\n label: '\u4e8c\u7ea7 3-1',\n children: [{\n label: '\u4e09\u7ea7 3-1-1'\n }]\n }, {\n label: '\u4e8c\u7ea7 3-2',\n children: [{\n label: '\u4e09\u7ea7 3-2-1'\n }]\n }]\n }],\n options: {\n children: 'children',\n label: 'label'\n }\n }\n }\n \n render() {\n const { data, options } = this.state\n \n return (\n <Tree\n ref={e=> this.tree = e}\n data={data}\n options={options}\n accordion={true}\n onNodeClicked={node=>console.log(node)}\n />\n )\n } \n "]},Tooltip:{Code:['\n import Tooltip from \'../../ishow/Tooltip/index\'\n import Button from \'../../ishow/Button/index\'\n \n render(){\n return (\n <div className="box" style={{ width: \'400\' }}>\n <div className="top" style={{ textAlign: \'center\' }}>\n <Tooltip className="item" effect="dark" content="Top Left \u63d0\u793a\u6587\u5b57" placement="top-start">\n <Button>\u4e0a\u5de6</Button>\n </Tooltip>\n <Tooltip className="item" effect="dark" content="Top Center \u63d0\u793a\u6587\u5b57" placement="top">\n <Button>\u4e0a\u8fb9</Button>\n </Tooltip>\n <Tooltip className="item" effect="dark" content="Top Right \u63d0\u793a\u6587\u5b57" placement="top-end">\n <Button>\u4e0a\u53f3</Button>\n </Tooltip>\n </div>\n <div className="left">\n <Tooltip className="item" effect="dark" content="Left Top \u63d0\u793a\u6587\u5b57" placement="left-start">\n <Button>\u5de6\u4e0a</Button>\n </Tooltip>\n <Tooltip className="item" effect="dark" content="Left Center \u63d0\u793a\u6587\u5b57" placement="left">\n <Button>\u5de6\u8fb9</Button>\n </Tooltip>\n <Tooltip className="item" effect="dark" content="Left Bottom \u63d0\u793a\u6587\u5b57" placement="left-end">\n <Button>\u5de6\u4e0b</Button>\n </Tooltip>\n </div>\n\n <div className="right">\n <Tooltip className="item" effect="dark" content="Right Top \u63d0\u793a\u6587\u5b57" placement="right-start">\n <Button>\u53f3\u4e0a</Button>\n </Tooltip>\n <Tooltip className="item" effect="dark" content="Right Center \u63d0\u793a\u6587\u5b57" placement="right">\n <Button>\u53f3\u8fb9</Button>\n </Tooltip>\n <Tooltip className="item" effect="dark" content="Right Bottom \u63d0\u793a\u6587\u5b57" placement="right-end">\n <Button>\u53f3\u4e0b</Button>\n </Tooltip>\n </div>\n <div className="bottom">\n <Tooltip className="item" effect="dark" content="Bottom Left \u63d0\u793a\u6587\u5b57" placement="bottom-start">\n <Button>\u4e0b\u5de6</Button>\n </Tooltip>\n <Tooltip className="item" effect="dark" content="Bottom Center \u63d0\u793a\u6587\u5b57" placement="bottom">\n <Button>\u4e0b\u8fb9</Button>\n </Tooltip>\n <Tooltip className="item" effect="dark" content="Bottom Right \u63d0\u793a\u6587\u5b57" placement="bottom-end">\n <Button>\u4e0b\u53f3</Button>\n </Tooltip>\n </div>\n </div>\n )\n }\n ','\n import Tooltip from \'../../ishow/Tooltip/index\'\n import Button from \'../../ishow/Button/index\'\n\n render() {\n return (\n <div>\n <Tooltip content="Top center" placement="top">\n <Button>Dark</Button>\n </Tooltip>\n <Tooltip content="Bottom center" placement="bottom" effect="light" style={{ marginLeft: 10 }}>\n <Button>Light</Button>\n </Tooltip>\n </div>\n )\n }\n ',"\n import Tooltip from '../../ishow/Tooltip/index'\n import Button from '../../ishow/Button/index'\n\n render() {\n return (\n <Tooltip\n placement=\"top\"\n content={\n <div>\u591a\u884c\u4fe1\u606f<br/>\u7b2c\u4e8c\u884c\u4fe1\u606f</div>\n }\n >\n <Button>Top center</Button>\n </Tooltip>\n )\n }\n ",'\n constructor(props){\n super(props);\n \n this.state = {\n disabled: false\n }\n }\n \n render() {\n return (\n <Tooltip disabled={ this.state.disabled } content="\u70b9\u51fb\u5173\u95ed tooltip \u529f\u80fd" placement="bottom" effect="light">\n <Button onClick={ e => this.setState({ disabled: true}) }>\u70b9\u51fb\u5173\u95ed tooltip \u529f\u80fd</Button>\n </Tooltip>\n )\n }\n ']},RichTextEditor:{Code:["\n \u4f7f\u7528\u5bcc\u6587\u672c\u7ec4\u4ef6\u7684\u65f6\u5019\uff0c\u9700\u8981\u5b89\u88c5\u5982\u4e0b\u4f9d\u8d56:yarn add wangeditor\n import E from 'wangeditor';\n import Card from \"../../ishow/Card/index\";\n import Row from '../../ishow/LayoutComponent/row/index';\n import Col from '../../ishow/LayoutComponent/col/index';\n import Breadcrumb from '../../ishow/Breadcrumb/index';\n \n class App extends Component {\n constructor(props, context) {\n super(props, context);\n this.state = {\n editorContent: '',\n editorContentJson:''\n }\n }\n \n componentDidMount() {\n const elem = this.refs.editorElem\n const editor = new E(elem)\n const text1=document.getElementById('text1')\n const text2=document.getElementById('text2')\n const onUploadFile = (url, name, folder, type, style) => {\n return url + '?name=' + name + '&folder=' + folder + '&type=' + type + '&style=' + style;\n };\n \n editor.customConfig.uploadImgServer = 'http://10.10.33.144/filebroker/upload'\n \n editor.customConfig.customUploadImg = function (files, insert) {\n // files \u662f input \u4e2d\u9009\u4e2d\u7684\u6587\u4ef6\u5217\u8868\n // insert \u662f\u83b7\u53d6\u56fe\u7247 url \u540e\uff0c\u63d2\u5165\u5230\u7f16\u8f91\u5668\u7684\u65b9\u6cd5\n let file;\n if (files && files.length) {\n file = files[0];\n } else {\n return\n }\n \n const uploadImgServer = \"http://10.10.33.144/filebroker/upload\";\n const xhr = new XMLHttpRequest();\n const test = onUploadFile(uploadImgServer, 'image.jpg','local', 0, 1);\n //\u4e0a\u4f20\u670d\u52a1\u8bf7\u67e5\u770bhttp://wiki.iShow.org/pages/viewpage.action?pageId=50078411#id-%E6%96%87%E4%BB%B6%E7%B3%BB%E7%BB%9F2.0%E6%8E%A5%E5%8F%A3%E6%96%87%E6%A1%A3%E5%8F%8A%E4%BD%BF%E7%94%A8%E8%AF%B4%E6%98%8E-2.1%E4%B8%8A%E4%BC%A0%E6%8E%A5%E5%8F%A3%E8%AF%B4%E6%98%8E%E5%8F%8A%E7%A4%BA%E4%BE%8B\n xhr.open('POST', test);\n const data = new FormData();\n data.append('image', file);\n xhr.send(data);\n xhr.addEventListener('load', () => {\n const response = JSON.parse(xhr.responseText);\n const imgUrl = response.data[0].local;\n insert(imgUrl)\n });\n xhr.addEventListener('error', () => {\n const error = JSON.parse(xhr.responseText);\n alert('\u4e0a\u4f20\u5931\u8d25');\n });\n }\n \n // \u4f7f\u7528 onchange \u51fd\u6570\u76d1\u542c\u5185\u5bb9\u7684\u53d8\u5316\uff0c\u5e76\u5b9e\u65f6\u66f4\u65b0\u5230 state \u4e2d\n editor.customConfig.onchange =(html, getJSON) => {\n var json = editor.txt.getJSON()\n this.setState({\n editorContent: html,\n editorContentJson: json\n })\n document.getElementById('text1').value=html\n document.getElementById('text2').value=JSON.stringify(json)//\u8f6c\u6362\u4e3aJSON\u5b57\u7b26\u4e32\n }\n editor.create()//\u5c06\u751f\u6210\u7f16\u8f91\u5668\n }\n \n render() {\n const { editorContent } = this.state;\n return (\n <div className=\"App\">\n <h2>\u5bcc\u6587\u672c\u7f16\u8f91\u5668</h2>\n <Breadcrumb first=\"UI\" second=\"\u5bcc\u6587\u672c\" />\n <div ref=\"editorElem\" style={{ textAlign: 'left' }}>\n <div className='div1'>\n </div>\n </div>\n <Row>\n <Col className=\"gutter-row\" md={12} >\n <Card style={{ borderStyle: 'none', boxShadow: '0px 0px 0px #888888' }}\n header={\n <div>\n <span style={{ lineHeight: '20px', fontSize: '16px', fontWeight: '600' }}>\u540c\u6b65\u8f6c\u6362HTML</span>\n </div>\n }\n >\n <textarea id=\"text1\" style={{width:'100%', height:'100px',borderStyle:'none'}}></textarea>\n </Card>\n </Col>\n <Col className=\"gutter-row\" md={12}>\n <Card style={{ borderStyle: 'none', boxShadow: '0px 0px 0px #888888' }}\n header={\n <div>\n <span style={{ lineHeight: '20px', fontSize: '16px', fontWeight: '600' }}>\u540c\u6b65\u8f6c\u6362JSON</span>\n </div>\n }>\n <textarea id=\"text2\" style={{width:'100%', height:'100px',borderStyle:'none'}}></textarea>\n </Card>\n </Col>\n </Row>\n </div>\n );\n }\n \n export default App;\n\n "]},Form:{Code:['\n import Form from "../../ishow/Form/index";\n import Input from "../../ishow/Input/index";\n import Col from \'../../ishow/LayoutComponent/col/index\';\n import Select from \'../../ishow/Select/index\';\n import DatePicker from \'../../ishow/DatePicker/DatePicker\';\n import TimePicker from \'../../ishow/DatePicker/TimePicker\';\n import Checkbox from \'../../ishow/Checkbox/index\';\n import Button from \'../../ishow/Button/index\';\n import Switch from \'../../ishow/Switch/index\';\n import Radio from \'../../ishow/Radio/index\';\n import Tabs from "../../ishow/Tab/index";\n\n constructor(props) {\n super(props);\n \n this.state = {\n form: {\n name: \'\',\n region: \'\',\n date1: null,\n date2: null,\n delivery: false,\n type: [],\n resource: \'\',\n desc: \'\'\n }\n };\n }\n \n onSubmit(e) {\n e.preventDefault();\n }\n \n onChange(key, value) {\n this.state.form[key] = value;\n this.forceUpdate();\n }\n \n render() {\n return (\n <Form model={this.state.form} labelWidth="80" onSubmit={this.onSubmit.bind(this)}>\n <Form.Item label="\u6d3b\u52a8\u540d\u79f0">\n <Input value={this.state.form.name} onChange={this.onChange.bind(this, \'name\')}></Input>\n </Form.Item>\n <Form.Item label="\u6d3b\u52a8\u533a\u57df">\n <Select value={this.state.form.region} placeholder="\u8bf7\u9009\u62e9\u6d3b\u52a8\u533a\u57df">\n <Select.Option label="\u533a\u57df\u4e00" value="shanghai"></Select.Option>\n <Select.Option label="\u533a\u57df\u4e8c" value="beijing"></Select.Option>\n </Select>\n </Form.Item>\n <Form.Item label="\u6d3b\u52a8\u65f6\u95f4">\n <Col span="11">\n <Form.Item prop="date1" labelWidth="0px">\n <DatePicker\n value={this.state.form.date1}\n placeholder="\u9009\u62e9\u65e5\u671f"\n onChange={this.onChange.bind(this, \'date1\')}\n />\n </Form.Item>\n </Col>\n <Col className="line" span="2">-</Col>\n <Col span="11">\n <Form.Item prop="date2" labelWidth="0px">\n <TimePicker\n value={this.state.form.date2}\n selectableRange="18:30:00 - 20:30:00"\n placeholder="\u9009\u62e9\u65f6\u95f4"\n onChange={this.onChange.bind(this, \'date2\')}\n />\n </Form.Item>\n </Col>\n </Form.Item>\n <Form.Item label="\u5373\u65f6\u914d\u9001">\n <Switch\n onText=""\n offText=""\n value={this.state.form.delivery}\n onChange={this.onChange.bind(this, \'delivery\')}\n />\n </Form.Item>\n <Form.Item label="\u6d3b\u52a8\u6027\u8d28">\n <Checkbox.Group value={this.state.form.type} onChange={this.onChange.bind(this, \'type\')}>\n <Checkbox label="\u7f8e\u98df/\u9910\u5385\u7ebf\u4e0a\u6d3b\u52a8" name="type"></Checkbox>\n <Checkbox label="\u5730\u63a8\u6d3b\u52a8" name="type"></Checkbox>\n <Checkbox label="\u7ebf\u4e0b\u4e3b\u9898\u6d3b\u52a8" name="type"></Checkbox>\n <Checkbox label="\u5355\u7eaf\u54c1\u724c\u66dd\u5149" name="type"></Checkbox>\n </Checkbox.Group>\n </Form.Item>\n <Form.Item label="\u7279\u6b8a\u8d44\u6e90">\n <Radio.Group value={this.state.form.resource}>\n <Radio value="\u7ebf\u4e0a\u54c1\u724c\u5546\u8d5e\u52a9"></Radio>\n <Radio value="\u7ebf\u4e0b\u573a\u5730\u514d\u8d39"></Radio>\n </Radio.Group>\n </Form.Item>\n <Form.Item label="\u6d3b\u52a8\u5f62\u5f0f">\n <Input type="textarea" value={this.state.form.desc} onChange={this.onChange.bind(this, \'desc\')}></Input>\n </Form.Item>\n <Form.Item>\n <Button type="primary" nativeType="submit">\u7acb\u5373\u521b\u5efa</Button>\n <Button>\u53d6\u6d88</Button>\n </Form.Item>\n </Form>\n )\n }\n \n ','\n import Form from "../../ishow/Form/index";\n import Select from \'../../ishow/Select/index\';\n import Button from \'../../ishow/Button/index\';\n\n constructor(props) {\n super(props);\n \n this.state = {\n form: {\n user: \'\',\n region: \'\'\n }\n };\n }\n \n onSubmit(e) {\n e.preventDefault();\n \n console.log(\'submit!\');\n }\n \n onChange(key, value) {\n this.setState({\n form: Object.assign(this.state.form, { [key]: value })\n });\n }\n \n render() {\n return (\n <Form inline={true} model={this.state.form} onSubmit={this.onSubmit.bind(this)} className="demo-form-inline">\n <Form.Item>\n <Input value={this.state.form.user} placeholder="\u5ba1\u6279\u4eba" onChange={this.onChange.bind(this, \'user\')}></Input>\n </Form.Item>\n <Form.Item>\n <Select value={this.state.form.region} placeholder="\u6d3b\u52a8\u533a\u57df">\n <Select.Option label="\u533a\u57df\u4e00" value="shanghai"></Select.Option>\n <Select.Option label="\u533a\u57df\u4e8c" value="beijing"></Select.Option>\n </Select>\n </Form.Item>\n <Form.Item>\n <Button nativeType="submit" type="primary">\u67e5\u8be2</Button>\n </Form.Item>\n </Form>\n )\n }\n \n ','\n import Form from "../../ishow/Form/index";\n import Input from "../../ishow/Input/index";\n import Radio from \'../../ishow/Radio/index\';\n\n constructor(props) {\n super(props);\n \n this.state = {\n labelPosition: \'right\',\n form: {\n name: \'\',\n region: \'\',\n type: \'\'\n }\n };\n }\n \n onPositionChange(value) {\n this.setState({ labelPosition: value });\n }\n \n onChange(key, value) {\n this.setState({\n form: Object.assign(this.state.form, { [key]: value })\n });\n }\n \n render() {\n return (\n <div>\n <Radio.Group size="small" value={this.state.labelPosition} onChange={this.onPositionChange.bind(this)}>\n <Radio.Button value="left">\u5de6\u5bf9\u9f50</Radio.Button>\n <Radio.Button value="right">\u53f3\u5bf9\u9f50</Radio.Button>\n <Radio.Button value="top">\u9876\u90e8\u5bf9\u9f50</Radio.Button>\n </Radio.Group>\n <div style={{ margin: 20 }}></div>\n <Form labelPosition={this.state.labelPosition} labelWidth="100" model={this.state.form} className="demo-form-stacked">\n <Form.Item label="\u540d\u79f0">\n <Input value={this.state.form.name} onChange={this.onChange.bind(this, \'name\')}></Input>\n </Form.Item>\n <Form.Item label="\u6d3b\u52a8\u533a\u57df">\n <Input value={this.state.form.region} onChange={this.onChange.bind(this, \'region\')}></Input>\n </Form.Item>\n <Form.Item label="\u6d3b\u52a8\u5c55\u5f00\u5f62\u5f0f">\n <Input value={this.state.form.type} onChange={this.onChange.bind(this, \'type\')}></Input>\n </Form.Item>\n </Form>\n </div>\n )\n }\n \n ','\n import Form from "../../ishow/Form/index";\n import Input from "../../ishow/Input/index";\n import Col from \'../../ishow/LayoutComponent/col/index\';\n import Select from \'../../ishow/Select/index\';\n import DatePicker from \'../../ishow/DatePicker/DatePicker\';\n import TimePicker from \'../../ishow/DatePicker/TimePicker\';\n import Checkbox from \'../../ishow/Checkbox/index\';\n import Button from \'../../ishow/Button/index\';\n import Switch from \'../../ishow/Switch/index\';\n import Radio from \'../../ishow/Radio/index\';\n import Tabs from "../../ishow/Tab/index";\n\n constructor(props) {\n super(props);\n \n this.state = {\n form: {\n name: \'\',\n region: \'\',\n date1: null,\n date2: null,\n delivery: false,\n type: [],\n resource: \'\',\n desc: \'\'\n },\n rules: {\n name: [\n { required: true, message: \'\u8bf7\u8f93\u5165\u6d3b\u52a8\u540d\u79f0\', trigger: \'blur\' }\n ],\n region: [\n { required: true, message: \'\u8bf7\u9009\u62e9\u6d3b\u52a8\u533a\u57df\', trigger: \'change\' }\n ],\n date1: [\n { type: \'date\', required: true, message: \'\u8bf7\u9009\u62e9\u65e5\u671f\', trigger: \'change\' }\n ],\n date2: [\n { type: \'date\', required: true, message: \'\u8bf7\u9009\u62e9\u65f6\u95f4\', trigger: \'change\' }\n ],\n type: [\n { type: \'array\', required: true, message: \'\u8bf7\u81f3\u5c11\u9009\u62e9\u4e00\u4e2a\u6d3b\u52a8\u6027\u8d28\', trigger: \'change\' }\n ],\n resource: [\n { required: true, message: \'\u8bf7\u9009\u62e9\u6d3b\u52a8\u8d44\u6e90\', trigger: \'change\' }\n ],\n desc: [\n { required: true, message: \'\u8bf7\u586b\u5199\u6d3b\u52a8\u5f62\u5f0f\', trigger: \'blur\' }\n ]\n }\n };\n }\n \n handleSubmit(e) {\n e.preventDefault();\n \n this.refs.form.validate((valid) => {\n if (valid) {\n alert(\'submit!\');\n } else {\n console.log(\'error submit!!\');\n return false;\n }\n });\n }\n \n handleReset(e) {\n e.preventDefault();\n \n this.refs.form.resetFields();\n }\n \n onChange(key, value) {\n this.setState({\n form: Object.assign({}, this.state.form, { [key]: value })\n });\n }\n \n render() {\n return (\n <Form ref="form" model={this.state.form} rules={this.state.rules} labelWidth="80" className="demo-ruleForm">\n <Form.Item label="\u6d3b\u52a8\u540d\u79f0" prop="name">\n <Input value={this.state.form.name} onChange={this.onChange.bind(this, \'name\')}></Input>\n </Form.Item>\n <Form.Item label="\u6d3b\u52a8\u533a\u57df" prop="region">\n <Select value={this.state.form.region} placeholder="\u8bf7\u9009\u62e9\u6d3b\u52a8\u533a\u57df" onChange={this.onChange.bind(this, \'region\')}>\n <Select.Option label="\u533a\u57df\u4e00" value="shanghai"></Select.Option>\n <Select.Option label="\u533a\u57df\u4e8c" value="beijing"></Select.Option>\n </Select>\n </Form.Item>\n <Form.Item label="\u6d3b\u52a8\u65f6\u95f4" required={true}>\n <Col span="11">\n <Form.Item prop="date1" labelWidth="0px">\n <DatePicker\n value={this.state.form.date1}\n placeholder="\u9009\u62e9\u65e5\u671f"\n onChange={this.onChange.bind(this, \'date1\')}\n />\n </Form.Item>\n </Col>\n <Col className="line" span="2">-</Col>\n <Col span="11">\n <Form.Item prop="date2" labelWidth="0px">\n <TimePicker\n value={this.state.form.date2}\n selectableRange="18:30:00 - 20:30:00"\n placeholder="\u9009\u62e9\u65f6\u95f4"\n onChange={this.onChange.bind(this, \'date2\')}\n />\n </Form.Item>\n </Col>\n </Form.Item>\n <Form.Item label="\u5373\u65f6\u914d\u9001" prop="delivery">\n <Switch value={this.state.form.delivery} onChange={this.onChange.bind(this, \'delivery\')}></Switch>\n </Form.Item>\n <Form.Item label="\u6d3b\u52a8\u6027\u8d28" prop="type">\n <Checkbox.Group value={this.state.form.type} onChange={this.onChange.bind(this, \'type\')}>\n <Checkbox label="\u7f8e\u98df/\u9910\u5385\u7ebf\u4e0a\u6d3b\u52a8" name="type"></Checkbox>\n <Checkbox label="\u5730\u63a8\u6d3b\u52a8" name="type"></Checkbox>\n <Checkbox label="\u7ebf\u4e0b\u4e3b\u9898\u6d3b\u52a8" name="type"></Checkbox>\n <Checkbox label="\u5355\u7eaf\u54c1\u724c\u66dd\u5149" name="type"></Checkbox>\n </Checkbox.Group>\n </Form.Item>\n <Form.Item label="\u7279\u6b8a\u8d44\u6e90" prop="resource">\n <Radio.Group value={this.state.form.resource} onChange={this.onChange.bind(this, \'resource\')}>\n <Radio value="\u7ebf\u4e0a\u54c1\u724c\u5546\u8d5e\u52a9"></Radio>\n <Radio value="\u7ebf\u4e0b\u573a\u5730\u514d\u8d39"></Radio>\n </Radio.Group>\n </Form.Item>\n <Form.Item label="\u6d3b\u52a8\u5f62\u5f0f" prop="desc">\n <Input type="textarea" value={this.state.form.desc} onChange={this.onChange.bind(this, \'desc\')}></Input>\n </Form.Item>\n <Form.Item>\n <Button type="primary" onClick={this.handleSubmit.bind(this)}>\u7acb\u5373\u521b\u5efa</Button>\n <Button onClick={this.handleReset.bind(this)}>\u91cd\u7f6e</Button>\n </Form.Item>\n </Form>\n )\n }\n \n ',"\n import Form from \"../../ishow/Form/index\";\n import Input from \"../../ishow/Input/index\";\n import Button from '../../ishow/Button/index';\n\n constructor(props) {\n super(props);\n \n this.state = {\n form: {\n pass: '',\n checkPass: '',\n age: ''\n },\n rules: {\n pass: [\n { required: true, message: '\u8bf7\u8f93\u5165\u5bc6\u7801', trigger: 'blur' },\n { validator: (rule, value, callback) => {\n if (value === '') {\n callback(new Error('\u8bf7\u8f93\u5165\u5bc6\u7801'));\n } else {\n if (this.state.form.checkPass !== '') {\n this.refs.form.validateField('checkPass');\n }\n callback();\n }\n } }\n ],\n checkPass: [\n { required: true, message: '\u8bf7\u518d\u6b21\u8f93\u5165\u5bc6\u7801', trigger: 'blur' },\n { validator: (rule, value, callback) => {\n if (value === '') {\n callback(new Error('\u8bf7\u518d\u6b21\u8f93\u5165\u5bc6\u7801'));\n } else if (value !== this.state.form.pass) {\n callback(new Error('\u4e24\u6b21\u8f93\u5165\u5bc6\u7801\u4e0d\u4e00\u81f4!'));\n } else {\n callback();\n }\n } }\n ],\n age: [\n { required: true, message: '\u8bf7\u586b\u5199\u5e74\u9f84', trigger: 'blur' },\n { validator: (rule, value, callback) => {\n var age = parseInt(value, 10);\n \n setTimeout(() => {\n if (!Number.isInteger(age)) {\n callback(new Error('\u8bf7\u8f93\u5165\u6570\u5b57\u503c'));\n } else{\n if (age < 18) {\n callback(new Error('\u5fc5\u987b\u5e74\u6ee118\u5c81'));\n } else {\n callback();\n }\n }\n }, 1000);\n }, trigger: 'change' }\n ]\n }\n };\n }\n \n handleSubmit(e) {\n e.preventDefault();\n \n this.refs.form.validate((valid) => {\n if (valid) {\n alert('submit!');\n } else {\n console.log('error submit!!');\n return false;\n }\n });\n }\n \n handleReset(e) {\n e.preventDefault();\n \n this.refs.form.resetFields();\n }\n \n onChange(key, value) {\n this.setState({\n form: Object.assign({}, this.state.form, { [key]: value })\n });\n }\n \n render() {\n return (\n <Form ref=\"form\" model={this.state.form} rules={this.state.rules} labelWidth=\"100\" className=\"demo-ruleForm\">\n <Form.Item label=\"\u5bc6\u7801\" prop=\"pass\">\n <Input type=\"password\" value={this.state.form.pass} onChange={this.onChange.bind(this, 'pass')} autoComplete=\"off\" />\n </Form.Item>\n <Form.Item label=\"\u786e\u8ba4\u5bc6\u7801\" prop=\"checkPass\">\n <Input type=\"password\" value={this.state.form.checkPass} onChange={this.onChange.bind(this, 'checkPass')} autoComplete=\"off\" />\n </Form.Item>\n <Form.Item label=\"\u5e74\u9f84\" prop=\"age\">\n <Input value={this.state.form.age} onChange={this.onChange.bind(this, 'age')}></Input>\n </Form.Item>\n <Form.Item>\n <Button type=\"primary\" onClick={this.handleSubmit.bind(this)}>\u63d0\u4ea4</Button>\n <Button onClick={this.handleReset.bind(this)}>\u91cd\u7f6e</Button>\n </Form.Item>\n </Form>\n )\n }\n ","\n import Form from \"../../ishow/Form/index\";\n import Input from \"../../ishow/Input/index\";\n import Button from '../../ishow/Button/index';\n\n constructor(props) {\n super(props);\n \n this.state = {\n form: {\n domains: [{\n key: 1,\n value: ''\n }],\n email: ''\n },\n rules: {\n email: [\n { required: true, message: '\u8bf7\u8f93\u5165\u90ae\u7bb1\u5730\u5740', trigger: 'blur' },\n { type: 'email', message: '\u8bf7\u8f93\u5165\u6b63\u786e\u7684\u90ae\u7bb1\u5730\u5740', trigger: 'blur,change' }\n ]\n }\n };\n }\n \n handleSubmit(e) {\n e.preventDefault();\n \n this.refs.form.validate((valid) => {\n if (valid) {\n alert('submit!');\n } else {\n console.log('error submit!!');\n return false;\n }\n });\n }\n \n removeDomain(item, e) {\n var index = this.state.form.domains.indexOf(item);\n \n if (index !== -1) {\n this.state.form.domains.splice(index, 1);\n this.forceUpdate();\n }\n \n e.preventDefault();\n }\n \n addDomain(e) {\n e.preventDefault();\n \n this.state.form.domains.push({\n key: this.state.form.domains.length,\n value: ''\n });\n \n this.forceUpdate();\n }\n \n onEmailChange(value) {\n this.setState({\n form: Object.assign({}, this.state.form, { email: value})\n });\n }\n \n onDomainChange(index, value) {\n this.state.form.domains[index].value = value;\n this.forceUpdate();\n }\n \n render() {\n return (\n <Form ref=\"form\" model={this.state.form} rules={this.state.rules} labelWidth=\"100\" className=\"demo-dynamic\">\n <Form.Item prop=\"email\" label=\"\u90ae\u7bb1\">\n <Input value={this.state.form.email} onChange={this.onEmailChange.bind(this)}></Input>\n </Form.Item>\n {\n this.state.form.domains.map((domain, index) => {\n return (\n <Form.Item\n key={index}\n label={`\u57df\u540dindex`}\n prop={`domains:index`}\n rules={{\n type: 'object', required: true,\n fields: {\n value: { required: true, message: '\u57df\u540d\u4e0d\u80fd\u4e3a\u7a7a', trigger: 'blur' }\n }\n }}\n >\n <Input value={domain.value} onChange={this.onDomainChange.bind(this, index)}></Input>\n <Button onClick={this.removeDomain.bind(this, domain)}>\u5220\u9664</Button>\n </Form.Item>\n )\n })\n }\n <Form.Item>\n <Button type=\"primary\" onClick={this.handleSubmit.bind(this)}>\u63d0\u4ea4</Button>\n <Button onClick={this.addDomain.bind(this)}>\u65b0\u589e\u57df\u540d</Button>\n </Form.Item>\n </Form>\n )\n }\n \n "]},Transfer:{Code:['\n import Transfer from "../../ishow/Transfer/index";\n\n constructor(props) {\n super(props);\n this.state = {\n value: [1, 4]\n }\n this._handleChange = this.handleChange.bind(this);\n }\n \n get data() {\n const data = [];\n for (let i = 1; i <= 15; i++) {\n data.push({\n key: i,\n label: `\u5907\u9009\u9879 i`,\n disabled: i % 4 === 0\n });\n }\n return data;\n }\n \n handleChange(value) {\n this.setState({ value })\n }\n \n render() {\n const { value } = this.state;\n return <Transfer value={value} data={this.data} onChange={this._handleChange}></Transfer>\n }\n ',"\n import Transfer from \"../../ishow/Transfer/index\";\n\n constructor(props) {\n super(props);\n this.state = {\n value: []\n }\n \n this._handleChange = this.handleChange.bind(this);\n this._filterMethod = this.filterMethod.bind(this);\n }\n \n get data() {\n const data = [];\n const cities = ['\u4e0a\u6d77', '\u5317\u4eac', '\u5e7f\u5dde', '\u6df1\u5733', '\u5357\u4eac', '\u897f\u5b89', '\u6210\u90fd'];\n const pinyin = ['shanghai', 'beijing', 'guangzhou', 'shenzhen', 'nanjing', 'xian', 'chengdu'];\n cities.forEach((city, index) => {\n data.push({\n label: city,\n key: index,\n pinyin: pinyin[index]\n });\n });\n return data;\n }\n \n filterMethod(query, item) {\n return item.pinyin.indexOf(query) > -1;\n }\n \n handleChange(value) {\n this.setState({ value })\n }\n \n render() {\n const { value } = this.state;\n return (\n <Transfer\n filterable\n filterMethod={this._filterMethod}\n filterPlaceholder=\"\u8bf7\u8f93\u5165\u57ce\u5e02\u62fc\u97f3\"\n value={value}\n onChange={this._handleChange}\n data={this.data}>\n </Transfer>\n )\n } \n ","\n import Transfer from \"../../ishow/Transfer/index\";\n\n constructor(props) {\n super(props);\n this.state = {\n value: []\n }\n \n this._handleChange = this.handleChange.bind(this);\n this._filterMethod = this.filterMethod.bind(this);\n }\n \n get data() {\n const data = [];\n const cities = ['\u4e0a\u6d77', '\u5317\u4eac', '\u5e7f\u5dde', '\u6df1\u5733', '\u5357\u4eac', '\u897f\u5b89', '\u6210\u90fd'];\n const pinyin = ['shanghai', 'beijing', 'guangzhou', 'shenzhen', 'nanjing', 'xian', 'chengdu'];\n cities.forEach((city, index) => {\n data.push({\n label: city,\n key: index,\n pinyin: pinyin[index]\n });\n });\n return data;\n }\n \n filterMethod(query, item) {\n return item.pinyin.indexOf(query) > -1;\n }\n \n handleChange(value) {\n this.setState({ value })\n }\n \n render() {\n const { value } = this.state;\n return (\n <Transfer\n filterable\n filterMethod={this._filterMethod}\n filterPlaceholder=\"\u8bf7\u8f93\u5165\u57ce\u5e02\u62fc\u97f3\"\n value={value}\n onChange={this._handleChange}\n data={this.data}>\n </Transfer>\n )\n } \n ","\n import Transfer from \"../../ishow/Transfer/index\";\n\n constructor(props) {\n super(props);\n this.state = {\n value: []\n }\n \n this._handleChange = this.handleChange.bind(this);\n }\n \n get data() {\n const data = [];\n for (let i = 1; i <= 15; i++) {\n data.push({\n value: i,\n desc: `\u5907\u9009\u9879 i`,\n disabled: i % 4 === 0\n });\n }\n return data;\n }\n \n handleChange(value, direction, movedKeys) {\n console.log(value, direction, movedKeys);\n this.setState({ value })\n }\n \n render() {\n const { value } = this.state;\n return (\n <Transfer\n value={value}\n propsAlias={{\n key: 'value',\n label: 'desc'\n }}\n data={this.data}\n onChange={this._handleChange}\n >\n </Transfer>\n )\n }\n "]},Carousel:{Code:['\n import Carousel from "../../ishow/Carousel/Index";\n\n render(){\n return(\n <div>\n <span className="demonstration">\u9ed8\u8ba4 Hover \u6307\u793a\u5668\u89e6\u53d1</span>\n <Carousel height="200px">\n {\n [1, 2, 3, 4].map((item, index) => {\n return (\n <Carousel.Item key={index}>\n <h3>{item}</h3>\n </Carousel.Item>\n )\n })\n }\n </Carousel>\n <span className="demonstration">Click \u6307\u793a\u5668\u89e6\u53d1</span>\n <Carousel trigger="click" height="200px">\n {\n [1, 2, 3, 4].map((item, index) => {\n return (\n <Carousel.Item key={index}>\n <h3>{item}</h3>\n </Carousel.Item>\n )\n })\n }\n </Carousel>\n </div>\n )\n }\n ','\n import Carousel from "../../ishow/Carousel/Index";\n\n render(){\n return(\n <div>\n <Carousel interval="5000" arrow="always" height="200px">\n {\n [1, 2, 3, 4].map((item, index) => {\n return (\n <Carousel.Item key={index}>\n <h3>{item}</h3>\n </Carousel.Item>\n )\n })\n }\n </Carousel>\n </div>\n )\n }\n ','\n import Carousel from "../../ishow/Carousel/Index";\n\n render(){\n return(\n <div>\n <Carousel interval="4000" type="card" height="200px">\n {\n [1, 2, 3, 4, 5, 6].map((item, index) => {\n return (\n <Carousel.Item key={index}>\n <h3>{item}</h3>\n </Carousel.Item>\n )\n })\n }\n </Carousel>\n </div>\n )\n }\n ','\n import Carousel from "../../ishow/Carousel/Index";\n\n render(){\n return(\n <div>\n <Carousel interval="4000" type="flatcard" height="200px">\n {\n [1, 2, 3, 4, 5, 6].map((item, index) => {\n return (\n <Carousel.Item key={index}>\n <h3>{item}</h3>\n </Carousel.Item>\n )\n })\n }\n </Carousel>\n </div>\n )\n }\n ']},Collapse:{Code:['\n import Collapse from \'../../ishow/Collapse/index\';\n\n render() {\n const activeName = "1";\n return (\n <Collapse value={activeName}>\n <Collapse.Item title="\u4e00\u81f4\u6027 Consistency" name="1">\n <div>\u4e0e\u73b0\u5b9e\u751f\u6d3b\u4e00\u81f4\uff1a\u4e0e\u73b0\u5b9e\u751f\u6d3b\u7684\u6d41\u7a0b\u3001\u903b\u8f91\u4fdd\u6301\u4e00\u81f4\uff0c\u9075\u5faa\u7528\u6237\u4e60\u60ef\u7684\u8bed\u8a00\u548c\u6982\u5ff5\uff1b</div>\n <div>\u5728\u754c\u9762\u4e2d\u4e00\u81f4\uff1a\u6240\u6709\u7684\u5143\u7d20\u548c\u7ed3\u6784\u9700\u4fdd\u6301\u4e00\u81f4\uff0c\u6bd4\u5982\uff1a\u8bbe\u8ba1\u6837\u5f0f\u3001\u56fe\u6807\u548c\u6587\u672c\u3001\u5143\u7d20\u7684\u4f4d\u7f6e\u7b49\u3002</div>\n </Collapse.Item>\n <Collapse.Item title="\u53cd\u9988 Feedback" name="2">\n <div>\u63a7\u5236\u53cd\u9988\uff1a\u901a\u8fc7\u754c\u9762\u6837\u5f0f\u548c\u4ea4\u4e92\u52a8\u6548\u8ba9\u7528\u6237\u53ef\u4ee5\u6e05\u6670\u7684\u611f\u77e5\u81ea\u5df1\u7684\u64cd\u4f5c\uff1b</div>\n <div>\u9875\u9762\u53cd\u9988\uff1a\u64cd\u4f5c\u540e\uff0c\u901a\u8fc7\u9875\u9762\u5143\u7d20\u7684\u53d8\u5316\u6e05\u6670\u5730\u5c55\u73b0\u5f53\u524d\u72b6\u6001\u3002</div>\n </Collapse.Item>\n <Collapse.Item title="\u6548\u7387 Efficiency" name="3">\n <div>\u7b80\u5316\u6d41\u7a0b\uff1a\u8bbe\u8ba1\u7b80\u6d01\u76f4\u89c2\u7684\u64cd\u4f5c\u6d41\u7a0b\uff1b</div>\n <div>\u6e05\u6670\u660e\u786e\uff1a\u8bed\u8a00\u8868\u8fbe\u6e05\u6670\u4e14\u8868\u610f\u660e\u786e\uff0c\u8ba9\u7528\u6237\u5feb\u901f\u7406\u89e3\u8fdb\u800c\u4f5c\u51fa\u51b3\u7b56\uff1b</div>\n <div>\u5e2e\u52a9\u7528\u6237\u8bc6\u522b\uff1a\u754c\u9762\u7b80\u5355\u76f4\u767d\uff0c\u8ba9\u7528\u6237\u5feb\u901f\u8bc6\u522b\u800c\u975e\u56de\u5fc6\uff0c\u51cf\u5c11\u7528\u6237\u8bb0\u5fc6\u8d1f\u62c5\u3002</div>\n </Collapse.Item>\n <Collapse.Item title="\u53ef\u63a7 Controllability" name="4">\n <div>\u7528\u6237\u51b3\u7b56\uff1a\u6839\u636e\u573a\u666f\u53ef\u7ed9\u4e88\u7528\u6237\u64cd\u4f5c\u5efa\u8bae\u6216\u5b89\u5168\u63d0\u793a\uff0c\u4f46\u4e0d\u80fd\u4ee3\u66ff\u7528\u6237\u8fdb\u884c\u51b3\u7b56\uff1b</div>\n <div>\u7ed3\u679c\u53ef\u63a7\uff1a\u7528\u6237\u53ef\u4ee5\u81ea\u7531\u7684\u8fdb\u884c\u64cd\u4f5c\uff0c\u5305\u62ec\u64a4\u9500\u3001\u56de\u9000\u548c\u7ec8\u6b62\u5f53\u524d\u64cd\u4f5c\u7b49\u3002</div>\n </Collapse.Item>\n </Collapse>\n )\n }\n ','\n import Collapse from \'../../ishow/Collapse/index\';\n import Button from \'../../ishow/Button/Button\';\n\n constructor(props) {\n super(props)\n \n this.state = {\n activeName: \'1\'\n }\n }\n \n render() {\n return (\n <div>\n <Button\n type="primary"\n style={{marginBottom: \'15px\'}}\n onClick={() => this.setState({ activeName: \'3\' })}\n >\n \u6253\u5f00\u7b2c\u4e09\u4e2a\n </Button>\n <Collapse value={this.state.activeName} accordion>\n <Collapse.Item title="\u4e00\u81f4\u6027 Consistency" name="1">\n <div>\u4e0e\u73b0\u5b9e\u751f\u6d3b\u4e00\u81f4\uff1a\u4e0e\u73b0\u5b9e\u751f\u6d3b\u7684\u6d41\u7a0b\u3001\u903b\u8f91\u4fdd\u6301\u4e00\u81f4\uff0c\u9075\u5faa\u7528\u6237\u4e60\u60ef\u7684\u8bed\u8a00\u548c\u6982\u5ff5\uff1b</div>\n <div>\u5728\u754c\u9762\u4e2d\u4e00\u81f4\uff1a\u6240\u6709\u7684\u5143\u7d20\u548c\u7ed3\u6784\u9700\u4fdd\u6301\u4e00\u81f4\uff0c\u6bd4\u5982\uff1a\u8bbe\u8ba1\u6837\u5f0f\u3001\u56fe\u6807\u548c\u6587\u672c\u3001\u5143\u7d20\u7684\u4f4d\u7f6e\u7b49\u3002</div>\n </Collapse.Item>\n <Collapse.Item title="\u53cd\u9988 Feedback" name="2">\n <div>\u63a7\u5236\u53cd\u9988\uff1a\u901a\u8fc7\u754c\u9762\u6837\u5f0f\u548c\u4ea4\u4e92\u52a8\u6548\u8ba9\u7528\u6237\u53ef\u4ee5\u6e05\u6670\u7684\u611f\u77e5\u81ea\u5df1\u7684\u64cd\u4f5c\uff1b</div>\n <div>\u9875\u9762\u53cd\u9988\uff1a\u64cd\u4f5c\u540e\uff0c\u901a\u8fc7\u9875\u9762\u5143\u7d20\u7684\u53d8\u5316\u6e05\u6670\u5730\u5c55\u73b0\u5f53\u524d\u72b6\u6001\u3002</div>\n </Collapse.Item>\n <Collapse.Item title="\u6548\u7387 Efficiency" name="3">\n <div>\u7b80\u5316\u6d41\u7a0b\uff1a\u8bbe\u8ba1\u7b80\u6d01\u76f4\u89c2\u7684\u64cd\u4f5c\u6d41\u7a0b\uff1b</div>\n <div>\u6e05\u6670\u660e\u786e\uff1a\u8bed\u8a00\u8868\u8fbe\u6e05\u6670\u4e14\u8868\u610f\u660e\u786e\uff0c\u8ba9\u7528\u6237\u5feb\u901f\u7406\u89e3\u8fdb\u800c\u4f5c\u51fa\u51b3\u7b56\uff1b</div>\n <div>\u5e2e\u52a9\u7528\u6237\u8bc6\u522b\uff1a\u754c\u9762\u7b80\u5355\u76f4\u767d\uff0c\u8ba9\u7528\u6237\u5feb\u901f\u8bc6\u522b\u800c\u975e\u56de\u5fc6\uff0c\u51cf\u5c11\u7528\u6237\u8bb0\u5fc6\u8d1f\u62c5\u3002</div>\n </Collapse.Item>\n <Collapse.Item title="\u53ef\u63a7 Controllability" name="4">\n <div>\u7528\u6237\u51b3\u7b56\uff1a\u6839\u636e\u573a\u666f\u53ef\u7ed9\u4e88\u7528\u6237\u64cd\u4f5c\u5efa\u8bae\u6216\u5b89\u5168\u63d0\u793a\uff0c\u4f46\u4e0d\u80fd\u4ee3\u66ff\u7528\u6237\u8fdb\u884c\u51b3\u7b56\uff1b</div>\n <div>\u7ed3\u679c\u53ef\u63a7\uff1a\u7528\u6237\u53ef\u4ee5\u81ea\u7531\u7684\u8fdb\u884c\u64cd\u4f5c\uff0c\u5305\u62ec\u64a4\u9500\u3001\u56de\u9000\u548c\u7ec8\u6b62\u5f53\u524d\u64cd\u4f5c\u7b49\u3002</div>\n </Collapse.Item>\n </Collapse>\n </div>\n )\n }\n ','\n import Collapse from \'../../ishow/Collapse/index\';\n\n render() {\n return (\n <Collapse accordion>\n <Collapse.Item title={<span>\u4e00\u81f4\u6027 Consistency<i className="header-icon el-icon-information"></i></span>}>\n <div>\u4e0e\u73b0\u5b9e\u751f\u6d3b\u4e00\u81f4\uff1a\u4e0e\u73b0\u5b9e\u751f\u6d3b\u7684\u6d41\u7a0b\u3001\u903b\u8f91\u4fdd\u6301\u4e00\u81f4\uff0c\u9075\u5faa\u7528\u6237\u4e60\u60ef\u7684\u8bed\u8a00\u548c\u6982\u5ff5\uff1b</div>\n <div>\u5728\u754c\u9762\u4e2d\u4e00\u81f4\uff1a\u6240\u6709\u7684\u5143\u7d20\u548c\u7ed3\u6784\u9700\u4fdd\u6301\u4e00\u81f4\uff0c\u6bd4\u5982\uff1a\u8bbe\u8ba1\u6837\u5f0f\u3001\u56fe\u6807\u548c\u6587\u672c\u3001\u5143\u7d20\u7684\u4f4d\u7f6e\u7b49\u3002</div>\n </Collapse.Item>\n <Collapse.Item title="\u53cd\u9988 Feedback">\n <div>\u63a7\u5236\u53cd\u9988\uff1a\u901a\u8fc7\u754c\u9762\u6837\u5f0f\u548c\u4ea4\u4e92\u52a8\u6548\u8ba9\u7528\u6237\u53ef\u4ee5\u6e05\u6670\u7684\u611f\u77e5\u81ea\u5df1\u7684\u64cd\u4f5c\uff1b</div>\n <div>\u9875\u9762\u53cd\u9988\uff1a\u64cd\u4f5c\u540e\uff0c\u901a\u8fc7\u9875\u9762\u5143\u7d20\u7684\u53d8\u5316\u6e05\u6670\u5730\u5c55\u73b0\u5f53\u524d\u72b6\u6001\u3002</div>\n </Collapse.Item>\n <Collapse.Item title="\u6548\u7387 Efficiency">\n <div>\u7b80\u5316\u6d41\u7a0b\uff1a\u8bbe\u8ba1\u7b80\u6d01\u76f4\u89c2\u7684\u64cd\u4f5c\u6d41\u7a0b\uff1b</div>\n <div>\u6e05\u6670\u660e\u786e\uff1a\u8bed\u8a00\u8868\u8fbe\u6e05\u6670\u4e14\u8868\u610f\u660e\u786e\uff0c\u8ba9\u7528\u6237\u5feb\u901f\u7406\u89e3\u8fdb\u800c\u4f5c\u51fa\u51b3\u7b56\uff1b</div>\n <div>\u5e2e\u52a9\u7528\u6237\u8bc6\u522b\uff1a\u754c\u9762\u7b80\u5355\u76f4\u767d\uff0c\u8ba9\u7528\u6237\u5feb\u901f\u8bc6\u522b\u800c\u975e\u56de\u5fc6\uff0c\u51cf\u5c11\u7528\u6237\u8bb0\u5fc6\u8d1f\u62c5\u3002</div>\n </Collapse.Item>\n <Collapse.Item title="\u53ef\u63a7 Controllability">\n <div>\u7528\u6237\u51b3\u7b56\uff1a\u6839\u636e\u573a\u666f\u53ef\u7ed9\u4e88\u7528\u6237\u64cd\u4f5c\u5efa\u8bae\u6216\u5b89\u5168\u63d0\u793a\uff0c\u4f46\u4e0d\u80fd\u4ee3\u66ff\u7528\u6237\u8fdb\u884c\u51b3\u7b56\uff1b</div>\n <div>\u7ed3\u679c\u53ef\u63a7\uff1a\u7528\u6237\u53ef\u4ee5\u81ea\u7531\u7684\u8fdb\u884c\u64cd\u4f5c\uff0c\u5305\u62ec\u64a4\u9500\u3001\u56de\u9000\u548c\u7ec8\u6b62\u5f53\u524d\u64cd\u4f5c\u7b49\u3002</div>\n </Collapse.Item>\n </Collapse>\n )\n } \n ']},Rate:{Code:['\n import Rate from "../../ishow/Rate/Rate";\n\n render(){\n return(\n <div className="block">\n <span className="demonstration">\u9ed8\u8ba4\u4e0d\u533a\u5206\u989c\u8272</span>\n <span className="wrapper">\n <Rate onChange = {(val) => alert(val)}/>\n </span>\n </div>\n <div className ="block">\n <span className="demonstration">\u533a\u5206\u989c\u8272</span>\n <span className="wrapper">\n <Rate colors = {[\'#99A9BF\', \'#F7BA2A\', \'#FF9900\']}/> \n </span>\n </div> \n )\n }\n ','\n import Rate from "../../ishow/Rate/Rate";\n render(){\n return(\n <div className = "halfBlock">\n <div>\n <Rate allowHalf={true} onChange={(val) => console.log(val)} />\n </div>\n </div>\n )\n }\n ','import Rate from "../../ishow/Rate/Rate";\n render(){\n return(\n <div className = "readOnly">\n <div>\n <Rate disabled={true} value={3.9} showText={true} />\n </div>\n </div>\n )\n }\n ','\n import Rate from "../../ishow/Rate/Rate";\n render(){\n return(\n <div className = "readOnly">\n <div>\n <Rate disabled={true} value={3.9} showText={true} />\n </div>\n </div>\n )\n }\n ']},Card:{Code:['\n import Card from "../../ishow/Card/Card";\n import {Button} from "../../ishow";\n\n handleClickOnButton1(){\n Message({\n message: \'\u606d\u559c\u4f60\uff0c\u4f60\u6210\u529f\u5b9a\u5236\u4e86\u4e00\u5f20\u7b80\u5355\u5361\u7247\',\n type: \'success\',\n showClose: true\n });\n }\n \n render() {\n return (\n <Card className="simple-card" style={{ "lineHeight": "36px", width: 400, marginBottom: 40}}\n header={\n <div className="clearfix">\n <span style={{ "lineHeight": "36px" }}>\u5361\u7247\u540d\u79f0</span>\n <span style={{ "float": "right" }}>\n <Button type="primary" onClick={this.handleClickOnButton1.bind(this)}>\u64cd\u4f5c\u6309\u94ae</Button>\n </span>\n </div>\n }\n >\n <div className="text item">\u5217\u8868\u5185\u5bb9 1</div>\n <div className="text item">\u5217\u8868\u5185\u5bb9 2</div>\n <div className="text item">\u5217\u8868\u5185\u5bb9 3</div>\n <div className="text item">\u5217\u8868\u5185\u5bb9 4</div>\n </Card>\n )\n }\n ','\n import Card from \'../../ishow/Card/Card";\n\n render() {\n return (\n <Card className="simple-card" style={{ "lineHeight": "36px", width: 400, marginBottom: 40 }}>\n <div className="text item">\u5217\u8868\u5185\u5bb9 0</div>\n <div className="text item">\u5217\u8868\u5185\u5bb9 1</div>\n <div className="text item">\u5217\u8868\u5185\u5bb9 2</div>\n <div className="text item">\u5217\u8868\u5185\u5bb9 3</div>\n </Card>\n )\n }\n ','\n import Card from "../../ishow/Card/Card";\n import {Button} from "../../ishow";\n import Row from \'../../ishow/LayoutComponent/row/index\';\n import Col from \'../../ishow/LayoutComponent/col/index\';\n\n handleClickOnButton2(){\n Message({\n message: \'\u606d\u559c\u4f60\uff0c\u4f60\u6210\u529f\u5b9a\u5236\u4e86\u4e00\u5f20\u5e26\u56fe\u7247\u7684\u5361\u7247\',\n type: \'success\',\n showClose: true\n });\n }\n \n render() {\n return (\n <Row>\n <Col span={5} offset={0}>\n <Card bodyStyle={{ padding: 0 }} style={{ "lineHeight": "36px", width: 270, \'text-align\': \'center\', marginBottom: 40 }}>\n <img src=\'../src/components/ui/image/image.jpg\' alt=\'iShow UI\' className="image" />\n <div style={{ padding: 14 }}>\n <span style={{ float: \'left\' }}>iShow UI</span>\n <br />\n <div className="bottom clearfix">\n <time className="time" style={{ float: \'left\' }}>2018-04-08 09:21</time>\n <Button type="text" className="button" style={{ "float": "right" }} onClick={this.handleClickOnButton2.bind(this)}>\u64cd\u4f5c\u6309\u94ae</Button>\n </div>\n </div>\n </Card>\n </Col>\n <Col span={5}>\n <Card bodyStyle={{ padding: 0 }} style={{ "lineHeight": "36px", width: 270, \'text-align\': \'center\' }}>\n <img src=\'../src/components/ui/image/image.jpg\' alt=\'iShow UI\' className="image" />\n <div style={{ padding: 14 }}>\n <span style={{ float: \'left\' }}>iShow UI</span>\n <br />\n <div className="bottom clearfix" >\n <time className="time" style={{ float: \'left\' }}>2018-04-08 09:21</time>\n <Button type="text" className="button" style={{ float: \'right\' }} onClick={this.handleClickOnButton2.bind(this)}>\u64cd\u4f5c\u6309\u94ae</Button>\n </div>\n </div>\n </Card>\n </Col>\n </Row> \n )\n }\n ']},Slider:{Code:['\n import Slider from "../../ishow/Slider/index";\n \n constructor(props) {\n super(props);\n \n this.state = {\n value1: 0,\n value2: 50,\n value3: 36,\n value4: 48,\n value5: 42\n }\n }\n \n formatTooltip(val) {\n return val / 100;\n }\n \n render() {\n return (\n <div>\n <div className="block">\n <span className="demonstration">\u9ed8\u8ba4</span>\n <Slider value={this.state.value1} />\n </div>\n <div className="block">\n <span className="demonstration">\u81ea\u5b9a\u4e49\u521d\u59cb\u503c</span>\n <Slider value={this.state.value2} />\n </div>\n <div className="block">\n <span className="demonstration">\u9690\u85cf Tooltip</span>\n <Slider value={this.state.value3} showTooltip={false} />\n </div>\n <div className="block">\n <span className="demonstration">\u683c\u5f0f\u5316 Tooltip</span>\n <Slider value={this.state.value4} formatTooltip={this.formatTooltip.bind(this)} />\n </div>\n <div className="block">\n <span className="demonstration">\u7981\u7528</span>\n <Slider value={this.state.value3} disabled={true} />\n </div>\n </div>\n )\n }\n ','\n import Slider from "../../ishow/Slider/index";\n\n constructor(props) {\n super(props);\n \n this.state = {\n value4: 0,\n value5: 0\n }\n }\n \n render() {\n return (\n <div>\n <div className="block">\n <span className="demonstration">\u4e0d\u663e\u793a\u95f4\u65ad\u70b9</span>\n <Slider value={this.state.value4} step="10" />\n </div>\n <div className="block">\n <span className="demonstration">\u663e\u793a\u95f4\u65ad\u70b9</span>\n <Slider value={this.state.value5} step="10" showStops={true} />\n </div>\n </div>\n )\n } \n ','\n import Slider from "../../ishow/Slider/index";\n\n constructor(props) {\n super(props);\n \n this.state = {\n value: 0\n }\n }\n \n render() {\n return (\n <div className="block">\n <Slider value={this.state.value} showInput={true} />\n </div>\n )\n }\n ','\n import Slider from "../../ishow/Slider/index";\n\n constructor(props) {\n super(props);\n \n this.state = {\n value: [4, 8]\n }\n }\n \n render() {\n return (\n <div className="block">\n <Slider value={this.state.value} max={10} range={true} showStops={true} />\n </div>\n )\n }\n ','\n import Slider from "../../ishow/Slider/index";\n\n constructor(props) {\n super(props);\n \n this.state = {\n value: 0\n }\n }\n \n render() {\n return (\n <div className="block">\n <Slider value={this.state.value} vertical={true} height="200px" />\n </div>\n )\n }\n ']},Layout:{Code:["\n import Layout from '../../ishow/LayoutComponent/layout/index';\n const { Header, Content, Footer} = Layout;\n\n render() {\n return ( \n <Layout style={{marginBottom:50}}>\n <Header style={{ background: '#20A0FF', padding: 0 ,textAlign:'center',color:'#fff'}}>Header</Header>\n <Content style={{ background: '#58B7FF', padding:50 ,textAlign:'center',color:'#fff'}}>Content</Content>\n <Footer style={{ background: '#20A0FF',textAlign:'center',color:'#fff'}}>Footer</Footer>\n </Layout>\n )\n }","\n import Layout from '../../ishow/LayoutComponent/layout/index';\n const { Header, Content, Footer, Sider} = Layout;\n\n render() {\n return ( \n <Layout style={{marginBottom:50}}>\n <Header style={{ background: '#20A0FF', padding: 0 ,textAlign:'center',color:'#fff'}}>Header</Header>\n <Layout>\n <Sider style={{ background: '#1D8CE0', padding:50 ,textAlign:'center',color:'#fff'}}>Sider</Sider>\n <Content style={{ background: '#58B7FF', padding:50 ,textAlign:'center',color:'#fff'}}>Content</Content>\n </Layout>\n <Footer style={{ background: '#20A0FF',textAlign:'center',color:'#fff'}}>Footer</Footer>\n </Layout>\n )\n }","\n import Layout from '../../ishow/LayoutComponent/layout/index';\n const { Header, Content, Footer, Sider} = Layout;\n\n render() {\n return ( \n <Layout style={{marginBottom:50}}>\n <Sider style={{ background: '#1D8CE0', padding:50 ,textAlign:'center',color:'#fff'}}>Sider</Sider>\n <Layout>\n <Header style={{ background: '#20A0FF', padding: 0 ,textAlign:'center',color:'#fff'}}>Header</Header>\n <Content style={{ background: '#58B7FF', padding:50 ,textAlign:'center',color:'#fff'}}>Content</Content>\n <Footer style={{ background: '#20A0FF',textAlign:'center',color:'#fff'}}>Footer</Footer>\n </Layout>\n </Layout>\n )\n }"]},Grid:{Code:["\n import Row from '../../ishow/LayoutComponent/row/index';\n import Col from '../../ishow/LayoutComponent/col/index';\n\n render(){\n return(\n <div>\n <Row>\n <Col span={12}>col-12</Col>\n <Col span={12}>col-12</Col>\n </Row>\n <Row>\n <Col span={8}>col-8</Col>\n <Col span={8}>col-8</Col>\n <Col span={8}>col-8</Col>\n </Row>\n <Row>\n <Col span={6}>col-6</Col>\n <Col span={6}>col-6</Col>\n <Col span={6}>col-6</Col>\n <Col span={6}>col-6</Col>\n </Row>\n </div>,\n )\n }"]},Button:{Code:['\n import {Button} from "../../ishow";\n\n render() {\n return (\n <div>\n <Button>\u666e\u901a\u6309\u94ae</Button>\n <Button type="primary">\u4e3b\u8981\u6309\u94ae</Button>\n <Button type="text">\u6587\u5b57\u6309\u94ae</Button>\n </div>\n )\n }','\n import {Button} from "../../ishow";\n\n render() {\n return (\n <div>\n <Button plain={true} disabled={true}>\u666e\u901a\u6309\u94ae</Button>\n <Button type="primary" disabled={true}>\u4e3b\u8981\u6309\u94ae</Button>\n <Button type="text" disabled={true}>\u6587\u5b57\u6309\u94ae</Button>\n </div>\n )\n }','\n import {Button} from "../../ishow";\n\n render() {\n return <Button type="primary" loading={true}>\u52a0\u8f7d\u4e2d</Button>\n }','\n import {Button} from "../../ishow";\n\n render() {\n return (\n <div >\n <Button type="success">\u6210\u529f\u6309\u94ae</Button>\n <Button type="warning">\u8b66\u544a\u6309\u94ae</Button>\n <Button type="danger">\u5371\u9669\u6309\u94ae</Button>\n <Button type="info">\u4fe1\u606f\u6309\u94ae</Button>\n <Button plain={true} type="success">\u6210\u529f\u6309\u94ae</Button>\n <Button plain={true} type="warning">\u8b66\u544a\u6309\u94ae</Button>\n <Button plain={true} type="danger">\u5371\u9669\u6309\u94ae</Button>\n <Button plain={true} type="info">\u4fe1\u606f\u6309\u94ae</Button>\n </div>\n )\n }','\n import {Button} from "../../ishow";\n\n render() {\n return (\n <div>\n <Button type="primary" icon="edit"></Button>\n <Button type="primary" icon="share"></Button>\n <Button type="primary" icon="delete"></Button>\n <Button type="primary" icon="search">\u641c\u7d22</Button>\n <Button type="primary">\u4e0a\u4f20<i className="ishow-icon-upload ishow-icon-right"></i></Button>\n </div>\n )\n }\n ','\n import {Button} from "../../ishow";\n\n render() {\n return (\n <div>\n <Button.Group>\n <Button type="primary" icon="arrow-left">\u4e0a\u4e00\u9875</Button>\n <Button type="primary">\u4e0b\u4e00\u9875<i className="ishow-icon-arrow-right ishow-icon-right"></i></Button>\n </Button.Group>\n <Button.Group>\n <Button type="primary" icon="edit"></Button>\n <Button type="primary" icon="share"></Button>\n <Button type="primary" icon="delete"></Button>\n </Button.Group>\n </div>\n )\n }\n ','\n import {Button} from "../../ishow";\n\n render() {\n return (\n <div>\n <Button type="primary" size="large">\u5927\u578b\u6309\u94ae</Button>\n <Button type="primary">\u6b63\u5e38\u6309\u94ae</Button>\n <Button type="primary" size="small">\u5c0f\u578b\u6309\u94ae</Button>\n <Button type="primary" size="mini">\u8d85\u5c0f\u6309\u94ae</Button>\n </div>\n )\n }\n ']},Icon:{Code:['\n import Button from \'../../ishow/Button/Button\';\n\n render() {\n return (\n <div>\n <i className="ishow-icon-edit"></i>\n <i className="ishow-icon-share"></i>\n <i className="ishow-icon-delete"></i>\n <Button type="primary" icon="search">\u641c\u7d22</Button>\n </div>\n )\n }\n ']},Radio:{Code:['\n import Radio from \'../../ishow/Radio/index\';\n\n constructor(props) {\n super(props);\n \n this.state = {\n value: 1\n }\n }\n \n onChange(value) {\n this.setState({ value });\n }\n \n render() {\n return (\n <div>\n <Radio value="1" checked={this.state.value === 1} onChange={this.onChange.bind(this)}>ELF-zhangyong</Radio>\n <Radio value="2" checked={this.state.value === 2} onChange={this.onChange.bind(this)}>ELF-chenyuting</Radio>\n </div>\n )\n }\n ','\n import Radio from \'../../ishow/Radio/index\';\n\n render() {\n return (\n <div>\n <Radio value="1" disabled={true}>ELF-zhangyong</Radio>\n <Radio value="2" disabled={true}>ELF-chenyuting</Radio>\n </div>\n )\n }\n ','\n import Radio from \'../../ishow/Radio/index\';\n\n constructor(props) {\n super(props);\n \n this.state = {\n value: 3\n }\n }\n \n onChange(value) {\n this.setState({ value });\n }\n \n render() {\n return (\n <Radio.Group value={this.state.value} onChange={this.onChange.bind(this)}>\n <Radio value="zy">Yuri</Radio>\n <Radio value="tyy">\u5510\u5a9b\u5a9b</Radio>\n <Radio value="cyt">\u9648\u745c\u5a77</Radio>\n <Radio value="zph">\u8d75\u6590\u660a</Radio>\n <Radio value="sy">\u76db\u745c</Radio>\n <Radio value="hj">\u9ec4\u6770</Radio>\n <Radio value="lx">\u5218\u5174</Radio>\n <Radio value="lzq">\u5218\u6cfd\u743c</Radio>\n </Radio.Group>\n )\n }\n ']},Checkbox:{Code:["\n import Checkbox from '../../ishow/Checkbox/index';\n\n render() {\n return <Checkbox checked>\u5907\u9009\u9879</Checkbox>\n }\n ",'\n import CheckBox from \'../../ishow/Checkbox/index\';\n\n constructor(props) {\n super(props);\n \n this.state = {\n checkList: [\'\u590d\u9009\u6846 A\', \'\u9009\u4e2d\u4e14\u7981\u7528\']\n }\n }\n render() {\n return (\n <Checkbox.Group value={this.state.checkList}>\n <Checkbox label="\u590d\u9009\u6846 A"></Checkbox>\n <Checkbox label="\u590d\u9009\u6846 B"></Checkbox>\n <Checkbox label="\u590d\u9009\u6846 C"></Checkbox>\n <Checkbox label="\u7981\u7528" disabled></Checkbox>\n <Checkbox label="\u9009\u4e2d\u4e14\u7981\u7528" disabled></Checkbox>\n </Checkbox.Group>\n )\n }\n ',"\n import CheckBox from '../../ishow/Checkbox/index';\n\n constructor(props) {\n super(props);\n \n this.state = {\n checkAll: false,\n cities: ['\u6c5f\u82cf', '\u5317\u4eac', '\u5e7f\u5dde', '\u6df1\u5733'],\n checkedCities: ['\u6c5f\u82cf', '\u5317\u4eac'],\n isIndeterminate: true,\n }\n }\n \n handleCheckAllChange(checked) {\n const checkedCities = checked ? ['\u6c5f\u82cf', '\u5317\u4eac', '\u5e7f\u5dde', '\u6df1\u5733'] : [];\n \n this.setState({\n isIndeterminate: false,\n checkAll: checked,\n checkedCities: checkedCities,\n });\n }\n \n handleCheckedCitiesChange(value) {\n const checkedCount = value.length;\n const citiesLength = this.state.cities.length;\n \n this.setState({\n checkedCities: value,\n checkAll: checkedCount === citiesLength,\n isIndeterminate: checkedCount > 0 && checkedCount < citiesLength,\n });\n }\n \n render() {\n return (\n <div>\n <Checkbox\n checked={this.state.checkAll}\n indeterminate={this.state.isIndeterminate}\n onChange={this.handleCheckAllChange.bind(this)}>\u5168\u9009</Checkbox>\n <div style={{margin: '15px 0'}}></div>\n <Checkbox.Group\n value={this.state.checkedCities}\n onChange={this.handleCheckedCitiesChange.bind(this)}>\n {\n this.state.cities.map((city, index) =>\n <Checkbox key={index} label={city}></Checkbox>\n )\n }\n </Checkbox.Group>\n </div>\n )\n }\n ","\n import CheckBox from '../../ishow/Checkbox/index';\n\n constructor(props) {\n super(props);\n \n this.state = {\n checkAll: false,\n cities: ['\u6c5f\u82cf', '\u5317\u4eac', '\u5e7f\u5dde', '\u6df1\u5733'],\n checkedCities: ['\u6c5f\u82cf', '\u5317\u4eac'],\n isIndeterminate: true,\n }\n }\n \n handleCheckAllChange(checked) {\n const checkedCities = checked ? ['\u6c5f\u82cf', '\u5317\u4eac', '\u5e7f\u5dde', '\u6df1\u5733'] : [];\n \n this.setState({\n isIndeterminate: false,\n checkAll: checked,\n checkedCities: checkedCities,\n });\n }\n \n handleCheckedCitiesChange(value) {\n const checkedCount = value.length;\n const citiesLength = this.state.cities.length;\n \n this.setState({\n checkedCities: value,\n checkAll: checkedCount === citiesLength,\n isIndeterminate: checkedCount > 0 && checkedCount < citiesLength,\n });\n }\n \n render() {\n return (\n <div>\n <Checkbox\n checked={this.state.checkAll}\n indeterminate={this.state.isIndeterminate}\n onChange={this.handleCheckAllChange.bind(this)}>\u5168\u9009</Checkbox>\n <div style={{margin: '15px 0'}}></div>\n <Checkbox.Group\n min=\"1\"\n max=\"2\"\n value={this.state.checkedCities}\n onChange={this.handleCheckedCitiesChange.bind(this)}>\n {\n this.state.cities.map((city, index) =>\n <Checkbox key={index} label={city}></Checkbox>\n )\n }\n </Checkbox.Group>\n </div>\n )\n }\n "]},Input:{Code:["\n import Input from '../../ishow/Input/Input';\n\n render() {\n return <Input placeholder=\"\u8bf7\u8f93\u5165\u5185\u5bb9\" />\n }\n ","\n import Input from '../../ishow/Input/Input';\n\n render() {\n return <Input disabled placeholder=\"\u8bf7\u8f93\u5165\u5185\u5bb9\" />\n }\n ",'\n import Input from \'../../ishow/Input/Input\';\n\n handleIconClick(ev) {\n\n }\n \n render() {\n return (\n <Input\n icon="time"\n placeholder="\u8bf7\u9009\u62e9\u65e5\u671f"\n onIconClick={this.handleIconClick.bind(this)}\n />\n )\n }\n ','\n import Input from \'../../ishow/Input/Input\';\n\n render() {\n return (\n <div>\n <Input\n type="textarea"\n autosize={true}\n placeholder="\u8bf7\u8f93\u5165\u5185\u5bb9"\n />\n <div style={{ margin: \'20px 0\' }}></div>\n <Input\n type="textarea"\n autosize={{ minRows: 2, maxRows: 4}}\n placeholder="\u8bf7\u8f93\u5165\u5185\u5bb9"\n />\n </div>\n )\n }\n ','\n import Input from \'../../ishow/Input/Input\';\n import Select from \'../../ishow/Select/index\';\n\n render() {\n return (\n <div>\n <Input placeholder="\u8bf7\u8f93\u5165\u5185\u5bb9" prepend="Http://" />\n <Input placeholder="\u8bf7\u8f93\u5165\u5185\u5bb9" append=".com" />\n <Input placeholder="\u8bf7\u8f93\u5165\u5185\u5bb9" prepend={\n <Select value="">\n {\n [\'\u9910\u5385\u540d\', \'\u8ba2\u5355\u53f7\', \'\u7528\u6237\u7535\u8bdd\'].map((item, index) => <Select.Option key={index} label={item} value={index} />)\n }\n </Select>\n } append={<Button type="primary" icon="search">\u641c\u7d22</Button>} />\n </div>\n )\n }\n ','\n import React, { Component } from \'react\';\n import \'./App.css\';\n import AutoComplete from \'../../ishow/auto-complete\';\n\n\n const customItem = (props) => {\n let item = props.item;\n return (\n <div><div className="ishow-customItem-key">{item.value}</div><span className="ishow-customItem-detail">{item.address}</span></div>\n )\n }\n class App extends Component {\n\n constructor(props) {\n super(props);\n this.state = {\n scenery: [\n { "value": "\u7384\u6b66\u6e56\u516c\u56ed", "address": "\u4e2d\u56fd/\u6c5f\u82cf/\u5357\u4eac/\u7384\u6b66\u533a/\u7384\u6b66\u5df71\u53f7" },\n { "value": "\u4e2d\u5c71\u9675", "address": "\u4e2d\u56fd/\u6c5f\u82cf/\u5357\u4eac/\u7384\u6b66\u533a/\u77f3\u8c61\u8def7\u53f7" },\n { "value": "\u4e2d\u592e\u516c\u56ed", "address": "\u4e2d\u56fd/\u6c5f\u82cf/\u5357\u4eac/\u516d\u5408\u533a/\u53e4\u68e0\u5927\u9053" },\n { "value": "\u5357\u4eac\u5927\u5c60\u6740\u7eaa\u5ff5\u9986", "address": "\u4e2d\u56fd/\u6c5f\u82cf/\u5357\u4eac/\u5efa\u90ba\u533a/\u6c34\u897f\u95e8\u5927\u8857418\u53f7" },\n { "value": "\u8001\u95e8\u4e1c", "address": "\u4e2d\u56fd/\u6c5f\u82cf/\u5357\u4eac/\u79e6\u6dee\u533a/\u526a\u5b50\u5df754\u53f7" },\n { "value": "\u7d2b\u5cf0\u5927\u53a6", "address": "\u4e2d\u56fd/\u6c5f\u82cf/\u5357\u4eac/\u9f13\u697c\u533a/\u4e2d\u5c71\u5317\u8def1\u53f7" },\n { "value": "\u9e21\u9e23\u5bfa", "address": "\u4e2d\u56fd/\u6c5f\u82cf/\u5357\u4eac/\u7384\u6b66\u533a/\u9e21\u9e23\u5bfa\u8def1\u53f7" }\n ],\n value1: \'\',\n }\n }\n querySearch(queryString, cb) {\n const { scenery } = this.state;\n const results = queryString ? scenery.filter(this.createFilter(queryString)) : scenery;\n // \u8c03\u7528 callback \u8fd4\u56de\u5efa\u8bae\u5217\u8868\u7684\u6570\u636e\n cb(results);\n }\n\n createFilter(queryString) {\n return (scenery) => {\n return (scenery.value.toLowerCase().indexOf(queryString.toLowerCase()) === 0);\n };\n }\n\n handleSelect(item) {\n\n }\n\n render() {\n return (\n <div >\n <h3 className="text">\u5e26\u8f93\u5165\u5efa\u8bae</h3>\n <AutoComplete\n className="my-autocomplete my-autocomplete-poi"\n placeholder="\u8bf7\u8f93\u5165\u5185\u5bb9"\n value={this.state.value1}\n fetchSuggestions={this.querySearch.bind(this)}\n customItem={customItem}\n onSelect={this.handleSelect.bind(this)}\n style={{width:"100%"}}\n ></AutoComplete>\n </div>\n )\n }\n ','\n import Input from \'../../ishow/Input/Input\';\n \n render() {\n return (\n <div className="inline-input">\n <Input placeholder="\u8bf7\u8f93\u5165\u5185\u5bb9" size="large" />\n <Input placeholder="\u8bf7\u8f93\u5165\u5185\u5bb9" />\n <Input placeholder="\u8bf7\u8f93\u5165\u5185\u5bb9" size="small" />\n <Input placeholder="\u8bf7\u8f93\u5165\u5185\u5bb9" size="mini" />\n </div>\n )\n }\n ']},Select:{Code:["\n import Select from '../../ishow/Select/index';\n\n constructor(props) {\n super(props);\n \n this.state = {\n options: [{\n value: '\u9009\u98791',\n label: 'ELF-Yuri'\n }, {\n value: '\u9009\u98792',\n label: 'ELF-\u9648\u745c\u5a77'\n }, {\n value: '\u9009\u98793',\n label: 'ELF-\u76db\u745c'\n }, {\n value: '\u9009\u98794',\n label: 'ELF-\u5218\u5174'\n }, {\n value: '\u9009\u98795',\n label: 'ELF-\u9ec4\u6770'\n },\n {\n value: '\u9009\u98796',\n label: 'ELF-\u5218\u6cfd\u743c'\n },\n {\n value: '\u9009\u98797',\n label: 'ELF-\u8d75\u6590\u660a'\n }],\n value: ''\n };\n }\n \n render() {\n return (\n <Select value={this.state.value}>\n {\n this.state.options.map(el => {\n return <Select.Option key={el.value} label={el.label} value={el.value} />\n })\n }\n </Select>\n )\n }\n "]},Switch:{Code:['\n import Switch from \'../../ishow/Switch/Switch\';\n\n render() {\n return (\n <div>\n <Switch\n value={true}\n onText=""\n offText="">\n </Switch>\n <Switch\n value={true}\n onColor="#13ce66"\n offColor="#ff4949">\n </Switch>\n </div>\n )\n }\n ','\n import Switch from \'../../ishow/Switch/Switch\';\n import Tooltip from \'../../ishow/Tooltip/Tooltip\';\n\n constructor(props) {\n super(props);\n \n this.state = {\n value: 100,\n }\n }\n \n render() {\n return (\n <Tooltip\n placement="top"\n content={\n <div>Switch value: {this.state.value}</div>\n }\n >\n <Switch\n value={this.state.value}\n onColor="#13ce66"\n offColor="#ff4949"\n onValue={100}\n offValue={0}\n onChange={(value)=>{this.setState({value: value})}}\n >\n </Switch>\n </Tooltip>\n )\n }\n ']},DatePicker:{Code:["\n import DatePicker from '../../ishow/DatePicker/DatePicker';\n\n constructor(props) {\n super(props)\n this.state = {}\n }\n \n render() {\n const {value1, value2} = this.state\n \n return (\n <div>\n <div>\n <DatePicker\n value={value1}\n placeholder=\"\u9009\u62e9\u65e5\u671f\"\n onChange={date=>{\n console.debug('DatePicker1 changed: ', date)\n this.setState({value1: date})\n }}\n disabledDate={time=>time.getTime() < Date.now() - 8.64e7}\n />\n </div>\n <div>\n <span className=\"demonstration\">\u5e26\u5feb\u6377\u9009\u9879</span>\n <DatePicker\n ref={e=>this.datepicker2 = e}\n value={value2}\n align=\"right\"\n placeholder=\"\u9009\u62e9\u65e5\u671f\"\n onChange={date=>{\n console.debug('DatePicker2 changed: ', date)\n this.setState({value2: date})\n \n }}\n shortcuts={[{\n text: '\u4eca\u5929',\n onClick: (picker)=> {\n this.setState({value2: new Date()})\n this.datepicker2.togglePickerVisible()\n }\n }, {\n text: '\u6628\u5929',\n onClick: (picker)=> {\n const date = new Date();\n date.setTime(date.getTime() - 3600 * 1000 * 24);\n this.setState({value2: date})\n this.datepicker2.togglePickerVisible()\n }\n }, {\n text: '\u4e00\u5468\u524d',\n onClick: (picker)=> {\n const date = new Date();\n date.setTime(date.getTime() - 3600 * 1000 * 24 * 7);\n this.setState({value2: date})\n this.datepicker2.togglePickerVisible()\n }\n }]}\n />\n </div>\n </div>\n )\n }\n \n ","\n import DateRangePicker from '../../ishow/DatePicker/DateRangePicker';\n\n constructor(props) {\n super(props)\n this.state = {value1: null, value2: null}\n }\n \n render() {\n const {value1, value2} = this.state\n \n return (\n <div>\n <div>\n <DateRangePicker\n value={value1}\n placeholder=\"\u9009\u62e9\u65e5\u671f\u8303\u56f4\"\n onChange={date=>{\n console.debug('DateRangePicker1 changed: ', date)\n this.setState({value1: date})\n }}\n />\n </div>\n <div>\n <DateRangePicker\n value={value2}\n placeholder=\"\u9009\u62e9\u65e5\u671f\u8303\u56f4\"\n align=\"right\"\n ref={e=>this.daterangepicker2 = e}\n onChange={date=>{\n console.debug('DateRangePicker2 changed: ', date)\n this.setState({value2: date})\n }}\n shortcuts={[{\n text: '\u6700\u8fd1\u4e00\u5468',\n onClick: ()=> {\n const end = new Date();\n const start = new Date();\n start.setTime(start.getTime() - 3600 * 1000 * 24 * 7);\n \n this.setState({value2: [start, end]})\n this.daterangepicker2.togglePickerVisible()\n }\n }, {\n text: '\u6700\u8fd1\u4e00\u4e2a\u6708',\n onClick: ()=> {\n const end = new Date();\n const start = new Date();\n start.setTime(start.getTime() - 3600 * 1000 * 24 * 30);\n \n this.setState({value2: [start, end]})\n this.daterangepicker2.togglePickerVisible()\n }\n }, {\n text: '\u6700\u8fd1\u4e09\u4e2a\u6708',\n onClick: ()=> {\n const end = new Date();\n const start = new Date();\n start.setTime(start.getTime() - 3600 * 1000 * 24 * 90);\n this.setState({value2: [start, end]})\n this.daterangepicker2.togglePickerVisible()\n }\n }]}\n />\n </div>\n </div>\n )\n }\n \n "]},Upload:{Code:["\n import Upload from '../../ishow/Upload/Upload';\n import Button from '../../ishow/Button/Button';\n\n render() {\n const fileList = [\n {name: 'food.jpeg', url: 'https://fuss10.elemecdn.com/3/63/4e7f3a15429bfda99bce42a18cdd1jpeg.jpeg'}, {name: 'food2.jpeg', url: 'https://fuss10.elemecdn.com/3/63/4e7f3a15429bfda99bce42a18cdd1jpeg.jpeg'}\n ];\n return (\n <Upload\n className=\"upload-demo\"\n action=\"//jsonplaceholder.typicode.com/posts/\"\n onPreview={file => this.handlePreview(file)}\n onRemove={(file, fileList) => this.handleRemove(file, fileList)}\n fileList={fileList}\n tip={<div className=\"ishow-upload__tip\">\u53ea\u80fd\u4e0a\u4f20jpg/png\u6587\u4ef6\uff0c\u4e14\u4e0d\u8d85\u8fc7500kb</div>}\n >\n <Button size=\"small\" type=\"primary\">\u70b9\u51fb\u4e0a\u4f20</Button>\n </Upload>\n )\n }\n \n handlePreview(file) {\n console.log('preview');\n }\n \n handleRemove(file, fileList) {\n console.log('remove');\n }\n ",'\n import Upload from \'../../ishow/Upload/Upload\';\n import Dialog from \'../../ishow/Dialog/Dialog\';\n\n constructor(props) {\n super(props);\n \n this.state = {\n dialogImageUrl: \'\',\n dialogVisible: false,\n };\n }\n \n render() {\n const { dialogImageUrl, dialogVisible } = this.state;\n return (\n <div>\n <Upload\n action="//jsonplaceholder.typicode.com/posts/"\n listType="picture-card"\n onPreview={file => this.handlePictureCardPreview(file)}\n onRemove={(file, fileList) => this.handleRemove(file, fileList)}\n >\n <i className="ishow-icon-plus"></i>\n </Upload>\n <Dialog\n visible={dialogVisible}\n size="tiny"\n onCancel={() => this.setState({ dialogVisible: false })}\n >\n <img width="100%" src={dialogImageUrl} alt="" />\n </Dialog>\n </div>\n )\n }\n \n handleRemove(file, fileList) {\n console.log(file, fileList);\n }\n \n handlePictureCardPreview(file) {\n this.setState({\n dialogImageUrl: file.url,\n dialogVisible: true,\n })\n }\n \n ',"\n import Upload from '../../ishow/Upload/Upload';\n import Button from '../../ishow/Button/Button';\n\n render() {\n const fileList2 = [\n {name: 'food.jpeg', url: 'https://fuss10.elemecdn.com/3/63/4e7f3a15429bfda99bce42a18cdd1jpeg.jpeg'}, {name: 'food2.jpeg', url: 'https://fuss10.elemecdn.com/3/63/4e7f3a15429bfda99bce42a18cdd1jpeg.jpeg'}\n ]\n return (\n <Upload\n className=\"upload-demo\"\n action=\"//jsonplaceholder.typicode.com/posts/\"\n onPreview={file => this.handlePreview(file)}\n onRemove={(file, fileList) => this.handleRemove(file, fileList)}\n fileList={fileList2}\n listType=\"picture\"\n tip={<div className=\"ishow-upload__tip\">\u53ea\u80fd\u4e0a\u4f20jpg/png\u6587\u4ef6\uff0c\u4e14\u4e0d\u8d85\u8fc7500kb</div>}\n >\n <Button size=\"small\" type=\"primary\">\u70b9\u51fb\u4e0a\u4f20</Button>\n </Upload>\n )\n }\n \n handleRemove(file, fileList) {\n console.log(file, fileList);\n }\n \n handlePreview(file) {\n console.log(file);\n }\n \n "]},Table:{Code:["\n import Table from '../../ishow/Table/TableStore';\n\n constructor(props) {\n super(props);\n \n this.state = {\n columns: [\n {\n label: \"\u65e5\u671f\",\n prop: \"date\",\n width: 180, \n resizable: false\n },\n {\n label: \"\u59d3\u540d\",\n prop: \"name\",\n width: 180,\n resizable: false\n },\n {\n label: \"\u5730\u5740\",\n prop: \"address\",\n resizable: false\n }\n ],\n data: [{\n date: '2018-03-02',\n name: 'iShow UI -- Yuri',\n address: '\u5357\u4eac\u5e02\u7384\u6b66\u533a\u8f6f\u4ef6\u5927\u9053XX\u5927\u53a6'\n }, {\n date: '2018-03-04',\n name: 'iShow UI -- Yuri',\n address: '\u5357\u4eac\u5e02\u7384\u6b66\u533a\u8f6f\u4ef6\u5927\u9053XX\u5927\u53a6'\n }, {\n date: '2018-03-01',\n name: 'iShow UI -- Yuri',\n address: '\u5357\u4eac\u5e02\u7384\u6b66\u533a\u8f6f\u4ef6\u5927\u9053XX\u5927\u53a6'\n }, {\n date: '2018-03-03',\n name: 'iShow UI -- Yuri',\n address: '\u5357\u4eac\u5e02\u7384\u6b66\u533a\u8f6f\u4ef6\u5927\u9053XX\u5927\u53a6'\n },{\n date: '2018-03-02',\n name: 'iShow UI -- Yuri',\n address: '\u5357\u4eac\u5e02\u7384\u6b66\u533a\u8f6f\u4ef6\u5927\u9053XX\u5927\u53a6'\n }, {\n date: '2018-03-04',\n name: 'iShow UI -- Yuri',\n address: '\u5357\u4eac\u5e02\u7384\u6b66\u533a\u8f6f\u4ef6\u5927\u9053XX\u5927\u53a6'\n }, {\n date: '2018-03-01',\n name: 'iShow UI -- Yuri',\n address: '\u5357\u4eac\u5e02\u7384\u6b66\u533a\u8f6f\u4ef6\u5927\u9053XX\u5927\u53a6'\n }, {\n date: '2018-03-03',\n name: 'iShow UI -- Yuri',\n address: '\u5357\u4eac\u5e02\u7384\u6b66\u533a\u8f6f\u4ef6\u5927\u9053XX\u5927\u53a6'\n }]\n }\n }\n \n render() {\n return (\n <Table\n style={{width: '100%'}}\n columns={this.state.columns}\n maxHeight={200}\n data={this.state.data}\n stripe={true}\n border={true}\n />\n )\n }\n "," \n import Table from '../../ishow/Table/TableStore';\n \n constructor(props){\n super(props);\n this.state = {\n columns2: [\n {\n label: \"\u65e5\u671f\",\n prop: \"date\",\n width: 150,\n fixed: 'left',\n resizable: false\n },\n {\n label: \"\u59d3\u540d\",\n prop: \"name\",\n width: 160,\n resizable: false\n },\n {\n label: \"\u7701\u4efd\",\n prop: \"province\",\n width: 160,\n resizable: false\n },\n {\n label: \"\u5730\u5740\",\n prop: \"address\",\n width: 400,\n resizable: false\n },\n {\n label: \"\u90ae\u7f16\",\n prop: \"zip\",\n width: 120,\n resizable: false\n },\n {\n label: \"\u64cd\u4f5c\",\n prop: \"zip\",\n fixed: 'right',\n width: 100,\n resizable: false,\n render: ()=>{\n return <span><Button type=\"text\" size=\"small\">\u67e5\u770b</Button><Button type=\"text\" size=\"small\">\u7f16\u8f91</Button></span>\n }\n }\n ],\n data2: [{\n date: '2018-03-02',\n name: 'iShow UI -- Yuri',\n province: '\u6c5f\u82cf',\n city: '\u666e\u9640\u533a',\n address: '\u5357\u4eac\u5e02\u7384\u6b66\u533a\u8f6f\u4ef6\u5927\u9053XX\u5927\u53a6',\n zip: 200333\n },{\n date: '2018-03-02',\n name: 'iShow UI -- Yuri',\n province: '\u6c5f\u82cf',\n city: '\u666e\u9640\u533a',\n address: '\u5357\u4eac\u5e02\u7384\u6b66\u533a\u8f6f\u4ef6\u5927\u9053XX\u5927\u53a6',\n zip: 200333\n },{\n date: '2018-03-02',\n name: 'iShow UI -- Yuri',\n province: '\u6c5f\u82cf',\n city: '\u666e\u9640\u533a',\n address: '\u5357\u4eac\u5e02\u7384\u6b66\u533a\u8f6f\u4ef6\u5927\u9053XX\u5927\u53a6',\n zip: 200333\n },{\n date: '2018-03-02',\n name: 'iShow UI -- Yuri',\n province: '\u6c5f\u82cf',\n city: '\u666e\u9640\u533a',\n address: '\u5357\u4eac\u5e02\u7384\u6b66\u533a\u8f6f\u4ef6\u5927\u9053XX\u5927\u53a6',\n zip: 200333\n },{\n date: '2018-03-02',\n name: 'iShow UI -- Yuri',\n province: '\u6c5f\u82cf',\n city: '\u666e\u9640\u533a',\n address: '\u5357\u4eac\u5e02\u7384\u6b66\u533a\u8f6f\u4ef6\u5927\u9053XX\u5927\u53a6',\n zip: 200333\n }],\n }\n }\n render() {\n return (\n <Table\n style={{width: '60%'}}\n columns={this.state.columns2}\n data={this.state.data2}\n border={true}\n height={200}\n />\n )\n }","\n import Table from '../../ishow/Table/TableStore';\n\n constructor(props) {\n super(props);\n \n this.state = {\n columns: [\n {\n label: \"\u65e5\u671f\",\n prop: \"date\",\n width: 150,\n resizable: false\n },\n {\n label: \"\u914d\u9001\u4fe1\u606f\",\n subColumns: [\n {\n label: \"\u59d3\u540d\",\n prop: \"name\",\n width: 160,\n resizable: false\n },\n {\n label: \"\u5730\u5740\",\n resizable: false,\n subColumns: [\n {\n label: \"\u7701\u4efd\",\n prop: \"province\",\n width: 160,\n resizable: false\n },\n {\n label: \"\u57ce\u5e02\",\n prop: \"address\",\n width: 400,\n resizable: false\n },\n {\n label: \"\u90ae\u7f16\",\n prop: \"zip\",\n width: 120,\n resizable: false\n }\n ]\n }\n ]\n }\n ],\n data: [{\n date: '2018-03-02',\n name: 'iShow UI -- Yuri',\n province: '\u6c5f\u82cf',\n city: '\u5357\u4eac',\n address: '\u5357\u4eac\u5e02\u7384\u6b66\u533a\u8f6f\u4ef6\u5927\u9053XX\u5927\u53a6',\n zip: 200333\n }, {\n date: '2018-03-02',\n name: 'iShow UI -- Yuri',\n province: '\u6c5f\u82cf',\n city: '\u5357\u4eac',\n address: '\u5357\u4eac\u5e02\u7384\u6b66\u533a\u8f6f\u4ef6\u5927\u9053XX\u5927\u53a6',\n zip: 200333\n }, {\n date: '2018-03-02',\n name: 'iShow UI -- Yuri',\n province: '\u6c5f\u82cf',\n city: '\u5357\u4eac',\n address: '\u5357\u4eac\u5e02\u7384\u6b66\u533a\u8f6f\u4ef6\u5927\u9053XX\u5927\u53a6',\n zip: 200333\n }, {\n date: '2018-03-02',\n name: 'iShow UI -- Yuri',\n province: '\u6c5f\u82cf',\n city: '\u5357\u4eac',\n address: '\u5357\u4eac\u5e02\u7384\u6b66\u533a\u8f6f\u4ef6\u5927\u9053XX\u5927\u53a6',\n zip: 200333\n }, {\n date: '2018-03-02',\n name: 'iShow UI -- Yuri',\n province: '\u6c5f\u82cf',\n city: '\u5357\u4eac',\n address: '\u5357\u4eac\u5e02\u7384\u6b66\u533a\u8f6f\u4ef6\u5927\u9053XX\u5927\u53a6',\n zip: 200333\n }, {\n date: '2018-03-02',\n name: 'iShow UI -- Yuri',\n province: '\u6c5f\u82cf',\n city: '\u5357\u4eac',\n address: '\u5357\u4eac\u5e02\u7384\u6b66\u533a\u8f6f\u4ef6\u5927\u9053XX\u5927\u53a6',\n zip: 200333\n }, {\n date: '2018-03-02',\n name: 'iShow UI -- Yuri',\n province: '\u6c5f\u82cf',\n city: '\u5357\u4eac',\n address: '\u5357\u4eac\u5e02\u7384\u6b66\u533a\u8f6f\u4ef6\u5927\u9053XX\u5927\u53a6',\n zip: 200333\n }]\n }\n }\n \n \n render() {\n return (\n <Table\n style={{width: '100%'}}\n columns={this.state.columns}\n data={this.state.data}\n border={true}\n />\n )\n }\n ","\n import Table from '../../ishow/Table/TableStore';\n import Button from \"../../ishow/Button/index\";\n import Icon from \"../../ishow/Icon/Icon\";\n import Tag from \"../../ishow/Tag/Tag\";\n\n constructor(props) {\n super(props);\n \n this.state = {\n columns: [\n {\n type: 'index',\n resizable: false\n },\n {\n label: \"\u65e5\u671f\",\n prop: \"date\",\n width: 150,\n resizable: false,\n render: function(data){\n return (\n <span>\n <Icon name=\"time\"/>\n <span style={{marginLeft: '10px'}}>{data.date}</span>\n </span>)\n }\n },\n {\n label: \"\u59d3\u540d\",\n prop: \"name\",\n width: 160,\n resizable: false,\n render: function(data){\n return <Tag>{data.name}</Tag>\n }\n },\n {\n label: \"\u64cd\u4f5c\",\n prop: \"address\",\n resizable: false,\n render: function(){\n return (\n <span>\n <Button plain={true} type=\"info\" size=\"small\">\u7f16\u8f91</Button>\n <Button type=\"danger\" size=\"small\">\u5220\u9664</Button>\n </span>\n )\n }\n }\n ],\n data: [{\n date: '2018-03-02',\n name: 'iShow UI -- Yuri',\n province: '\u6c5f\u82cf',\n city: '\u5357\u4eac',\n address: '\u5357\u4eac\u5e02\u7384\u6b66\u533a\u8f6f\u4ef6\u5927\u9053XX\u5927\u53a6',\n zip: 200333\n }, {\n date: '2018-03-02',\n name: 'iShow UI -- Yuri',\n province: '\u6c5f\u82cf',\n city: '\u5357\u4eac',\n address: '\u5357\u4eac\u5e02\u7384\u6b66\u533a\u8f6f\u4ef6\u5927\u9053XX\u5927\u53a6',\n zip: 200333\n }, {\n date: '2018-03-02',\n name: 'iShow UI -- Yuri',\n province: '\u6c5f\u82cf',\n city: '\u5357\u4eac',\n address: '\u5357\u4eac\u5e02\u7384\u6b66\u533a\u8f6f\u4ef6\u5927\u9053XX\u5927\u53a6',\n zip: 200333\n }, {\n date: '2018-03-02',\n name: 'iShow UI -- Yuri',\n province: '\u6c5f\u82cf',\n city: '\u5357\u4eac',\n address: '\u5357\u4eac\u5e02\u7384\u6b66\u533a\u8f6f\u4ef6\u5927\u9053XX\u5927\u53a6',\n zip: 200333\n }, {\n date: '2018-03-02',\n name: 'iShow UI -- Yuri',\n province: '\u6c5f\u82cf',\n city: '\u5357\u4eac',\n address: '\u5357\u4eac\u5e02\u7384\u6b66\u533a\u8f6f\u4ef6\u5927\u9053XX\u5927\u53a6',\n zip: 200333\n }, {\n date: '2018-03-02',\n name: 'iShow UI -- Yuri',\n province: '\u6c5f\u82cf',\n city: '\u5357\u4eac',\n address: '\u5357\u4eac\u5e02\u7384\u6b66\u533a\u8f6f\u4ef6\u5927\u9053XX\u5927\u53a6',\n zip: 200333\n }, {\n date: '2018-03-02',\n name: 'iShow UI -- Yuri',\n province: '\u6c5f\u82cf',\n city: '\u5357\u4eac',\n address: '\u5357\u4eac\u5e02\u7384\u6b66\u533a\u8f6f\u4ef6\u5927\u9053XX\u5927\u53a6',\n zip: 200333\n }]\n }\n }\n \n render() {\n return (\n <Table\n style={{width: '100%'}}\n columns={this.state.columns}\n data={this.state.data}\n border={true}\n height={250}\n highlightCurrentRow={true}\n onCurrentChange={item=>{console.log(item)}}\n />\n )\n }\n ","\n import Table from '../../ishow/Table/TableStore';\n import Form from '../../ishow/Form/index';\n\n constructor(props) {\n super(props);\n \n this.state = {\n columns: [\n {\n type: 'expand',\n resizable:false,\n expandPannel: function(data){\n return (\n <Form labelPosition=\"left\" inline={true} className=\"demo-table-expand\">\n <Form.Item label=\"\u5546\u54c1\u540d\u79f0\"><span>\u53cc\u4eba\u62a5\u4ef7\u5957\u9910-\u4e0a\u6d77\u8fea\u58eb\u5c3c\u4e50\u56ed\u81ea\u9a7e2\u65e5\u6e38</span></Form.Item>\n <Form.Item label=\"\u6240\u5c5e\u5e97\u94fa\"><span>iShow UI -- Yuri\u592b\u59bb\u5e97</span></Form.Item>\n <Form.Item label=\"\u5546\u54c1 ID\"><span>12987122</span></Form.Item>\n <Form.Item label=\"\u5e97\u94fa ID\"><span>10333</span></Form.Item>\n <Form.Item label=\"\u5546\u54c1\u5206\u7c7b\"><span>\u5bbf\u73a9\u5177\u603b\u52a8\u5458\u9152\u5e97</span></Form.Item>\n <Form.Item label=\"\u5e97\u94fa\u5730\u5740\"><span>\u4e0a\u6d77\u8fea\u58eb\u5c3c\u4e50\u56ed</span></Form.Item>\n <Form.Item label=\"\u5546\u54c1\u63cf\u8ff0\"><span>3\u67085\u53f7\u81f37\u53f7\u9884\u5b9a\u6307\u5b9a\u56e2\u671f\u8fea\u58eb\u5c3c\u95e8\u7968\u4eab\u4e03\u4e94\u6298\u7279\u60e0\u540d\u989d\u6709\u9650</span></Form.Item>\n </Form>\n )\n }\n },\n {\n label: \"\u5546\u54c1 ID\",\n prop: \"id\",\n width: 150,\n resizable: false\n },\n {\n label: \"\u5546\u54c1\u540d\u79f0\",\n prop: \"name\",\n width: 160,\n resizable: false\n },\n {\n label: \"\u63cf\u8ff0\",\n prop: \"desc\",\n resizable: false\n }\n ],\n data: [{\n id: '12987122',\n name: '\u53cc\u4eba\u62a5\u4ef7\u5957\u9910-\u4e0a\u6d77\u8fea\u58eb\u5c3c\u4e50\u56ed\u81ea\u9a7e2\u65e5\u6e38',\n category: '\u5bbf\u73a9\u5177\u603b\u52a8\u5458\u9152\u5e97',\n desc: '3\u67085\u53f7\u81f37\u53f7\u9884\u5b9a\u6307\u5b9a\u56e2\u671f\u8fea\u58eb\u5c3c\u95e8\u7968\u4eab\u4e03\u4e94\u6298\u7279\u60e0\u540d\u989d\u6709\u9650',\n address: '\u4e0a\u6d77\u8fea\u58eb\u5c3c\u4e50\u56ed',\n shop: 'iShow UI -- Yuri\u592b\u59bb\u5e97',\n shopId: '10333'\n }, {\n id: '12987123',\n name: '\u53cc\u4eba\u62a5\u4ef7\u5957\u9910-\u4e0a\u6d77\u8fea\u58eb\u5c3c\u4e50\u56ed\u81ea\u9a7e2\u65e5\u6e38',\n category: '\u5bbf\u73a9\u5177\u603b\u52a8\u5458\u9152\u5e97',\n desc: '3\u67085\u53f7\u81f37\u53f7\u9884\u5b9a\u6307\u5b9a\u56e2\u671f\u8fea\u58eb\u5c3c\u95e8\u7968\u4eab\u4e03\u4e94\u6298\u7279\u60e0\u540d\u989d\u6709\u9650',\n address: '\u4e0a\u6d77\u8fea\u58eb\u5c3c\u4e50\u56ed',\n shop: 'iShow UI -- Yuri\u592b\u59bb\u5e97',\n shopId: '10333'\n }, {\n id: '12987125',\n name: '\u53cc\u4eba\u62a5\u4ef7\u5957\u9910-\u4e0a\u6d77\u8fea\u58eb\u5c3c\u4e50\u56ed\u81ea\u9a7e2\u65e5\u6e38',\n category: '\u5bbf\u73a9\u5177\u603b\u52a8\u5458\u9152\u5e97',\n desc: '3\u67085\u53f7\u81f37\u53f7\u9884\u5b9a\u6307\u5b9a\u56e2\u671f\u8fea\u58eb\u5c3c\u95e8\u7968\u4eab\u4e03\u4e94\u6298\u7279\u60e0\u540d\u989d\u6709\u9650',\n address: '\u4e0a\u6d77\u8fea\u58eb\u5c3c\u4e50\u56ed',\n shop: 'iShow UI -- Yuri\u592b\u59bb\u5e97',\n shopId: '10333'\n }, {\n id: '12987126',\n name: '\u53cc\u4eba\u62a5\u4ef7\u5957\u9910-\u4e0a\u6d77\u8fea\u58eb\u5c3c\u4e50\u56ed\u81ea\u9a7e2\u65e5\u6e38',\n category: '\u5bbf\u73a9\u5177\u603b\u52a8\u5458\u9152\u5e97',\n desc: '3\u67085\u53f7\u81f37\u53f7\u9884\u5b9a\u6307\u5b9a\u56e2\u671f\u8fea\u58eb\u5c3c\u95e8\u7968\u4eab\u4e03\u4e94\u6298\u7279\u60e0\u540d\u989d\u6709\u9650',\n address: '\u4e0a\u6d77\u8fea\u58eb\u5c3c\u4e50\u56ed',\n shop: 'iShow UI -- Yuri\u592b\u59bb\u5e97',\n shopId: '10333'\n }]\n }\n }\n \n render() {\n return (\n <Table\n style={{width: '100%'}}\n columns={this.state.columns}\n data={this.state.data}\n border={false}\n onCurrentChange={item=>{console.log(item)}}\n />\n )\n }\n ","\n import Table from '../../ishow/Table/TableStore';\n\n constructor(props) {\n super(props);\n \n this.state = {\n columns: [\n {\n type: 'selection',\n resizable: false\n },\n {\n label: \"\u65e5\u671f\",\n prop: \"date\",\n width: 150,\n resizable: false\n },\n {\n label: \"\u59d3\u540d\",\n prop: \"name\",\n width: 160,\n resizable: false\n },\n {\n label: \"\u5730\u5740\",\n prop: \"address\",\n resizable: false\n }\n ],\n data: [{\n date: '2018-03-02',\n name: 'iShow UI -- Yuri',\n province: '\u6c5f\u82cf',\n city: '\u5357\u4eac',\n address: '\u5357\u4eac\u5e02\u7384\u6b66\u533a\u8f6f\u4ef6\u5927\u9053XX\u5927\u53a6',\n zip: 200333\n }, {\n date: '2018-03-02',\n name: 'iShow UI -- Yuri',\n province: '\u6c5f\u82cf',\n city: '\u5357\u4eac',\n address: '\u5357\u4eac\u5e02\u7384\u6b66\u533a\u8f6f\u4ef6\u5927\u9053XX\u5927\u53a6',\n zip: 200333\n }, {\n date: '2018-03-02',\n name: 'iShow UI -- Yuri',\n province: '\u6c5f\u82cf',\n city: '\u5357\u4eac',\n address: '\u5357\u4eac\u5e02\u7384\u6b66\u533a\u8f6f\u4ef6\u5927\u9053XX\u5927\u53a6',\n zip: 200333\n }, {\n date: '2018-03-02',\n name: 'iShow UI -- Yuri',\n province: '\u6c5f\u82cf',\n city: '\u5357\u4eac',\n address: '\u5357\u4eac\u5e02\u7384\u6b66\u533a\u8f6f\u4ef6\u5927\u9053XX\u5927\u53a6',\n zip: 200333\n }, {\n date: '2018-03-02',\n name: 'iShow UI -- Yuri',\n province: '\u6c5f\u82cf',\n city: '\u5357\u4eac',\n address: '\u5357\u4eac\u5e02\u7384\u6b66\u533a\u8f6f\u4ef6\u5927\u9053XX\u5927\u53a6',\n zip: 200333\n }, {\n date: '2018-03-02',\n name: 'iShow UI -- Yuri',\n province: '\u6c5f\u82cf',\n city: '\u5357\u4eac',\n address: '\u5357\u4eac\u5e02\u7384\u6b66\u533a\u8f6f\u4ef6\u5927\u9053XX\u5927\u53a6',\n zip: 200333\n }, {\n date: '2018-03-02',\n name: 'iShow UI -- Yuri',\n province: '\u6c5f\u82cf',\n city: '\u5357\u4eac',\n address: '\u5357\u4eac\u5e02\u7384\u6b66\u533a\u8f6f\u4ef6\u5927\u9053XX\u5927\u53a6',\n zip: 200333\n }]\n }\n }\n \n render() {\n return (\n <Table\n style={{width: '100%'}}\n columns={this.state.columns}\n data={this.state.data}\n border={true}\n height={250}\n onSelectChange={(selection) => { console.log(selection) }}\n onSelectAll={(selection) => { console.log(selection) }}\n />\n )\n }\n ","\n import Table from '../../ishow/Table/TableStore';\n\n constructor(props) {\n super(props);\n \n this.state = {\n columns: [\n {\n label: \"\u65e5\u671f\",\n prop: \"date\",\n width: 180,\n sortable: true,\n resizable: false\n },\n {\n label: \"\u59d3\u540d\",\n prop: \"name\",\n width: 180,\n sortable: true,\n resizable: false\n },\n {\n label: \"\u5730\u5740\",\n prop: \"address\",\n resizable: false\n }\n ],\n data: [{\n date: '2018-03-02',\n name: 'iShow UI -- Yuri',\n address: '\u5357\u4eac\u5e02\u7384\u6b66\u533a\u8f6f\u4ef6\u5927\u9053XX\u5927\u53a6'\n }, {\n date: '2018-03-04',\n name: 'iShow UI -- Yuri',\n address: '\u5357\u4eac\u5e02\u7384\u6b66\u533a\u8f6f\u4ef6\u5927\u9053XX\u5927\u53a6'\n }, {\n date: '2018-03-01',\n name: 'iShow UI -- Yuri',\n address: '\u5357\u4eac\u5e02\u7384\u6b66\u533a\u8f6f\u4ef6\u5927\u9053XX\u5927\u53a6'\n }, {\n date: '2018-03-03',\n name: 'iShow UI -- Yuri',\n address: '\u5357\u4eac\u5e02\u7384\u6b66\u533a\u8f6f\u4ef6\u5927\u9053XX\u5927\u53a6'\n }]\n }\n }\n \n render() {\n return (\n <Table\n style={{width: '100%'}}\n columns={this.state.columns}\n data={this.state.data}\n border={true}\n />\n )\n }\n ","\n import Table from '../../ishow/Table/TableStore';\n import Tag from \"../../ishow/Tag/Tag\";\n\n constructor(props) {\n super(props);\n \n this.state = {\n columns: [\n {\n label: \"\u65e5\u671f\",\n prop: \"date\",\n width: 180,\n resizable: false\n },\n {\n label: \"\u59d3\u540d\",\n prop: \"name\",\n width: 180,\n resizable: false\n },\n {\n label: \"\u5730\u5740\",\n prop: \"address\",\n resizable: false\n },\n {\n label: '\u6807\u7b7e',\n prop: 'tag',\n width: 100,\n resizable: false,\n filters: [{text: '\u5bb6', value: '\u5bb6'}, {text: '\u516c\u53f8', value: '\u516c\u53f8'}],\n filterMethod(value, row) {\n return row.tag === value;\n },\n render: (data, column)=>{\n if(data['tag'] == '\u5bb6'){\n return <Tag type=\"primary\">{data['tag']}</Tag>\n }else if(data['tag'] == '\u516c\u53f8'){\n return <Tag type=\"success\">{data['tag']}</Tag>\n }\n }\n }\n ],\n data: [{\n date: '2018-03-02',\n name: 'iShow UI -- Yuri',\n address: '\u5357\u4eac\u5e02\u7384\u6b66\u533a\u8f6f\u4ef6\u5927\u9053XX\u5927\u53a6',\n tag: '\u5bb6'\n }, {\n date: '2018-03-04',\n name: 'iShow UI -- Yuri',\n address: '\u5357\u4eac\u5e02\u7384\u6b66\u533a\u8f6f\u4ef6\u5927\u9053XX\u5927\u53a6',\n tag: '\u516c\u53f8'\n }, {\n date: '2018-03-01',\n name: 'iShow UI -- Yuri',\n address: '\u5357\u4eac\u5e02\u7384\u6b66\u533a\u8f6f\u4ef6\u5927\u9053XX\u5927\u53a6',\n tag: '\u516c\u53f8'\n }, {\n date: '2018-03-03',\n name: 'iShow UI -- Yuri',\n address: '\u5357\u4eac\u5e02\u7384\u6b66\u533a\u8f6f\u4ef6\u5927\u9053XX\u5927\u53a6',\n tag: '\u5bb6'\n }]\n }\n }\n \n render() {\n return (\n <Table\n style={{width: '100%'}}\n columns={this.state.columns}\n data={this.state.data}\n border={true}\n />\n )\n }\n "]},Tag:{Code:['\n import Tag from \'../../ishow/Tag/Tag\';\n\n render() {\n return (\n <div>\n <Tag>\u6807\u7b7e\u4e00</Tag>\n <Tag type="gray">\u6807\u7b7e\u4e8c</Tag>\n <Tag type="primary">\u6807\u7b7e\u4e09</Tag>\n <Tag type="success">\u6807\u7b7e\u56db</Tag>\n <Tag type="warning">\u6807\u7b7e\u4e94</Tag>\n <Tag type="danger">\u6807\u7b7e\u516d</Tag>\n </div>\n )\n }',"\n import Tag from '../../ishow/Tag/Tag';\n\n constructor(props) {\n super(props);\n \n this.state = {\n tags: [\n { key: 1, name: '\u6807\u7b7e\u4e00', type: '' },\n { key: 2, name: '\u6807\u7b7e\u4e8c', type: 'gray' },\n { key: 5, name: '\u6807\u7b7e\u4e09', type: 'primary' },\n { key: 3, name: '\u6807\u7b7e\u56db', type: 'success' },\n { key: 4, name: '\u6807\u7b7e\u4e94', type: 'warning' },\n { key: 6, name: '\u6807\u7b7e\u516d', type: 'danger' }\n ]\n }\n }\n \n handleClose(tag) {\n const { tags } = this.state;\n \n tags.splice(tags.map(el => el.key).indexOf(tag.key), 1);\n \n this.setState({ tag });\n }\n \n render() {\n return (\n <div>\n {\n this.state.tags.map(tag => {\n return (\n <Tag\n key={tag.key}\n closable={true}\n type={tag.type}\n closeTransition={false}\n onClose={this.handleClose.bind(this, tag)}>{tag.name}</Tag>\n )\n })\n }\n </div>\n )\n }\n ","\n import Tag from '../../ishow/Tag/Tag';\n import Button from '../../ishow/Button/Button';\n import Input from '../../ishow/Input/Input';\n\n constructor(props) {\n super(props);\n \n this.state = {\n dynamicTags: ['\u6807\u7b7e\u4e00', '\u6807\u7b7e\u4e8c', '\u6807\u7b7e\u4e09'],\n inputVisible: false,\n inputValue: ''\n }\n }\n \n onKeyUp(e) {\n if (e.keyCode === 13) {\n this.handleInputConfirm();\n }\n }\n \n onChange(value) {\n this.setState({ inputValue: value });\n }\n \n handleClose(index) {\n this.state.dynamicTags.splice(index, 1);\n this.forceUpdate();\n }\n \n showInput() {\n this.setState({ inputVisible: true }, () => {\n this.refs.saveTagInput.focus();\n });\n }\n \n handleInputConfirm() {\n let inputValue = this.state.inputValue;\n \n if (inputValue) {\n this.state.dynamicTags.push(inputValue);\n }\n \n this.state.inputVisible = false;\n this.state.inputValue = '';\n \n this.forceUpdate();\n }\n \n render() {\n return (\n <div>\n {\n this.state.dynamicTags.map((tag, index) => {\n return (\n <Tag\n key={Math.random()}\n closable={true}\n closeTransition={false}\n onClose={this.handleClose.bind(this, index)}>{tag}</Tag>\n )\n })\n }\n {\n this.state.inputVisible ? (\n <Input\n className=\"input-new-tag\"\n value={this.state.inputValue}\n ref=\"saveTagInput\"\n size=\"mini\"\n onChange={this.onChange.bind(this)}\n onKeyUp={this.onKeyUp.bind(this)}\n onBlur={this.handleInputConfirm.bind(this)}\n />\n ) : <Button className=\"button-new-tag\" size=\"small\" onClick={this.showInput.bind(this)}>+ New Tag</Button>\n }\n </div>\n )\n }\n "]},Progress:{Code:['\n import Progress from \'../../ishow/Progress/Progress\';\n\n render() {\n return (\n <div>\n <Progress percentage={0} />\n <Progress percentage={70} />\n <Progress percentage={100} status="success" />\n <Progress percentage={50} status="exception" />\n </div>\n )\n }\n ','\n import Progress from \'../../ishow/Progress/Progress\';\n\n render() {\n return (\n <div>\n <Progress strokeWidth={18} percentage={0} textInside />\n <Progress strokeWidth={18} percentage={70} textInside />\n <Progress strokeWidth={18} percentage={100} status="success" textInside />\n <Progress strokeWidth={18} percentage={50} status="exception" textInside />\n </div>\n )\n }\n ','\n import Progress from \'../../ishow/Progress/Progress\';\n\n render() {\n return (\n <div>\n <Progress type="circle" percentage={0} />\n <Progress type="circle" percentage={25} />\n <Progress type="circle" percentage={100} status="success" />\n <Progress type="circle" percentage={50} status="exception" />\n </div>\n )\n }']},Pagination:{Code:['\n import Pagination from \'../../ishow/Pagination/Pagination\';\n\n render() {\n return (\n <div>\n <Pagination layout="prev, pager, next" total={50}/>\n <Pagination layout="prev, pager, next" total={1000}/>\n </div>\n )\n }','render() {\n return <Pagination layout="prev, pager, next" total={50} small={true}/>\n }','\n render() {\n return (\n <div>\n <Pagination layout="total, sizes, prev, pager, next, jumper" total={400} pageSizes={[100, 200, 300, 400]} pageSize={100} currentPage={5}/>\n </div>\n )\n }']},Loading:{Code:["\n import Loading from '../../ishow/Loading/Loading';\n import Table from '../../ishow/Table/TableStore';\n\n constructor(props) {\n super(props);\n \n this.table = {\n columns: [\n {\n label: \"\u65e5\u671f\",\n prop: \"date\",\n width: 180\n },\n {\n label: \"\u59d3\u540d\",\n prop: \"name\",\n width: 180\n },\n {\n label: \"\u5730\u5740\",\n prop: \"address\"\n }\n ],\n data: [{\n date: '2018-03-02',\n name: 'iShow UI -- Yuri',\n address: '\u5357\u4eac\u5e02\u7384\u6b66\u533a\u8f6f\u4ef6\u5927\u9053XX\u5927\u53a6'\n }, {\n date: '2018-03-04',\n name: 'iShow UI -- Yuri',\n address: '\u5357\u4eac\u5e02\u7384\u6b66\u533a\u8f6f\u4ef6\u5927\u9053XX\u5927\u53a6'\n }, {\n date: '2018-03-01',\n name: 'iShow UI -- Yuri',\n address: '\u5357\u4eac\u5e02\u7384\u6b66\u533a\u8f6f\u4ef6\u5927\u9053XX\u5927\u53a6'\n }, {\n date: '2018-03-03',\n name: 'iShow UI -- Yuri',\n address: '\u5357\u4eac\u5e02\u7384\u6b66\u533a\u8f6f\u4ef6\u5927\u9053XX\u5927\u53a6'\n }]\n }\n }\n \n render() {\n return (\n <div className=\"ishow-loading-demo\">\n <Loading text=\"\u8ba2\u5355\u8d44\u6e90\u786e\u8ba4\u4e2d\">\n <Table\n style={{width: '100%'}}\n columns={this.table.columns}\n data={this.table.data}\n />\n </Loading>\n </div>\n )\n }\n "]},Message:{Code:["\n import Message from '../../ishow/Message/Message';\n import Button from \"../../ishow/Button/Button\";\n\n open5() {\n Message({\n showClose: true,\n message: '\u606d\u559c\u4f60\uff0c\u8fd9\u662f\u4e00\u6761\u6210\u529f\u6d88\u606f',\n type: 'success'\n });\n }\n \n open6() {\n Message({\n showClose: true,\n message: '\u8b66\u544a\u54e6\uff0c\u8fd9\u662f\u4e00\u6761\u8b66\u544a\u6d88\u606f',\n type: 'warning'\n });\n }\n \n open7() {\n Message({\n showClose: true,\n message: '\u8fd9\u662f\u4e00\u6761\u6d88\u606f\u63d0\u793a',\n type: 'info'\n });\n }\n \n open8() {\n Message({\n showClose: true,\n message: '\u9519\u4e86\u54e6\uff0c\u8fd9\u662f\u4e00\u6761\u9519\u8bef\u6d88\u606f',\n type: 'error'\n });\n }\n \n render() {\n return (\n <div>\n <Button plain={true} onClick={this.open5.bind(this)}>\u6210\u529f</Button>\n <Button plain={true} onClick={this.open6.bind(this)}>\u8b66\u544a</Button>\n <Button plain={true} onClick={this.open7.bind(this)}>\u6d88\u606f</Button>\n <Button plain={true} onClick={this.open8.bind(this)}>\u9519\u8bef</Button>\n </div>\n )\n }\n "]},MessageBox:{Code:["\n import MessageBox from '../../ishow/MessageBox/index';\n import Button from \"../../ishow/Button/Button\";\n import Message from '../../ishow/Message/Message';\n\n render() {\n return <Button type=\"text\" onClick={this.onClick.bind(this)}>\u70b9\u6211\u67e5\u770b\u6d88\u606f\u63d0\u793a</Button>\n }\n \n onClick() {\n MessageBox.alert('\u8fd9\u662f\u4e00\u6bb5\u5185\u5bb9', '\u6807\u9898\u540d\u79f0');\n }","\n import MessageBox from '../../ishow/MessageBox/index';\n import Button from \"../../ishow/Button/Button\";\n import Message from '../../ishow/Message/Message';\n\n render() {\n return <Button type=\"text\" onClick={this.onClick.bind(this)}>\u70b9\u6211\u786e\u8ba4\u6d88\u606f</Button>\n }\n \n onClick() {\n MessageBox.confirm('\u6b64\u64cd\u4f5c\u5c06\u6c38\u4e45\u5220\u9664\u8be5\u6587\u4ef6, \u662f\u5426\u7ee7\u7eed?', '\u63d0\u793a', {\n type: 'warning'\n }).then(() => {\n Message({\n type: 'success',\n message: '\u5220\u9664\u6210\u529f!'\n });\n }).catch(() => {\n Message({\n type: 'info',\n message: '\u5df2\u53d6\u6d88\u5220\u9664'\n });\n });\n }\n ","\n import MessageBox from '../../ishow/MessageBox/index';\n import Button from \"../../ishow/Button/Button\";\n import Message from '../../ishow/Message/Message';\n\n render() {\n return <Button type=\"text\" onClick={this.onClick.bind(this)}>\u70b9\u6211\u63d0\u4ea4\u5185\u5bb9</Button>\n }\n \n onClick() {\n MessageBox.prompt('\u8bf7\u8f93\u5165\u90ae\u7bb1', '\u63d0\u793a', {\n inputPattern: /[\\/w!#$%&'*+/=?^_`{|}~-]+(?:.[w!#$%&'*+/=?^_`{|}~-]+)*@(?:[w](?:[w-]*[w])?.)+[w](?:[w-]*[w])?\\/,\n inputErrorMessage: '\u90ae\u7bb1\u683c\u5f0f\u4e0d\u6b63\u786e'\n }).then(({ value }) => {\n Message({\n type: 'success',\n message: '\u4f60\u7684\u90ae\u7bb1\u662f: ' + value\n });\n }).catch(() => {\n Message({\n type: 'info',\n message: '\u53d6\u6d88\u8f93\u5165'\n });\n });\n }\n ","\n import MessageBox from '../../ishow/MessageBox/index';\n import Button from \"../../ishow/Button/Button\";\n import Message from '../../ishow/Message/Message';\n\n render() {\n return <Button type=\"text\" onClick={this.onClick.bind(this)}>\u70b9\u51fb\u6253\u5f00 Message Box</Button>\n }\n \n onClick() {\n MessageBox.msgbox({\n title: '\u6d88\u606f',\n message: '\u8fd9\u662f\u4e00\u6bb5\u5185\u5bb9, \u8fd9\u662f\u4e00\u6bb5\u5185\u5bb9, \u8fd9\u662f\u4e00\u6bb5\u5185\u5bb9, \u8fd9\u662f\u4e00\u6bb5\u5185\u5bb9, \u8fd9\u662f\u4e00\u6bb5\u5185\u5bb9, \u8fd9\u662f\u4e00\u6bb5\u5185\u5bb9, \u8fd9\u662f\u4e00\u6bb5\u5185\u5bb9',\n showCancelButton: true\n }).then(action => {\n Message({\n type: 'info',\n message: 'action: ' + action\n });\n })\n }"]},Notification:{Code:["\n import Notification from '../../ishow/Notification/NotificationCenter';\n import Button from \"../../ishow/Button/Button\";\n\n render() {\n return (\n <div>\n <Button onClick={this.open3.bind(this)}>\u6210\u529f</Button>\n <Button onClick={this.open4.bind(this)}>\u8b66\u544a</Button>\n <Button onClick={this.open5.bind(this)}>\u6d88\u606f</Button>\n <Button onClick={this.open6.bind(this)}>\u9519\u8bef\u6d88\u606f\u5e76\u4e14\u4e0d\u4f1a\u81ea\u52a8\u5173\u95ed</Button>\n </div>\n )\n }\n \n open3() {\n Notification({\n title: '\u6210\u529f',\n message: '\u8fd9\u662f\u4e00\u6761\u6210\u529f\u7684\u63d0\u793a\u6d88\u606f',\n type: 'success'\n });\n }\n \n open4() {\n Notification({\n title: '\u8b66\u544a',\n message: '\u8fd9\u662f\u4e00\u6761\u8b66\u544a\u7684\u63d0\u793a\u6d88\u606f',\n type: 'warning'\n });\n }\n \n open5() {\n Notification.info({\n title: '\u6d88\u606f',\n message: '\u8fd9\u662f\u4e00\u6761\u6d88\u606f\u7684\u63d0\u793a\u6d88\u606f'\n });\n }\n \n open6() {\n Notification.error({\n title: '\u9519\u8bef',\n message: '\u8fd9\u662f\u4e00\u6761\u9519\u8bef\u7684\u63d0\u793a\u6d88\u606f\uff0c\u5e76\u4e14\u4e0d\u4f1a\u81ea\u52a8\u5173\u95ed',\n duration: 0\n });\n }\n "]},Menu:{Code:['\n import Menu from \'../../ishow/Menu/index.js\';\n\n render() {\n return (\n <div>\n <Menu theme="dark" defaultActive="1" className="ishow-menu-demo" mode="horizontal" onSelect={this.onSelect.bind(this)}>\n <Menu.Item index="1">\u5904\u7406\u4e2d\u5fc3</Menu.Item>\n <Menu.SubMenu index="2" title="\u6211\u7684\u5de5\u4f5c\u53f0">\n <Menu.Item index="2-1">\u9009\u98791</Menu.Item>\n <Menu.Item index="2-2">\u9009\u98792</Menu.Item>\n <Menu.Item index="2-3">\u9009\u98793</Menu.Item>\n </Menu.SubMenu>\n <Menu.Item index="3">\u8ba2\u5355\u7ba1\u7406</Menu.Item>\n </Menu>\n <div className="line"></div>\n <Menu defaultActive="1" className="ishow-menu-demo" mode="horizontal" onSelect={this.onSelect.bind(this)}>\n <Menu.Item index="1">\u5904\u7406\u4e2d\u5fc3</Menu.Item>\n <Menu.SubMenu index="2" title="\u6211\u7684\u5de5\u4f5c\u53f0">\n <Menu.Item index="2-1">\u9009\u98791</Menu.Item>\n <Menu.Item index="2-2">\u9009\u98792</Menu.Item>\n <Menu.Item index="2-3">\u9009\u98793</Menu.Item>\n </Menu.SubMenu>\n <Menu.Item index="3">\u8ba2\u5355\u7ba1\u7406</Menu.Item>\n </Menu>\n </div>\n )\n }\n \n onSelect() {\n \n }\n ']},Tab:{Code:['\n import Tabs from "../../ishow/Tab/index";\n\n render() {\n return (\n <Tabs activeName="2" onTabClick={ (tab) => console.log(tab.props.name) }>\n <Tabs.Pane label="\u9996\u9875" name="1">\u9996\u9875</Tabs.Pane>\n <Tabs.Pane label="\u4ee3\u5ba2\u6ce8\u518c" name="2">\u4ee3\u5ba2\u6ce8\u518c</Tabs.Pane>\n <Tabs.Pane label="\u4e3b\u63a8\u7ba1\u7406" name="3">\u4e3b\u63a8\u7ba1\u7406</Tabs.Pane>\n <Tabs.Pane label="\u4efb\u52a1\u5185\u5bb9\u7ba1\u7406" name="4">\u4efb\u52a1\u5185\u5bb9\u7ba1\u7406</Tabs.Pane>\n </Tabs>\n )\n }\n ','\n import Tabs from "../../ishow/Tab/index";\n\n render() {\n return (\n <Tabs type="card" value="1">\n <Tabs.Pane label="\u9996\u9875" name="1">\u9996\u9875</Tabs.Pane>\n <Tabs.Pane label="\u4ee3\u5ba2\u6ce8\u518c" name="2">\u4ee3\u5ba2\u6ce8\u518c</Tabs.Pane>\n <Tabs.Pane label="\u4e3b\u63a8\u7ba1\u7406" name="3">\u4e3b\u63a8\u7ba1\u7406</Tabs.Pane>\n <Tabs.Pane label="\u4efb\u52a1\u5185\u5bb9\u7ba1\u7406" name="4">\u4efb\u52a1\u5185\u5bb9\u7ba1\u7406</Tabs.Pane>\n </Tabs>\n )\n }','\n import Tabs from "../../ishow/Tab/index";\n\n render() {\n return (\n <Tabs type="card" closable activeName="1" onTabRemove={ (tab) => console.log(tab.props.name) }>\n <Tabs.Pane label="\u9996\u9875" name="1">\u9996\u9875</Tabs.Pane>\n <Tabs.Pane label="\u4ee3\u5ba2\u6ce8\u518c" name="2">\u4ee3\u5ba2\u6ce8\u518c</Tabs.Pane>\n <Tabs.Pane label="\u4e3b\u63a8\u7ba1\u7406" name="3">\u4e3b\u63a8\u7ba1\u7406</Tabs.Pane>\n <Tabs.Pane label="\u4efb\u52a1\u5185\u5bb9\u7ba1\u7406" name="4">\u4efb\u52a1\u5185\u5bb9\u7ba1\u7406</Tabs.Pane>\n </Tabs>\n )\n }','\n import Tabs from "../../ishow/Tab/index";\n\n render() {\n return (\n <Tabs type="border-card" activeName="1">\n <Tabs.Pane label="\u9996\u9875" name="1">\u9996\u9875</Tabs.Pane>\n <Tabs.Pane label="\u4ee3\u5ba2\u6ce8\u518c" name="2">\u4ee3\u5ba2\u6ce8\u518c</Tabs.Pane>\n <Tabs.Pane label="\u4e3b\u63a8\u7ba1\u7406" name="3">\u4e3b\u63a8\u7ba1\u7406</Tabs.Pane>\n <Tabs.Pane label="\u4efb\u52a1\u5185\u5bb9\u7ba1\u7406" name="4">\u4efb\u52a1\u5185\u5bb9\u7ba1\u7406</Tabs.Pane>\n </Tabs>\n )\n }\n ',"\n import Tabs from \"../../ishow/Tab/index\";\n import Button from \"../../ishow/Button/index\";\n\n constructor() {\n super();\n this.state = {\n tabs: [{\n title: 'Tab 1',\n name: 'Tab 1',\n content: 'Tab 1 content',\n }, {\n title: 'Tab 2',\n name: 'Tab 2',\n content: 'Tab 2 content',\n }],\n tabIndex: 2,\n }\n }\n \n addTab() {\n const { tabs, tabIndex } = this.state;\n const index = tabIndex + 1;\n \n tabs.push({\n title: 'new Tab',\n name: 'Tab ' + index,\n content: 'new Tab content',\n });\n this.setState({\n tabs,\n tabIndex: index,\n });\n }\n \n removeTab(tab) {\n const { tabs, tabIndex } = this.state;\n \n tabs.splice(tab.key.replace(/^.$/, ''), 1);\n this.setState({\n tabs,\n });\n }\n \n render() {\n return (\n <div>\n <div style={{marginBottom: '20px'}}>\n <Button size=\"small\" onClick={() => this.addTab()}>add tab</Button>\n </div>\n <Tabs type=\"card\" value=\"Tab 2\" onTabRemove={(tab) => this.removeTab(tab)}>\n {\n this.state.tabs.map((item, index) => {\n return <Tabs.Pane key={index} closable label={item.title} name={item.name}>{item.content}</Tabs.Pane>\n })\n }\n </Tabs>\n </div>\n )\n }\n "]},Breadcrumb:{Code:["\n import Breadcrumb from '../../ishow/Breadcrumb/index.js';\n\n render() {\n return (\n <Breadcrumb separator=\"/\">\n <Breadcrumb.Item>\u9996\u9875</Breadcrumb.Item>\n <Breadcrumb.Item>\u6d3b\u52a8\u7ba1\u7406</Breadcrumb.Item>\n <Breadcrumb.Item>\u6d3b\u52a8\u5217\u8868</Breadcrumb.Item>\n <Breadcrumb.Item>\u6d3b\u52a8\u8be6\u60c5</Breadcrumb.Item>\n </Breadcrumb>\n )\n }",'\n import Breadcrumb from \'../../ishow/Breadcrumb/index.js\';\n\n render() {\n return (\n <div className="allInOneBreadCrumbs" style={{ position: "relative", marginBottom: 20 }}>\n <Breadcrumb separator="/" style={{ display: \'inline-block\' }}>\n <Breadcrumb.Item>\u6295\u8bc9\u7ba1\u7406\u7cfb\u7edf</Breadcrumb.Item>\n <Breadcrumb.Item>\u6295\u8bc9\u5355{this.props.complaintSheetID}</Breadcrumb.Item>\n </Breadcrumb>\n <span style={{ position: "absolute", cursor: \'pointer\', right: 0 }}>\n <IconPlus type="reload" title="\u5237\u65b0" onClick={() => window.location.reload()} /> \n <IconPlus type="copy" title="\u590d\u5236url" onClick={() => this.copyUrl()} /></span>\n </div>\n )\n }']},Dropdown:{Code:["\n import Button from '../../ishow/Button/Button';\n import Dropdown from '../../ishow/Dropdown/index.js';\n\n render() {\n return (\n <div>\n <Dropdown menu={(\n <Dropdown.Menu>\n <Dropdown.Item>Yuri</Dropdown.Item>\n <Dropdown.Item>\u9648\u745c\u5a77</Dropdown.Item>\n <Dropdown.Item>\u76db\u745c</Dropdown.Item>\n <Dropdown.Item>\u5218\u5174</Dropdown.Item>\n <Dropdown.Item>\u8d75\u6590\u660a</Dropdown.Item>\n <Dropdown.Item>\u9ec4\u6770</Dropdown.Item>\n <Dropdown.Item>\u5218\u6cfd\u743c</Dropdown.Item>\n <Dropdown.Item>\u5510\u5a9b\u5a9b</Dropdown.Item>\n </Dropdown.Menu>\n )}>\n <Button type=\"primary\">\n iShow UIELF-Team\u6210\u5458<i className=\"ishow-icon-caret-bottom ishow-icon--right\"></i>\n </Button>\n </Dropdown>\n </div>\n )\n }\n "]},Steps:{Code:['\n import Steps from \'../../ishow/Steps/index.js\';\n\n render() {\n return (\n <Steps space={100} active={1} finishStatus="success">\n <Steps.Step title="\u5df2\u5b8c\u6210"></Steps.Step>\n <Steps.Step title="\u8fdb\u884c\u4e2d"></Steps.Step>\n <Steps.Step title="\u6b65\u9aa4 3"></Steps.Step>\n </Steps>\n )\n }\n ','\n import Steps from \'../../ishow/Steps/index.js\';\n\n render() {\n return (\n <Steps space={200} active={1}>\n <Steps.Step title="\u6b65\u9aa4 1" description="\u8fd9\u662f\u4e00\u6bb5\u5f88\u957f\u5f88\u957f\u5f88\u957f\u7684\u63cf\u8ff0\u6027\u6587\u5b57"></Steps.Step>\n <Steps.Step title="\u6b65\u9aa4 2" description="\u8fd9\u662f\u4e00\u6bb5\u5f88\u957f\u5f88\u957f\u5f88\u957f\u7684\u63cf\u8ff0\u6027\u6587\u5b57"></Steps.Step>\n <Steps.Step title="\u6b65\u9aa4 3" description="\u8fd9\u662f\u4e00\u6bb5\u5f88\u957f\u5f88\u957f\u5f88\u957f\u7684\u63cf\u8ff0\u6027\u6587\u5b57"></Steps.Step>\n </Steps>\n )\n }','\n import Steps from \'../../ishow/Steps/index.js\';\n\n render() {\n return (\n <Steps space={100} active={1}>\n <Steps.Step title="\u6b65\u9aa4 1" icon="edit"></Steps.Step>\n <Steps.Step title="\u6b65\u9aa4 2" icon="upload"></Steps.Step>\n <Steps.Step title="\u6b65\u9aa4 3" icon="picture"></Steps.Step>\n </Steps>\n )\n }','\n import Button from \'../../ishow/Button/Button\';\n import Steps from \'../../ishow/Steps/index.js\';\n\n constructor(props) {\n super(props);\n \n this.state = {\n active: 0\n };\n }\n \n next() {\n let active = this.state.active + 1;\n if (active > 3) {\n active = 0;\n }\n this.setState({ active });\n }\n \n render() {\n return (\n <div>\n <Steps space={200} active={this.state.active} finishStatus="success">\n <Steps.Step title="\u6b65\u9aa4 1"></Steps.Step>\n <Steps.Step title="\u6b65\u9aa4 2"></Steps.Step>\n <Steps.Step title="\u6b65\u9aa4 3"></Steps.Step>\n </Steps>\n <Button onClick={() => this.next()}>\u4e0b\u4e00\u6b65</Button>\n </div>\n )\n }\n ']},Dialog:{Code:['\n import Dialog from \'../../ishow/Dialog/Dialog\';\n import Button from \'../../ishow/Button/Button\';\n\n constructor(props) {\n super(props);\n \n this.state = {\n dialogVisible: false\n };\n }\n \n render() {\n return (\n <div>\n <Button type="text" onClick={ () => this.setState({ dialogVisible: true }) }>\u70b9\u51fb\u6253\u5f00 Dialog</Button>\n <Dialog\n title="\u63d0\u793a"\n size="tiny"\n visible={ this.state.dialogVisible }\n onCancel={ () => this.setState({ dialogVisible: false }) }\n lockScroll={ false }\n >\n <Dialog.Body>\n <span>\u8fd9\u662f\u4e00\u6bb5\u4fe1\u606f</span>\n </Dialog.Body>\n <Dialog.Footer className="dialog-footer">\n <Button type="primary" onClick={ () => this.setState({ dialogVisible: false }) }>\u786e\u5b9a</Button>\n <Button onClick={ () => this.setState({ dialogVisible: false }) }>\u53d6\u6d88</Button> \n </Dialog.Footer>\n </Dialog>\n </div>\n )\n }\n ','\n import Dialog from \'../../ishow/Dialog/Dialog\';\n import Button from \'../../ishow/Button/Button\';\n import Table from \'../../ishow/Table/TableStore\';\n import Form from \'../../ishow/Form/Form\';\n import Select from \'../../ishow/Select/index\';\n\n constructor(props) {\n super(props);\n \n this.state = {\n dialogVisible2: false,\n dialogVisible3: false,\n form: {\n name: \'\',\n region: \'\'\n }\n };\n \n this.table = {\n columns: [\n {\n label: "\u65e5\u671f",\n prop: "date",\n width: 150\n },\n {\n label: "\u59d3\u540d",\n prop: "name",\n width: 100\n },\n {\n label: "\u5730\u5740",\n prop: "address"\n }\n ],\n data: [{\n date: \'2018-03-02\',\n name: \'iShow UI -- Yuri\',\n address: \'\u5357\u4eac\u5e02\u7384\u6b66\u533a\u8f6f\u4ef6\u5927\u9053XX\u5927\u53a6\'\n }, {\n date: \'2018-03-04\',\n name: \'iShow UI -- Yuri\',\n address: \'\u5357\u4eac\u5e02\u7384\u6b66\u533a\u8f6f\u4ef6\u5927\u9053XX\u5927\u53a6\'\n }, {\n date: \'2018-03-01\',\n name: \'iShow UI -- Yuri\',\n address: \'\u5357\u4eac\u5e02\u7384\u6b66\u533a\u8f6f\u4ef6\u5927\u9053XX\u5927\u53a6\'\n }, {\n date: \'2018-03-03\',\n name: \'iShow UI -- Yuri\',\n address: \'\u5357\u4eac\u5e02\u7384\u6b66\u533a\u8f6f\u4ef6\u5927\u9053XX\u5927\u53a6\'\n }]\n };\n }\n \n render() {\n return (\n <div>\n <Button type="text" onClick={ () => this.setState({ dialogVisible2: true }) } type="text">\u6253\u5f00\u5d4c\u5957\u8868\u683c\u7684 Dialog</Button>\n <Dialog\n title="\u6536\u8d27\u5730\u5740"\n visible={ this.state.dialogVisible2 }\n onCancel={ () => this.setState({ dialogVisible2: false }) }\n >\n <Dialog.Body>\n {this.state.dialogVisible2 && (\n <Table\n style={{width: \'100%\'}}\n stripe={true}\n columns={this.table.columns}\n data={this.table.data} />\n )}\n </Dialog.Body>\n </Dialog>\n <Button type="text" onClick={ () => this.setState({ dialogVisible3: true }) } type="text">\u6253\u5f00\u5d4c\u5957\u8868\u5355\u7684 Dialog</Button>\n <Dialog\n title="\u6536\u8d27\u5730\u5740"\n visible={ this.state.dialogVisible3 }\n onCancel={ () => this.setState({ dialogVisible3: false }) }\n >\n <Dialog.Body>\n <Form model={this.state.form}>\n <Form.Item label="\u6d3b\u52a8\u540d\u79f0" labelWidth="120">\n <Input value={this.state.form.name}></Input>\n </Form.Item>\n <Form.Item label="\u6d3b\u52a8\u533a\u57df" labelWidth="120">\n <Select value={this.state.form.region} placeholder="\u8bf7\u9009\u62e9\u6d3b\u52a8\u533a\u57df">\n <Select.Option label="\u533a\u57df\u4e00" value="shanghai"></Select.Option>\n <Select.Option label="\u533a\u57df\u4e8c" value="beijing"></Select.Option>\n </Select>\n </Form.Item>\n </Form>\n </Dialog.Body>\n \n <Dialog.Footer className="dialog-footer">\n <Button onClick={ () => this.setState({ dialogVisible3: false }) }>\u53d6 \u6d88</Button>\n <Button type="primary" onClick={ () => this.setState({ dialogVisible3: false }) }>\u786e \u5b9a</Button>\n </Dialog.Footer>\n </Dialog>\n </div>\n )\n }\n ']},BarChart:{Code:["\n import React from 'react'\n import ReactEcharts from 'echarts-for-react'\n\n class App extends React.Component {\n getOption = () => {\n return {\n xAxis: {\n type: 'category',\n data: ['1\u6708', '2\u6708', '3\u6708', '4\u6708', '5\u6708', '6\u6708', '7\u6708', '8\u6708', '9\u6708', '10\u6708', '11\u6708', '12\u6708']\n },\n yAxis: {\n type: 'value'\n },\n series: [{\n data: [120, 100, 150, 80, 70, 110, 130, 80, 70, 110, 130, 120],\n type: 'bar',\n color: \"#2da0ff\"\n }]\n };\n };\n\n render() {\n return (\n <ReactEcharts\n option={this.getOption()}\n style={{ height: '300px', width: '65%' }}\n className='react_for_echarts' />\n )\n }\n }\n\n export default App\n "]},PieChart:{Code:[" \n import React from 'react'\n import ReactEcharts from 'echarts-for-react'\n\n class App extends React.Component {\n getOption = () => {\n return {\n title: {\n show: true\n },\n tooltip: {\n trigger: 'item',\n formatter: \"{a} <br/>{b}: {c} ({d}%)\"\n },\n legend: {\n orient: 'vertical',\n right: 0,\n top: 100,\n data: ['\u8ddf\u56e2\u6e38', '\u81ea\u7531\u884c', '\u90ae\u8f6e', '\u673a\u7968', '\u9152\u5e97', \"\u706b\u8f66\u7968\"]\n },\n series: [\n {\n name: '\u8bbf\u95ee\u6765\u6e90',\n hoverAnimation: false,\n type: 'pie',\n radius: ['50%', '70%'],\n avoidLabelOverlap: false,\n label: {\n normal: {\n show: false,\n position: 'center'\n },\n emphasis: {\n show: true,\n textStyle: {\n fontSize: '30',\n fontWeight: 'bold'\n }\n }\n },\n labelLine: {\n normal: {\n show: false\n }\n },\n data: [\n { value: 335, name: '\u8ddf\u56e2\u6e38' },\n { value: 310, name: '\u81ea\u7531\u884c' },\n { value: 234, name: '\u90ae\u8f6e' },\n { value: 135, name: '\u673a\u7968' },\n { value: 1548, name: '\u9152\u5e97' },\n { value: 1324, name: '\u706b\u8f66\u7968' }\n ]\n }\n ]\n };\n };\n\n render() {\n return (\n <ReactEcharts\n option={this.getOption()}\n style={{ height: '300px', width: '500px' }}\n className='react_for_echarts' />\n )\n }\n }\n\n export default App","\n import React from 'react'\n import ReactEcharts from 'echarts-for-react'\n import { Tabs } from '../../ishow'\n\n class App extends React.Component {\n getOption = () => {\n return {\n tooltip: {\n trigger: 'item',\n formatter: \"{a} <br/>{b} : {c} ({d}%)\"\n },\n legend: {\n orient: 'vertical',\n right: 0,\n top: 100,\n data: ['\u8ddf\u56e2\u6e38', '\u81ea\u7531\u884c', '\u90ae\u8f6e', '\u673a\u7968', '\u9152\u5e97', \"\u706b\u8f66\u7968\"]\n },\n series: [\n {\n name: '\u8ba2\u5355\u6765\u6e90',\n hoverAnimation: false,\n type: 'pie',\n radius: '55%',\n center: ['40%', '50%'],\n data: [\n { value: 335, name: '\u8ddf\u56e2\u6e38' },\n { value: 310, name: '\u81ea\u7531\u884c' },\n { value: 234, name: '\u90ae\u8f6e' },\n { value: 135, name: '\u673a\u7968' },\n { value: 1548, name: '\u9152\u5e97' },\n { value: 1324, name: '\u706b\u8f66\u7968' }\n ],\n itemStyle: {\n emphasis: {\n shadowBlur: 10,\n shadowOffsetX: 0,\n shadowColor: 'rgba(0, 0, 0, 0.5)'\n }\n }\n }\n ]\n };\n };\n\n render() {\n return (\n <div className=\"App\">\n <div>\n <ReactEcharts\n option={this.getOption()}\n style={{ height: '300px', width: '500px' }}\n className='react_for_echarts' />\n </div>\n </div>\n )\n }\n }\n\n export default App\n "]},LineChart:{Code:["\n import React from 'react'\n import ReactEcharts from 'echarts-for-react'\n\n class App extends React.Component {\n getOption = () => {\n return {\n tooltip: {\n trigger: 'axis'\n },\n legend: {\n data: ['\u5ba2\u6d41\u91cf', '\u652f\u4ed8\u7b14\u6570']\n },\n grid: {\n left: '3%',\n right: '4%',\n bottom: '3%',\n containLabel: true\n },\n xAxis: {\n type: 'category',\n boundaryGap: false,\n data: ['00:00', '01:00', '02:00', '03:00', '04:00', '05:00', '06:00', '07:00', '08:00', '09:00', '10:00', '11:00', '12:00', '13:00', '14:00', '15:00', '16:00', '17:00', '18:00', '19:00', '20:00', '21:00', '22:00', '23:00']\n },\n yAxis: {\n type: 'value'\n },\n dataZoom: {\n type: 'slider',\n show: true,\n xAxisIndex: [0],\n start: 0,\n end: 100,\n bottom: \"0px\"\n },\n series: [\n {\n name: '\u652f\u4ed8\u7b14\u6570',\n type: 'line',\n stack: '\u603b\u91cf',\n data: [120, 132, 101, 134, 90, 230, 210, 132, 101, 134, 90, 230, 210, 132, 101, 134, 90, 230, 210, 190, 132, 101, 120, 132, 123]\n },\n {\n name: '\u5ba2\u6d41\u91cf',\n type: 'line',\n stack: '\u603b\u91cf',\n data: [220, 182, 191, 234, 290, 330, 310, 220, 182, 191, 234, 290, 330, 310, 220, 182, 191, 234, 290, 300, 310, 123, 232, 231]\n }\n ]\n };\n };\n\n render() {\n return (\n <ReactEcharts\n option={this.getOption()}\n style={{ height: '300px', width: '1000px' }}\n className='react_for_echarts' />\n )\n }\n }\n\n export default App\n "]},Animate:{Code:['\n import "animate.css/animate.min.css";\n\n <div class="animated bounceInLeft" style="animation-duration: 1s;"> \u7531\u5de6\u5f39\u5165\u6548\u679c</div>\n <div class="animated flipOutY" style="animation-delay: 1s;"> \u7eb5\u5411\u7ffb\u51fa\u6548\u679c</div>\n <div class="animated slideInRight" style="animation-duration: 1s;animation-iteration-count:3"> \u81ea\u53f3\u6ed1\u5165\u6548\u679c</div>\n\n animationend() {\n this.setState({\n eventToggle: !this.state.eventToggle,\n });\n }\n\n <Button type="primary" type="info" onClick={this.animationend.bind(this)} >Toggle\u52a8\u753b\u56de\u8c03</Button>\n\n ']},LoginForm:{Code:['\n import React from "react";\n import { Form, Input, Button, Tabs} from "../../ishow";\n\n class Login extends React.Component {\n constructor(props) {\n super(props);\n this.state = {\n form: {\n pass: "",\n name:"",\n },\n rules: {\n pass: [\n { required: true, message: \'\u8bf7\u8f93\u5165\u5bc6\u7801\', trigger: \'blur\' }\n ],\n name: [\n { required: true, message: "\u8bf7\u586b\u5199\u7528\u6237\u540d", trigger: "blur" }\n ]\n }\n };\n }\n\n handleSubmit(e) {\n e.preventDefault();\n\n this.refs.form.validate(valid => {\n if (valid) {\n alert("submit!");\n } else {\n console.log("error submit!!");\n return false;\n }\n });\n }\n\n onChange(key, value) {\n this.setState({\n form: Object.assign({}, this.state.form, { [key]: value })\n });\n }\n\n render() {\n return (\n <Form\n ref="form"\n model={this.state.form}\n rules={this.state.rules}\n labelWidth="100"\n className="demo-ruleForm login-form"\n >\n <Form.Item label="\u7528\u6237\u540d" prop="name">\n <Input\n value={this.state.form.name}\n onChange={this.onChange.bind(this, "name")}\n />\n </Form.Item>\n <Form.Item label="\u5bc6\u7801" prop="pass">\n <Input\n type="password"\n value={this.state.form.pass}\n onChange={this.onChange.bind(this, "pass")}\n autoComplete="off"\n />\n </Form.Item>\n <Form.Item>\n <Button type="primary" onClick={this.handleSubmit.bind(this)} className="login-btn">\n \u767b\u5f55\n </Button>\n </Form.Item>\n </Form>\n )\n }\n }\n\n //\u4e0b\u9762\u6837\u5f0f\u53ef\u81ea\u884c\u8c03\u6574\uff0c\u987b\u5355\u72ec\u5f15\u5165\u6837\u5f0f\u6587\u4ef6\n <style>\n .login-form {\n width: 500 px;\n height: auto;\n border - radius: 10 px;\n border: 1 px solid# ccc;\n padding: 50 px 100 px 50 px 0;\n background: #fff;\n }\n\n .login - btn {\n width: 100 % ;\n }\n </style>\n ','\n import React from "react";\n import { Form, Input, Button, Tabs } from "../../ishow";\n\n class Register extends React.Component {\n constructor(props) {\n super(props);\n\n this.state = {\n form: {\n pass: "",\n name:"",\n email:"",\n checkPass:""\n },\n rules: {\n pass: [\n { required: true, message: \'\u8bf7\u8f93\u5165\u5bc6\u7801\', trigger: \'blur\' },\n {\n validator: (rule, value, callback) => {\n if (value === \'\') {\n callback(new Error(\'\u8bf7\u8f93\u5165\u5bc6\u7801\'));\n } else {\n if (this.state.form.checkPass !== \'\') {\n this.refs.form.validateField(\'checkPass\');\n }\n callback();\n }\n }\n }\n ],\n checkPass: [\n { required: true, message: \'\u8bf7\u518d\u6b21\u8f93\u5165\u5bc6\u7801\', trigger: \'blur\' },\n {\n validator: (rule, value, callback) => {\n if (value === \'\') {\n callback(new Error(\'\u8bf7\u518d\u6b21\u8f93\u5165\u5bc6\u7801\'));\n } else if (value !== this.state.form.pass) {\n callback(new Error(\'\u4e24\u6b21\u8f93\u5165\u5bc6\u7801\u4e0d\u4e00\u81f4!\'));\n } else {\n callback();\n }\n }\n }\n ],\n name: [\n { required: true, message: "\u8bf7\u586b\u5199\u7528\u6237\u540d", trigger: "blur" }\n ],\n email: [\n { required: true, message: \'\u8bf7\u8f93\u5165\u90ae\u7bb1\u5730\u5740\', trigger: \'blur\' },\n { type: \'email\', message: \'\u8bf7\u8f93\u5165\u6b63\u786e\u7684\u90ae\u7bb1\u5730\u5740\', trigger: \'blur,change\' }\n ]\n }\n };\n }\n\n handleSubmit(e) {\n e.preventDefault();\n\n this.refs.form.validate(valid => {\n if (valid) {\n alert("submit!");\n } else {\n console.log("error submit!!");\n return false;\n }\n });\n }\n\n onChange(key, value) {\n this.setState({\n form: Object.assign({}, this.state.form, { [key]: value })\n });\n }\n\n onEmailChange(value) {\n this.setState({\n form: Object.assign({}, this.state.form, { email: value })\n });\n }\n\n handleReset(e) {\n e.preventDefault();\n\n this.refs.form.resetFields();\n }\n\n render() {\n return (\n <Form\n ref="form"\n model={this.state.form}\n rules={this.state.rules}\n labelWidth="100"\n className="demo-ruleForm login-form"\n >\n <Form.Item prop="email" label="\u90ae\u7bb1">\n <Input value={this.state.form.email} onChange={this.onEmailChange.bind(this)}></Input>\n </Form.Item>\n <Form.Item label="\u7528\u6237\u540d" prop="name">\n <Input\n value={this.state.form.name}\n onChange={this.onChange.bind(this, "name")}\n />\n </Form.Item>\n <Form.Item label="\u5bc6\u7801" prop="pass">\n <Input\n type="password"\n value={this.state.form.pass}\n onChange={this.onChange.bind(this, "pass")}\n autoComplete="off"\n />\n </Form.Item>\n <Form.Item label="\u786e\u8ba4\u5bc6\u7801" prop="checkPass">\n <Input type="password" value={this.state.form.checkPass} onChange={this.onChange.bind(this, \'checkPass\')} autoComplete="off" />\n </Form.Item>\n <Form.Item>\n <Button type="primary" onClick={this.handleSubmit.bind(this)}>\n \u6ce8\u518c\n </Button>\n <Button onClick={this.handleReset.bind(this)}>\u91cd\u7f6e</Button>\n </Form.Item>\n </Form>\n )\n }\n }\n //\u4e0b\u9762\u6837\u5f0f\u53ef\u81ea\u884c\u8c03\u6574\uff0c\u987b\u5355\u72ec\u5f15\u5165\u6837\u5f0f\u6587\u4ef6\n <style>\n .login-form {\n width: 500 px;\n height: auto;\n border-radius: 10 px;\n border: 1 px solid# ccc;\n padding: 50px 100px 50px 0;\n background: #fff;\n }\n </style>\n ']},NotFound:{Code:['\n import React from "react";\n\n class NotFound extends React.Component {\n render(){\n return (\n <div className="lost-404">\n <h1 className="lost-404-title">404</h1>\n <p className="lost-404-content">YOUR PAGE SEEMS LOST :(</p>\n </div>\n )\n }\n }\n\n //\u6837\u5f0f\u5355\u72ec\u5199\u518d\u5f15\u5165\n <style>\n .lost-404-title {\n color: #2d8cf0;\n font-size: 100px;\n text-align: center;\n margin-bottom: 0\n }\n\n .lost-404-content {\n color: #999;\n text-align: center;\n top: 80px;\n }\n </style>\n ']},FuzzySearch:{Code:['\n import React from \'react\';\n import \'./App.css\';\n import AutoComplete from \'../../ishow/auto-complete\';\n\n const customItem=(props)=>{\n let item = props.item;\n //console.log(props)\n return (\n <div><div className="ishow-customItem-key">{item.value}</div><span className="ishow-customItem-detail">{item.address}</span></div>\n )\n }\n\n class FuzzySearch extends React.Component {\n constructor(props) {\n super(props);\n\n this.state = {\n scenery: [\n { "value": "\u7384\u6b66\u6e56\u516c\u56ed", "address": "\u4e2d\u56fd/\u6c5f\u82cf/\u5357\u4eac/\u7384\u6b66\u533a/\u7384\u6b66\u5df71\u53f7" },\n { "value": "\u4e2d\u5c71\u9675", "address": "\u4e2d\u56fd/\u6c5f\u82cf/\u5357\u4eac/\u7384\u6b66\u533a/\u77f3\u8c61\u8def7\u53f7" },\n { "value": "\u4e2d\u592e\u516c\u56ed", "address": "\u4e2d\u56fd/\u6c5f\u82cf/\u5357\u4eac/\u516d\u5408\u533a/\u53e4\u68e0\u5927\u9053" },\n { "value": "\u5357\u4eac\u5927\u5c60\u6740\u7eaa\u5ff5\u9986", "address": "\u4e2d\u56fd/\u6c5f\u82cf/\u5357\u4eac/\u5efa\u90ba\u533a/\u6c34\u897f\u95e8\u5927\u8857418\u53f7" },\n { "value": "\u8001\u95e8\u4e1c", "address": "\u4e2d\u56fd/\u6c5f\u82cf/\u5357\u4eac/\u79e6\u6dee\u533a/\u526a\u5b50\u5df754\u53f7" },\n { "value": "\u7d2b\u5cf0\u5927\u53a6", "address": "\u4e2d\u56fd/\u6c5f\u82cf/\u5357\u4eac/\u9f13\u697c\u533a/\u4e2d\u5c71\u5317\u8def1\u53f7" },\n { "value": "\u9e21\u9e23\u5bfa", "address": "\u4e2d\u56fd/\u6c5f\u82cf/\u5357\u4eac/\u7384\u6b66\u533a/\u9e21\u9e23\u5bfa\u8def1\u53f7" }\n ],\n value1: \'\'\n }\n }\n\n querySearch(queryString, cb) {\n const { scenery } = this.state;\n const results = queryString ? scenery.filter(this.createFilter(queryString)) : scenery;\n // \u8c03\u7528 callback \u8fd4\u56de\u5efa\u8bae\u5217\u8868\u7684\u6570\u636e\n cb(results);\n }\n\n createFilter(queryString) {\n return (scenery) => {\n return (scenery.value.toLowerCase().indexOf(queryString.toLowerCase()) === 0);\n };\n }\n\n handleSelect(item) {\n \n }\n\n handleInputChange(event){\n this.setState({\n value:event.target.value\n })\n }\n \n render() {\n return (\n <div>\n <AutoComplete\n className="my-autocomplete"\n placeholder="\u8bf7\u8f93\u5165\u5185\u5bb9"\n value={this.state.value1}\n fetchSuggestions={this.querySearch.bind(this)}\n customItem={customItem}\n onSelect={this.handleSelect.bind(this)}\n ></AutoComplete>\n </div>\n )\n }\n }\n ','\n import React from \'react\';\n import \'./App.css\';\n import AutoComplete from \'../../ishow/auto-complete\';\n\n class FuzzySearch extends React.Component {\n constructor(props) {\n super(props);\n\n this.state = {\n scenery: [\n { "value": "\u7384\u6b66\u6e56\u516c\u56ed", "address": "\u4e2d\u56fd/\u6c5f\u82cf/\u5357\u4eac/\u7384\u6b66\u533a/\u7384\u6b66\u5df71\u53f7" },\n { "value": "\u4e2d\u5c71\u9675", "address": "\u4e2d\u56fd/\u6c5f\u82cf/\u5357\u4eac/\u7384\u6b66\u533a/\u77f3\u8c61\u8def7\u53f7" },\n { "value": "\u4e2d\u592e\u516c\u56ed", "address": "\u4e2d\u56fd/\u6c5f\u82cf/\u5357\u4eac/\u516d\u5408\u533a/\u53e4\u68e0\u5927\u9053" },\n { "value": "\u5357\u4eac\u5927\u5c60\u6740\u7eaa\u5ff5\u9986", "address": "\u4e2d\u56fd/\u6c5f\u82cf/\u5357\u4eac/\u5efa\u90ba\u533a/\u6c34\u897f\u95e8\u5927\u8857418\u53f7" },\n { "value": "\u8001\u95e8\u4e1c", "address": "\u4e2d\u56fd/\u6c5f\u82cf/\u5357\u4eac/\u79e6\u6dee\u533a/\u526a\u5b50\u5df754\u53f7" },\n { "value": "\u7d2b\u5cf0\u5927\u53a6", "address": "\u4e2d\u56fd/\u6c5f\u82cf/\u5357\u4eac/\u9f13\u697c\u533a/\u4e2d\u5c71\u5317\u8def1\u53f7" },\n { "value": "\u9e21\u9e23\u5bfa", "address": "\u4e2d\u56fd/\u6c5f\u82cf/\u5357\u4eac/\u7384\u6b66\u533a/\u9e21\u9e23\u5bfa\u8def1\u53f7" }\n ],\n value1: \'\'\n }\n }\n\n querySearch(queryString, cb) {\n const { scenery } = this.state;\n const results = queryString ? scenery.filter(this.createFilter(queryString)) : scenery;\n // \u8c03\u7528 callback \u8fd4\u56de\u5efa\u8bae\u5217\u8868\u7684\u6570\u636e\n cb(results);\n }\n\n createFilter(queryString) {\n return (scenery) => {\n return (scenery.value.toLowerCase().indexOf(queryString.toLowerCase()) === 0);\n };\n }\n\n handleSelect(item) {\n \n }\n\n handleInputChange(event){\n this.setState({\n value:event.target.value\n })\n }\n \n render() {\n return (\n <div>\n <AutoComplete\n className="my-autocomplete"\n placeholder="\u8bf7\u8f93\u5165\u5185\u5bb9"\n value={this.state.value1}\n onFocus={e=>console.log(e, \'onFocus\')}\n onBlur={e=>console.log(e, \'onblur\')}\n fetchSuggestions={this.querySearch.bind(this)}\n onSelect={this.handleSelect.bind(this)}\n ></AutoComplete>\n </div>\n )\n }\n }\n ','\n import React from \'react\';\n import \'./App.css\';\n import AutoComplete from \'../../ishow/auto-complete\';\n\n class FuzzySearch extends React.Component {\n constructor(props) {\n super(props);\n\n this.state = {\n scenery: [\n { "value": "\u7384\u6b66\u6e56\u516c\u56ed", "address": "\u4e2d\u56fd/\u6c5f\u82cf/\u5357\u4eac/\u7384\u6b66\u533a/\u7384\u6b66\u5df71\u53f7" },\n { "value": "\u4e2d\u5c71\u9675", "address": "\u4e2d\u56fd/\u6c5f\u82cf/\u5357\u4eac/\u7384\u6b66\u533a/\u77f3\u8c61\u8def7\u53f7" },\n { "value": "\u4e2d\u592e\u516c\u56ed", "address": "\u4e2d\u56fd/\u6c5f\u82cf/\u5357\u4eac/\u516d\u5408\u533a/\u53e4\u68e0\u5927\u9053" },\n { "value": "\u5357\u4eac\u5927\u5c60\u6740\u7eaa\u5ff5\u9986", "address": "\u4e2d\u56fd/\u6c5f\u82cf/\u5357\u4eac/\u5efa\u90ba\u533a/\u6c34\u897f\u95e8\u5927\u8857418\u53f7" },\n { "value": "\u8001\u95e8\u4e1c", "address": "\u4e2d\u56fd/\u6c5f\u82cf/\u5357\u4eac/\u79e6\u6dee\u533a/\u526a\u5b50\u5df754\u53f7" },\n { "value": "\u7d2b\u5cf0\u5927\u53a6", "address": "\u4e2d\u56fd/\u6c5f\u82cf/\u5357\u4eac/\u9f13\u697c\u533a/\u4e2d\u5c71\u5317\u8def1\u53f7" },\n { "value": "\u9e21\u9e23\u5bfa", "address": "\u4e2d\u56fd/\u6c5f\u82cf/\u5357\u4eac/\u7384\u6b66\u533a/\u9e21\u9e23\u5bfa\u8def1\u53f7" }\n ],\n value2: \'\'\n }\n }\n\n querySearch(queryString, cb) {\n const { scenery } = this.state;\n const results = queryString ? scenery.filter(this.createFilter(queryString)) : scenery;\n // \u8c03\u7528 callback \u8fd4\u56de\u5efa\u8bae\u5217\u8868\u7684\u6570\u636e\n cb(results);\n }\n\n createFilter(queryString) {\n return (scenery) => {\n return (scenery.value.toLowerCase().indexOf(queryString.toLowerCase()) === 0);\n };\n }\n\n handleSelect(item) {\n \n }\n\n handleInputChange(event){\n this.setState({\n value:event.target.value\n })\n }\n \n render() {\n return (\n <div>\n <AutoComplete\n className="my-autocomplete"\n placeholder="\u8bf7\u8f93\u5165\u5185\u5bb9"\n value={this.state.value2}\n fetchSuggestions={this.querySearch.bind(this)}\n onSelect={this.handleSelect.bind(this)}\n triggerOnFocus={false}\n ></AutoComplete>\n </div>\n )\n }\n }\n ',"\n import React from 'react';\n import AutoComplete from '../../ishow/auto-complete';\n \n class CrmAutoComplete extends React.Component {\n constructor(props){\n super(props);\n this.state = {\n prefix: [\n '\u8ba2\u5355\u53f7',\n '\u624b\u673a\u53f7',\n '\u4f1a\u5458ID',\n ],\n value: ''\n }\n }\n appendPrefix(queryString, cb) {\n if (queryString.indexOf('@') !== -1) {\n return cb([])\n }\n let triggerList = []\n for (let i = 0; i < this.state.prefix.length; i++) {\n triggerList.push({ value: this.state.prefix[i]+ \" \" + queryString })\n }\n cb(triggerList)\n }\n\n formatInput(item){\n //\u8f93\u5165\u6846\u4e2d\u53bb\u6389\u63d0\u793a\u6761\u4ef6\u4e2d\u7684\u5b57\u7b26\n this.setState({\n value:item.value.slice(item.value.indexOf(\" \")+1)\n })\n }\n\n render(){\n return(\n <div>\n <AutoComplete\n value={this.state.value}\n placeholder=\"\u8ba2\u5355\u53f7/\u624b\u673a\u53f7/\u4f1a\u5458ID\"\n className=\"my-autocomplete\"\n triggerOnFocus={true}\n onSelect={this.formatInput.bind(this)}\n fetchSuggestions={this.appendPrefix.bind(this)} />\n </div>\n )\n }\n ","\n import React from 'react';\n import Cascader from \"../../ishow/Cascader\";\n import './App.css';\n\n class App extends React.Component {\n constructor(props) {\n super(props);\n\n this.state = {\n options: [{\n value: 'zhoubian',\n label: '\u5357\u4eac\u5468\u8fb9\u65c5\u6e38',\n children: [{\n value: 'antianshufen',\n label: '\u6309\u5929\u6570\u5206',\n children: [{\n value: 'yitian',\n label: '\u4e00\u5929'\n }, {\n value: 'liangtian',\n label: '\u4e24\u5929'\n }, {\n value: 'santian',\n label: '\u4e09\u5929'\n }]\n }, {\n value: 'chengshi',\n label: '\u6309\u57ce\u5e02\u5206',\n children: [{\n value: 'nanjing',\n label: '\u5357\u4eac'\n }, {\n value: 'wuxi',\n label: '\u65e0\u9521'\n }, {\n value: 'xuzhou',\n label: '\u5f90\u5dde'\n }, {\n value: 'changzhou',\n label: '\u5e38\u5dde'\n }]\n }]\n }, {\n value: 'guonei',\n label: '\u56fd\u5185\u65c5\u6e38',\n children: [{\n value: 'hainan',\n label: '\u6d77\u5357',\n children: [{\n value: 'sanya',\n label: '\u4e09\u4e9a'\n }, {\n value: 'haikou',\n label: '\u6d77\u53e3'\n }, {\n value: 'yalongwan',\n label: '\u4e9a\u9f99\u6e7e'\n }, {\n value: 'tianyahaijiao',\n label: '\u5929\u6daf\u6d77\u89d2'\n }]\n }, {\n value: 'yunnan',\n label: '\u4e91\u5357',\n children: [{\n value: 'dali',\n label: '\u5927\u7406'\n }, {\n value: 'lijiang',\n label: '\u4e3d\u6c5f'\n }, {\n value: 'kunming',\n label: '\u6606\u660e'\n }, {\n value: 'yuxi',\n label: '\u7389\u6eaa'\n }]\n }, {\n value: 'neimeng',\n label: '\u5185\u8499\u53e4',\n children: [{\n value: 'chifeng',\n label: '\u8d64\u5cf0'\n }, {\n value: 'huhe',\n label: '\u547c\u548c\u6d69\u7279'\n }, {\n value: 'baotou',\n label: '\u5305\u5934'\n }, {\n value: 'erdos',\n label: '\u9102\u5c14\u591a\u65af'\n }]\n }]\n }, {\n value: 'oumei',\n label: '\u6b27\u7f8e',\n children: [{\n value: 'ruishi',\n label: '\u745e\u58eb'\n }, {\n value: 'faguo',\n label: '\u6cd5\u56fd'\n }, {\n value: 'meiguo',\n label: '\u7f8e\u56fd'\n }]\n }],\n selectedOptions: [],\n }\n }\n\n handleChange(key, value) {\n this.setState({ [key]: value });\n }\n handleCascaderChange = () => {\n setTimeout(() => {\n let s = '';\n let tmp = document.querySelector(\".myCascader\").querySelector(\".ishow-cascader__label\").querySelectorAll(\"label\");\n tmp.forEach((item) => s += item.innerText)\n document.querySelector(\"#cascaderTips\").innerHTML = s\n }, 300);\n\n render(){\n return (\n <Cascader\n className=\"myCascader\"\n options={this.state.options}\n filterable={true}\n changeOnSelect={true}\n onChange={()=>this.handleCascaderChange()}\n />\n <p id=\"cascaderTips\"></p>\n )\n }\n }\n\n "]},DynamicTable:{Code:["\n import React, { Component } from 'react';\n import Table from '../../ishow/Table/TableStore';\n import Button from \"../../ishow/Button/index\";\n import Checkbox from '../../ishow/Checkbox/index';\n import Switch from '../../ishow/Switch/Switch'\n import './App.css'\n\n class App extends Component {\n constructor(props){\n super(props);\n this.state = {\n columns: [\n {\n label: \"\u65e5\u671f\",\n prop: \"date\",\n width: 200,\n mustShow:true,\n fixed:'left'\n },\n {\n label: \"\u59d3\u540d\",\n prop: \"name\",\n minWidth: '200',\n mustShow: false\n },\n {\n label: \"\u7701\u4efd\",\n prop: \"province\",\n minWidth: '200',\n mustShow: false\n },\n {\n label:\"\u57ce\u5e02\",\n prop:\"city\",\n minWidth: '200',\n mustShow:false\n },\n {\n label: \"\u5730\u5740\",\n prop: \"address\",\n minWidth:'400',\n mustShow: false\n },\n {\n label: \"\u516c\u53f8\",\n prop: \"firm\",\n minWidth: '200',\n mustShow: false\n },\n {\n label: \"\u7535\u8bdd\",\n prop: \"tel\",\n minWidth: '200',\n mustShow: false\n },\n {\n label: \"\u90ae\u7bb1\",\n prop: \"email\",\n minWidth: '200',\n mustShow: false\n },\n {\n label: \"\u90ae\u7f16\",\n prop: \"zip\",\n minWidth: '200',\n mustShow: false\n },\n {\n label: \"\u5907\u6ce8\",\n prop: \"note\",\n \n mustShow: false\n },\n {\n label: \"\u5176\u4ed6\",\n prop: \"other\",\n \n mustShow: false\n },\n {\n label: \"\u64cd\u4f5c\",\n prop: \"handle\",\n width: 200,\n render: () => {\n return <span><Button type=\"text\" size=\"small\">\u67e5\u770b</Button><Button type=\"text\" size=\"small\">\u7f16\u8f91</Button></span>\n },\n fixed:'right',\n mustShow: true\n }\n ],\n data: [{\n date: '2018-03-02',\n name: 'iShow UI -- Yuri',\n province: '\u6c5f\u82cf',\n city: '\u82cf\u5dde\u5e02',\n address: '\u5357\u4eac\u5e02\u7384\u6b66\u533a\u8f6f\u4ef6\u5927\u9053XX\u5927\u53a6',\n firm:'iShow UI',\n tel:'13155556666',\n email:'zhangyong5@iShow.com',\n zip: 200333,\n note:'\u65e0',\n other:'\u6682\u65e0'\n }, {\n date: '2018-03-02',\n name: 'iShow UI -- Yuri',\n province: '\u6c5f\u82cf',\n city: '\u65e0\u9521\u5e02',\n address: '\u5357\u4eac\u5e02\u7384\u6b66\u533a\u8f6f\u4ef6\u5927\u9053XX\u5927\u53a6',\n firm:'iShow UI',\n tel:'13155556666',\n email: 'zhangyong5@iShow.com',\n zip: 200333,\n note:'\u65e0',\n other:'\u6682\u65e0'\n }, {\n date: '2018-03-02',\n name: 'iShow UI -- Yuri',\n province: '\u6c5f\u82cf',\n city: '\u5e38\u5dde\u5e02',\n address: '\u5357\u4eac\u5e02\u7384\u6b66\u533a\u8f6f\u4ef6\u5927\u9053XX\u5927\u53a6',\n firm:'iShow UI',\n tel:'13155556666',\n email: 'zhangyong5@iShow.com',\n zip: 200333,\n note:'\u65e0',\n other:'\u6682\u65e0'\n }, {\n date: '2018-03-02',\n name: 'iShow UI -- Yuri',\n province: '\u6c5f\u82cf',\n city: '\u5357\u4eac\u5e02',\n address: '\u5357\u4eac\u5e02\u7384\u6b66\u533a\u8f6f\u4ef6\u5927\u9053XX\u5927\u53a6',\n firm:'iShow UI',\n tel:'13155556666',\n email:'zhangyong5@iShow.com',\n zip: 200333,\n note:'\u65e0',\n other:'\u6682\u65e0'\n }, {\n date: '2018-03-02',\n name: 'iShow UI -- Yuri',\n province: '\u6c5f\u82cf',\n city: '\u626c\u5dde\u5e02',\n address: '\u5357\u4eac\u5e02\u7384\u6b66\u533a\u8f6f\u4ef6\u5927\u9053XX\u5927\u53a6',\n firm:'iShow UI',\n tel:'13155556666',\n email:'zhangyong5@iShow.com',\n zip: 200333,\n note:'\u65e0',\n other:'\u6682\u65e0'\n }],\n checkedList:[\"\u65e5\u671f\",\"\u59d3\u540d\",\"\u7701\u4efd\",\"\u5730\u5740\",\"\u90ae\u7f16\",\"\u64cd\u4f5c\"],//\u521d\u59cb\u5316\u9ed8\u8ba4\u88ab\u9009\u4e2d\u7684\u5217\n checkAll: false,\n isIndeterminate: true,\n klass: '',\n switchValue: false\n }\n }\n\n handleCheckboxChange(value){\n const checkedCount = value.length;\n const columnsLength = this.state.columns.length;\n\n this.setState({\n checkedList:value,//\u8bbe\u7f6e\u5f53\u524d\u9009\u4e2d\u7684\u9879\n // \u4e0b\u9762\u7528\u6765\u8bbe\u7f6e\u63a7\u5236\u5f53\u524d\u662f\u5426\u4e3a\u5168\u9009\u72b6\u6001\n checkAll: checkedCount === columnsLength,\n isIndeterminate: checkedCount > 0 && checkedCount < columnsLength,\n })\n }\n\n handleCheckAllChange(checked) {\n const checkedList = checked ? this.state.columns.map((item)=>item.label) : [];\n\n this.setState({\n isIndeterminate: false,\n checkAll: checked,\n checkedList: checkedList,\n });\n }\n\n handleSwitchChange(value) {\n this.setState({ switchValue: value })\n if (value) {\n this.setState({ klass: 'table-smallSize' })\n } else {\n this.setState({ klass: '' })\n }\n }\n\n render(){\n return(\n <div>\n <div style={{ marginBottom: 20 }}>\n <span style={{ fontSize:16,marginRight: 10 }}>\u7f29\u653e</span>\n <Switch value={this.state.switchValue} onText=\"on\" offText=\"off\" onChange={this.handleSwitchChange.bind(this)}></Switch>\n </div>\n <Checkbox\n checked={this.state.checkAll}\n indeterminate={this.state.isIndeterminate}\n onChange={this.handleCheckAllChange.bind(this)}\n style={{display:\"inlineBlock\"}}>\u5168\u9009</Checkbox>\n <Checkbox.Group value={this.state.checkedList} style={{ marginBottom: 20, display: \"inline-block\",marginLeft:10 }} onChange={this.handleCheckboxChange.bind(this)}>\n {this.state.columns.map((item,index)=>{\n return <Checkbox checked={this.state.checkedList.indexOf(item.label) !== -1} label={item.label} key={Math.random()}></Checkbox>\n })}\n </Checkbox.Group>\n <Table\n style={{ width: '100%' }}\n columns={this.state.columns.filter(\n (item)=>{return this.state.checkedList.indexOf(item.label) !== -1}\n )}\n data={this.state.data}\n border={true}\n className={this.state.klass}\n />\n </div>\n )\n }\n }\n\n export default App\n "]},Cascader:{Code:["\n import React, { Component } from 'react';\n import Cascader from \"../../ishow/Cascader\";\n\n class App extends Component {\n constructor(props) {\n super(props);\n\n this.state = {\n options: [{\n value: 'zhoubian',\n label: '\u5357\u4eac\u5468\u8fb9\u65c5\u6e38',\n children: [{\n value: 'antianshufen',\n label: '\u6309\u5929\u6570\u5206',\n children: [{\n value: 'yitian',\n label: '\u4e00\u5929'\n }, {\n value: 'liangtian',\n label: '\u4e24\u5929'\n }, {\n value: 'santian',\n label: '\u4e09\u5929'\n }]\n }, {\n value: 'taqing',\n label: '\u8e0f\u9752\u8d4f\u82b1',\n children: [{\n value: 'wuxi',\n label: '\u65e0\u9521'\n }, {\n value: 'yangzhou',\n label: '\u626c\u5dde'\n }]\n }]\n }, {\n value: 'guonei',\n label: '\u56fd\u5185\u65c5\u6e38',\n children: [{\n value: 'hainan',\n label: '\u6d77\u5357',\n children: [{\n value: 'sanya',\n label: '\u4e09\u4e9a'\n }, {\n value: 'haikou',\n label: '\u6d77\u53e3'\n }, {\n value: 'yalongwan',\n label: '\u4e9a\u9f99\u6e7e'\n }, {\n value: 'tianyahaijiao',\n label: '\u5929\u6daf\u6d77\u89d2'\n }]\n }, {\n value: 'yunnan',\n label: '\u4e91\u5357',\n children: [{\n value: 'dali',\n label: '\u5927\u7406'\n }, {\n value: 'lijiang',\n label: '\u4e3d\u6c5f'\n }, {\n value: 'kunming',\n label: '\u6606\u660e'\n }, {\n value: 'yuxi',\n label: '\u7389\u6eaa'\n }]\n }, {\n value: 'neimeng',\n label: '\u5185\u8499\u53e4',\n children: [{\n value: 'chifeng',\n label: '\u8d64\u5cf0'\n }, {\n value: 'huhe',\n label: '\u547c\u548c\u6d69\u7279'\n }, {\n value: 'baotou',\n label: '\u5305\u5934'\n }, {\n value: 'erdos',\n label: '\u9102\u5c14\u591a\u65af'\n }]\n }]\n }, {\n value: 'oumei',\n label: '\u6b27\u7f8e',\n children: [{\n value: 'ruishi',\n label: '\u745e\u58eb'\n }, {\n value: 'faguo',\n label: '\u6cd5\u56fd'\n }, {\n value: 'meiguo',\n label: '\u7f8e\u56fd'\n }]\n }],\n selectedOptions: [],\n selectedOptions2: []\n }\n }\n\n handleChange(key, value) {\n this.setState({ [key]: value });\n }\n\n render(){\n return (\n <div>\n <div className=\"block\">\n <span className=\"demonstration\" style={{display:'block'}}>\u9ed8\u8ba4 click \u89e6\u53d1\u5b50\u83dc\u5355</span>\n <Cascader\n options={this.state.options}\n value={this.state.selectedOptions}\n onChange={this.handleChange.bind(this, 'selectedOptions')} />\n </div>\n <div className=\"block\">\n <span className=\"demonstration\" style={{ display: 'block' }}>hover \u89e6\u53d1\u5b50\u83dc\u5355</span>\n <Cascader\n options={this.state.options}\n expandTrigger=\"hover\"\n value={this.state.selectedOptions2}\n onChange={this.handleChange.bind(this, 'selectedOptions2')} />\n </div>\n </div>\n )\n }\n }\n\n export default App\n ","\n import React, { Component } from 'react';\n import Cascader from \"../../ishow/Cascader\";\n\n class App extends Component {\n constructor(props) {\n super(props);\n\n this.state = {\n optionsWithDisabled: [{\n value: 'zhoubian',\n label: '\u5357\u4eac\u5468\u8fb9\u65c5\u6e38',\n disabled: true,\n children: [{\n value: 'antianshufen',\n label: '\u6309\u5929\u6570\u5206',\n children: [{\n value: 'yitian',\n label: '\u4e00\u5929'\n }, {\n value: 'liangtian',\n label: '\u4e24\u5929'\n }, {\n value: 'santian',\n label: '\u4e09\u5929'\n }]\n }, {\n value: 'taqing',\n label: '\u8e0f\u9752\u8d4f\u82b1',\n children: [{\n value: 'wuxi',\n label: '\u65e0\u9521'\n }, {\n value: 'yangzhou',\n label: '\u626c\u5dde'\n }]\n }]\n }, {\n value: 'guonei',\n label: '\u56fd\u5185\u65c5\u6e38',\n children: [{\n value: 'hainan',\n label: '\u6d77\u5357',\n children: [{\n value: 'sanya',\n label: '\u4e09\u4e9a'\n }, {\n value: 'haikou',\n label: '\u6d77\u53e3'\n }, {\n value: 'yalongwan',\n label: '\u4e9a\u9f99\u6e7e'\n }, {\n value: 'tianyahaijiao',\n label: '\u5929\u6daf\u6d77\u89d2'\n }]\n }, {\n value: 'yunnan',\n label: '\u4e91\u5357',\n children: [{\n value: 'dali',\n label: '\u5927\u7406'\n }, {\n value: 'lijiang',\n label: '\u4e3d\u6c5f'\n }, {\n value: 'kunming',\n label: '\u6606\u660e'\n }, {\n value: 'yuxi',\n label: '\u7389\u6eaa'\n }]\n }, {\n value: 'neimeng',\n label: '\u5185\u8499\u53e4',\n children: [{\n value: 'chifeng',\n label: '\u8d64\u5cf0'\n }, {\n value: 'huhe',\n label: '\u547c\u548c\u6d69\u7279'\n }, {\n value: 'baotou',\n label: '\u5305\u5934'\n }, {\n value: 'erdos',\n label: '\u9102\u5c14\u591a\u65af'\n }]\n }]\n }, {\n value: 'oumei',\n label: '\u6b27\u7f8e',\n children: [{\n value: 'ruishi',\n label: '\u745e\u58eb'\n }, {\n value: 'faguo',\n label: '\u6cd5\u56fd'\n }, {\n value: 'meiguo',\n label: '\u7f8e\u56fd'\n }]\n }],\n selectedOptions: [],\n selectedOptions2: []\n }\n }\n\n handleChange(key, value) {\n this.setState({ [key]: value });\n }\n\n render(){\n return (\n <div>\n <Cascader\n options={this.state.optionsWithDisabled}\n />\n </div>\n )\n }\n }\n\n export default App\n ","\n import React, { Component } from 'react';\n import Cascader from \"../../ishow/Cascader\";\n\n class App extends Component {\n constructor(props) {\n super(props);\n\n this.state = {\n options: [{\n value: 'zhoubian',\n label: '\u5357\u4eac\u5468\u8fb9\u65c5\u6e38',\n children: [{\n value: 'antianshufen',\n label: '\u6309\u5929\u6570\u5206',\n children: [{\n value: 'yitian',\n label: '\u4e00\u5929'\n }, {\n value: 'liangtian',\n label: '\u4e24\u5929'\n }, {\n value: 'santian',\n label: '\u4e09\u5929'\n }]\n }, {\n value: 'taqing',\n label: '\u8e0f\u9752\u8d4f\u82b1',\n children: [{\n value: 'wuxi',\n label: '\u65e0\u9521'\n }, {\n value: 'yangzhou',\n label: '\u626c\u5dde'\n }]\n }]\n }, {\n value: 'guonei',\n label: '\u56fd\u5185\u65c5\u6e38',\n children: [{\n value: 'hainan',\n label: '\u6d77\u5357',\n children: [{\n value: 'sanya',\n label: '\u4e09\u4e9a'\n }, {\n value: 'haikou',\n label: '\u6d77\u53e3'\n }, {\n value: 'yalongwan',\n label: '\u4e9a\u9f99\u6e7e'\n }, {\n value: 'tianyahaijiao',\n label: '\u5929\u6daf\u6d77\u89d2'\n }]\n }, {\n value: 'yunnan',\n label: '\u4e91\u5357',\n children: [{\n value: 'dali',\n label: '\u5927\u7406'\n }, {\n value: 'lijiang',\n label: '\u4e3d\u6c5f'\n }, {\n value: 'kunming',\n label: '\u6606\u660e'\n }, {\n value: 'yuxi',\n label: '\u7389\u6eaa'\n }]\n }, {\n value: 'neimeng',\n label: '\u5185\u8499\u53e4',\n children: [{\n value: 'chifeng',\n label: '\u8d64\u5cf0'\n }, {\n value: 'huhe',\n label: '\u547c\u548c\u6d69\u7279'\n }, {\n value: 'baotou',\n label: '\u5305\u5934'\n }, {\n value: 'erdos',\n label: '\u9102\u5c14\u591a\u65af'\n }]\n }]\n }, {\n value: 'oumei',\n label: '\u6b27\u7f8e',\n children: [{\n value: 'ruishi',\n label: '\u745e\u58eb'\n }, {\n value: 'faguo',\n label: '\u6cd5\u56fd'\n }, {\n value: 'meiguo',\n label: '\u7f8e\u56fd'\n }]\n }],\n selectedOptions: [],\n selectedOptions2: []\n }\n }\n\n handleChange(key, value) {\n this.setState({ [key]: value });\n }\n\n render(){\n return (\n <div>\n <Cascader\n options={this.state.options}\n showAllLevels={false}\n />\n </div>\n )\n }\n }\n\n export default App\n ","\n import React, { Component } from 'react';\n import Cascader from \"../../ishow/Cascader\";\n\n class App extends Component {\n constructor(props) {\n super(props);\n\n this.state = {\n options: [{\n value: 'zhoubian',\n label: '\u5357\u4eac\u5468\u8fb9\u65c5\u6e38',\n children: [{\n value: 'antianshufen',\n label: '\u6309\u5929\u6570\u5206',\n children: [{\n value: 'yitian',\n label: '\u4e00\u5929'\n }, {\n value: 'liangtian',\n label: '\u4e24\u5929'\n }, {\n value: 'santian',\n label: '\u4e09\u5929'\n }]\n }, {\n value: 'taqing',\n label: '\u8e0f\u9752\u8d4f\u82b1',\n children: [{\n value: 'wuxi',\n label: '\u65e0\u9521'\n }, {\n value: 'yangzhou',\n label: '\u626c\u5dde'\n }]\n }]\n }, {\n value: 'guonei',\n label: '\u56fd\u5185\u65c5\u6e38',\n children: [{\n value: 'hainan',\n label: '\u6d77\u5357',\n children: [{\n value: 'sanya',\n label: '\u4e09\u4e9a'\n }, {\n value: 'haikou',\n label: '\u6d77\u53e3'\n }, {\n value: 'yalongwan',\n label: '\u4e9a\u9f99\u6e7e'\n }, {\n value: 'tianyahaijiao',\n label: '\u5929\u6daf\u6d77\u89d2'\n }]\n }, {\n value: 'yunnan',\n label: '\u4e91\u5357',\n children: [{\n value: 'dali',\n label: '\u5927\u7406'\n }, {\n value: 'lijiang',\n label: '\u4e3d\u6c5f'\n }, {\n value: 'kunming',\n label: '\u6606\u660e'\n }, {\n value: 'yuxi',\n label: '\u7389\u6eaa'\n }]\n }, {\n value: 'neimeng',\n label: '\u5185\u8499\u53e4',\n children: [{\n value: 'chifeng',\n label: '\u8d64\u5cf0'\n }, {\n value: 'huhe',\n label: '\u547c\u548c\u6d69\u7279'\n }, {\n value: 'baotou',\n label: '\u5305\u5934'\n }, {\n value: 'erdos',\n label: '\u9102\u5c14\u591a\u65af'\n }]\n }]\n }, {\n value: 'oumei',\n label: '\u6b27\u7f8e',\n children: [{\n value: 'ruishi',\n label: '\u745e\u58eb'\n }, {\n value: 'faguo',\n label: '\u6cd5\u56fd'\n }, {\n value: 'meiguo',\n label: '\u7f8e\u56fd'\n }]\n }],\n selectedOptions: [],\n selectedOptions2: [],\n selectedOptions3: ['oumei', 'ruishi', ]\n }\n }\n\n handleChange(key, value) {\n this.setState({ [key]: value });\n }\n\n render(){\n return (\n <div>\n <Cascader\n options={this.state.options}\n value={this.state.selectedOptions3}\n />\n </div>\n )\n }\n }\n\n export default App\n ","\n import React, { Component } from 'react';\n import Cascader from \"../../ishow/Cascader\";\n\n class App extends Component {\n constructor(props) {\n super(props);\n\n this.state = {\n options: [{\n value: 'zhoubian',\n label: '\u5357\u4eac\u5468\u8fb9\u65c5\u6e38',\n children: [{\n value: 'antianshufen',\n label: '\u6309\u5929\u6570\u5206',\n children: [{\n value: 'yitian',\n label: '\u4e00\u5929'\n }, {\n value: 'liangtian',\n label: '\u4e24\u5929'\n }, {\n value: 'santian',\n label: '\u4e09\u5929'\n }]\n }, {\n value: 'taqing',\n label: '\u8e0f\u9752\u8d4f\u82b1',\n children: [{\n value: 'wuxi',\n label: '\u65e0\u9521'\n }, {\n value: 'yangzhou',\n label: '\u626c\u5dde'\n }]\n }]\n }, {\n value: 'guonei',\n label: '\u56fd\u5185\u65c5\u6e38',\n children: [{\n value: 'hainan',\n label: '\u6d77\u5357',\n children: [{\n value: 'sanya',\n label: '\u4e09\u4e9a'\n }, {\n value: 'haikou',\n label: '\u6d77\u53e3'\n }, {\n value: 'yalongwan',\n label: '\u4e9a\u9f99\u6e7e'\n }, {\n value: 'tianyahaijiao',\n label: '\u5929\u6daf\u6d77\u89d2'\n }]\n }, {\n value: 'yunnan',\n label: '\u4e91\u5357',\n children: [{\n value: 'dali',\n label: '\u5927\u7406'\n }, {\n value: 'lijiang',\n label: '\u4e3d\u6c5f'\n }, {\n value: 'kunming',\n label: '\u6606\u660e'\n }, {\n value: 'yuxi',\n label: '\u7389\u6eaa'\n }]\n }, {\n value: 'neimeng',\n label: '\u5185\u8499\u53e4',\n children: [{\n value: 'chifeng',\n label: '\u8d64\u5cf0'\n }, {\n value: 'huhe',\n label: '\u547c\u548c\u6d69\u7279'\n }, {\n value: 'baotou',\n label: '\u5305\u5934'\n }, {\n value: 'erdos',\n label: '\u9102\u5c14\u591a\u65af'\n }]\n }]\n }, {\n value: 'oumei',\n label: '\u6b27\u7f8e',\n children: [{\n value: 'ruishi',\n label: '\u745e\u58eb'\n }, {\n value: 'faguo',\n label: '\u6cd5\u56fd'\n }, {\n value: 'meiguo',\n label: '\u7f8e\u56fd'\n }]\n }]\n }\n }\n\n render(){\n return (\n <div>\n <Cascader\n options={this.state.options}\n changeOnSelect={true}\n />\n </div>\n )\n }\n }\n\n export default App\n ","\n import React, { Component } from 'react';\n import Cascader from \"../../ishow/Cascader\";\n\n class App extends Component {\n constructor(props) {\n super(props);\n\n this.state = {\n options2: [{\n label: '\u6c5f\u82cf',\n cities: []\n }, {\n label: '\u6d59\u6c5f',\n cities: []\n }],\n props: {\n value: 'label',\n children: 'cities'\n }\n }\n }\n\n handleItemChange(val) {\n console.log('active item:', val);\n\n setTimeout(() => {\n if (val.indexOf('\u6c5f\u82cf') > -1 && !this.state.options2[0].cities.length) {\n this.state.options2[0].cities = [{\n label: '\u5357\u4eac'\n }];\n } else if (val.indexOf('\u6d59\u6c5f') > -1 && !this.state.options2[1].cities.length) {\n this.state.options2[1].cities = [{\n label: '\u676d\u5dde'\n }];\n }\n\n this.forceUpdate();\n }, 300);\n }\n\n render(){\n return (\n <div>\n <Cascader\n props={this.state.props}\n options={this.state.options2}\n activeItemChange={this.handleItemChange.bind(this)}\n />\n </div>\n )\n }\n }\n\n export default App\n ","\n import React, { Component } from 'react';\n import Cascader from \"../../ishow/Cascader\";\n\n class App extends Component {\n constructor(props) {\n super(props);\n\n this.state = {\n options: [{\n value: 'zhoubian',\n label: '\u5357\u4eac\u5468\u8fb9\u65c5\u6e38',\n children: [{\n value: 'antianshufen',\n label: '\u6309\u5929\u6570\u5206',\n children: [{\n value: 'yitian',\n label: '\u4e00\u5929'\n }, {\n value: 'liangtian',\n label: '\u4e24\u5929'\n }, {\n value: 'santian',\n label: '\u4e09\u5929'\n }]\n }, {\n value: 'taqing',\n label: '\u8e0f\u9752\u8d4f\u82b1',\n children: [{\n value: 'wuxi',\n label: '\u65e0\u9521'\n }, {\n value: 'yangzhou',\n label: '\u626c\u5dde'\n }]\n }]\n }, {\n value: 'guonei',\n label: '\u56fd\u5185\u65c5\u6e38',\n children: [{\n value: 'hainan',\n label: '\u6d77\u5357',\n children: [{\n value: 'sanya',\n label: '\u4e09\u4e9a'\n }, {\n value: 'haikou',\n label: '\u6d77\u53e3'\n }, {\n value: 'yalongwan',\n label: '\u4e9a\u9f99\u6e7e'\n }, {\n value: 'tianyahaijiao',\n label: '\u5929\u6daf\u6d77\u89d2'\n }]\n }, {\n value: 'yunnan',\n label: '\u4e91\u5357',\n children: [{\n value: 'dali',\n label: '\u5927\u7406'\n }, {\n value: 'lijiang',\n label: '\u4e3d\u6c5f'\n }, {\n value: 'kunming',\n label: '\u6606\u660e'\n }, {\n value: 'yuxi',\n label: '\u7389\u6eaa'\n }]\n }, {\n value: 'neimeng',\n label: '\u5185\u8499\u53e4',\n children: [{\n value: 'chifeng',\n label: '\u8d64\u5cf0'\n }, {\n value: 'huhe',\n label: '\u547c\u548c\u6d69\u7279'\n }, {\n value: 'baotou',\n label: '\u5305\u5934'\n }, {\n value: 'erdos',\n label: '\u9102\u5c14\u591a\u65af'\n }]\n }]\n }\n }\n\n render(){\n return (\n <div>\n <Cascader\n placeholder=\"\u8bd5\u8bd5\u641c\u7d22\uff1a\u4e3d\u6c5f\"\n options={this.state.options}\n filterable={true}\n />\n <Cascader\n placeholder=\"\u8bd5\u8bd5\u641c\u7d22\uff1a\u4e91\u5357\"\n options={this.state.options}\n filterable={true}\n changeOnSelect={true}\n />\n </div>\n )\n }\n }\n\n export default App\n "]},Badge:{Code:['\n import React, { Component } from \'react\';\n import Badge from \'../../ishow/Badge/index\';\n import Button from "../../ishow/Button/index";\n import Dropdown from \'../../ishow/Dropdown/index.js\';\n\n class App extends React.Component {\n render(){\n return(\n <div>\n <Badge value={ 12 } style={{marginRight:40}}>\n <Button size="small">\u8bc4\u8bba</Button>\n </Badge>\n\n <Badge value={ 3 } style={{marginRight:40}}>\n <Button size="small">\u56de\u590d</Button>\n </Badge>\n\n <Dropdown trigger="click" menu={(\n <Dropdown.Menu>\n <Dropdown.Item className="clearfix">\n <span>\u8bc4\u8bba</span><Badge className="mark" value={ 12 } />\n </Dropdown.Item>\n <Dropdown.Item className="clearfix">\n <span>\u56de\u590d</span><Badge className="mark" value={ 3 } />\n </Dropdown.Item>\n </Dropdown.Menu>\n )}\n >\n <span className="ishow-dropdown-link">\u70b9\u6211\u67e5\u770b<i className="ishow-icon-caret-bottom ishow-icon--right"></i></span>\n </Dropdown>\n </div>\n )\n }\n }\n\n export default App\n ','\n import React, { Component } from \'react\';\n import Badge from \'../../ishow/Badge/index\';\n import Button from "../../ishow/Button/index";\n\n class App extends React.Component {\n render(){\n return(\n <div>\n <Badge value={ 200 } max={ 99 } style={{marginRight:40}}>\n <Button size="small">\u8bc4\u8bba</Button>\n </Badge>\n <Badge value={ 100 } max={ 10 }>\n <Button size="small">\u56de\u590d</Button>\n </Badge>\n </div>\n )\n }\n }\n\n export default App\n ',"\n import React, { Component } from 'react';\n import Badge from '../../ishow/Badge/index';\n import Button from \"../../ishow/Button/index\";\n\n class App extends React.Component {\n render(){\n return(\n <div>\n <Badge value={ 'new' } style={{marginRight:40}}>\n <Button size=\"small\">\u8bc4\u8bba</Button>\n </Badge>\n <Badge value={ 'hot' }>\n <Button size=\"small\">\u56de\u590d</Button>\n </Badge>\n </div>\n )\n }\n }\n\n export default App\n ",'\n import React, { Component } from \'react\';\n import Badge from \'../../ishow/Badge/index\';\n import Button from "../../ishow/Button/index";\n\n class App extends React.Component {\n render(){\n return(\n <div>\n <Badge isDot style={{marginRight:40}}>\n \u6570\u636e\u67e5\u8be2\n </Badge>\n <Badge isDot>\n <Button className="share-button" icon="share" type="primary"></Button>\n </Badge>\n </div>\n )\n }\n }\n\n export default App\n ']},QueryCriteriaModule:{Code:["\n import React, { Component } from 'react';\n //\u6309\u9700\u52a0\u8f7d\n import Button from \"../../ishow/Button/index\";\n import Row from '../../ishow/LayoutComponent/row';\n import Col from '../../ishow/LayoutComponent/col';\n import Input from '../../ishow/Input';\n import {DatePicker} from '../../ishow/DatePicker';\n import Select from '../../ishow/Select';\n\n class QueryCriteriaModule extends Component {\n constructor(props){\n super(props);\n this.state = {\n expendCollapse:true,\n paginationVisible:false,\n page: 100,\n pageSize: 10,\n currentPage: 1,\n initDateStart:'',\n initDateEnd:'',\n assignDateStart:'',\n assignDateEnd:'',\n finishDateStart:'',\n finishDateEnd:'',\n addData:[],\n addColumns:[\n {\n label:'\u6295\u8bc9\u4e8b\u5b9c\u8bb0\u5f55',\n subColumns:[\n {\n label:\"\u65e5\u671f\",\n prop:'date'\n },\n {\n label:'\u5185\u5bb9',\n prop:'content'\n },\n {\n label:'\u8be6\u60c5',\n prop:'detail'\n }\n ]\n }\n ],\n options: [{\n value: '\u9009\u98791',\n label: '\u95ee\u98981'\n }, {\n value: '\u9009\u98792',\n label: '\u95ee\u98982'\n }, {\n value: '\u9009\u98793',\n label: '\u95ee\u98983'\n }, {\n value: '\u9009\u98794',\n label: '\u95ee\u98984'\n }, {\n value: '\u9009\u98795',\n label: '\u95ee\u98985'\n }],\n selectValue: ''\n };\n }\n\n toggleExpend(){\n this.setState({expendCollapse:!this.state.expendCollapse})\n }\n\n render() {\n let expendCollapse = this.state.expendCollapse;\n let arrowDirection = expendCollapse ? 'arrow-down' : 'arrow-up';\n let isCollapsePartHidden = expendCollapse ? 'QueryCriteriaModule_CollapsePart':'';\n let ButtonText = expendCollapse ? '\u5c55\u5f00' : '\u6536\u8d77';\n let initDateStart = this.state.initDateStart;\n let initDateEnd = this.state.initDateEnd;\n let assignDateStart = this.state.assignDateStart;\n let assignDateEnd = this.state.assignDateEnd;\n let finishDateStart = this.state.finishDateStart;\n let finishDateEnd = this.state.finishDateEnd;\n //for Collapse\n return (\n <div>\n <div className=\"QueryCriteriaModule\">\n <div>\n <Row className='QueryCriteriaModule_Row' >\n <Col className='QueryCriteriaModule_Col' span={8} ><label>\u6295\u8bc9\u5355ID</label><Input className='QueryCriteriaModule_Input'/></Col>\n <Col className='QueryCriteriaModule_Col' span={8} ><label>\u8ba2\u5355ID</label><Input className='QueryCriteriaModule_Input'/></Col>\n <Col className='QueryCriteriaModule_Col' span={8} ><label>\u7ebf\u8def\u53f7</label><Input className='QueryCriteriaModule_Input'/></Col>\n </Row>\n <Row className='QueryCriteriaModule_Row' >\n <Col className='QueryCriteriaModule_Col' span={8} ><label>\u6295\u8bc9\u4eba\u7535\u8bdd</label><Input className='QueryCriteriaModule_Input'/></Col>\n <Col className='QueryCriteriaModule_Col' span={8} ><label>\u53d1\u8d77\u4eba</label><Input className='QueryCriteriaModule_Input' append={<Button type=\"primary\" icon=\"search\">\u7531\u6211\u53d1\u8d77</Button>}/></Col>\n <Col className='QueryCriteriaModule_Col' span={8} ><label>\u5904\u7406\u4eba</label><Input className='QueryCriteriaModule_Input'/></Col>\n </Row>\n <Row className='QueryCriteriaModule_Row' >\n <Col className='QueryCriteriaModule_Col' span={8} ><label>\u5904\u7406\u5c97</label>\n <Select className='QueryCriteriaModule_Input' value={this.state.selectValue}> \n {\n this.state.options.map(el => {\n return <Select.Option key={el.value} label={el.label} value={el.value} />\n })\n }\n </Select>\n </Col>\n <Col className='QueryCriteriaModule_Col' span={8} ><label>\u6295\u8bc9\u5355\u72b6\u6001</label>\n <Select className='QueryCriteriaModule_Input' value={this.state.selectValue}>\n {\n this.state.options.map(el => {\n return <Select.Option key={el.value} label={el.label} value={el.value} />\n })\n }\n </Select>\n </Col>\n <Col className='QueryCriteriaModule_Col' span={8} ><label>\u4f9b\u5e94\u5546\u540d\u79f0</label><Input className='QueryCriteriaModule_Input'/></Col>\n </Row>\n </div>\n <div className='QueryCriteriaModule_Expend'><Button onClick={this.toggleExpend.bind(this)} className='QueryCriteriaModule_Expend_Button' plain={true} icon={arrowDirection}>{ButtonText}</Button></div>\n <div className={isCollapsePartHidden}>\n <Row className='QueryCriteriaModule_Row'>\n <Col className='QueryCriteriaModule_Col' span={8} ><label>\u5ba2\u670d\u7ecf\u7406</label><Input className='QueryCriteriaModule_Input'/></Col>\n <Col className='QueryCriteriaModule_Col' span={8} ><label>\u4ea7\u54c1\u7ecf\u7406</label><Input className='QueryCriteriaModule_Input'/></Col>\n <Col className='QueryCriteriaModule_Col' span={8} ><label>\u662f\u5426\u4e3a\u8d54\u6b3e\u5355</label>\n <Select className='QueryCriteriaModule_Input' value={this.state.selectValue}> \n {\n this.state.options.map(el => {\n return <Select.Option key={el.value} label={el.label} value={el.value} />\n })\n }\n </Select>\n </Col>\n </Row>\n <Row className='QueryCriteriaModule_Row' >\n <Col className='QueryCriteriaModule_Col' span={8} ><label>\u53d1\u8d77\u65f6\u95f4</label>\n {/* <Input className='QueryCriteriaModule_Input'/> */}\n <div className='QueryCriteriaModule_DatePicker'>\n <DatePicker\n // style={{width:'41%',display:'inline'}}\n value={initDateStart}\n isShowTime={true}\n placeholder=\"\u9009\u62e9\u65e5\u671f\"\n format='yyyy-MM-dd HH:mm:ss'\n onChange={date=>{\n console.debug('DatePicker1 changed: ', date)\n this.setState({initDateStart: date})\n }}\n disabledDate={time=>time.getTime() < Date.now() - 8.64e7}\n /><span className='QueryCriteriaModule_rangeSpliter'>\u81f3</span>\n <DatePicker\n // style={{width:'41%',display:'inline'}}\n value={initDateEnd}\n isShowTime={true}\n placeholder=\"\u9009\u62e9\u65e5\u671f\"\n format='yyyy-MM-dd HH:mm:ss'\n onChange={date=>{\n console.debug('DatePicker1 changed: ', date)\n this.setState({initDateEnd: date})\n }}\n disabledDate={time=>time.getTime() < Date.now() - 8.64e7}\n />\n </div>\n </Col>\n <Col className='QueryCriteriaModule_Col' span={8} ><label>\u5206\u914d\u65f6\u95f4</label>\n <div className='QueryCriteriaModule_DatePicker'>\n <DatePicker\n // style={{width:'41%',display:'inline'}}\n value={assignDateStart}\n isShowTime={true}\n placeholder=\"\u9009\u62e9\u65e5\u671f\"\n format='yyyy-MM-dd HH:mm:ss'\n onChange={date=>{\n console.debug('DatePicker1 changed: ', date)\n this.setState({assignDateStart: date})\n }}\n disabledDate={time=>time.getTime() < Date.now() - 8.64e7}\n /><span className='QueryCriteriaModule_rangeSpliter'>\u81f3</span>\n <DatePicker\n // style={{width:'41%',display:'inline'}}\n value={assignDateEnd}\n isShowTime={true}\n placeholder=\"\u9009\u62e9\u65e5\u671f\"\n format='yyyy-MM-dd HH:mm:ss'\n onChange={date=>{\n console.debug('DatePicker1 changed: ', date)\n this.setState({assignDateEnd: date})\n }}\n disabledDate={time=>time.getTime() < Date.now() - 8.64e7}\n />\n </div>\n </Col>\n <Col className='QueryCriteriaModule_Col' span={8} ><label>\u5b8c\u6210\u65f6\u95f4</label>\n <div className='QueryCriteriaModule_DatePicker'>\n <DatePicker\n // style={{width:'41%',display:'inline'}}\n value={finishDateStart}\n isShowTime={true}\n placeholder=\"\u9009\u62e9\u65e5\u671f\"\n format='yyyy-MM-dd HH:mm:ss'\n onChange={date=>{\n console.debug('DatePicker1 changed: ', date)\n this.setState({finishDateStart: date})\n }}\n disabledDate={time=>time.getTime() < Date.now() - 8.64e7}\n /><span className='QueryCriteriaModule_rangeSpliter'>\u81f3</span>\n <DatePicker\n // style={{width:'41%',display:'inline'}}\n value={finishDateEnd}\n isShowTime={true}\n placeholder=\"\u9009\u62e9\u65e5\u671f\"\n format='yyyy-MM-dd HH:mm:ss'\n onChange={date=>{\n console.debug('DatePicker1 changed: ', date)\n this.setState({finishDateEnd: date})\n }}\n disabledDate={time=>time.getTime() < Date.now() - 8.64e7}\n />\n </div>\n </Col>\n </Row>\n </div>\n </div>\n <div className='QueryCriteriaModule_Button'>\n <Button type=\"primary\" size=\"large\">\u67e5\u8be2</Button>\n <Button plain={true} type=\"primary\" size=\"large\">\u91cd\u7f6e</Button>\n </div>\n </div>\n );\n }\n }\n\n export default QueryCriteriaModule;\n\n //\u4e0b\u9762\u4e3a\u7ec4\u4ef6\u4e2d\u6d89\u53ca\u7684\u6837\u5f0f\uff0c\u53ef\u590d\u5236\u5230\u6587\u4ef6\u4e2d\u5f15\u7528\n .QueryCriteriaModule {\n margin-top: 20px;\n }\n\n .QueryCriteriaModule_ShowPart {\n position: relative;\n overflow: hidden;\n }\n\n .QueryCriteriaModule .QueryCriteriaModule_Row {\n margin-bottom: 20px;\n }\n\n .QueryCriteriaModule .QueryCriteriaModule_Row>.QueryCriteriaModule_Col {\n text-align: center;\n }\n\n .QueryCriteriaModule_Col>label {\n display: inline-block;\n width: 16%;\n text-align: left;\n vertical-align: middle;\n }\n\n .QueryCriteriaModule_Col>.QueryCriteriaModule_Input {\n width: 70%;\n margin-left: 2%;\n }\n\n .QueryCriteriaModule_Expend {\n border-bottom: 1px dashed #ddd;\n margin: 35px auto;\n position: relative;\n width: 96%;\n }\n\n .QueryCriteriaModule_Expend>.QueryCriteriaModule_Expend_Button {\n position: absolute;\n text-align: center;\n right: 0;\n top: -16px;\n width: 80px;\n display: inline-block;\n margin: 0 auto;\n }\n\n .QueryCriteriaModule_CollapsePart {\n display: none;\n }\n\n .QueryCriteriaModule_Button {\n text-align: center;\n margin: 30px 0;\n }\n\n .QueryCriteriaModule_DatePicker {\n display: inline-block;\n width: 70%;\n margin-left: 10px;\n }\n\n .QueryCriteriaModule_DatePicker .ishow-date-editor.ishow-input {\n width: auto !important;\n }\n\n .QueryCriteriaModule_DatePicker .ishow-date-editor {\n width: 45%;\n }\n\n .QueryCriteriaModule_rangeSpliter {\n display: inline-block;\n width: 10%;\n }\n "]},CopyUrlAndRefresh:{Code:["\n import React from 'react';\n import './App.css';\n import MessageBox from '../../ishow/MessageBox/index';\n import IconPlus from '../../ishow/LayoutComponent/icon/index';\n\n export default class App extends React.Component {\n \n //\u590d\u5236\u7f51\u5740\u5230\u526a\u5207\u677f ===start\n fallbackCopyTextToClipboard = (text)=> {\n var textArea = document.createElement(\"textarea\");\n textArea.value = text;\n document.body.appendChild(textArea);\n textArea.focus();\n textArea.select();\n \n try {\n var successful = document.execCommand('copy');\n var msg = successful ? 'successful' : 'unsuccessful';\n console.log('Fallback: Copying text command was ' + msg);\n } catch (err) {\n console.error('Fallback: Oops, unable to copy', err);\n }\n \n document.body.removeChild(textArea);\n }\n //\u53c2\u6570text\u4e3a\u8981\u590d\u5236\u5230\u526a\u5207\u677f\u7684\u5185\u5bb9\uff0c\u6b64\u5904\u4e3a\u5f53\u524d\u9875\u7684URL\u5730\u5740\n copyTextToClipboard = (text)=> {\n if (!navigator.clipboard) {\n this.fallbackCopyTextToClipboard(text);\n return;\n }\n navigator.clipboard.writeText(text).then(()=> {\n MessageBox.msgbox({\n message:'URL\u6210\u529f\u590d\u5236\u5230\u526a\u5207\u677f',\n type:\"success\"\n })\n }, (err)=> {\n console.error('Async: Could not copy text: ', err);\n });\n }\n //\u590d\u5236\u7f51\u5740\u5230\u526a\u5207\u677f === end\n\n render(){\n return (\n <div>\n <span style={{cursor:'pointer'}}>\n <IconPlus type=\"reload\" title=\"\u5237\u65b0\" onClick={()=>window.location.reload()}/> <IconPlus type=\"copy\" title=\"\u590d\u5236url\" onClick={()=>this.copyTextToClipboard(window.location.href)}/>\n </span> \n </div>\n )\n }\n }\n "]},GoogleMap:{Code:['\n /**\n * \u4f7f\u7528\u8c37\u6b4c\u5730\u56fe\u524d\u9700\u8981\u5728\u5f15\u5165\u5730\u56fe\u7684jssdk\n * <script type="text/javascript" src="http://ditu.google.cn/maps/api/js?v=3&sensor=false&key=\u4f60\u7684\u8c37\u6b4c\u5730\u56feAPI_KEY&hl=zh-CN"><\/script>\n */\n // react \u4e2d\u4f7f\u7528\n import React from "react";\n import \'./App.css\'\n \n let map ;\n class App extends React.Component{\n constructor(props){\n super(props);\n this.state = {\n \n };\n }\n\n componentDidMount(){\n if(!map) this.__initMap();\n }\n\n componentWillUnmount(){\n map = null;\n }\n\n // \u521d\u59cb\u5316\u5730\u56fe\n __initMap(){\n // \u521d\u59cb\u5316\u5730\u56fe \u5730\u56fe\u4e2d\u5fc3\u70b9\u5750\u6807\u4e0e\u6bd4\u4f8b\u5c3a\u5927\u5c0f\u5fc5\u586b\n map = new window.google.maps.Map(this.refs.map, {\n center: { lat: 32.07226, lng: 118.79357 }, //\u4ee5\u5357\u4eac\u7684\u5750\u6807\u4e3a\u6f14\u793a\n zoom: 13,\n mapTypeId:window.google.maps.MapTypeId.ROADMAP\n });\n this.__renderMarker();\n }\n\n // \u57fa\u7840\u6253\u70b9\u5e76\u521b\u5efa\u4e00\u4e2a\u70b9\u51fb\u6253\u5f00\u5f39\u7a97\n __renderMarker(){\n var marker2= new window.google.maps.Marker({labelContent: "\u8fd9\u662f\u7384\u6b66\u6e56", position:{lat:32.07226,lng: 118.79357},map:map});\n var iw3 = new window.google.maps.InfoWindow({\n content: "\u8fd9\u662f\u7384\u6b66\u6e56"\n });\n iw3.open(map, marker2);\n // \u4e3a\u6807\u8bb0\u70b9\u6dfb\u52a0\u70b9\u51fb\u6253\u5f00\u5f39\u7a97\u4e8b\u4ef6\n window.google.maps.event.addListener(marker2, "click", (e)=> { iw3.open(map, marker2); });\n }\n\n render(){\n return (\n <div>\n <div id=\'map\' ref=\'map\' style={{width: \'100%\',height:\'540px\'}}></div>\n </div>\n )\n }\n }\n\n export default App;\n\n ','\n // \u666e\u901a\u9875\u9762\u4e2d\u4f7f\u7528\n var map;\n // \u521d\u59cb\u5316\u5730\u56fe \u5730\u56fe\u4e2d\u5fc3\u70b9\u5750\u6807\u4e0e\u6bd4\u4f8b\u5c3a\u5927\u5c0f\u5fc5\u586b\n function initMap() {\n map = new window.google.maps.Map(document.getElementById(\'map\'), {\n center: { lat: 32.07226, lng: 118.79357 }, //\u4ee5\u5357\u4eac\u7684\u5750\u6807\u4e3a\u6f14\u793a\n zoom: 13,\n mapTypeId:window.google.maps.MapTypeId.ROADMAP\n });\n renderMarker();\n }\n\n // \u57fa\u7840\u6253\u70b9\u5e76\u521b\u5efa\u4e00\u4e2a\u70b9\u51fb\u6253\u5f00\u5f39\u7a97\n function renderMarker(){\n var marker2= new window.google.maps.Marker({labelContent: "\u8fd9\u662f\u7384\u6b66\u6e56", position:{lat:32.07226,lng: 118.79357},map:map});\n var iw3 = new window.google.maps.InfoWindow({\n content: "\u8fd9\u662f\u7384\u6b66\u6e56"\n });\n iw3.open(map, marker2);\n // \u4e3a\u6807\u8bb0\u70b9\u6dfb\u52a0\u70b9\u51fb\u6253\u5f00\u5f39\u7a97\u4e8b\u4ef6\n window.google.maps.event.addListener(marker2, "click", (e)=> { iw3.open(map, marker2); });\n }\n\n initMap();\n ',"\n // react\u4e2d\u4f7f\u7528\n import React from \"react\";\n import './App.css'\n \n let map ;\n \n // \u81ea\u5b9a\u4e49\u7a97\u53e3\u6807\u7b7e\u7c7b \n class Popup extends window.google.maps.OverlayView{\n constructor(position,content1){\n super();\n this.position = position;\n let content=document.createElement('div');\n content.innerHTML=\"<b>\"+content1+\"</b>\";\n \n content.classList.add('popup-bubble-content');\n \n var pixelOffset = document.createElement('div');\n pixelOffset.classList.add('popup-bubble-anchor');\n pixelOffset.appendChild(content);\n \n this.anchor = document.createElement('div');\n this.anchor.classList.add('popup-tip-anchor');\n this.anchor.appendChild(pixelOffset);\n this.stopEventPropagation();\n }\n \n // \u6302\u5728\u5230\u5730\u56fe\u65f6\u8c03\u7528\n onAdd(){\n this.getPanes().floatPane.appendChild(this.anchor);\n };\n \n // \u4ece\u5730\u56fe\u79fb\u9664\u65f6\u8c03\u7528\n onRemove(){\n if (this.anchor.parentElement) {\n this.anchor.parentElement.removeChild(this.anchor);\n }\n };\n \n // \u7ed8\u5236\u65b9\u6cd5\n draw(){\n var divPosition = this.getProjection().fromLatLngToDivPixel(this.position);\n // \u89c6\u56fe\u5916\u65f6\u81ea\u52a8\u9690\u85cf\n var display =\n Math.abs(divPosition.x) < 4000 && Math.abs(divPosition.y) < 4000 ?\n 'block' :\n 'none';\n \n if (display === 'block') {\n this.anchor.style.left = divPosition.x + 'px';\n this.anchor.style.top = divPosition.y + 'px';\n }\n if (this.anchor.style.display !== display) {\n this.anchor.style.display = display;\n }\n };\n \n // \u963b\u6b62\u4e8b\u4ef6\u4f20\u64ad\n stopEventPropagation(){\n var anchor = this.anchor;\n anchor.style.cursor = 'auto';\n \n ['click', 'dblclick', 'contextmenu', 'wheel', 'mousedown', 'touchstart',\n 'pointerdown']\n .forEach(function(event) {\n anchor.addEventListener(event, function(e) {\n e.stopPropagation();\n });\n });\n };\n \n }\n \n class App extends React.Component{\n constructor(props){\n super(props);\n this.state = {\n \n };\n }\n \n componentDidMount(){\n if(!map) this.__initMap();\n }\n\n componentWillUnmount(){\n map = null;\n }\n \n // \u521d\u59cb\u5316\u5730\u56fe\n __initMap(){\n \n // \u521d\u59cb\u5316\u5730\u56fe ,\u7531\u4e8e\u793a\u4f8b\u4e2d\u5730\u56fejs\u6587\u4ef6\u662f\u5168\u5c40\u5f15\u5165\u7684\uff0c\u6240\u4ee5googlemap\u7684api\u662f\u5728window\u4e0b\n map = new window.google.maps.Map(this.refs.map, {\n center: {lat: 32.07226, lng: 118.78173},\n zoom: 10,\n mapTypeId:window.google.maps.MapTypeId.ROADMAP\n });\n\n // \u521b\u5efa\u4e24\u4e2a\u81ea\u5b9a\u4e49\u5f39\u51fa\u7a97\u53e3\uff0c\u4f20\u5165\u5750\u6807\u4e0e\u5c55\u793a\u6587\u5b57\n new Popup(new window.google.maps.LatLng(32.01923,118.78972),\"\u57ce\u5e021\").setMap(map);\n new Popup(new window.google.maps.LatLng(32.05911,118.78173),\"\u57ce\u5e022\").setMap(map);\n }\n \n render(){\n return (\n <div>\n <div id='map' ref='map' style={{width: '100%',height:'540px'}}></div>\n </div>\n )\n }\n }\n \n export default App;\n ","\n // \u666e\u901a\u9875\u9762\u4e2d\u4f7f\u7528\n <style>\n .popup-tip-anchor {\n height: 0;\n position: absolute;\n /* The max width of the info window. */\n width: 200px;\n }\n \n .popup-bubble-anchor {\n position: absolute;\n width: 100%;\n bottom: /* TIP_HEIGHT= */ 8px;\n left: 0;\n }\n \n .popup-bubble-anchor::after {\n content: \"\";\n position: absolute;\n top: 0;\n left: 0;\n /* Center the tip horizontally. */\n transform: translate(-50%, 0);\n /* The tip is a https://css-tricks.com/snippets/css/css-triangle/ */\n width: 0;\n height: 0;\n /* The tip is 8px high, and 12px wide. */\n border-left: 6px solid transparent;\n border-right: 6px solid transparent;\n border-top: /* TIP_HEIGHT= */ 8px solid white;\n }\n \n .popup-bubble-content {\n position: absolute;\n top: 0;\n left: 0;\n transform: translate(-50%, -100%);\n /* Style the info window. */\n background-color: white;\n padding: 5px;\n border-radius: 5px;\n font-family: sans-serif;\n overflow-y: auto;\n max-height: 60px;\n box-shadow: 0px 2px 10px 1px rgba(0,0,0,0.5);\n }\n </style>\n\n var map;\n // \u521d\u59cb\u5316\u5730\u56fe\n function initMap() {\n definePopupClass();\n \n map = new google.maps.Map(document.getElementById('map'), {\n center: {lat: 32.07226, lng: 118.78173},\n zoom: 10,\n });\n \n new Popup(new google.maps.LatLng(32.01923,118.78972),\"\u57ce\u5e021\").setMap(map);\n new Popup(new google.maps.LatLng(32.05911,118.78173),\"\u57ce\u5e022\").setMap(map);\n \n }\n \n // \u5b9a\u4e49\u7a97\u53e3\u7c7b\n function definePopupClass() {\n /**\n * @param {!google.maps.LatLng} position\n * @param {!Element} content1\n * @constructor\n * @extends {google.maps.OverlayView}\n */\n Popup = function(position, content1) {\n this.position = position;\n let content=document.createElement('div');\n content.innerHTML=\"<b>\"+content1+\"</b>\";\n \n content.classList.add('popup-bubble-content');\n \n var pixelOffset = document.createElement('div');\n pixelOffset.classList.add('popup-bubble-anchor');\n pixelOffset.appendChild(content);\n \n this.anchor = document.createElement('div');\n this.anchor.classList.add('popup-tip-anchor');\n this.anchor.appendChild(pixelOffset);\n \n this.stopEventPropagation();\n };\n\n Popup.prototype = Object.create(google.maps.OverlayView.prototype);\n \n // \u6302\u8f7d\u65f6\u8c03\u7528\n Popup.prototype.onAdd = function() {\n this.getPanes().floatPane.appendChild(this.anchor);\n };\n \n // \u4ece\u5730\u56fe\u79fb\u9664\u65f6\u8c03\u7528\n Popup.prototype.onRemove = function() {\n if (this.anchor.parentElement) {\n this.anchor.parentElement.removeChild(this.anchor);\n }\n };\n \n // \u7ed8\u5236\u65b9\u6cd5\n Popup.prototype.draw = function() {\n var divPosition = this.getProjection().fromLatLngToDivPixel(this.position);\n // Hide the popup when it is far out of view.\n var display =\n Math.abs(divPosition.x) < 4000 && Math.abs(divPosition.y) < 4000 ?\n 'block' :\n 'none';\n \n if (display === 'block') {\n this.anchor.style.left = divPosition.x + 'px';\n this.anchor.style.top = divPosition.y + 'px';\n }\n if (this.anchor.style.display !== display) {\n this.anchor.style.display = display;\n }\n };\n \n // \u963b\u6b62\u4e8b\u4ef6\u4f20\u9012\n Popup.prototype.stopEventPropagation = function() {\n var anchor = this.anchor;\n anchor.style.cursor = 'auto';\n \n ['click', 'dblclick', 'contextmenu', 'wheel', 'mousedown', 'touchstart',\n 'pointerdown']\n .forEach(function(event) {\n anchor.addEventListener(event, function(e) {\n e.stopPropagation();\n });\n });\n };\n }\n \n initMap();\n "]},GoogleMapDrawing:{Code:['\n // react \u4e2d\u4f7f\u7528\n import React from "react";\n \n let map;\n class App extends React.Component{\n constructor(props){\n super(props);\n this.state = {\n };\n }\n \n componentDidMount(){\n if(!map) this.__initMap();\n }\n \n componentWillUnmount(){\n map = null;\n }\n \n // \u521d\u59cb\u5316\u5730\u56fe\n __initMap(){\n // \u521d\u59cb\u5316\u5730\u56fe ,\u7531\u4e8e\u793a\u4f8b\u4e2d\u5730\u56fejs\u6587\u4ef6\u662f\u5168\u5c40\u5f15\u5165\u7684\uff0c\u6240\u4ee5googlemap\u7684api\u662f\u5728window\u4e0b\n map = new window.google.maps.Map(this.refs.map, {\n center: { lat: 32.07226, lng: 118.79357 },\n zoom: 13,\n mapTypeId:window.google.maps.MapTypeId.ROADMAP\n });\n this.__renderMarker();\n this.__renderPolyline();\n }\n \n // \u7ed8\u5236\u6807\u8bb0\u70b9\n __renderMarker(){\n var marker= new window.google.maps.Marker({labelContent: "\u592b\u5b50\u5e99\u51fa\u53d1", position:{lat:32.01923,lng: 118.78972},map:map});\n var marker2= new window.google.maps.Marker({labelContent: "\u8001\u95e8\u4e1c\u7ed3\u675f", position:{lat:32.07226,lng: 118.79357},map:map});\n \n var iw2 = new window.google.maps.InfoWindow({\n content: "\u592b\u5b50\u5e99\u51fa\u53d1"\n });\n var iw3 = new window.google.maps.InfoWindow({\n content: "\u7384\u6b66\u6e56\u559d\u8336"\n });\n iw2.open(map, marker);\n iw3.open(map, marker2);\n // \u4e3a\u6807\u8bb0\u70b9\u6dfb\u52a0\u70b9\u51fb\u6253\u5f00\u5f39\u7a97\u4e8b\u4ef6\n window.google.maps.event.addListener(marker, "click", (e)=> { iw2.open(map, marker); });\n window.google.maps.event.addListener(marker2, "click", (e)=> { iw3.open(map, marker2); });\n }\n \n // \u7ed8\u5236\u6298\u7ebf\n __renderPolyline(){\n var locations = new Array(\n "32.01923,118.78972", "32.046154,118.84542",\n "32.0838,118.822","32.07226,118.79357",\n "32.044544,118.79761", "32.05911,118.78173",\n "32.012722,118.7876"\n );\n \n // \u7ebf\u6761\u8bbe\u7f6e\n var polyOptions = {\n strokeColor: \'#ff9900\', // \u989c\u8272\n strokeOpacity: 1.0, // \u900f\u660e\u5ea6\n strokeWeight: 8 // \u5bbd\u5ea6\n }\n var poly = new window.google.maps.Polyline(polyOptions);\n \n /* \u5faa\u73af\u6807\u51fa\u6240\u6709\u5750\u6807 */\n for (var i = 0; i < locations.length; i++) {\n var loc = locations[i].split(\',\');\n var path = poly.getPath(); //\u83b7\u53d6\u7ebf\u6761\u7684\u5750\u6807\n path.push(new window.google.maps.LatLng(loc[0], loc[1])); //\u4e3a\u7ebf\u6761\u6dfb\u52a0\u6807\u8bb0\u5750\u6807 \n }\n poly.setMap(map); // \u88c5\u8f7d\n }\n \n render(){\n return (\n <div>\n <div id=\'map\' ref=\'map\' style={{width: \'100%\',height:\'540px\'}}></div>\n </div>\n )\n }\n }\n \n export default App;\n ','\n // \u666e\u901a\u9875\u9762\u4e2d\u4f7f\u7528\n var map;\n\n // \u5730\u56fe\u7ed8\u5236\n function initialize(){\n changeSize();\n var mapProp = {\n center:new google.maps.LatLng(32.07226,118.79357), \n zoom:13,\n mapTypeId:google.maps.MapTypeId.ROADMAP\n };\n map=new google.maps.Map(document.getElementById("googleMap"), mapProp);\n\n var marker= new google.maps.Marker({labelContent: "\u592b\u5b50\u5e99\u51fa\u53d1", position:{lat:32.01923,lng: 118.78972},map:map});\n var marker2= new google.maps.Marker({labelContent: "\u8001\u95e8\u4e1c\u7ed3\u675f", position:{lat:32.07226,lng: 118.79357},map:map});\n \n var iw2 = new google.maps.InfoWindow({\n content: "\u592b\u5b50\u5e99\u51fa\u53d1"\n });\n var iw3 = new google.maps.InfoWindow({\n content: "\u7384\u6b66\u6e56\u559d\u8336"\n });\n iw2.open(map, marker);\n iw3.open(map, marker2);\n google.maps.event.addListener(marker, "click", function (e) { iw2.open(map, this); });\n\n //http://maps.google.cn/maps/api/geocode/json?address=\u5357\u4eac \u5f97\u5230\u5750\u6807\n var locations = new Array(\n "32.01923,118.78972", "32.046154,118.84542",\n "32.0838,118.822","32.07226,118.79357",\n "32.044544,118.79761", "32.05911,118.78173",\n "32.012722,118.7876");\n \n // \u7ebf\u6761\u8bbe\u7f6e\n var polyOptions = {\n strokeColor: \'#ff9900\', // \u989c\u8272\n strokeOpacity: 1.0, // \u900f\u660e\u5ea6\n strokeWeight: 8 // \u5bbd\u5ea6\n }\n poly = new google.maps.Polyline(polyOptions);\n\n /* \u5faa\u73af\u6807\u51fa\u6240\u6709\u5750\u6807 */\n for (var i = 0; i < locations.length; i++) {\n var loc = locations[i].split(\',\');\n var path = poly.getPath(); //\u83b7\u53d6\u7ebf\u6761\u7684\u5750\u6807\n path.push(new google.maps.LatLng(loc[0], loc[1])); //\u4e3a\u7ebf\u6761\u6dfb\u52a0\u6807\u8bb0\u5750\u6807 \n }\n poly.setMap(map); // \u88c5\u8f7d\n \n }\n //\u52a0\u8f7d\u5730\u56fe\n google.maps.event.addDomListener(window, \'load\', initialize);\n function changeSize() { \n var showMap = document.getElementById("googleMap"); \n showMap.style.width = (document.documentElement.clientWidth-20) + "px"; \n showMap.style.height = (document.documentElement.clientHeight-20) + "px"; \n }\n window.onresize = changeSize;\n ','\n /**\n * \u4f7f\u7528\u8c37\u6b4c\u5730\u56fe\u524d\u9700\u8981\u5728\u5f15\u5165\u5730\u56fe\u7684jssdk\n * <script type="text/javascript" src="http://ditu.google.cn/maps/api/js?v=3&sensor=false&key=\u4f60\u7684\u8c37\u6b4c\u5730\u56feAPI_KEY&hl=zh-CN"><\/script>\n */\n // react \u4e2d\u4f7f\u7528\n import React from "react";\n import \'./App.css\'\n \n let map ;\n class App extends React.Component{\n constructor(props){\n super(props);\n this.state = {\n \n };\n }\n\n componentDidMount(){\n if(!map) this.__initMap();\n }\n\n componentWillUnmount(){\n map = null;\n }\n\n __initMap(){\n // \u521d\u59cb\u5316\u5730\u56fe \u5730\u56fe\u4e2d\u5fc3\u70b9\u5750\u6807\u4e0e\u6bd4\u4f8b\u5c3a\u5927\u5c0f\u5fc5\u586b\n map = new window.google.maps.Map(this.refs.map, {\n center: { lat: 32.07226, lng: 118.79357 }, //\u4ee5\u5357\u4eac\u7684\u5750\u6807\u4e3a\u6f14\u793a\n zoom: 13,\n mapTypeId:window.google.maps.MapTypeId.ROADMAP\n });\n this.__drawMarkerAndLine();\n }\n\n // \u7ed8\u5236\u5750\u6807\u70b9\u5e76\u8fde\u7ebf\n __drawMarkerAndLine(){\n var marker= new window.google.maps.Marker({labelContent: "\u592b\u5b50\u5e99\u51fa\u53d1", position:{lat:32.01923,lng: 118.78972},map:map});\n var marker2= new window.google.maps.Marker({labelContent: "\u8001\u95e8\u4e1c\u7ed3\u675f", position:{lat:32.07226,lng: 118.79357},map:map});\n \n var iw2 = new window.google.maps.InfoWindow({\n content: "\u592b\u5b50\u5e99\u51fa\u53d1"\n });\n var iw3 = new window.google.maps.InfoWindow({\n content: "\u7384\u6b66\u6e56\u559d\u8336"\n });\n iw2.open(map, marker);\n iw3.open(map, marker2);\n // \u4e3a\u6807\u8bb0\u70b9\u6dfb\u52a0\u70b9\u51fb\u6253\u5f00\u5f39\u7a97\u4e8b\u4ef6\n window.google.maps.event.addListener(marker, "click", (e)=> { iw2.open(map, marker); });\n window.google.maps.event.addListener(marker2, "click", (e)=> { iw3.open(map, marker2); });\n \n // \u7ebf\u6761\u8bbe\u7f6e\n var patharr = [];\n patharr.push(marker.getPosition());\n patharr.push(marker2.getPosition());\n var polyOptions = {\n path:patharr,\n strokeColor: \'#ff9900\', // \u989c\u8272\n strokeOpacity: 1.0, // \u900f\u660e\u5ea6\n strokeWeight: 8 // \u5bbd\u5ea6\n }\n var poly = new window.google.maps.Polyline(polyOptions);\n poly.setMap(map); // \u88c5\u8f7d\n }\n\n render(){\n return (\n <div>\n <div id=\'map\' ref=\'map\' style={{width: \'100%\',height:\'540px\'}}></div>\n </div>\n )\n }\n }\n\n export default App;\n ','\n // \u666e\u901a\u9875\u9762\u4e2d\u4f7f\u7528\n // \u521d\u59cb\u5316\u5730\u56fe \u5730\u56fe\u4e2d\u5fc3\u70b9\u5750\u6807\u4e0e\u6bd4\u4f8b\u5c3a\u5927\u5c0f\u5fc5\u586b\n var map;\n function initMap() {\n map = new window.google.maps.Map(document.getElementById(\'map\'), {\n center: { lat: 32.07226, lng: 118.79357 }, //\u4ee5\u5357\u4eac\u7684\u5750\u6807\u4e3a\u6f14\u793a\n zoom: 13,\n mapTypeId:window.google.maps.MapTypeId.ROADMAP\n });\n renderMarker();\n }\n\n // \u7ed8\u5236\u5750\u6807\u70b9\u5e76\u8fde\u7ebf\n function drawMarkerAndLine(){\n var marker= new window.google.maps.Marker({labelContent: "\u592b\u5b50\u5e99\u51fa\u53d1", position:{lat:32.01923,lng: 118.78972},map:map});\n var marker2= new window.google.maps.Marker({labelContent: "\u8001\u95e8\u4e1c\u7ed3\u675f", position:{lat:32.07226,lng: 118.79357},map:map});\n \n var iw2 = new window.google.maps.InfoWindow({\n content: "\u592b\u5b50\u5e99\u51fa\u53d1"\n });\n var iw3 = new window.google.maps.InfoWindow({\n content: "\u7384\u6b66\u6e56\u559d\u8336"\n });\n iw2.open(map, marker);\n iw3.open(map, marker2);\n // \u4e3a\u6807\u8bb0\u70b9\u6dfb\u52a0\u70b9\u51fb\u6253\u5f00\u5f39\u7a97\u4e8b\u4ef6\n window.google.maps.event.addListener(marker, "click", (e)=> { iw2.open(map, marker); });\n window.google.maps.event.addListener(marker2, "click", (e)=> { iw3.open(map, marker2); });\n \n // \u7ebf\u6761\u8bbe\u7f6e\n var patharr = [];\n patharr.push(marker.getPosition());\n patharr.push(marker2.getPosition());\n var polyOptions = {\n path:patharr,\n strokeColor: \'#ff9900\', // \u989c\u8272\n strokeOpacity: 1.0, // \u900f\u660e\u5ea6\n strokeWeight: 8 // \u5bbd\u5ea6\n }\n var poly = new window.google.maps.Polyline(polyOptions);\n poly.setMap(map); // \u88c5\u8f7d\n }\n initMap();\n \n ']},GoogleMapRoute:{Code:["\n // react \u4e2d\u4f7f\u7528 \u8c03\u7528jssdk\u67e5\u8be2\u7ebf\u8def\u670d\u52a1\n import React from \"react\";\n import './App.css'\n \n let map,directionsDisplay,directionsService ;\n \n class App extends React.Component{\n constructor(props){\n super(props);\n this.state = {};\n }\n \n componentDidMount(){\n if(!map) this.__initMap();\n }\n \n componentWillUnmount(){\n map = null;\n }\n \n // \u521d\u59cb\u5316\u5730\u56fe\n __initMap(){\n // \u521d\u59cb\u5316\u5730\u56fe ,\u7531\u4e8e\u793a\u4f8b\u4e2d\u5730\u56fejs\u6587\u4ef6\u662f\u5168\u5c40\u5f15\u5165\u7684\uff0c\u6240\u4ee5googlemap\u7684api\u662f\u5728window\u4e0b\n map = new window.google.maps.Map(this.refs.map, {\n center: {lat: 32.01923, lng: 118.78972}, //\u521d\u59cb\u8bbe\u7f6e\u5357\u4eac\u4e3a\u5730\u56fe\u4e2d\u5fc3\n zoom: 14,\n mapTypeId:window.google.maps.MapTypeId.ROADMAP\n });\n \n // \u521d\u59cb\u5316\u67e5\u8be2\u670d\u52a1\n directionsDisplay = new window.google.maps.DirectionsRenderer;\n directionsService = new window.google.maps.DirectionsService;\n directionsDisplay.setMap(map);\n \n // \u7b2c\u4e00\u6b21\u8fdb\u5165\u67e5\u8be2\u8def\u7ebf\n this.__calculateAndDisplayRoute(directionsService, directionsDisplay);\n }\n \n // \u8ba1\u7b97\u8def\u7ebf\u5e76\u5c06\u7ed3\u679c\u7ed8\u5236\u5728\u5730\u56fe\u4e0a\n __calculateAndDisplayRoute(directionsService, directionsDisplay) {\n var selectedMode = this.refs.mode.value;\n // \u6b64\u5904 origin\u548cdestination\u4e3a\u67e5\u8be2\u7684\u8d77\u70b9\u4e0e\u7ec8\u70b9\n directionsService.route({\n origin: {lat: 32.01923, lng: 118.78972}, // \u592b\u5b50\u5e99.\n destination: {lat: 32.046154, lng: 118.84542}, // \u7f8e\u9f84\u5bab\n travelMode: window.google.maps.TravelMode[selectedMode]\n }, function(response, status) {\n //console.log(response,status)\n if (status == 'OK') {\n directionsDisplay.setDirections(response);\n } else {\n window.alert('Directions request failed due to ' + status);\n }\n });\n }\n \n // \u5207\u6362\u4ea4\u901a\u65b9\u5f0f\n onSelectChange(){\n this.__calculateAndDisplayRoute(directionsService, directionsDisplay);\n }\n \n render(){\n return (\n <div>\n <div id=\"floating-panel\">\n <b>\u592b\u5b50\u5e99\u5230\u7f8e\u9f84\u5bab: </b>\n <select id=\"mode\" ref='mode' onChange={this.onSelectChange.bind(this)}>\n <option value=\"DRIVING\">\u5f00\u8f66</option>\n <option value=\"WALKING\">\u8d70\u8def</option>\n <option value=\"BICYCLING\">\u9a91\u8f66</option>\n <option value=\"TRANSIT\">\u5730\u94c1\u516c\u4ea4</option>\n </select>\n </div>\n <div id='map' ref='map' style={{width: '100%',height:'540px'}}></div>\n </div>\n )\n }\n }\n \n export default App;\n ","\n // \u666e\u901a\u9875\u9762\u4e2d\u4f7f\u7528\n\n // \u521d\u59cb\u5316\u5730\u56fe\n function initMap() {\n var directionsDisplay = new google.maps.DirectionsRenderer;\n var directionsService = new google.maps.DirectionsService;\n var map = new google.maps.Map(document.getElementById('map'), {\n zoom: 14,\n center: {lat: 32.01923, lng: 118.78972}\n });\n directionsDisplay.setMap(map);\n\n calculateAndDisplayRoute(directionsService, directionsDisplay);\n document.getElementById('mode').addEventListener('change', function() {\n calculateAndDisplayRoute(directionsService, directionsDisplay);\n });\n }y\n\n // \u67e5\u8be2\u8def\u7ebf\u5e76\u5c06\u7ed3\u679c\u7ed8\u5236\u5230\u5730\u56fe\u4e0a\n function calculateAndDisplayRoute(directionsService, directionsDisplay,ajaxresponse) {\n var selectedMode = document.getElementById('mode').value;\n directionsService.route({\n origin: {lat: 32.01923, lng: 118.78972}, // \u592b\u5b50\u5e99.\n destination: {lat: 32.046154, lng: 118.84542}, // \u7f8e\u9f84\u5bab\n // Note that Javascript allows us to access the constant\n // using square brackets and a string value as its\n // \"property.\"\n travelMode: google.maps.TravelMode[selectedMode]\n }, function(response, status) {\n console.log(response)\n if (status == 'OK') {\n directionsDisplay.setDirections(response);\n } else {\n window.alert('Directions request failed due to ' + status);\n }\n });\n }\n\n initMap()\n ",'\n // react \u4e2d\u4f7f\u7528 \u540e\u53f0\u8c03\u7528\u8c37\u6b4c\u63a5\u53e3\u67e5\u8be2\u8def\u7ebf\uff0c\u524d\u7aef\u7684\u5230\u6570\u636e\u540e\u5b8c\u6210\u6e32\u67d3(\u8c37\u6b4c\u67e5\u8be2\u5230\u7684\u8def\u7ebf\u7ed3\u679c\u6709\u8f6c\u7801\uff0c\u6240\u4ee5\u9700\u89e3\u7801\u540e\u4f7f\u7528)\n /*\n *\u89e3\u7801\u8def\u5f84 \u4f7f\u7528\u8c37\u6b4c\u7684\u8f6c\u7801\u6a21\u5757\u5728\u5f15\u5165\u6587\u4ef6\u65f6\u9700\u8981\u5728\u5c3e\u90e8\u52a0\u4e0a&libraries=geometry\n *<script type="text/javascript" src="http://ditu.google.cn/maps/api/js?v=3&sensor=false&key=\u4f60\u7684\u8c37\u6b4c\u5730\u56feAPI_KEY&hl=zh-CN&libraries=geometry"><\/script>\n */\n import React from "react";\n import \'./App.css\'\n \n let map ;\n \n class App extends React.Component{\n constructor(props){\n super(props);\n this.state = {};\n }\n \n componentDidMount(){\n if(!map) this.__initMap();\n }\n \n componentWillUnmount(){\n map = null;\n }\n \n // \u521d\u59cb\u5316\u5730\u56fe\n __initMap(){\n // \u540e\u53f0\u8bf7\u6c42\u8c37\u6b4c\u63a5\u53e3\u5f97\u5230\u7c7b\u4f3c\u6570\u636e\u683c\u5f0f \u5176\u4e2dpoints\u4e3a\u6211\u4eec\u7ed8\u5236\u4f7f\u7528\u7684\u4e3b\u8981\u6570\u636e\n let backendData = {\n "success": true,\n "msg": "string",\n "errorCode": 0,\n "count": 0,\n "rows": [\n {\n "distance": "8.0 \u516c\u91cc",\n "duration": "49\u5206\u949f",\n "modeName": "transit",\n "summary": [\n {\n "type": "transit",\n "name": "\u516c\u4ea416\u8def"\n },\n {\n "type": "transit",\n "name": "\u5730\u94c1\u4e00\u53f7\u7ebf"\n },\n {\n "type": "transit",\n "name": "\u5730\u94c1\u56db\u53f7\u7ebf"\n },\n {\n "type": "walking",\n "name": "\u6b65\u884c"\n }\n ],\n "points": "avlbE{c`tUgC_EyBgEqBgEa@TkBxAaBnA}AnAgEtACq@a@Bk@bA_B\\oCXkCHaECwHOYC}H}AkS{EcE{@aKaCeWaG{A]YEaDAlBCLwC?uH~Ccp@TyIdDwpAN_GkEgdAOeM?yDa@[jAEC_AUmBqBgBcDuCm@i@gTqRcDwCc@u@Sg@QaAC]Bw@`@qCDeAIeBKa@Ui@eAaBrA}@\\\\B",\n "walkLength": 0,\n "selectFlag": true\n }\n ]\n }\n map = new window.google.maps.Map(this.refs.map, {\n center: {lat: 32.01923, lng: 118.78972},\n zoom: 14,\n mapTypeId:window.google.maps.MapTypeId.ROADMAP\n });\n \n this.__renderBackendRoute(map,backendData.rows[0]);\n }\n \n \n /**\n * @name: \u63a5\u6536\u540e\u7aef\u8c03\u7528\u8c37\u6b4c\u63a5\u53e3\u67e5\u8be2\u7684\u8def\u7ebf\u6570\u636e\u5728\u5730\u56fe\u4e0a\u6e32\u67d3\u8def\u7ebf\n * @test: \n * @msg: \n * @param {type} map \uff1a\u5730\u56fe\u5bf9\u8c61\uff0cdata :\u67e5\u8be2\u5230\u7684rows\u4e0b\u9762\u7684\u8def\u7ebf\u5bf9\u8c61\n * @return: \n */\n __renderBackendRoute(map,data){\n const decodeFn=window.google.maps.geometry.encoding.decodePath;\n // \u89e3\u7801\u8def\u5f84\u83b7\u5f97\u8def\u7ebf\u70b9\u4f4d\u96c6\u5408\n let routeArr = decodeFn(data.points);\n let arrLength = routeArr.length;\n let startLatLng = routeArr[0];\n let endLatLng = routeArr[arrLength-1];\n // \u7ed8\u5236\u8def\u5f84\u53ca\u8d77\u59cb\u70b9\n let flightPath = new window.google.maps.Polyline({\n path: routeArr,\n geodesic: true,\n strokeColor: \'#00B3FD\',\n strokeOpacity: .8,\n strokeWeight: 8\n });\n flightPath.setMap(map);\n new window.google.maps.Marker({\n position: startLatLng,\n animation: window.google.maps.Animation.DROP,\n map: map,\n label:"\u8d77\u70b9"\n });\n new window.google.maps.Marker({\n position: endLatLng,\n animation: window.google.maps.Animation.DROP,\n map: map,\n label:"\u7ec8\u70b9"\n })\n // \u8c03\u6574\u89c6\u56fe\u83b7\u5f97\u6700\u4f73\u89c6\u91ce\n let bounds = new window.google.maps.LatLngBounds();\n for(let i=0,len=routeArr.length;i<len;i++){\n bounds.extend(routeArr[i]);\n }\n map.fitBounds(bounds);\n }\n \n render(){\n return (\n <div>\n <div id=\'map\' ref=\'map\' style={{width: \'100%\',height:\'540px\'}}></div>\n </div>\n )\n }\n }\n \n export default App;\n ','\n // \u666e\u901a\u9875\u9762\u4e2d\u4f7f\u7528\n var map = new window.google.maps.Map(document.getElementById(\'map\'), {\n center: {lat: 32.01923, lng: 118.78972}, //\u521d\u59cb\u4e2d\u5fc3\u70b9\u548c\u6bd4\u4f8b\u5c3a\u6309\u5b9e\u9645\u60c5\u51b5\u800c\u5b9a\n zoom: 14,\n mapTypeId:window.google.maps.MapTypeId.ROADMAP\n });\n // \u540e\u53f0\u8bf7\u6c42\u8c37\u6b4c\u63a5\u53e3\u5f97\u5230\u7c7b\u4f3c\u6570\u636e\u683c\u5f0f\n let backendData = {\n "success": true,\n "msg": "string",\n "errorCode": 0,\n "count": 0,\n "rows": [\n {\n "distance": "8.0 \u516c\u91cc",\n "duration": "49\u5206\u949f",\n "modeName": "transit",\n "summary": [\n {\n "type": "transit",\n "name": "\u516c\u4ea416\u8def"\n },\n {\n "type": "transit",\n "name": "\u5730\u94c1\u4e00\u53f7\u7ebf"\n },\n {\n "type": "transit",\n "name": "\u5730\u94c1\u56db\u53f7\u7ebf"\n },\n {\n "type": "walking",\n "name": "\u6b65\u884c"\n }\n ],\n "points": "avlbE{c`tUgC_EyBgEqBgEa@TkBxAaBnA}AnAgEtACq@a@Bk@bA_B\\oCXkCHaECwHOYC}H}AkS{EcE{@aKaCeWaG{A]YEaDAlBCLwC?uH~Ccp@TyIdDwpAN_GkEgdAOeM?yDa@[jAEC_AUmBqBgBcDuCm@i@gTqRcDwCc@u@Sg@QaAC]Bw@`@qCDeAIeBKa@Ui@eAaBrA}@\\\\B",\n "walkLength": 0,\n "selectFlag": true\n }\n ]\n }\n\n renderMapRoute(map,backendData.rows[0]);\n /**\n * @name: \u63a5\u6536\u540e\u7aef\u8c03\u7528\u8c37\u6b4c\u63a5\u53e3\u67e5\u8be2\u7684\u8def\u7ebf\u6570\u636e\u5728\u5730\u56fe\u4e0a\u6e32\u67d3\u8def\u7ebf\n * @test: \n * @msg: \n * @param {type} map \uff1a\u5730\u56fe\u5bf9\u8c61\uff0cdata :\u67e5\u8be2\u5230\u7684rows\u4e0b\u9762\u7684\u8def\u7ebf\u5bf9\u8c61\n * @return: \n */\n function renderMapRoute(map,data){\n /*\n *\u89e3\u7801\u8def\u5f84 \u4f7f\u7528\u8c37\u6b4c\u7684\u8f6c\u7801\u6a21\u5757\u5728\u5f15\u5165\u6587\u4ef6\u65f6\u9700\u8981\u5728\u5c3e\u90e8\u52a0\u4e0a&libraries=geometry\n *<script type="text/javascript" src="http://ditu.google.cn/maps/api/js?v=3&sensor=false&key=\u4f60\u7684\u8c37\u6b4c\u5730\u56feAPI_KEY&hl=zh-CN&libraries=geometry"><\/script>\n */\n const decodeFn=google.maps.geometry.encoding.decodePath; // google map\u89e3\u7801\u5de5\u5177\n let routeArr = decodeFn(data.points);\n let arrLength = routeArr.length;\n let startLatLng = routeArr[0]; // \u8d77\u70b9\n let endLatLng = routeArr[arrLength-1]; // \u7ec8\u70b9\n // \u8bbe\u7f6e\u6700\u4f73\u89c6\u89d2\n var bounds = new google.maps.LatLngBounds();\n for(let i=0,len=routeArr.length;i<len;i++){\n bounds.extend(routeArr[i]);\n }\n map.fitBounds(bounds);\n // \u7ed8\u5236\u8def\u7ebf\n var flightPath = new google.maps.Polyline({\n path: routeArr,\n geodesic: true,\n strokeColor: \'#00B3FD\',\n strokeOpacity: .8,\n strokeWeight: 8\n });\n flightPath.setMap(map);\n // \u7ed8\u5236\u8d77\u59cb\u70b9\n var startMarker = new google.maps.Marker({\n position: startLatLng,\n animation: google.maps.Animation.DROP,\n map: map,\n label:"\u8d77\u70b9",\n });\n var endMarker = new google.maps.Marker({\n position: endLatLng,\n animation: google.maps.Animation.DROP,\n map: map,\n label:"\u7ec8\u70b9"\n })\n }\n ']},GoogleMapPopup:{Code:["\n // react\u4e2d\u4f7f\u7528\n import React from \"react\";\n import './App.css'\n \n let map ;\n \n // \u81ea\u5b9a\u4e49\u7a97\u53e3\u7c7b\n class Popup extends window.google.maps.OverlayView{\n constructor(position,content1){\n super();\n this.position = position;\n let content=document.createElement('div');\n content.innerHTML=\"<b>\"+content1+\"</b>\";\n \n content.classList.add('popup-bubble-content');\n \n var pixelOffset = document.createElement('div');\n pixelOffset.classList.add('popup-bubble-anchor');\n pixelOffset.appendChild(content);\n \n this.anchor = document.createElement('div');\n this.anchor.classList.add('popup-tip-anchor');\n this.anchor.appendChild(pixelOffset);\n this.stopEventPropagation();\n }\n \n // \u6302\u5728\u5230\u5730\u56fe\u65f6\u8c03\u7528\n onAdd(){\n this.getPanes().floatPane.appendChild(this.anchor);\n };\n \n // \u4ece\u5730\u56fe\u79fb\u9664\u65f6\u8c03\u7528\n onRemove(){\n if (this.anchor.parentElement) {\n this.anchor.parentElement.removeChild(this.anchor);\n }\n };\n \n // \u7ed8\u5236\u65b9\u6cd5\n draw(){\n var divPosition = this.getProjection().fromLatLngToDivPixel(this.position);\n // \u89c6\u56fe\u5916\u65f6\u81ea\u52a8\u9690\u85cf\n var display =\n Math.abs(divPosition.x) < 4000 && Math.abs(divPosition.y) < 4000 ?\n 'block' :\n 'none';\n \n if (display === 'block') {\n this.anchor.style.left = divPosition.x + 'px';\n this.anchor.style.top = divPosition.y + 'px';\n }\n if (this.anchor.style.display !== display) {\n this.anchor.style.display = display;\n }\n };\n \n // \u963b\u6b62\u4e8b\u4ef6\u4f20\u9012\n stopEventPropagation(){\n var anchor = this.anchor;\n anchor.style.cursor = 'auto';\n \n ['click', 'dblclick', 'contextmenu', 'wheel', 'mousedown', 'touchstart',\n 'pointerdown']\n .forEach(function(event) {\n anchor.addEventListener(event, function(e) {\n e.stopPropagation();\n });\n });\n };\n \n }\n \n class App extends React.Component{\n constructor(props){\n super(props);\n this.state = {\n \n };\n }\n \n componentDidMount(){\n if(!map) this.__initMap();\n }\n\n componentWillUnmount(){\n map = null;\n }\n \n // \u521d\u59cb\u5316\u5730\u56fe\n __initMap(){\n \n // \u521d\u59cb\u5316\u5730\u56fe ,\u7531\u4e8e\u793a\u4f8b\u4e2d\u5730\u56fejs\u6587\u4ef6\u662f\u5168\u5c40\u5f15\u5165\u7684\uff0c\u6240\u4ee5googlemap\u7684api\u662f\u5728window\u4e0b\n map = new window.google.maps.Map(this.refs.map, {\n center: {lat: 32.07226, lng: 118.78173},\n zoom: 10,\n mapTypeId:window.google.maps.MapTypeId.ROADMAP\n });\n\n // \u521b\u5efa\u4e24\u4e2a\u81ea\u5b9a\u4e49\u5f39\u51fa\u7a97\u53e3\uff0c\u4f20\u5165\u5750\u6807\u4e0e\u5c55\u793a\u6587\u5b57\n new Popup(new window.google.maps.LatLng(32.01923,118.78972),\"\u57ce\u5e021\").setMap(map);\n new Popup(new window.google.maps.LatLng(32.05911,118.78173),\"\u57ce\u5e022\").setMap(map);\n }\n \n render(){\n return (\n <div>\n <div id='map' ref='map' style={{width: '100%',height:'540px'}}></div>\n </div>\n )\n }\n }\n \n export default App;\n ","\n // \u666e\u901a\u9875\u9762\u4e2d\u4f7f\u7528\n <style>\n .popup-tip-anchor {\n height: 0;\n position: absolute;\n /* The max width of the info window. */\n width: 200px;\n }\n \n .popup-bubble-anchor {\n position: absolute;\n width: 100%;\n bottom: /* TIP_HEIGHT= */ 8px;\n left: 0;\n }\n \n .popup-bubble-anchor::after {\n content: \"\";\n position: absolute;\n top: 0;\n left: 0;\n /* Center the tip horizontally. */\n transform: translate(-50%, 0);\n /* The tip is a https://css-tricks.com/snippets/css/css-triangle/ */\n width: 0;\n height: 0;\n /* The tip is 8px high, and 12px wide. */\n border-left: 6px solid transparent;\n border-right: 6px solid transparent;\n border-top: /* TIP_HEIGHT= */ 8px solid white;\n }\n \n .popup-bubble-content {\n position: absolute;\n top: 0;\n left: 0;\n transform: translate(-50%, -100%);\n /* Style the info window. */\n background-color: white;\n padding: 5px;\n border-radius: 5px;\n font-family: sans-serif;\n overflow-y: auto;\n max-height: 60px;\n box-shadow: 0px 2px 10px 1px rgba(0,0,0,0.5);\n }\n </style>\n\n // \u521d\u59cb\u5316\u5730\u56fe\n var map;\n function initMap() {\n definePopupClass();\n \n map = new google.maps.Map(document.getElementById('map'), {\n center: {lat: 32.07226, lng: 118.78173},\n zoom: 10,\n });\n \n // popup = new Popup(new google.maps.LatLng(32.01923,118.78972),\"\u6211\u8981\u663e\u793a\u7684\");\n // popup.setMap(map);\n \n \n new Popup(new google.maps.LatLng(32.01923,118.78972),\"\u57ce\u5e021\").setMap(map);\n new Popup(new google.maps.LatLng(32.05911,118.78173),\"\u57ce\u5e022\").setMap(map);\n \n }\n \n // \u5b9a\u4e49\u7a97\u53e3\u7c7b\n function definePopupClass() {\n /**\n * @param {!google.maps.LatLng} position\n * @param {!Element} content1\n * @constructor\n * @extends {google.maps.OverlayView}\n */\n Popup = function(position, content1) {\n this.position = position;\n let content=document.createElement('div');\n content.innerHTML=\"<b>\"+content1+\"</b>\";\n \n content.classList.add('popup-bubble-content');\n \n var pixelOffset = document.createElement('div');\n pixelOffset.classList.add('popup-bubble-anchor');\n pixelOffset.appendChild(content);\n \n this.anchor = document.createElement('div');\n this.anchor.classList.add('popup-tip-anchor');\n this.anchor.appendChild(pixelOffset);\n \n this.stopEventPropagation();\n };\n\n Popup.prototype = Object.create(google.maps.OverlayView.prototype);\n \n // \u6302\u8f7d\u65f6\u8c03\u7528\n Popup.prototype.onAdd = function() {\n this.getPanes().floatPane.appendChild(this.anchor);\n };\n \n // \u4ece\u5730\u56fe\u79fb\u9664\u65f6\u8c03\u7528\n Popup.prototype.onRemove = function() {\n if (this.anchor.parentElement) {\n this.anchor.parentElement.removeChild(this.anchor);\n }\n };\n \n // \u7ed8\u5236\u65b9\u6cd5\n Popup.prototype.draw = function() {\n var divPosition = this.getProjection().fromLatLngToDivPixel(this.position);\n // Hide the popup when it is far out of view.\n var display =\n Math.abs(divPosition.x) < 4000 && Math.abs(divPosition.y) < 4000 ?\n 'block' :\n 'none';\n \n if (display === 'block') {\n this.anchor.style.left = divPosition.x + 'px';\n this.anchor.style.top = divPosition.y + 'px';\n }\n if (this.anchor.style.display !== display) {\n this.anchor.style.display = display;\n }\n };\n \n Popup.prototype.stopEventPropagation = function() {\n var anchor = this.anchor;\n anchor.style.cursor = 'auto';\n \n ['click', 'dblclick', 'contextmenu', 'wheel', 'mousedown', 'touchstart',\n 'pointerdown']\n .forEach(function(event) {\n anchor.addEventListener(event, function(e) {\n e.stopPropagation();\n });\n });\n };\n }\n \n initMap();\n ","\n // react\u4e2d\u4f7f\u7528\n import React from \"react\";\n import './App.css'\n \n let map ;\n \n class App extends React.Component{\n constructor(props){\n super(props);\n this.state = {\n \n };\n }\n \n componentDidMount(){\n if(!map) this.__initMap();\n }\n\n componentWillUnmount(){\n map = null;\n }\n \n // \u521d\u59cb\u5316\u5730\u56fe\n __initMap(){\n var destination = {lat: 32.061051, lng: 118.852237}; //\u8bbe\u7f6e\u7684\u662f\u4e2d\u5c71\u9675\u5750\u6807\n map = new window.google.maps.Map(this.refs.map, {\n center: destination,\n zoom: 12,\n mapTypeId:window.google.maps.MapTypeId.ROADMAP\n });\n this.__renderMarkerAndInfoWindow(map,destination);\n }\n // \u7ed8\u5236\u6807\u8bb0\u70b9\u548c\u81ea\u5b9a\u4e49\u7a97\u53e3\n __renderMarkerAndInfoWindow(map,position){\n var contentString = '<div id=\"content\">'+\n '<div id=\"siteNotice\">'+\n '</div>'+\n '<h1 id=\"firstHeading\" class=\"firstHeading\">\u4e2d\u5c71\u9675\u56ed\u98ce\u666f\u533a</h1>'+\n '<div id=\"bodyContent\">'+\n '<p><b>\u4e2d\u5c71\u9675\u56ed\u98ce\u666f\u533a</b>, \u4e2d\u5c71\u9675\u4f4d\u4e8e\u5357\u4eac\u5e02\u7384\u6b66\u533a\u7d2b\u91d1\u5c71\u5357\u9e93\u949f\u5c71\u98ce\u666f\u533a\u5185\uff0c' +\n '\u662f\u4e2d\u56fd\u8fd1\u4ee3\u4f1f\u5927\u7684\u6c11\u4e3b\u9769\u547d\u5148\u884c\u8005\u5b59\u4e2d\u5c71\u5148\u751f\u7684\u9675\u5bdd\uff0c\u53ca\u5176\u9644\u5c5e\u7eaa\u5ff5\u5efa\u7b51\u7fa4\uff0c '+\n '\u9762\u79ef8\u4e07\u4f59\u5e73\u65b9\u7c73\u3002\u4e2d\u5c71\u9675\u81ea1926\u5e74\u6625\u52a8\u5de5\uff0c\u81f31929\u5e74\u590f\u5efa\u6210\uff0c1961\u5e74\u6210\u4e3a\u9996\u6279\u5168\u56fd\u91cd\u70b9\u6587\u7269\u4fdd\u62a4\u5355\u4f4d\uff0c '+\n '2006\u5e74\u5217\u4e3a\u9996\u6279\u56fd\u5bb6\u91cd\u70b9\u98ce\u666f\u540d\u80dc\u533a\u548c\u56fd\u5bb65A\u7ea7\u65c5\u6e38\u666f\u533a\uff0c2016\u5e74\u5165\u9009\u201c\u9996\u6279\u4e2d\u56fd20\u4e16\u7eaa\u5efa\u7b51\u9057\u4ea7\u201d\u540d\u5f55'+\n '\u4e2d\u5c71\u9675\u524d\u4e34\u5e73\u5ddd\uff0c\u80cc\u62e5\u9752\u5d82\uff0c\u4e1c\u6bd7\u7075\u8c37\u5bfa\uff0c\u897f\u90bb\u660e\u5b5d\u9675\uff0c\u6574\u4e2a\u5efa\u7b51\u7fa4\u4f9d\u5c71\u52bf\u800c\u5efa\uff0c\u7531\u5357\u5f80\u5317\u6cbf\u4e2d\u8f74\u7ebf\u9010\u6e10\u5347\u9ad8\uff0c'+\n '\u4e3b\u8981\u5efa\u7b51\u6709\u535a\u7231\u574a\u3001\u5893\u9053\u3001\u9675\u95e8\u3001\u77f3\u9636\u3001\u7891\u4ead\u3001\u796d\u5802\u548c\u5893\u5ba4\u7b49\uff0c\u6392\u5217\u5728\u4e00\u6761\u4e2d\u8f74\u7ebf\u4e0a\uff0c\u4f53\u73b0\u4e86\u4e2d\u56fd\u4f20\u7edf\u5efa\u7b51\u7684\u98ce\u683c\uff0c'+\n '\u4ece\u7a7a\u4e2d\u5f80\u4e0b\u770b\uff0c\u50cf\u4e00\u5ea7\u5e73\u5367\u5728\u7eff\u7ed2\u6bef\u4e0a\u7684\u201c\u81ea\u7531\u949f\u201d\u3002\u878d\u6c47\u4e2d\u56fd\u53e4\u4ee3\u4e0e\u897f\u65b9\u5efa\u7b51\u4e4b\u7cbe\u534e\uff0c\u5e84\u4e25\u7b80\u6734\uff0c\u522b\u521b\u65b0\u683c\u3002</p>'+\n '<p>\u666f\u533a\u8be6\u60c5: \u4e2d\u5c71\u9675, <a href=\"http://www.iShow.com/g8996/guide-0-0/\">'+\n 'http://www.iShow.com/g8996/guide-0-0/</a> '+\n '</p>'+\n '</div>'+\n '</div>';\n \n var marker = new window.google.maps.Marker({\n position: position,\n map: map,\n title: '\u4e2d\u5c71\u9675'\n });\n var infowindow = new window.google.maps.InfoWindow({\n content: contentString\n });\n \n infowindow.open(map, marker);\n marker.addListener('click', function() {\n infowindow.open(map, marker);\n });\n }\n \n render(){\n return (\n <div>\n <div id='map' ref='map' style={{width: '100%',height:'540px'}}></div>\n </div>\n )\n }\n }\n \n export default App;\n ","\n // \u666e\u901a\u9875\u9762\u4e2d\u4f7f\u7528\n var map;\n function initMap() {\n var destination = {lat: 32.061051, lng: 118.852237}; //\u8bbe\u7f6e\u7684\u662f\u4e2d\u5c71\u9675\u5750\u6807\n map = new window.google.maps.Map(document.getElementById('map'), {\n center: destination,\n zoom: 12,\n mapTypeId:window.google.maps.MapTypeId.ROADMAP\n });\n\n var contentString = '<div id=\"content\">'+\n '<div id=\"siteNotice\">'+\n '</div>'+\n '<h1 id=\"firstHeading\" class=\"firstHeading\">\u4e2d\u5c71\u9675\u56ed\u98ce\u666f\u533a</h1>'+\n '<div id=\"bodyContent\">'+\n '<p><b>\u4e2d\u5c71\u9675\u56ed\u98ce\u666f\u533a</b>, \u4e2d\u5c71\u9675\u4f4d\u4e8e\u5357\u4eac\u5e02\u7384\u6b66\u533a\u7d2b\u91d1\u5c71\u5357\u9e93\u949f\u5c71\u98ce\u666f\u533a\u5185\uff0c' +\n '\u662f\u4e2d\u56fd\u8fd1\u4ee3\u4f1f\u5927\u7684\u6c11\u4e3b\u9769\u547d\u5148\u884c\u8005\u5b59\u4e2d\u5c71\u5148\u751f\u7684\u9675\u5bdd\uff0c\u53ca\u5176\u9644\u5c5e\u7eaa\u5ff5\u5efa\u7b51\u7fa4\uff0c '+\n '\u9762\u79ef8\u4e07\u4f59\u5e73\u65b9\u7c73\u3002\u4e2d\u5c71\u9675\u81ea1926\u5e74\u6625\u52a8\u5de5\uff0c\u81f31929\u5e74\u590f\u5efa\u6210\uff0c1961\u5e74\u6210\u4e3a\u9996\u6279\u5168\u56fd\u91cd\u70b9\u6587\u7269\u4fdd\u62a4\u5355\u4f4d\uff0c '+\n '2006\u5e74\u5217\u4e3a\u9996\u6279\u56fd\u5bb6\u91cd\u70b9\u98ce\u666f\u540d\u80dc\u533a\u548c\u56fd\u5bb65A\u7ea7\u65c5\u6e38\u666f\u533a\uff0c2016\u5e74\u5165\u9009\u201c\u9996\u6279\u4e2d\u56fd20\u4e16\u7eaa\u5efa\u7b51\u9057\u4ea7\u201d\u540d\u5f55'+\n '\u4e2d\u5c71\u9675\u524d\u4e34\u5e73\u5ddd\uff0c\u80cc\u62e5\u9752\u5d82\uff0c\u4e1c\u6bd7\u7075\u8c37\u5bfa\uff0c\u897f\u90bb\u660e\u5b5d\u9675\uff0c\u6574\u4e2a\u5efa\u7b51\u7fa4\u4f9d\u5c71\u52bf\u800c\u5efa\uff0c\u7531\u5357\u5f80\u5317\u6cbf\u4e2d\u8f74\u7ebf\u9010\u6e10\u5347\u9ad8\uff0c'+\n '\u4e3b\u8981\u5efa\u7b51\u6709\u535a\u7231\u574a\u3001\u5893\u9053\u3001\u9675\u95e8\u3001\u77f3\u9636\u3001\u7891\u4ead\u3001\u796d\u5802\u548c\u5893\u5ba4\u7b49\uff0c\u6392\u5217\u5728\u4e00\u6761\u4e2d\u8f74\u7ebf\u4e0a\uff0c\u4f53\u73b0\u4e86\u4e2d\u56fd\u4f20\u7edf\u5efa\u7b51\u7684\u98ce\u683c\uff0c'+\n '\u4ece\u7a7a\u4e2d\u5f80\u4e0b\u770b\uff0c\u50cf\u4e00\u5ea7\u5e73\u5367\u5728\u7eff\u7ed2\u6bef\u4e0a\u7684\u201c\u81ea\u7531\u949f\u201d\u3002\u878d\u6c47\u4e2d\u56fd\u53e4\u4ee3\u4e0e\u897f\u65b9\u5efa\u7b51\u4e4b\u7cbe\u534e\uff0c\u5e84\u4e25\u7b80\u6734\uff0c\u522b\u521b\u65b0\u683c\u3002</p>'+\n '<p>\u666f\u533a\u8be6\u60c5: \u4e2d\u5c71\u9675, <a href=\"http://www.iShow.com/g8996/guide-0-0/\">'+\n 'http://www.iShow.com/g8996/guide-0-0/</a> '+\n '</p>'+\n '</div>'+\n '</div>';\n\n var marker = new google.maps.Marker({\n position: destination,\n map: map,\n title: '\u4e2d\u5c71\u9675'\n });\n var infowindow = new google.maps.InfoWindow({\n content: contentString\n });\n infowindow.open(map, marker);\n // \u6dfb\u52a0\u70b9\u51fb\u5f39\u7a97\u4e8b\u4ef6\n marker.addListener('click', function() {\n infowindow.open(map, marker);\n });\n }\n initMap();\n "]},GoogleMapH5:{Code:["\n\n\n import React from \"react\";\n import { Tabs } from \"../../ishow\";\n import './App.css'\n import ViewCode from './viewCode';\n\n let map;\n\n /**\n * @name: \u81ea\u5b9a\u4e49\u6807\u7b7e\u7684\u6784\u9020\u7c7b \u4f7f\u7528\u81ea\u5b9a\u4e49\u6807\u7b7e\u4ee3\u66ffinfowindow\u7684\u4f5c\u7528\n * @test: test for font\n * @msg: \n * @param {type} \n * @return: \n */\n class Popup extends window.google.maps.OverlayView{\n constructor(position,content1){ // \u5982\u53c2\u5750\u6807\u548c\u6570\u636e\u5bf9\u8c61\n super();\n this.position = position;\n // \u4f7f\u7528\u81ea\u5b9a\u4e49\u6a21\u677f\n let contentStr =`\n <div class=\"context-contain\" ref=\"popup\" style=\"display:block\">\n <img id=\"popupImg\" src=\"http://m.iShowcdn.com/fb2/t1/G1/M00/1F/D6/Cii9EVdol6SIMxT8AAh0VDJGjFEAAGpWwLtklYACHRs714_w80_h80_c0_t0.jpg\" class=\"context-img\" alt=\"\"></img>\n <div class=\"context-text\">\n <span id=\"popupName\">${content1}</span>\n <span class=\"subtext\" id=\"popupSubtext\">the subtext title for the english name of a poi</span>\n </div>\n <a id=\"navigation\" href=\"https://maps.google.cn/maps?saddr=&amp;daddr=40.07985, 116.60311&amp;dirflg=D\" class=\"context-link\">\u5bfc\u822a</a>\n </div>\n `\n // \u5c06\u6a21\u677f\u5b57\u7b26\u4e32\u8f6c\u6362\u4e3adom\n let objE = document.createElement(\"div\");\n \u3000\u3000 objE.innerHTML = contentStr;\n let popdom =objE.childNodes[1];\n this.anchor = popdom;\n \n this.stopEventPropagation();\n }\n\n // \u6302\u8f7d\u65f6\u6267\u884c\n onAdd(){\n this.getPanes().floatPane.appendChild(this.anchor);\n };\n \n // \u79fb\u9664\u65f6\u6267\u884c\n onRemove(){\n if (this.anchor.parentElement) {\n this.anchor.parentElement.removeChild(this.anchor);\n }\n };\n \n // \u81ea\u5b9a\u4e49\u6807\u7b7e\u7ed8\u5236\n draw(){\n let divPosition = this.getProjection().fromLatLngToDivPixel(this.position);\n // Hide the popup when it is far out of view.\n let display =\n Math.abs(divPosition.x) < 4000 && Math.abs(divPosition.y) < 4000 ?\n 'block' :\n 'none';\n \n if (display === 'block') {\n \n this.anchor.style.left = Number(divPosition.x -140) + 'px'; //140\u548c100\u662f\u81ea\u5b9a\u4e49\u6807\u7b7e\u7684\u504f\u79fb\u91cf \u663e\u793a\u6240\u6709\u662f\u504f\u79fb\u91cf\u4e3a20\n this.anchor.style.top = Number(divPosition.y-100) + 'px'; \n }\n if (this.anchor.style.display !== display) {\n this.anchor.style.display = display;\n }\n };\n \n // \u963b\u6b62\u4e8b\u4ef6\u5192\u6ce1\n stopEventPropagation(){\n let anchor = this.anchor;\n anchor.style.cursor = 'auto';\n \n ['click', 'dblclick', 'contextmenu', 'wheel', 'mousedown', 'touchstart',\n 'pointerdown']\n .forEach(function(event) {\n anchor.addEventListener(event, function(e) {\n e.stopPropagation();\n });\n });\n };\n\n }\n class App extends React.Component{\n constructor(props){\n super(props);\n this.state = {\n\n };\n }\n\n componentDidMount(){\n if(!map) this.__initMap();\n this.__renderMarker();\n }\n\n componentWillUnmount(){\n map = null;\n }\n\n // \u521d\u59cb\u5316\u5730\u56fe\n __initMap(){\n // \u521d\u59cb\u5316\u4e16\u754c\u5730\u56fe\n map = new window.google.maps.Map(this.refs.map, {\n center: { lat: 32.07226, lng: 118.79357 },\n zoom: 13,\n mapTypeId:window.google.maps.MapTypeId.ROADMAP,\n mapTypeControl: false,\n gestureHandling:'greedy', //H5\u4e2d\u5730\u56fe\u5f00\u542fgreedy\u6a21\u5f0f \u542f\u52a8\u5355\u6307\u62d6\u52a8\uff0c\u53cc\u6307\u7f29\u653e\u529f\u80fd\n });\n \n }\n // \u5730\u56fe\u6e32\u67d3\n __renderMarker(){\n let popupList=[];\n let markerList=[];\n // \u4f7f\u7528\u81ea\u5b9a\u4e49\u6807\u8bb0\u70b9\u6837\u5f0f\u56fe\u7247 \u5e76\u901a\u8fc7scaledSize\u8c03\u6574\u56fe\u7247\u5927\u5c0f\n let icon = {\n url:'./image/markericon.png',\n scaledSize:{\n width:32,\n height:52\n }\n };\n let marker= new window.google.maps.Marker({\n title: '\u4e2d\u5c71\u9675\u98ce\u666f\u533a',\n label: {text: '1', color:\"#2360E0\"},\n position: {lat: 32.061051, lng: 118.852237},\n map: map,\n icon:icon\n });\n markerList.push(marker);\n let marker2= new window.google.maps.Marker({\n title: '\u7384\u6b66\u6e56\u516c\u56ed',\n label: {text: '2', color:\"#2360E0\"},\n position: {lat:32.07226,lng: 118.79357},\n map: map,\n icon:icon\n });\n markerList.push(marker2);\n // \u4e3a\u6807\u8bb0\u70b9\u6dfb\u52a0\u70b9\u51fb\u4e8b\u4ef6\n markerList.forEach(function(marker,index){ \n let markerpopup;\n if(index === 0){\n markerpopup =new Popup(marker.getPosition(),marker.title);\n markerpopup.setMap(map);\n popupList.push(markerpopup);\n }\n marker.addListener('click', function() {\n if(popupList.length>0){\n popupList.forEach(function(popup){\n popup.setMap(null);\n })\n }\n if(!markerpopup){\n markerpopup =new Popup(marker.getPosition(),marker.title);\n markerpopup.setMap(map);\n popupList.push(markerpopup);\n }else{\n markerpopup.setMap(map);\n }\n // \u70b9\u51fb\u65f6\u81ea\u52a8\u5c45\u4e2d\n map.setCenter(marker.getPosition());\n }); \n }); \n // \u7ebf\u6761\u8bbe\u7f6e\n var patharr = [];\n patharr.push(marker.getPosition());\n patharr.push(marker2.getPosition());\n var polyOptions = {\n path:patharr,\n geodesic: true,\n strokeColor:\"#0080FF\", // \u989c\u8272\n strokeOpacity: 0.8, // \u900f\u660e\u5ea6 \n strokeWeight: 6 // \u5bbd\u5ea6\n }\n var poly = new window.google.maps.Polyline(polyOptions);\n poly.setMap(map); // \u88c5\u8f7d\n\n }\n\n\n render(){\n return (\n <div>\n <div ref='map' style={{width: '100%',height:'540px'}}></div>\n </div>\n )\n }\n }\n\n export default App;\n "]}}),p=t(213),c=t(223),u=t.n(c),d=function(){function n(n,e){for(var t=0;t<e.length;t++){var o=e[t];o.enumerable=o.enumerable||!1,o.configurable=!0,"value"in o&&(o.writable=!0),Object.defineProperty(n,o.key,o)}}return function(e,t,o){return t&&n(e.prototype,t),o&&n(e,o),e}}(),A=function(n){function e(){var n,t,r,a;o(this,e);for(var s=arguments.length,l=Array(s),p=0;p<s;p++)l[p]=arguments[p];return t=r=i(this,(n=e.__proto__||Object.getPrototypeOf(e)).call.apply(n,[this].concat(l))),r.updateCode=function(n){},r.copyCode=function(){},a=t,i(r,a)}return r(e,n),d(e,[{key:"render",value:function(){var n=this.props.name,e=this.props.code,t=l[n].Code&&l[n].Code.length?l[n].Code:"\u6ca1\u6709\u4ee3\u7801\u54e6~";return s.a.createElement("div",{className:"codeCollapse",style:{marginTop:20,marginBottom:20}},s.a.createElement(p.a,{value:"1"},s.a.createElement(p.a.Item,{title:"\u67e5\u770b\u4ee3\u7801",name:"1",style:{background:"#000",fontSize:"16"}},s.a.createElement(u.a,{className:"language-jsx"},t[e]))))}}]),e}(a.Component);e.a=A},223:function(n,e,t){"use strict";function o(n){return n&&n.__esModule?n:{default:n}}Object.defineProperty(e,"__esModule",{value:!0});var i=t(224);Object.defineProperty(e,"PrismCode",{enumerable:!0,get:function(){return o(i).default}}),Object.defineProperty(e,"default",{enumerable:!0,get:function(){return o(i).default}})},224:function(n,e,t){"use strict";function o(n,e){if(!(n instanceof e))throw new TypeError("Cannot call a class as a function")}function i(n,e){if(!n)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?n:e}function r(n,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);n.prototype=Object.create(e&&e.prototype,{constructor:{value:n,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(n,e):n.__proto__=e)}Object.defineProperty(e,"__esModule",{value:!0});var a=function(){function n(n,e){for(var t=0;t<e.length;t++){var o=e[t];o.enumerable=o.enumerable||!1,o.configurable=!0,"value"in o&&(o.writable=!0),Object.defineProperty(n,o.key,o)}}return function(e,t,o){return t&&n(e.prototype,t),o&&n(e,o),e}}(),s=t(0),l=function(n){return n&&n.__esModule?n:{default:n}}(s),p=t(1),c=function(n){function e(){var n,t,r,a;o(this,e);for(var s=arguments.length,l=Array(s),p=0;p<s;p++)l[p]=arguments[p];return t=r=i(this,(n=e.__proto__||Object.getPrototypeOf(e)).call.apply(n,[this].concat(l))),r._handleRefMount=function(n){r._domNode=n},a=t,i(r,a)}return r(e,n),a(e,[{key:"componentDidMount",value:function(){this._hightlight()}},{key:"componentDidUpdate",value:function(){this._hightlight()}},{key:"_hightlight",value:function(){Prism.highlightElement(this._domNode,this.props.async)}},{key:"render",value:function(){var n=this.props,e=n.className,t=n.component,o=n.children;return l.default.createElement(t,{ref:this._handleRefMount,className:e},o)}}]),e}(s.PureComponent);c.propTypes={async:p.PropTypes.bool,className:p.PropTypes.string,children:p.PropTypes.any,component:p.PropTypes.node},c.defaultProps={component:"code"},e.default=c},226:function(n,e,t){"use strict";function o(n,e){if(!(n instanceof e))throw new TypeError("Cannot call a class as a function")}function i(n,e){if(!n)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?n:e}function r(n,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);n.prototype=Object.create(e&&e.prototype,{constructor:{value:n,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(n,e):n.__proto__=e)}var a=t(0),s=t.n(a),l=t(1),p=t.n(l),c=t(50),u=t(227),d=(t.n(u),t(207)),A=(t.n(d),function(){function n(n,e){for(var t=0;t<e.length;t++){var o=e[t];o.enumerable=o.enumerable||!1,o.configurable=!0,"value"in o&&(o.writable=!0),Object.defineProperty(n,o.key,o)}}return function(e,t,o){return t&&n(e.prototype,t),o&&n(e,o),e}}()),h=function(n){function e(){return o(this,e),i(this,(e.__proto__||Object.getPrototypeOf(e)).apply(this,arguments))}return r(e,n),A(e,[{key:"onClick",value:function(n){this.props.onClick&&this.props.onClick(n)}},{key:"render",value:function(){return s.a.createElement("button",{style:this.style(),className:this.className("ishow-button",this.props.type&&"ishow-button--"+this.props.type,this.props.size&&"ishow-button--"+this.props.size,{"is-disabled":this.props.disabled,"is-loading":this.props.loading,"is-plain":this.props.plain}),disabled:this.props.disabled,type:this.props.nativeType,onClick:this.onClick.bind(this)},this.props.loading&&s.a.createElement("i",{className:"ishow-icon-loading"}),this.props.icon&&!this.props.loading&&s.a.createElement("i",{className:"ishow-icon-"+this.props.icon}),s.a.createElement("span",null,this.props.children))}}]),e}(c.b);e.a=h,h.propTypes={onClick:p.a.func,type:p.a.string,size:p.a.string,icon:p.a.string,nativeType:p.a.string,loading:p.a.bool,disabled:p.a.bool,plain:p.a.bool},h.defaultProps={type:"default",nativeType:"button",loading:!1,disabled:!1,plain:!1}},227:function(n,e,t){var o=t(243);"string"===typeof o&&(o=[[n.i,o,""]]);var i={hmr:!1};i.transform=void 0;t(193)(o,i);o.locals&&(n.exports=o.locals)},230:function(n,e,t){var o=t(240);"string"===typeof o&&(o=[[n.i,o,""]]);var i={hmr:!1};i.transform=void 0;t(193)(o,i);o.locals&&(n.exports=o.locals)},235:function(n,e,t){var o=t(194);e=n.exports=t(192)(!0),e.push([n.i,"@font-face{font-family:ishow-icons;src:url("+o(t(208))+') format("woff"),url('+o(t(209))+') format("truetype");font-weight:400;font-style:normal}[class*=" ishow-icon-"],[class^=ishow-icon-]{font-family:ishow-icons!important;speak:none;font-style:normal;font-weight:400;font-variant:normal;text-transform:none;line-height:1;vertical-align:baseline;display:inline-block;-webkit-font-smoothing:antialiased;-moz-osx-font-smoothing:grayscale}.ishow-icon-arrow-down:before{content:"\\E600"}.ishow-icon-arrow-left:before{content:"\\E601"}.ishow-icon-arrow-right:before{content:"\\E602"}.ishow-icon-arrow-up:before{content:"\\E603"}.ishow-icon-caret-bottom:before{content:"\\E604"}.ishow-icon-caret-left:before{content:"\\E605"}.ishow-icon-caret-right:before{content:"\\E606"}.ishow-icon-caret-top:before{content:"\\E607"}.ishow-icon-check:before{content:"\\E608"}.ishow-icon-circle-check:before{content:"\\E609"}.ishow-icon-circle-close:before{content:"\\E60A"}.ishow-icon-circle-cross:before{content:"\\E60B"}.ishow-icon-close:before{content:"\\E60C"}.ishow-icon-upload:before{content:"\\E60D"}.ishow-icon-d-arrow-left:before{content:"\\E60E"}.ishow-icon-d-arrow-right:before{content:"\\E60F"}.ishow-icon-d-caret:before{content:"\\E610"}.ishow-icon-date:before{content:"\\E611"}.ishow-icon-delete:before{content:"\\E612"}.ishow-icon-document:before{content:"\\E613"}.ishow-icon-edit:before{content:"\\E614"}.ishow-icon-information:before{content:"\\E615"}.ishow-icon-loading:before{content:"\\E616"}.ishow-icon-menu:before{content:"\\E617"}.ishow-icon-message:before{content:"\\E618"}.ishow-icon-minus:before{content:"\\E619"}.ishow-icon-more:before{content:"\\E61A"}.ishow-icon-picture:before{content:"\\E61B"}.ishow-icon-plus:before{content:"\\E61C"}.ishow-icon-search:before{content:"\\E61D"}.ishow-icon-setting:before{content:"\\E61E"}.ishow-icon-share:before{content:"\\E61F"}.ishow-icon-star-off:before{content:"\\E620"}.ishow-icon-star-on:before{content:"\\E621"}.ishow-icon-time:before{content:"\\E622"}.ishow-icon-warning:before{content:"\\E623"}.ishow-icon-delete2:before{content:"\\E624"}.ishow-icon-upload2:before{content:"\\E627"}.ishow-icon-view:before{content:"\\E626"}.ishow-icon-loading{-webkit-animation:rotating 1s linear infinite;animation:rotating 1s linear infinite}.ishow-icon--right{margin-left:5px}.ishow-icon--left{margin-right:5px}@-webkit-keyframes rotating{0%{-webkit-transform:rotate(0deg);transform:rotate(0deg)}to{-webkit-transform:rotate(1turn);transform:rotate(1turn)}}@keyframes rotating{0%{-webkit-transform:rotate(0deg);transform:rotate(0deg)}to{-webkit-transform:rotate(1turn);transform:rotate(1turn)}}',"",{version:3,sources:["E:/demo/demo/src/ishow/Common/css/Icon.css"],names:[],mappings:"AAAA,WACI,wBAA2B,AAC3B,kGACqD,AACrD,gBAAoB,AACpB,iBAAmB,CACtB,AAED,6CAEI,kCAAsC,AACtC,WAAY,AACZ,kBAAmB,AACnB,gBAAoB,AACpB,oBAAqB,AACrB,oBAAqB,AACrB,cAAe,AACf,wBAAyB,AACzB,qBAAsB,AAGtB,mCAAoC,AACpC,iCAAmC,CACtC,AAED,8BAAgC,eAAiB,CAAE,AACnD,8BAAgC,eAAiB,CAAE,AACnD,+BAAiC,eAAiB,CAAE,AACpD,4BAA8B,eAAiB,CAAE,AACjD,gCAAkC,eAAiB,CAAE,AACrD,8BAAgC,eAAiB,CAAE,AACnD,+BAAiC,eAAiB,CAAE,AACpD,6BAA+B,eAAiB,CAAE,AAClD,yBAA2B,eAAiB,CAAE,AAC9C,gCAAkC,eAAiB,CAAE,AACrD,gCAAkC,eAAiB,CAAE,AACrD,gCAAkC,eAAiB,CAAE,AACrD,yBAA2B,eAAiB,CAAE,AAC9C,0BAA4B,eAAiB,CAAE,AAC/C,gCAAkC,eAAiB,CAAE,AACrD,iCAAmC,eAAiB,CAAE,AACtD,2BAA6B,eAAiB,CAAE,AAChD,wBAA0B,eAAiB,CAAE,AAC7C,0BAA4B,eAAiB,CAAE,AAC/C,4BAA8B,eAAiB,CAAE,AACjD,wBAA0B,eAAiB,CAAE,AAC7C,+BAAiC,eAAiB,CAAE,AACpD,2BAA6B,eAAiB,CAAE,AAChD,wBAA0B,eAAiB,CAAE,AAC7C,2BAA6B,eAAiB,CAAE,AAChD,yBAA2B,eAAiB,CAAE,AAC9C,wBAA0B,eAAiB,CAAE,AAC7C,2BAA6B,eAAiB,CAAE,AAChD,wBAA0B,eAAiB,CAAE,AAC7C,0BAA4B,eAAiB,CAAE,AAC/C,2BAA6B,eAAiB,CAAE,AAChD,yBAA2B,eAAiB,CAAE,AAC9C,4BAA8B,eAAiB,CAAE,AACjD,2BAA6B,eAAiB,CAAE,AAChD,wBAA0B,eAAiB,CAAE,AAC7C,2BAA6B,eAAiB,CAAE,AAChD,2BAA6B,eAAiB,CAAE,AAChD,2BAA6B,eAAiB,CAAE,AAChD,wBAA0B,eAAiB,CAAE,AAE7C,oBACE,8CAA+C,AACvC,qCAAuC,CAChD,AAED,mBACE,eAAiB,CAClB,AACD,kBACE,gBAAkB,CACnB,AAED,4BACE,GACE,+BAAiC,AACzB,sBAAyB,CAClC,AACD,GACE,gCAAmC,AAC3B,uBAA2B,CACpC,CACF,AAED,oBACE,GACE,+BAAiC,AACzB,sBAAyB,CAClC,AACD,GACE,gCAAmC,AAC3B,uBAA2B,CACpC,CACF",file:"Icon.css",sourcesContent:['@font-face {\n font-family: \'ishow-icons\';\n src: url(\'../fonts/ishow-icons.woff\') format(\'woff\'), /* chrome, firefox */\n url(\'../fonts/ishow-icons.ttf\') format(\'truetype\'); /* chrome, firefox, opera, Safari, Android, iOS 4.2+*/\n font-weight: normal;\n font-style: normal;\n}\n\n[class^="ishow-icon-"], [class*=" ishow-icon-"] {\n /* use !important to prevent issues with browser extensions that change fonts */\n font-family: \'ishow-icons\' !important;\n speak: none;\n font-style: normal;\n font-weight: normal;\n font-variant: normal;\n text-transform: none;\n line-height: 1;\n vertical-align: baseline;\n display: inline-block;\n\n /* Better Font Rendering =========== */\n -webkit-font-smoothing: antialiased;\n -moz-osx-font-smoothing: grayscale;\n}\n\n.ishow-icon-arrow-down:before { content: "\\e600"; }\n.ishow-icon-arrow-left:before { content: "\\e601"; }\n.ishow-icon-arrow-right:before { content: "\\e602"; }\n.ishow-icon-arrow-up:before { content: "\\e603"; }\n.ishow-icon-caret-bottom:before { content: "\\e604"; }\n.ishow-icon-caret-left:before { content: "\\e605"; }\n.ishow-icon-caret-right:before { content: "\\e606"; }\n.ishow-icon-caret-top:before { content: "\\e607"; }\n.ishow-icon-check:before { content: "\\e608"; }\n.ishow-icon-circle-check:before { content: "\\e609"; }\n.ishow-icon-circle-close:before { content: "\\e60a"; }\n.ishow-icon-circle-cross:before { content: "\\e60b"; }\n.ishow-icon-close:before { content: "\\e60c"; }\n.ishow-icon-upload:before { content: "\\e60d"; }\n.ishow-icon-d-arrow-left:before { content: "\\e60e"; }\n.ishow-icon-d-arrow-right:before { content: "\\e60f"; }\n.ishow-icon-d-caret:before { content: "\\e610"; }\n.ishow-icon-date:before { content: "\\e611"; }\n.ishow-icon-delete:before { content: "\\e612"; }\n.ishow-icon-document:before { content: "\\e613"; }\n.ishow-icon-edit:before { content: "\\e614"; }\n.ishow-icon-information:before { content: "\\e615"; }\n.ishow-icon-loading:before { content: "\\e616"; }\n.ishow-icon-menu:before { content: "\\e617"; }\n.ishow-icon-message:before { content: "\\e618"; }\n.ishow-icon-minus:before { content: "\\e619"; }\n.ishow-icon-more:before { content: "\\e61a"; }\n.ishow-icon-picture:before { content: "\\e61b"; }\n.ishow-icon-plus:before { content: "\\e61c"; }\n.ishow-icon-search:before { content: "\\e61d"; }\n.ishow-icon-setting:before { content: "\\e61e"; }\n.ishow-icon-share:before { content: "\\e61f"; }\n.ishow-icon-star-off:before { content: "\\e620"; }\n.ishow-icon-star-on:before { content: "\\e621"; }\n.ishow-icon-time:before { content: "\\e622"; }\n.ishow-icon-warning:before { content: "\\e623"; }\n.ishow-icon-delete2:before { content: "\\e624"; }\n.ishow-icon-upload2:before { content: "\\e627"; }\n.ishow-icon-view:before { content: "\\e626"; }\n\n.ishow-icon-loading {\n -webkit-animation: rotating 1s linear infinite;\n animation: rotating 1s linear infinite;\n}\n\n.ishow-icon--right {\n margin-left: 5px;\n}\n.ishow-icon--left {\n margin-right: 5px;\n}\n\n@-webkit-keyframes rotating {\n 0% {\n -webkit-transform: rotateZ(0deg);\n transform: rotateZ(0deg);\n }\n 100% {\n -webkit-transform: rotateZ(360deg);\n transform: rotateZ(360deg);\n }\n}\n\n@keyframes rotating {\n 0% {\n -webkit-transform: rotateZ(0deg);\n transform: rotateZ(0deg);\n }\n 100% {\n -webkit-transform: rotateZ(360deg);\n transform: rotateZ(360deg);\n }\n}\n'],sourceRoot:""}])},237:function(n,e,t){(function(e){for(var o=t(238),i="undefined"===typeof window?e:window,r=["moz","webkit"],a="AnimationFrame",s=i["request"+a],l=i["cancel"+a]||i["cancelRequest"+a],p=0;!s&&p<r.length;p++)s=i[r[p]+"Request"+a],l=i[r[p]+"Cancel"+a]||i[r[p]+"CancelRequest"+a];if(!s||!l){var c=0,u=0,d=[];s=function(n){if(0===d.length){var e=o(),t=Math.max(0,1e3/60-(e-c));c=t+e,setTimeout(function(){var n=d.slice(0);d.length=0;for(var e=0;e<n.length;e++)if(!n[e].cancelled)try{n[e].callback(c)}catch(n){setTimeout(function(){throw n},0)}},Math.round(t))}return d.push({handle:++u,callback:n,cancelled:!1}),u},l=function(n){for(var e=0;e<d.length;e++)d[e].handle===n&&(d[e].cancelled=!0)}}n.exports=function(n){return s.call(i,n)},n.exports.cancel=function(){l.apply(i,arguments)},n.exports.polyfill=function(n){n||(n=i),n.requestAnimationFrame=s,n.cancelAnimationFrame=l}}).call(e,t(52))},238:function(n,e,t){(function(e){(function(){var t,o,i,r,a,s;"undefined"!==typeof performance&&null!==performance&&performance.now?n.exports=function(){return performance.now()}:"undefined"!==typeof e&&null!==e&&e.hrtime?(n.exports=function(){return(t()-a)/1e6},o=e.hrtime,t=function(){var n;return n=o(),1e9*n[0]+n[1]},r=t(),s=1e9*e.uptime(),a=r-s):Date.now?(n.exports=function(){return Date.now()-i},i=Date.now()):(n.exports=function(){return(new Date).getTime()-i},i=(new Date).getTime())}).call(this)}).call(e,t(239))},239:function(n,e){function t(){throw new Error("setTimeout has not been defined")}function o(){throw new Error("clearTimeout has not been defined")}function i(n){if(c===setTimeout)return setTimeout(n,0);if((c===t||!c)&&setTimeout)return c=setTimeout,setTimeout(n,0);try{return c(n,0)}catch(e){try{return c.call(null,n,0)}catch(e){return c.call(this,n,0)}}}function r(n){if(u===clearTimeout)return clearTimeout(n);if((u===o||!u)&&clearTimeout)return u=clearTimeout,clearTimeout(n);try{return u(n)}catch(e){try{return u.call(null,n)}catch(e){return u.call(this,n)}}}function a(){m&&A&&(m=!1,A.length?h=A.concat(h):f=-1,h.length&&s())}function s(){if(!m){var n=i(a);m=!0;for(var e=h.length;e;){for(A=h,h=[];++f<e;)A&&A[f].run();f=-1,e=h.length}A=null,m=!1,r(n)}}function l(n,e){this.fun=n,this.array=e}function p(){}var c,u,d=n.exports={};!function(){try{c="function"===typeof setTimeout?setTimeout:t}catch(n){c=t}try{u="function"===typeof clearTimeout?clearTimeout:o}catch(n){u=o}}();var A,h=[],m=!1,f=-1;d.nextTick=function(n){var e=new Array(arguments.length-1);if(arguments.length>1)for(var t=1;t<arguments.length;t++)e[t-1]=arguments[t];h.push(new l(n,e)),1!==h.length||m||i(s)},l.prototype.run=function(){this.fun.apply(null,this.array)},d.title="browser",d.browser=!0,d.env={},d.argv=[],d.version="",d.versions={},d.on=p,d.addListener=p,d.once=p,d.off=p,d.removeListener=p,d.removeAllListeners=p,d.emit=p,d.prependListener=p,d.prependOnceListener=p,d.listeners=function(n){return[]},d.binding=function(n){throw new Error("process.binding is not supported")},d.cwd=function(){return"/"},d.chdir=function(n){throw new Error("process.chdir is not supported")},d.umask=function(){return 0}},240:function(n,e,t){var o=t(194);e=n.exports=t(192)(!0),e.push([n.i,".fade-in-linear-enter-active,.fade-in-linear-leave-active,.ishow-fade-in-linear-enter-active,.ishow-fade-in-linear-leave-active{-webkit-transition:opacity .2s linear;-o-transition:opacity .2s linear;transition:opacity .2s linear}.fade-in-linear-enter,.fade-in-linear-leave,.fade-in-linear-leave-active,.ishow-fade-in-enter,.ishow-fade-in-leave-active,.ishow-fade-in-linear-enter,.ishow-fade-in-linear-leave,.ishow-fade-in-linear-leave-active{opacity:0}.ishow-fade-in-enter-active,.ishow-fade-in-leave-active,.ishow-zoom-in-center-enter-active,.ishow-zoom-in-center-leave-active{-webkit-transition:all .3s cubic-bezier(.55,0,.1,1);-o-transition:all .3s cubic-bezier(.55,0,.1,1);transition:all .3s cubic-bezier(.55,0,.1,1)}.ishow-zoom-in-bottom-enter-active,.ishow-zoom-in-bottom-leave-active,.ishow-zoom-in-left-enter-active,.ishow-zoom-in-left-leave-active,.ishow-zoom-in-top-enter-active,.ishow-zoom-in-top-leave-active{-webkit-transition:opacity .3s cubic-bezier(.23,1,.32,1) .1s,-webkit-transform .3s cubic-bezier(.23,1,.32,1) .1s;transition:opacity .3s cubic-bezier(.23,1,.32,1) .1s,-webkit-transform .3s cubic-bezier(.23,1,.32,1) .1s;-o-transition:transform .3s cubic-bezier(.23,1,.32,1) .1s,opacity .3s cubic-bezier(.23,1,.32,1) .1s;transition:transform .3s cubic-bezier(.23,1,.32,1) .1s,opacity .3s cubic-bezier(.23,1,.32,1) .1s;transition:transform .3s cubic-bezier(.23,1,.32,1) .1s,opacity .3s cubic-bezier(.23,1,.32,1) .1s,-webkit-transform .3s cubic-bezier(.23,1,.32,1) .1s}.ishow-zoom-in-center-enter,.ishow-zoom-in-center-leave-active{opacity:0;-ms-transform:scaleX(0);-webkit-transform:scaleX(0);transform:scaleX(0)}.ishow-zoom-in-top-enter-active,.ishow-zoom-in-top-leave-active{opacity:1;-ms-transform:scaleY(1);-webkit-transform:scaleY(1);transform:scaleY(1);-ms-transform-origin:center top;-webkit-transform-origin:center top;transform-origin:center top}.ishow-zoom-in-top-enter,.ishow-zoom-in-top-leave-active{opacity:0;-ms-transform:scaleY(0);-webkit-transform:scaleY(0);transform:scaleY(0)}.ishow-zoom-in-bottom-enter-active,.ishow-zoom-in-bottom-leave-active{opacity:1;-ms-transform:scaleY(1);-webkit-transform:scaleY(1);transform:scaleY(1);-ms-transform-origin:center bottom;-webkit-transform-origin:center bottom;transform-origin:center bottom}.ishow-zoom-in-bottom-enter,.ishow-zoom-in-bottom-leave-active{opacity:0;-ms-transform:scaleY(0);-webkit-transform:scaleY(0);transform:scaleY(0)}.ishow-zoom-in-left-enter-active,.ishow-zoom-in-left-leave-active{opacity:1;-ms-transform:scale(1);-webkit-transform:scale(1);transform:scale(1);-ms-transform-origin:top left;-webkit-transform-origin:top left;transform-origin:top left}.ishow-zoom-in-left-enter,.ishow-zoom-in-left-leave-active{opacity:0;-ms-transform:scale(.45);-webkit-transform:scale(.45);transform:scale(.45)}.collapse-transition{-webkit-transition:height .3s ease-in-out,padding-top .3s ease-in-out,padding-bottom .3s ease-in-out;-o-transition:.3s height ease-in-out,.3s padding-top ease-in-out,.3s padding-bottom ease-in-out;transition:height .3s ease-in-out,padding-top .3s ease-in-out,padding-bottom .3s ease-in-out}.horizontal-collapse-transition{-webkit-transition:width .3s ease-in-out,padding-left .3s ease-in-out,padding-right .3s ease-in-out;-o-transition:.3s width ease-in-out,.3s padding-left ease-in-out,.3s padding-right ease-in-out;transition:width .3s ease-in-out,padding-left .3s ease-in-out,padding-right .3s ease-in-out}.ishow-list-enter-active,.ishow-list-leave-active{-webkit-transition:all 1s;-o-transition:all 1s;transition:all 1s}.ishow-list-enter,.ishow-list-leave-active{opacity:0;-ms-transform:translateY(-30px);-webkit-transform:translateY(-30px);transform:translateY(-30px)}.ishow-opacity-transition{-webkit-transition:opacity .3s cubic-bezier(.55,0,.1,1);-o-transition:opacity .3s cubic-bezier(.55,0,.1,1);transition:opacity .3s cubic-bezier(.55,0,.1,1)}@font-face{font-family:element-icons;src:url("+o(t(208))+') format("woff"),url('+o(t(209))+') format("truetype");font-weight:400;font-style:normal}[class*=" ishow-icon-"],[class^=ishow-icon-]{font-family:element-icons!important;speak:none;font-style:normal;font-weight:400;font-variant:normal;text-transform:none;line-height:1;vertical-align:baseline;display:inline-block;-webkit-font-smoothing:antialiased;-moz-osx-font-smoothing:grayscale}.ishow-icon-arrow-down:before{content:"\\E600"}.ishow-icon-arrow-left:before{content:"\\E601"}.ishow-icon-arrow-right:before{content:"\\E602"}.ishow-icon-arrow-up:before{content:"\\E603"}.ishow-icon-caret-bottom:before{content:"\\E604"}.ishow-icon-caret-left:before{content:"\\E605"}.ishow-icon-caret-right:before{content:"\\E606"}.ishow-icon-caret-top:before{content:"\\E607"}.ishow-icon-check:before{content:"\\E608"}.ishow-icon-circle-check:before{content:"\\E609"}.ishow-icon-circle-close:before{content:"\\E60A"}.ishow-icon-circle-cross:before{content:"\\E60B"}.ishow-icon-close:before{content:"\\E60C"}.ishow-icon-upload:before{content:"\\E60D"}.ishow-icon-d-arrow-left:before{content:"\\E60E"}.ishow-icon-d-arrow-right:before{content:"\\E60F"}.ishow-icon-d-caret:before{content:"\\E610"}.ishow-icon-date:before{content:"\\E611"}.ishow-icon-delete:before{content:"\\E612"}.ishow-icon-document:before{content:"\\E613"}.ishow-icon-edit:before{content:"\\E614"}.ishow-icon-information:before{content:"\\E615"}.ishow-icon-loading:before{content:"\\E616"}.ishow-icon-menu:before{content:"\\E617"}.ishow-icon-message:before{content:"\\E618"}.ishow-icon-minus:before{content:"\\E619"}.ishow-icon-more:before{content:"\\E61A"}.ishow-icon-picture:before{content:"\\E61B"}.ishow-icon-plus:before{content:"\\E61C"}.ishow-icon-search:before{content:"\\E61D"}.ishow-icon-setting:before{content:"\\E61E"}.ishow-icon-share:before{content:"\\E61F"}.ishow-icon-star-off:before{content:"\\E620"}.ishow-icon-star-on:before{content:"\\E621"}.ishow-icon-time:before{content:"\\E622"}.ishow-icon-warning:before{content:"\\E623"}.ishow-icon-delete2:before{content:"\\E624"}.ishow-icon-upload2:before{content:"\\E627"}.ishow-icon-view:before{content:"\\E626"}.ishow-icon-loading{-webkit-animation:rotating 1s linear infinite;animation:rotating 1s linear infinite}.ishow-icon--right{margin-left:5px}.ishow-icon--left{margin-right:5px}@-webkit-keyframes rotating{0%{-webkit-transform:rotate(0);transform:rotate(0)}to{-webkit-transform:rotate(1turn);transform:rotate(1turn)}}@keyframes rotating{0%{-webkit-transform:rotate(0);transform:rotate(0)}to{-webkit-transform:rotate(1turn);transform:rotate(1turn)}}',"",{version:3,sources:["E:/demo/demo/src/ishow/Common/css/Base.css"],names:[],mappings:"AACA,gIAII,sCAAuC,AACvC,iCAAkC,AAClC,6BAA8B,CACjC,AAED,qNAQI,SAAU,CACb,AAED,8HAII,oDAAwD,AACxD,+CAAmD,AACnD,2CAA+C,CAClD,AAED,wMAMI,iHAAyH,AACzH,yGAAiH,AACjH,oGAA4G,AAC5G,iGAAyG,AACzG,oJAAgK,CACnK,AAED,+DAEI,UAAW,AACX,wBAAyB,AACzB,4BAA6B,AACrB,mBAAoB,CAC/B,AAED,gEAEI,UAAW,AACX,wBAAyB,AACzB,4BAA6B,AACrB,oBAAqB,AAC7B,gCAAiC,AACjC,oCAAqC,AAC7B,2BAA4B,CACvC,AAED,yDAEI,UAAW,AACX,wBAAyB,AACzB,4BAA6B,AACrB,mBAAoB,CAC/B,AAED,sEAEI,UAAW,AACX,wBAAyB,AACzB,4BAA6B,AACrB,oBAAqB,AAC7B,mCAAoC,AACpC,uCAAwC,AAChC,8BAA+B,CAC1C,AAED,+DAEI,UAAW,AACX,wBAAyB,AACzB,4BAA6B,AACrB,mBAAoB,CAC/B,AAED,kEAEI,UAAW,AACX,uBAA2B,AAC3B,2BAA+B,AACvB,mBAAuB,AAC/B,8BAA+B,AAC/B,kCAAmC,AAC3B,yBAA0B,CACrC,AAED,2DAEI,UAAW,AACX,yBAA+B,AAC/B,6BAAmC,AAC3B,oBAA0B,CACrC,AAED,qBACI,qGAAwG,AACxG,gGAAmG,AACnG,4FAA+F,CAClG,AAED,gCACI,oGAAuG,AACvG,+FAAkG,AAClG,2FAA8F,CACjG,AAED,kDAEI,0BAA2B,AAC3B,qBAAsB,AACtB,iBAAkB,CACrB,AAED,2CAEI,UAAW,AACX,gCAAiC,AACjC,oCAAqC,AAC7B,2BAA4B,CACvC,AAED,0BACI,wDAA4D,AAC5D,mDAAuD,AACvD,+CAAmD,CACtD,AAED,WACI,0BAA2B,AAC3B,kGAAqG,AACrG,gBAAiB,AACjB,iBAAkB,CACrB,AAED,6CAEI,oCAAsC,AACtC,WAAY,AACZ,kBAAmB,AACnB,gBAAiB,AACjB,oBAAqB,AACrB,oBAAqB,AACrB,cAAe,AACf,wBAAyB,AACzB,qBAAsB,AACtB,mCAAoC,AACpC,iCAAkC,CACrC,AAED,8BACI,eAAgB,CACnB,AAED,8BACI,eAAgB,CACnB,AAED,+BACI,eAAgB,CACnB,AAED,4BACI,eAAgB,CACnB,AAED,gCACI,eAAgB,CACnB,AAED,8BACI,eAAgB,CACnB,AAED,+BACI,eAAgB,CACnB,AAED,6BACI,eAAgB,CACnB,AAED,yBACI,eAAgB,CACnB,AAED,gCACI,eAAgB,CACnB,AAED,gCACI,eAAgB,CACnB,AAED,gCACI,eAAgB,CACnB,AAED,yBACI,eAAgB,CACnB,AAED,0BACI,eAAgB,CACnB,AAED,gCACI,eAAgB,CACnB,AAED,iCACI,eAAgB,CACnB,AAED,2BACI,eAAgB,CACnB,AAED,wBACI,eAAgB,CACnB,AAED,0BACI,eAAgB,CACnB,AAED,4BACI,eAAgB,CACnB,AAED,wBACI,eAAgB,CACnB,AAED,+BACI,eAAgB,CACnB,AAED,2BACI,eAAgB,CACnB,AAED,wBACI,eAAgB,CACnB,AAED,2BACI,eAAgB,CACnB,AAED,yBACI,eAAgB,CACnB,AAED,wBACI,eAAgB,CACnB,AAED,2BACI,eAAgB,CACnB,AAED,wBACI,eAAgB,CACnB,AAED,0BACI,eAAgB,CACnB,AAED,2BACI,eAAgB,CACnB,AAED,yBACI,eAAgB,CACnB,AAED,4BACI,eAAgB,CACnB,AAED,2BACI,eAAgB,CACnB,AAED,wBACI,eAAgB,CACnB,AAED,2BACI,eAAgB,CACnB,AAED,2BACI,eAAgB,CACnB,AAED,2BACI,eAAgB,CACnB,AAED,wBACI,eAAgB,CACnB,AAED,oBACI,8CAA+C,AACvC,qCAAsC,CACjD,AAED,mBACI,eAAgB,CACnB,AAED,kBACI,gBAAiB,CACpB,AAED,4BACI,GACI,4BAA8B,AACtB,mBAAqB,CAChC,AACD,GACI,gCAAmC,AAC3B,uBAA0B,CACrC,CACJ,AAED,oBACI,GACI,4BAA8B,AACtB,mBAAqB,CAChC,AACD,GACI,gCAAmC,AAC3B,uBAA0B,CACrC,CACJ",file:"Base.css",sourcesContent:['@charset "UTF-8";\r\n.ishow-fade-in-linear-enter-active,\r\n.ishow-fade-in-linear-leave-active,\r\n.fade-in-linear-enter-active,\r\n.fade-in-linear-leave-active {\r\n -webkit-transition: opacity .2s linear;\r\n -o-transition: opacity .2s linear;\r\n transition: opacity .2s linear\r\n}\r\n\r\n.ishow-fade-in-enter,\r\n.ishow-fade-in-leave-active,\r\n.ishow-fade-in-linear-enter,\r\n.ishow-fade-in-linear-leave,\r\n.ishow-fade-in-linear-leave-active,\r\n.fade-in-linear-enter,\r\n.fade-in-linear-leave,\r\n.fade-in-linear-leave-active {\r\n opacity: 0\r\n}\r\n\r\n.ishow-fade-in-enter-active,\r\n.ishow-fade-in-leave-active,\r\n.ishow-zoom-in-center-enter-active,\r\n.ishow-zoom-in-center-leave-active {\r\n -webkit-transition: all .3s cubic-bezier(.55, 0, .1, 1);\r\n -o-transition: all .3s cubic-bezier(.55, 0, .1, 1);\r\n transition: all .3s cubic-bezier(.55, 0, .1, 1)\r\n}\r\n\r\n.ishow-zoom-in-bottom-enter-active,\r\n.ishow-zoom-in-bottom-leave-active,\r\n.ishow-zoom-in-left-enter-active,\r\n.ishow-zoom-in-left-leave-active,\r\n.ishow-zoom-in-top-enter-active,\r\n.ishow-zoom-in-top-leave-active {\r\n -webkit-transition: opacity .3s cubic-bezier(.23, 1, .32, 1) .1s, -webkit-transform .3s cubic-bezier(.23, 1, .32, 1) .1s;\r\n transition: opacity .3s cubic-bezier(.23, 1, .32, 1) .1s, -webkit-transform .3s cubic-bezier(.23, 1, .32, 1) .1s;\r\n -o-transition: transform .3s cubic-bezier(.23, 1, .32, 1) .1s, opacity .3s cubic-bezier(.23, 1, .32, 1) .1s;\r\n transition: transform .3s cubic-bezier(.23, 1, .32, 1) .1s, opacity .3s cubic-bezier(.23, 1, .32, 1) .1s;\r\n transition: transform .3s cubic-bezier(.23, 1, .32, 1) .1s, opacity .3s cubic-bezier(.23, 1, .32, 1) .1s, -webkit-transform .3s cubic-bezier(.23, 1, .32, 1) .1s\r\n}\r\n\r\n.ishow-zoom-in-center-enter,\r\n.ishow-zoom-in-center-leave-active {\r\n opacity: 0;\r\n -ms-transform: scaleX(0);\r\n -webkit-transform: scaleX(0);\r\n transform: scaleX(0)\r\n}\r\n\r\n.ishow-zoom-in-top-enter-active,\r\n.ishow-zoom-in-top-leave-active {\r\n opacity: 1;\r\n -ms-transform: scaleY(1);\r\n -webkit-transform: scaleY(1);\r\n transform: scaleY(1);\r\n -ms-transform-origin: center top;\r\n -webkit-transform-origin: center top;\r\n transform-origin: center top\r\n}\r\n\r\n.ishow-zoom-in-top-enter,\r\n.ishow-zoom-in-top-leave-active {\r\n opacity: 0;\r\n -ms-transform: scaleY(0);\r\n -webkit-transform: scaleY(0);\r\n transform: scaleY(0)\r\n}\r\n\r\n.ishow-zoom-in-bottom-enter-active,\r\n.ishow-zoom-in-bottom-leave-active {\r\n opacity: 1;\r\n -ms-transform: scaleY(1);\r\n -webkit-transform: scaleY(1);\r\n transform: scaleY(1);\r\n -ms-transform-origin: center bottom;\r\n -webkit-transform-origin: center bottom;\r\n transform-origin: center bottom\r\n}\r\n\r\n.ishow-zoom-in-bottom-enter,\r\n.ishow-zoom-in-bottom-leave-active {\r\n opacity: 0;\r\n -ms-transform: scaleY(0);\r\n -webkit-transform: scaleY(0);\r\n transform: scaleY(0)\r\n}\r\n\r\n.ishow-zoom-in-left-enter-active,\r\n.ishow-zoom-in-left-leave-active {\r\n opacity: 1;\r\n -ms-transform: scale(1, 1);\r\n -webkit-transform: scale(1, 1);\r\n transform: scale(1, 1);\r\n -ms-transform-origin: top left;\r\n -webkit-transform-origin: top left;\r\n transform-origin: top left\r\n}\r\n\r\n.ishow-zoom-in-left-enter,\r\n.ishow-zoom-in-left-leave-active {\r\n opacity: 0;\r\n -ms-transform: scale(.45, .45);\r\n -webkit-transform: scale(.45, .45);\r\n transform: scale(.45, .45)\r\n}\r\n\r\n.collapse-transition {\r\n -webkit-transition: .3s height ease-in-out, .3s padding-top ease-in-out, .3s padding-bottom ease-in-out;\r\n -o-transition: .3s height ease-in-out, .3s padding-top ease-in-out, .3s padding-bottom ease-in-out;\r\n transition: .3s height ease-in-out, .3s padding-top ease-in-out, .3s padding-bottom ease-in-out\r\n}\r\n\r\n.horizontal-collapse-transition {\r\n -webkit-transition: .3s width ease-in-out, .3s padding-left ease-in-out, .3s padding-right ease-in-out;\r\n -o-transition: .3s width ease-in-out, .3s padding-left ease-in-out, .3s padding-right ease-in-out;\r\n transition: .3s width ease-in-out, .3s padding-left ease-in-out, .3s padding-right ease-in-out\r\n}\r\n\r\n.ishow-list-enter-active,\r\n.ishow-list-leave-active {\r\n -webkit-transition: all 1s;\r\n -o-transition: all 1s;\r\n transition: all 1s\r\n}\r\n\r\n.ishow-list-enter,\r\n.ishow-list-leave-active {\r\n opacity: 0;\r\n -ms-transform: translateY(-30px);\r\n -webkit-transform: translateY(-30px);\r\n transform: translateY(-30px)\r\n}\r\n\r\n.ishow-opacity-transition {\r\n -webkit-transition: opacity .3s cubic-bezier(.55, 0, .1, 1);\r\n -o-transition: opacity .3s cubic-bezier(.55, 0, .1, 1);\r\n transition: opacity .3s cubic-bezier(.55, 0, .1, 1)\r\n}\r\n\r\n@font-face {\r\n font-family: element-icons;\r\n src: url(../fonts/ishow-icons.woff) format(\'woff\'), url(../fonts/ishow-icons.ttf) format(\'truetype\');\r\n font-weight: 400;\r\n font-style: normal\r\n}\r\n\r\n[class*=" ishow-icon-"],\r\n[class^=ishow-icon-] {\r\n font-family: element-icons !important;\r\n speak: none;\r\n font-style: normal;\r\n font-weight: 400;\r\n font-variant: normal;\r\n text-transform: none;\r\n line-height: 1;\r\n vertical-align: baseline;\r\n display: inline-block;\r\n -webkit-font-smoothing: antialiased;\r\n -moz-osx-font-smoothing: grayscale\r\n}\r\n\r\n.ishow-icon-arrow-down:before {\r\n content: "\\e600"\r\n}\r\n\r\n.ishow-icon-arrow-left:before {\r\n content: "\\e601"\r\n}\r\n\r\n.ishow-icon-arrow-right:before {\r\n content: "\\e602"\r\n}\r\n\r\n.ishow-icon-arrow-up:before {\r\n content: "\\e603"\r\n}\r\n\r\n.ishow-icon-caret-bottom:before {\r\n content: "\\e604"\r\n}\r\n\r\n.ishow-icon-caret-left:before {\r\n content: "\\e605"\r\n}\r\n\r\n.ishow-icon-caret-right:before {\r\n content: "\\e606"\r\n}\r\n\r\n.ishow-icon-caret-top:before {\r\n content: "\\e607"\r\n}\r\n\r\n.ishow-icon-check:before {\r\n content: "\\e608"\r\n}\r\n\r\n.ishow-icon-circle-check:before {\r\n content: "\\e609"\r\n}\r\n\r\n.ishow-icon-circle-close:before {\r\n content: "\\e60a"\r\n}\r\n\r\n.ishow-icon-circle-cross:before {\r\n content: "\\e60b"\r\n}\r\n\r\n.ishow-icon-close:before {\r\n content: "\\e60c"\r\n}\r\n\r\n.ishow-icon-upload:before {\r\n content: "\\e60d"\r\n}\r\n\r\n.ishow-icon-d-arrow-left:before {\r\n content: "\\e60e"\r\n}\r\n\r\n.ishow-icon-d-arrow-right:before {\r\n content: "\\e60f"\r\n}\r\n\r\n.ishow-icon-d-caret:before {\r\n content: "\\e610"\r\n}\r\n\r\n.ishow-icon-date:before {\r\n content: "\\e611"\r\n}\r\n\r\n.ishow-icon-delete:before {\r\n content: "\\e612"\r\n}\r\n\r\n.ishow-icon-document:before {\r\n content: "\\e613"\r\n}\r\n\r\n.ishow-icon-edit:before {\r\n content: "\\e614"\r\n}\r\n\r\n.ishow-icon-information:before {\r\n content: "\\e615"\r\n}\r\n\r\n.ishow-icon-loading:before {\r\n content: "\\e616"\r\n}\r\n\r\n.ishow-icon-menu:before {\r\n content: "\\e617"\r\n}\r\n\r\n.ishow-icon-message:before {\r\n content: "\\e618"\r\n}\r\n\r\n.ishow-icon-minus:before {\r\n content: "\\e619"\r\n}\r\n\r\n.ishow-icon-more:before {\r\n content: "\\e61a"\r\n}\r\n\r\n.ishow-icon-picture:before {\r\n content: "\\e61b"\r\n}\r\n\r\n.ishow-icon-plus:before {\r\n content: "\\e61c"\r\n}\r\n\r\n.ishow-icon-search:before {\r\n content: "\\e61d"\r\n}\r\n\r\n.ishow-icon-setting:before {\r\n content: "\\e61e"\r\n}\r\n\r\n.ishow-icon-share:before {\r\n content: "\\e61f"\r\n}\r\n\r\n.ishow-icon-star-off:before {\r\n content: "\\e620"\r\n}\r\n\r\n.ishow-icon-star-on:before {\r\n content: "\\e621"\r\n}\r\n\r\n.ishow-icon-time:before {\r\n content: "\\e622"\r\n}\r\n\r\n.ishow-icon-warning:before {\r\n content: "\\e623"\r\n}\r\n\r\n.ishow-icon-delete2:before {\r\n content: "\\e624"\r\n}\r\n\r\n.ishow-icon-upload2:before {\r\n content: "\\e627"\r\n}\r\n\r\n.ishow-icon-view:before {\r\n content: "\\e626"\r\n}\r\n\r\n.ishow-icon-loading {\r\n -webkit-animation: rotating 1s linear infinite;\r\n animation: rotating 1s linear infinite\r\n}\r\n\r\n.ishow-icon--right {\r\n margin-left: 5px\r\n}\r\n\r\n.ishow-icon--left {\r\n margin-right: 5px\r\n}\r\n\r\n@-webkit-keyframes rotating {\r\n 0% {\r\n -webkit-transform: rotateZ(0);\r\n transform: rotateZ(0)\r\n }\r\n 100% {\r\n -webkit-transform: rotateZ(360deg);\r\n transform: rotateZ(360deg)\r\n }\r\n}\r\n\r\n@keyframes rotating {\r\n 0% {\r\n -webkit-transform: rotateZ(0);\r\n transform: rotateZ(0)\r\n }\r\n 100% {\r\n -webkit-transform: rotateZ(360deg);\r\n transform: rotateZ(360deg)\r\n }\r\n}'],sourceRoot:""}])},242:function(n,e,t){"use strict";function o(n,e){if(!(n instanceof e))throw new TypeError("Cannot call a class as a function")}function i(n,e){if(!n)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?n:e}function r(n,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);n.prototype=Object.create(e&&e.prototype,{constructor:{value:n,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(n,e):n.__proto__=e)}var a=t(0),s=t.n(a),l=(t(201),{Tree:{Options:[{param:"message",instruction:"\u6d88\u606f\u6587\u5b57",type:"string/ReactElement",optional:"\u2014",defaultvalue:"\u2014"},{param:"type",instruction:"\u4e3b\u9898",type:"string",optional:"success/warning/info/error",defaultvalue:"info"},{param:"iconClass",instruction:"\u81ea\u5b9a\u4e49\u56fe\u6807\u7684\u7c7b\u540d\uff0c\u4f1a\u8986\u76d6 type",type:"string",optional:"\u2014",defaultvalue:"\u2014"},{param:"customClass",instruction:"\u81ea\u5b9a\u4e49\u7c7b\u540d",type:"string",optional:"\u2014",defaultvalue:"\u2014"},{param:"duration",instruction:"\u663e\u793a\u65f6\u95f4, \u6beb\u79d2\u3002\u8bbe\u4e3a 0 \u5219\u4e0d\u4f1a\u81ea\u52a8\u5173\u95ed",type:"number",optional:"\u2014",defaultvalue:"3000"},{param:"showClose",instruction:"\u662f\u5426\u663e\u793a\u5173\u95ed\u6309\u94ae",type:"boolean",optional:"\u2014",defaultvalue:"false"},{param:"onClose",instruction:"\u5173\u95ed\u65f6\u7684\u56de\u8c03\u51fd\u6570, \u53c2\u6570\u4e3a\u88ab\u5173\u95ed\u7684 message \u5b9e\u4f8b",type:"function",optional:"\u2014",defaultvalue:"\u2014"}],List:[{param:"data",instruction:"\u5c55\u793a\u6570\u636e",type:"array",optional:"\u2014",defaultvalue:"\u2014"},{param:"emptyText",instruction:"\u5185\u5bb9\u4e3a\u7a7a\u7684\u65f6\u5019\u5c55\u793a\u7684\u6587\u672c",type:"String",optional:"\u2014",defaultvalue:"\u2014"},{param:"nodeKey",instruction:"\u6bcf\u4e2a\u6811\u8282\u70b9\u7528\u6765\u4f5c\u4e3a\u552f\u4e00\u6807\u8bc6\u7684\u5c5e\u6027\uff0c\u6574\u9897\u6811\u5e94\u8be5\u662f\u552f\u4e00\u7684",type:"String",optional:"\u2014",defaultvalue:"\u2014"},{param:"options",instruction:"\u914d\u7f6e\u9009\u9879\uff0c\u5177\u4f53\u770b\u4e0b\u8868",type:"object",optional:"\u2014",defaultvalue:"\u2014"},{param:"load",instruction:"\u52a0\u8f7d\u5b50\u6811\u6570\u636e\u7684\u65b9\u6cd5",type:"function(node, resolve)",optional:"\u2014",defaultvalue:"\u2014"},{param:"renderContent",instruction:"\u6811\u8282\u70b9\u7684\u5185\u5bb9\u533a\u7684\u6e32\u67d3 Function",type:"(nodeModel, data, store)=>ReactElement",optional:"\u2014",defaultvalue:"\u2014"},{param:"highlightCurrent",instruction:"\u662f\u5426\u9ad8\u4eae\u5f53\u524d\u9009\u4e2d\u8282\u70b9\uff0c\u9ed8\u8ba4\u503c\u662f false\u3002",type:"boolean",optional:"\u2014",defaultvalue:"false"},{param:"currentNodeKey",instruction:"\u5f53\u524d\u9009\u4e2d\u8282\u70b9\u7684 key\uff0c\u53ea\u5199\u5c5e\u6027",type:"string, number",optional:"\u2014",defaultvalue:"\u2014"},{param:"defaultExpandAll",instruction:"\u662f\u5426\u9ed8\u8ba4\u5c55\u5f00\u6240\u6709\u8282\u70b9",type:"boolean",optional:"\u2014",defaultvalue:"false"},{param:"expandOnClickNode",instruction:"\u662f\u5426\u5728\u70b9\u51fb\u8282\u70b9\u7684\u65f6\u5019\u5c55\u5f00\u6216\u8005\u6536\u7f29\u8282\u70b9\uff0c\u9ed8\u8ba4\u503c\u4e3atrue,\u5982\u679c\u4e3afalse\uff0c\u5219\u53ea\u6709\u70b9\u7bad\u5934\u56fe\u6807\u7684\u65f6\u5019\u624d\u4f1a\u5c55\u5f00\u6216\u8005\u6536\u7f29\u8282\u70b9\u3002",type:"boolean",optional:"\u2014",defaultvalue:"true"},{param:"autoExpandParent",instruction:"\u5c55\u5f00\u5b50\u8282\u70b9\u7684\u65f6\u5019\u662f\u5426\u81ea\u52a8\u5c55\u5f00\u7236\u8282\u70b9",type:"boolean",optional:"\u2014",defaultvalue:"true"},{param:"defaultExpandedKeys",instruction:"\u9ed8\u8ba4\u5c55\u5f00\u7684\u8282\u70b9\u7684key\u7684\u6570\u7ec4",type:"array",optional:"\u2014",defaultvalue:"\u2014"},{param:"isShowCheckbox",instruction:"\u8282\u70b9\u662f\u5426\u53ef\u88ab\u9009\u62e9",type:"boolean",optional:"\u2014",defaultvalue:"false"},{param:"checkedKeyStrictly",instruction:"\u5728\u663e\u793a\u590d\u9009\u6846\u7684\u60c5\u51b5\u4e0b\uff0c\u662f\u5426\u4e25\u683c\u7684\u9075\u5faa\u7236\u5b50\u4e0d\u4e92\u76f8\u5173\u8054\u7684\u505a\u6cd5\uff0c\u9ed8\u8ba4\u4e3afalse",type:"boolean",optional:"\u2014",defaultvalue:"false"},{param:"defaultCheckedKeys",instruction:"\u9ed8\u8ba4\u52fe\u9009\u7684\u8282\u70b9\u7684key\u7684\u6570\u7ec4",type:"array",optional:"\u2014",defaultvalue:"\u2014"},{param:"filterNodeMethod",instruction:"\u5bf9\u6811\u8282\u70b9\u8fdb\u884c\u7b5b\u9009\u65f6\u6267\u884c\u7684\u65b9\u6cd5\uff0c\u8fd4\u56de true \u8868\u793a\u8fd9\u4e2a\u8282\u70b9\u53ef\u4ee5\u663e\u793a\uff0c\u8fd4\u56de false \u5219\u8868\u793a\u8fd9\u4e2a\u8282\u70b9\u4f1a\u88ab\u9690\u85cf",type:"Function(value, data, node)",optional:"\u2014",defaultvalue:"\u2014"},{param:"accordion",instruction:"\u662f\u5426\u6bcf\u6b21\u53ea\u6253\u5f00\u4e00\u4e2a\u540c\u7ea7\u6811\u8282\u70b9\u5c55\u5f00",type:"boolean",optional:"\u2014",defaultvalue:"false"},{param:"indent",instruction:"\u76f8\u90bb\u7ea7\u8282\u70b9\u95f4\u7684\u6c34\u5e73\u7f29\u8fdb\uff0c\u5355\u4f4d\u4e3a\u50cf\u7d20",type:"number",optional:"\u2014",defaultvalue:"16"}],Events:[{eventName:"onNodeClicked",instruction:"\u8282\u70b9\u88ab\u70b9\u51fb\u65f6\u7684\u56de\u8c03",callbackParam:"onNodeClicked(nodeModel.data, node)"},{eventName:"onCheckChange",instruction:"\u8282\u70b9\u9009\u4e2d\u72b6\u6001\u53d1\u751f\u53d8\u5316\u65f6\u7684\u56de\u8c03",callbackParam:"onCheckChange(nodeModel.data, checked, indeterminate)"},{eventName:"onCurrentChange",instruction:"\u5f53\u524d\u9009\u4e2d\u8282\u70b9\u53d8\u5316\u65f6\u89e6\u53d1\u7684\u4e8b\u4ef6",callbackParam:"onCurrentChange(nodeModel.data, node)"},{eventName:"onNodeExpand",instruction:"\u8282\u70b9\u88ab\u5c55\u5f00\u65f6\u89e6\u53d1\u7684\u4e8b\u4ef6",callbackParam:"onNodeExpand(nodeModel.data, nodeModel, node)"},{eventName:"onNodeCollapse",instruction:"\u8282\u70b9\u88ab\u5173\u95ed\u65f6\u89e6\u53d1\u7684\u4e8b\u4ef6",callbackParam:"onNodeCollapse(nodeModel.data, nodeModel, node)"}]},Form:{List:[{param:"model",instruction:"\u8868\u5355\u6570\u636e\u5bf9\u8c61",type:"object",optional:"\u2014",defaultvalue:"\u2014"},{param:"rules",instruction:"\u8868\u5355\u9a8c\u8bc1\u89c4\u5219",type:"object",optional:"\u2014",defaultvalue:"\u2014"},{param:"inline",instruction:"\u884c\u5185\u8868\u5355\u6a21\u5f0f",type:"boolean",optional:"\u2014",defaultvalue:"false"},{param:"labelPosition",instruction:"\u8868\u5355\u57df\u6807\u7b7e\u7684\u4f4d\u7f6e",type:"string",optional:"\u2014",defaultvalue:"right"},{param:"labelWidth",instruction:"\u8868\u5355\u57df\u6807\u7b7e\u7684\u5bbd\u5ea6\uff0c\u6240\u6709\u7684 form-item \u90fd\u4f1a\u7ee7\u627f form \u7ec4\u4ef6\u7684 labelWidth \u7684\u503c",type:"string",optional:"\u2014",defaultvalue:"\u2014"},{param:"labelSuffix",instruction:"\u8868\u5355\u57df\u6807\u7b7e\u7684\u540e\u7f00",type:"string",optional:"\u2014",defaultvalue:"\u2014"}],Method:[{methodName:"validate(cb)",instruction:"\u5bf9\u6574\u4e2a\u8868\u5355\u8fdb\u884c\u6821\u9a8c\u7684\u65b9\u6cd5",methodParam:"\u2014"},{methodName:"validateField(prop, cb)",instruction:"\u5bf9\u90e8\u5206\u8868\u5355\u5b57\u6bb5\u8fdb\u884c\u6821\u9a8c\u7684\u65b9\u6cd5",methodParam:"\u2014"},{methodName:"resetFields",instruction:"\u5bf9\u6574\u4e2a\u8868\u5355\u8fdb\u884c\u91cd\u7f6e\uff0c\u5c06\u6240\u6709\u5b57\u6bb5\u503c\u91cd\u7f6e\u4e3a\u7a7a\u5e76\u79fb\u9664\u6821\u9a8c\u7ed3\u679c",methodParam:"\u2014"}]},FormItem:{List:[{param:"prop",instruction:"\u8868\u5355\u57df model \u5b57\u6bb5",type:"string",optional:"\u4f20\u5165 Form \u7ec4\u4ef6\u7684 model \u4e2d\u7684\u5b57\u6bb5",defaultvalue:"\u2014"},{param:"label",instruction:"\u6807\u7b7e\u6587\u672c",type:"string",optional:"\u2014",defaultvalue:"\u2014"},{param:"labelWidth",instruction:"\u8868\u5355\u57df\u6807\u7b7e\u7684\u7684\u5bbd\u5ea6\uff0c\u4f8b\u5982`50px`",type:"string",optional:"\u2014",defaultvalue:"\u2014"},{param:"required",instruction:"\u662f\u5426\u5fc5\u586b\uff0c\u5982\u4e0d\u8bbe\u7f6e\uff0c\u5219\u4f1a\u6839\u636e\u6821\u9a8c\u89c4\u5219\u81ea\u52a8\u751f\u6210",type:"boolean",optional:"\u2014",defaultvalue:"false"}]},Transfer:{List:[{param:"data",instruction:"Transfer \u7684\u6570\u636e\u6e90",type:"array[{ key, label, disabled }]",optional:"\u2014",defaultvalue:"[ ]"},{param:"filterable",instruction:"\u662f\u5426\u53ef\u641c\u7d22",type:"boolean",optional:"\u2014",defaultvalue:"false"},{param:"filterPlaceholder",instruction:"\u641c\u7d22\u6846\u5360\u4f4d\u7b26",type:"string",optional:"\u2014",defaultvalue:"\u8bf7\u8f93\u5165\u641c\u7d22\u5185\u5bb9"},{param:"filterMethod",instruction:"\u81ea\u5b9a\u4e49\u641c\u7d22\u65b9\u6cd5",type:"function",optional:"\u2014",defaultvalue:"\u2014"},{param:"titles",instruction:"\u81ea\u5b9a\u4e49\u5217\u8868\u6807\u9898",type:"array",optional:"\u2014",defaultvalue:"['\u5217\u8868 1', '\u5217\u8868 2']"},{param:"buttonTexts",instruction:"\u81ea\u5b9a\u4e49\u6309\u94ae\u6587\u6848",type:"array",optional:"\u2014",defaultvalue:"[]"},{param:"renderContent",instruction:"\u81ea\u5b9a\u4e49\u6570\u636e\u9879\u6e32\u67d3\u51fd\u6570",type:"function(h, option)",optional:"\u2014",defaultvalue:"\u2014"},{param:"footerFormat",instruction:"\u5217\u8868\u5e95\u90e8\u52fe\u9009\u72b6\u6001\u6587\u6848",type:"object{noChecked, hasChecked}",optional:"\u2014",defaultvalue:"{ noChecked: '\u5171 total \u9879', hasChecked: '\u5df2\u9009 checked/total \u9879' }"},{param:"propsAlias",instruction:"\u6570\u636e\u6e90\u7684\u5b57\u6bb5\u522b\u540d",type:"object{key, label, disabled}",optional:"\u2014",defaultvalue:"\u2014"},{param:"leftDefaultChecked",instruction:"\u521d\u59cb\u72b6\u6001\u4e0b\u5de6\u4fa7\u5217\u8868\u7684\u5df2\u52fe\u9009\u9879\u7684 key \u6570\u7ec4",type:"array",optional:"\u2014",defaultvalue:"[ ]"},{param:"rightDefaultChecked",instruction:"\u521d\u59cb\u72b6\u6001\u4e0b\u53f3\u4fa7\u5217\u8868\u7684\u5df2\u52fe\u9009\u9879\u7684 key \u6570\u7ec4",type:"array",optional:"\u2014",defaultvalue:"[ ]"},{param:"leftFooter",instruction:"\u5de6\u4fa7\u5217\u8868\u5e95\u90e8\u7684\u5185\u5bb9",type:"ReactElement",optional:"-",defaultvalue:"-"},{param:"rightFooter",instruction:"\u53f3\u4fa7\u5217\u8868\u5e95\u90e8\u7684\u5185\u5bb9",type:"ReactElement",optional:"\u2014",defaultvalue:"-"},{param:"allCheckVisible",instruction:"\u662f\u5426\u663e\u793a\u5168\u9009\u52fe\u9009\u6846",type:"boolean",optional:"\u2014",defaultvalue:"true"},{param:"isShowTitle",instruction:"\u662f\u5426\u663e\u793a\u9762\u677f\u5934\u90e8\u6807\u9898",type:"boolean",optional:"\u2014",defaultvalue:"true"},{param:"disabled",instruction:"\u662f\u5426\u7981\u7528\u9009\u62e9\u6846",type:"boolean",optional:"\u2014",defaultvalue:"false"}],Events:[{eventName:"onChange",instruction:"\u53f3\u4fa7\u5217\u8868\u5143\u7d20\u53d8\u5316\u65f6\u89e6\u53d1",callbackParam:"\u5f53\u524d\u503c\u3001\u6570\u636e\u79fb\u52a8\u7684\u65b9\u5411\uff08'left' / 'right'\uff09\u3001\u53d1\u751f\u79fb\u52a8\u7684\u6570\u636e key \u6570\u7ec4"}]},Carousel:{List:[{param:"height",instruction:"\u8d70\u9a6c\u706f\u7684\u9ad8\u5ea6",type:"number",optional:"\u2014",defaultvalue:"300"},{param:"initialIndex",instruction:"\u521d\u59cb\u72b6\u6001\u6fc0\u6d3b\u7684\u5e7b\u706f\u7247\u7684\u7d22\u5f15\uff0c\u4ece 0 \u5f00\u59cb",type:"number",optional:"\u2014",defaultvalue:"0"},{param:"trigger",instruction:"\u6307\u793a\u5668\u7684\u89e6\u53d1\u65b9\u5f0f",type:"string",optional:"click",defaultvalue:"\u2014"},{param:"autoplay",instruction:"\u662f\u5426\u81ea\u52a8\u5207\u6362",type:"boolean",optional:"\u2014",defaultvalue:"true"},{param:"interval",instruction:"\u81ea\u52a8\u5207\u6362\u7684\u65f6\u95f4\u95f4\u9694\uff0c\u5355\u4f4d\u4e3a\u6beb\u79d2",type:"number",optional:"\u2014",defaultvalue:"true"},{param:"indicatorPosition",instruction:"\u6307\u793a\u5668\u7684\u4f4d\u7f6e",type:"string",optional:"outside/none",defaultvalue:"\u2014"},{param:"arrow",instruction:"\u5207\u6362\u7bad\u5934\u7684\u663e\u793a\u65f6\u673a",type:"string",optional:"always/hover/never",defaultvalue:"hover"},{param:"type",instruction:"\u8d70\u9a6c\u706f\u7684\u7c7b\u578b",type:"string",optional:"card/flatcard",defaultvalue:"\u2014"}],Events:[{eventName:"onChange",instruction:"\u5e7b\u706f\u7247\u5207\u6362\u65f6\u89e6\u53d1",callbackParam:"\u76ee\u524d\u6fc0\u6d3b\u7684\u5e7b\u706f\u7247\u7684\u7d22\u5f15\uff0c\u539f\u5e7b\u706f\u7247\u7684\u7d22\u5f15"}],Method:[{methodName:"setActiveItem",instruction:"\u624b\u52a8\u5207\u6362\u5e7b\u706f\u7247",methodParam:"\u9700\u8981\u5207\u6362\u7684\u5e7b\u706f\u7247\u7684\u7d22\u5f15\uff0c\u4ece 0 \u5f00\u59cb\uff1b\u6216\u76f8\u5e94 Carousel.Item \u7684 name \u5c5e\u6027\u503c"},{methodName:"prev",instruction:"\u5207\u6362\u81f3\u4e0a\u4e00\u5f20\u5e7b\u706f\u7247",methodParam:"\u2014"},{methodName:"next",instruction:"\u5207\u6362\u81f3\u4e0b\u4e00\u5f20\u5e7b\u706f\u7247",methodParam:"\u2014"}]},CarouselItem:{List:[{param:"name",instruction:"\u5e7b\u706f\u7247\u7684\u540d\u5b57\uff0c\u53ef\u7528\u4f5c setActiveItem \u7684\u53c2\u6570",type:"string",optional:"\u2014",defaultvalue:"\u2014"}]},Collapse:{List:[{param:"accordion",instruction:"\u662f\u5426\u4e3a\u624b\u98ce\u7434\u6a21\u5f0f",type:"boolean",optional:"-",defaultvalue:"false"},{param:"value",instruction:"\u5f53\u524d\u6fc0\u6d3b\u7684\u9762\u677f(\u5982\u679c\u662f\u624b\u98ce\u7434\u6a21\u5f0f\uff0c\u7ed1\u5b9a\u503c\u7c7b\u578b\u9700\u8981\u4e3astring\uff0c\u5426\u5219\u4e3aarray)",type:"string/array",optional:"-",defaultvalue:"-"}],Events:[{eventName:"onChange",instruction:"\u5f53\u524d\u6fc0\u6d3b\u9762\u677f\u6539\u53d8\u65f6\u89e6\u53d1(\u5982\u679c\u662f\u624b\u98ce\u7434\u6a21\u5f0f\uff0c\u53c2\u6570\u7c7b\u578b\u4e3astring\uff0c\u5426\u5219\u4e3aarray)",callbackParam:"(activeNames: array/string)"}]},CollapseItem:{List:[{param:"name",instruction:"\u552f\u4e00\u6807\u5fd7\u7b26",type:"string/number",optional:"-",defaultvalue:"-"},{param:"title",instruction:"\u9762\u677f\u6807\u9898",type:"string/node",optional:"-",defaultvalue:"-"}]},Rate:{List:[{param:"max",instruction:"\u6700\u5927\u5206\u503c",type:"number",optional:"-",defaultvalue:"5"},{param:"disabled",instruction:"\u662f\u5426\u4e3a\u53ea\u8bfb",type:"boolean",optional:"-",defaultvalue:"false"},{param:"allowHalf",instruction:"\u662f\u5426\u5141\u8bb8\u534a\u9009",type:"boolean",optional:"-",defaultvalue:"false"},{param:"lowThreshold",instruction:"\u4f4e\u5206\u548c\u4e2d\u7b49\u5206\u6570\u7684\u754c\u7ebf\u503c\uff0c\u503c\u672c\u8eab\u88ab\u5212\u5206\u5728\u4f4e\u5206\u4e2d",type:"number",optional:"-",defaultvalue:"2"},{param:"highThreshold",instruction:"\u9ad8\u5206\u548c\u4e2d\u7b49\u5206\u6570\u7684\u754c\u7ebf\u503c\uff0c\u503c\u672c\u8eab\u88ab\u5212\u5206\u5728\u9ad8\u5206\u4e2d",type:"number",optional:"-",defaultvalue:"4"},{param:"colors",instruction:"icon\u7684\u989c\u8272\u6570\u7ec4\uff0c\u5171\u67093\u4e2a\u5143\u7d20\uff0c\u4e3a3\u4e2a\u5206\u6bb5\u591a\u5bf9\u5e94\u7684\u989c\u8272",type:"array",optional:"-",defaultvalue:"['#F7BA2A', '#F7BA2A', '#F7BA2A']"},{param:"voidColor",instruction:"\u672a\u9009\u4e2dicon\u7684\u989c\u8272",type:"string",optional:"-",defaultvalue:"#C6D1DE"},{param:"disabledVoidColor",instruction:"\u53ea\u8bfb\u65f6\u672a\u9009\u4e2dicon\u7684\u989c\u8272",type:"string",optional:"-",defaultvalue:"#EFF2F7"},{param:"iconClasses",instruction:"icon \u7684\u7c7b\u540d\u6570\u7ec4\uff0c\u5171\u6709 3 \u4e2a\u5143\u7d20\uff0c\u4e3a 3 \u4e2a\u5206\u6bb5\u6240\u5bf9\u5e94\u7684\u7c7b\u540d",type:"array",optional:"-",defaultvalue:"['el-icon-star-on', 'el-icon-star-on','el-icon-star-on']"},{param:"voidconClass",instruction:"\u672a\u9009\u4e2dicon\u7684\u7c7b\u540d",type:"string",optional:"-",defaultvalue:"el-icon-star-off"},{param:"disabledVoidconClass",instruction:"\u53ea\u8bfb\u65f6\u672a\u9009\u4e2dicon\u7684\u7c7b\u540d",type:"string",optional:"-",defaultvalue:"el-icon-star-on"},{param:"showText",instruction:"\u662f\u5426\u663e\u793a\u8f85\u52a9\u6587\u5b57",type:"boolean",optional:"-",defaultvalue:"false"},{param:"textColor",instruction:"\u8f85\u52a9\u6587\u5b57\u7684\u989c\u8272",type:"string",optional:"-",defaultvalue:"1F2D3D"},{param:"texts",instruction:"\u8f85\u52a9\u6587\u5b57\u6570\u7ec4",type:"array",optional:"-",defaultvalue:"['\u6781\u5dee', '\u5931\u671b', '\u4e00\u822c', '\u6ee1\u610f', '\u60ca\u559c']"},{param:"textTemplate",instruction:"\u53ea\u8bfb\u65f6\u7684\u8f85\u52a9\u6587\u5b57\u6a21\u677f",type:"string",optional:"-",defaultvalue:"{value}"}],Events:[{eventName:"onChange",instruction:"\u5206\u503c\u6539\u53d8\u65f6\u89e6\u53d1",callbackParam:"\u6539\u53d8\u540e\u7684\u5206\u503c"}]},Card:{List:[{param:"header",instruction:"\u8bbe\u7f6e header\uff0c\u4e5f\u53ef\u4ee5\u901a\u8fc7 slot#header \u4f20\u5165 DOM",type:"string",optional:"-",defaultvalue:"-"},{param:"bodyStyle",instruction:"\u8bbe\u7f6e body \u7684\u6837\u5f0f",type:"object",optional:"-",defaultvalue:"{ padding: '20px' }"}]},Layout:{List:[{param:"style",instruction:"\u6837\u5f0f",type:"Object",optional:"-",defaultvalue:"-"}]},Sider:{List:[{param:"collapsible",instruction:"\u662f\u5426\u53ef\u6536\u8d77",type:"Boolean",optional:"\u2014",defaultvalue:"false"},{param:"defaultCollapsed",instruction:"\u662f\u5426\u9ed8\u8ba4\u6536\u8d77",type:"Boolean",optional:"\u2014",defaultvalue:"false"},{param:"collapsed",instruction:"\u5f53\u524d\u6536\u8d77\u72b6\u6001\t",type:"Boolean",optional:"\u2014",defaultvalue:"\u2014"},{param:"onCollapse",instruction:"\u5c55\u5f00\u2014\u6536\u8d77\u65f6\u7684\u56de\u8c03\u51fd\u6570\uff0c\u6709\u70b9\u51fb trigger \u4ee5\u53ca\u54cd\u5e94\u5f0f\u53cd\u9988\u4e24\u79cd\u65b9\u5f0f\u53ef\u4ee5\u89e6\u53d1",type:"(collapsed, type) => {}",optional:"\u2014",defaultvalue:"\u2014"},{param:"trigger",instruction:"\u81ea\u5b9a\u4e49 trigger\uff0c\u8bbe\u7f6e\u4e3a null \u65f6\u9690\u85cf trigger",type:"string|ReactNode",optional:"\u2014",defaultvalue:"\u2014"},{param:"width",instruction:"\u5bbd\u5ea6",type:"number|string",optional:"\u2014",defaultvalue:"200"},{param:"collapsedWidth",instruction:"\u6536\u7f29\u5bbd\u5ea6\uff0c\u8bbe\u7f6e\u4e3a 0 \u4f1a\u51fa\u73b0\u7279\u6b8a trigger",type:"number",optional:"\u2014",defaultvalue:"64"},{param:"breakpoint",instruction:"\u89e6\u53d1\u54cd\u5e94\u5f0f\u5e03\u5c40\u7684\u65ad\u70b9\t",type:"Enum { 'xs', 'sm', 'md', 'lg', 'xl' }",optional:"\u2014",defaultvalue:"\u2014"},{param:"style",instruction:"\u6307\u5b9a\u6837\u5f0f",type:"object",optional:"\u2014",defaultvalue:"\u2014"},{param:"className",instruction:"\u5bb9\u5668 className",type:"String",optional:"\u2014",defaultvalue:"\u2014"}]},Slider:{List:[{param:"min",instruction:"\u6700\u5c0f\u503c",type:"number",optional:"-",defaultvalue:"0"},{param:"max",instruction:"\u6700\u5927\u503c",type:"numner",optional:"-",defaultvalue:"100"},{param:"disabled",instruction:"\u662f\u5426\u7981\u7528",type:"Boolean",optional:"-",defaultvalue:"false"},{param:"step",instruction:"\u6b65\u957f",type:"number",optional:"-",defaultvalue:"1"},{param:"showInput",instruction:"\u662f\u5426\u663e\u793a\u8f93\u5165\u6846\uff0c\u4ec5\u5728\u975e\u8303\u56f4\u9009\u62e9\u65f6\u6709\u6548",type:"boolean",optional:"-",defaultvalue:"false"},{param:"showInputControls",instruction:"\u5728\u663e\u793a\u8f93\u5165\u6846\u7684\u60c5\u51b5\u4e0b\uff0c\u662f\u5426\u663e\u793a\u8f93\u5165\u6846\u7684\u63a7\u5236\u6309\u94ae",type:"boolean",optional:"-",defaultvalue:"false"},{param:"showStops",instruction:"\u662f\u5426\u663e\u793a\u95f4\u65ad\u70b9",type:"boolean",optional:"-",defaultvalue:"false"},{param:"range",instruction:"\u662f\u5426\u4e3a\u8303\u56f4\u9009\u62e9",type:"boolean",optional:"-",defaultvalue:"false"}],Events:[{eventName:"onChange",instruction:"\u503c\u6539\u53d8\u65f6\u89e6\u53d1",callbackParam:"\u6539\u53d8\u540e\u7684\u503c"}]},Row:{List:[{param:"gutter",instruction:"\u6805\u683c\u95f4\u9694",type:"Number",optional:"-",defaultvalue:"0"},{param:"type",instruction:"\u5e03\u5c40\u6a21\u5f0f\uff0c\u53ef\u9009 flex\uff0c\u73b0\u4ee3\u6d4f\u89c8\u5668 \u4e0b\u6709\u6548",type:"String",optional:"-",defaultvalue:"-"},{param:"align",instruction:"flex \u5e03\u5c40\u4e0b\u7684\u5782\u76f4\u5bf9\u9f50\u65b9\u5f0f\uff1atop middle bottom",type:"String",optional:"-",defaultvalue:"top"},{param:"justify",instruction:"flex \u5e03\u5c40\u4e0b\u7684\u6c34\u5e73\u6392\u5217\u65b9\u5f0f\uff1astart end center space-around space-between",type:"String",optional:"-",defaultvalue:"start"}]},Col:{List:[{param:"span",instruction:"\u6805\u683c\u5360\u4f4d\u683c\u6570\uff0c\u4e3a 0 \u65f6\u76f8\u5f53\u4e8e display: none",type:"Number",optional:"-",defaultvalue:"-"},{param:"order",instruction:"\u6805\u683c\u987a\u5e8f\uff0cflex \u5e03\u5c40\u6a21\u5f0f\u4e0b\u6709\u6548",type:"Number",optional:"-",defaultvalue:"0"},{param:"offset",instruction:"\u6805\u683c\u5de6\u4fa7\u7684\u95f4\u9694\u683c\u6570\uff0c\u95f4\u9694\u5185\u4e0d\u53ef\u4ee5\u6709\u6805\u683c",type:"Number",optional:"-",defaultvalue:"0"},{param:"push",instruction:"\u6805\u683c\u5411\u53f3\u79fb\u52a8\u683c\u6570",type:"Number",optional:"-",defaultvalue:"0"},{param:"pull",instruction:"\u6805\u683c\u5411\u5de6\u79fb\u52a8\u683c\u6570",type:"Number",optional:"-",defaultvalue:"0"},{param:"xs",instruction:"<768px \u54cd\u5e94\u5f0f\u6805\u683c\uff0c\u53ef\u4e3a\u6805\u683c\u6570\u6216\u4e00\u4e2a\u5305\u542b\u5176\u4ed6\u5c5e\u6027\u7684\u5bf9\u8c61",type:"Number|Object",optional:"-",defaultvalue:"-"},{param:"sm",instruction:"\u2265768px \u54cd\u5e94\u5f0f\u6805\u683c\uff0c\u53ef\u4e3a\u6805\u683c\u6570\u6216\u4e00\u4e2a\u5305\u542b\u5176\u4ed6\u5c5e\u6027\u7684\u5bf9\u8c61",type:"Number|Object",optional:"-",defaultvalue:"-"},{param:"md",instruction:"\u2265992px \u54cd\u5e94\u5f0f\u6805\u683c\uff0c\u53ef\u4e3a\u6805\u683c\u6570\u6216\u4e00\u4e2a\u5305\u542b\u5176\u4ed6\u5c5e\u6027\u7684\u5bf9\u8c61",type:"Number|Object",optional:"-",defaultvalue:"-"},{param:"lg",instruction:"\u22651200px \u54cd\u5e94\u5f0f\u6805\u683c\uff0c\u53ef\u4e3a\u6805\u683c\u6570\u6216\u4e00\u4e2a\u5305\u542b\u5176\u4ed6\u5c5e\u6027\u7684\u5bf9\u8c61",type:"Number|Object",optional:"-",defaultvalue:"-"},{param:"xl",instruction:"\u22651600px \u54cd\u5e94\u5f0f\u6805\u683c\uff0c\u53ef\u4e3a\u6805\u683c\u6570\u6216\u4e00\u4e2a\u5305\u542b\u5176\u4ed6\u5c5e\u6027\u7684\u5bf9\u8c61",type:"Number|Object",optional:"-",defaultvalue:"-"}]},Button:{List:[{param:"size",instruction:"\u5c3a\u5bf8",type:"String",optional:"large,small,mini",defaultvalue:"-"},{param:"type",instruction:"\u7c7b\u578b",type:"String",optional:"primary,success,warning,danger,info,text",defaultvalue:"-"},{param:"plain",instruction:"\u662f\u5426\u6734\u7d20\u6309\u94ae",type:"boolean",optional:"true,false",defaultvalue:"false"},{param:"loading",instruction:"\u662f\u5426\u52a0\u8f7d\u4e2d\u72b6\u6001",type:"boolean",optional:"\u2014",defaultvalue:"false"},{param:"disabled",instruction:"\u7981\u7528",type:"boolean",optional:"true, false",defaultvalue:"false"},{param:"icon",instruction:"\u56fe\u6807\uff0c\u5df2\u6709\u56fe\u6807\u5e93\u4e2d\u7684\u56fe\u6807\u540d",type:"String",optional:"\u2014",defaultvalue:"-"},{param:"nativeType",instruction:"\u539f\u58f0type\u5c5e\u6027",type:"String",optional:"button,submit,reset",defaultvalue:"button"}]},Radio:{List:[{param:"checked",instruction:"Radio\u662f\u5426\u88ab\u9009\u4e2d",type:"boolean",optional:"-",defaultvalue:"false"},{param:"value",instruction:"Radio\u7684value",type:"string,number,boolean",optional:"-",defaultvalue:"-"},{param:"disabled",instruction:"\u662f\u5426\u7981\u7528\t",type:"boolean",optional:"true,false",defaultvalue:"false"},{param:"name",instruction:"\u539f\u58f0name\u5c5e\u6027",type:"string",optional:"\u2014",defaultvalue:"-"}]},RadioGroup:{List:[{param:"size",instruction:"Radio\u6309\u94ae\u7ec4\u5c3a\u5bf8",type:"string",optional:"large\uff0csmall",defaultvalue:"-"},{param:"fill",instruction:"\u6309\u94ae\u6fc0\u6d3b\u65f6\u7684\u586b\u5145\u8272\u548c\u8fb9\u6846\u8272",type:"string",optional:"-",defaultvalue:"#20a0ff"},{param:"textColor",instruction:"\u6309\u94ae\u6fc0\u6d3b\u65f6\u7684\u6587\u672c\u8272\t",type:"string",optional:"true,false",defaultvalue:"#fff"}],Events:[{eventName:"onChange",instruction:"\u7ed1\u5b9a\u503c\u53d8\u5316\u65f6\u89e6\u53d1\u7684\u4e8b\u4ef6",callbackParam:"\u9009\u4e2d\u7684 Radio label \u503c"}]},RadioButton:{List:[{param:"value",instruction:"Radio\u7684value",type:"string\uff0cnumber",optional:"-",defaultvalue:"-"},{param:"disabled",instruction:"\u662f\u5426\u7981\u7528",type:"boolean",optional:"-",defaultvalue:"false"}]},Checkbox:{List:[{param:"label",instruction:"\u9009\u4e2d\u72b6\u6001\u7684\u503c\uff08\u53ea\u6709\u5728Checkbox.Group\u6216\u8005\u7ed1\u5b9a\u5bf9\u8c61\u7c7b\u578b\u4e3aarray\u65f6\u6709\u6548\uff09",type:"string",optional:"-",defaultvalue:"-"},{param:"trueLabel",instruction:"\u9009\u4e2d\u65f6\u7684\u503c",type:"string, number",optional:"-",defaultvalue:"-"},{param:"falseLabel",instruction:"\u6ca1\u6709\u9009\u4e2d\u65f6\u7684\u503c",type:"string, number",optional:"-",defaultvalue:"-"},{param:"disabled",instruction:"\u6309\u94ae\u7981\u7528",type:"boolean",optional:"-",defaultvalue:"false"},{param:"checked",instruction:"\u5f53\u524d\u662f\u5426\u52fe\u9009",type:"boolean",optional:"-",defaultvalue:"false"}]},Animate:{List:[{param:"animation-name",instruction:"\u53ef\u4ee5\u7ed1\u5b9a\u5230\u9009\u62e9\u5668\u7684 keyframe \u540d\u79f0",type:"string",optional:"-",defaultvalue:"-"},{param:"animation-duration",instruction:"\u5b8c\u6210\u52a8\u753b\u6240\u82b1\u8d39\u7684\u65f6\u95f4\uff0c\u4ee5\u79d2\u6216\u6beb\u79d2\u8ba1",type:"string",optional:"-",defaultvalue:"-"},{param:"animation-timing-function",instruction:"\u52a8\u753b\u7684\u901f\u5ea6\u66f2\u7ebf",type:"string",optional:"linear,ease,ease-in,ease-out,ease-in-out,cubic-bezier(n,n,n,n)(n\u4e3a\u4ece0\u52301\u7684\u503c)",defaultvalue:"ease"},{param:"animation-delay",instruction:"\u52a8\u753b\u5f00\u59cb\u4e4b\u524d\u7684\u5ef6\u8fdf",type:"string",optional:"-",defaultvalue:"false"},{param:"animation-iteration-count",instruction:"\u52a8\u753b\u64ad\u653e\u6b21\u6570",type:"number",optional:"-",defaultvalue:"false"},{param:"animation-direction",instruction:"\u662f\u5426\u8f6e\u6d41\u53cd\u5411\u64ad\u653e\u52a8\u753b",type:"boolean",optional:"-",defaultvalue:"false"}]},CheckboxGroup:{List:[{param:"size",instruction:"Checkbox \u6309\u94ae\u7ec4\u5c3a\u5bf8\t",type:"string",optional:"large, small",defaultvalue:"-"},{param:"fill",instruction:"\u6309\u94ae\u6fc0\u6d3b\u65f6\u7684\u586b\u5145\u8272\u548c\u8fb9\u6846\u8272",type:"string",optional:"-",defaultvalue:"#20a0ff"},{param:"textColor",instruction:"\u6309\u94ae\u6fc0\u6d3b\u65f6\u7684\u6587\u672c\u989c\u8272\t",type:"string",optional:"-",defaultvalue:"#fff"},{param:"min",instruction:"\u53ef\u88ab\u52fe\u9009\u7684checkbox\u7684\u6700\u5927\u6570\u91cf",type:"number",optional:"-",defaultvalue:"-"},{param:"max",instruction:"\u53ef\u88ab\u52fe\u9009\u7684checkbox\u7684\u6700\u5c0f\u6570\u91cf",type:"number",optional:"-",defaultvalue:"-"}],Events:[{eventName:"onChange",instruction:"\u7ed1\u5b9a\u503c\u53d8\u5316\u65f6\u89e6\u53d1\u7684\u4e8b\u4ef6",callbackParam:"value"}]},Input:{List:[{param:"type",instruction:"\u7c7b\u578b",type:"string",optional:"text/textarea",defaultvalue:"text"},{param:"value",instruction:"\u7ed1\u5b9a\u503c",type:"string, number",optional:"\u2014",defaultvalue:"\u2014"},{param:"maxLength",instruction:"\u6700\u5927\u8f93\u5165\u957f\u5ea6",type:"number",optional:"\u2014",defaultvalue:"\u2014"},{param:"placeholder",instruction:"\u8f93\u5165\u6846\u5360\u4f4d\u6587\u672c",type:"string",optional:"\u2014",defaultvalue:"\u2014"},{param:"disabled",instruction:"\u7981\u7528",type:"boolean",optional:"\u2014",defaultvalue:"FALSE"},{param:"size",instruction:"\u8f93\u5165\u6846\u5c3a\u5bf8\uff0c\u53ea\u5728\xa0type!=textarea\u65f6\u6709\u6548",type:"string",optional:"large, small, mini",defaultvalue:"\u2014"},{param:"icon",instruction:"\u8f93\u5165\u6846\u5c3e\u90e8\u56fe\u6807",type:"string",optional:"\u2014",defaultvalue:"\u2014"},{param:"rows",instruction:"\u8f93\u5165\u6846\u884c\u6570\uff0c\u53ea\u5bf9\xa0type=textarea\u6709\u6548",type:"number",optional:"\u2014",defaultvalue:"2"},{param:"autosize",instruction:"\u81ea\u9002\u5e94\u5185\u5bb9\u9ad8\u5ea6\uff0c\u53ea\u5bf9\xa0type=textarea\u6709\u6548\uff0c\u53ef\u4f20\u5165\u5bf9\u8c61\uff0c\u5982\uff0c{ minRows: 2, maxRows: 6 }",type:"boolean/object",optional:"\u2014",defaultvalue:"FALSE"},{param:"autoComplete",instruction:"\u539f\u751f\u5c5e\u6027\uff0c\u81ea\u52a8\u8865\u5168",type:"string",optional:"on, off",defaultvalue:"off"},{param:"name",instruction:"\u539f\u751f\u5c5e\u6027",type:"string",optional:"\u2014",defaultvalue:"\u2014"},{param:"readOnly",instruction:"\u539f\u751f\u5c5e\u6027\uff0c\u662f\u5426\u53ea\u8bfb",type:"boolean",optional:"\u2014",defaultvalue:"FALSE"},{param:"autoFocus",instruction:"\u539f\u751f\u5c5e\u6027\uff0c\u81ea\u52a8\u83b7\u53d6\u7126\u70b9",type:"boolean",optional:"true, false",defaultvalue:"FALSE"},{param:"onIconClick",instruction:"\u70b9\u51fb Input \u5185\u7684\u56fe\u6807\u7684\u94a9\u5b50\u51fd\u6570",type:"function",optional:"\u2014",defaultvalue:"\u2014"}]},Autocomplete:{List:[{param:"placeholder",instruction:"\u8f93\u5165\u6846\u5360\u4f4d\u6587\u672c",type:"string",optional:"\u2014",defaultvalue:"\u2014"},{param:"disabled",instruction:"\u7981\u7528",type:"boolean",optional:"\u2014",defaultvalue:"false"},{param:"value",instruction:"\u5fc5\u586b\u503c\u8f93\u5165\u7ed1\u5b9a\u503c",type:"string",optional:"\u2014",defaultvalue:"\u2014"},{param:"customItem",instruction:"\u901a\u8fc7\u8be5\u53c2\u6570\u6307\u5b9a\u81ea\u5b9a\u4e49\u7684\u8f93\u5165\u5efa\u8bae\u5217\u8868\u9879\u7684\u7ec4\u4ef6\u540d",type:"Element",optional:"\u2014",defaultvalue:"\u2014"},{param:"fetchSuggestions",instruction:"\u8fd4\u56de\u8f93\u5165\u5efa\u8bae\u7684\u65b9\u6cd5\uff0c\u4ec5\u5f53\u4f60\u7684\u8f93\u5165\u5efa\u8bae\u6570\u636e resolve \u65f6\uff0c\u901a\u8fc7\u8c03\u7528 callback(data:[]) \u6765\u8fd4\u56de\u5b83",type:"Function(queryString, callback)",optional:"\u2014",defaultvalue:"\u2014"},{param:"popperClass",instruction:"Autocomplete \u4e0b\u62c9\u5217\u8868\u7684\u7c7b\u540d",type:"string",optional:"\u2014",defaultvalue:"\u2014"},{param:"triggerOnFocus",instruction:"\u662f\u5426\u5728\u8f93\u5165\u6846 focus \u65f6\u663e\u793a\u5efa\u8bae\u5217\u8868",type:"boolean",optional:"\u2014",defaultvalue:"true"},{param:"onIconClick",instruction:"\u70b9\u51fb\u56fe\u6807\u7684\u56de\u8c03\u51fd\u6570",type:"function",optional:"\u2014",defaultvalue:"\u2014"},{param:"icon",instruction:"\u8f93\u5165\u6846\u5c3e\u90e8\u56fe\u6807",type:"string",optional:"\u2014",defaultvalue:"\u2014"}],Events:[{eventName:"onSelect",instruction:"\u70b9\u51fb\u9009\u4e2d\u5efa\u8bae\u9879\u65f6\u89e6\u53d1",callbackParam:"\u9009\u4e2d\u5efa\u8bae\u9879"}]},Select:{List:[{param:"multiple",instruction:"\u662f\u5426\u591a\u9009",type:"boolean",optional:"\u2014",defaultvalue:"false"},{param:"disabled",instruction:"\u662f\u5426\u7981\u7528",type:"boolean",optional:"\u2014",defaultvalue:"false"},{param:"clearable",instruction:"\u5355\u9009\u65f6\u662f\u5426\u53ef\u4ee5\u6e05\u7a7a\u9009\u9879",type:"boolean",optional:"\u2014",defaultvalue:"false"},{param:"name",instruction:"select input\u7684name\u5c5e\u6027",type:"string",optional:"\u2014",defaultvalue:"-"},{param:"placeholder",instruction:"\u5360\u4f4d\u7b26",type:"string",optional:"\u2014",defaultvalue:"\u8bf7\u9009\u62e9"},{param:"filterable",instruction:"\u662f\u5426\u53ef\u641c\u7d22",type:"boolean",optional:"\u2014",defaultvalue:"false"},{param:"filterMethod",instruction:"\u81ea\u5b9a\u4e49\u8fc7\u6ee4\u65b9\u6cd5",type:"function",optional:"\u2014",defaultvalue:"-"},{param:"remote",instruction:"\u662f\u5426\u4e3a\u8fdc\u7a0b\u641c\u7d22",type:"boolean",optional:"\u2014",defaultvalue:"false"},{param:"remoteMethod",instruction:"\u8fdc\u7a0b\u641c\u7d22\u65b9\u6cd5",type:"function",optional:"\u2014",defaultvalue:"-"},{param:"loading",instruction:"\u662f\u5426\u6b63\u5728\u4ece\u8fdc\u7a0b\u83b7\u53d6\u6570\u636e",type:"boolean",optional:"\u2014",defaultvalue:"false"}],Events:[{eventName:"onChange",instruction:"\u9009\u4e2d\u503c\u53d1\u751f\u53d8\u5316\u65f6\u89e6\u53d1",callbackParam:"\u76ee\u524d\u7684\u9009\u4e2d\u503c"},{eventName:"onVisibleChange",instruction:"\u4e0b\u62c9\u6846\u51fa\u73b0/\u9690\u85cf\u65f6\u89e6\u53d1",callbackParam:"\u51fa\u73b0\u5219\u4e3a true\uff0c\u9690\u85cf\u5219\u4e3a false"},{eventName:"onRemoveTag",instruction:"\u591a\u9009\u6a21\u5f0f\u4e0b\u79fb\u9664tag\u65f6\u89e6\u53d1",callbackParam:"\u79fb\u9664\u7684tag\u503c"},{eventName:"onClear",instruction:"\u53ef\u6e05\u7a7a\u7684\u5355\u9009\u6a21\u5f0f\u4e0b\u7528\u6237\u70b9\u51fb\u6e05\u7a7a\u6309\u94ae\u65f6\u89e6\u53d1",callbackParam:"-"}]},Option:{List:[{param:"value",instruction:"\u9009\u9879\u7684\u503c",type:"string/number/object",optional:"\u2014",defaultvalue:"\u2014"},{param:"label",instruction:"\u9009\u9879\u7684\u6807\u7b7e\uff0c\u82e5\u4e0d\u8bbe\u7f6e\u5219\u9ed8\u8ba4\u4e0e value \u76f8\u540c",type:"string/number",optional:"\u2014",defaultvalue:"\u2014"},{param:"disabled",instruction:"\u662f\u5426\u7981\u7528\u8be5\u9009\u9879",type:"boolean",optional:"\u2014",defaultvalue:"false"}]},OptionGroup:{List:[{param:"label",instruction:"\u5206\u7ec4\u7684\u7ec4\u540d",type:"string",optional:"\u2014",defaultvalue:"\u2014"},{param:"disabled",instruction:"\u662f\u5426\u5c06\u8be5\u5206\u7ec4\u4e0b\u6240\u6709\u9009\u9879\u7f6e\u4e3a\u7981\u7528",type:"boolean",optional:"\u2014",defaultvalue:"false"}]},Switch:{List:[{param:"disabled",instruction:"\u662f\u5426\u7981\u7528",type:"boolean",optional:"\u2014",defaultvalue:"false"},{param:"width",instruction:"switch \u7684\u5bbd\u5ea6\uff08\u50cf\u7d20\uff09",type:"number",optional:"\u2014",defaultvalue:"58\uff08\u6709\u6587\u5b57\uff09/ 46\uff08\u65e0\u6587\u5b57\uff09"},{param:"onIconClass",instruction:"switch \u6253\u5f00\u65f6\u6240\u663e\u793a\u56fe\u6807\u7684\u7c7b\u540d\uff0c",type:"\u2014",optional:"\u2014",defaultvalue:"-"},{param:"\u8bbe\u7f6e\u6b64\u9879\u4f1a\u5ffd\u7565 onText",instruction:"string",type:"\u2014",optional:"\u2014",defaultvalue:"-"},{param:"offIconClass",instruction:"switch \u5173\u95ed\u65f6\u6240\u663e\u793a\u56fe\u6807\u7684\u7c7b\u540d\uff0c",type:"\u2014",optional:"\u2014",defaultvalue:"-"},{param:"\u8bbe\u7f6e\u6b64\u9879\u4f1a\u5ffd\u7565 offText",instruction:"string",type:"\u2014",optional:"\u2014",defaultvalue:"-"},{param:"onText",instruction:"switch \u6253\u5f00\u65f6\u7684\u6587\u5b57",type:"string",optional:"\u2014",defaultvalue:"ON"},{param:"offText",instruction:"switch \u5173\u95ed\u65f6\u7684\u6587\u5b57",type:"string",optional:"\u2014",defaultvalue:"OFF"},{param:"onValue",instruction:"switch \u6253\u5f00\u65f6\u7684\u503c",type:"boolean / string / number",optional:"\u2014",defaultvalue:"true"},{param:"offValue",instruction:"switch \u5173\u95ed\u65f6\u7684\u503c",type:"boolean / string / number",optional:"\u2014",defaultvalue:"false"},{param:"onColor",instruction:"switch \u6253\u5f00\u65f6\u7684\u80cc\u666f\u8272",type:"string",optional:"\u2014",defaultvalue:"#20A0FF"},{param:"offColor",instruction:"switch \u5173\u95ed\u65f6\u7684\u80cc\u666f\u8272",type:"string",optional:"\u2014",defaultvalue:"#C0CCDA"},{param:"name",instruction:"switch \u5bf9\u5e94\u7684 name \u5c5e\u6027",type:"string",optional:"\u2014",defaultvalue:"\u2014"},{param:"allowFocus",instruction:"\u5141\u8bb8 switch \u89e6\u53d1 focus \u548c blur \u4e8b\u4ef6",type:"boolean",optional:"boolean",defaultvalue:"\u2014"}],Events:[{eventName:"onChange",instruction:"switch \u72b6\u6001\u53d1\u751f\u53d8\u5316\u65f6\u7684\u56de\u8c03\u51fd\u6570",callbackParam:"value"},{eventName:"onBlur",instruction:"switch \u5931\u53bb\u7126\u70b9\u65f6\u89e6\u53d1\uff0c\u4ec5\u5f53 allow-focus \u4e3a true \u65f6\u751f\u6548",callbackParam:"event: Event"},{eventName:"onFocus",instruction:"switch \u83b7\u5f97\u7126\u70b9\u65f6\u89e6\u53d1\uff0c\u4ec5\u5f53 allow-focus \u4e3a true \u65f6\u751f\u6548",callbackParam:"event: Event"}]},DateTimePickerCommon:{List:[{param:"disabled",instruction:"\u662f\u5426\u7981\u7528",type:"boolean",optional:"\u2014",defaultvalue:"false"},{param:"width",instruction:"switch \u7684\u5bbd\u5ea6\uff08\u50cf\u7d20\uff09",type:"number",optional:"\u2014",defaultvalue:"58\uff08\u6709\u6587\u5b57\uff09/ 46\uff08\u65e0\u6587\u5b57\uff09"},{param:"onIconClass",instruction:"switch \u6253\u5f00\u65f6\u6240\u663e\u793a\u56fe\u6807\u7684\u7c7b\u540d\uff0c",type:"\u2014",optional:"\u2014",defaultvalue:"\u2014"},{param:"\u8bbe\u7f6e\u6b64\u9879\u4f1a\u5ffd\u7565 onText",instruction:"string",type:"\u2014",optional:"\u2014",defaultvalue:"\u2014"},{param:"offIconClass",instruction:"switch \u5173\u95ed\u65f6\u6240\u663e\u793a\u56fe\u6807\u7684\u7c7b\u540d\uff0c",type:"\u2014",optional:"\u2014",defaultvalue:"\u2014"},{param:"\u8bbe\u7f6e\u6b64\u9879\u4f1a\u5ffd\u7565 offText",instruction:"string",type:"\u2014",optional:"\u2014",defaultvalue:"\u2014"},{param:"placeholder",instruction:"\u5360\u4f4d\u5185\u5bb9",type:"string",optional:"\u2014",defaultvalue:"\u2014"},{param:"format",instruction:"\u65f6\u95f4\u65e5\u671f\u683c\u5f0f\u5316",type:"string",optional:"\u5e74 yyyy\uff0c\u6708 MM\uff0c\u65e5 dd\uff0c\u5c0f\u65f6 HH\uff0c\u5206 mm\uff0c\u79d2 ss",defaultvalue:"yyyy-MM-dd"},{param:"align",instruction:"\u5bf9\u9f50\u65b9\u5f0f",type:"string",optional:"left, center, right",defaultvalue:"left"},{param:"isShowTrigger",instruction:"\u662f\u5426\u663e\u793a\u56fe\u6807",type:"boolean",optional:"-",defaultvalue:"true"},{param:"isReadOnly",instruction:"\u662f\u5426\u662f\u53ea\u8bfb",type:"boolean",optional:"-",defaultvalue:"false"},{param:"isDisabled",instruction:"\u662f\u5426\u662f\u7981\u7528",type:"boolean",optional:"-",defaultvalue:"false"},{param:"isShowTime",instruction:"\u662f\u5426\u663e\u793a\u65f6\u95f4",type:"boolean",optional:"-",defaultvalue:"false"},{param:"firstDayOfWeek",instruction:"\u5468\u8d77\u59cb\u65e5",type:"Number",optional:"0 \u5230 6",defaultvalue:"0"},{param:"onFocus",instruction:"focus \u4e8b\u4ef6\u89e6\u53d1",type:"(SyntheticEvent)=>()",optional:"-",defaultvalue:"-"},{param:"onBlur",instruction:"blur \u4e8b\u4ef6\u89e6\u53d1",type:"(SyntheticEvent)=>()",optional:"-",defaultvalue:"-"}]},DatePicker:{List:[{param:"value",instruction:"-",type:"Date/null",optional:"\u2014",defaultvalue:"-"},{param:"shortcuts",instruction:"\u5feb\u6377\u9009\u9879",type:"{text: string, onClick: ()=>()}[]",optional:"-",defaultvalue:"-"},{param:"selectionMode",instruction:"\u65e5\u671f\u7c7b\u578b",type:"string, one of ['year', 'month', 'week', 'day']",optional:"-",defaultvalue:"'day'"},{param:"disabledDate",instruction:"\u662f\u5426\u7981\u7528\u65e5\u671f",type:"(Date, selectionMode)=>boolean",optional:"-",defaultvalue:"-"},{param:"showWeekNumber",instruction:"\u662f\u5426\u5c55\u793a\u5468\u6570",type:"boolean",optional:"-",defaultvalue:"false"}]},DateRangePanel:{List:[{param:"value",instruction:"-",type:"Date[]/null",optional:"\u2014",defaultvalue:"-"},{param:"shortcuts",instruction:"\u5feb\u6377\u9009\u9879",type:"{text: string, onClick: ()=>()}[]",optional:"-",defaultvalue:"-"},{param:"showWeekNumber",instruction:"\u662f\u5426\u5c55\u793a\u5468\u6570",type:"boolean",optional:"-",defaultvalue:"false"},{param:"rangeSeparator",instruction:"\u9009\u62e9\u8303\u56f4\u65f6\u7684\u5206\u9694\u7b26",type:"string",optional:"-",defaultvalue:" - "}]},TimeSelect:{List:[{param:"value",instruction:"\u503c",type:"date/null",optional:"\u2014",defaultvalue:"-"},{param:"start",instruction:"\u5f00\u59cb\u65f6\u95f4",type:"string",optional:"\u2014",defaultvalue:"09:00"},{param:"end",instruction:"\u7ed3\u675f\u65f6\u95f4",type:"string",optional:"\u2014",defaultvalue:"18:00"},{param:"step",instruction:"\u95f4\u9694\u65f6\u95f4",type:"string",optional:"\u2014",defaultvalue:"00:30"},{param:"minTime",instruction:"\u6700\u5c0f\u65f6\u95f4",type:"date",optional:"\u2014",defaultvalue:"-"},{param:"maxTime",instruction:"\u6700\u5927\u65f6\u95f4",type:"date",optional:"\u2014",defaultvalue:"-"}]},TimePicker:{List:[{param:"value",instruction:"\u503c",type:"date/null",optional:"\u2014",defaultvalue:"-"},{param:"selectableRange",instruction:"\u53ef\u9009\u65f6\u95f4\u6bb5\uff0c\u4f8b\u5982'18:30:00 - 20:30:00'\u6216\u8005\u4f20\u5165\u6570\u7ec4['09:30:00 - 12:00:00', '14:30:00 - 18:30:00']",type:"string/string[]",optional:"\u2014",defaultvalue:"\u2014"}]},TimeRangePicker:{List:[{param:"value",instruction:"\u503c",type:"date[]/null",optional:"\u2014",defaultvalue:"-"},{param:"selectableRange",instruction:"\u53ef\u9009\u65f6\u95f4\u6bb5\uff0c\u4f8b\u5982'18:30:00 - 20:30:00'\u6216\u8005\u4f20\u5165\u6570\u7ec4['09:30:00 - 12:00:00', '14:30:00 - 18:30:00']",type:"string/string[]",optional:"\u2014",defaultvalue:"\u2014"},{param:"rangeSeparator",instruction:"\u9009\u62e9\u8303\u56f4\u65f6\u7684\u5206\u9694\u7b26",type:"string",optional:"-",defaultvalue:"'- "}]},Upload:{List:[{param:"action",instruction:"\u5fc5\u9009\u53c2\u6570, \u4e0a\u4f20\u7684\u5730\u5740",type:"string",optional:"\u2014",defaultvalue:"\u2014"},{param:"headers",instruction:"\u53ef\u9009\u53c2\u6570, \u8bbe\u7f6e\u4e0a\u4f20\u7684\u8bf7\u6c42\u5934\u90e8",type:"object",optional:"\u2014",defaultvalue:"\u2014"},{param:"multiple",instruction:"\u53ef\u9009\u53c2\u6570, \u662f\u5426\u652f\u6301\u591a\u9009\u6587\u4ef6",type:"boolean",optional:"\u2014",defaultvalue:"\u2014"},{param:"data",instruction:"\u53ef\u9009\u53c2\u6570, \u4e0a\u4f20\u65f6\u9644\u5e26\u7684\u989d\u5916\u53c2\u6570",type:"object",optional:"\u2014",defaultvalue:"\u2014"},{param:"name",instruction:"\u53ef\u9009\u53c2\u6570, \u4e0a\u4f20\u7684\u6587\u4ef6\u5b57\u6bb5\u540d",type:"string",optional:"\u2014",defaultvalue:"file"},{param:"withCredentials",instruction:"\u652f\u6301\u53d1\u9001 cookie \u51ed\u8bc1\u4fe1\u606f",type:"boolean",optional:"\u2014",defaultvalue:"false"},{param:"showFileList",instruction:"\u662f\u5426\u663e\u793a\u5df2\u4e0a\u4f20\u6587\u4ef6\u5217\u8868",type:"boolean",optional:"\u2014",defaultvalue:"true"},{param:"drag",instruction:"\u53ef\u9009\u53c2\u6570\uff0c\u662f\u5426\u652f\u6301\u62d6\u62fd",type:"boolean",optional:"-",defaultvalue:"-"},{param:"accept",instruction:"\u53ef\u9009\u53c2\u6570, \u63a5\u53d7\u4e0a\u4f20\u7684\u6587\u4ef6\u7c7b\u578b\uff08thumbnailMode \u6a21\u5f0f\u4e0b\u6b64\u53c2\u6570\u65e0\u6548\uff09",type:"string",optional:"\u2014",defaultvalue:"\u2014"},{param:"onPreview",instruction:"\u53ef\u9009\u53c2\u6570, \u70b9\u51fb\u5df2\u4e0a\u4f20\u7684\u6587\u4ef6\u94fe\u63a5\u65f6\u7684\u94a9\u5b50, \u53ef\u4ee5\u901a\u8fc7 file.response \u62ff\u5230\u670d\u52a1\u7aef\u8fd4\u56de\u6570\u636e",type:"function(file)",optional:"\u2014",defaultvalue:"\u2014"},{param:"onRemove",instruction:"\u53ef\u9009\u53c2\u6570, \u6587\u4ef6\u5217\u8868\u79fb\u9664\u6587\u4ef6\u65f6\u7684\u94a9\u5b50",type:"function(file, fileList)",optional:"\u2014",defaultvalue:"\u2014"},{param:"onSuccess",instruction:"\u53ef\u9009\u53c2\u6570, \u6587\u4ef6\u4e0a\u4f20\u6210\u529f\u65f6\u7684\u94a9\u5b50",type:"function(response, file, fileList)",optional:"\u2014",defaultvalue:"\u2014"},{param:"onError",instruction:"\u53ef\u9009\u53c2\u6570, \u6587\u4ef6\u4e0a\u4f20\u5931\u8d25\u65f6\u7684\u94a9\u5b50",type:"function(err, file, fileList)",optional:"\u2014",defaultvalue:"\u2014"},{param:"onProgress",instruction:"\u53ef\u9009\u53c2\u6570, \u6587\u4ef6\u4e0a\u4f20\u65f6\u7684\u94a9\u5b50",type:"function(event, file, fileList)",optional:"\u2014",defaultvalue:"\u2014"},{param:"onChange",instruction:"\u53ef\u9009\u53c2\u6570, \u6587\u4ef6\u72b6\u6001\u6539\u53d8\u65f6\u7684\u94a9\u5b50\uff0c\u4e0a\u4f20\u6210\u529f\u6216\u8005\u5931\u8d25\u65f6\u90fd\u4f1a\u88ab\u8c03\u7528",type:"function(file, fileList)",optional:"\u2014",defaultvalue:"\u2014"},{param:"beforeUpload",instruction:"\u53ef\u9009\u53c2\u6570, \u4e0a\u4f20\u6587\u4ef6\u4e4b\u524d\u7684\u94a9\u5b50\uff0c\u53c2\u6570\u4e3a\u4e0a\u4f20\u7684\u6587\u4ef6\uff0c\u82e5\u8fd4\u56de false \u6216\u8005 Promise \u5219\u505c\u6b62\u4e0a\u4f20\u3002",type:"function(file)",optional:"\u2014",defaultvalue:"\u2014"},{param:"listType",instruction:"\u6587\u4ef6\u5217\u8868\u7684\u7c7b\u578b",type:"string",optional:"text/picture/picture-card",defaultvalue:"text"},{param:"autoUpload",instruction:"\u662f\u5426\u5728\u9009\u53d6\u6587\u4ef6\u540e\u7acb\u5373\u8fdb\u884c\u4e0a\u4f20",type:"boolean",optional:"\u2014",defaultvalue:"true"},{param:"fileList",instruction:"\u4e0a\u4f20\u7684\u6587\u4ef6\u5217\u8868, \u4f8b\u5982: [{name: 'food.jpeg', url: 'https://fuss10.elemecdn.com/3/63/4e7f3a15429bfda99bce42a18cdd1jpeg.jpeg'}]",type:"array",optional:"\u2014",defaultvalue:"[]"}],Method:[{methodName:"clearFiles",instruction:"\u6e05\u7a7a\u5df2\u4e0a\u4f20\u7684\u6587\u4ef6\u5217\u8868",methodParam:"\u2014"}]},Table:{List:[{param:"data",instruction:"\u663e\u793a\u7684\u6570\u636e",type:"array",optional:"\u2014",defaultvalue:"\u2014"},{param:"height",instruction:"table \u7684\u9ad8\u5ea6\uff0c\u9ed8\u8ba4\u9ad8\u5ea6\u4e3a\u7a7a\uff0c\u5373\u81ea\u52a8\u9ad8\u5ea6\uff0c\u5355\u4f4d px",type:"string, number",optional:"\u2014",defaultvalue:"\u2014"},{param:"maxHeight",instruction:"Table \u7684\u6700\u5927\u9ad8\u5ea6",type:"string/number",optional:"\u2014",defaultvalue:"\u2014"},{param:"stripe",instruction:"\u662f\u5426\u4e3a\u6591\u9a6c\u7eb9 table",type:"boolean",optional:"\u2014",defaultvalue:"false"},{param:"border",instruction:"\u662f\u5426\u5e26\u6709\u7eb5\u5411\u8fb9\u6846",type:"boolean",optional:"\u2014",defaultvalue:"false"},{param:"fit",instruction:"\u5217\u7684\u5bbd\u5ea6\u662f\u5426\u81ea\u6491\u5f00",type:"boolean",optional:"\u2014",defaultvalue:"true"},{param:"showHeader",instruction:"\u662f\u5426\u663e\u793a\u8868\u5934",type:"boolean",optional:"\u2014",defaultvalue:"true"},{param:"highlightCurrentRow",instruction:"\u662f\u5426\u8981\u9ad8\u4eae\u5f53\u524d\u884c",type:"boolean",optional:"\u2014",defaultvalue:"false"},{param:"currentRowKey",instruction:"\u5f53\u524d\u884c\u7684 key\uff0c\u53ea\u5199\u5c5e\u6027",type:"String,Number",optional:"\u2014",defaultvalue:"\u2014"},{param:"rowClassName",instruction:"\u884c\u7684 className \u7684\u56de\u8c03\u3002",type:"Function(row, index)",optional:"-",defaultvalue:"-"},{param:"rowStyle",instruction:"\u884c\u7684 style \u7684\u56de\u8c03\u65b9\u6cd5\uff0c\u4e5f\u53ef\u4ee5\u4f7f\u7528\u4e00\u4e2a\u56fa\u5b9a\u7684 Object \u4e3a\u6240\u6709\u884c\u8bbe\u7f6e\u4e00\u6837\u7684 Style\u3002",type:"Function(row, index)/Object",optional:"\u2014",defaultvalue:"\u2014"},{param:"rowKey",instruction:"\u884c\u6570\u636e\u7684 Key\uff0c\u7528\u6765\u4f18\u5316 Table \u7684\u6e32\u67d3\uff1b\u5728\u4f7f\u7528 reserveSelection \u529f\u80fd\u7684\u60c5\u51b5\u4e0b\uff0c\u8be5\u5c5e\u6027\u662f\u5fc5\u586b\u7684\u3002\u7c7b\u578b\u4e3a String \u65f6\uff0c\u652f\u6301\u591a\u5c42\u8bbf\u95ee\uff1auser.info.id\uff0c\u4f46\u4e0d\u652f\u6301 user.info[0].id\uff0c\u6b64\u79cd\u60c5\u51b5\u8bf7\u4f7f\u7528 Function\u3002",type:"Function(row)/String",optional:"\u2014",defaultvalue:"\u2014"},{param:"emptyText",instruction:"\u7a7a\u6570\u636e\u65f6\u663e\u793a\u7684\u6587\u672c\u5185\u5bb9",type:"String",optional:"-",defaultvalue:"-"},{param:"defaultExpandAll",instruction:"\u662f\u5426\u9ed8\u8ba4\u5c55\u5f00\u6240\u6709\u884c\uff0c\u5f53 Table \u4e2d\u5b58\u5728 type=expand \u7684 Column \u7684\u65f6\u5019\u6709\u6548",type:"Boolean",optional:"\u2014",defaultvalue:"false"},{param:"expandRowKeys",instruction:"\u53ef\u4ee5\u901a\u8fc7\u8be5\u5c5e\u6027\u8bbe\u7f6e Table \u76ee\u524d\u7684\u5c55\u5f00\u884c\uff0c\u9700\u8981\u8bbe\u7f6e row-key \u5c5e\u6027\u624d\u80fd\u4f7f\u7528\uff0c\u8be5\u5c5e\u6027\u4e3a\u5c55\u5f00\u884c\u7684 keys \u6570\u7ec4\u3002",type:"Array",optional:"\u2014",defaultvalue:"-"},{param:"defaultSort",instruction:"\u9ed8\u8ba4\u7684\u6392\u5e8f\u5217\u7684prop\u548c\u987a\u5e8f\u3002\u5b83\u7684prop\u5c5e\u6027\u6307\u5b9a\u9ed8\u8ba4\u7684\u6392\u5e8f\u7684\u5217\uff0corder\u6307\u5b9a\u9ed8\u8ba4\u6392\u5e8f\u7684\u987a\u5e8f",type:"Object",optional:"order: ascending, descending",defaultvalue:"\u5982\u679c\u53ea\u6307\u5b9a\u4e86prop, \u6ca1\u6709\u6307\u5b9aorder, \u5219\u9ed8\u8ba4\u987a\u5e8f\u662fascending"},{param:"showSummary",instruction:"\u662f\u5426\u5728\u8868\u5c3e\u663e\u793a\u5408\u8ba1\u884c",type:"Boolean",optional:"-",defaultvalue:"false"},{param:"sumText",instruction:"\u5408\u8ba1\u884c\u7b2c\u4e00\u5217\u7684\u6587\u672c",type:"String",optional:"-",defaultvalue:"\u5408\u8ba1"},{param:"summeryMethod",instruction:"\u81ea\u5b9a\u4e49\u7684\u5408\u8ba1\u8ba1\u7b97\u65b9\u6cd5",type:"Function({ columns, data })",optional:"-",defaultvalue:"-"}],Events:[{eventName:"onSelect",instruction:"\u5f53\u7528\u6237\u624b\u52a8\u52fe\u9009\u6570\u636e\u884c\u7684 Checkbox \u65f6\u89e6\u53d1\u7684\u4e8b\u4ef6",callbackParam:"selection, row"},{eventName:"onSelectAll",instruction:"\u5f53\u7528\u6237\u624b\u52a8\u52fe\u9009\u5168\u9009 Checkbox \u65f6\u89e6\u53d1\u7684\u4e8b\u4ef6",callbackParam:"selection"},{eventName:"onSelectChange",instruction:"\u5f53\u9009\u62e9\u9879\u53d1\u751f\u53d8\u5316\u65f6\u4f1a\u89e6\u53d1\u8be5\u4e8b\u4ef6",callbackParam:"selection"},{eventName:"onCellMouseEnter",instruction:"\u5f53\u5355\u5143\u683c hover \u8fdb\u5165\u65f6\u4f1a\u89e6\u53d1\u8be5\u4e8b\u4ef6",callbackParam:"row, column, cell, event"},{eventName:"onCellMouseLeave",instruction:"\u5f53\u5355\u5143\u683c hover \u9000\u51fa\u65f6\u4f1a\u89e6\u53d1\u8be5\u4e8b\u4ef6",callbackParam:"row, column, cell, event"},{eventName:"onCellClick",instruction:"\u5f53\u67d0\u4e2a\u5355\u5143\u683c\u88ab\u70b9\u51fb\u65f6\u4f1a\u89e6\u53d1\u8be5\u4e8b\u4ef6",callbackParam:"row, column, cell, event"},{eventName:"onCellDbClick",instruction:"\u5f53\u67d0\u4e2a\u5355\u5143\u683c\u88ab\u53cc\u51fb\u51fb\u65f6\u4f1a\u89e6\u53d1\u8be5\u4e8b\u4ef6",callbackParam:"row, column, cell, event"},{eventName:"onRowClick",instruction:"\u5f53\u67d0\u4e00\u884c\u88ab\u70b9\u51fb\u65f6\u4f1a\u89e6\u53d1\u8be5\u4e8b\u4ef6",callbackParam:"row, event, column"},{eventName:"onRowContextMenu",instruction:"\u5f53\u67d0\u4e00\u884c\u88ab\u9f20\u6807\u53f3\u952e\u70b9\u51fb\u65f6\u4f1a\u89e6\u53d1\u8be5\u4e8b\u4ef6",callbackParam:"row, event"},{eventName:"onRowDbClick",instruction:"\u5f53\u67d0\u4e00\u884c\u88ab\u53cc\u51fb\u65f6\u4f1a\u89e6\u53d1\u8be5\u4e8b\u4ef6",callbackParam:"row, event"},{eventName:"onHeaderClick",instruction:"\u5f53\u67d0\u4e00\u5217\u7684\u8868\u5934\u88ab\u70b9\u51fb\u65f6\u4f1a\u89e6\u53d1\u8be5\u4e8b\u4ef6",callbackParam:"column, event"},{eventName:"onSortChange",instruction:"\u5f53\u8868\u683c\u7684\u6392\u5e8f\u6761\u4ef6\u53d1\u751f\u53d8\u5316\u7684\u65f6\u5019\u4f1a\u89e6\u53d1\u8be5\u4e8b\u4ef6",callbackParam:"{ column, prop, order }"},{eventName:"onFilterChange",instruction:"\u5f53\u8868\u683c\u7684\u7b5b\u9009\u6761\u4ef6\u53d1\u751f\u53d8\u5316\u7684\u65f6\u5019\u4f1a\u89e6\u53d1\u8be5\u4e8b\u4ef6\uff0c\u53c2\u6570\u7684\u503c\u662f\u4e00\u4e2a\u5bf9\u8c61\uff0c\u5bf9\u8c61\u7684 key \u662f column \u7684 columnKey\uff0c\u5bf9\u5e94\u7684 value \u4e3a\u7528\u6237\u9009\u62e9\u7684\u7b5b\u9009\u6761\u4ef6\u7684\u6570\u7ec4\u3002",callbackParam:"filters"},{eventName:"onCurrentChange",instruction:"\u5f53\u8868\u683c\u7684\u5f53\u524d\u884c\u53d1\u751f\u53d8\u5316\u7684\u65f6\u5019\u4f1a\u89e6\u53d1\u8be5\u4e8b\u4ef6\uff0c\u5982\u679c\u8981\u9ad8\u4eae\u5f53\u524d\u884c\uff0c\u8bf7\u6253\u5f00\u8868\u683c\u7684 highlight-current-row \u5c5e\u6027",callbackParam:"currentRow, oldCurrentRow"},{eventName:"onHeaderDragEnd",instruction:"\u5f53\u62d6\u52a8\u8868\u5934\u6539\u53d8\u4e86\u5217\u7684\u5bbd\u5ea6\u7684\u65f6\u5019\u4f1a\u89e6\u53d1\u8be5\u4e8b\u4ef6",callbackParam:"newWidth, oldWidth, column, event"},{eventName:"onExpand",instruction:"\u5f53\u7528\u6237\u5bf9\u67d0\u4e00\u884c\u5c55\u5f00\u6216\u8005\u5173\u95ed\u7684\u4e0a\u4f1a\u89e6\u53d1\u8be5\u4e8b\u4ef6",callbackParam:"row, expanded"}],Method:[{methodName:"clearSelection",instruction:"\u6e05\u7a7a\u7528\u6237\u7684\u9009\u62e9\uff0c\u5f53\u4f7f\u7528 reserve-selection \u529f\u80fd\u7684\u65f6\u5019\uff0c\u53ef\u80fd\u4f1a\u9700\u8981\u4f7f\u7528\u6b64\u65b9\u6cd5",methodParam:"selection"},{methodName:"toggleRowSelection",instruction:"\u7528\u4e8e\u591a\u9009\u8868\u683c\uff0c\u5207\u6362\u67d0\u4e00\u884c\u7684\u9009\u4e2d\u72b6\u6001\uff0c\u5982\u679c\u4f7f\u7528\u4e86\u7b2c\u4e8c\u4e2a\u53c2\u6570\uff0c\u5219\u662f\u8bbe\u7f6e\u8fd9\u4e00\u884c\u9009\u4e2d\u4e0e\u5426\uff08selected \u4e3a true \u5219\u9009\u4e2d\uff09",methodParam:"row, selected"},{methodName:"setCurrentRow",instruction:"\u7528\u4e8e\u5355\u9009\u8868\u683c\uff0c\u8bbe\u5b9a\u67d0\u4e00\u884c\u4e3a\u9009\u4e2d\u884c\uff0c\u5982\u679c\u8c03\u7528\u65f6\u4e0d\u52a0\u53c2\u6570\uff0c\u5219\u4f1a\u53d6\u6d88\u76ee\u524d\u9ad8\u4eae\u884c\u7684\u9009\u4e2d\u72b6\u6001\u3002",methodParam:"row"}]},TableColumn:{List:[{param:"type",instruction:"\u5bf9\u5e94\u5217\u7684\u7c7b\u578b\u3002\u5982\u679c\u8bbe\u7f6e\u4e86 selection \u5219\u663e\u793a\u591a\u9009\u6846\uff1b\u5982\u679c\u8bbe\u7f6e\u4e86 index \u5219\u663e\u793a\u8be5\u884c\u7684\u7d22\u5f15\uff08\u4ece 1 \u5f00\u59cb\u8ba1\u7b97\uff09\uff1b\u5982\u679c\u8bbe\u7f6e\u4e86 expand \u5219\u663e\u793a\u4e3a\u4e00\u4e2a\u53ef\u5c55\u5f00\u7684\u6309\u94ae",type:"string",optional:"selection/index/expand",defaultvalue:"\u2014"},{param:"columnKey",instruction:"column \u7684 key\uff0c\u5982\u679c\u9700\u8981\u4f7f\u7528 oFilterChange \u4e8b\u4ef6\uff0c\u5219\u9700\u8981\u6b64\u5c5e\u6027\u6807\u8bc6\u662f\u54ea\u4e2a column \u7684\u7b5b\u9009\u6761\u4ef6",type:"string",optional:"\u2014",defaultvalue:"\u2014"},{param:"label",instruction:"\u663e\u793a\u7684\u6807\u9898",type:"string",optional:"\u2014",defaultvalue:"\u2014"},{param:"prop",instruction:"\u5bf9\u5e94\u5217\u5185\u5bb9\u7684\u5b57\u6bb5\u540d\uff0c\u4e5f\u53ef\u4ee5\u4f7f\u7528 property \u5c5e\u6027",type:"string",optional:"\u2014",defaultvalue:"\u2014"},{param:"width",instruction:"\u5bf9\u5e94\u5217\u7684\u5bbd\u5ea6",type:"string",optional:"\u2014",defaultvalue:"\u2014"},{param:"minWidth",instruction:"\u5bf9\u5e94\u5217\u7684\u6700\u5c0f\u5bbd\u5ea6\uff0c\u4e0e width \u7684\u533a\u522b\u662f width \u662f\u56fa\u5b9a\u7684\uff0cmin-width \u4f1a\u628a\u5269\u4f59\u5bbd\u5ea6\u6309\u6bd4\u4f8b\u5206\u914d\u7ed9\u8bbe\u7f6e\u4e86 min-width \u7684\u5217",type:"string",optional:"\u2014",defaultvalue:"\u2014"},{param:"fixed",instruction:"\u5217\u662f\u5426\u56fa\u5b9a\u5728\u5de6\u4fa7\u6216\u8005\u53f3\u4fa7\uff0ctrue \u8868\u793a\u56fa\u5b9a\u5728\u5de6\u4fa7",type:"string, boolean",optional:"true, left, right",defaultvalue:"-"},{param:"render",instruction:"\u81ea\u5b9a\u4e49\u6e32\u67d3\u4f7f\u7528\u7684 Function",type:"Function(row, column, index)",optional:"\u2014",defaultvalue:"\u2014"},{param:"renderHeader",instruction:"\u5217\u6807\u9898 Label \u533a\u57df\u6e32\u67d3\u4f7f\u7528\u7684 Function",type:"Function(column)",optional:"\u2014",defaultvalue:"\u2014"},{param:"sortable",instruction:"\u5bf9\u5e94\u5217\u662f\u5426\u53ef\u4ee5\u6392\u5e8f\uff0c\u5982\u679c\u8bbe\u7f6e\u4e3a 'custom'\uff0c\u5219\u4ee3\u8868\u7528\u6237\u5e0c\u671b\u8fdc\u7a0b\u6392\u5e8f\uff0c\u9700\u8981\u76d1\u542c Table \u7684 sort-change \u4e8b\u4ef6",type:"boolean, string",optional:"true, false, 'custom'",defaultvalue:"false"},{param:"sortMethod",instruction:"\u5bf9\u6570\u636e\u8fdb\u884c\u6392\u5e8f\u7684\u65f6\u5019\u4f7f\u7528\u7684\u65b9\u6cd5\uff0c\u4ec5\u5f53 sortable \u8bbe\u7f6e\u4e3a true \u7684\u65f6\u5019\u6709\u6548",type:"Function(a, b)",optional:"-",defaultvalue:"-"},{param:"resizable",instruction:"\u5bf9\u5e94\u5217\u662f\u5426\u53ef\u4ee5\u901a\u8fc7\u62d6\u52a8\u6539\u53d8\u5bbd\u5ea6\uff08\u5982\u679c\u9700\u8981\u5728 el-table \u4e0a\u8bbe\u7f6e border \u5c5e\u6027\u4e3a\u771f\uff09",type:"boolean",optional:"\u2014",defaultvalue:"true"},{param:"align",instruction:"\u5bf9\u9f50\u65b9\u5f0f",type:"String",optional:"left, center, right",defaultvalue:"left"},{param:"headerAlign",instruction:"\u8868\u5934\u5bf9\u9f50\u65b9\u5f0f\uff0c\u82e5\u4e0d\u8bbe\u7f6e\u8be5\u9879\uff0c\u5219\u4f7f\u7528\u8868\u683c\u7684\u5bf9\u9f50\u65b9\u5f0f",type:"String",optional:"left/center/right",defaultvalue:"\u2014"},{param:"className",instruction:"\u5217\u7684 className",type:"string",optional:"\u2014",defaultvalue:"\u2014"},{param:"labelClassName",instruction:"\u5f53\u524d\u5217\u6807\u9898\u7684\u81ea\u5b9a\u4e49\u7c7b\u540d",type:"string",optional:"\u2014",defaultvalue:"\u2014"},{param:"selectable",instruction:"\u4ec5\u5bf9 type=selection \u7684\u5217\u6709\u6548\uff0c\u7c7b\u578b\u4e3a Function\uff0cFunction \u7684\u8fd4\u56de\u503c\u7528\u6765\u51b3\u5b9a\u8fd9\u4e00\u884c\u7684 CheckBox \u662f\u5426\u53ef\u4ee5\u52fe\u9009",type:"Function(row, index)",optional:"\u2014",defaultvalue:"\u2014"},{param:"reserveSelection",instruction:"\u4ec5\u5bf9 type=selection \u7684\u5217\u6709\u6548\uff0c\u7c7b\u578b\u4e3a Boolean\uff0c\u4e3a true \u5219\u4ee3\u8868\u4f1a\u4fdd\u7559\u4e4b\u524d\u6570\u636e\u7684\u9009\u9879\uff0c\u9700\u8981\u914d\u5408 Table \u7684 clearSelection \u65b9\u6cd5\u4f7f\u7528\u3002",type:"Boolean",optional:"\u2014",defaultvalue:"false"},{param:"filters",instruction:"\u6570\u636e\u8fc7\u6ee4\u7684\u9009\u9879\uff0c\u6570\u7ec4\u683c\u5f0f\uff0c\u6570\u7ec4\u4e2d\u7684\u5143\u7d20\u9700\u8981\u6709 text \u548c value \u5c5e\u6027\u3002",type:"Array[{ text, value }]",optional:"\u2014",defaultvalue:"\u2014"},{param:"filterPlacement",instruction:"\u8fc7\u6ee4\u5f39\u51fa\u6846\u7684\u5b9a\u4f4d",type:"String",optional:"\u4e0e Tooltip \u7684 placement \u5c5e\u6027\u76f8\u540c",defaultvalue:"\u2014"},{param:"filterMultiple",instruction:"\u6570\u636e\u8fc7\u6ee4\u7684\u9009\u9879\u662f\u5426\u591a\u9009",type:"Boolean",optional:"\u2014",defaultvalue:"true"},{param:"filterMethod",instruction:"\u6570\u636e\u8fc7\u6ee4\u4f7f\u7528\u7684\u65b9\u6cd5\uff0c\u5982\u679c\u662f\u591a\u9009\u7684\u7b5b\u9009\u9879\uff0c\u5bf9\u6bcf\u4e00\u6761\u6570\u636e\u4f1a\u6267\u884c\u591a\u6b21\uff0c\u4efb\u610f\u4e00\u6b21\u8fd4\u56de true \u5c31\u4f1a\u663e\u793a\u3002",type:"Function(value, row)",optional:"\u2014",defaultvalue:"\u2014"},{param:"filteredValue",instruction:"\u9009\u4e2d\u7684\u6570\u636e\u8fc7\u6ee4\u9879\uff0c\u5982\u679c\u9700\u8981\u81ea\u5b9a\u4e49\u8868\u5934\u8fc7\u6ee4\u7684\u6e32\u67d3\u65b9\u5f0f\uff0c\u53ef\u80fd\u4f1a\u9700\u8981\u6b64\u5c5e\u6027\u3002",type:"Array",optional:"\u2014",defaultvalue:"\u2014"}]},Tag:{List:[{param:"type",instruction:"\u4e3b\u9898",type:"string",optional:"'primary', 'gray', 'success', 'warning', 'danger'",defaultvalue:"\u2014"},{param:"closable",instruction:"\u662f\u5426\u53ef\u5173\u95ed",type:"boolean",optional:"\u2014",defaultvalue:"false"},{param:"closeTransition",instruction:"\u662f\u5426\u7981\u7528\u5173\u95ed\u65f6\u7684\u6e10\u53d8\u52a8\u753b",type:"boolean",optional:"\u2014",defaultvalue:"false"},{param:"hit",instruction:"\u662f\u5426\u6709\u8fb9\u6846\u63cf\u8fb9",type:"boolean",optional:"\u2014",defaultvalue:"false"},{param:"color",instruction:"\u80cc\u666f\u8272",type:"string",optional:"\u2014",defaultvalue:"\u2014"}],Events:[{eventName:"onClose",instruction:"\u5173\u95edtag\u65f6\u89e6\u53d1\u7684\u4e8b\u4ef6",callbackParam:"\u2014"}]},Progress:{List:[{param:"percentage",instruction:"\u767e\u5206\u6bd4\uff08\u5fc5\u586b\uff09",type:"number",optional:"0-100",defaultvalue:"0"},{param:"type",instruction:"\u8fdb\u5ea6\u6761\u7c7b\u578b",type:"string",optional:"line/circle",defaultvalue:"line"},{param:"strokeWidth",instruction:"\u8fdb\u5ea6\u6761\u7684\u5bbd\u5ea6\uff0c\u5355\u4f4d px",type:"number",optional:"\u2014",defaultvalue:"6"},{param:"textInside",instruction:"\u8fdb\u5ea6\u6761\u663e\u793a\u6587\u5b57\u5185\u7f6e\u5728\u8fdb\u5ea6\u6761\u5185\uff08\u53ea\u5728 type=line \u65f6\u53ef\u7528\uff09",type:"Boolean",optional:"\u2014",defaultvalue:"false"},{param:"status",instruction:"\u8fdb\u5ea6\u6761\u5f53\u524d\u72b6\u6001",type:"string",optional:"success/exception",defaultvalue:"\u2014"},{param:"width",instruction:"\u73af\u5f62\u8fdb\u5ea6\u6761\u753b\u5e03\u5bbd\u5ea6\uff08\u53ea\u5728 type=circle \u65f6\u53ef\u7528\uff09",type:"number",optional:"-",defaultvalue:"126"},{param:"showText",instruction:"\u662f\u5426\u663e\u793a\u8fdb\u5ea6\u6761\u6587\u5b57\u5185\u5bb9",type:"boolean",optional:"\u2014",defaultvalue:"true"}]},Pagination:{List:[{param:"small",instruction:"\u662f\u5426\u4f7f\u7528\u5c0f\u578b\u5206\u9875\u6837\u5f0f",type:"Boolean",optional:"\u2014",defaultvalue:"false"},{param:"pageSize",instruction:"\u6bcf\u9875\u663e\u793a\u6761\u76ee\u4e2a\u6570",type:"Number",optional:"\u2014",defaultvalue:"10"},{param:"total",instruction:"\u603b\u6761\u76ee\u6570",type:"Number",optional:"\u2014",defaultvalue:"-"},{param:"pageCount",instruction:"\u603b\u9875\u6570\uff0ctotal \u548c pageCount \u8bbe\u7f6e\u4efb\u610f\u4e00\u4e2a\u5c31\u53ef\u4ee5\u8fbe\u5230\u663e\u793a\u9875\u7801\u7684\u529f\u80fd\uff1b\u5982\u679c\u8981\u652f\u6301 pageSizes \u7684\u66f4\u6539\uff0c\u5219\u9700\u8981\u4f7f\u7528 total \u5c5e\u6027",type:"Number",optional:"\u2014",defaultvalue:"-"},{param:"currentPage",instruction:"\u5f53\u524d\u9875\u6570",type:"Number",optional:"\u2014",defaultvalue:"1"},{param:"layout",instruction:"\u7ec4\u4ef6\u5e03\u5c40\uff0c\u5b50\u7ec4\u4ef6\u540d\u7528\u9017\u53f7\u5206\u9694",type:"String",optional:"sizes, prev, pager, next, jumper, ->, total",defaultvalue:"'prev, pager, next, jumper, ->, total'"},{param:"pageSizes",instruction:"\u6bcf\u9875\u663e\u793a\u4e2a\u6570\u9009\u62e9\u5668\u7684\u9009\u9879\u8bbe\u7f6e",type:"Number[]",optional:"\u2014",defaultvalue:"[10, 20, 30, 40, 50, 100]"}],Events:[{eventName:"onSizeChange",instruction:"pageSize \u6539\u53d8\u65f6\u4f1a\u89e6\u53d1",callbackParam:"\u6bcf\u9875\u6761\u6570size"},{eventName:"onCurrentChange",instruction:"currentPage \u6539\u53d8\u65f6\u4f1a\u89e6\u53d1",callbackParam:"\u5f53\u524d\u9875currentPage"}]},Loading:{List:[{param:"fullscreen",instruction:"\u662f\u5426\u5168\u5c4f\u663e\u793a",type:"bool",optional:"-",defaultvalue:"false"},{param:"text",instruction:"\u81ea\u5b9a\u4e49\u52a0\u8f7d\u6587\u6848",type:"string",optional:"-",defaultvalue:"-"},{param:"loading",instruction:"\u63a7\u5236\u52a0\u8f7d\u9875\u663e\u793a",type:"bool",optional:"-",defaultvalue:"true"}]},Message:{Options:[{param:"message",instruction:"\u6d88\u606f\u6587\u5b57",type:"string/ReactElement",optional:"\u2014",defaultvalue:"\u2014"},{param:"type",instruction:"\u4e3b\u9898",type:"string",optional:"success/warning/info/error",defaultvalue:"info"},{param:"iconClass",instruction:"\u81ea\u5b9a\u4e49\u56fe\u6807\u7684\u7c7b\u540d\uff0c\u4f1a\u8986\u76d6 type",type:"string",optional:"\u2014",defaultvalue:"\u2014"},{param:"customClass",instruction:"\u81ea\u5b9a\u4e49\u7c7b\u540d",type:"string",optional:"\u2014",defaultvalue:"\u2014"},{param:"duration",instruction:"\u663e\u793a\u65f6\u95f4, \u6beb\u79d2\u3002\u8bbe\u4e3a 0 \u5219\u4e0d\u4f1a\u81ea\u52a8\u5173\u95ed",type:"number",optional:"\u2014",defaultvalue:"3000"},{param:"showClose",instruction:"\u662f\u5426\u663e\u793a\u5173\u95ed\u6309\u94ae",type:"boolean",optional:"\u2014",defaultvalue:"false"},{param:"onClose",instruction:"\u5173\u95ed\u65f6\u7684\u56de\u8c03\u51fd\u6570, \u53c2\u6570\u4e3a\u88ab\u5173\u95ed\u7684 message \u5b9e\u4f8b",type:"function",optional:"\u2014",defaultvalue:"\u2014"}]},MessageBox:{Options:[{param:"title",instruction:"MessageBox \u6807\u9898",type:"string",optional:"\u2014",defaultvalue:"\u2014"},{param:"message",instruction:"MessageBox \u6d88\u606f\u6b63\u6587\u5185\u5bb9",type:"string/ReactElement",optional:"\u2014",defaultvalue:"\u2014"},{param:"type",instruction:"\u6d88\u606f\u7c7b\u578b\uff0c\u7528\u4e8e\u663e\u793a\u56fe\u6807",type:"string",optional:"success/info/"},{param:"warning/error",instruction:"\u2014"},{param:"lockScroll",instruction:"\u662f\u5426\u5728 MessageBox \u51fa\u73b0\u65f6\u5c06 body \u6eda\u52a8\u9501\u5b9a",type:"boolean",optional:"\u2014",defaultvalue:"true"},{param:"showCancelButton",instruction:"\u662f\u5426\u663e\u793a\u53d6\u6d88\u6309\u94ae",type:"boolean",optional:"\u2014",defaultvalue:"false\uff08\u4ee5 confirm \u548c prompt \u65b9\u5f0f\u8c03\u7528\u65f6\u4e3a true\uff09"},{param:"showConfirmButton",instruction:"\u662f\u5426\u663e\u793a\u786e\u5b9a\u6309\u94ae",type:"boolean",optional:"\u2014",defaultvalue:"true"},{param:"cancelButtonText",instruction:"\u53d6\u6d88\u6309\u94ae\u7684\u6587\u672c\u5185\u5bb9",type:"string",optional:"\u2014",defaultvalue:"\u53d6\u6d88"},{param:"confirmButtonText",instruction:"\u786e\u5b9a\u6309\u94ae\u7684\u6587\u672c\u5185\u5bb9",type:"string",optional:"\u2014",defaultvalue:"\u786e\u5b9a"},{param:"cancelButtonClass",instruction:"\u53d6\u6d88\u6309\u94ae\u7684\u81ea\u5b9a\u4e49\u7c7b\u540d",type:"string",optional:"\u2014",defaultvalue:"\u2014"},{param:"confirmButtonClass",instruction:"\u786e\u5b9a\u6309\u94ae\u7684\u81ea\u5b9a\u4e49\u7c7b\u540d",type:"string",optional:"\u2014",defaultvalue:"\u2014"},{param:"showInput",instruction:"\u662f\u5426\u663e\u793a\u8f93\u5165\u6846",type:"boolean",optional:"\u2014",defaultvalue:"false\uff08\u4ee5 prompt \u65b9\u5f0f\u8c03\u7528\u65f6\u4e3a true\uff09"},{param:"inputPlaceholder",instruction:"\u8f93\u5165\u6846\u7684\u5360\u4f4d\u7b26",type:"string",optional:"\u2014",defaultvalue:"\u2014"},{param:"inputType",instruction:"\u8f93\u5165\u6846\u7684\u7c7b\u578b",type:"string",optional:"\u2014",defaultvalue:"text"},{param:"inputValue",instruction:"\u8f93\u5165\u6846\u7684\u521d\u59cb\u6587\u672c",type:"string",optional:"\u2014",defaultvalue:"\u2014"},{param:"inputPattern",instruction:"\u8f93\u5165\u6846\u7684\u6821\u9a8c\u8868\u8fbe\u5f0f",type:"regexp",optional:"\u2014",defaultvalue:"\u2014"},{param:"inputValidator",instruction:"\u8f93\u5165\u6846\u7684\u6821\u9a8c\u51fd\u6570\u3002\u53ef\u4ee5\u8fd4\u56de\u5e03\u5c14\u503c\u6216\u5b57\u7b26\u4e32\uff0c\u82e5\u8fd4\u56de\u4e00\u4e2a\u5b57\u7b26\u4e32, \u5219\u8fd4\u56de\u7ed3\u679c\u4f1a\u88ab\u8d4b\u503c\u7ed9 inputErrorMessage",type:"function",optional:"\u2014",defaultvalue:"\u2014"},{param:"inputErrorMessage",instruction:"\u6821\u9a8c\u672a\u901a\u8fc7\u65f6\u7684\u63d0\u793a\u6587\u672c",type:"string",optional:"\u2014",defaultvalue:"\u8f93\u5165\u7684\u6570\u636e\u4e0d\u5408\u6cd5!"}]},Notification:{Options:[{param:"title",instruction:"\u6807\u9898",type:"string",optional:"\u2014",defaultvalue:"\u2014"},{param:"message",instruction:"\u8bf4\u660e\u6587\u5b57",type:"string/ReactElement",optional:"\u2014",defaultvalue:"\u2014"},{param:"type",instruction:"\u4e3b\u9898\u6837\u5f0f\uff0c\u5982\u679c\u4e0d\u5728\u53ef\u9009\u503c\u5185\u5c06\u88ab\u5ffd\u7565\uff0c\u4e0eiconClass\u5fc5\u9009\u5176\u4e00",type:"string",optional:"success/warning/info/error",defaultvalue:"\u2014"},{param:"iconClass",instruction:"\u81ea\u5b9a\u4e49\u56fe\u6807\u7684\u7c7b\u540d\u3002\u53ef\u4e0etype\u540c\u65f6\u8bbe\u7f6e\uff0c\u540c\u65f6\u8bbe\u7f6e\u9ed8\u8ba4\u4e3aiconClass\u7684\u56fe\u6807\uff0c\u4e24\u8005\u5fc5\u9009\u5176\u4e00",type:"string",optional:"\u2014",defaultvalue:"\u2014"},{param:"duration",instruction:"\u663e\u793a\u65f6\u95f4, \u6beb\u79d2\u3002\u8bbe\u4e3a 0 \u5219\u4e0d\u4f1a\u81ea\u52a8\u5173\u95ed",type:"number",optional:"\u2014",defaultvalue:"4500"},{param:"onClose",instruction:"\u5173\u95ed\u65f6\u7684\u56de\u8c03\u51fd\u6570",type:"function",optional:"\u2014",defaultvalue:"\u2014"},{param:"onClick",instruction:"\u70b9\u51fb Notification \u65f6\u7684\u56de\u8c03\u51fd\u6570",type:"function",optional:"\u2014",defaultvalue:"\u2014"},{param:"offset",instruction:"\u504f\u79fb\u7684\u8ddd\u79bb\uff0c\u5728\u540c\u4e00\u65f6\u523b\uff0c\u6240\u6709\u7684 Notification \u5b9e\u4f8b\u5e94\u5f53\u5177\u6709\u4e00\u4e2a\u76f8\u540c\u7684\u504f\u79fb\u91cf",type:"number",optional:"\u2014",defaultvalue:"0"}]},Menu:{List:[{param:"mode",instruction:"\u6a21\u5f0f",type:"string",optional:"horizontal,vertical",defaultvalue:"vertical"},{param:"theme",instruction:"\u4e3b\u9898\u8272",type:"string",optional:"light,dark",defaultvalue:"light"},{param:"defaultActive",instruction:"\u5f53\u524d\u6fc0\u6d3b\u83dc\u5355\u7684 index",type:"string",optional:"\u2014",defaultvalue:"\u2014"},{param:"defaultOpeneds",instruction:"\u5f53\u524d\u6253\u5f00\u7684submenu\u7684 key \u6570\u7ec4",type:"Array",optional:"\u2014",defaultvalue:"\u2014"},{param:"uniqueOpened",instruction:"\u662f\u5426\u53ea\u4fdd\u6301\u4e00\u4e2a\u5b50\u83dc\u5355\u7684\u5c55\u5f00",type:"boolean",optional:"\u2014",defaultvalue:"false"},{param:"menuTrigger",instruction:"\u5b50\u83dc\u5355\u6253\u5f00\u7684\u89e6\u53d1\u65b9\u5f0f(\u53ea\u5728 mode \u4e3a horizontal \u65f6\u6709\u6548)",type:"string",optional:"\u2014",defaultvalue:"hover"}],Events:[{eventName:"onSelect",instruction:"\u83dc\u5355\u6fc0\u6d3b\u56de\u8c03",callbackParam:"index: \u9009\u4e2d\u83dc\u5355\u9879\u7684 indexPath: \u9009\u4e2d\u83dc\u5355\u9879\u7684 index path"},{eventName:"onOpen",instruction:"SubMenu \u5c55\u5f00\u7684\u56de\u8c03",callbackParam:"index: \u6253\u5f00\u7684 subMenu \u7684 index\uff0c indexPath: \u6253\u5f00\u7684 subMenu \u7684 index path"},{eventName:"onClose",instruction:"SubMenu \u6536\u8d77\u7684\u56de\u8c03",callbackParam:"index: \u6536\u8d77\u7684 subMenu \u7684 index\uff0c indexPath: \u6536\u8d77\u7684 subMenu \u7684 index path"}]},SubMenu:{List:[{param:"index",instruction:"\u552f\u4e00\u6807\u5fd7",type:"string",optional:"\u2014",defaultvalue:"\u2014"}]},MenuGroup:{List:[{param:"title",instruction:"\u5206\u7ec4\u6807\u9898",type:"string",optional:"\u2014",defaultvalue:"\u2014"}]},MenuItem:{List:[{param:"index",instruction:"\u552f\u4e00\u6807\u5fd7",type:"string",optional:"\u2014",defaultvalue:"\u2014"}]},Tab:{List:[{param:"type",instruction:"\u98ce\u683c\u7c7b\u578b",type:"string",optional:"card, border-card",defaultvalue:"\u2014"},{param:"closable",instruction:"\u6807\u7b7e\u662f\u5426\u53ef\u5173\u95ed",type:"boolean",optional:"-",defaultvalue:"false"},{param:"addable",instruction:"\u6807\u7b7e\u662f\u5426\u53ef\u589e\u52a0",type:"boolean",optional:"-",defaultvalue:"false"},{param:"editable",instruction:"\u6807\u7b7e\u662f\u5426\u540c\u65f6\u53ef\u589e\u52a0\u548c\u5173\u95ed",type:"boolean",optional:"-",defaultvalue:"false"},{param:"activeName",instruction:"\u9009\u4e2d\u9009\u9879\u5361\u7684 name",type:"string",optional:"\u2014",defaultvalue:"\u7b2c\u4e00\u4e2a\u9009\u9879\u5361\u7684 name"},{param:"value",instruction:"\u7ed1\u5b9a\u503c\uff0c\u9009\u4e2d\u9009\u9879\u5361\u7684name",type:"string",optional:"\u2014",defaultvalue:"\u7b2c\u4e00\u4e2a\u9009\u9879\u5361\u7684 name"}],Events:[{eventName:"onTabClick",instruction:"tab \u88ab\u9009\u4e2d\u65f6\u89e6\u53d1",callbackParam:"\u88ab\u9009\u4e2d\u7684\u6807\u7b7e tab \u5b9e\u4f8b"},{eventName:"onTabRemove",instruction:"\u70b9\u51fb tab \u79fb\u9664\u6309\u94ae\u540e\u89e6\u53d1",callbackParam:"\u88ab\u5220\u9664\u7684\u6807\u7b7e\u7684 name"},{eventName:"onTabAdd",instruction:"\u70b9\u51fb tabs \u7684\u65b0\u589e\u6309\u94ae\u540e\u89e6\u53d1",callbackParam:"-"},{eventName:"onTabEdit",instruction:"\u70b9\u51fb tabs \u7684\u65b0\u589e\u6309\u94ae\u6216 tab \u88ab\u5173\u95ed\u540e\u89e6\u53d1",callbackParam:"(targetName, action)"}]},TabPane:{List:[{param:"label",instruction:"\u9009\u9879\u5361\u6807\u9898",type:"string,node",optional:"\u2014",defaultvalue:"\u2014"},{param:"disabled",instruction:"\u662f\u5426\u7981\u7528",type:"boolean",optional:"\u2014",defaultvalue:"false"},{param:"name",instruction:"\u4e0e\u9009\u9879\u5361 activeName \u5bf9\u5e94\u7684\u6807\u8bc6\u7b26\uff0c\u8868\u793a\u9009\u9879\u5361\u522b\u540d",type:"string",optional:"\u2014",defaultvalue:"\u8be5\u9009\u9879\u5361\u5728\u9009\u9879\u5361\u5217\u8868\u4e2d\u7684\u987a\u5e8f\u503c\uff0c\u5982\u7b2c\u4e00\u4e2a\u9009\u9879\u5361\u5219\u4e3a'1'"},{param:"closable",instruction:"\u6807\u7b7e\u662f\u5426\u53ef\u5173\u95ed",type:"boolean",optional:"\u2014",defaultvalue:"false"},{param:"customClass",instruction:"\u81ea\u5b9a\u4e49\u6837\u5f0fclass\u540d",type:"string",optional:"\u2014",defaultvalue:"\u2014"}]},Breadcrumb:{List:[{param:"separator",instruction:"\u5206\u9694\u7b26",type:"string",optional:"\u2014",defaultvalue:"\u659c\u6760'/'"}]},Dropdown:{List:[{param:"type",instruction:"\u83dc\u5355\u6309\u94ae\u7c7b\u578b\uff0c\u540c Button \u7ec4\u4ef6(\u53ea\u5728splitButton\u4e3a true \u7684\u60c5\u51b5\u4e0b\u6709\u6548)",type:"string",optional:"\u2014",defaultvalue:"\u2014"},{param:"size",instruction:"\u83dc\u5355\u6309\u94ae\u5c3a\u5bf8\uff0c\u540c Button \u7ec4\u4ef6(\u53ea\u5728splitButton\u4e3a true \u7684\u60c5\u51b5\u4e0b\u6709\u6548)",type:"string",optional:"\u2014",defaultvalue:"\u2014"},{param:"splitButton",instruction:"\u4e0b\u62c9\u89e6\u53d1\u5143\u7d20\u5448\u73b0\u4e3a\u6309\u94ae\u7ec4\uff0c\u4e0d\u53ef\u5355\u72ec\u4f7f\u7528\uff0c\u5fc5\u987b\u589e\u8bbeonClick\u5c5e\u6027\uff0c\u5426\u5219\u4f1a\u62a5\u9519",type:"boolean",optional:"\u2014",defaultvalue:"false"},{param:"menuAlign",instruction:"\u83dc\u5355\u6c34\u5e73\u5bf9\u9f50\u65b9\u5411",type:"string",optional:"start, end",defaultvalue:"end"},{param:"trigger",instruction:"\u89e6\u53d1\u4e0b\u62c9\u7684\u884c\u4e3a",type:"string",optional:"hover, click",defaultvalue:"hover"},{param:"hideOnClick",instruction:"\u662f\u5426\u5728\u70b9\u51fb\u83dc\u5355\u9879\u540e\u9690\u85cf\u83dc\u5355",type:"boolean",optional:"\u2014",defaultvalue:"true"}],Events:[{eventName:"onClick",instruction:"splitButton \u4e3a true \u65f6\uff0c\u70b9\u51fb\u5de6\u4fa7\u6309\u94ae\u7684\u56de\u8c03",callbackParam:"\u2014"},{eventName:"onCommand",instruction:"\u70b9\u51fb\u83dc\u5355\u9879\u89e6\u53d1\u7684\u4e8b\u4ef6\u56de\u8c03",callbackParam:"Dropdown.Item \u7684\u6307\u4ee4"},{eventName:"onVisibleChange",instruction:"\u4e0b\u62c9\u6846\u51fa\u73b0/\u9690\u85cf\u65f6\u89e6\u53d1",callbackParam:"\u51fa\u73b0\u5219\u4e3a true\uff0c\u9690\u85cf\u5219\u4e3a false"}]},DropdownMenuItem:{List:[{param:"command",instruction:"\u6307\u4ee4",type:"string",optional:"\u2014",defaultvalue:"\u2014"},{param:"disabled",instruction:"\u7981\u7528",type:"boolean",optional:"\u2014",defaultvalue:"false"},{param:"divided",instruction:"\u663e\u793a\u5206\u5272\u7ebf",type:"boolean",optional:"\u2014",defaultvalue:"false"}]},Steps:{List:[{param:"space",instruction:"\u6bcf\u4e2a step \u7684\u95f4\u8ddd\uff0c\u4e0d\u586b\u5199\u5c06\u81ea\u9002\u5e94\u95f4\u8ddd",type:"Number",optional:"\u2014",defaultvalue:"\u2014"},{param:"direction",instruction:"\u663e\u793a\u65b9\u5411",type:"string",optional:"vertical/horizontal",defaultvalue:"horizontal"},{param:"active",instruction:"\u8bbe\u7f6e\u5f53\u524d\u6fc0\u6d3b\u6b65\u9aa4",type:"number",optional:"\u2014",defaultvalue:"0"},{param:"processStatus",instruction:"\u8bbe\u7f6e\u5f53\u524d\u6b65\u9aa4\u7684\u72b6\u6001",type:"string",optional:"wait/process/finish/error/success",defaultvalue:"process"},{param:"finishStatus",instruction:"\u8bbe\u7f6e\u7ed3\u675f\u6b65\u9aa4\u7684\u72b6\u6001",type:"string",optional:"wait/process/finish/error/success",defaultvalue:"finish"}]},Step:{List:[{param:"title",instruction:"\u6807\u9898",type:"string",optional:"\u2014",defaultvalue:"\u2014"},{param:"description",instruction:"\u63cf\u8ff0\u6027\u6587\u5b57",type:"string/ReactElement",optional:"\u2014",defaultvalue:"\u2014"},{param:"icon",instruction:"\u56fe\u6807",type:"Element Icon \u63d0\u4f9b\u7684\u56fe\u6807\uff0c\u5982\u679c\u8981\u4f7f\u7528\u81ea\u5b9a\u4e49\u56fe\u6807\u53ef\u4ee5\u901a\u8fc7\u81ea\u5b9a\u4e49element\u7684\u65b9\u5f0f\u5199\u5165",optional:"string",defaultvalue:"\u2014"}]},Dialog:{List:[{param:"title",instruction:"Dialog \u7684\u6807\u9898",type:"string",optional:"\u2014",defaultvalue:"\u2014"},{param:"size",instruction:"Dialog \u7684\u5927\u5c0f",type:"string",optional:"tiny/small/large/full",defaultvalue:"small"},{param:"top",instruction:"Dialog CSS \u4e2d\u7684 top \u503c\uff08\u4ec5\u5728 size \u4e0d\u4e3a full \u65f6\u6709\u6548\uff09",type:"string",optional:"\u2014",defaultvalue:"15%"},{param:"modal",instruction:"\u662f\u5426\u9700\u8981\u906e\u7f69\u5c42",type:"boolean",optional:"\u2014",defaultvalue:"true"},{param:"lockScroll",instruction:"\u662f\u5426\u5728 Dialog \u51fa\u73b0\u65f6\u5c06 body \u6eda\u52a8\u9501\u5b9a",type:"boolean",optional:"\u2014",defaultvalue:"true"},{param:"customClass",instruction:"Dialog \u7684\u81ea\u5b9a\u4e49\u7c7b\u540d",type:"string",optional:"\u2014",defaultvalue:"\u2014"},{param:"closeOnClickModal",instruction:"\u662f\u5426\u53ef\u4ee5\u901a\u8fc7\u70b9\u51fb modal \u5173\u95ed Dialog",type:"boolean",optional:"\u2014",defaultvalue:"true"},{param:"closeOnPressEscape",instruction:"\u662f\u5426\u53ef\u4ee5\u901a\u8fc7\u6309\u4e0b ESC \u5173\u95ed Dialog",type:"boolean",optional:"\u2014",defaultvalue:"true"}],Events:[{eventName:"onOpen",instruction:"Dialog \u6253\u5f00\u7684\u56de\u8c03",callbackParam:"\u2014"}]},Tooltip:{List:[{param:"effect",instruction:"\u9ed8\u8ba4\u63d0\u4f9b\u7684\u4e3b\u9898",type:"String",optional:"dark, light",defaultvalue:"dark"},{param:"content",instruction:"\u663e\u793a\u7684\u5185\u5bb9",type:"String/Node",optional:"\u2014",defaultvalue:"\u2014"},{param:"placement",instruction:"Tooltip \u7684\u51fa\u73b0\u4f4d\u7f6e",type:"String",optional:"top, top-start, top-end, bottom, bottom-start, bottom-end, left, left-start, left-end, right, right-start, right-end",defaultvalue:"bottom"},{param:"visible",instruction:"\u72b6\u6001\u662f\u5426\u53ef\u89c1",type:"Boolean",optional:"\u2014",defaultvalue:"false"},{param:"disabled",instruction:"Tooltip \u662f\u5426\u53ef\u7528",type:"Boolean",optional:"\u2014",defaultvalue:"false"},{param:"transition",instruction:"\u5b9a\u4e49\u6e10\u53d8\u52a8\u753b",type:"String",optional:"\u2014",defaultvalue:"fade-in-linear"},{param:"visibleArrow",instruction:"\u662f\u5426\u663e\u793a Tooltip \u7bad\u5934",type:"Boolean",optional:"\u2014",defaultvalue:"true"},{param:"openDelay",instruction:"\u5ef6\u8fdf\u51fa\u73b0\uff0c\u5355\u4f4d\u6beb\u79d2",type:"Number",optional:"\u2014",defaultvalue:"0"},{param:"manual",instruction:"\u624b\u52a8\u63a7\u5236\u6a21\u5f0f\uff0c\u8bbe\u7f6e\u4e3a true \u540e\uff0cmouseenter \u548c mouseleave \u4e8b\u4ef6\u5c06\u4e0d\u4f1a\u751f\u6548",type:"Boolean",optional:"true,false",defaultvalue:"false"}]},Popover:{List:[{param:"trigger",instruction:"\u89e6\u53d1\u65b9\u5f0f",type:"String",optional:"click/focus/hover",defaultvalue:"click"},{param:"title",instruction:"\u6807\u9898",type:"String",optional:"\u2014",defaultvalue:"\u2014"},{param:"content",instruction:"\u663e\u793a\u7684\u5185\u5bb9\uff0c\u4e5f\u53ef\u4ee5\u901a\u8fc7 slot \u4f20\u5165 DOM",type:"String",optional:"\u2014",defaultvalue:"\u2014"},{param:"width",instruction:"\u5bbd\u5ea6",type:"String, Number",optional:"\u2014",defaultvalue:"\u6700\u5c0f\u5bbd\u5ea6 150px"},{param:"placement",instruction:"\u51fa\u73b0\u4f4d\u7f6e",type:"String",optional:"top/top-start/top-end/bottom/bottom-start/bottom-end/left/left-start/left-end/right/right-start/right-end",defaultvalue:"bottom"},{param:"visible",instruction:"\u72b6\u6001\u662f\u5426\u53ef\u89c1",type:"Boolean",optional:"\u2014",defaultvalue:"false"},{param:"transition",instruction:"\u5b9a\u4e49\u6e10\u53d8\u52a8\u753b",type:"String",optional:"\u2014",defaultvalue:"fade-in-linear"},{param:"visibleArrow",instruction:"\u662f\u5426\u663e\u793a Tooltip \u7bad\u5934",type:"Boolean",optional:"\u2014",defaultvalue:"true"},{param:"popperClass",instruction:"\u4e3a popper \u6dfb\u52a0\u7c7b\u540d",type:"String",optional:"-",defaultvalue:"-"}]},BarChart:{List:[{param:"option",instruction:"\u56fe\u8868\u7684\u914d\u7f6e(\u8be6\u89c1echarts\u6587\u6863)",type:"function",optional:"-",defaultvalue:"-"},{param:"style",instruction:"\u56fe\u8868\u6837\u5f0f",type:"object",optional:"-",defaultvalue:"-"},{param:"className",instruction:"\u56fe\u8868\u7c7b\u540d",type:"String",optional:"-",defaultvalue:"react_for_echarts"}]},PieChart:{List:[{param:"option",instruction:"\u56fe\u8868\u7684\u914d\u7f6e(\u8be6\u89c1echarts\u6587\u6863)",type:"function",optional:"-",defaultvalue:"-"},{param:"style",instruction:"\u56fe\u8868\u6837\u5f0f",type:"object",optional:"-",defaultvalue:"-"},{param:"className",instruction:"\u56fe\u8868\u7c7b\u540d",type:"String",optional:"-",defaultvalue:"react_for_echarts"}]},LineChart:{List:[{param:"option",instruction:"\u56fe\u8868\u7684\u914d\u7f6e(\u8be6\u89c1echarts\u6587\u6863)",type:"function",optional:"-",defaultvalue:"-"},{param:"style",instruction:"\u56fe\u8868\u6837\u5f0f",type:"object",optional:"-",defaultvalue:"-"},{param:"className",instruction:"\u56fe\u8868\u7c7b\u540d",type:"String",optional:"-",defaultvalue:"react_for_echarts"}]},Cascader:{List:[{param:"options",instruction:"\u53ef\u9009\u9879\u6570\u636e\u6e90\uff0c\u952e\u540d\u53ef\u901a\u8fc7 props \u5c5e\u6027\u914d\u7f6e",type:"array",optional:"\u2014",defaultvalue:"\u2014"},{param:"props",instruction:"\u914d\u7f6e\u9009\u9879\uff0c\u5177\u4f53\u89c1\u4e0b\u8868",type:"object",optional:"\u2014",defaultvalue:"\u2014"},{param:"value",instruction:"\u9009\u4e2d\u9879\u7ed1\u5b9a\u503c",type:"array",optional:"\u2014",defaultvalue:"\u2014"},{param:"popperClass",instruction:"\u81ea\u5b9a\u4e49\u6d6e\u5c42\u7c7b\u540d",type:"string",optional:"\u2014",defaultvalue:"\u2014"},{param:"placeholder",instruction:"\u8f93\u5165\u6846\u5360\u4f4d\u6587\u672c",type:"string",optional:"\u2014",defaultvalue:"\u8bf7\u9009\u62e9"},{param:"disabled",instruction:"\u662f\u5426\u7981\u7528",type:"boolean",optional:"\u2014",defaultvalue:"false"},{param:"clearable",instruction:"\u662f\u5426\u652f\u6301\u6e05\u7a7a\u9009\u9879",type:"boolean",optional:"\u2014",defaultvalue:"false"},{param:"expandTrigger",instruction:"\u6b21\u7ea7\u83dc\u5355\u7684\u5c55\u5f00\u65b9\u5f0f",type:"string",optional:"click / hover",defaultvalue:"click"},{param:"showAllLevels",instruction:"\u8f93\u5165\u6846\u4e2d\u662f\u5426\u663e\u793a\u9009\u4e2d\u503c\u7684\u5b8c\u6574\u8def\u5f84",type:"boolean",optional:"\u2014",defaultvalue:"true"},{param:"filterable",instruction:"\u662f\u5426\u53ef\u641c\u7d22\u9009\u9879",type:"boolean",optional:"\u2014",defaultvalue:"\u2014"},{param:"debounce",instruction:"\u641c\u7d22\u5173\u952e\u8bcd\u8f93\u5165\u7684\u53bb\u6296\u5ef6\u8fdf\uff0c\u6beb\u79d2",type:"number",optional:"\u2014",defaultvalue:"300"},{param:"changeOnSelect",instruction:"\u662f\u5426\u5141\u8bb8\u9009\u62e9\u4efb\u610f\u4e00\u7ea7\u7684\u9009\u9879",type:"boolean",optional:"\u2014",defaultvalue:"false"},{param:"size",instruction:"\u5c3a\u5bf8",type:"string",optional:"large / small / mini",defaultvalue:"\u2014"},{param:"beforeFilter",instruction:"\u53ef\u9009\u53c2\u6570, \u7b5b\u9009\u4e4b\u524d\u7684\u94a9\u5b50\uff0c\u53c2\u6570\u4e3a\u8f93\u5165\u7684\u503c\uff0c\u82e5\u8fd4\u56de false \u6216\u8005\u8fd4\u56de Promise \u4e14\u88ab reject\uff0c\u5219\u505c\u6b62\u7b5b\u9009\u3002",type:"function(value)",optional:"\u2014",defaultvalue:"\u2014"}],Options:[{param:"value",instruction:"\u6307\u5b9a\u9009\u9879\u7684\u503c\u4e3a\u9009\u9879\u5bf9\u8c61\u7684\u67d0\u4e2a\u5c5e\u6027\u503c",type:"string",optional:"\u2014",defaultvalue:"\u2014"},{param:"label",instruction:"\u6307\u5b9a\u9009\u9879\u6807\u7b7e\u4e3a\u9009\u9879\u5bf9\u8c61\u7684\u67d0\u4e2a\u5c5e\u6027\u503c",type:"string",optional:"\u2014",defaultvalue:"\u2014"},{param:"children",instruction:"\u6307\u5b9a\u9009\u9879\u7684\u5b50\u9009\u9879\u4e3a\u9009\u9879\u5bf9\u8c61\u7684\u67d0\u4e2a\u5c5e\u6027\u503c",type:"string",optional:"\u2014",defaultvalue:"\u2014"},{param:"disabled",instruction:"\u6307\u5b9a\u9009\u9879\u7684\u7981\u7528\u4e3a\u9009\u9879\u5bf9\u8c61\u7684\u67d0\u4e2a\u5c5e\u6027\u503c",type:"string",optional:"\u2014",defaultvalue:"\u2014"}],Events:[{eventName:"onChange",instruction:"\u5f53\u7ed1\u5b9a\u503c\u53d8\u5316\u65f6\u89e6\u53d1\u7684\u4e8b\u4ef6",callbackParam:"\u5f53\u524d\u503c"},{eventName:"activeItemChange",instruction:"\u5f53\u7236\u7ea7\u9009\u9879\u53d8\u5316\u65f6\u89e6\u53d1\u7684\u4e8b\u4ef6\uff0c\u4ec5\u5728 change-on-select \u4e3a false \u65f6\u53ef\u7528",callbackParam:"\u5404\u7236\u7ea7\u9009\u9879\u7ec4\u6210\u7684\u6570\u7ec4"}]},Badge:{List:[{param:"value",instruction:"\u663e\u793a\u503c",type:"string, number",optional:"\u2014",defaultvalue:"\u2014"},{param:"max",instruction:"\u6700\u5927\u503c\uff0c\u8d85\u8fc7\u6700\u5927\u503c\u4f1a\u663e\u793a '{max}+'\uff0c\u8981\u6c42 value \u662f Number \u7c7b\u578b",type:"number",optional:"\u2014",defaultvalue:"\u2014"},{param:"isDot",instruction:"\u5c0f\u5706\u70b9",type:"boolean",optional:"\u2014",defaultvalue:"false"}]}}),p=function(){function n(n,e){for(var t=0;t<e.length;t++){var o=e[t];o.enumerable=o.enumerable||!1,o.configurable=!0,"value"in o&&(o.writable=!0),Object.defineProperty(n,o.key,o)}}return function(e,t,o){return t&&n(e.prototype,t),o&&n(e,o),e}}(),c=function(n){function e(){return o(this,e),i(this,(e.__proto__||Object.getPrototypeOf(e)).apply(this,arguments))}return r(e,n),p(e,[{key:"render",value:function(){var n=this.props.name,e=l[n].Method&&l[n].Method.length?l[n].Method:null,t=l[n].Events&&l[n].Events.length?l[n].Events:null,o=l[n].List&&l[n].List.length?l[n].List:l[n].Options&&l[n].Options.length?l[n].Options:[],i=l[n].List?"\u53c2\u6570":l[n].Options?"\u9009\u9879":"",r=function(n,e){var t=n.param,o=n.instruction,i=n.type,r=n.optional,a=n.defaultvalue;return s.a.createElement("tr",{key:e},s.a.createElement("td",null,t),s.a.createElement("td",null,o),s.a.createElement("td",null,i),s.a.createElement("td",null,r),s.a.createElement("td",null,a))},a=function(n,e){var t=n.eventName,o=n.instruction,i=n.callbackParam;return s.a.createElement("tr",{key:e},s.a.createElement("td",null,t),s.a.createElement("td",null,o),s.a.createElement("td",null,i))},p=function(n,e){var t=n.methodName,o=n.instruction,i=n.methodParam;return s.a.createElement("tr",{key:e},s.a.createElement("td",null,t),s.a.createElement("td",null,o),s.a.createElement("td",null,i))};return s.a.createElement("div",null,s.a.createElement("h2",null,this.props.name,"\xa0\xa0",i),s.a.createElement("table",{className:"grid",align:"center"},s.a.createElement("thead",null,s.a.createElement("tr",null,s.a.createElement("th",null,"\u53c2\u6570"),s.a.createElement("th",null,"\u8bf4\u660e"),s.a.createElement("th",null,"\u7c7b\u578b"),s.a.createElement("th",null,"\u53ef\u9009\u503c"),s.a.createElement("th",null,"\u9ed8\u8ba4\u503c"))),s.a.createElement("tbody",null,o&&o.map(function(n,e){return r(n,e)}))),t&&s.a.createElement("div",null,s.a.createElement("h2",null,this.props.name,"\xa0\xa0\u4e8b\u4ef6"),s.a.createElement("table",{className:"grid",align:"center"},s.a.createElement("thead",null,s.a.createElement("tr",null,s.a.createElement("th",null,"\u4e8b\u4ef6\u540d\u79f0"),s.a.createElement("th",null,"\u8bf4\u660e"),s.a.createElement("th",null,"\u56de\u8c03\u53c2\u6570"))),s.a.createElement("tbody",null,t&&t.map(function(n,e){return a(n,e)})))),e&&s.a.createElement("div",null,s.a.createElement("h2",null,this.props.name,"\xa0\xa0\u65b9\u6cd5"),s.a.createElement("table",{className:"grid",align:"center"},s.a.createElement("thead",null,s.a.createElement("tr",null,s.a.createElement("th",null,"\u65b9\u6cd5\u540d\u79f0"),s.a.createElement("th",null,"\u8bf4\u660e"),s.a.createElement("th",null,"\u53c2\u6570"))),s.a.createElement("tbody",null,e&&e.map(function(n,e){return p(n,e)})))))}}]),e}(a.Component);e.a=c},243:function(n,e,t){e=n.exports=t(192)(!0),e.push([n.i,'.ishow-button{display:inline-block;line-height:1;white-space:nowrap;cursor:pointer;background:#fff;border:1px solid #c4c4c4;color:#1f2d3d;-webkit-appearance:none;text-align:center;-webkit-box-sizing:border-box;box-sizing:border-box;outline:0;margin:0;-moz-user-select:none;-webkit-user-select:none;-ms-user-select:none;padding:10px 15px;font-size:14px;border-radius:4px}.ishow-button+.ishow-button{margin-left:10px}.ishow-button:focus,.ishow-button:hover{color:#20a0ff;border-color:#20a0ff}.ishow-button:active{color:#1d90e6;border-color:#1d90e6;outline:0}.ishow-button::-moz-focus-inner{border:0}.ishow-button [class*=ishow-icon-]+span{margin-left:5px}.ishow-button.is-loading{position:relative;pointer-events:none}.ishow-button.is-loading:before{pointer-events:none;content:"";position:absolute;left:-1px;top:-1px;right:-1px;bottom:-1px;border-radius:inherit;background-color:hsla(0,0%,100%,.35)}.ishow-button.is-disabled,.ishow-button.is-disabled:focus,.ishow-button.is-disabled:hover{color:#bfcbd9;cursor:not-allowed;background-image:none;background-color:#eef1f6;border-color:#d1dbe5}.ishow-button.is-disabled.ishow-button--text{background-color:transparent}.ishow-button.is-disabled.is-plain,.ishow-button.is-disabled.is-plain:focus,.ishow-button.is-disabled.is-plain:hover{background-color:#fff;border-color:#d1dbe5;color:#bfcbd9}.ishow-button.is-active{color:#1d90e6;border-color:#1d90e6}.ishow-button.is-plain:focus,.ishow-button.is-plain:hover{background:#fff;border-color:#20a0ff;color:#20a0ff}.ishow-button.is-plain:active{background:#fff;border-color:#1d90e6;color:#1d90e6;outline:0}.ishow-button--primary{color:#fff;background-color:#20a0ff;border-color:#20a0ff}.ishow-button--primary:focus,.ishow-button--primary:hover{background:#4db3ff;border-color:#4db3ff;color:#fff}.ishow-button--primary.is-active,.ishow-button--primary:active{background:#1d90e6;border-color:#1d90e6;color:#fff}.ishow-button--primary:active{outline:0}.ishow-button--primary.is-plain{background:#fff;border:1px solid #bfcbd9;color:#1f2d3d}.ishow-button--primary.is-plain:focus,.ishow-button--primary.is-plain:hover{background:#fff;border-color:#20a0ff;color:#20a0ff}.ishow-button--primary.is-plain:active{background:#fff;border-color:#1d90e6;color:#1d90e6;outline:0}.ishow-button--success{color:#fff;background-color:#13ce66;border-color:#13ce66}.ishow-button--success:focus,.ishow-button--success:hover{background:#42d885;border-color:#42d885;color:#fff}.ishow-button--success.is-active,.ishow-button--success:active{background:#11b95c;border-color:#11b95c;color:#fff}.ishow-button--success:active{outline:0}.ishow-button--success.is-plain{background:#fff;border:1px solid #bfcbd9;color:#1f2d3d}.ishow-button--success.is-plain:focus,.ishow-button--success.is-plain:hover{background:#fff;border-color:#13ce66;color:#13ce66}.ishow-button--success.is-plain:active{background:#fff;border-color:#11b95c;color:#11b95c;outline:0}.ishow-button--warning{color:#fff;background-color:#f7ba2a;border-color:#f7ba2a}.ishow-button--warning:focus,.ishow-button--warning:hover{background:#f9c855;border-color:#f9c855;color:#fff}.ishow-button--warning.is-active,.ishow-button--warning:active{background:#dea726;border-color:#dea726;color:#fff}.ishow-button--warning:active{outline:0}.ishow-button--warning.is-plain{background:#fff;border:1px solid #bfcbd9;color:#1f2d3d}.ishow-button--warning.is-plain:focus,.ishow-button--warning.is-plain:hover{background:#fff;border-color:#f7ba2a;color:#f7ba2a}.ishow-button--warning.is-plain:active{background:#fff;border-color:#dea726;color:#dea726;outline:0}.ishow-button--danger{color:#fff;background-color:#ff4949;border-color:#ff4949}.ishow-button--danger:focus,.ishow-button--danger:hover{background:#ff6d6d;border-color:#ff6d6d;color:#fff}.ishow-button--danger.is-active,.ishow-button--danger:active{background:#e64242;border-color:#e64242;color:#fff}.ishow-button--danger:active{outline:0}.ishow-button--danger.is-plain{background:#fff;border:1px solid #bfcbd9;color:#1f2d3d}.ishow-button--danger.is-plain:focus,.ishow-button--danger.is-plain:hover{background:#fff;border-color:#ff4949;color:#ff4949}.ishow-button--danger.is-plain:active{background:#fff;border-color:#e64242;color:#e64242;outline:0}.ishow-button--info{color:#fff;background-color:#50bfff;border-color:#50bfff}.ishow-button--info:focus,.ishow-button--info:hover{background:#73ccff;border-color:#73ccff;color:#fff}.ishow-button--info.is-active,.ishow-button--info:active{background:#48ace6;border-color:#48ace6;color:#fff}.ishow-button--info:active{outline:0}.ishow-button--info.is-plain{background:#fff;border:1px solid #bfcbd9;color:#1f2d3d}.ishow-button--info.is-plain:focus,.ishow-button--info.is-plain:hover{background:#fff;border-color:#50bfff;color:#50bfff}.ishow-button--info.is-plain:active{background:#fff;border-color:#48ace6;color:#48ace6;outline:0}.ishow-button--large{padding:11px 19px;font-size:16px;border-radius:4px}.ishow-button--small{padding:7px 9px;font-size:12px;border-radius:4px}.ishow-button--mini{padding:4px;font-size:12px;border-radius:4px}.ishow-button--text{border:none;color:#20a0ff;background:0 0;padding-left:0;padding-right:0}.ishow-button--text:focus,.ishow-button--text:hover{color:#4db3ff}.ishow-button--text:active{color:#1d90e6}.ishow-button-group{display:inline-block;vertical-align:middle}.ishow-button-group:after,.ishow-button-group:before{display:table;content:""}.ishow-button-group:after{clear:both}.ishow-button-group .ishow-button--primary:first-child{border-right-color:hsla(0,0%,100%,.5)}.ishow-button-group .ishow-button--primary:last-child{border-left-color:hsla(0,0%,100%,.5)}.ishow-button-group .ishow-button--primary:not(:first-child):not(:last-child){border-left-color:hsla(0,0%,100%,.5);border-right-color:hsla(0,0%,100%,.5)}.ishow-button-group .ishow-button--success:first-child{border-right-color:hsla(0,0%,100%,.5)}.ishow-button-group .ishow-button--success:last-child{border-left-color:hsla(0,0%,100%,.5)}.ishow-button-group .ishow-button--success:not(:first-child):not(:last-child){border-left-color:hsla(0,0%,100%,.5);border-right-color:hsla(0,0%,100%,.5)}.ishow-button-group .ishow-button--warning:first-child{border-right-color:hsla(0,0%,100%,.5)}.ishow-button-group .ishow-button--warning:last-child{border-left-color:hsla(0,0%,100%,.5)}.ishow-button-group .ishow-button--warning:not(:first-child):not(:last-child){border-left-color:hsla(0,0%,100%,.5);border-right-color:hsla(0,0%,100%,.5)}.ishow-button-group .ishow-button--danger:first-child{border-right-color:hsla(0,0%,100%,.5)}.ishow-button-group .ishow-button--danger:last-child{border-left-color:hsla(0,0%,100%,.5)}.ishow-button-group .ishow-button--danger:not(:first-child):not(:last-child){border-left-color:hsla(0,0%,100%,.5);border-right-color:hsla(0,0%,100%,.5)}.ishow-button-group .ishow-button--info:first-child{border-right-color:hsla(0,0%,100%,.5)}.ishow-button-group .ishow-button--info:last-child{border-left-color:hsla(0,0%,100%,.5)}.ishow-button-group .ishow-button--info:not(:first-child):not(:last-child){border-left-color:hsla(0,0%,100%,.5);border-right-color:hsla(0,0%,100%,.5)}.ishow-button-group .ishow-button{float:left;position:relative}.ishow-button-group .ishow-button+.ishow-button{margin-left:0}.ishow-button-group .ishow-button:first-child{border-top-right-radius:0;border-bottom-right-radius:0}.ishow-button-group .ishow-button:last-child{border-top-left-radius:0;border-bottom-left-radius:0}.ishow-button-group .ishow-button:not(:first-child):not(:last-child){border-radius:0}.ishow-button-group .ishow-button:not(:last-child){margin-right:-1px}.ishow-button-group .ishow-button.is-active,.ishow-button-group .ishow-button:active,.ishow-button-group .ishow-button:focus,.ishow-button-group .ishow-button:hover{z-index:1}',"",{version:3,sources:["E:/demo/demo/src/ishow/Common/css/Button.css"],names:[],mappings:"AACA,cACI,qBAAsB,AACtB,cAAe,AACf,mBAAoB,AACpB,eAAgB,AAChB,gBAAiB,AACjB,yBAA0B,AAC1B,cAAe,AACf,wBAAyB,AACzB,kBAAmB,AACnB,8BAA+B,AACvB,sBAAuB,AAC/B,UAAW,AACX,SAAU,AACV,sBAAuB,AACvB,yBAA0B,AAC1B,qBAAsB,AACtB,kBAAmB,AACnB,eAAgB,AAChB,iBAAkB,CACrB,AAED,4BACI,gBAAiB,CACpB,AAED,wCAEI,cAAe,AACf,oBAAqB,CACxB,AAED,qBACI,cAAe,AACf,qBAAsB,AACtB,SAAU,CACb,AAED,gCACI,QAAS,CACZ,AAED,wCACI,eAAgB,CACnB,AAED,yBACI,kBAAmB,AACnB,mBAAoB,CACvB,AAED,gCACI,oBAAqB,AACrB,WAAY,AACZ,kBAAmB,AACnB,UAAW,AACX,SAAU,AACV,WAAY,AACZ,YAAa,AACb,sBAAuB,AACvB,oCAA0C,CAC7C,AAED,0FAGI,cAAe,AACf,mBAAoB,AACpB,sBAAuB,AACvB,yBAA0B,AAC1B,oBAAqB,CACxB,AAED,6CACI,4BAA6B,CAChC,AAED,qHAGI,sBAAuB,AACvB,qBAAsB,AACtB,aAAc,CACjB,AAED,wBACI,cAAe,AACf,oBAAqB,CACxB,AAED,0DAEI,gBAAiB,AACjB,qBAAsB,AACtB,aAAc,CACjB,AAED,8BACI,gBAAiB,AACjB,qBAAsB,AACtB,cAAe,AACf,SAAU,CACb,AAED,uBACI,WAAY,AACZ,yBAA0B,AAC1B,oBAAqB,CACxB,AAED,0DAEI,mBAAoB,AACpB,qBAAsB,AACtB,UAAW,CACd,AAED,+DAEI,mBAAoB,AACpB,qBAAsB,AACtB,UAAW,CACd,AAED,8BACI,SAAU,CACb,AAED,gCACI,gBAAiB,AACjB,yBAA0B,AAC1B,aAAc,CACjB,AAED,4EAEI,gBAAiB,AACjB,qBAAsB,AACtB,aAAc,CACjB,AAED,uCACI,gBAAiB,AACjB,qBAAsB,AACtB,cAAe,AACf,SAAU,CACb,AAED,uBACI,WAAY,AACZ,yBAA0B,AAC1B,oBAAqB,CACxB,AAED,0DAEI,mBAAoB,AACpB,qBAAsB,AACtB,UAAW,CACd,AAED,+DAEI,mBAAoB,AACpB,qBAAsB,AACtB,UAAW,CACd,AAED,8BACI,SAAU,CACb,AAED,gCACI,gBAAiB,AACjB,yBAA0B,AAC1B,aAAc,CACjB,AAED,4EAEI,gBAAiB,AACjB,qBAAsB,AACtB,aAAc,CACjB,AAED,uCACI,gBAAiB,AACjB,qBAAsB,AACtB,cAAe,AACf,SAAU,CACb,AAED,uBACI,WAAY,AACZ,yBAA0B,AAC1B,oBAAqB,CACxB,AAED,0DAEI,mBAAoB,AACpB,qBAAsB,AACtB,UAAW,CACd,AAED,+DAEI,mBAAoB,AACpB,qBAAsB,AACtB,UAAW,CACd,AAED,8BACI,SAAU,CACb,AAED,gCACI,gBAAiB,AACjB,yBAA0B,AAC1B,aAAc,CACjB,AAED,4EAEI,gBAAiB,AACjB,qBAAsB,AACtB,aAAc,CACjB,AAED,uCACI,gBAAiB,AACjB,qBAAsB,AACtB,cAAe,AACf,SAAU,CACb,AAED,sBACI,WAAY,AACZ,yBAA0B,AAC1B,oBAAqB,CACxB,AAED,wDAEI,mBAAoB,AACpB,qBAAsB,AACtB,UAAW,CACd,AAED,6DAEI,mBAAoB,AACpB,qBAAsB,AACtB,UAAW,CACd,AAED,6BACI,SAAU,CACb,AAED,+BACI,gBAAiB,AACjB,yBAA0B,AAC1B,aAAc,CACjB,AAED,0EAEI,gBAAiB,AACjB,qBAAsB,AACtB,aAAc,CACjB,AAED,sCACI,gBAAiB,AACjB,qBAAsB,AACtB,cAAe,AACf,SAAU,CACb,AAED,oBACI,WAAY,AACZ,yBAA0B,AAC1B,oBAAqB,CACxB,AAED,oDAEI,mBAAoB,AACpB,qBAAsB,AACtB,UAAW,CACd,AAED,yDAEI,mBAAoB,AACpB,qBAAsB,AACtB,UAAW,CACd,AAED,2BACI,SAAU,CACb,AAED,6BACI,gBAAiB,AACjB,yBAA0B,AAC1B,aAAc,CACjB,AAED,sEAEI,gBAAiB,AACjB,qBAAsB,AACtB,aAAc,CACjB,AAED,oCACI,gBAAiB,AACjB,qBAAsB,AACtB,cAAe,AACf,SAAU,CACb,AAED,qBACI,kBAAmB,AACnB,eAAgB,AAChB,iBAAkB,CACrB,AAED,qBACI,gBAAiB,AACjB,eAAgB,AAChB,iBAAkB,CACrB,AAED,oBACI,YAAa,AACb,eAAgB,AAChB,iBAAkB,CACrB,AAED,oBACI,YAAa,AACb,cAAe,AACf,eAAgB,AAChB,eAAgB,AAChB,eAAgB,CACnB,AAED,oDAEI,aAAc,CACjB,AAED,2BACI,aAAc,CACjB,AAED,oBACI,qBAAsB,AACtB,qBAAsB,CACzB,AAED,qDAEI,cAAe,AACf,UAAW,CACd,AAED,0BACI,UAAW,CACd,AAED,uDACI,qCAA2C,CAC9C,AAED,sDACI,oCAA0C,CAC7C,AAED,8EACI,qCAA2C,AAC3C,qCAA2C,CAC9C,AAED,uDACI,qCAA2C,CAC9C,AAED,sDACI,oCAA0C,CAC7C,AAED,8EACI,qCAA2C,AAC3C,qCAA2C,CAC9C,AAED,uDACI,qCAA2C,CAC9C,AAED,sDACI,oCAA0C,CAC7C,AAED,8EACI,qCAA2C,AAC3C,qCAA2C,CAC9C,AAED,sDACI,qCAA2C,CAC9C,AAED,qDACI,oCAA0C,CAC7C,AAED,6EACI,qCAA2C,AAC3C,qCAA2C,CAC9C,AAED,oDACI,qCAA2C,CAC9C,AAED,mDACI,oCAA0C,CAC7C,AAED,2EACI,qCAA2C,AAC3C,qCAA2C,CAC9C,AAED,kCACI,WAAY,AACZ,iBAAkB,CACrB,AAED,gDACI,aAAc,CACjB,AAED,8CACI,0BAA2B,AAC3B,4BAA6B,CAChC,AAED,6CACI,yBAA0B,AAC1B,2BAA4B,CAC/B,AAED,qEACI,eAAgB,CACnB,AAED,mDACI,iBAAkB,CACrB,AAED,qKAII,SAAU,CACb",file:"Button.css",sourcesContent:['@charset "UTF-8";\n.ishow-button {\n display: inline-block;\n line-height: 1;\n white-space: nowrap;\n cursor: pointer;\n background: #fff;\n border: 1px solid #c4c4c4;\n color: #1f2d3d;\n -webkit-appearance: none;\n text-align: center;\n -webkit-box-sizing: border-box;\n box-sizing: border-box;\n outline: 0;\n margin: 0;\n -moz-user-select: none;\n -webkit-user-select: none;\n -ms-user-select: none;\n padding: 10px 15px;\n font-size: 14px;\n border-radius: 4px\n}\n\n.ishow-button+.ishow-button {\n margin-left: 10px\n}\n\n.ishow-button:focus,\n.ishow-button:hover {\n color: #20a0ff;\n border-color: #20a0ff\n}\n\n.ishow-button:active {\n color: #1d90e6;\n border-color: #1d90e6;\n outline: 0\n}\n\n.ishow-button::-moz-focus-inner {\n border: 0\n}\n\n.ishow-button [class*=ishow-icon-]+span {\n margin-left: 5px\n}\n\n.ishow-button.is-loading {\n position: relative;\n pointer-events: none\n}\n\n.ishow-button.is-loading:before {\n pointer-events: none;\n content: \'\';\n position: absolute;\n left: -1px;\n top: -1px;\n right: -1px;\n bottom: -1px;\n border-radius: inherit;\n background-color: rgba(255, 255, 255, .35)\n}\n\n.ishow-button.is-disabled,\n.ishow-button.is-disabled:focus,\n.ishow-button.is-disabled:hover {\n color: #bfcbd9;\n cursor: not-allowed;\n background-image: none;\n background-color: #eef1f6;\n border-color: #d1dbe5\n}\n\n.ishow-button.is-disabled.ishow-button--text {\n background-color: transparent\n}\n\n.ishow-button.is-disabled.is-plain,\n.ishow-button.is-disabled.is-plain:focus,\n.ishow-button.is-disabled.is-plain:hover {\n background-color: #fff;\n border-color: #d1dbe5;\n color: #bfcbd9\n}\n\n.ishow-button.is-active {\n color: #1d90e6;\n border-color: #1d90e6\n}\n\n.ishow-button.is-plain:focus,\n.ishow-button.is-plain:hover {\n background: #fff;\n border-color: #20a0ff;\n color: #20a0ff\n}\n\n.ishow-button.is-plain:active {\n background: #fff;\n border-color: #1d90e6;\n color: #1d90e6;\n outline: 0\n}\n\n.ishow-button--primary {\n color: #fff;\n background-color: #20a0ff;\n border-color: #20a0ff\n}\n\n.ishow-button--primary:focus,\n.ishow-button--primary:hover {\n background: #4db3ff;\n border-color: #4db3ff;\n color: #fff\n}\n\n.ishow-button--primary.is-active,\n.ishow-button--primary:active {\n background: #1d90e6;\n border-color: #1d90e6;\n color: #fff\n}\n\n.ishow-button--primary:active {\n outline: 0\n}\n\n.ishow-button--primary.is-plain {\n background: #fff;\n border: 1px solid #bfcbd9;\n color: #1f2d3d\n}\n\n.ishow-button--primary.is-plain:focus,\n.ishow-button--primary.is-plain:hover {\n background: #fff;\n border-color: #20a0ff;\n color: #20a0ff\n}\n\n.ishow-button--primary.is-plain:active {\n background: #fff;\n border-color: #1d90e6;\n color: #1d90e6;\n outline: 0\n}\n\n.ishow-button--success {\n color: #fff;\n background-color: #13ce66;\n border-color: #13ce66\n}\n\n.ishow-button--success:focus,\n.ishow-button--success:hover {\n background: #42d885;\n border-color: #42d885;\n color: #fff\n}\n\n.ishow-button--success.is-active,\n.ishow-button--success:active {\n background: #11b95c;\n border-color: #11b95c;\n color: #fff\n}\n\n.ishow-button--success:active {\n outline: 0\n}\n\n.ishow-button--success.is-plain {\n background: #fff;\n border: 1px solid #bfcbd9;\n color: #1f2d3d\n}\n\n.ishow-button--success.is-plain:focus,\n.ishow-button--success.is-plain:hover {\n background: #fff;\n border-color: #13ce66;\n color: #13ce66\n}\n\n.ishow-button--success.is-plain:active {\n background: #fff;\n border-color: #11b95c;\n color: #11b95c;\n outline: 0\n}\n\n.ishow-button--warning {\n color: #fff;\n background-color: #f7ba2a;\n border-color: #f7ba2a\n}\n\n.ishow-button--warning:focus,\n.ishow-button--warning:hover {\n background: #f9c855;\n border-color: #f9c855;\n color: #fff\n}\n\n.ishow-button--warning.is-active,\n.ishow-button--warning:active {\n background: #dea726;\n border-color: #dea726;\n color: #fff\n}\n\n.ishow-button--warning:active {\n outline: 0\n}\n\n.ishow-button--warning.is-plain {\n background: #fff;\n border: 1px solid #bfcbd9;\n color: #1f2d3d\n}\n\n.ishow-button--warning.is-plain:focus,\n.ishow-button--warning.is-plain:hover {\n background: #fff;\n border-color: #f7ba2a;\n color: #f7ba2a\n}\n\n.ishow-button--warning.is-plain:active {\n background: #fff;\n border-color: #dea726;\n color: #dea726;\n outline: 0\n}\n\n.ishow-button--danger {\n color: #fff;\n background-color: #ff4949;\n border-color: #ff4949\n}\n\n.ishow-button--danger:focus,\n.ishow-button--danger:hover {\n background: #ff6d6d;\n border-color: #ff6d6d;\n color: #fff\n}\n\n.ishow-button--danger.is-active,\n.ishow-button--danger:active {\n background: #e64242;\n border-color: #e64242;\n color: #fff\n}\n\n.ishow-button--danger:active {\n outline: 0\n}\n\n.ishow-button--danger.is-plain {\n background: #fff;\n border: 1px solid #bfcbd9;\n color: #1f2d3d\n}\n\n.ishow-button--danger.is-plain:focus,\n.ishow-button--danger.is-plain:hover {\n background: #fff;\n border-color: #ff4949;\n color: #ff4949\n}\n\n.ishow-button--danger.is-plain:active {\n background: #fff;\n border-color: #e64242;\n color: #e64242;\n outline: 0\n}\n\n.ishow-button--info {\n color: #fff;\n background-color: #50bfff;\n border-color: #50bfff\n}\n\n.ishow-button--info:focus,\n.ishow-button--info:hover {\n background: #73ccff;\n border-color: #73ccff;\n color: #fff\n}\n\n.ishow-button--info.is-active,\n.ishow-button--info:active {\n background: #48ace6;\n border-color: #48ace6;\n color: #fff\n}\n\n.ishow-button--info:active {\n outline: 0\n}\n\n.ishow-button--info.is-plain {\n background: #fff;\n border: 1px solid #bfcbd9;\n color: #1f2d3d\n}\n\n.ishow-button--info.is-plain:focus,\n.ishow-button--info.is-plain:hover {\n background: #fff;\n border-color: #50bfff;\n color: #50bfff\n}\n\n.ishow-button--info.is-plain:active {\n background: #fff;\n border-color: #48ace6;\n color: #48ace6;\n outline: 0\n}\n\n.ishow-button--large {\n padding: 11px 19px;\n font-size: 16px;\n border-radius: 4px\n}\n\n.ishow-button--small {\n padding: 7px 9px;\n font-size: 12px;\n border-radius: 4px\n}\n\n.ishow-button--mini {\n padding: 4px;\n font-size: 12px;\n border-radius: 4px\n}\n\n.ishow-button--text {\n border: none;\n color: #20a0ff;\n background: 0 0;\n padding-left: 0;\n padding-right: 0\n}\n\n.ishow-button--text:focus,\n.ishow-button--text:hover {\n color: #4db3ff\n}\n\n.ishow-button--text:active {\n color: #1d90e6\n}\n\n.ishow-button-group {\n display: inline-block;\n vertical-align: middle\n}\n\n.ishow-button-group:after,\n.ishow-button-group:before {\n display: table;\n content: ""\n}\n\n.ishow-button-group:after {\n clear: both\n}\n\n.ishow-button-group .ishow-button--primary:first-child {\n border-right-color: rgba(255, 255, 255, .5)\n}\n\n.ishow-button-group .ishow-button--primary:last-child {\n border-left-color: rgba(255, 255, 255, .5)\n}\n\n.ishow-button-group .ishow-button--primary:not(:first-child):not(:last-child) {\n border-left-color: rgba(255, 255, 255, .5);\n border-right-color: rgba(255, 255, 255, .5)\n}\n\n.ishow-button-group .ishow-button--success:first-child {\n border-right-color: rgba(255, 255, 255, .5)\n}\n\n.ishow-button-group .ishow-button--success:last-child {\n border-left-color: rgba(255, 255, 255, .5)\n}\n\n.ishow-button-group .ishow-button--success:not(:first-child):not(:last-child) {\n border-left-color: rgba(255, 255, 255, .5);\n border-right-color: rgba(255, 255, 255, .5)\n}\n\n.ishow-button-group .ishow-button--warning:first-child {\n border-right-color: rgba(255, 255, 255, .5)\n}\n\n.ishow-button-group .ishow-button--warning:last-child {\n border-left-color: rgba(255, 255, 255, .5)\n}\n\n.ishow-button-group .ishow-button--warning:not(:first-child):not(:last-child) {\n border-left-color: rgba(255, 255, 255, .5);\n border-right-color: rgba(255, 255, 255, .5)\n}\n\n.ishow-button-group .ishow-button--danger:first-child {\n border-right-color: rgba(255, 255, 255, .5)\n}\n\n.ishow-button-group .ishow-button--danger:last-child {\n border-left-color: rgba(255, 255, 255, .5)\n}\n\n.ishow-button-group .ishow-button--danger:not(:first-child):not(:last-child) {\n border-left-color: rgba(255, 255, 255, .5);\n border-right-color: rgba(255, 255, 255, .5)\n}\n\n.ishow-button-group .ishow-button--info:first-child {\n border-right-color: rgba(255, 255, 255, .5)\n}\n\n.ishow-button-group .ishow-button--info:last-child {\n border-left-color: rgba(255, 255, 255, .5)\n}\n\n.ishow-button-group .ishow-button--info:not(:first-child):not(:last-child) {\n border-left-color: rgba(255, 255, 255, .5);\n border-right-color: rgba(255, 255, 255, .5)\n}\n\n.ishow-button-group .ishow-button {\n float: left;\n position: relative\n}\n\n.ishow-button-group .ishow-button+.ishow-button {\n margin-left: 0\n}\n\n.ishow-button-group .ishow-button:first-child {\n border-top-right-radius: 0;\n border-bottom-right-radius: 0\n}\n\n.ishow-button-group .ishow-button:last-child {\n border-top-left-radius: 0;\n border-bottom-left-radius: 0\n}\n\n.ishow-button-group .ishow-button:not(:first-child):not(:last-child) {\n border-radius: 0\n}\n\n.ishow-button-group .ishow-button:not(:last-child) {\n margin-right: -1px\n}\n\n.ishow-button-group .ishow-button.is-active,\n.ishow-button-group .ishow-button:active,\n.ishow-button-group .ishow-button:focus,\n.ishow-button-group .ishow-button:hover {\n z-index: 1\n}'],sourceRoot:""}])},260:function(n,e,t){var o=t(261);"string"===typeof o&&(o=[[n.i,o,""]]);var i={hmr:!1};i.transform=void 0;t(193)(o,i);o.locals&&(n.exports=o.locals)},261:function(n,e,t){e=n.exports=t(192)(!0),e.push([n.i,'.ishow-input,.ishow-input__inner{width:100%;display:inline-block}.ishow-input__inner,.ishow-textarea__inner{-webkit-box-sizing:border-box;box-sizing:border-box;background-image:none}.ishow-input{position:relative;font-size:14px;width:100%}.ishow-input.is-disabled .ishow-input__inner{background-color:#eef1f6;border-color:#d1dbe5;color:#bbb;cursor:not-allowed}.ishow-input.is-disabled .ishow-input__inner::-webkit-input-placeholder{color:#bfcbd9}.ishow-input.is-disabled .ishow-input__inner:-ms-input-placeholder,.ishow-input.is-disabled .ishow-input__inner::-ms-input-placeholder{color:#bfcbd9}.ishow-input.is-disabled .ishow-input__inner::placeholder{color:#bfcbd9}.ishow-input.is-active .ishow-input__inner{outline:0;border-color:#20a0ff}.ishow-input__inner{-webkit-appearance:none;-moz-appearance:none;appearance:none;background-color:#fff;border-radius:4px;border:1px solid #bfcbd9;color:#1f2d3d;font-size:inherit;height:36px;line-height:1;outline:0;padding:3px 10px;-webkit-transition:border-color .2s cubic-bezier(.645,.045,.355,1);-o-transition:border-color .2s cubic-bezier(.645,.045,.355,1);transition:border-color .2s cubic-bezier(.645,.045,.355,1);width:100%}.ishow-input__inner::-webkit-input-placeholder{color:#97a8be}.ishow-input__inner:-ms-input-placeholder,.ishow-input__inner::-ms-input-placeholder{color:#97a8be}.ishow-input__inner::placeholder{color:#97a8be}.ishow-input__inner:hover{border-color:#8391a5}.ishow-input__inner:focus{outline:0;border-color:#20a0ff}.ishow-input__icon{position:absolute;width:35px;height:100%;right:0;top:0;text-align:center;color:#bfcbd9;-webkit-transition:all .3s;-o-transition:all .3s;transition:all .3s}.ishow-input__icon:after{content:"";height:100%;width:0;display:inline-block;vertical-align:middle}.ishow-input__icon+.ishow-input__inner{padding-right:35px}.ishow-input__icon.is-clickable:hover{cursor:pointer;color:#8391a5}.ishow-input__icon.is-clickable:hover+.ishow-input__inner{border-color:#8391a5}.ishow-input--large{font-size:16px}.ishow-input--large .ishow-input__inner{height:42px}.ishow-input--small{font-size:13px}.ishow-input--small .ishow-input__inner{height:30px}.ishow-input--mini{font-size:12px}.ishow-input--mini .ishow-input__inner{height:22px}.ishow-input-group{line-height:normal;display:inline-table;width:100%;border-collapse:separate}.ishow-input-group>.ishow-input__inner{vertical-align:middle;display:table-cell}.ishow-input-group__append,.ishow-input-group__prepend{background-color:#fbfdff;color:#97a8be;vertical-align:middle;display:table-cell;position:relative;border:1px solid #bfcbd9;border-radius:4px;padding:0 10px;width:1px;white-space:nowrap}.ishow-input-group--prepend .ishow-input__inner,.ishow-input-group__append{border-top-left-radius:0;border-bottom-left-radius:0}.ishow-input-group--append .ishow-input__inner,.ishow-input-group__prepend{border-top-right-radius:0;border-bottom-right-radius:0}.ishow-input-group__append .ishow-button,.ishow-input-group__append .ishow-select,.ishow-input-group__prepend .ishow-button,.ishow-input-group__prepend .ishow-select{display:block;margin:-10px}.ishow-input-group__append button.ishow-button,.ishow-input-group__append div.ishow-select .ishow-input__inner,.ishow-input-group__append div.ishow-select:hover .ishow-input__inner,.ishow-input-group__prepend button.ishow-button,.ishow-input-group__prepend div.ishow-select .ishow-input__inner,.ishow-input-group__prepend div.ishow-select:hover .ishow-input__inner{border-color:transparent;background-color:transparent;color:inherit;border-top:0;border-bottom:0}.ishow-input-group__append .ishow-button,.ishow-input-group__append .ishow-input,.ishow-input-group__prepend .ishow-button,.ishow-input-group__prepend .ishow-input{font-size:inherit}.ishow-input-group__prepend{border-right:0}.ishow-input-group__append{border-left:0}.ishow-textarea{display:inline-block;width:100%;vertical-align:bottom}.ishow-textarea.is-disabled .ishow-textarea__inner{background-color:#eef1f6;border-color:#d1dbe5;color:#bbb;cursor:not-allowed}.ishow-textarea.is-disabled .ishow-textarea__inner::-webkit-input-placeholder{color:#bfcbd9}.ishow-textarea.is-disabled .ishow-textarea__inner:-ms-input-placeholder,.ishow-textarea.is-disabled .ishow-textarea__inner::-ms-input-placeholder{color:#bfcbd9}.ishow-textarea.is-disabled .ishow-textarea__inner::placeholder{color:#bfcbd9}.ishow-textarea__inner{display:block;resize:vertical;padding:5px 7px;line-height:1.5;width:100%;font-size:14px;color:#1f2d3d;background-color:#fff;border:1px solid #bfcbd9;border-radius:4px;-webkit-transition:border-color .2s cubic-bezier(.645,.045,.355,1);-o-transition:border-color .2s cubic-bezier(.645,.045,.355,1);transition:border-color .2s cubic-bezier(.645,.045,.355,1)}.ishow-textarea__inner::-webkit-input-placeholder{color:#97a8be}.ishow-textarea__inner:-ms-input-placeholder,.ishow-textarea__inner::-ms-input-placeholder{color:#97a8be}.ishow-textarea__inner::placeholder{color:#97a8be}.ishow-textarea__inner:hover{border-color:#8391a5}.ishow-textarea__inner:focus{outline:0;border-color:#20a0ff}',"",{version:3,sources:["E:/demo/demo/src/ishow/Common/css/Input.css"],names:[],mappings:"AACA,iCAEI,WAAY,AACZ,oBAAqB,CACxB,AAED,2CAEI,8BAA+B,AACvB,sBAAuB,AAC/B,qBAAsB,CACzB,AAED,aACI,kBAAmB,AACnB,eAAgB,AAChB,UAAY,CACf,AAED,6CACI,yBAA0B,AAC1B,qBAAsB,AACtB,WAAY,AACZ,kBAAmB,CACtB,AAED,wEACI,aAAc,CACjB,AAMD,uIACI,aAAc,CACjB,AAED,0DACI,aAAc,CACjB,AAED,2CACI,UAAW,AACX,oBAAqB,CACxB,AAED,oBACI,wBAAyB,AACzB,qBAAsB,AACtB,gBAAiB,AACjB,sBAAuB,AACvB,kBAAmB,AACnB,yBAA0B,AAC1B,cAAe,AACf,kBAAmB,AACnB,YAAa,AACb,cAAe,AACf,UAAW,AACX,iBAAkB,AAClB,mEAAuE,AACvE,8DAAkE,AAClE,2DAA+D,AAC/D,UAAY,CACf,AAED,+CACI,aAAc,CACjB,AAMD,qFACI,aAAc,CACjB,AAED,iCACI,aAAc,CACjB,AAED,0BACI,oBAAqB,CACxB,AAED,0BACI,UAAW,AACX,oBAAqB,CACxB,AAED,mBACI,kBAAmB,AACnB,WAAY,AACZ,YAAa,AACb,QAAS,AACT,MAAO,AACP,kBAAmB,AACnB,cAAe,AACf,2BAA4B,AAC5B,sBAAuB,AACvB,kBAAmB,CACtB,AAED,yBACI,WAAY,AACZ,YAAa,AACb,QAAS,AACT,qBAAsB,AACtB,qBAAsB,CACzB,AAED,uCACI,kBAAmB,CACtB,AAED,sCACI,eAAgB,AAChB,aAAc,CACjB,AAED,0DACI,oBAAqB,CACxB,AAED,oBACI,cAAe,CAClB,AAED,wCACI,WAAY,CACf,AAED,oBACI,cAAe,CAClB,AAED,wCACI,WAAY,CACf,AAED,mBACI,cAAe,CAClB,AAED,uCACI,WAAY,CACf,AAED,mBACI,mBAAoB,AACpB,qBAAsB,AACtB,WAAY,AACZ,wBAAyB,CAC5B,AAED,uCACI,sBAAuB,AACvB,kBAAmB,CACtB,AAED,uDAEI,yBAA0B,AAC1B,cAAe,AACf,sBAAuB,AACvB,mBAAoB,AACpB,kBAAmB,AACnB,yBAA0B,AAC1B,kBAAmB,AACnB,eAAgB,AAChB,UAAW,AACX,kBAAmB,CACtB,AAED,2EAEI,yBAA0B,AAC1B,2BAA4B,CAC/B,AAED,2EAEI,0BAA2B,AAC3B,4BAA6B,CAChC,AAED,sKAII,cAAe,AACf,YAAa,CAChB,AAED,6WAMI,yBAA0B,AAC1B,6BAA8B,AAC9B,cAAe,AACf,aAAc,AACd,eAAgB,CACnB,AAED,oKAII,iBAAkB,CACrB,AAED,4BACI,cAAe,CAClB,AAED,2BACI,aAAc,CACjB,AAED,gBACI,qBAAsB,AACtB,WAAY,AACZ,qBAAsB,CACzB,AAED,mDACI,yBAA0B,AAC1B,qBAAsB,AACtB,WAAY,AACZ,kBAAmB,CACtB,AAED,8EACI,aAAc,CACjB,AAMD,mJACI,aAAc,CACjB,AAED,gEACI,aAAc,CACjB,AAED,uBACI,cAAe,AACf,gBAAiB,AACjB,gBAAiB,AACjB,gBAAiB,AACjB,WAAY,AACZ,eAAgB,AAChB,cAAe,AACf,sBAAuB,AACvB,yBAA0B,AAC1B,kBAAmB,AACnB,mEAAuE,AACvE,8DAAkE,AAClE,0DAA8D,CACjE,AAED,kDACI,aAAc,CACjB,AAMD,2FACI,aAAc,CACjB,AAED,oCACI,aAAc,CACjB,AAED,6BACI,oBAAqB,CACxB,AAED,6BACI,UAAW,AACX,oBAAqB,CACxB",file:"Input.css",sourcesContent:["@charset \"UTF-8\";\r\n.ishow-input,\r\n.ishow-input__inner {\r\n width: 100%;\r\n display: inline-block\r\n}\r\n\r\n.ishow-input__inner,\r\n.ishow-textarea__inner {\r\n -webkit-box-sizing: border-box;\r\n box-sizing: border-box;\r\n background-image: none\r\n}\r\n\r\n.ishow-input {\r\n position: relative;\r\n font-size: 14px;\r\n width: 100%;\r\n}\r\n\r\n.ishow-input.is-disabled .ishow-input__inner {\r\n background-color: #eef1f6;\r\n border-color: #d1dbe5;\r\n color: #bbb;\r\n cursor: not-allowed\r\n}\r\n\r\n.ishow-input.is-disabled .ishow-input__inner::-webkit-input-placeholder {\r\n color: #bfcbd9\r\n}\r\n\r\n.ishow-input.is-disabled .ishow-input__inner:-ms-input-placeholder {\r\n color: #bfcbd9\r\n}\r\n\r\n.ishow-input.is-disabled .ishow-input__inner::-ms-input-placeholder {\r\n color: #bfcbd9\r\n}\r\n\r\n.ishow-input.is-disabled .ishow-input__inner::placeholder {\r\n color: #bfcbd9\r\n}\r\n\r\n.ishow-input.is-active .ishow-input__inner {\r\n outline: 0;\r\n border-color: #20a0ff\r\n}\r\n\r\n.ishow-input__inner {\r\n -webkit-appearance: none;\r\n -moz-appearance: none;\r\n appearance: none;\r\n background-color: #fff;\r\n border-radius: 4px;\r\n border: 1px solid #bfcbd9;\r\n color: #1f2d3d;\r\n font-size: inherit;\r\n height: 36px;\r\n line-height: 1;\r\n outline: 0;\r\n padding: 3px 10px;\r\n -webkit-transition: border-color .2s cubic-bezier(.645, .045, .355, 1);\r\n -o-transition: border-color .2s cubic-bezier(.645, .045, .355, 1);\r\n transition: border-color .2s cubic-bezier(.645, .045, .355, 1);\r\n width: 100%;\r\n}\r\n\r\n.ishow-input__inner::-webkit-input-placeholder {\r\n color: #97a8be\r\n}\r\n\r\n.ishow-input__inner:-ms-input-placeholder {\r\n color: #97a8be\r\n}\r\n\r\n.ishow-input__inner::-ms-input-placeholder {\r\n color: #97a8be\r\n}\r\n\r\n.ishow-input__inner::placeholder {\r\n color: #97a8be\r\n}\r\n\r\n.ishow-input__inner:hover {\r\n border-color: #8391a5\r\n}\r\n\r\n.ishow-input__inner:focus {\r\n outline: 0;\r\n border-color: #20a0ff\r\n}\r\n\r\n.ishow-input__icon {\r\n position: absolute;\r\n width: 35px;\r\n height: 100%;\r\n right: 0;\r\n top: 0;\r\n text-align: center;\r\n color: #bfcbd9;\r\n -webkit-transition: all .3s;\r\n -o-transition: all .3s;\r\n transition: all .3s\r\n}\r\n\r\n.ishow-input__icon:after {\r\n content: '';\r\n height: 100%;\r\n width: 0;\r\n display: inline-block;\r\n vertical-align: middle\r\n}\r\n\r\n.ishow-input__icon+.ishow-input__inner {\r\n padding-right: 35px\r\n}\r\n\r\n.ishow-input__icon.is-clickable:hover {\r\n cursor: pointer;\r\n color: #8391a5\r\n}\r\n\r\n.ishow-input__icon.is-clickable:hover+.ishow-input__inner {\r\n border-color: #8391a5\r\n}\r\n\r\n.ishow-input--large {\r\n font-size: 16px\r\n}\r\n\r\n.ishow-input--large .ishow-input__inner {\r\n height: 42px\r\n}\r\n\r\n.ishow-input--small {\r\n font-size: 13px\r\n}\r\n\r\n.ishow-input--small .ishow-input__inner {\r\n height: 30px\r\n}\r\n\r\n.ishow-input--mini {\r\n font-size: 12px\r\n}\r\n\r\n.ishow-input--mini .ishow-input__inner {\r\n height: 22px\r\n}\r\n\r\n.ishow-input-group {\r\n line-height: normal;\r\n display: inline-table;\r\n width: 100%;\r\n border-collapse: separate\r\n}\r\n\r\n.ishow-input-group>.ishow-input__inner {\r\n vertical-align: middle;\r\n display: table-cell\r\n}\r\n\r\n.ishow-input-group__append,\r\n.ishow-input-group__prepend {\r\n background-color: #fbfdff;\r\n color: #97a8be;\r\n vertical-align: middle;\r\n display: table-cell;\r\n position: relative;\r\n border: 1px solid #bfcbd9;\r\n border-radius: 4px;\r\n padding: 0 10px;\r\n width: 1px;\r\n white-space: nowrap\r\n}\r\n\r\n.ishow-input-group--prepend .ishow-input__inner,\r\n.ishow-input-group__append {\r\n border-top-left-radius: 0;\r\n border-bottom-left-radius: 0\r\n}\r\n\r\n.ishow-input-group--append .ishow-input__inner,\r\n.ishow-input-group__prepend {\r\n border-top-right-radius: 0;\r\n border-bottom-right-radius: 0\r\n}\r\n\r\n.ishow-input-group__append .ishow-button,\r\n.ishow-input-group__append .ishow-select,\r\n.ishow-input-group__prepend .ishow-button,\r\n.ishow-input-group__prepend .ishow-select {\r\n display: block;\r\n margin: -10px\r\n}\r\n\r\n.ishow-input-group__append button.ishow-button,\r\n.ishow-input-group__append div.ishow-select .ishow-input__inner,\r\n.ishow-input-group__append div.ishow-select:hover .ishow-input__inner,\r\n.ishow-input-group__prepend button.ishow-button,\r\n.ishow-input-group__prepend div.ishow-select .ishow-input__inner,\r\n.ishow-input-group__prepend div.ishow-select:hover .ishow-input__inner {\r\n border-color: transparent;\r\n background-color: transparent;\r\n color: inherit;\r\n border-top: 0;\r\n border-bottom: 0\r\n}\r\n\r\n.ishow-input-group__append .ishow-button,\r\n.ishow-input-group__append .ishow-input,\r\n.ishow-input-group__prepend .ishow-button,\r\n.ishow-input-group__prepend .ishow-input {\r\n font-size: inherit\r\n}\r\n\r\n.ishow-input-group__prepend {\r\n border-right: 0\r\n}\r\n\r\n.ishow-input-group__append {\r\n border-left: 0\r\n}\r\n\r\n.ishow-textarea {\r\n display: inline-block;\r\n width: 100%;\r\n vertical-align: bottom\r\n}\r\n\r\n.ishow-textarea.is-disabled .ishow-textarea__inner {\r\n background-color: #eef1f6;\r\n border-color: #d1dbe5;\r\n color: #bbb;\r\n cursor: not-allowed\r\n}\r\n\r\n.ishow-textarea.is-disabled .ishow-textarea__inner::-webkit-input-placeholder {\r\n color: #bfcbd9\r\n}\r\n\r\n.ishow-textarea.is-disabled .ishow-textarea__inner:-ms-input-placeholder {\r\n color: #bfcbd9\r\n}\r\n\r\n.ishow-textarea.is-disabled .ishow-textarea__inner::-ms-input-placeholder {\r\n color: #bfcbd9\r\n}\r\n\r\n.ishow-textarea.is-disabled .ishow-textarea__inner::placeholder {\r\n color: #bfcbd9\r\n}\r\n\r\n.ishow-textarea__inner {\r\n display: block;\r\n resize: vertical;\r\n padding: 5px 7px;\r\n line-height: 1.5;\r\n width: 100%;\r\n font-size: 14px;\r\n color: #1f2d3d;\r\n background-color: #fff;\r\n border: 1px solid #bfcbd9;\r\n border-radius: 4px;\r\n -webkit-transition: border-color .2s cubic-bezier(.645, .045, .355, 1);\r\n -o-transition: border-color .2s cubic-bezier(.645, .045, .355, 1);\r\n transition: border-color .2s cubic-bezier(.645, .045, .355, 1)\r\n}\r\n\r\n.ishow-textarea__inner::-webkit-input-placeholder {\r\n color: #97a8be\r\n}\r\n\r\n.ishow-textarea__inner:-ms-input-placeholder {\r\n color: #97a8be\r\n}\r\n\r\n.ishow-textarea__inner::-ms-input-placeholder {\r\n color: #97a8be\r\n}\r\n\r\n.ishow-textarea__inner::placeholder {\r\n color: #97a8be\r\n}\r\n\r\n.ishow-textarea__inner:hover {\r\n border-color: #8391a5\r\n}\r\n\r\n.ishow-textarea__inner:focus {\r\n outline: 0;\r\n border-color: #20a0ff\r\n}"],sourceRoot:""}])},376:function(n,e,t){"use strict";function o(n,e){if(!(n instanceof e))throw new TypeError("Cannot call a class as a function")}function i(n,e){if(!n)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?n:e}function r(n,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);n.prototype=Object.create(e&&e.prototype,{constructor:{value:n,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(n,e):n.__proto__=e)}function a(n,e,t){return"object"===("undefined"===typeof e?"undefined":k(e))&&(t=e),t=Object.assign({title:e,message:n,modal:"alert",closeOnPressEscape:!1,closeOnClickModal:!1},t),c(t)}function s(n,e,t){return"object"===("undefined"===typeof e?"undefined":k(e))&&(t=e),t=Object.assign({title:e,message:n,modal:"confirm",showCancelButton:!0},t),c(t)}function l(n,e,t){return"object"===("undefined"===typeof e?"undefined":k(e))&&(t=e),t=Object.assign({title:e,message:n,modal:"prompt",showCancelButton:!0,showInput:!0},t),c(t)}function p(n){return c(n)}function c(n){return new Promise(function(e,t){var o=document.createElement("div");document.body.appendChild(o),!1!==n.lockScroll&&document.body.style.setProperty("overflow","hidden");var i=d.a.createElement(x,Object.assign({},n,{promise:{resolve:e,reject:t},willUnmount:function(){h.a.unmountComponentAtNode(o),document.body.removeChild(o),document.body.style.removeProperty("overflow")}}));h.a.render(i,o)})}var u=t(0),d=t.n(u),A=t(8),h=t.n(A),m=t(1),f=t.n(m),b=t(50),C=t(198),g=t(226),w=t(211),B=(t(377),t(230),function(){function n(n,e){for(var t=0;t<e.length;t++){var o=e[t];o.enumerable=o.enumerable||!1,o.configurable=!0,"value"in o&&(o.writable=!0),Object.defineProperty(n,o.key,o)}}return function(e,t,o){return t&&n(e.prototype,t),o&&n(e,o),e}}()),v={success:"circle-check",info:"information",warning:"warning",error:"circle-cross"},y=function(n){function e(n){o(this,e);var t=i(this,(e.__proto__||Object.getPrototypeOf(e)).call(this,n));return t.state={visible:!1,inputValue:n.inputValue},t}return r(e,n),B(e,[{key:"componentDidMount",value:function(){this.setState({visible:!0})}},{key:"confirmButtonText",value:function(){return this.props.confirmButtonText}},{key:"cancelButtonText",value:function(){return this.props.cancelButtonText}},{key:"onChange",value:function(n){this.setState({inputValue:n}),this.validate(n)}},{key:"typeClass",value:function(){return this.props.type&&v[this.props.type]&&"ishow-icon-"+v[this.props.type]}},{key:"validate",value:function(n){var e=this.props,t=e.inputPattern,o=e.inputValidator,i=e.inputErrorMessage,r=void 0;if(t&&!t.test(n)&&(r=i),"function"===typeof o){var a=o(n);!1===a&&(r=i),"string"===typeof a&&(r=a)}return this.setState({editorErrorMessage:r}),!r}},{key:"handleAction",value:function(n){var e=this.props,t=e.modal,o=e.promise,i=e.showInput;if(t)switch(n){case"cancel":o.reject();break;case"confirm":if("prompt"===t){if(!this.validate(this.state.inputValue||""))return;i?o.resolve({value:this.state.inputValue,action:n}):o.resolve(n)}else o.resolve()}else o.resolve(n);this.close()}},{key:"close",value:function(){this.setState({visible:!1})}},{key:"render",value:function(){var n=this.props,e=n.willUnmount,t=n.title,o=n.showClose,i=n.message,r=n.showInput,a=n.inputPlaceholder,s=n.showCancelButton,l=n.cancelButtonClass,p=n.showConfirmButton,c=n.confirmButtonClass,u=n.inputType,A=this.state,h=A.visible,m=A.editorErrorMessage;return d.a.createElement("div",null,d.a.createElement("div",{style:{position:"absolute",zIndex:2001}},d.a.createElement(C.a,{name:"msgbox-fade",onAfterLeave:function(){e&&e()}},d.a.createElement(b.a,{show:h},d.a.createElement("div",{className:"ishow-message-box__wrapper"},d.a.createElement("div",{className:"ishow-message-box"},t&&d.a.createElement("div",{className:"ishow-message-box__header"},d.a.createElement("div",{className:"ishow-message-box__title"},t),o&&d.a.createElement("button",{type:"button",className:"ishow-message-box__headerbtn","aria-label":"Close",onClick:this.handleAction.bind(this,"cancel")},d.a.createElement("i",{className:"ishow-message-box__close ishow-icon-close"}))),i&&d.a.createElement("div",{className:"ishow-message-box__content"},d.a.createElement("div",{className:this.classNames("ishow-message-box__status",this.typeClass())}),d.a.createElement("div",{className:"ishow-message-box__message",style:{marginLeft:this.typeClass()?"50px":"0"}},d.a.createElement("p",null,i)),d.a.createElement(b.a,{show:r},d.a.createElement("div",{className:"ishow-message-box__input"},d.a.createElement(w.a,{className:this.classNames({invalid:m}),type:u,value:this.state.inputValue,placeholder:a,onChange:this.onChange.bind(this)}),d.a.createElement("div",{className:"ishow-message-box__errormsg",style:{visibility:m?"visible":"hidden"}},m)))),d.a.createElement("div",{className:"ishow-message-box__btns"},d.a.createElement(b.a,{show:s},d.a.createElement(g.a,{className:l,onClick:this.handleAction.bind(this,"cancel")},this.cancelButtonText())),d.a.createElement(b.a,{show:p},d.a.createElement(g.a,{className:this.classNames("ishow-button--primary",c),onClick:this.handleAction.bind(this,"confirm")},this.confirmButtonText())))))))),d.a.createElement(C.a,{name:"v-modal"},d.a.createElement(b.a,{show:h},d.a.createElement("div",{className:"v-modal",style:{zIndex:1006}}))))}}]),e}(b.b),x=y;y.propTypes={modal:f.a.oneOf(["alert","confirm","prompt"]),type:f.a.oneOf(["success","warning","info","error"]),title:f.a.string,message:f.a.oneOfType([f.a.string,f.a.element]),showInput:f.a.bool,showClose:f.a.bool,showCancelButton:f.a.bool,showConfirmButton:f.a.bool,confirmButtonText:f.a.string,cancelButtonText:f.a.string,cancelButtonClass:f.a.string,confirmButtonClass:f.a.string,inputPlaceholder:f.a.string,inputPattern:f.a.regex,inputValidator:f.a.func,inputErrorMessage:f.a.string,inputValue:f.a.any,inputType:f.a.string,promise:f.a.object,onClose:f.a.func},y.defaultProps={title:"\u63d0\u793a",showClose:!0,showConfirmButton:!0,confirmButtonText:"\u786e\u8ba4",cancelButtonText:"\u53d6\u6d88"};var k="function"===typeof Symbol&&"symbol"===typeof Symbol.iterator?function(n){return typeof n}:function(n){return n&&"function"===typeof Symbol&&n.constructor===Symbol&&n!==Symbol.prototype?"symbol":typeof n};e.a={alert:a,confirm:s,prompt:l,msgbox:p}},377:function(n,e,t){var o=t(378);"string"===typeof o&&(o=[[n.i,o,""]]);var i={hmr:!1};i.transform=void 0;t(193)(o,i);o.locals&&(n.exports=o.locals)},378:function(n,e,t){e=n.exports=t(192)(!0),e.push([n.i,'.ishow-button,.ishow-input__inner{-webkit-appearance:none;line-height:1;outline:0}.ishow-button-group:after,.ishow-button-group:before{display:table;content:""}.ishow-button,.ishow-button-group,.ishow-input,.ishow-input__inner{display:inline-block}.ishow-button-group:after{clear:both}.v-modal-enter{-webkit-animation:v-modal-in .2s ease;animation:v-modal-in .2s ease}.v-modal-leave{-webkit-animation:v-modal-out .2s ease forwards;animation:v-modal-out .2s ease forwards}@-webkit-keyframes v-modal-in{0%{opacity:0}}@keyframes v-modal-in{0%{opacity:0}}@-webkit-keyframes v-modal-out{to{opacity:0}}@keyframes v-modal-out{to{opacity:0}}.v-modal{position:fixed;left:0;top:0;width:100%;height:100%;opacity:.5;background:#000}.ishow-button{white-space:nowrap;cursor:pointer;background:#fff;border:1px solid #c4c4c4;color:#1f2d3d;text-align:center;-webkit-box-sizing:border-box;box-sizing:border-box;margin:0;-moz-user-select:none;-webkit-user-select:none;-ms-user-select:none;padding:10px 15px;font-size:14px;border-radius:4px}.ishow-button+.ishow-button{margin-left:10px}.ishow-button:focus,.ishow-button:hover{color:#20a0ff;border-color:#20a0ff}.ishow-button:active{color:#1d90e6;border-color:#1d90e6;outline:0}.ishow-button::-moz-focus-inner{border:0}.ishow-button [class*=ishow-icon-]+span{margin-left:5px}.ishow-button.is-loading{position:relative;pointer-events:none}.ishow-button.is-loading:before{pointer-events:none;content:"";position:absolute;left:-1px;top:-1px;right:-1px;bottom:-1px;border-radius:inherit;background-color:hsla(0,0%,100%,.35)}.ishow-button.is-disabled,.ishow-button.is-disabled:focus,.ishow-button.is-disabled:hover{color:#bfcbd9;cursor:not-allowed;background-image:none;background-color:#eef1f6;border-color:#d1dbe5}.ishow-button.is-disabled.ishow-button--text{background-color:transparent}.ishow-button.is-disabled.is-plain,.ishow-button.is-disabled.is-plain:focus,.ishow-button.is-disabled.is-plain:hover{background-color:#fff;border-color:#d1dbe5;color:#bfcbd9}.ishow-button.is-active{color:#1d90e6;border-color:#1d90e6}.ishow-button.is-plain:focus,.ishow-button.is-plain:hover{background:#fff;border-color:#20a0ff;color:#20a0ff}.ishow-button.is-plain:active{background:#fff;border-color:#1d90e6;color:#1d90e6;outline:0}.ishow-button--primary{color:#fff;background-color:#20a0ff;border-color:#20a0ff}.ishow-button--primary:focus,.ishow-button--primary:hover{background:#4db3ff;border-color:#4db3ff;color:#fff}.ishow-button--primary.is-active,.ishow-button--primary:active{background:#1d90e6;border-color:#1d90e6;color:#fff}.ishow-button--primary:active{outline:0}.ishow-button--primary.is-plain{background:#fff;border:1px solid #bfcbd9;color:#1f2d3d}.ishow-button--primary.is-plain:focus,.ishow-button--primary.is-plain:hover{background:#fff;border-color:#20a0ff;color:#20a0ff}.ishow-button--primary.is-plain:active{background:#fff;border-color:#1d90e6;color:#1d90e6;outline:0}.ishow-button--success{color:#fff;background-color:#13ce66;border-color:#13ce66}.ishow-button--success:focus,.ishow-button--success:hover{background:#42d885;border-color:#42d885;color:#fff}.ishow-button--success.is-active,.ishow-button--success:active{background:#11b95c;border-color:#11b95c;color:#fff}.ishow-button--success:active{outline:0}.ishow-button--success.is-plain{background:#fff;border:1px solid #bfcbd9;color:#1f2d3d}.ishow-button--success.is-plain:focus,.ishow-button--success.is-plain:hover{background:#fff;border-color:#13ce66;color:#13ce66}.ishow-button--success.is-plain:active{background:#fff;border-color:#11b95c;color:#11b95c;outline:0}.ishow-button--warning{color:#fff;background-color:#f7ba2a;border-color:#f7ba2a}.ishow-button--warning:focus,.ishow-button--warning:hover{background:#f9c855;border-color:#f9c855;color:#fff}.ishow-button--warning.is-active,.ishow-button--warning:active{background:#dea726;border-color:#dea726;color:#fff}.ishow-button--warning:active{outline:0}.ishow-button--warning.is-plain{background:#fff;border:1px solid #bfcbd9;color:#1f2d3d}.ishow-button--warning.is-plain:focus,.ishow-button--warning.is-plain:hover{background:#fff;border-color:#f7ba2a;color:#f7ba2a}.ishow-button--warning.is-plain:active{background:#fff;border-color:#dea726;color:#dea726;outline:0}.ishow-button--danger{color:#fff;background-color:#ff4949;border-color:#ff4949}.ishow-button--danger:focus,.ishow-button--danger:hover{background:#ff6d6d;border-color:#ff6d6d;color:#fff}.ishow-button--danger.is-active,.ishow-button--danger:active{background:#e64242;border-color:#e64242;color:#fff}.ishow-button--danger:active{outline:0}.ishow-button--danger.is-plain{background:#fff;border:1px solid #bfcbd9;color:#1f2d3d}.ishow-button--danger.is-plain:focus,.ishow-button--danger.is-plain:hover{background:#fff;border-color:#ff4949;color:#ff4949}.ishow-button--danger.is-plain:active{background:#fff;border-color:#e64242;color:#e64242;outline:0}.ishow-button--info{color:#fff;background-color:#50bfff;border-color:#50bfff}.ishow-button--info:focus,.ishow-button--info:hover{background:#73ccff;border-color:#73ccff;color:#fff}.ishow-button--info.is-active,.ishow-button--info:active{background:#48ace6;border-color:#48ace6;color:#fff}.ishow-button--info:active{outline:0}.ishow-button--info.is-plain{background:#fff;border:1px solid #bfcbd9;color:#1f2d3d}.ishow-button--info.is-plain:focus,.ishow-button--info.is-plain:hover{background:#fff;border-color:#50bfff;color:#50bfff}.ishow-button--info.is-plain:active{background:#fff;border-color:#48ace6;color:#48ace6;outline:0}.ishow-button--large{padding:11px 19px;font-size:16px;border-radius:4px}.ishow-button--small{padding:7px 9px;font-size:12px;border-radius:4px}.ishow-button--mini{padding:4px;font-size:12px;border-radius:4px}.ishow-button--text{border:none;color:#20a0ff;background:0 0;padding-left:0;padding-right:0}.ishow-input__inner,.ishow-textarea__inner{-webkit-box-sizing:border-box;box-sizing:border-box;background-image:none}.ishow-button--text:focus,.ishow-button--text:hover{color:#4db3ff}.ishow-button--text:active{color:#1d90e6}.ishow-button-group{vertical-align:middle}.ishow-button-group .ishow-button--primary:first-child{border-right-color:hsla(0,0%,100%,.5)}.ishow-button-group .ishow-button--primary:last-child{border-left-color:hsla(0,0%,100%,.5)}.ishow-button-group .ishow-button--primary:not(:first-child):not(:last-child){border-left-color:hsla(0,0%,100%,.5);border-right-color:hsla(0,0%,100%,.5)}.ishow-button-group .ishow-button--success:first-child{border-right-color:hsla(0,0%,100%,.5)}.ishow-button-group .ishow-button--success:last-child{border-left-color:hsla(0,0%,100%,.5)}.ishow-button-group .ishow-button--success:not(:first-child):not(:last-child){border-left-color:hsla(0,0%,100%,.5);border-right-color:hsla(0,0%,100%,.5)}.ishow-button-group .ishow-button--warning:first-child{border-right-color:hsla(0,0%,100%,.5)}.ishow-button-group .ishow-button--warning:last-child{border-left-color:hsla(0,0%,100%,.5)}.ishow-button-group .ishow-button--warning:not(:first-child):not(:last-child){border-left-color:hsla(0,0%,100%,.5);border-right-color:hsla(0,0%,100%,.5)}.ishow-button-group .ishow-button--danger:first-child{border-right-color:hsla(0,0%,100%,.5)}.ishow-button-group .ishow-button--danger:last-child{border-left-color:hsla(0,0%,100%,.5)}.ishow-button-group .ishow-button--danger:not(:first-child):not(:last-child){border-left-color:hsla(0,0%,100%,.5);border-right-color:hsla(0,0%,100%,.5)}.ishow-button-group .ishow-button--info:first-child{border-right-color:hsla(0,0%,100%,.5)}.ishow-button-group .ishow-button--info:last-child{border-left-color:hsla(0,0%,100%,.5)}.ishow-button-group .ishow-button--info:not(:first-child):not(:last-child){border-left-color:hsla(0,0%,100%,.5);border-right-color:hsla(0,0%,100%,.5)}.ishow-button-group .ishow-button{float:left;position:relative}.ishow-button-group .ishow-button+.ishow-button{margin-left:0}.ishow-button-group .ishow-button:first-child{border-top-right-radius:0;border-bottom-right-radius:0}.ishow-button-group .ishow-button:last-child{border-top-left-radius:0;border-bottom-left-radius:0}.ishow-button-group .ishow-button:not(:first-child):not(:last-child){border-radius:0}.ishow-button-group .ishow-button:not(:last-child){margin-right:-1px}.ishow-button-group .ishow-button.is-active,.ishow-button-group .ishow-button:active,.ishow-button-group .ishow-button:focus,.ishow-button-group .ishow-button:hover{z-index:1}.ishow-input{position:relative;font-size:14px;width:100%}.ishow-input-group__append .ishow-button,.ishow-input-group__append .ishow-input,.ishow-input-group__prepend .ishow-button,.ishow-input-group__prepend .ishow-input,.ishow-input__inner{font-size:inherit}.ishow-input.is-disabled .ishow-input__inner{background-color:#eef1f6;border-color:#d1dbe5;color:#bbb;cursor:not-allowed}.ishow-input.is-disabled .ishow-input__inner::-webkit-input-placeholder{color:#bfcbd9}.ishow-input.is-disabled .ishow-input__inner:-ms-input-placeholder,.ishow-input.is-disabled .ishow-input__inner::-ms-input-placeholder{color:#bfcbd9}.ishow-input.is-disabled .ishow-input__inner::placeholder{color:#bfcbd9}.ishow-input.is-active .ishow-input__inner{outline:0;border-color:#20a0ff}.ishow-input__inner{-moz-appearance:none;-webkit-appearance:none;appearance:none;background-color:#fff;border-radius:4px;border:1px solid #bfcbd9;color:#1f2d3d;height:36px;padding:3px 10px;-webkit-transition:border-color .2s cubic-bezier(.645,.045,.355,1);-o-transition:border-color .2s cubic-bezier(.645,.045,.355,1);transition:border-color .2s cubic-bezier(.645,.045,.355,1);width:100%}.ishow-input__inner::-webkit-input-placeholder{color:#97a8be}.ishow-input__inner:-ms-input-placeholder,.ishow-input__inner::-ms-input-placeholder{color:#97a8be}.ishow-input__inner::placeholder{color:#97a8be}.ishow-input__inner:hover{border-color:#8391a5}.ishow-input__inner:focus{outline:0;border-color:#20a0ff}.ishow-input__icon{position:absolute;width:35px;height:100%;right:0;top:0;text-align:center;color:#bfcbd9;-webkit-transition:all .3s;-o-transition:all .3s;transition:all .3s}.ishow-input__icon:after{content:"";height:100%;width:0;display:inline-block;vertical-align:middle}.ishow-input__icon+.ishow-input__inner{padding-right:35px}.ishow-input__icon.is-clickable:hover{cursor:pointer;color:#8391a5}.ishow-input__icon.is-clickable:hover+.ishow-input__inner{border-color:#8391a5}.ishow-input--large{font-size:16px}.ishow-input--large .ishow-input__inner{height:42px}.ishow-input--small{font-size:13px}.ishow-input--small .ishow-input__inner{height:30px}.ishow-input--mini{font-size:12px}.ishow-input--mini .ishow-input__inner{height:22px}.ishow-input-group{line-height:normal;display:inline-table;width:100%;border-collapse:separate}.ishow-input-group>.ishow-input__inner{vertical-align:middle;display:table-cell}.ishow-input-group__append,.ishow-input-group__prepend{background-color:#fbfdff;color:#97a8be;vertical-align:middle;display:table-cell;position:relative;border:1px solid #bfcbd9;border-radius:4px;padding:0 10px;width:1px;white-space:nowrap}.ishow-input-group--prepend .ishow-input__inner,.ishow-input-group__append{border-top-left-radius:0;border-bottom-left-radius:0}.ishow-input-group--append .ishow-input__inner,.ishow-input-group__prepend{border-top-right-radius:0;border-bottom-right-radius:0}.ishow-input-group__append .ishow-button,.ishow-input-group__append .ishow-select,.ishow-input-group__prepend .ishow-button,.ishow-input-group__prepend .ishow-select{display:block;margin:-10px}.ishow-input-group__append button.ishow-button,.ishow-input-group__append div.ishow-select .ishow-input__inner,.ishow-input-group__append div.ishow-select:hover .ishow-input__inner,.ishow-input-group__prepend button.ishow-button,.ishow-input-group__prepend div.ishow-select .ishow-input__inner,.ishow-input-group__prepend div.ishow-select:hover .ishow-input__inner{border-color:transparent;background-color:transparent;color:inherit;border-top:0;border-bottom:0}.ishow-input-group__prepend{border-right:0}.ishow-input-group__append{border-left:0}.ishow-textarea{display:inline-block;width:100%;vertical-align:bottom}.ishow-textarea.is-disabled .ishow-textarea__inner{background-color:#eef1f6;border-color:#d1dbe5;color:#bbb;cursor:not-allowed}.ishow-textarea.is-disabled .ishow-textarea__inner::-webkit-input-placeholder{color:#bfcbd9}.ishow-textarea.is-disabled .ishow-textarea__inner:-ms-input-placeholder,.ishow-textarea.is-disabled .ishow-textarea__inner::-ms-input-placeholder{color:#bfcbd9}.ishow-textarea.is-disabled .ishow-textarea__inner::placeholder{color:#bfcbd9}.ishow-textarea__inner{display:block;resize:vertical;padding:5px 7px;line-height:1.5;width:100%;font-size:14px;color:#1f2d3d;background-color:#fff;border:1px solid #bfcbd9;border-radius:4px;-webkit-transition:border-color .2s cubic-bezier(.645,.045,.355,1);-o-transition:border-color .2s cubic-bezier(.645,.045,.355,1);transition:border-color .2s cubic-bezier(.645,.045,.355,1)}.ishow-textarea__inner::-webkit-input-placeholder{color:#97a8be}.ishow-textarea__inner:-ms-input-placeholder,.ishow-textarea__inner::-ms-input-placeholder{color:#97a8be}.ishow-textarea__inner::placeholder{color:#97a8be}.ishow-textarea__inner:hover{border-color:#8391a5}.ishow-textarea__inner:focus{outline:0;border-color:#20a0ff}.ishow-message-box{text-align:left;display:inline-block;vertical-align:middle;background-color:#fff;width:420px;border-radius:3px;font-size:16px;overflow:hidden;-webkit-backface-visibility:hidden;backface-visibility:hidden}.ishow-message-box__wrapper{position:fixed;top:0;bottom:0;left:0;right:0;text-align:center}.ishow-message-box__wrapper:after{content:"";display:inline-block;height:100%;width:0;vertical-align:middle}.ishow-message-box__header{position:relative;padding:20px 20px 0}.ishow-message-box__headerbtn{position:absolute;top:19px;right:20px;background:0 0;border:none;outline:0;padding:0;cursor:pointer}.ishow-message-box__headerbtn .ishow-message-box__close{color:#999}.ishow-message-box__headerbtn:focus .ishow-message-box__close,.ishow-message-box__headerbtn:hover .ishow-message-box__close{color:#20a0ff}.ishow-message-box__content{padding:30px 20px;color:#48576a;font-size:14px;position:relative}.ishow-message-box__input{padding-top:15px}.ishow-message-box__input input.invalid,.ishow-message-box__input input.invalid:focus{border-color:#ff4949}.ishow-message-box__errormsg{color:#ff4949;font-size:12px;min-height:18px;margin-top:2px}.ishow-message-box__title{padding-left:0;margin-bottom:0;font-size:16px;font-weight:700;height:18px;color:#333}.ishow-message-box__message{margin:0}.ishow-message-box__message p{margin:0;line-height:1.4}.ishow-message-box__btns{padding:10px 20px 15px;text-align:right}.ishow-message-box__btns button:nth-child(2){margin-left:10px}.ishow-message-box__btns-reverse{-ms-flex-direction:row-reverse;flex-direction:row-reverse}.ishow-message-box__status{position:absolute;top:50%;-ms-transform:translateY(-50%);-webkit-transform:translateY(-50%);transform:translateY(-50%);font-size:36px!important}.ishow-message-box__status.ishow-icon-circle-check{color:#13ce66}.ishow-message-box__status.ishow-icon-information{color:#50bfff}.ishow-message-box__status.ishow-icon-warning{color:#f7ba2a}.ishow-message-box__status.ishow-icon-circle-cross{color:#ff4949}.msgbox-fade-enter-active{-webkit-animation:msgbox-fade-in .3s;animation:msgbox-fade-in .3s}.msgbox-fade-leave-active{-webkit-animation:msgbox-fade-out .3s;animation:msgbox-fade-out .3s}@-webkit-keyframes msgbox-fade-in{0%{-webkit-transform:translate3d(0,-20px,0);transform:translate3d(0,-20px,0);opacity:0}to{-webkit-transform:translateZ(0);transform:translateZ(0);opacity:1}}@keyframes msgbox-fade-in{0%{-webkit-transform:translate3d(0,-20px,0);transform:translate3d(0,-20px,0);opacity:0}to{-webkit-transform:translateZ(0);transform:translateZ(0);opacity:1}}@-webkit-keyframes msgbox-fade-out{0%{-webkit-transform:translateZ(0);transform:translateZ(0);opacity:1}to{-webkit-transform:translate3d(0,-20px,0);transform:translate3d(0,-20px,0);opacity:0}}@keyframes msgbox-fade-out{0%{-webkit-transform:translateZ(0);transform:translateZ(0);opacity:1}to{-webkit-transform:translate3d(0,-20px,0);transform:translate3d(0,-20px,0);opacity:0}}',"",{version:3,sources:["E:/demo/demo/src/ishow/Common/css/MessageBox.css"],names:[],mappings:"AACA,kCAEI,wBAAyB,AACzB,cAAe,AACf,SAAU,CACb,AAED,qDAEI,cAAe,AACf,UAAW,CACd,AAED,mEAII,oBAAqB,CACxB,AAED,0BACI,UAAW,CACd,AAED,eACI,sCAAuC,AAC/B,6BAA8B,CACzC,AAED,eACI,gDAAiD,AACzC,uCAAwC,CACnD,AAED,8BACI,GACI,SAAU,CACb,CACJ,AAED,sBACI,GACI,SAAU,CACb,CACJ,AAED,+BACI,GACI,SAAU,CACb,CACJ,AAED,uBACI,GACI,SAAU,CACb,CACJ,AAED,SACI,eAAgB,AAChB,OAAQ,AACR,MAAO,AACP,WAAY,AACZ,YAAa,AACb,WAAY,AACZ,eAAgB,CACnB,AAED,cACI,mBAAoB,AACpB,eAAgB,AAChB,gBAAiB,AACjB,yBAA0B,AAC1B,cAAe,AACf,kBAAmB,AACnB,8BAA+B,AACvB,sBAAuB,AAC/B,SAAU,AACV,sBAAuB,AACvB,yBAA0B,AAC1B,qBAAsB,AACtB,kBAAmB,AACnB,eAAgB,AAChB,iBAAkB,CACrB,AAED,4BACI,gBAAiB,CACpB,AAED,wCAEI,cAAe,AACf,oBAAqB,CACxB,AAED,qBACI,cAAe,AACf,qBAAsB,AACtB,SAAU,CACb,AAED,gCACI,QAAS,CACZ,AAED,wCACI,eAAgB,CACnB,AAED,yBACI,kBAAmB,AACnB,mBAAoB,CACvB,AAED,gCACI,oBAAqB,AACrB,WAAY,AACZ,kBAAmB,AACnB,UAAW,AACX,SAAU,AACV,WAAY,AACZ,YAAa,AACb,sBAAuB,AACvB,oCAA0C,CAC7C,AAED,0FAGI,cAAe,AACf,mBAAoB,AACpB,sBAAuB,AACvB,yBAA0B,AAC1B,oBAAqB,CACxB,AAED,6CACI,4BAA6B,CAChC,AAED,qHAGI,sBAAuB,AACvB,qBAAsB,AACtB,aAAc,CACjB,AAED,wBACI,cAAe,AACf,oBAAqB,CACxB,AAED,0DAEI,gBAAiB,AACjB,qBAAsB,AACtB,aAAc,CACjB,AAED,8BACI,gBAAiB,AACjB,qBAAsB,AACtB,cAAe,AACf,SAAU,CACb,AAED,uBACI,WAAY,AACZ,yBAA0B,AAC1B,oBAAqB,CACxB,AAED,0DAEI,mBAAoB,AACpB,qBAAsB,AACtB,UAAW,CACd,AAED,+DAEI,mBAAoB,AACpB,qBAAsB,AACtB,UAAW,CACd,AAED,8BACI,SAAU,CACb,AAED,gCACI,gBAAiB,AACjB,yBAA0B,AAC1B,aAAc,CACjB,AAED,4EAEI,gBAAiB,AACjB,qBAAsB,AACtB,aAAc,CACjB,AAED,uCACI,gBAAiB,AACjB,qBAAsB,AACtB,cAAe,AACf,SAAU,CACb,AAED,uBACI,WAAY,AACZ,yBAA0B,AAC1B,oBAAqB,CACxB,AAED,0DAEI,mBAAoB,AACpB,qBAAsB,AACtB,UAAW,CACd,AAED,+DAEI,mBAAoB,AACpB,qBAAsB,AACtB,UAAW,CACd,AAED,8BACI,SAAU,CACb,AAED,gCACI,gBAAiB,AACjB,yBAA0B,AAC1B,aAAc,CACjB,AAED,4EAEI,gBAAiB,AACjB,qBAAsB,AACtB,aAAc,CACjB,AAED,uCACI,gBAAiB,AACjB,qBAAsB,AACtB,cAAe,AACf,SAAU,CACb,AAED,uBACI,WAAY,AACZ,yBAA0B,AAC1B,oBAAqB,CACxB,AAED,0DAEI,mBAAoB,AACpB,qBAAsB,AACtB,UAAW,CACd,AAED,+DAEI,mBAAoB,AACpB,qBAAsB,AACtB,UAAW,CACd,AAED,8BACI,SAAU,CACb,AAED,gCACI,gBAAiB,AACjB,yBAA0B,AAC1B,aAAc,CACjB,AAED,4EAEI,gBAAiB,AACjB,qBAAsB,AACtB,aAAc,CACjB,AAED,uCACI,gBAAiB,AACjB,qBAAsB,AACtB,cAAe,AACf,SAAU,CACb,AAED,sBACI,WAAY,AACZ,yBAA0B,AAC1B,oBAAqB,CACxB,AAED,wDAEI,mBAAoB,AACpB,qBAAsB,AACtB,UAAW,CACd,AAED,6DAEI,mBAAoB,AACpB,qBAAsB,AACtB,UAAW,CACd,AAED,6BACI,SAAU,CACb,AAED,+BACI,gBAAiB,AACjB,yBAA0B,AAC1B,aAAc,CACjB,AAED,0EAEI,gBAAiB,AACjB,qBAAsB,AACtB,aAAc,CACjB,AAED,sCACI,gBAAiB,AACjB,qBAAsB,AACtB,cAAe,AACf,SAAU,CACb,AAED,oBACI,WAAY,AACZ,yBAA0B,AAC1B,oBAAqB,CACxB,AAED,oDAEI,mBAAoB,AACpB,qBAAsB,AACtB,UAAW,CACd,AAED,yDAEI,mBAAoB,AACpB,qBAAsB,AACtB,UAAW,CACd,AAED,2BACI,SAAU,CACb,AAED,6BACI,gBAAiB,AACjB,yBAA0B,AAC1B,aAAc,CACjB,AAED,sEAEI,gBAAiB,AACjB,qBAAsB,AACtB,aAAc,CACjB,AAED,oCACI,gBAAiB,AACjB,qBAAsB,AACtB,cAAe,AACf,SAAU,CACb,AAED,qBACI,kBAAmB,AACnB,eAAgB,AAChB,iBAAkB,CACrB,AAED,qBACI,gBAAiB,AACjB,eAAgB,AAChB,iBAAkB,CACrB,AAED,oBACI,YAAa,AACb,eAAgB,AAChB,iBAAkB,CACrB,AAED,oBACI,YAAa,AACb,cAAe,AACf,eAAgB,AAChB,eAAgB,AAChB,eAAgB,CACnB,AAED,2CAEI,8BAA+B,AACvB,sBAAuB,AAC/B,qBAAsB,CACzB,AAED,oDAEI,aAAc,CACjB,AAED,2BACI,aAAc,CACjB,AAED,oBACI,qBAAsB,CACzB,AAED,uDACI,qCAA2C,CAC9C,AAED,sDACI,oCAA0C,CAC7C,AAED,8EACI,qCAA2C,AAC3C,qCAA2C,CAC9C,AAED,uDACI,qCAA2C,CAC9C,AAED,sDACI,oCAA0C,CAC7C,AAED,8EACI,qCAA2C,AAC3C,qCAA2C,CAC9C,AAED,uDACI,qCAA2C,CAC9C,AAED,sDACI,oCAA0C,CAC7C,AAED,8EACI,qCAA2C,AAC3C,qCAA2C,CAC9C,AAED,sDACI,qCAA2C,CAC9C,AAED,qDACI,oCAA0C,CAC7C,AAED,6EACI,qCAA2C,AAC3C,qCAA2C,CAC9C,AAED,oDACI,qCAA2C,CAC9C,AAED,mDACI,oCAA0C,CAC7C,AAED,2EACI,qCAA2C,AAC3C,qCAA2C,CAC9C,AAED,kCACI,WAAY,AACZ,iBAAkB,CACrB,AAED,gDACI,aAAc,CACjB,AAED,8CACI,0BAA2B,AAC3B,4BAA6B,CAChC,AAED,6CACI,yBAA0B,AAC1B,2BAA4B,CAC/B,AAED,qEACI,eAAgB,CACnB,AAED,mDACI,iBAAkB,CACrB,AAED,qKAII,SAAU,CACb,AAED,aACI,kBAAmB,AACnB,eAAgB,AAChB,UAAW,CACd,AAED,wLAKI,iBAAkB,CACrB,AAED,6CACI,yBAA0B,AAC1B,qBAAsB,AACtB,WAAY,AACZ,kBAAmB,CACtB,AAED,wEACI,aAAc,CACjB,AAMD,uIACI,aAAc,CACjB,AAED,0DACI,aAAc,CACjB,AAED,2CACI,UAAW,AACX,oBAAqB,CACxB,AAED,oBACI,qBAAsB,AACtB,wBAAyB,AACjB,gBAAiB,AACzB,sBAAuB,AACvB,kBAAmB,AACnB,yBAA0B,AAC1B,cAAe,AACf,YAAa,AACb,iBAAkB,AAClB,mEAAuE,AACvE,8DAAkE,AAClE,2DAA+D,AAC/D,UAAW,CACd,AAED,+CACI,aAAc,CACjB,AAMD,qFACI,aAAc,CACjB,AAED,iCACI,aAAc,CACjB,AAED,0BACI,oBAAqB,CACxB,AAED,0BACI,UAAW,AACX,oBAAqB,CACxB,AAED,mBACI,kBAAmB,AACnB,WAAY,AACZ,YAAa,AACb,QAAS,AACT,MAAO,AACP,kBAAmB,AACnB,cAAe,AACf,2BAA4B,AAC5B,sBAAuB,AACvB,kBAAmB,CACtB,AAED,yBACI,WAAY,AACZ,YAAa,AACb,QAAS,AACT,qBAAsB,AACtB,qBAAsB,CACzB,AAED,uCACI,kBAAmB,CACtB,AAED,sCACI,eAAgB,AAChB,aAAc,CACjB,AAED,0DACI,oBAAqB,CACxB,AAED,oBACI,cAAe,CAClB,AAED,wCACI,WAAY,CACf,AAED,oBACI,cAAe,CAClB,AAED,wCACI,WAAY,CACf,AAED,mBACI,cAAe,CAClB,AAED,uCACI,WAAY,CACf,AAED,mBACI,mBAAoB,AACpB,qBAAsB,AACtB,WAAY,AACZ,wBAAyB,CAC5B,AAED,uCACI,sBAAuB,AACvB,kBAAmB,CACtB,AAED,uDAEI,yBAA0B,AAC1B,cAAe,AACf,sBAAuB,AACvB,mBAAoB,AACpB,kBAAmB,AACnB,yBAA0B,AAC1B,kBAAmB,AACnB,eAAgB,AAChB,UAAW,AACX,kBAAmB,CACtB,AAED,2EAEI,yBAA0B,AAC1B,2BAA4B,CAC/B,AAED,2EAEI,0BAA2B,AAC3B,4BAA6B,CAChC,AAED,sKAII,cAAe,AACf,YAAa,CAChB,AAED,6WAMI,yBAA0B,AAC1B,6BAA8B,AAC9B,cAAe,AACf,aAAc,AACd,eAAgB,CACnB,AAED,4BACI,cAAe,CAClB,AAED,2BACI,aAAc,CACjB,AAED,gBACI,qBAAsB,AACtB,WAAY,AACZ,qBAAsB,CACzB,AAED,mDACI,yBAA0B,AAC1B,qBAAsB,AACtB,WAAY,AACZ,kBAAmB,CACtB,AAED,8EACI,aAAc,CACjB,AAMD,mJACI,aAAc,CACjB,AAED,gEACI,aAAc,CACjB,AAED,uBACI,cAAe,AACf,gBAAiB,AACjB,gBAAiB,AACjB,gBAAiB,AACjB,WAAY,AACZ,eAAgB,AAChB,cAAe,AACf,sBAAuB,AACvB,yBAA0B,AAC1B,kBAAmB,AACnB,mEAAuE,AACvE,8DAAkE,AAClE,0DAA8D,CACjE,AAED,kDACI,aAAc,CACjB,AAMD,2FACI,aAAc,CACjB,AAED,oCACI,aAAc,CACjB,AAED,6BACI,oBAAqB,CACxB,AAED,6BACI,UAAW,AACX,oBAAqB,CACxB,AAED,mBACI,gBAAiB,AACjB,qBAAsB,AACtB,sBAAuB,AACvB,sBAAuB,AACvB,YAAa,AACb,kBAAmB,AACnB,eAAgB,AAChB,gBAAiB,AACjB,mCAAoC,AACpC,0BAA2B,CAC9B,AAED,4BACI,eAAgB,AAChB,MAAO,AACP,SAAU,AACV,OAAQ,AACR,QAAS,AACT,iBAAkB,CACrB,AAED,kCACI,WAAY,AACZ,qBAAsB,AACtB,YAAa,AACb,QAAS,AACT,qBAAsB,CACzB,AAED,2BACI,kBAAmB,AACnB,mBAAoB,CACvB,AAED,8BACI,kBAAmB,AACnB,SAAU,AACV,WAAY,AACZ,eAAgB,AAChB,YAAa,AACb,UAAW,AACX,UAAW,AACX,cAAe,CAClB,AAED,wDACI,UAAW,CACd,AAED,4HAEI,aAAc,CACjB,AAED,4BACI,kBAAmB,AACnB,cAAe,AACf,eAAgB,AAChB,iBAAkB,CACrB,AAED,0BACI,gBAAiB,CACpB,AAED,sFAEI,oBAAqB,CACxB,AAED,6BACI,cAAe,AACf,eAAgB,AAChB,gBAAiB,AACjB,cAAe,CAClB,AAED,0BACI,eAAgB,AAChB,gBAAiB,AACjB,eAAgB,AAChB,gBAAiB,AACjB,YAAa,AACb,UAAW,CACd,AAED,4BACI,QAAS,CACZ,AAED,8BACI,SAAU,AACV,eAAgB,CACnB,AAED,yBACI,uBAAwB,AACxB,gBAAiB,CACpB,AAED,6CACI,gBAAiB,CACpB,AAED,iCACI,+BAAgC,AAChC,0BAA2B,CAC9B,AAED,2BACI,kBAAmB,AACnB,QAAS,AACT,+BAAgC,AAChC,mCAAoC,AAC5B,2BAA4B,AACpC,wBAA0B,CAC7B,AAED,mDACI,aAAc,CACjB,AAED,kDACI,aAAc,CACjB,AAED,8CACI,aAAc,CACjB,AAED,mDACI,aAAc,CACjB,AAED,0BACI,qCAAsC,AAC9B,4BAA6B,CACxC,AAED,0BACI,sCAAuC,AAC/B,6BAA8B,CACzC,AAED,kCACI,GACI,yCAA4C,AACpC,iCAAoC,AAC5C,SAAU,CACb,AACD,GACI,gCAAwC,AAChC,wBAAgC,AACxC,SAAU,CACb,CACJ,AAED,0BACI,GACI,yCAA4C,AACpC,iCAAoC,AAC5C,SAAU,CACb,AACD,GACI,gCAAwC,AAChC,wBAAgC,AACxC,SAAU,CACb,CACJ,AAED,mCACI,GACI,gCAAwC,AAChC,wBAAgC,AACxC,SAAU,CACb,AACD,GACI,yCAA4C,AACpC,iCAAoC,AAC5C,SAAU,CACb,CACJ,AAED,2BACI,GACI,gCAAwC,AAChC,wBAAgC,AACxC,SAAU,CACb,AACD,GACI,yCAA4C,AACpC,iCAAoC,AAC5C,SAAU,CACb,CACJ",file:"MessageBox.css",sourcesContent:['@charset "UTF-8";\r\n.ishow-button,\r\n.ishow-input__inner {\r\n -webkit-appearance: none;\r\n line-height: 1;\r\n outline: 0\r\n}\r\n\r\n.ishow-button-group:after,\r\n.ishow-button-group:before {\r\n display: table;\r\n content: ""\r\n}\r\n\r\n.ishow-button,\r\n.ishow-button-group,\r\n.ishow-input,\r\n.ishow-input__inner {\r\n display: inline-block\r\n}\r\n\r\n.ishow-button-group:after {\r\n clear: both\r\n}\r\n\r\n.v-modal-enter {\r\n -webkit-animation: v-modal-in .2s ease;\r\n animation: v-modal-in .2s ease\r\n}\r\n\r\n.v-modal-leave {\r\n -webkit-animation: v-modal-out .2s ease forwards;\r\n animation: v-modal-out .2s ease forwards\r\n}\r\n\r\n@-webkit-keyframes v-modal-in {\r\n 0% {\r\n opacity: 0\r\n }\r\n}\r\n\r\n@keyframes v-modal-in {\r\n 0% {\r\n opacity: 0\r\n }\r\n}\r\n\r\n@-webkit-keyframes v-modal-out {\r\n 100% {\r\n opacity: 0\r\n }\r\n}\r\n\r\n@keyframes v-modal-out {\r\n 100% {\r\n opacity: 0\r\n }\r\n}\r\n\r\n.v-modal {\r\n position: fixed;\r\n left: 0;\r\n top: 0;\r\n width: 100%;\r\n height: 100%;\r\n opacity: .5;\r\n background: #000\r\n}\r\n\r\n.ishow-button {\r\n white-space: nowrap;\r\n cursor: pointer;\r\n background: #fff;\r\n border: 1px solid #c4c4c4;\r\n color: #1f2d3d;\r\n text-align: center;\r\n -webkit-box-sizing: border-box;\r\n box-sizing: border-box;\r\n margin: 0;\r\n -moz-user-select: none;\r\n -webkit-user-select: none;\r\n -ms-user-select: none;\r\n padding: 10px 15px;\r\n font-size: 14px;\r\n border-radius: 4px\r\n}\r\n\r\n.ishow-button+.ishow-button {\r\n margin-left: 10px\r\n}\r\n\r\n.ishow-button:focus,\r\n.ishow-button:hover {\r\n color: #20a0ff;\r\n border-color: #20a0ff\r\n}\r\n\r\n.ishow-button:active {\r\n color: #1d90e6;\r\n border-color: #1d90e6;\r\n outline: 0\r\n}\r\n\r\n.ishow-button::-moz-focus-inner {\r\n border: 0\r\n}\r\n\r\n.ishow-button [class*=ishow-icon-]+span {\r\n margin-left: 5px\r\n}\r\n\r\n.ishow-button.is-loading {\r\n position: relative;\r\n pointer-events: none\r\n}\r\n\r\n.ishow-button.is-loading:before {\r\n pointer-events: none;\r\n content: \'\';\r\n position: absolute;\r\n left: -1px;\r\n top: -1px;\r\n right: -1px;\r\n bottom: -1px;\r\n border-radius: inherit;\r\n background-color: rgba(255, 255, 255, .35)\r\n}\r\n\r\n.ishow-button.is-disabled,\r\n.ishow-button.is-disabled:focus,\r\n.ishow-button.is-disabled:hover {\r\n color: #bfcbd9;\r\n cursor: not-allowed;\r\n background-image: none;\r\n background-color: #eef1f6;\r\n border-color: #d1dbe5\r\n}\r\n\r\n.ishow-button.is-disabled.ishow-button--text {\r\n background-color: transparent\r\n}\r\n\r\n.ishow-button.is-disabled.is-plain,\r\n.ishow-button.is-disabled.is-plain:focus,\r\n.ishow-button.is-disabled.is-plain:hover {\r\n background-color: #fff;\r\n border-color: #d1dbe5;\r\n color: #bfcbd9\r\n}\r\n\r\n.ishow-button.is-active {\r\n color: #1d90e6;\r\n border-color: #1d90e6\r\n}\r\n\r\n.ishow-button.is-plain:focus,\r\n.ishow-button.is-plain:hover {\r\n background: #fff;\r\n border-color: #20a0ff;\r\n color: #20a0ff\r\n}\r\n\r\n.ishow-button.is-plain:active {\r\n background: #fff;\r\n border-color: #1d90e6;\r\n color: #1d90e6;\r\n outline: 0\r\n}\r\n\r\n.ishow-button--primary {\r\n color: #fff;\r\n background-color: #20a0ff;\r\n border-color: #20a0ff\r\n}\r\n\r\n.ishow-button--primary:focus,\r\n.ishow-button--primary:hover {\r\n background: #4db3ff;\r\n border-color: #4db3ff;\r\n color: #fff\r\n}\r\n\r\n.ishow-button--primary.is-active,\r\n.ishow-button--primary:active {\r\n background: #1d90e6;\r\n border-color: #1d90e6;\r\n color: #fff\r\n}\r\n\r\n.ishow-button--primary:active {\r\n outline: 0\r\n}\r\n\r\n.ishow-button--primary.is-plain {\r\n background: #fff;\r\n border: 1px solid #bfcbd9;\r\n color: #1f2d3d\r\n}\r\n\r\n.ishow-button--primary.is-plain:focus,\r\n.ishow-button--primary.is-plain:hover {\r\n background: #fff;\r\n border-color: #20a0ff;\r\n color: #20a0ff\r\n}\r\n\r\n.ishow-button--primary.is-plain:active {\r\n background: #fff;\r\n border-color: #1d90e6;\r\n color: #1d90e6;\r\n outline: 0\r\n}\r\n\r\n.ishow-button--success {\r\n color: #fff;\r\n background-color: #13ce66;\r\n border-color: #13ce66\r\n}\r\n\r\n.ishow-button--success:focus,\r\n.ishow-button--success:hover {\r\n background: #42d885;\r\n border-color: #42d885;\r\n color: #fff\r\n}\r\n\r\n.ishow-button--success.is-active,\r\n.ishow-button--success:active {\r\n background: #11b95c;\r\n border-color: #11b95c;\r\n color: #fff\r\n}\r\n\r\n.ishow-button--success:active {\r\n outline: 0\r\n}\r\n\r\n.ishow-button--success.is-plain {\r\n background: #fff;\r\n border: 1px solid #bfcbd9;\r\n color: #1f2d3d\r\n}\r\n\r\n.ishow-button--success.is-plain:focus,\r\n.ishow-button--success.is-plain:hover {\r\n background: #fff;\r\n border-color: #13ce66;\r\n color: #13ce66\r\n}\r\n\r\n.ishow-button--success.is-plain:active {\r\n background: #fff;\r\n border-color: #11b95c;\r\n color: #11b95c;\r\n outline: 0\r\n}\r\n\r\n.ishow-button--warning {\r\n color: #fff;\r\n background-color: #f7ba2a;\r\n border-color: #f7ba2a\r\n}\r\n\r\n.ishow-button--warning:focus,\r\n.ishow-button--warning:hover {\r\n background: #f9c855;\r\n border-color: #f9c855;\r\n color: #fff\r\n}\r\n\r\n.ishow-button--warning.is-active,\r\n.ishow-button--warning:active {\r\n background: #dea726;\r\n border-color: #dea726;\r\n color: #fff\r\n}\r\n\r\n.ishow-button--warning:active {\r\n outline: 0\r\n}\r\n\r\n.ishow-button--warning.is-plain {\r\n background: #fff;\r\n border: 1px solid #bfcbd9;\r\n color: #1f2d3d\r\n}\r\n\r\n.ishow-button--warning.is-plain:focus,\r\n.ishow-button--warning.is-plain:hover {\r\n background: #fff;\r\n border-color: #f7ba2a;\r\n color: #f7ba2a\r\n}\r\n\r\n.ishow-button--warning.is-plain:active {\r\n background: #fff;\r\n border-color: #dea726;\r\n color: #dea726;\r\n outline: 0\r\n}\r\n\r\n.ishow-button--danger {\r\n color: #fff;\r\n background-color: #ff4949;\r\n border-color: #ff4949\r\n}\r\n\r\n.ishow-button--danger:focus,\r\n.ishow-button--danger:hover {\r\n background: #ff6d6d;\r\n border-color: #ff6d6d;\r\n color: #fff\r\n}\r\n\r\n.ishow-button--danger.is-active,\r\n.ishow-button--danger:active {\r\n background: #e64242;\r\n border-color: #e64242;\r\n color: #fff\r\n}\r\n\r\n.ishow-button--danger:active {\r\n outline: 0\r\n}\r\n\r\n.ishow-button--danger.is-plain {\r\n background: #fff;\r\n border: 1px solid #bfcbd9;\r\n color: #1f2d3d\r\n}\r\n\r\n.ishow-button--danger.is-plain:focus,\r\n.ishow-button--danger.is-plain:hover {\r\n background: #fff;\r\n border-color: #ff4949;\r\n color: #ff4949\r\n}\r\n\r\n.ishow-button--danger.is-plain:active {\r\n background: #fff;\r\n border-color: #e64242;\r\n color: #e64242;\r\n outline: 0\r\n}\r\n\r\n.ishow-button--info {\r\n color: #fff;\r\n background-color: #50bfff;\r\n border-color: #50bfff\r\n}\r\n\r\n.ishow-button--info:focus,\r\n.ishow-button--info:hover {\r\n background: #73ccff;\r\n border-color: #73ccff;\r\n color: #fff\r\n}\r\n\r\n.ishow-button--info.is-active,\r\n.ishow-button--info:active {\r\n background: #48ace6;\r\n border-color: #48ace6;\r\n color: #fff\r\n}\r\n\r\n.ishow-button--info:active {\r\n outline: 0\r\n}\r\n\r\n.ishow-button--info.is-plain {\r\n background: #fff;\r\n border: 1px solid #bfcbd9;\r\n color: #1f2d3d\r\n}\r\n\r\n.ishow-button--info.is-plain:focus,\r\n.ishow-button--info.is-plain:hover {\r\n background: #fff;\r\n border-color: #50bfff;\r\n color: #50bfff\r\n}\r\n\r\n.ishow-button--info.is-plain:active {\r\n background: #fff;\r\n border-color: #48ace6;\r\n color: #48ace6;\r\n outline: 0\r\n}\r\n\r\n.ishow-button--large {\r\n padding: 11px 19px;\r\n font-size: 16px;\r\n border-radius: 4px\r\n}\r\n\r\n.ishow-button--small {\r\n padding: 7px 9px;\r\n font-size: 12px;\r\n border-radius: 4px\r\n}\r\n\r\n.ishow-button--mini {\r\n padding: 4px;\r\n font-size: 12px;\r\n border-radius: 4px\r\n}\r\n\r\n.ishow-button--text {\r\n border: none;\r\n color: #20a0ff;\r\n background: 0 0;\r\n padding-left: 0;\r\n padding-right: 0\r\n}\r\n\r\n.ishow-input__inner,\r\n.ishow-textarea__inner {\r\n -webkit-box-sizing: border-box;\r\n box-sizing: border-box;\r\n background-image: none\r\n}\r\n\r\n.ishow-button--text:focus,\r\n.ishow-button--text:hover {\r\n color: #4db3ff\r\n}\r\n\r\n.ishow-button--text:active {\r\n color: #1d90e6\r\n}\r\n\r\n.ishow-button-group {\r\n vertical-align: middle\r\n}\r\n\r\n.ishow-button-group .ishow-button--primary:first-child {\r\n border-right-color: rgba(255, 255, 255, .5)\r\n}\r\n\r\n.ishow-button-group .ishow-button--primary:last-child {\r\n border-left-color: rgba(255, 255, 255, .5)\r\n}\r\n\r\n.ishow-button-group .ishow-button--primary:not(:first-child):not(:last-child) {\r\n border-left-color: rgba(255, 255, 255, .5);\r\n border-right-color: rgba(255, 255, 255, .5)\r\n}\r\n\r\n.ishow-button-group .ishow-button--success:first-child {\r\n border-right-color: rgba(255, 255, 255, .5)\r\n}\r\n\r\n.ishow-button-group .ishow-button--success:last-child {\r\n border-left-color: rgba(255, 255, 255, .5)\r\n}\r\n\r\n.ishow-button-group .ishow-button--success:not(:first-child):not(:last-child) {\r\n border-left-color: rgba(255, 255, 255, .5);\r\n border-right-color: rgba(255, 255, 255, .5)\r\n}\r\n\r\n.ishow-button-group .ishow-button--warning:first-child {\r\n border-right-color: rgba(255, 255, 255, .5)\r\n}\r\n\r\n.ishow-button-group .ishow-button--warning:last-child {\r\n border-left-color: rgba(255, 255, 255, .5)\r\n}\r\n\r\n.ishow-button-group .ishow-button--warning:not(:first-child):not(:last-child) {\r\n border-left-color: rgba(255, 255, 255, .5);\r\n border-right-color: rgba(255, 255, 255, .5)\r\n}\r\n\r\n.ishow-button-group .ishow-button--danger:first-child {\r\n border-right-color: rgba(255, 255, 255, .5)\r\n}\r\n\r\n.ishow-button-group .ishow-button--danger:last-child {\r\n border-left-color: rgba(255, 255, 255, .5)\r\n}\r\n\r\n.ishow-button-group .ishow-button--danger:not(:first-child):not(:last-child) {\r\n border-left-color: rgba(255, 255, 255, .5);\r\n border-right-color: rgba(255, 255, 255, .5)\r\n}\r\n\r\n.ishow-button-group .ishow-button--info:first-child {\r\n border-right-color: rgba(255, 255, 255, .5)\r\n}\r\n\r\n.ishow-button-group .ishow-button--info:last-child {\r\n border-left-color: rgba(255, 255, 255, .5)\r\n}\r\n\r\n.ishow-button-group .ishow-button--info:not(:first-child):not(:last-child) {\r\n border-left-color: rgba(255, 255, 255, .5);\r\n border-right-color: rgba(255, 255, 255, .5)\r\n}\r\n\r\n.ishow-button-group .ishow-button {\r\n float: left;\r\n position: relative\r\n}\r\n\r\n.ishow-button-group .ishow-button+.ishow-button {\r\n margin-left: 0\r\n}\r\n\r\n.ishow-button-group .ishow-button:first-child {\r\n border-top-right-radius: 0;\r\n border-bottom-right-radius: 0\r\n}\r\n\r\n.ishow-button-group .ishow-button:last-child {\r\n border-top-left-radius: 0;\r\n border-bottom-left-radius: 0\r\n}\r\n\r\n.ishow-button-group .ishow-button:not(:first-child):not(:last-child) {\r\n border-radius: 0\r\n}\r\n\r\n.ishow-button-group .ishow-button:not(:last-child) {\r\n margin-right: -1px\r\n}\r\n\r\n.ishow-button-group .ishow-button.is-active,\r\n.ishow-button-group .ishow-button:active,\r\n.ishow-button-group .ishow-button:focus,\r\n.ishow-button-group .ishow-button:hover {\r\n z-index: 1\r\n}\r\n\r\n.ishow-input {\r\n position: relative;\r\n font-size: 14px;\r\n width: 100%\r\n}\r\n\r\n.ishow-input-group__append .ishow-button,\r\n.ishow-input-group__append .ishow-input,\r\n.ishow-input-group__prepend .ishow-button,\r\n.ishow-input-group__prepend .ishow-input,\r\n.ishow-input__inner {\r\n font-size: inherit\r\n}\r\n\r\n.ishow-input.is-disabled .ishow-input__inner {\r\n background-color: #eef1f6;\r\n border-color: #d1dbe5;\r\n color: #bbb;\r\n cursor: not-allowed\r\n}\r\n\r\n.ishow-input.is-disabled .ishow-input__inner::-webkit-input-placeholder {\r\n color: #bfcbd9\r\n}\r\n\r\n.ishow-input.is-disabled .ishow-input__inner:-ms-input-placeholder {\r\n color: #bfcbd9\r\n}\r\n\r\n.ishow-input.is-disabled .ishow-input__inner::-ms-input-placeholder {\r\n color: #bfcbd9\r\n}\r\n\r\n.ishow-input.is-disabled .ishow-input__inner::placeholder {\r\n color: #bfcbd9\r\n}\r\n\r\n.ishow-input.is-active .ishow-input__inner {\r\n outline: 0;\r\n border-color: #20a0ff\r\n}\r\n\r\n.ishow-input__inner {\r\n -moz-appearance: none;\r\n -webkit-appearance: none;\r\n appearance: none;\r\n background-color: #fff;\r\n border-radius: 4px;\r\n border: 1px solid #bfcbd9;\r\n color: #1f2d3d;\r\n height: 36px;\r\n padding: 3px 10px;\r\n -webkit-transition: border-color .2s cubic-bezier(.645, .045, .355, 1);\r\n -o-transition: border-color .2s cubic-bezier(.645, .045, .355, 1);\r\n transition: border-color .2s cubic-bezier(.645, .045, .355, 1);\r\n width: 100%\r\n}\r\n\r\n.ishow-input__inner::-webkit-input-placeholder {\r\n color: #97a8be\r\n}\r\n\r\n.ishow-input__inner:-ms-input-placeholder {\r\n color: #97a8be\r\n}\r\n\r\n.ishow-input__inner::-ms-input-placeholder {\r\n color: #97a8be\r\n}\r\n\r\n.ishow-input__inner::placeholder {\r\n color: #97a8be\r\n}\r\n\r\n.ishow-input__inner:hover {\r\n border-color: #8391a5\r\n}\r\n\r\n.ishow-input__inner:focus {\r\n outline: 0;\r\n border-color: #20a0ff\r\n}\r\n\r\n.ishow-input__icon {\r\n position: absolute;\r\n width: 35px;\r\n height: 100%;\r\n right: 0;\r\n top: 0;\r\n text-align: center;\r\n color: #bfcbd9;\r\n -webkit-transition: all .3s;\r\n -o-transition: all .3s;\r\n transition: all .3s\r\n}\r\n\r\n.ishow-input__icon:after {\r\n content: \'\';\r\n height: 100%;\r\n width: 0;\r\n display: inline-block;\r\n vertical-align: middle\r\n}\r\n\r\n.ishow-input__icon+.ishow-input__inner {\r\n padding-right: 35px\r\n}\r\n\r\n.ishow-input__icon.is-clickable:hover {\r\n cursor: pointer;\r\n color: #8391a5\r\n}\r\n\r\n.ishow-input__icon.is-clickable:hover+.ishow-input__inner {\r\n border-color: #8391a5\r\n}\r\n\r\n.ishow-input--large {\r\n font-size: 16px\r\n}\r\n\r\n.ishow-input--large .ishow-input__inner {\r\n height: 42px\r\n}\r\n\r\n.ishow-input--small {\r\n font-size: 13px\r\n}\r\n\r\n.ishow-input--small .ishow-input__inner {\r\n height: 30px\r\n}\r\n\r\n.ishow-input--mini {\r\n font-size: 12px\r\n}\r\n\r\n.ishow-input--mini .ishow-input__inner {\r\n height: 22px\r\n}\r\n\r\n.ishow-input-group {\r\n line-height: normal;\r\n display: inline-table;\r\n width: 100%;\r\n border-collapse: separate\r\n}\r\n\r\n.ishow-input-group>.ishow-input__inner {\r\n vertical-align: middle;\r\n display: table-cell\r\n}\r\n\r\n.ishow-input-group__append,\r\n.ishow-input-group__prepend {\r\n background-color: #fbfdff;\r\n color: #97a8be;\r\n vertical-align: middle;\r\n display: table-cell;\r\n position: relative;\r\n border: 1px solid #bfcbd9;\r\n border-radius: 4px;\r\n padding: 0 10px;\r\n width: 1px;\r\n white-space: nowrap\r\n}\r\n\r\n.ishow-input-group--prepend .ishow-input__inner,\r\n.ishow-input-group__append {\r\n border-top-left-radius: 0;\r\n border-bottom-left-radius: 0\r\n}\r\n\r\n.ishow-input-group--append .ishow-input__inner,\r\n.ishow-input-group__prepend {\r\n border-top-right-radius: 0;\r\n border-bottom-right-radius: 0\r\n}\r\n\r\n.ishow-input-group__append .ishow-button,\r\n.ishow-input-group__append .ishow-select,\r\n.ishow-input-group__prepend .ishow-button,\r\n.ishow-input-group__prepend .ishow-select {\r\n display: block;\r\n margin: -10px\r\n}\r\n\r\n.ishow-input-group__append button.ishow-button,\r\n.ishow-input-group__append div.ishow-select .ishow-input__inner,\r\n.ishow-input-group__append div.ishow-select:hover .ishow-input__inner,\r\n.ishow-input-group__prepend button.ishow-button,\r\n.ishow-input-group__prepend div.ishow-select .ishow-input__inner,\r\n.ishow-input-group__prepend div.ishow-select:hover .ishow-input__inner {\r\n border-color: transparent;\r\n background-color: transparent;\r\n color: inherit;\r\n border-top: 0;\r\n border-bottom: 0\r\n}\r\n\r\n.ishow-input-group__prepend {\r\n border-right: 0\r\n}\r\n\r\n.ishow-input-group__append {\r\n border-left: 0\r\n}\r\n\r\n.ishow-textarea {\r\n display: inline-block;\r\n width: 100%;\r\n vertical-align: bottom\r\n}\r\n\r\n.ishow-textarea.is-disabled .ishow-textarea__inner {\r\n background-color: #eef1f6;\r\n border-color: #d1dbe5;\r\n color: #bbb;\r\n cursor: not-allowed\r\n}\r\n\r\n.ishow-textarea.is-disabled .ishow-textarea__inner::-webkit-input-placeholder {\r\n color: #bfcbd9\r\n}\r\n\r\n.ishow-textarea.is-disabled .ishow-textarea__inner:-ms-input-placeholder {\r\n color: #bfcbd9\r\n}\r\n\r\n.ishow-textarea.is-disabled .ishow-textarea__inner::-ms-input-placeholder {\r\n color: #bfcbd9\r\n}\r\n\r\n.ishow-textarea.is-disabled .ishow-textarea__inner::placeholder {\r\n color: #bfcbd9\r\n}\r\n\r\n.ishow-textarea__inner {\r\n display: block;\r\n resize: vertical;\r\n padding: 5px 7px;\r\n line-height: 1.5;\r\n width: 100%;\r\n font-size: 14px;\r\n color: #1f2d3d;\r\n background-color: #fff;\r\n border: 1px solid #bfcbd9;\r\n border-radius: 4px;\r\n -webkit-transition: border-color .2s cubic-bezier(.645, .045, .355, 1);\r\n -o-transition: border-color .2s cubic-bezier(.645, .045, .355, 1);\r\n transition: border-color .2s cubic-bezier(.645, .045, .355, 1)\r\n}\r\n\r\n.ishow-textarea__inner::-webkit-input-placeholder {\r\n color: #97a8be\r\n}\r\n\r\n.ishow-textarea__inner:-ms-input-placeholder {\r\n color: #97a8be\r\n}\r\n\r\n.ishow-textarea__inner::-ms-input-placeholder {\r\n color: #97a8be\r\n}\r\n\r\n.ishow-textarea__inner::placeholder {\r\n color: #97a8be\r\n}\r\n\r\n.ishow-textarea__inner:hover {\r\n border-color: #8391a5\r\n}\r\n\r\n.ishow-textarea__inner:focus {\r\n outline: 0;\r\n border-color: #20a0ff\r\n}\r\n\r\n.ishow-message-box {\r\n text-align: left;\r\n display: inline-block;\r\n vertical-align: middle;\r\n background-color: #fff;\r\n width: 420px;\r\n border-radius: 3px;\r\n font-size: 16px;\r\n overflow: hidden;\r\n -webkit-backface-visibility: hidden;\r\n backface-visibility: hidden\r\n}\r\n\r\n.ishow-message-box__wrapper {\r\n position: fixed;\r\n top: 0;\r\n bottom: 0;\r\n left: 0;\r\n right: 0;\r\n text-align: center\r\n}\r\n\r\n.ishow-message-box__wrapper::after {\r\n content: "";\r\n display: inline-block;\r\n height: 100%;\r\n width: 0;\r\n vertical-align: middle\r\n}\r\n\r\n.ishow-message-box__header {\r\n position: relative;\r\n padding: 20px 20px 0\r\n}\r\n\r\n.ishow-message-box__headerbtn {\r\n position: absolute;\r\n top: 19px;\r\n right: 20px;\r\n background: 0 0;\r\n border: none;\r\n outline: 0;\r\n padding: 0;\r\n cursor: pointer\r\n}\r\n\r\n.ishow-message-box__headerbtn .ishow-message-box__close {\r\n color: #999\r\n}\r\n\r\n.ishow-message-box__headerbtn:focus .ishow-message-box__close,\r\n.ishow-message-box__headerbtn:hover .ishow-message-box__close {\r\n color: #20a0ff\r\n}\r\n\r\n.ishow-message-box__content {\r\n padding: 30px 20px;\r\n color: #48576a;\r\n font-size: 14px;\r\n position: relative\r\n}\r\n\r\n.ishow-message-box__input {\r\n padding-top: 15px\r\n}\r\n\r\n.ishow-message-box__input input.invalid,\r\n.ishow-message-box__input input.invalid:focus {\r\n border-color: #ff4949\r\n}\r\n\r\n.ishow-message-box__errormsg {\r\n color: #ff4949;\r\n font-size: 12px;\r\n min-height: 18px;\r\n margin-top: 2px\r\n}\r\n\r\n.ishow-message-box__title {\r\n padding-left: 0;\r\n margin-bottom: 0;\r\n font-size: 16px;\r\n font-weight: 700;\r\n height: 18px;\r\n color: #333\r\n}\r\n\r\n.ishow-message-box__message {\r\n margin: 0\r\n}\r\n\r\n.ishow-message-box__message p {\r\n margin: 0;\r\n line-height: 1.4\r\n}\r\n\r\n.ishow-message-box__btns {\r\n padding: 10px 20px 15px;\r\n text-align: right\r\n}\r\n\r\n.ishow-message-box__btns button:nth-child(2) {\r\n margin-left: 10px\r\n}\r\n\r\n.ishow-message-box__btns-reverse {\r\n -ms-flex-direction: row-reverse;\r\n flex-direction: row-reverse\r\n}\r\n\r\n.ishow-message-box__status {\r\n position: absolute;\r\n top: 50%;\r\n -ms-transform: translateY(-50%);\r\n -webkit-transform: translateY(-50%);\r\n transform: translateY(-50%);\r\n font-size: 36px !important\r\n}\r\n\r\n.ishow-message-box__status.ishow-icon-circle-check {\r\n color: #13ce66\r\n}\r\n\r\n.ishow-message-box__status.ishow-icon-information {\r\n color: #50bfff\r\n}\r\n\r\n.ishow-message-box__status.ishow-icon-warning {\r\n color: #f7ba2a\r\n}\r\n\r\n.ishow-message-box__status.ishow-icon-circle-cross {\r\n color: #ff4949\r\n}\r\n\r\n.msgbox-fade-enter-active {\r\n -webkit-animation: msgbox-fade-in .3s;\r\n animation: msgbox-fade-in .3s\r\n}\r\n\r\n.msgbox-fade-leave-active {\r\n -webkit-animation: msgbox-fade-out .3s;\r\n animation: msgbox-fade-out .3s\r\n}\r\n\r\n@-webkit-keyframes msgbox-fade-in {\r\n 0% {\r\n -webkit-transform: translate3d(0, -20px, 0);\r\n transform: translate3d(0, -20px, 0);\r\n opacity: 0\r\n }\r\n 100% {\r\n -webkit-transform: translate3d(0, 0, 0);\r\n transform: translate3d(0, 0, 0);\r\n opacity: 1\r\n }\r\n}\r\n\r\n@keyframes msgbox-fade-in {\r\n 0% {\r\n -webkit-transform: translate3d(0, -20px, 0);\r\n transform: translate3d(0, -20px, 0);\r\n opacity: 0\r\n }\r\n 100% {\r\n -webkit-transform: translate3d(0, 0, 0);\r\n transform: translate3d(0, 0, 0);\r\n opacity: 1\r\n }\r\n}\r\n\r\n@-webkit-keyframes msgbox-fade-out {\r\n 0% {\r\n -webkit-transform: translate3d(0, 0, 0);\r\n transform: translate3d(0, 0, 0);\r\n opacity: 1\r\n }\r\n 100% {\r\n -webkit-transform: translate3d(0, -20px, 0);\r\n transform: translate3d(0, -20px, 0);\r\n opacity: 0\r\n }\r\n}\r\n\r\n@keyframes msgbox-fade-out {\r\n 0% {\r\n -webkit-transform: translate3d(0, 0, 0);\r\n transform: translate3d(0, 0, 0);\r\n opacity: 1\r\n }\r\n 100% {\r\n -webkit-transform: translate3d(0, -20px, 0);\r\n transform: translate3d(0, -20px, 0);\r\n opacity: 0\r\n }\r\n}'],sourceRoot:""}])},916:function(n,e,t){n.exports=t(917)},917:function(n,e,t){var o=function(){return this}()||Function("return this")(),i=o.regeneratorRuntime&&Object.getOwnPropertyNames(o).indexOf("regeneratorRuntime")>=0,r=i&&o.regeneratorRuntime;if(o.regeneratorRuntime=void 0,n.exports=t(918),i)o.regeneratorRuntime=r;else try{delete o.regeneratorRuntime}catch(n){o.regeneratorRuntime=void 0}},918:function(n,e){!function(e){"use strict";function t(n,e,t,o){var r=e&&e.prototype instanceof i?e:i,a=Object.create(r.prototype),s=new A(o||[]);return a._invoke=p(n,t,s),a}function o(n,e,t){try{return{type:"normal",arg:n.call(e,t)}}catch(n){return{type:"throw",arg:n}}}function i(){}function r(){}function a(){}function s(n){["next","throw","return"].forEach(function(e){n[e]=function(n){return this._invoke(e,n)}})}function l(n){function e(t,i,r,a){var s=o(n[t],n,i);if("throw"!==s.type){var l=s.arg,p=l.value;return p&&"object"===typeof p&&C.call(p,"__await")?Promise.resolve(p.__await).then(function(n){e("next",n,r,a)},function(n){e("throw",n,r,a)}):Promise.resolve(p).then(function(n){l.value=n,r(l)},a)}a(s.arg)}function t(n,t){function o(){return new Promise(function(o,i){e(n,t,o,i)})}return i=i?i.then(o,o):o()}var i;this._invoke=t}function p(n,e,t){var i=k;return function(r,a){if(i===_)throw new Error("Generator is already running");if(i===I){if("throw"===r)throw a;return m()}for(t.method=r,t.arg=a;;){var s=t.delegate;if(s){var l=c(s,t);if(l){if(l===D)continue;return l}}if("next"===t.method)t.sent=t._sent=t.arg;else if("throw"===t.method){if(i===k)throw i=I,t.arg;t.dispatchException(t.arg)}else"return"===t.method&&t.abrupt("return",t.arg);i=_;var p=o(n,e,t);if("normal"===p.type){if(i=t.done?I:E,p.arg===D)continue;return{value:p.arg,done:t.done}}"throw"===p.type&&(i=I,t.method="throw",t.arg=p.arg)}}}function c(n,e){var t=n.iterator[e.method];if(t===f){if(e.delegate=null,"throw"===e.method){if(n.iterator.return&&(e.method="return",e.arg=f,c(n,e),"throw"===e.method))return D;e.method="throw",e.arg=new TypeError("The iterator does not provide a 'throw' method")}return D}var i=o(t,n.iterator,e.arg);if("throw"===i.type)return e.method="throw",e.arg=i.arg,e.delegate=null,D;var r=i.arg;return r?r.done?(e[n.resultName]=r.value,e.next=n.nextLoc,"return"!==e.method&&(e.method="next",e.arg=f),e.delegate=null,D):r:(e.method="throw",e.arg=new TypeError("iterator result is not an object"),e.delegate=null,D)}function u(n){var e={tryLoc:n[0]};1 in n&&(e.catchLoc=n[1]),2 in n&&(e.finallyLoc=n[2],e.afterLoc=n[3]),this.tryEntries.push(e)}function d(n){var e=n.completion||{};e.type="normal",delete e.arg,n.completion=e}function A(n){this.tryEntries=[{tryLoc:"root"}],n.forEach(u,this),this.reset(!0)}function h(n){if(n){var e=n[w];if(e)return e.call(n);if("function"===typeof n.next)return n;if(!isNaN(n.length)){var t=-1,o=function e(){for(;++t<n.length;)if(C.call(n,t))return e.value=n[t],e.done=!1,e;return e.value=f,e.done=!0,e};return o.next=o}}return{next:m}}function m(){return{value:f,done:!0}}var f,b=Object.prototype,C=b.hasOwnProperty,g="function"===typeof Symbol?Symbol:{},w=g.iterator||"@@iterator",B=g.asyncIterator||"@@asyncIterator",v=g.toStringTag||"@@toStringTag",y="object"===typeof n,x=e.regeneratorRuntime;if(x)return void(y&&(n.exports=x));x=e.regeneratorRuntime=y?n.exports:{},x.wrap=t;var k="suspendedStart",E="suspendedYield",_="executing",I="completed",D={},S={};S[w]=function(){return this};var z=Object.getPrototypeOf,T=z&&z(z(h([])));T&&T!==b&&C.call(T,w)&&(S=T);var M=a.prototype=i.prototype=Object.create(S);r.prototype=M.constructor=a,a.constructor=r,a[v]=r.displayName="GeneratorFunction",x.isGeneratorFunction=function(n){var e="function"===typeof n&&n.constructor;return!!e&&(e===r||"GeneratorFunction"===(e.displayName||e.name))},x.mark=function(n){return Object.setPrototypeOf?Object.setPrototypeOf(n,a):(n.__proto__=a,v in n||(n[v]="GeneratorFunction")),n.prototype=Object.create(M),n},x.awrap=function(n){return{__await:n}},s(l.prototype),l.prototype[B]=function(){return this},x.AsyncIterator=l,x.async=function(n,e,o,i){var r=new l(t(n,e,o,i));return x.isGeneratorFunction(e)?r:r.next().then(function(n){return n.done?n.value:r.next()})},s(M),M[v]="Generator",M[w]=function(){return this},M.toString=function(){return"[object Generator]"},x.keys=function(n){var e=[];for(var t in n)e.push(t);return e.reverse(),function t(){for(;e.length;){var o=e.pop();if(o in n)return t.value=o,t.done=!1,t}return t.done=!0,t}},x.values=h,A.prototype={constructor:A,reset:function(n){if(this.prev=0,this.next=0,this.sent=this._sent=f,this.done=!1,this.delegate=null,this.method="next",this.arg=f,this.tryEntries.forEach(d),!n)for(var e in this)"t"===e.charAt(0)&&C.call(this,e)&&!isNaN(+e.slice(1))&&(this[e]=f)},stop:function(){this.done=!0;var n=this.tryEntries[0],e=n.completion;if("throw"===e.type)throw e.arg;return this.rval},dispatchException:function(n){function e(e,o){return r.type="throw",r.arg=n,t.next=e,o&&(t.method="next",t.arg=f),!!o}if(this.done)throw n;for(var t=this,o=this.tryEntries.length-1;o>=0;--o){var i=this.tryEntries[o],r=i.completion;if("root"===i.tryLoc)return e("end");if(i.tryLoc<=this.prev){var a=C.call(i,"catchLoc"),s=C.call(i,"finallyLoc");if(a&&s){if(this.prev<i.catchLoc)return e(i.catchLoc,!0);if(this.prev<i.finallyLoc)return e(i.finallyLoc)}else if(a){if(this.prev<i.catchLoc)return e(i.catchLoc,!0)}else{if(!s)throw new Error("try statement without catch or finally");if(this.prev<i.finallyLoc)return e(i.finallyLoc)}}}},abrupt:function(n,e){for(var t=this.tryEntries.length-1;t>=0;--t){var o=this.tryEntries[t];if(o.tryLoc<=this.prev&&C.call(o,"finallyLoc")&&this.prev<o.finallyLoc){var i=o;break}}i&&("break"===n||"continue"===n)&&i.tryLoc<=e&&e<=i.finallyLoc&&(i=null);var r=i?i.completion:{};return r.type=n,r.arg=e,i?(this.method="next",this.next=i.finallyLoc,D):this.complete(r)},complete:function(n,e){if("throw"===n.type)throw n.arg;return"break"===n.type||"continue"===n.type?this.next=n.arg:"return"===n.type?(this.rval=this.arg=n.arg,this.method="return",this.next="end"):"normal"===n.type&&e&&(this.next=e),D},finish:function(n){for(var e=this.tryEntries.length-1;e>=0;--e){var t=this.tryEntries[e];if(t.finallyLoc===n)return this.complete(t.completion,t.afterLoc),d(t),D}},catch:function(n){for(var e=this.tryEntries.length-1;e>=0;--e){var t=this.tryEntries[e];if(t.tryLoc===n){var o=t.completion;if("throw"===o.type){var i=o.arg;d(t)}return i}}throw new Error("illegal catch attempt")},delegateYield:function(n,e,t){return this.delegate={iterator:h(n),resultName:e,nextLoc:t},"next"===this.method&&(this.arg=f),D}}}(function(){return this}()||Function("return this")())},940:function(n,e,t){"use strict";function o(n){return function(){var e=n.apply(this,arguments);return new Promise(function(n,t){function o(i,r){try{var a=e[i](r),s=a.value}catch(n){return void t(n)}if(!a.done)return Promise.resolve(s).then(function(n){o("next",n)},function(n){o("throw",n)});n(s)}return o("next")})}}function i(n,e){if(!(n instanceof e))throw new TypeError("Cannot call a class as a function")}function r(n,e){if(!(n instanceof e))throw new TypeError("Cannot call a class as a function")}function a(n,e){if(!n)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?n:e}function s(n,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);n.prototype=Object.create(e&&e.prototype,{constructor:{value:n,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(n,e):n.__proto__=e)}Object.defineProperty(e,"__esModule",{value:!0});var l=t(0),p=t.n(l),c=(t(201),t(92)),u=t(57),d=t.n(u),A=t(376),h=t(916),m=t.n(h),f=function(){function n(n,e){for(var t=0;t<e.length;t++){var o=e[t];o.enumerable=o.enumerable||!1,o.configurable=!0,"value"in o&&(o.writable=!0),Object.defineProperty(n,o.key,o)}}return function(e,t,o){return t&&n(e.prototype,t),o&&n(e,o),e}}(),b=function(){function n(){var e=this;i(this,n),this.fallbackCopyTextToClipboard=function(n){var e=document.createElement("textarea");e.value=n,document.body.appendChild(e),e.focus(),e.select();var t=!1;try{document.execCommand("copy");t=!0}catch(n){t=!1}return document.body.removeChild(e),t},this.copyTextToClipboard=function(){var n=o(m.a.mark(function n(t){var o;return m.a.wrap(function(n){for(;;)switch(n.prev=n.next){case 0:if(o=!1,navigator.clipboard){n.next=3;break}return n.abrupt("return",e.fallbackCopyTextToClipboard(t));case 3:return n.next=5,navigator.clipboard.writeText(t).then(function(){o=!0},function(n){});case 5:return n.abrupt("return",o);case 6:case"end":return n.stop()}},n,e)}));return function(e){return n.apply(this,arguments)}}()}return f(n,[{key:"test",value:function(){alert("test ok:"+this.getCookie("test_cookie"))}},{key:"__REQUEST",value:function(){var n=this.getNewCookie();return{clientTypeFlag:"h5",token:n.token||"",phoneNumber:n.phoneNumber||"",bizParams:{}}}},{key:"getNewCookie",value:function(){var n=[],e=document.cookie.split(";"),t=void 0;return e.forEach(function(e){t=e.trim().split("="),n[t[0]]=t[1]}),n}},{key:"getSingleCookie",value:function(n){for(var e=document.cookie.split(";"),t=void 0,o=0;o<e.length;o++)if(t=e[o].trim().split("="),t.length>1&&t[0]==n)return t[1];return""}},{key:"to_locale_time",value:function(n){if(!n)return"-";isNaN(Date.parse(n))&&(n=n.replace(/-/g,"/").replace("T"," ").replace("+00:00","Z")),n=Date.parse(n);var e=new Date(n),t=function(n,e){return(n+="").length<e?new Array(++e-n.length).join("0")+n:n};return e.getFullYear()+"/"+t(e.getMonth()+1,2)+"/"+t(e.getDate(),2)+" "+t(e.getHours(),2)+":"+t(e.getMinutes(),2)+":"+t(e.getSeconds(),2)}},{key:"date",value:function(n,e){var t=e?new Date(1e3*e):new Date,o=function(n,e){return(n+="").length<e?new Array(++e-n.length).join("0")+n:n},i=["Sunday","Monday","Tuesday","Wednesday","Thursday","Friday","Saturday"],r={1:"st",2:"nd",3:"rd",21:"st",22:"nd",23:"rd",31:"st"},a=["","January","February","March","April","May","June","July","August","September","October","November","December"],s={d:function(){return o(s.j(),2)},D:function(){return s.l().substr(0,3)},j:function(){return t.getDate()},l:function(){return i[s.w()]},N:function(){return s.w()+1},S:function(){return r[s.j()]?r[s.j()]:"th"},w:function(){return t.getDay()},z:function(){return(t-new Date(t.getFullYear()+"/1/1"))/864e5>>0},W:function(){var n,e=s.z(),o=364+s.L()-e,i=(new Date(t.getFullYear()+"/1/1").getDay()||7)-1;return o<=2&&(t.getDay()||7)-1<=2-o?1:e<=2&&i>=4&&e>=6-i?(n=new Date(t.getFullYear()-1+"/12/31"),this.date("W",Math.round(n.getTime()/1e3))):1+(i<=3?(e+i)/7:(e-(7-i))/7)>>0},F:function(){return a[s.n()]},m:function(){return o(s.n(),2)},M:function(){return s.F().substr(0,3)},n:function(){return t.getMonth()+1},t:function(){var n;return 2===(n=t.getMonth()+1)?28+s.L():1&n&&n<8||!(1&n)&&n>7?31:30},L:function(){var n=s.Y();return 3&n||!(n%100)&&n%400?0:1},Y:function(){return t.getFullYear()},y:function(){return(t.getFullYear()+"").slice(2)},a:function(){return t.getHours()>11?"pm":"am"},A:function(){return s.a().toUpperCase()},B:function(){var n=60*(t.getTimezoneOffset()+60),e=3600*t.getHours()+60*t.getMinutes()+t.getSeconds()+n,o=Math.floor(e/86.4);return o>1e3&&(o-=1e3),o<0&&(o+=1e3),1==String(o).length&&(o="00"+o),2==String(o).length&&(o="0"+o),o},g:function(){return t.getHours()%12||12},G:function(){return t.getHours()},h:function(){return o(s.g(),2)},H:function(){return o(t.getHours(),2)},i:function(){return o(t.getMinutes(),2)},s:function(){return o(t.getSeconds(),2)},O:function(){var n=o(Math.abs(t.getTimezoneOffset()/60*100),4);return n=t.getTimezoneOffset()>0?"-"+n:"+"+n},P:function(){var n=s.O();return n.substr(0,3)+":"+n.substr(3,2)},c:function(){return s.Y()+"-"+s.m()+"-"+s.d()+"T"+s.h()+":"+s.i()+":"+s.s()+s.P()},U:function(){return Math.round(t.getTime()/1e3)}};return n.replace(/[\\]?([a-zA-Z])/g,function(n,e){return n!==e?e:s[e]?s[e]():e})}},{key:"replaceRevStr",value:function(n){if(""===n)return"";var e={"<":"&lt;",">":"&gt;"};for(var t in e)n=n.replace(new RegExp(t,"g"),e[t]);return n}},{key:"replaceStr",value:function(n){if(""===n)return"";var e={"&lt;":"<","&gt;":">"};for(var t in e)n=n.replace(new RegExp(t,"g"),e[t]);return n}},{key:"setCookie",value:function(n,e,t){var o=new Date;o.setTime(o.getTime()+24*t*3600*1e3),document.cookie=n+"="+escape(e)+(null==t?"":"; expires="+o.toGMTString()+"; path=/")}},{key:"getCookie",value:function(n){for(var e=n+"=",t=e.length,o=document.cookie.length,i=0;i<o;){var r=i+t;if(document.cookie.substring(i,r)===e)return this.GetCookieVal(r);if(0===(i=document.cookie.indexOf(" ",i)+1))break}return null}},{key:"GetCookieVal",value:function(n){var e=document.cookie.indexOf(";",n);return-1===e&&(e=document.cookie.length),unescape(document.cookie.substring(n,e))}},{key:"deleteCookie",value:function(n){var e=new Date;e.setTime(e.getTime()-864e5);var t=this.GetCookie(n);null!=t&&(document.cookie=n+"="+t+";expires="+e.toGMTString()+"; path=/")}},{key:"number_format",value:function(n,e,t,o,i){n=(n+"").replace(/[^0-9+-Ee.]/g,""),i=i||"floor";var r=isFinite(+n)?+n:0,a=isFinite(+e)?Math.abs(e):0,s="undefined"===typeof o?",":o,l="undefined"===typeof t?".":t,p="";p=(a?function(n,e){var t=Math.pow(10,e);return console.log(),""+parseFloat(Math[i](parseFloat((n*t).toFixed(2*e))).toFixed(2*e))/t}(r,a):""+Math.round(r)).split(".");for(var c=/(-?\d+)(\d{3})/;c.test(p[0]);)p[0]=p[0].replace(c,"$1"+s+"$2");return(p[1]||"").length<a&&(p[1]=p[1]||"",p[1]+=new Array(a-p[1].length+1).join("0")),p.join(l)}},{key:"getUrlParam",value:function(n){var e=new RegExp("(^|&)"+n+"=([^&]*)(&|$)","i"),t=window.location.search.substr(1).match(e);return null!=t?unescape(t[2]):""}},{key:"GetRandomNum",value:function(n,e){var t=e-n,o=Math.random();return n+Math.round(o*t)}},{key:"checkPhone",value:function(n){return!!/^1[34578]\d{9}$/.test(n)}}]),n}(),C=b,g=t(222),w=t(242),B=function(){function n(n,e){for(var t=0;t<e.length;t++){var o=e[t];o.enumerable=o.enumerable||!1,o.configurable=!0,"value"in o&&(o.writable=!0),Object.defineProperty(n,o.key,o)}}return function(e,t,o){return t&&n(e.prototype,t),o&&n(e,o),e}}(),v=new C,y=function(n){function e(n){r(this,e);var t=a(this,(e.__proto__||Object.getPrototypeOf(e)).call(this,n));return t.copyUrl=function(){v.copyTextToClipboard(window.location.href)?A.a.msgbox({title:"\u63d0\u793a",message:"\u5df2\u6210\u529f\u590d\u5236\u5230\u526a\u5207\u677f\uff01",type:"success"}):A.a.msgbox({title:"\u63d0\u793a",message:"\u590d\u5236\u5931\u8d25\u4e86",type:"warning"})},t.state={},t}return s(e,n),B(e,[{key:"render",value:function(){var n=this;return p.a.createElement("div",{className:"App"},p.a.createElement("h1",null,"Breadcrumb \u83dc\u5355"),p.a.createElement("h3",null,"Breadcrumb\u7684\u57fa\u672c\u4f7f\u7528"),p.a.createElement("div",{style:{margin:20}},p.a.createElement(c.a,{separator:"/"},p.a.createElement(c.a.Item,null,"\u9996\u9875"),p.a.createElement(c.a.Item,null,"\u6d3b\u52a8\u7ba1\u7406"),p.a.createElement(c.a.Item,null,"\u6d3b\u52a8\u5217\u8868"),p.a.createElement(c.a.Item,null,"\u6d3b\u52a8\u8be6\u60c5"))),p.a.createElement(g.a,{name:"Breadcrumb",code:"0"}),p.a.createElement("h3",null,"\u63a8\u8350\u4f7f\u7528"),p.a.createElement("div",{className:"allInOneBreadCrumbs",style:{position:"relative",marginBottom:20}},p.a.createElement(c.a,{separator:"/",style:{display:"inline-block"}},p.a.createElement(c.a.Item,null,"\u7ba1\u7406\u7cfb\u7edf"),p.a.createElement(c.a.Item,null,"\u8ba2\u5355",this.props.complaintSheetID)),p.a.createElement("span",{style:{position:"absolute",cursor:"pointer",right:0}},p.a.createElement(d.a,{type:"reload",title:"\u5237\u65b0",onClick:function(){return window.location.reload()}})," ",p.a.createElement(d.a,{type:"copy",title:"\u590d\u5236url",onClick:function(){return n.copyUrl()}}))),p.a.createElement(g.a,{name:"Breadcrumb",code:"1"}),p.a.createElement(w.a,{name:"Breadcrumb"}))}}]),e}(l.Component);e.default=y}});
app/components/Projects/Projects.js
RichardLilja/BMC
// @flow import React, { Component } from 'react'; import MenuListItem from './Projects__MenuListItem'; import RecentProjectsListItem from './Projects__RecentProjectsListItem'; import styles from './Projects.scss'; export default class Projects extends Component { render() { return ( <section className={styles.container}> <ul className={styles.menuList}> <MenuListItem /> </ul> <ul className={styles.recentProjectsList}> <RecentProjectsListItem /> </ul> </section> ); } }
src/containers/Body.js
dpca/play-gb
import React, { Component, PropTypes } from 'react'; import MessageList from '../components/MessageList'; import MessageInput from '../components/MessageInput'; import Gameboy from '../components/Gameboy'; import SetUser from '../components/SetUser'; class Body extends Component { render() { const { messages, user, actions, frame, showOptions, connected, playerCount } = this.props; return ( <div className='container'> <div className='row'> <div className='col-xs-6'> <Gameboy frame={frame} players={playerCount}/> </div> <div className='col-xs-6'> <div className='row'> {this.userOrInput(user, showOptions, actions, connected)} </div> <div style={{marginTop: '10px'}}> <MessageList user={user} messages={messages} /> </div> </div> </div> </div> ); } userOrInput(user, showOptions, actions, connected) { if (user.name && !showOptions) { return <MessageInput user={user} onSubmit={actions.addMessage} connected={connected}/>; } else { return <SetUser user={user} onNameChange={actions.changeUserName} onColorChange={actions.changeUserColor} />; } } } Body.propTypes = { user: PropTypes.object.isRequired, messages: PropTypes.array.isRequired, frame: PropTypes.string.isRequired }; export default Body;
Samples/NET/cs/CslaMVC/CslaMVC.Web/Scripts/jquery-1.4.4.min.js
ronnymgm/csla-light
/*! * Note: While Microsoft is not the author of this file, Microsoft is * offering you a license subject to the terms of the Microsoft Software * License Terms for Microsoft ASP.NET Model View Controller 3. * Microsoft reserves all other rights. The notices below are provided * for informational purposes only and are not the license terms under * which Microsoft distributed this file. * * jQuery JavaScript Library v1.4.4 * http://jquery.com/ * * Copyright 2010, John Resig * * Includes Sizzle.js * http://sizzlejs.com/ * Copyright 2010, The Dojo Foundation * * Date: Thu Nov 11 19:04:53 2010 -0500 */ (function(E,B){function ka(a,b,d){if(d===B&&a.nodeType===1){d=a.getAttribute("data-"+b);if(typeof d==="string"){try{d=d==="true"?true:d==="false"?false:d==="null"?null:!c.isNaN(d)?parseFloat(d):Ja.test(d)?c.parseJSON(d):d}catch(e){}c.data(a,b,d)}else d=B}return d}function U(){return false}function ca(){return true}function la(a,b,d){d[0].type=a;return c.event.handle.apply(b,d)}function Ka(a){var b,d,e,f,h,l,k,o,x,r,A,C=[];f=[];h=c.data(this,this.nodeType?"events":"__events__");if(typeof h==="function")h= h.events;if(!(a.liveFired===this||!h||!h.live||a.button&&a.type==="click")){if(a.namespace)A=RegExp("(^|\\.)"+a.namespace.split(".").join("\\.(?:.*\\.)?")+"(\\.|$)");a.liveFired=this;var J=h.live.slice(0);for(k=0;k<J.length;k++){h=J[k];h.origType.replace(X,"")===a.type?f.push(h.selector):J.splice(k--,1)}f=c(a.target).closest(f,a.currentTarget);o=0;for(x=f.length;o<x;o++){r=f[o];for(k=0;k<J.length;k++){h=J[k];if(r.selector===h.selector&&(!A||A.test(h.namespace))){l=r.elem;e=null;if(h.preType==="mouseenter"|| h.preType==="mouseleave"){a.type=h.preType;e=c(a.relatedTarget).closest(h.selector)[0]}if(!e||e!==l)C.push({elem:l,handleObj:h,level:r.level})}}}o=0;for(x=C.length;o<x;o++){f=C[o];if(d&&f.level>d)break;a.currentTarget=f.elem;a.data=f.handleObj.data;a.handleObj=f.handleObj;A=f.handleObj.origHandler.apply(f.elem,arguments);if(A===false||a.isPropagationStopped()){d=f.level;if(A===false)b=false;if(a.isImmediatePropagationStopped())break}}return b}}function Y(a,b){return(a&&a!=="*"?a+".":"")+b.replace(La, "`").replace(Ma,"&")}function ma(a,b,d){if(c.isFunction(b))return c.grep(a,function(f,h){return!!b.call(f,h,f)===d});else if(b.nodeType)return c.grep(a,function(f){return f===b===d});else if(typeof b==="string"){var e=c.grep(a,function(f){return f.nodeType===1});if(Na.test(b))return c.filter(b,e,!d);else b=c.filter(b,e)}return c.grep(a,function(f){return c.inArray(f,b)>=0===d})}function na(a,b){var d=0;b.each(function(){if(this.nodeName===(a[d]&&a[d].nodeName)){var e=c.data(a[d++]),f=c.data(this, e);if(e=e&&e.events){delete f.handle;f.events={};for(var h in e)for(var l in e[h])c.event.add(this,h,e[h][l],e[h][l].data)}}})}function Oa(a,b){b.src?c.ajax({url:b.src,async:false,dataType:"script"}):c.globalEval(b.text||b.textContent||b.innerHTML||"");b.parentNode&&b.parentNode.removeChild(b)}function oa(a,b,d){var e=b==="width"?a.offsetWidth:a.offsetHeight;if(d==="border")return e;c.each(b==="width"?Pa:Qa,function(){d||(e-=parseFloat(c.css(a,"padding"+this))||0);if(d==="margin")e+=parseFloat(c.css(a, "margin"+this))||0;else e-=parseFloat(c.css(a,"border"+this+"Width"))||0});return e}function da(a,b,d,e){if(c.isArray(b)&&b.length)c.each(b,function(f,h){d||Ra.test(a)?e(a,h):da(a+"["+(typeof h==="object"||c.isArray(h)?f:"")+"]",h,d,e)});else if(!d&&b!=null&&typeof b==="object")c.isEmptyObject(b)?e(a,""):c.each(b,function(f,h){da(a+"["+f+"]",h,d,e)});else e(a,b)}function S(a,b){var d={};c.each(pa.concat.apply([],pa.slice(0,b)),function(){d[this]=a});return d}function qa(a){if(!ea[a]){var b=c("<"+ a+">").appendTo("body"),d=b.css("display");b.remove();if(d==="none"||d==="")d="block";ea[a]=d}return ea[a]}function fa(a){return c.isWindow(a)?a:a.nodeType===9?a.defaultView||a.parentWindow:false}var t=E.document,c=function(){function a(){if(!b.isReady){try{t.documentElement.doScroll("left")}catch(j){setTimeout(a,1);return}b.ready()}}var b=function(j,s){return new b.fn.init(j,s)},d=E.jQuery,e=E.$,f,h=/^(?:[^<]*(<[\w\W]+>)[^>]*$|#([\w\-]+)$)/,l=/\S/,k=/^\s+/,o=/\s+$/,x=/\W/,r=/\d/,A=/^<(\w+)\s*\/?>(?:<\/\1>)?$/, C=/^[\],:{}\s]*$/,J=/\\(?:["\\\/bfnrt]|u[0-9a-fA-F]{4})/g,w=/"[^"\\\n\r]*"|true|false|null|-?\d+(?:\.\d*)?(?:[eE][+\-]?\d+)?/g,I=/(?:^|:|,)(?:\s*\[)+/g,L=/(webkit)[ \/]([\w.]+)/,g=/(opera)(?:.*version)?[ \/]([\w.]+)/,i=/(msie) ([\w.]+)/,n=/(mozilla)(?:.*? rv:([\w.]+))?/,m=navigator.userAgent,p=false,q=[],u,y=Object.prototype.toString,F=Object.prototype.hasOwnProperty,M=Array.prototype.push,N=Array.prototype.slice,O=String.prototype.trim,D=Array.prototype.indexOf,R={};b.fn=b.prototype={init:function(j, s){var v,z,H;if(!j)return this;if(j.nodeType){this.context=this[0]=j;this.length=1;return this}if(j==="body"&&!s&&t.body){this.context=t;this[0]=t.body;this.selector="body";this.length=1;return this}if(typeof j==="string")if((v=h.exec(j))&&(v[1]||!s))if(v[1]){H=s?s.ownerDocument||s:t;if(z=A.exec(j))if(b.isPlainObject(s)){j=[t.createElement(z[1])];b.fn.attr.call(j,s,true)}else j=[H.createElement(z[1])];else{z=b.buildFragment([v[1]],[H]);j=(z.cacheable?z.fragment.cloneNode(true):z.fragment).childNodes}return b.merge(this, j)}else{if((z=t.getElementById(v[2]))&&z.parentNode){if(z.id!==v[2])return f.find(j);this.length=1;this[0]=z}this.context=t;this.selector=j;return this}else if(!s&&!x.test(j)){this.selector=j;this.context=t;j=t.getElementsByTagName(j);return b.merge(this,j)}else return!s||s.jquery?(s||f).find(j):b(s).find(j);else if(b.isFunction(j))return f.ready(j);if(j.selector!==B){this.selector=j.selector;this.context=j.context}return b.makeArray(j,this)},selector:"",jquery:"1.4.4",length:0,size:function(){return this.length}, toArray:function(){return N.call(this,0)},get:function(j){return j==null?this.toArray():j<0?this.slice(j)[0]:this[j]},pushStack:function(j,s,v){var z=b();b.isArray(j)?M.apply(z,j):b.merge(z,j);z.prevObject=this;z.context=this.context;if(s==="find")z.selector=this.selector+(this.selector?" ":"")+v;else if(s)z.selector=this.selector+"."+s+"("+v+")";return z},each:function(j,s){return b.each(this,j,s)},ready:function(j){b.bindReady();if(b.isReady)j.call(t,b);else q&&q.push(j);return this},eq:function(j){return j=== -1?this.slice(j):this.slice(j,+j+1)},first:function(){return this.eq(0)},last:function(){return this.eq(-1)},slice:function(){return this.pushStack(N.apply(this,arguments),"slice",N.call(arguments).join(","))},map:function(j){return this.pushStack(b.map(this,function(s,v){return j.call(s,v,s)}))},end:function(){return this.prevObject||b(null)},push:M,sort:[].sort,splice:[].splice};b.fn.init.prototype=b.fn;b.extend=b.fn.extend=function(){var j,s,v,z,H,G=arguments[0]||{},K=1,Q=arguments.length,ga=false; if(typeof G==="boolean"){ga=G;G=arguments[1]||{};K=2}if(typeof G!=="object"&&!b.isFunction(G))G={};if(Q===K){G=this;--K}for(;K<Q;K++)if((j=arguments[K])!=null)for(s in j){v=G[s];z=j[s];if(G!==z)if(ga&&z&&(b.isPlainObject(z)||(H=b.isArray(z)))){if(H){H=false;v=v&&b.isArray(v)?v:[]}else v=v&&b.isPlainObject(v)?v:{};G[s]=b.extend(ga,v,z)}else if(z!==B)G[s]=z}return G};b.extend({noConflict:function(j){E.$=e;if(j)E.jQuery=d;return b},isReady:false,readyWait:1,ready:function(j){j===true&&b.readyWait--; if(!b.readyWait||j!==true&&!b.isReady){if(!t.body)return setTimeout(b.ready,1);b.isReady=true;if(!(j!==true&&--b.readyWait>0))if(q){var s=0,v=q;for(q=null;j=v[s++];)j.call(t,b);b.fn.trigger&&b(t).trigger("ready").unbind("ready")}}},bindReady:function(){if(!p){p=true;if(t.readyState==="complete")return setTimeout(b.ready,1);if(t.addEventListener){t.addEventListener("DOMContentLoaded",u,false);E.addEventListener("load",b.ready,false)}else if(t.attachEvent){t.attachEvent("onreadystatechange",u);E.attachEvent("onload", b.ready);var j=false;try{j=E.frameElement==null}catch(s){}t.documentElement.doScroll&&j&&a()}}},isFunction:function(j){return b.type(j)==="function"},isArray:Array.isArray||function(j){return b.type(j)==="array"},isWindow:function(j){return j&&typeof j==="object"&&"setInterval"in j},isNaN:function(j){return j==null||!r.test(j)||isNaN(j)},type:function(j){return j==null?String(j):R[y.call(j)]||"object"},isPlainObject:function(j){if(!j||b.type(j)!=="object"||j.nodeType||b.isWindow(j))return false;if(j.constructor&& !F.call(j,"constructor")&&!F.call(j.constructor.prototype,"isPrototypeOf"))return false;for(var s in j);return s===B||F.call(j,s)},isEmptyObject:function(j){for(var s in j)return false;return true},error:function(j){throw j;},parseJSON:function(j){if(typeof j!=="string"||!j)return null;j=b.trim(j);if(C.test(j.replace(J,"@").replace(w,"]").replace(I,"")))return E.JSON&&E.JSON.parse?E.JSON.parse(j):(new Function("return "+j))();else b.error("Invalid JSON: "+j)},noop:function(){},globalEval:function(j){if(j&& l.test(j)){var s=t.getElementsByTagName("head")[0]||t.documentElement,v=t.createElement("script");v.type="text/javascript";if(b.support.scriptEval)v.appendChild(t.createTextNode(j));else v.text=j;s.insertBefore(v,s.firstChild);s.removeChild(v)}},nodeName:function(j,s){return j.nodeName&&j.nodeName.toUpperCase()===s.toUpperCase()},each:function(j,s,v){var z,H=0,G=j.length,K=G===B||b.isFunction(j);if(v)if(K)for(z in j){if(s.apply(j[z],v)===false)break}else for(;H<G;){if(s.apply(j[H++],v)===false)break}else if(K)for(z in j){if(s.call(j[z], z,j[z])===false)break}else for(v=j[0];H<G&&s.call(v,H,v)!==false;v=j[++H]);return j},trim:O?function(j){return j==null?"":O.call(j)}:function(j){return j==null?"":j.toString().replace(k,"").replace(o,"")},makeArray:function(j,s){var v=s||[];if(j!=null){var z=b.type(j);j.length==null||z==="string"||z==="function"||z==="regexp"||b.isWindow(j)?M.call(v,j):b.merge(v,j)}return v},inArray:function(j,s){if(s.indexOf)return s.indexOf(j);for(var v=0,z=s.length;v<z;v++)if(s[v]===j)return v;return-1},merge:function(j, s){var v=j.length,z=0;if(typeof s.length==="number")for(var H=s.length;z<H;z++)j[v++]=s[z];else for(;s[z]!==B;)j[v++]=s[z++];j.length=v;return j},grep:function(j,s,v){var z=[],H;v=!!v;for(var G=0,K=j.length;G<K;G++){H=!!s(j[G],G);v!==H&&z.push(j[G])}return z},map:function(j,s,v){for(var z=[],H,G=0,K=j.length;G<K;G++){H=s(j[G],G,v);if(H!=null)z[z.length]=H}return z.concat.apply([],z)},guid:1,proxy:function(j,s,v){if(arguments.length===2)if(typeof s==="string"){v=j;j=v[s];s=B}else if(s&&!b.isFunction(s)){v= s;s=B}if(!s&&j)s=function(){return j.apply(v||this,arguments)};if(j)s.guid=j.guid=j.guid||s.guid||b.guid++;return s},access:function(j,s,v,z,H,G){var K=j.length;if(typeof s==="object"){for(var Q in s)b.access(j,Q,s[Q],z,H,v);return j}if(v!==B){z=!G&&z&&b.isFunction(v);for(Q=0;Q<K;Q++)H(j[Q],s,z?v.call(j[Q],Q,H(j[Q],s)):v,G);return j}return K?H(j[0],s):B},now:function(){return(new Date).getTime()},uaMatch:function(j){j=j.toLowerCase();j=L.exec(j)||g.exec(j)||i.exec(j)||j.indexOf("compatible")<0&&n.exec(j)|| [];return{browser:j[1]||"",version:j[2]||"0"}},browser:{}});b.each("Boolean Number String Function Array Date RegExp Object".split(" "),function(j,s){R["[object "+s+"]"]=s.toLowerCase()});m=b.uaMatch(m);if(m.browser){b.browser[m.browser]=true;b.browser.version=m.version}if(b.browser.webkit)b.browser.safari=true;if(D)b.inArray=function(j,s){return D.call(s,j)};if(!/\s/.test("\u00a0")){k=/^[\s\xA0]+/;o=/[\s\xA0]+$/}f=b(t);if(t.addEventListener)u=function(){t.removeEventListener("DOMContentLoaded",u, false);b.ready()};else if(t.attachEvent)u=function(){if(t.readyState==="complete"){t.detachEvent("onreadystatechange",u);b.ready()}};return E.jQuery=E.$=b}();(function(){c.support={};var a=t.documentElement,b=t.createElement("script"),d=t.createElement("div"),e="script"+c.now();d.style.display="none";d.innerHTML=" <link/><table></table><a href='/a' style='color:red;float:left;opacity:.55;'>a</a><input type='checkbox'/>";var f=d.getElementsByTagName("*"),h=d.getElementsByTagName("a")[0],l=t.createElement("select"), k=l.appendChild(t.createElement("option"));if(!(!f||!f.length||!h)){c.support={leadingWhitespace:d.firstChild.nodeType===3,tbody:!d.getElementsByTagName("tbody").length,htmlSerialize:!!d.getElementsByTagName("link").length,style:/red/.test(h.getAttribute("style")),hrefNormalized:h.getAttribute("href")==="/a",opacity:/^0.55$/.test(h.style.opacity),cssFloat:!!h.style.cssFloat,checkOn:d.getElementsByTagName("input")[0].value==="on",optSelected:k.selected,deleteExpando:true,optDisabled:false,checkClone:false, scriptEval:false,noCloneEvent:true,boxModel:null,inlineBlockNeedsLayout:false,shrinkWrapBlocks:false,reliableHiddenOffsets:true};l.disabled=true;c.support.optDisabled=!k.disabled;b.type="text/javascript";try{b.appendChild(t.createTextNode("window."+e+"=1;"))}catch(o){}a.insertBefore(b,a.firstChild);if(E[e]){c.support.scriptEval=true;delete E[e]}try{delete b.test}catch(x){c.support.deleteExpando=false}a.removeChild(b);if(d.attachEvent&&d.fireEvent){d.attachEvent("onclick",function r(){c.support.noCloneEvent= false;d.detachEvent("onclick",r)});d.cloneNode(true).fireEvent("onclick")}d=t.createElement("div");d.innerHTML="<input type='radio' name='radiotest' checked='checked'/>";a=t.createDocumentFragment();a.appendChild(d.firstChild);c.support.checkClone=a.cloneNode(true).cloneNode(true).lastChild.checked;c(function(){var r=t.createElement("div");r.style.width=r.style.paddingLeft="1px";t.body.appendChild(r);c.boxModel=c.support.boxModel=r.offsetWidth===2;if("zoom"in r.style){r.style.display="inline";r.style.zoom= 1;c.support.inlineBlockNeedsLayout=r.offsetWidth===2;r.style.display="";r.innerHTML="<div style='width:4px;'></div>";c.support.shrinkWrapBlocks=r.offsetWidth!==2}r.innerHTML="<table><tr><td style='padding:0;display:none'></td><td>t</td></tr></table>";var A=r.getElementsByTagName("td");c.support.reliableHiddenOffsets=A[0].offsetHeight===0;A[0].style.display="";A[1].style.display="none";c.support.reliableHiddenOffsets=c.support.reliableHiddenOffsets&&A[0].offsetHeight===0;r.innerHTML="";t.body.removeChild(r).style.display= "none"});a=function(r){var A=t.createElement("div");r="on"+r;var C=r in A;if(!C){A.setAttribute(r,"return;");C=typeof A[r]==="function"}return C};c.support.submitBubbles=a("submit");c.support.changeBubbles=a("change");a=b=d=f=h=null}})();var ra={},Ja=/^(?:\{.*\}|\[.*\])$/;c.extend({cache:{},uuid:0,expando:"jQuery"+c.now(),noData:{embed:true,object:"clsid:D27CDB6E-AE6D-11cf-96B8-444553540000",applet:true},data:function(a,b,d){if(c.acceptData(a)){a=a==E?ra:a;var e=a.nodeType,f=e?a[c.expando]:null,h= c.cache;if(!(e&&!f&&typeof b==="string"&&d===B)){if(e)f||(a[c.expando]=f=++c.uuid);else h=a;if(typeof b==="object")if(e)h[f]=c.extend(h[f],b);else c.extend(h,b);else if(e&&!h[f])h[f]={};a=e?h[f]:h;if(d!==B)a[b]=d;return typeof b==="string"?a[b]:a}}},removeData:function(a,b){if(c.acceptData(a)){a=a==E?ra:a;var d=a.nodeType,e=d?a[c.expando]:a,f=c.cache,h=d?f[e]:e;if(b){if(h){delete h[b];d&&c.isEmptyObject(h)&&c.removeData(a)}}else if(d&&c.support.deleteExpando)delete a[c.expando];else if(a.removeAttribute)a.removeAttribute(c.expando); else if(d)delete f[e];else for(var l in a)delete a[l]}},acceptData:function(a){if(a.nodeName){var b=c.noData[a.nodeName.toLowerCase()];if(b)return!(b===true||a.getAttribute("classid")!==b)}return true}});c.fn.extend({data:function(a,b){var d=null;if(typeof a==="undefined"){if(this.length){var e=this[0].attributes,f;d=c.data(this[0]);for(var h=0,l=e.length;h<l;h++){f=e[h].name;if(f.indexOf("data-")===0){f=f.substr(5);ka(this[0],f,d[f])}}}return d}else if(typeof a==="object")return this.each(function(){c.data(this, a)});var k=a.split(".");k[1]=k[1]?"."+k[1]:"";if(b===B){d=this.triggerHandler("getData"+k[1]+"!",[k[0]]);if(d===B&&this.length){d=c.data(this[0],a);d=ka(this[0],a,d)}return d===B&&k[1]?this.data(k[0]):d}else return this.each(function(){var o=c(this),x=[k[0],b];o.triggerHandler("setData"+k[1]+"!",x);c.data(this,a,b);o.triggerHandler("changeData"+k[1]+"!",x)})},removeData:function(a){return this.each(function(){c.removeData(this,a)})}});c.extend({queue:function(a,b,d){if(a){b=(b||"fx")+"queue";var e= c.data(a,b);if(!d)return e||[];if(!e||c.isArray(d))e=c.data(a,b,c.makeArray(d));else e.push(d);return e}},dequeue:function(a,b){b=b||"fx";var d=c.queue(a,b),e=d.shift();if(e==="inprogress")e=d.shift();if(e){b==="fx"&&d.unshift("inprogress");e.call(a,function(){c.dequeue(a,b)})}}});c.fn.extend({queue:function(a,b){if(typeof a!=="string"){b=a;a="fx"}if(b===B)return c.queue(this[0],a);return this.each(function(){var d=c.queue(this,a,b);a==="fx"&&d[0]!=="inprogress"&&c.dequeue(this,a)})},dequeue:function(a){return this.each(function(){c.dequeue(this, a)})},delay:function(a,b){a=c.fx?c.fx.speeds[a]||a:a;b=b||"fx";return this.queue(b,function(){var d=this;setTimeout(function(){c.dequeue(d,b)},a)})},clearQueue:function(a){return this.queue(a||"fx",[])}});var sa=/[\n\t]/g,ha=/\s+/,Sa=/\r/g,Ta=/^(?:href|src|style)$/,Ua=/^(?:button|input)$/i,Va=/^(?:button|input|object|select|textarea)$/i,Wa=/^a(?:rea)?$/i,ta=/^(?:radio|checkbox)$/i;c.props={"for":"htmlFor","class":"className",readonly:"readOnly",maxlength:"maxLength",cellspacing:"cellSpacing",rowspan:"rowSpan", colspan:"colSpan",tabindex:"tabIndex",usemap:"useMap",frameborder:"frameBorder"};c.fn.extend({attr:function(a,b){return c.access(this,a,b,true,c.attr)},removeAttr:function(a){return this.each(function(){c.attr(this,a,"");this.nodeType===1&&this.removeAttribute(a)})},addClass:function(a){if(c.isFunction(a))return this.each(function(x){var r=c(this);r.addClass(a.call(this,x,r.attr("class")))});if(a&&typeof a==="string")for(var b=(a||"").split(ha),d=0,e=this.length;d<e;d++){var f=this[d];if(f.nodeType=== 1)if(f.className){for(var h=" "+f.className+" ",l=f.className,k=0,o=b.length;k<o;k++)if(h.indexOf(" "+b[k]+" ")<0)l+=" "+b[k];f.className=c.trim(l)}else f.className=a}return this},removeClass:function(a){if(c.isFunction(a))return this.each(function(o){var x=c(this);x.removeClass(a.call(this,o,x.attr("class")))});if(a&&typeof a==="string"||a===B)for(var b=(a||"").split(ha),d=0,e=this.length;d<e;d++){var f=this[d];if(f.nodeType===1&&f.className)if(a){for(var h=(" "+f.className+" ").replace(sa," "), l=0,k=b.length;l<k;l++)h=h.replace(" "+b[l]+" "," ");f.className=c.trim(h)}else f.className=""}return this},toggleClass:function(a,b){var d=typeof a,e=typeof b==="boolean";if(c.isFunction(a))return this.each(function(f){var h=c(this);h.toggleClass(a.call(this,f,h.attr("class"),b),b)});return this.each(function(){if(d==="string")for(var f,h=0,l=c(this),k=b,o=a.split(ha);f=o[h++];){k=e?k:!l.hasClass(f);l[k?"addClass":"removeClass"](f)}else if(d==="undefined"||d==="boolean"){this.className&&c.data(this, "__className__",this.className);this.className=this.className||a===false?"":c.data(this,"__className__")||""}})},hasClass:function(a){a=" "+a+" ";for(var b=0,d=this.length;b<d;b++)if((" "+this[b].className+" ").replace(sa," ").indexOf(a)>-1)return true;return false},val:function(a){if(!arguments.length){var b=this[0];if(b){if(c.nodeName(b,"option")){var d=b.attributes.value;return!d||d.specified?b.value:b.text}if(c.nodeName(b,"select")){var e=b.selectedIndex;d=[];var f=b.options;b=b.type==="select-one"; if(e<0)return null;var h=b?e:0;for(e=b?e+1:f.length;h<e;h++){var l=f[h];if(l.selected&&(c.support.optDisabled?!l.disabled:l.getAttribute("disabled")===null)&&(!l.parentNode.disabled||!c.nodeName(l.parentNode,"optgroup"))){a=c(l).val();if(b)return a;d.push(a)}}return d}if(ta.test(b.type)&&!c.support.checkOn)return b.getAttribute("value")===null?"on":b.value;return(b.value||"").replace(Sa,"")}return B}var k=c.isFunction(a);return this.each(function(o){var x=c(this),r=a;if(this.nodeType===1){if(k)r= a.call(this,o,x.val());if(r==null)r="";else if(typeof r==="number")r+="";else if(c.isArray(r))r=c.map(r,function(C){return C==null?"":C+""});if(c.isArray(r)&&ta.test(this.type))this.checked=c.inArray(x.val(),r)>=0;else if(c.nodeName(this,"select")){var A=c.makeArray(r);c("option",this).each(function(){this.selected=c.inArray(c(this).val(),A)>=0});if(!A.length)this.selectedIndex=-1}else this.value=r}})}});c.extend({attrFn:{val:true,css:true,html:true,text:true,data:true,width:true,height:true,offset:true}, attr:function(a,b,d,e){if(!a||a.nodeType===3||a.nodeType===8)return B;if(e&&b in c.attrFn)return c(a)[b](d);e=a.nodeType!==1||!c.isXMLDoc(a);var f=d!==B;b=e&&c.props[b]||b;var h=Ta.test(b);if((b in a||a[b]!==B)&&e&&!h){if(f){b==="type"&&Ua.test(a.nodeName)&&a.parentNode&&c.error("type property can't be changed");if(d===null)a.nodeType===1&&a.removeAttribute(b);else a[b]=d}if(c.nodeName(a,"form")&&a.getAttributeNode(b))return a.getAttributeNode(b).nodeValue;if(b==="tabIndex")return(b=a.getAttributeNode("tabIndex"))&& b.specified?b.value:Va.test(a.nodeName)||Wa.test(a.nodeName)&&a.href?0:B;return a[b]}if(!c.support.style&&e&&b==="style"){if(f)a.style.cssText=""+d;return a.style.cssText}f&&a.setAttribute(b,""+d);if(!a.attributes[b]&&a.hasAttribute&&!a.hasAttribute(b))return B;a=!c.support.hrefNormalized&&e&&h?a.getAttribute(b,2):a.getAttribute(b);return a===null?B:a}});var X=/\.(.*)$/,ia=/^(?:textarea|input|select)$/i,La=/\./g,Ma=/ /g,Xa=/[^\w\s.|`]/g,Ya=function(a){return a.replace(Xa,"\\$&")},ua={focusin:0,focusout:0}; c.event={add:function(a,b,d,e){if(!(a.nodeType===3||a.nodeType===8)){if(c.isWindow(a)&&a!==E&&!a.frameElement)a=E;if(d===false)d=U;else if(!d)return;var f,h;if(d.handler){f=d;d=f.handler}if(!d.guid)d.guid=c.guid++;if(h=c.data(a)){var l=a.nodeType?"events":"__events__",k=h[l],o=h.handle;if(typeof k==="function"){o=k.handle;k=k.events}else if(!k){a.nodeType||(h[l]=h=function(){});h.events=k={}}if(!o)h.handle=o=function(){return typeof c!=="undefined"&&!c.event.triggered?c.event.handle.apply(o.elem, arguments):B};o.elem=a;b=b.split(" ");for(var x=0,r;l=b[x++];){h=f?c.extend({},f):{handler:d,data:e};if(l.indexOf(".")>-1){r=l.split(".");l=r.shift();h.namespace=r.slice(0).sort().join(".")}else{r=[];h.namespace=""}h.type=l;if(!h.guid)h.guid=d.guid;var A=k[l],C=c.event.special[l]||{};if(!A){A=k[l]=[];if(!C.setup||C.setup.call(a,e,r,o)===false)if(a.addEventListener)a.addEventListener(l,o,false);else a.attachEvent&&a.attachEvent("on"+l,o)}if(C.add){C.add.call(a,h);if(!h.handler.guid)h.handler.guid= d.guid}A.push(h);c.event.global[l]=true}a=null}}},global:{},remove:function(a,b,d,e){if(!(a.nodeType===3||a.nodeType===8)){if(d===false)d=U;var f,h,l=0,k,o,x,r,A,C,J=a.nodeType?"events":"__events__",w=c.data(a),I=w&&w[J];if(w&&I){if(typeof I==="function"){w=I;I=I.events}if(b&&b.type){d=b.handler;b=b.type}if(!b||typeof b==="string"&&b.charAt(0)==="."){b=b||"";for(f in I)c.event.remove(a,f+b)}else{for(b=b.split(" ");f=b[l++];){r=f;k=f.indexOf(".")<0;o=[];if(!k){o=f.split(".");f=o.shift();x=RegExp("(^|\\.)"+ c.map(o.slice(0).sort(),Ya).join("\\.(?:.*\\.)?")+"(\\.|$)")}if(A=I[f])if(d){r=c.event.special[f]||{};for(h=e||0;h<A.length;h++){C=A[h];if(d.guid===C.guid){if(k||x.test(C.namespace)){e==null&&A.splice(h--,1);r.remove&&r.remove.call(a,C)}if(e!=null)break}}if(A.length===0||e!=null&&A.length===1){if(!r.teardown||r.teardown.call(a,o)===false)c.removeEvent(a,f,w.handle);delete I[f]}}else for(h=0;h<A.length;h++){C=A[h];if(k||x.test(C.namespace)){c.event.remove(a,r,C.handler,h);A.splice(h--,1)}}}if(c.isEmptyObject(I)){if(b= w.handle)b.elem=null;delete w.events;delete w.handle;if(typeof w==="function")c.removeData(a,J);else c.isEmptyObject(w)&&c.removeData(a)}}}}},trigger:function(a,b,d,e){var f=a.type||a;if(!e){a=typeof a==="object"?a[c.expando]?a:c.extend(c.Event(f),a):c.Event(f);if(f.indexOf("!")>=0){a.type=f=f.slice(0,-1);a.exclusive=true}if(!d){a.stopPropagation();c.event.global[f]&&c.each(c.cache,function(){this.events&&this.events[f]&&c.event.trigger(a,b,this.handle.elem)})}if(!d||d.nodeType===3||d.nodeType=== 8)return B;a.result=B;a.target=d;b=c.makeArray(b);b.unshift(a)}a.currentTarget=d;(e=d.nodeType?c.data(d,"handle"):(c.data(d,"__events__")||{}).handle)&&e.apply(d,b);e=d.parentNode||d.ownerDocument;try{if(!(d&&d.nodeName&&c.noData[d.nodeName.toLowerCase()]))if(d["on"+f]&&d["on"+f].apply(d,b)===false){a.result=false;a.preventDefault()}}catch(h){}if(!a.isPropagationStopped()&&e)c.event.trigger(a,b,e,true);else if(!a.isDefaultPrevented()){var l;e=a.target;var k=f.replace(X,""),o=c.nodeName(e,"a")&&k=== "click",x=c.event.special[k]||{};if((!x._default||x._default.call(d,a)===false)&&!o&&!(e&&e.nodeName&&c.noData[e.nodeName.toLowerCase()])){try{if(e[k]){if(l=e["on"+k])e["on"+k]=null;c.event.triggered=true;e[k]()}}catch(r){}if(l)e["on"+k]=l;c.event.triggered=false}}},handle:function(a){var b,d,e,f;d=[];var h=c.makeArray(arguments);a=h[0]=c.event.fix(a||E.event);a.currentTarget=this;b=a.type.indexOf(".")<0&&!a.exclusive;if(!b){e=a.type.split(".");a.type=e.shift();d=e.slice(0).sort();e=RegExp("(^|\\.)"+ d.join("\\.(?:.*\\.)?")+"(\\.|$)")}a.namespace=a.namespace||d.join(".");f=c.data(this,this.nodeType?"events":"__events__");if(typeof f==="function")f=f.events;d=(f||{})[a.type];if(f&&d){d=d.slice(0);f=0;for(var l=d.length;f<l;f++){var k=d[f];if(b||e.test(k.namespace)){a.handler=k.handler;a.data=k.data;a.handleObj=k;k=k.handler.apply(this,h);if(k!==B){a.result=k;if(k===false){a.preventDefault();a.stopPropagation()}}if(a.isImmediatePropagationStopped())break}}}return a.result},props:"altKey attrChange attrName bubbles button cancelable charCode clientX clientY ctrlKey currentTarget data detail eventPhase fromElement handler keyCode layerX layerY metaKey newValue offsetX offsetY pageX pageY prevValue relatedNode relatedTarget screenX screenY shiftKey srcElement target toElement view wheelDelta which".split(" "), fix:function(a){if(a[c.expando])return a;var b=a;a=c.Event(b);for(var d=this.props.length,e;d;){e=this.props[--d];a[e]=b[e]}if(!a.target)a.target=a.srcElement||t;if(a.target.nodeType===3)a.target=a.target.parentNode;if(!a.relatedTarget&&a.fromElement)a.relatedTarget=a.fromElement===a.target?a.toElement:a.fromElement;if(a.pageX==null&&a.clientX!=null){b=t.documentElement;d=t.body;a.pageX=a.clientX+(b&&b.scrollLeft||d&&d.scrollLeft||0)-(b&&b.clientLeft||d&&d.clientLeft||0);a.pageY=a.clientY+(b&&b.scrollTop|| d&&d.scrollTop||0)-(b&&b.clientTop||d&&d.clientTop||0)}if(a.which==null&&(a.charCode!=null||a.keyCode!=null))a.which=a.charCode!=null?a.charCode:a.keyCode;if(!a.metaKey&&a.ctrlKey)a.metaKey=a.ctrlKey;if(!a.which&&a.button!==B)a.which=a.button&1?1:a.button&2?3:a.button&4?2:0;return a},guid:1E8,proxy:c.proxy,special:{ready:{setup:c.bindReady,teardown:c.noop},live:{add:function(a){c.event.add(this,Y(a.origType,a.selector),c.extend({},a,{handler:Ka,guid:a.handler.guid}))},remove:function(a){c.event.remove(this, Y(a.origType,a.selector),a)}},beforeunload:{setup:function(a,b,d){if(c.isWindow(this))this.onbeforeunload=d},teardown:function(a,b){if(this.onbeforeunload===b)this.onbeforeunload=null}}}};c.removeEvent=t.removeEventListener?function(a,b,d){a.removeEventListener&&a.removeEventListener(b,d,false)}:function(a,b,d){a.detachEvent&&a.detachEvent("on"+b,d)};c.Event=function(a){if(!this.preventDefault)return new c.Event(a);if(a&&a.type){this.originalEvent=a;this.type=a.type}else this.type=a;this.timeStamp= c.now();this[c.expando]=true};c.Event.prototype={preventDefault:function(){this.isDefaultPrevented=ca;var a=this.originalEvent;if(a)if(a.preventDefault)a.preventDefault();else a.returnValue=false},stopPropagation:function(){this.isPropagationStopped=ca;var a=this.originalEvent;if(a){a.stopPropagation&&a.stopPropagation();a.cancelBubble=true}},stopImmediatePropagation:function(){this.isImmediatePropagationStopped=ca;this.stopPropagation()},isDefaultPrevented:U,isPropagationStopped:U,isImmediatePropagationStopped:U}; var va=function(a){var b=a.relatedTarget;try{for(;b&&b!==this;)b=b.parentNode;if(b!==this){a.type=a.data;c.event.handle.apply(this,arguments)}}catch(d){}},wa=function(a){a.type=a.data;c.event.handle.apply(this,arguments)};c.each({mouseenter:"mouseover",mouseleave:"mouseout"},function(a,b){c.event.special[a]={setup:function(d){c.event.add(this,b,d&&d.selector?wa:va,a)},teardown:function(d){c.event.remove(this,b,d&&d.selector?wa:va)}}});if(!c.support.submitBubbles)c.event.special.submit={setup:function(){if(this.nodeName.toLowerCase()!== "form"){c.event.add(this,"click.specialSubmit",function(a){var b=a.target,d=b.type;if((d==="submit"||d==="image")&&c(b).closest("form").length){a.liveFired=B;return la("submit",this,arguments)}});c.event.add(this,"keypress.specialSubmit",function(a){var b=a.target,d=b.type;if((d==="text"||d==="password")&&c(b).closest("form").length&&a.keyCode===13){a.liveFired=B;return la("submit",this,arguments)}})}else return false},teardown:function(){c.event.remove(this,".specialSubmit")}};if(!c.support.changeBubbles){var V, xa=function(a){var b=a.type,d=a.value;if(b==="radio"||b==="checkbox")d=a.checked;else if(b==="select-multiple")d=a.selectedIndex>-1?c.map(a.options,function(e){return e.selected}).join("-"):"";else if(a.nodeName.toLowerCase()==="select")d=a.selectedIndex;return d},Z=function(a,b){var d=a.target,e,f;if(!(!ia.test(d.nodeName)||d.readOnly)){e=c.data(d,"_change_data");f=xa(d);if(a.type!=="focusout"||d.type!=="radio")c.data(d,"_change_data",f);if(!(e===B||f===e))if(e!=null||f){a.type="change";a.liveFired= B;return c.event.trigger(a,b,d)}}};c.event.special.change={filters:{focusout:Z,beforedeactivate:Z,click:function(a){var b=a.target,d=b.type;if(d==="radio"||d==="checkbox"||b.nodeName.toLowerCase()==="select")return Z.call(this,a)},keydown:function(a){var b=a.target,d=b.type;if(a.keyCode===13&&b.nodeName.toLowerCase()!=="textarea"||a.keyCode===32&&(d==="checkbox"||d==="radio")||d==="select-multiple")return Z.call(this,a)},beforeactivate:function(a){a=a.target;c.data(a,"_change_data",xa(a))}},setup:function(){if(this.type=== "file")return false;for(var a in V)c.event.add(this,a+".specialChange",V[a]);return ia.test(this.nodeName)},teardown:function(){c.event.remove(this,".specialChange");return ia.test(this.nodeName)}};V=c.event.special.change.filters;V.focus=V.beforeactivate}t.addEventListener&&c.each({focus:"focusin",blur:"focusout"},function(a,b){function d(e){e=c.event.fix(e);e.type=b;return c.event.trigger(e,null,e.target)}c.event.special[b]={setup:function(){ua[b]++===0&&t.addEventListener(a,d,true)},teardown:function(){--ua[b]=== 0&&t.removeEventListener(a,d,true)}}});c.each(["bind","one"],function(a,b){c.fn[b]=function(d,e,f){if(typeof d==="object"){for(var h in d)this[b](h,e,d[h],f);return this}if(c.isFunction(e)||e===false){f=e;e=B}var l=b==="one"?c.proxy(f,function(o){c(this).unbind(o,l);return f.apply(this,arguments)}):f;if(d==="unload"&&b!=="one")this.one(d,e,f);else{h=0;for(var k=this.length;h<k;h++)c.event.add(this[h],d,l,e)}return this}});c.fn.extend({unbind:function(a,b){if(typeof a==="object"&&!a.preventDefault)for(var d in a)this.unbind(d, a[d]);else{d=0;for(var e=this.length;d<e;d++)c.event.remove(this[d],a,b)}return this},delegate:function(a,b,d,e){return this.live(b,d,e,a)},undelegate:function(a,b,d){return arguments.length===0?this.unbind("live"):this.die(b,null,d,a)},trigger:function(a,b){return this.each(function(){c.event.trigger(a,b,this)})},triggerHandler:function(a,b){if(this[0]){var d=c.Event(a);d.preventDefault();d.stopPropagation();c.event.trigger(d,b,this[0]);return d.result}},toggle:function(a){for(var b=arguments,d= 1;d<b.length;)c.proxy(a,b[d++]);return this.click(c.proxy(a,function(e){var f=(c.data(this,"lastToggle"+a.guid)||0)%d;c.data(this,"lastToggle"+a.guid,f+1);e.preventDefault();return b[f].apply(this,arguments)||false}))},hover:function(a,b){return this.mouseenter(a).mouseleave(b||a)}});var ya={focus:"focusin",blur:"focusout",mouseenter:"mouseover",mouseleave:"mouseout"};c.each(["live","die"],function(a,b){c.fn[b]=function(d,e,f,h){var l,k=0,o,x,r=h||this.selector;h=h?this:c(this.context);if(typeof d=== "object"&&!d.preventDefault){for(l in d)h[b](l,e,d[l],r);return this}if(c.isFunction(e)){f=e;e=B}for(d=(d||"").split(" ");(l=d[k++])!=null;){o=X.exec(l);x="";if(o){x=o[0];l=l.replace(X,"")}if(l==="hover")d.push("mouseenter"+x,"mouseleave"+x);else{o=l;if(l==="focus"||l==="blur"){d.push(ya[l]+x);l+=x}else l=(ya[l]||l)+x;if(b==="live"){x=0;for(var A=h.length;x<A;x++)c.event.add(h[x],"live."+Y(l,r),{data:e,selector:r,handler:f,origType:l,origHandler:f,preType:o})}else h.unbind("live."+Y(l,r),f)}}return this}}); c.each("blur focus focusin focusout load resize scroll unload click dblclick mousedown mouseup mousemove mouseover mouseout mouseenter mouseleave change select submit keydown keypress keyup error".split(" "),function(a,b){c.fn[b]=function(d,e){if(e==null){e=d;d=null}return arguments.length>0?this.bind(b,d,e):this.trigger(b)};if(c.attrFn)c.attrFn[b]=true});E.attachEvent&&!E.addEventListener&&c(E).bind("unload",function(){for(var a in c.cache)if(c.cache[a].handle)try{c.event.remove(c.cache[a].handle.elem)}catch(b){}}); (function(){function a(g,i,n,m,p,q){p=0;for(var u=m.length;p<u;p++){var y=m[p];if(y){var F=false;for(y=y[g];y;){if(y.sizcache===n){F=m[y.sizset];break}if(y.nodeType===1&&!q){y.sizcache=n;y.sizset=p}if(y.nodeName.toLowerCase()===i){F=y;break}y=y[g]}m[p]=F}}}function b(g,i,n,m,p,q){p=0;for(var u=m.length;p<u;p++){var y=m[p];if(y){var F=false;for(y=y[g];y;){if(y.sizcache===n){F=m[y.sizset];break}if(y.nodeType===1){if(!q){y.sizcache=n;y.sizset=p}if(typeof i!=="string"){if(y===i){F=true;break}}else if(k.filter(i, [y]).length>0){F=y;break}}y=y[g]}m[p]=F}}}var d=/((?:\((?:\([^()]+\)|[^()]+)+\)|\[(?:\[[^\[\]]*\]|['"][^'"]*['"]|[^\[\]'"]+)+\]|\\.|[^ >+~,(\[\\]+)+|[>+~])(\s*,\s*)?((?:.|\r|\n)*)/g,e=0,f=Object.prototype.toString,h=false,l=true;[0,0].sort(function(){l=false;return 0});var k=function(g,i,n,m){n=n||[];var p=i=i||t;if(i.nodeType!==1&&i.nodeType!==9)return[];if(!g||typeof g!=="string")return n;var q,u,y,F,M,N=true,O=k.isXML(i),D=[],R=g;do{d.exec("");if(q=d.exec(R)){R=q[3];D.push(q[1]);if(q[2]){F=q[3]; break}}}while(q);if(D.length>1&&x.exec(g))if(D.length===2&&o.relative[D[0]])u=L(D[0]+D[1],i);else for(u=o.relative[D[0]]?[i]:k(D.shift(),i);D.length;){g=D.shift();if(o.relative[g])g+=D.shift();u=L(g,u)}else{if(!m&&D.length>1&&i.nodeType===9&&!O&&o.match.ID.test(D[0])&&!o.match.ID.test(D[D.length-1])){q=k.find(D.shift(),i,O);i=q.expr?k.filter(q.expr,q.set)[0]:q.set[0]}if(i){q=m?{expr:D.pop(),set:C(m)}:k.find(D.pop(),D.length===1&&(D[0]==="~"||D[0]==="+")&&i.parentNode?i.parentNode:i,O);u=q.expr?k.filter(q.expr, q.set):q.set;if(D.length>0)y=C(u);else N=false;for(;D.length;){q=M=D.pop();if(o.relative[M])q=D.pop();else M="";if(q==null)q=i;o.relative[M](y,q,O)}}else y=[]}y||(y=u);y||k.error(M||g);if(f.call(y)==="[object Array]")if(N)if(i&&i.nodeType===1)for(g=0;y[g]!=null;g++){if(y[g]&&(y[g]===true||y[g].nodeType===1&&k.contains(i,y[g])))n.push(u[g])}else for(g=0;y[g]!=null;g++)y[g]&&y[g].nodeType===1&&n.push(u[g]);else n.push.apply(n,y);else C(y,n);if(F){k(F,p,n,m);k.uniqueSort(n)}return n};k.uniqueSort=function(g){if(w){h= l;g.sort(w);if(h)for(var i=1;i<g.length;i++)g[i]===g[i-1]&&g.splice(i--,1)}return g};k.matches=function(g,i){return k(g,null,null,i)};k.matchesSelector=function(g,i){return k(i,null,null,[g]).length>0};k.find=function(g,i,n){var m;if(!g)return[];for(var p=0,q=o.order.length;p<q;p++){var u,y=o.order[p];if(u=o.leftMatch[y].exec(g)){var F=u[1];u.splice(1,1);if(F.substr(F.length-1)!=="\\"){u[1]=(u[1]||"").replace(/\\/g,"");m=o.find[y](u,i,n);if(m!=null){g=g.replace(o.match[y],"");break}}}}m||(m=i.getElementsByTagName("*")); return{set:m,expr:g}};k.filter=function(g,i,n,m){for(var p,q,u=g,y=[],F=i,M=i&&i[0]&&k.isXML(i[0]);g&&i.length;){for(var N in o.filter)if((p=o.leftMatch[N].exec(g))!=null&&p[2]){var O,D,R=o.filter[N];D=p[1];q=false;p.splice(1,1);if(D.substr(D.length-1)!=="\\"){if(F===y)y=[];if(o.preFilter[N])if(p=o.preFilter[N](p,F,n,y,m,M)){if(p===true)continue}else q=O=true;if(p)for(var j=0;(D=F[j])!=null;j++)if(D){O=R(D,p,j,F);var s=m^!!O;if(n&&O!=null)if(s)q=true;else F[j]=false;else if(s){y.push(D);q=true}}if(O!== B){n||(F=y);g=g.replace(o.match[N],"");if(!q)return[];break}}}if(g===u)if(q==null)k.error(g);else break;u=g}return F};k.error=function(g){throw"Syntax error, unrecognized expression: "+g;};var o=k.selectors={order:["ID","NAME","TAG"],match:{ID:/#((?:[\w\u00c0-\uFFFF\-]|\\.)+)/,CLASS:/\.((?:[\w\u00c0-\uFFFF\-]|\\.)+)/,NAME:/\[name=['"]*((?:[\w\u00c0-\uFFFF\-]|\\.)+)['"]*\]/,ATTR:/\[\s*((?:[\w\u00c0-\uFFFF\-]|\\.)+)\s*(?:(\S?=)\s*(['"]*)(.*?)\3|)\s*\]/,TAG:/^((?:[\w\u00c0-\uFFFF\*\-]|\\.)+)/,CHILD:/:(only|nth|last|first)-child(?:\((even|odd|[\dn+\-]*)\))?/, POS:/:(nth|eq|gt|lt|first|last|even|odd)(?:\((\d*)\))?(?=[^\-]|$)/,PSEUDO:/:((?:[\w\u00c0-\uFFFF\-]|\\.)+)(?:\((['"]?)((?:\([^\)]+\)|[^\(\)]*)+)\2\))?/},leftMatch:{},attrMap:{"class":"className","for":"htmlFor"},attrHandle:{href:function(g){return g.getAttribute("href")}},relative:{"+":function(g,i){var n=typeof i==="string",m=n&&!/\W/.test(i);n=n&&!m;if(m)i=i.toLowerCase();m=0;for(var p=g.length,q;m<p;m++)if(q=g[m]){for(;(q=q.previousSibling)&&q.nodeType!==1;);g[m]=n||q&&q.nodeName.toLowerCase()=== i?q||false:q===i}n&&k.filter(i,g,true)},">":function(g,i){var n,m=typeof i==="string",p=0,q=g.length;if(m&&!/\W/.test(i))for(i=i.toLowerCase();p<q;p++){if(n=g[p]){n=n.parentNode;g[p]=n.nodeName.toLowerCase()===i?n:false}}else{for(;p<q;p++)if(n=g[p])g[p]=m?n.parentNode:n.parentNode===i;m&&k.filter(i,g,true)}},"":function(g,i,n){var m,p=e++,q=b;if(typeof i==="string"&&!/\W/.test(i)){m=i=i.toLowerCase();q=a}q("parentNode",i,p,g,m,n)},"~":function(g,i,n){var m,p=e++,q=b;if(typeof i==="string"&&!/\W/.test(i)){m= i=i.toLowerCase();q=a}q("previousSibling",i,p,g,m,n)}},find:{ID:function(g,i,n){if(typeof i.getElementById!=="undefined"&&!n)return(g=i.getElementById(g[1]))&&g.parentNode?[g]:[]},NAME:function(g,i){if(typeof i.getElementsByName!=="undefined"){for(var n=[],m=i.getElementsByName(g[1]),p=0,q=m.length;p<q;p++)m[p].getAttribute("name")===g[1]&&n.push(m[p]);return n.length===0?null:n}},TAG:function(g,i){return i.getElementsByTagName(g[1])}},preFilter:{CLASS:function(g,i,n,m,p,q){g=" "+g[1].replace(/\\/g, "")+" ";if(q)return g;q=0;for(var u;(u=i[q])!=null;q++)if(u)if(p^(u.className&&(" "+u.className+" ").replace(/[\t\n]/g," ").indexOf(g)>=0))n||m.push(u);else if(n)i[q]=false;return false},ID:function(g){return g[1].replace(/\\/g,"")},TAG:function(g){return g[1].toLowerCase()},CHILD:function(g){if(g[1]==="nth"){var i=/(-?)(\d*)n((?:\+|-)?\d*)/.exec(g[2]==="even"&&"2n"||g[2]==="odd"&&"2n+1"||!/\D/.test(g[2])&&"0n+"+g[2]||g[2]);g[2]=i[1]+(i[2]||1)-0;g[3]=i[3]-0}g[0]=e++;return g},ATTR:function(g,i,n, m,p,q){i=g[1].replace(/\\/g,"");if(!q&&o.attrMap[i])g[1]=o.attrMap[i];if(g[2]==="~=")g[4]=" "+g[4]+" ";return g},PSEUDO:function(g,i,n,m,p){if(g[1]==="not")if((d.exec(g[3])||"").length>1||/^\w/.test(g[3]))g[3]=k(g[3],null,null,i);else{g=k.filter(g[3],i,n,true^p);n||m.push.apply(m,g);return false}else if(o.match.POS.test(g[0])||o.match.CHILD.test(g[0]))return true;return g},POS:function(g){g.unshift(true);return g}},filters:{enabled:function(g){return g.disabled===false&&g.type!=="hidden"},disabled:function(g){return g.disabled=== true},checked:function(g){return g.checked===true},selected:function(g){return g.selected===true},parent:function(g){return!!g.firstChild},empty:function(g){return!g.firstChild},has:function(g,i,n){return!!k(n[3],g).length},header:function(g){return/h\d/i.test(g.nodeName)},text:function(g){return"text"===g.type},radio:function(g){return"radio"===g.type},checkbox:function(g){return"checkbox"===g.type},file:function(g){return"file"===g.type},password:function(g){return"password"===g.type},submit:function(g){return"submit"=== g.type},image:function(g){return"image"===g.type},reset:function(g){return"reset"===g.type},button:function(g){return"button"===g.type||g.nodeName.toLowerCase()==="button"},input:function(g){return/input|select|textarea|button/i.test(g.nodeName)}},setFilters:{first:function(g,i){return i===0},last:function(g,i,n,m){return i===m.length-1},even:function(g,i){return i%2===0},odd:function(g,i){return i%2===1},lt:function(g,i,n){return i<n[3]-0},gt:function(g,i,n){return i>n[3]-0},nth:function(g,i,n){return n[3]- 0===i},eq:function(g,i,n){return n[3]-0===i}},filter:{PSEUDO:function(g,i,n,m){var p=i[1],q=o.filters[p];if(q)return q(g,n,i,m);else if(p==="contains")return(g.textContent||g.innerText||k.getText([g])||"").indexOf(i[3])>=0;else if(p==="not"){i=i[3];n=0;for(m=i.length;n<m;n++)if(i[n]===g)return false;return true}else k.error("Syntax error, unrecognized expression: "+p)},CHILD:function(g,i){var n=i[1],m=g;switch(n){case "only":case "first":for(;m=m.previousSibling;)if(m.nodeType===1)return false;if(n=== "first")return true;m=g;case "last":for(;m=m.nextSibling;)if(m.nodeType===1)return false;return true;case "nth":n=i[2];var p=i[3];if(n===1&&p===0)return true;var q=i[0],u=g.parentNode;if(u&&(u.sizcache!==q||!g.nodeIndex)){var y=0;for(m=u.firstChild;m;m=m.nextSibling)if(m.nodeType===1)m.nodeIndex=++y;u.sizcache=q}m=g.nodeIndex-p;return n===0?m===0:m%n===0&&m/n>=0}},ID:function(g,i){return g.nodeType===1&&g.getAttribute("id")===i},TAG:function(g,i){return i==="*"&&g.nodeType===1||g.nodeName.toLowerCase()=== i},CLASS:function(g,i){return(" "+(g.className||g.getAttribute("class"))+" ").indexOf(i)>-1},ATTR:function(g,i){var n=i[1];n=o.attrHandle[n]?o.attrHandle[n](g):g[n]!=null?g[n]:g.getAttribute(n);var m=n+"",p=i[2],q=i[4];return n==null?p==="!=":p==="="?m===q:p==="*="?m.indexOf(q)>=0:p==="~="?(" "+m+" ").indexOf(q)>=0:!q?m&&n!==false:p==="!="?m!==q:p==="^="?m.indexOf(q)===0:p==="$="?m.substr(m.length-q.length)===q:p==="|="?m===q||m.substr(0,q.length+1)===q+"-":false},POS:function(g,i,n,m){var p=o.setFilters[i[2]]; if(p)return p(g,n,i,m)}}},x=o.match.POS,r=function(g,i){return"\\"+(i-0+1)},A;for(A in o.match){o.match[A]=RegExp(o.match[A].source+/(?![^\[]*\])(?![^\(]*\))/.source);o.leftMatch[A]=RegExp(/(^(?:.|\r|\n)*?)/.source+o.match[A].source.replace(/\\(\d+)/g,r))}var C=function(g,i){g=Array.prototype.slice.call(g,0);if(i){i.push.apply(i,g);return i}return g};try{Array.prototype.slice.call(t.documentElement.childNodes,0)}catch(J){C=function(g,i){var n=0,m=i||[];if(f.call(g)==="[object Array]")Array.prototype.push.apply(m, g);else if(typeof g.length==="number")for(var p=g.length;n<p;n++)m.push(g[n]);else for(;g[n];n++)m.push(g[n]);return m}}var w,I;if(t.documentElement.compareDocumentPosition)w=function(g,i){if(g===i){h=true;return 0}if(!g.compareDocumentPosition||!i.compareDocumentPosition)return g.compareDocumentPosition?-1:1;return g.compareDocumentPosition(i)&4?-1:1};else{w=function(g,i){var n,m,p=[],q=[];n=g.parentNode;m=i.parentNode;var u=n;if(g===i){h=true;return 0}else if(n===m)return I(g,i);else if(n){if(!m)return 1}else return-1; for(;u;){p.unshift(u);u=u.parentNode}for(u=m;u;){q.unshift(u);u=u.parentNode}n=p.length;m=q.length;for(u=0;u<n&&u<m;u++)if(p[u]!==q[u])return I(p[u],q[u]);return u===n?I(g,q[u],-1):I(p[u],i,1)};I=function(g,i,n){if(g===i)return n;for(g=g.nextSibling;g;){if(g===i)return-1;g=g.nextSibling}return 1}}k.getText=function(g){for(var i="",n,m=0;g[m];m++){n=g[m];if(n.nodeType===3||n.nodeType===4)i+=n.nodeValue;else if(n.nodeType!==8)i+=k.getText(n.childNodes)}return i};(function(){var g=t.createElement("div"), i="script"+(new Date).getTime(),n=t.documentElement;g.innerHTML="<a name='"+i+"'/>";n.insertBefore(g,n.firstChild);if(t.getElementById(i)){o.find.ID=function(m,p,q){if(typeof p.getElementById!=="undefined"&&!q)return(p=p.getElementById(m[1]))?p.id===m[1]||typeof p.getAttributeNode!=="undefined"&&p.getAttributeNode("id").nodeValue===m[1]?[p]:B:[]};o.filter.ID=function(m,p){var q=typeof m.getAttributeNode!=="undefined"&&m.getAttributeNode("id");return m.nodeType===1&&q&&q.nodeValue===p}}n.removeChild(g); n=g=null})();(function(){var g=t.createElement("div");g.appendChild(t.createComment(""));if(g.getElementsByTagName("*").length>0)o.find.TAG=function(i,n){var m=n.getElementsByTagName(i[1]);if(i[1]==="*"){for(var p=[],q=0;m[q];q++)m[q].nodeType===1&&p.push(m[q]);m=p}return m};g.innerHTML="<a href='#'></a>";if(g.firstChild&&typeof g.firstChild.getAttribute!=="undefined"&&g.firstChild.getAttribute("href")!=="#")o.attrHandle.href=function(i){return i.getAttribute("href",2)};g=null})();t.querySelectorAll&& function(){var g=k,i=t.createElement("div");i.innerHTML="<p class='TEST'></p>";if(!(i.querySelectorAll&&i.querySelectorAll(".TEST").length===0)){k=function(m,p,q,u){p=p||t;m=m.replace(/\=\s*([^'"\]]*)\s*\]/g,"='$1']");if(!u&&!k.isXML(p))if(p.nodeType===9)try{return C(p.querySelectorAll(m),q)}catch(y){}else if(p.nodeType===1&&p.nodeName.toLowerCase()!=="object"){var F=p.getAttribute("id"),M=F||"__sizzle__";F||p.setAttribute("id",M);try{return C(p.querySelectorAll("#"+M+" "+m),q)}catch(N){}finally{F|| p.removeAttribute("id")}}return g(m,p,q,u)};for(var n in g)k[n]=g[n];i=null}}();(function(){var g=t.documentElement,i=g.matchesSelector||g.mozMatchesSelector||g.webkitMatchesSelector||g.msMatchesSelector,n=false;try{i.call(t.documentElement,"[test!='']:sizzle")}catch(m){n=true}if(i)k.matchesSelector=function(p,q){q=q.replace(/\=\s*([^'"\]]*)\s*\]/g,"='$1']");if(!k.isXML(p))try{if(n||!o.match.PSEUDO.test(q)&&!/!=/.test(q))return i.call(p,q)}catch(u){}return k(q,null,null,[p]).length>0}})();(function(){var g= t.createElement("div");g.innerHTML="<div class='test e'></div><div class='test'></div>";if(!(!g.getElementsByClassName||g.getElementsByClassName("e").length===0)){g.lastChild.className="e";if(g.getElementsByClassName("e").length!==1){o.order.splice(1,0,"CLASS");o.find.CLASS=function(i,n,m){if(typeof n.getElementsByClassName!=="undefined"&&!m)return n.getElementsByClassName(i[1])};g=null}}})();k.contains=t.documentElement.contains?function(g,i){return g!==i&&(g.contains?g.contains(i):true)}:t.documentElement.compareDocumentPosition? function(g,i){return!!(g.compareDocumentPosition(i)&16)}:function(){return false};k.isXML=function(g){return(g=(g?g.ownerDocument||g:0).documentElement)?g.nodeName!=="HTML":false};var L=function(g,i){for(var n,m=[],p="",q=i.nodeType?[i]:i;n=o.match.PSEUDO.exec(g);){p+=n[0];g=g.replace(o.match.PSEUDO,"")}g=o.relative[g]?g+"*":g;n=0;for(var u=q.length;n<u;n++)k(g,q[n],m);return k.filter(p,m)};c.find=k;c.expr=k.selectors;c.expr[":"]=c.expr.filters;c.unique=k.uniqueSort;c.text=k.getText;c.isXMLDoc=k.isXML; c.contains=k.contains})();var Za=/Until$/,$a=/^(?:parents|prevUntil|prevAll)/,ab=/,/,Na=/^.[^:#\[\.,]*$/,bb=Array.prototype.slice,cb=c.expr.match.POS;c.fn.extend({find:function(a){for(var b=this.pushStack("","find",a),d=0,e=0,f=this.length;e<f;e++){d=b.length;c.find(a,this[e],b);if(e>0)for(var h=d;h<b.length;h++)for(var l=0;l<d;l++)if(b[l]===b[h]){b.splice(h--,1);break}}return b},has:function(a){var b=c(a);return this.filter(function(){for(var d=0,e=b.length;d<e;d++)if(c.contains(this,b[d]))return true})}, not:function(a){return this.pushStack(ma(this,a,false),"not",a)},filter:function(a){return this.pushStack(ma(this,a,true),"filter",a)},is:function(a){return!!a&&c.filter(a,this).length>0},closest:function(a,b){var d=[],e,f,h=this[0];if(c.isArray(a)){var l,k={},o=1;if(h&&a.length){e=0;for(f=a.length;e<f;e++){l=a[e];k[l]||(k[l]=c.expr.match.POS.test(l)?c(l,b||this.context):l)}for(;h&&h.ownerDocument&&h!==b;){for(l in k){e=k[l];if(e.jquery?e.index(h)>-1:c(h).is(e))d.push({selector:l,elem:h,level:o})}h= h.parentNode;o++}}return d}l=cb.test(a)?c(a,b||this.context):null;e=0;for(f=this.length;e<f;e++)for(h=this[e];h;)if(l?l.index(h)>-1:c.find.matchesSelector(h,a)){d.push(h);break}else{h=h.parentNode;if(!h||!h.ownerDocument||h===b)break}d=d.length>1?c.unique(d):d;return this.pushStack(d,"closest",a)},index:function(a){if(!a||typeof a==="string")return c.inArray(this[0],a?c(a):this.parent().children());return c.inArray(a.jquery?a[0]:a,this)},add:function(a,b){var d=typeof a==="string"?c(a,b||this.context): c.makeArray(a),e=c.merge(this.get(),d);return this.pushStack(!d[0]||!d[0].parentNode||d[0].parentNode.nodeType===11||!e[0]||!e[0].parentNode||e[0].parentNode.nodeType===11?e:c.unique(e))},andSelf:function(){return this.add(this.prevObject)}});c.each({parent:function(a){return(a=a.parentNode)&&a.nodeType!==11?a:null},parents:function(a){return c.dir(a,"parentNode")},parentsUntil:function(a,b,d){return c.dir(a,"parentNode",d)},next:function(a){return c.nth(a,2,"nextSibling")},prev:function(a){return c.nth(a, 2,"previousSibling")},nextAll:function(a){return c.dir(a,"nextSibling")},prevAll:function(a){return c.dir(a,"previousSibling")},nextUntil:function(a,b,d){return c.dir(a,"nextSibling",d)},prevUntil:function(a,b,d){return c.dir(a,"previousSibling",d)},siblings:function(a){return c.sibling(a.parentNode.firstChild,a)},children:function(a){return c.sibling(a.firstChild)},contents:function(a){return c.nodeName(a,"iframe")?a.contentDocument||a.contentWindow.document:c.makeArray(a.childNodes)}},function(a, b){c.fn[a]=function(d,e){var f=c.map(this,b,d);Za.test(a)||(e=d);if(e&&typeof e==="string")f=c.filter(e,f);f=this.length>1?c.unique(f):f;if((this.length>1||ab.test(e))&&$a.test(a))f=f.reverse();return this.pushStack(f,a,bb.call(arguments).join(","))}});c.extend({filter:function(a,b,d){if(d)a=":not("+a+")";return b.length===1?c.find.matchesSelector(b[0],a)?[b[0]]:[]:c.find.matches(a,b)},dir:function(a,b,d){var e=[];for(a=a[b];a&&a.nodeType!==9&&(d===B||a.nodeType!==1||!c(a).is(d));){a.nodeType===1&& e.push(a);a=a[b]}return e},nth:function(a,b,d){b=b||1;for(var e=0;a;a=a[d])if(a.nodeType===1&&++e===b)break;return a},sibling:function(a,b){for(var d=[];a;a=a.nextSibling)a.nodeType===1&&a!==b&&d.push(a);return d}});var za=/ jQuery\d+="(?:\d+|null)"/g,$=/^\s+/,Aa=/<(?!area|br|col|embed|hr|img|input|link|meta|param)(([\w:]+)[^>]*)\/>/ig,Ba=/<([\w:]+)/,db=/<tbody/i,eb=/<|&#?\w+;/,Ca=/<(?:script|object|embed|option|style)/i,Da=/checked\s*(?:[^=]|=\s*.checked.)/i,fb=/\=([^="'>\s]+\/)>/g,P={option:[1, "<select multiple='multiple'>","</select>"],legend:[1,"<fieldset>","</fieldset>"],thead:[1,"<table>","</table>"],tr:[2,"<table><tbody>","</tbody></table>"],td:[3,"<table><tbody><tr>","</tr></tbody></table>"],col:[2,"<table><tbody></tbody><colgroup>","</colgroup></table>"],area:[1,"<map>","</map>"],_default:[0,"",""]};P.optgroup=P.option;P.tbody=P.tfoot=P.colgroup=P.caption=P.thead;P.th=P.td;if(!c.support.htmlSerialize)P._default=[1,"div<div>","</div>"];c.fn.extend({text:function(a){if(c.isFunction(a))return this.each(function(b){var d= c(this);d.text(a.call(this,b,d.text()))});if(typeof a!=="object"&&a!==B)return this.empty().append((this[0]&&this[0].ownerDocument||t).createTextNode(a));return c.text(this)},wrapAll:function(a){if(c.isFunction(a))return this.each(function(d){c(this).wrapAll(a.call(this,d))});if(this[0]){var b=c(a,this[0].ownerDocument).eq(0).clone(true);this[0].parentNode&&b.insertBefore(this[0]);b.map(function(){for(var d=this;d.firstChild&&d.firstChild.nodeType===1;)d=d.firstChild;return d}).append(this)}return this}, wrapInner:function(a){if(c.isFunction(a))return this.each(function(b){c(this).wrapInner(a.call(this,b))});return this.each(function(){var b=c(this),d=b.contents();d.length?d.wrapAll(a):b.append(a)})},wrap:function(a){return this.each(function(){c(this).wrapAll(a)})},unwrap:function(){return this.parent().each(function(){c.nodeName(this,"body")||c(this).replaceWith(this.childNodes)}).end()},append:function(){return this.domManip(arguments,true,function(a){this.nodeType===1&&this.appendChild(a)})}, prepend:function(){return this.domManip(arguments,true,function(a){this.nodeType===1&&this.insertBefore(a,this.firstChild)})},before:function(){if(this[0]&&this[0].parentNode)return this.domManip(arguments,false,function(b){this.parentNode.insertBefore(b,this)});else if(arguments.length){var a=c(arguments[0]);a.push.apply(a,this.toArray());return this.pushStack(a,"before",arguments)}},after:function(){if(this[0]&&this[0].parentNode)return this.domManip(arguments,false,function(b){this.parentNode.insertBefore(b, this.nextSibling)});else if(arguments.length){var a=this.pushStack(this,"after",arguments);a.push.apply(a,c(arguments[0]).toArray());return a}},remove:function(a,b){for(var d=0,e;(e=this[d])!=null;d++)if(!a||c.filter(a,[e]).length){if(!b&&e.nodeType===1){c.cleanData(e.getElementsByTagName("*"));c.cleanData([e])}e.parentNode&&e.parentNode.removeChild(e)}return this},empty:function(){for(var a=0,b;(b=this[a])!=null;a++)for(b.nodeType===1&&c.cleanData(b.getElementsByTagName("*"));b.firstChild;)b.removeChild(b.firstChild); return this},clone:function(a){var b=this.map(function(){if(!c.support.noCloneEvent&&!c.isXMLDoc(this)){var d=this.outerHTML,e=this.ownerDocument;if(!d){d=e.createElement("div");d.appendChild(this.cloneNode(true));d=d.innerHTML}return c.clean([d.replace(za,"").replace(fb,'="$1">').replace($,"")],e)[0]}else return this.cloneNode(true)});if(a===true){na(this,b);na(this.find("*"),b.find("*"))}return b},html:function(a){if(a===B)return this[0]&&this[0].nodeType===1?this[0].innerHTML.replace(za,""):null; else if(typeof a==="string"&&!Ca.test(a)&&(c.support.leadingWhitespace||!$.test(a))&&!P[(Ba.exec(a)||["",""])[1].toLowerCase()]){a=a.replace(Aa,"<$1></$2>");try{for(var b=0,d=this.length;b<d;b++)if(this[b].nodeType===1){c.cleanData(this[b].getElementsByTagName("*"));this[b].innerHTML=a}}catch(e){this.empty().append(a)}}else c.isFunction(a)?this.each(function(f){var h=c(this);h.html(a.call(this,f,h.html()))}):this.empty().append(a);return this},replaceWith:function(a){if(this[0]&&this[0].parentNode){if(c.isFunction(a))return this.each(function(b){var d= c(this),e=d.html();d.replaceWith(a.call(this,b,e))});if(typeof a!=="string")a=c(a).detach();return this.each(function(){var b=this.nextSibling,d=this.parentNode;c(this).remove();b?c(b).before(a):c(d).append(a)})}else return this.pushStack(c(c.isFunction(a)?a():a),"replaceWith",a)},detach:function(a){return this.remove(a,true)},domManip:function(a,b,d){var e,f,h,l=a[0],k=[];if(!c.support.checkClone&&arguments.length===3&&typeof l==="string"&&Da.test(l))return this.each(function(){c(this).domManip(a, b,d,true)});if(c.isFunction(l))return this.each(function(x){var r=c(this);a[0]=l.call(this,x,b?r.html():B);r.domManip(a,b,d)});if(this[0]){e=l&&l.parentNode;e=c.support.parentNode&&e&&e.nodeType===11&&e.childNodes.length===this.length?{fragment:e}:c.buildFragment(a,this,k);h=e.fragment;if(f=h.childNodes.length===1?h=h.firstChild:h.firstChild){b=b&&c.nodeName(f,"tr");f=0;for(var o=this.length;f<o;f++)d.call(b?c.nodeName(this[f],"table")?this[f].getElementsByTagName("tbody")[0]||this[f].appendChild(this[f].ownerDocument.createElement("tbody")): this[f]:this[f],f>0||e.cacheable||this.length>1?h.cloneNode(true):h)}k.length&&c.each(k,Oa)}return this}});c.buildFragment=function(a,b,d){var e,f,h;b=b&&b[0]?b[0].ownerDocument||b[0]:t;if(a.length===1&&typeof a[0]==="string"&&a[0].length<512&&b===t&&!Ca.test(a[0])&&(c.support.checkClone||!Da.test(a[0]))){f=true;if(h=c.fragments[a[0]])if(h!==1)e=h}if(!e){e=b.createDocumentFragment();c.clean(a,b,e,d)}if(f)c.fragments[a[0]]=h?e:1;return{fragment:e,cacheable:f}};c.fragments={};c.each({appendTo:"append", prependTo:"prepend",insertBefore:"before",insertAfter:"after",replaceAll:"replaceWith"},function(a,b){c.fn[a]=function(d){var e=[];d=c(d);var f=this.length===1&&this[0].parentNode;if(f&&f.nodeType===11&&f.childNodes.length===1&&d.length===1){d[b](this[0]);return this}else{f=0;for(var h=d.length;f<h;f++){var l=(f>0?this.clone(true):this).get();c(d[f])[b](l);e=e.concat(l)}return this.pushStack(e,a,d.selector)}}});c.extend({clean:function(a,b,d,e){b=b||t;if(typeof b.createElement==="undefined")b=b.ownerDocument|| b[0]&&b[0].ownerDocument||t;for(var f=[],h=0,l;(l=a[h])!=null;h++){if(typeof l==="number")l+="";if(l){if(typeof l==="string"&&!eb.test(l))l=b.createTextNode(l);else if(typeof l==="string"){l=l.replace(Aa,"<$1></$2>");var k=(Ba.exec(l)||["",""])[1].toLowerCase(),o=P[k]||P._default,x=o[0],r=b.createElement("div");for(r.innerHTML=o[1]+l+o[2];x--;)r=r.lastChild;if(!c.support.tbody){x=db.test(l);k=k==="table"&&!x?r.firstChild&&r.firstChild.childNodes:o[1]==="<table>"&&!x?r.childNodes:[];for(o=k.length- 1;o>=0;--o)c.nodeName(k[o],"tbody")&&!k[o].childNodes.length&&k[o].parentNode.removeChild(k[o])}!c.support.leadingWhitespace&&$.test(l)&&r.insertBefore(b.createTextNode($.exec(l)[0]),r.firstChild);l=r.childNodes}if(l.nodeType)f.push(l);else f=c.merge(f,l)}}if(d)for(h=0;f[h];h++)if(e&&c.nodeName(f[h],"script")&&(!f[h].type||f[h].type.toLowerCase()==="text/javascript"))e.push(f[h].parentNode?f[h].parentNode.removeChild(f[h]):f[h]);else{f[h].nodeType===1&&f.splice.apply(f,[h+1,0].concat(c.makeArray(f[h].getElementsByTagName("script")))); d.appendChild(f[h])}return f},cleanData:function(a){for(var b,d,e=c.cache,f=c.event.special,h=c.support.deleteExpando,l=0,k;(k=a[l])!=null;l++)if(!(k.nodeName&&c.noData[k.nodeName.toLowerCase()]))if(d=k[c.expando]){if((b=e[d])&&b.events)for(var o in b.events)f[o]?c.event.remove(k,o):c.removeEvent(k,o,b.handle);if(h)delete k[c.expando];else k.removeAttribute&&k.removeAttribute(c.expando);delete e[d]}}});var Ea=/alpha\([^)]*\)/i,gb=/opacity=([^)]*)/,hb=/-([a-z])/ig,ib=/([A-Z])/g,Fa=/^-?\d+(?:px)?$/i, jb=/^-?\d/,kb={position:"absolute",visibility:"hidden",display:"block"},Pa=["Left","Right"],Qa=["Top","Bottom"],W,Ga,aa,lb=function(a,b){return b.toUpperCase()};c.fn.css=function(a,b){if(arguments.length===2&&b===B)return this;return c.access(this,a,b,true,function(d,e,f){return f!==B?c.style(d,e,f):c.css(d,e)})};c.extend({cssHooks:{opacity:{get:function(a,b){if(b){var d=W(a,"opacity","opacity");return d===""?"1":d}else return a.style.opacity}}},cssNumber:{zIndex:true,fontWeight:true,opacity:true, zoom:true,lineHeight:true},cssProps:{"float":c.support.cssFloat?"cssFloat":"styleFloat"},style:function(a,b,d,e){if(!(!a||a.nodeType===3||a.nodeType===8||!a.style)){var f,h=c.camelCase(b),l=a.style,k=c.cssHooks[h];b=c.cssProps[h]||h;if(d!==B){if(!(typeof d==="number"&&isNaN(d)||d==null)){if(typeof d==="number"&&!c.cssNumber[h])d+="px";if(!k||!("set"in k)||(d=k.set(a,d))!==B)try{l[b]=d}catch(o){}}}else{if(k&&"get"in k&&(f=k.get(a,false,e))!==B)return f;return l[b]}}},css:function(a,b,d){var e,f=c.camelCase(b), h=c.cssHooks[f];b=c.cssProps[f]||f;if(h&&"get"in h&&(e=h.get(a,true,d))!==B)return e;else if(W)return W(a,b,f)},swap:function(a,b,d){var e={},f;for(f in b){e[f]=a.style[f];a.style[f]=b[f]}d.call(a);for(f in b)a.style[f]=e[f]},camelCase:function(a){return a.replace(hb,lb)}});c.curCSS=c.css;c.each(["height","width"],function(a,b){c.cssHooks[b]={get:function(d,e,f){var h;if(e){if(d.offsetWidth!==0)h=oa(d,b,f);else c.swap(d,kb,function(){h=oa(d,b,f)});if(h<=0){h=W(d,b,b);if(h==="0px"&&aa)h=aa(d,b,b); if(h!=null)return h===""||h==="auto"?"0px":h}if(h<0||h==null){h=d.style[b];return h===""||h==="auto"?"0px":h}return typeof h==="string"?h:h+"px"}},set:function(d,e){if(Fa.test(e)){e=parseFloat(e);if(e>=0)return e+"px"}else return e}}});if(!c.support.opacity)c.cssHooks.opacity={get:function(a,b){return gb.test((b&&a.currentStyle?a.currentStyle.filter:a.style.filter)||"")?parseFloat(RegExp.$1)/100+"":b?"1":""},set:function(a,b){var d=a.style;d.zoom=1;var e=c.isNaN(b)?"":"alpha(opacity="+b*100+")",f= d.filter||"";d.filter=Ea.test(f)?f.replace(Ea,e):d.filter+" "+e}};if(t.defaultView&&t.defaultView.getComputedStyle)Ga=function(a,b,d){var e;d=d.replace(ib,"-$1").toLowerCase();if(!(b=a.ownerDocument.defaultView))return B;if(b=b.getComputedStyle(a,null)){e=b.getPropertyValue(d);if(e===""&&!c.contains(a.ownerDocument.documentElement,a))e=c.style(a,d)}return e};if(t.documentElement.currentStyle)aa=function(a,b){var d,e,f=a.currentStyle&&a.currentStyle[b],h=a.style;if(!Fa.test(f)&&jb.test(f)){d=h.left; e=a.runtimeStyle.left;a.runtimeStyle.left=a.currentStyle.left;h.left=b==="fontSize"?"1em":f||0;f=h.pixelLeft+"px";h.left=d;a.runtimeStyle.left=e}return f===""?"auto":f};W=Ga||aa;if(c.expr&&c.expr.filters){c.expr.filters.hidden=function(a){var b=a.offsetHeight;return a.offsetWidth===0&&b===0||!c.support.reliableHiddenOffsets&&(a.style.display||c.css(a,"display"))==="none"};c.expr.filters.visible=function(a){return!c.expr.filters.hidden(a)}}var mb=c.now(),nb=/<script\b[^<]*(?:(?!<\/script>)<[^<]*)*<\/script>/gi, ob=/^(?:select|textarea)/i,pb=/^(?:color|date|datetime|email|hidden|month|number|password|range|search|tel|text|time|url|week)$/i,qb=/^(?:GET|HEAD)$/,Ra=/\[\]$/,T=/\=\?(&|$)/,ja=/\?/,rb=/([?&])_=[^&]*/,sb=/^(\w+:)?\/\/([^\/?#]+)/,tb=/%20/g,ub=/#.*$/,Ha=c.fn.load;c.fn.extend({load:function(a,b,d){if(typeof a!=="string"&&Ha)return Ha.apply(this,arguments);else if(!this.length)return this;var e=a.indexOf(" ");if(e>=0){var f=a.slice(e,a.length);a=a.slice(0,e)}e="GET";if(b)if(c.isFunction(b)){d=b;b=null}else if(typeof b=== "object"){b=c.param(b,c.ajaxSettings.traditional);e="POST"}var h=this;c.ajax({url:a,type:e,dataType:"html",data:b,complete:function(l,k){if(k==="success"||k==="notmodified")h.html(f?c("<div>").append(l.responseText.replace(nb,"")).find(f):l.responseText);d&&h.each(d,[l.responseText,k,l])}});return this},serialize:function(){return c.param(this.serializeArray())},serializeArray:function(){return this.map(function(){return this.elements?c.makeArray(this.elements):this}).filter(function(){return this.name&& !this.disabled&&(this.checked||ob.test(this.nodeName)||pb.test(this.type))}).map(function(a,b){var d=c(this).val();return d==null?null:c.isArray(d)?c.map(d,function(e){return{name:b.name,value:e}}):{name:b.name,value:d}}).get()}});c.each("ajaxStart ajaxStop ajaxComplete ajaxError ajaxSuccess ajaxSend".split(" "),function(a,b){c.fn[b]=function(d){return this.bind(b,d)}});c.extend({get:function(a,b,d,e){if(c.isFunction(b)){e=e||d;d=b;b=null}return c.ajax({type:"GET",url:a,data:b,success:d,dataType:e})}, getScript:function(a,b){return c.get(a,null,b,"script")},getJSON:function(a,b,d){return c.get(a,b,d,"json")},post:function(a,b,d,e){if(c.isFunction(b)){e=e||d;d=b;b={}}return c.ajax({type:"POST",url:a,data:b,success:d,dataType:e})},ajaxSetup:function(a){c.extend(c.ajaxSettings,a)},ajaxSettings:{url:location.href,global:true,type:"GET",contentType:"application/x-www-form-urlencoded",processData:true,async:true,xhr:function(){return new E.XMLHttpRequest},accepts:{xml:"application/xml, text/xml",html:"text/html", script:"text/javascript, application/javascript",json:"application/json, text/javascript",text:"text/plain",_default:"*/*"}},ajax:function(a){var b=c.extend(true,{},c.ajaxSettings,a),d,e,f,h=b.type.toUpperCase(),l=qb.test(h);b.url=b.url.replace(ub,"");b.context=a&&a.context!=null?a.context:b;if(b.data&&b.processData&&typeof b.data!=="string")b.data=c.param(b.data,b.traditional);if(b.dataType==="jsonp"){if(h==="GET")T.test(b.url)||(b.url+=(ja.test(b.url)?"&":"?")+(b.jsonp||"callback")+"=?");else if(!b.data|| !T.test(b.data))b.data=(b.data?b.data+"&":"")+(b.jsonp||"callback")+"=?";b.dataType="json"}if(b.dataType==="json"&&(b.data&&T.test(b.data)||T.test(b.url))){d=b.jsonpCallback||"jsonp"+mb++;if(b.data)b.data=(b.data+"").replace(T,"="+d+"$1");b.url=b.url.replace(T,"="+d+"$1");b.dataType="script";var k=E[d];E[d]=function(m){if(c.isFunction(k))k(m);else{E[d]=B;try{delete E[d]}catch(p){}}f=m;c.handleSuccess(b,w,e,f);c.handleComplete(b,w,e,f);r&&r.removeChild(A)}}if(b.dataType==="script"&&b.cache===null)b.cache= false;if(b.cache===false&&l){var o=c.now(),x=b.url.replace(rb,"$1_="+o);b.url=x+(x===b.url?(ja.test(b.url)?"&":"?")+"_="+o:"")}if(b.data&&l)b.url+=(ja.test(b.url)?"&":"?")+b.data;b.global&&c.active++===0&&c.event.trigger("ajaxStart");o=(o=sb.exec(b.url))&&(o[1]&&o[1].toLowerCase()!==location.protocol||o[2].toLowerCase()!==location.host);if(b.dataType==="script"&&h==="GET"&&o){var r=t.getElementsByTagName("head")[0]||t.documentElement,A=t.createElement("script");if(b.scriptCharset)A.charset=b.scriptCharset; A.src=b.url;if(!d){var C=false;A.onload=A.onreadystatechange=function(){if(!C&&(!this.readyState||this.readyState==="loaded"||this.readyState==="complete")){C=true;c.handleSuccess(b,w,e,f);c.handleComplete(b,w,e,f);A.onload=A.onreadystatechange=null;r&&A.parentNode&&r.removeChild(A)}}}r.insertBefore(A,r.firstChild);return B}var J=false,w=b.xhr();if(w){b.username?w.open(h,b.url,b.async,b.username,b.password):w.open(h,b.url,b.async);try{if(b.data!=null&&!l||a&&a.contentType)w.setRequestHeader("Content-Type", b.contentType);if(b.ifModified){c.lastModified[b.url]&&w.setRequestHeader("If-Modified-Since",c.lastModified[b.url]);c.etag[b.url]&&w.setRequestHeader("If-None-Match",c.etag[b.url])}o||w.setRequestHeader("X-Requested-With","XMLHttpRequest");w.setRequestHeader("Accept",b.dataType&&b.accepts[b.dataType]?b.accepts[b.dataType]+", */*; q=0.01":b.accepts._default)}catch(I){}if(b.beforeSend&&b.beforeSend.call(b.context,w,b)===false){b.global&&c.active--===1&&c.event.trigger("ajaxStop");w.abort();return false}b.global&& c.triggerGlobal(b,"ajaxSend",[w,b]);var L=w.onreadystatechange=function(m){if(!w||w.readyState===0||m==="abort"){J||c.handleComplete(b,w,e,f);J=true;if(w)w.onreadystatechange=c.noop}else if(!J&&w&&(w.readyState===4||m==="timeout")){J=true;w.onreadystatechange=c.noop;e=m==="timeout"?"timeout":!c.httpSuccess(w)?"error":b.ifModified&&c.httpNotModified(w,b.url)?"notmodified":"success";var p;if(e==="success")try{f=c.httpData(w,b.dataType,b)}catch(q){e="parsererror";p=q}if(e==="success"||e==="notmodified")d|| c.handleSuccess(b,w,e,f);else c.handleError(b,w,e,p);d||c.handleComplete(b,w,e,f);m==="timeout"&&w.abort();if(b.async)w=null}};try{var g=w.abort;w.abort=function(){w&&Function.prototype.call.call(g,w);L("abort")}}catch(i){}b.async&&b.timeout>0&&setTimeout(function(){w&&!J&&L("timeout")},b.timeout);try{w.send(l||b.data==null?null:b.data)}catch(n){c.handleError(b,w,null,n);c.handleComplete(b,w,e,f)}b.async||L();return w}},param:function(a,b){var d=[],e=function(h,l){l=c.isFunction(l)?l():l;d[d.length]= encodeURIComponent(h)+"="+encodeURIComponent(l)};if(b===B)b=c.ajaxSettings.traditional;if(c.isArray(a)||a.jquery)c.each(a,function(){e(this.name,this.value)});else for(var f in a)da(f,a[f],b,e);return d.join("&").replace(tb,"+")}});c.extend({active:0,lastModified:{},etag:{},handleError:function(a,b,d,e){a.error&&a.error.call(a.context,b,d,e);a.global&&c.triggerGlobal(a,"ajaxError",[b,a,e])},handleSuccess:function(a,b,d,e){a.success&&a.success.call(a.context,e,d,b);a.global&&c.triggerGlobal(a,"ajaxSuccess", [b,a])},handleComplete:function(a,b,d){a.complete&&a.complete.call(a.context,b,d);a.global&&c.triggerGlobal(a,"ajaxComplete",[b,a]);a.global&&c.active--===1&&c.event.trigger("ajaxStop")},triggerGlobal:function(a,b,d){(a.context&&a.context.url==null?c(a.context):c.event).trigger(b,d)},httpSuccess:function(a){try{return!a.status&&location.protocol==="file:"||a.status>=200&&a.status<300||a.status===304||a.status===1223}catch(b){}return false},httpNotModified:function(a,b){var d=a.getResponseHeader("Last-Modified"), e=a.getResponseHeader("Etag");if(d)c.lastModified[b]=d;if(e)c.etag[b]=e;return a.status===304},httpData:function(a,b,d){var e=a.getResponseHeader("content-type")||"",f=b==="xml"||!b&&e.indexOf("xml")>=0;a=f?a.responseXML:a.responseText;f&&a.documentElement.nodeName==="parsererror"&&c.error("parsererror");if(d&&d.dataFilter)a=d.dataFilter(a,b);if(typeof a==="string")if(b==="json"||!b&&e.indexOf("json")>=0)a=c.parseJSON(a);else if(b==="script"||!b&&e.indexOf("javascript")>=0)c.globalEval(a);return a}}); if(E.ActiveXObject)c.ajaxSettings.xhr=function(){if(E.location.protocol!=="file:")try{return new E.XMLHttpRequest}catch(a){}try{return new E.ActiveXObject("Microsoft.XMLHTTP")}catch(b){}};c.support.ajax=!!c.ajaxSettings.xhr();var ea={},vb=/^(?:toggle|show|hide)$/,wb=/^([+\-]=)?([\d+.\-]+)(.*)$/,ba,pa=[["height","marginTop","marginBottom","paddingTop","paddingBottom"],["width","marginLeft","marginRight","paddingLeft","paddingRight"],["opacity"]];c.fn.extend({show:function(a,b,d){if(a||a===0)return this.animate(S("show", 3),a,b,d);else{d=0;for(var e=this.length;d<e;d++){a=this[d];b=a.style.display;if(!c.data(a,"olddisplay")&&b==="none")b=a.style.display="";b===""&&c.css(a,"display")==="none"&&c.data(a,"olddisplay",qa(a.nodeName))}for(d=0;d<e;d++){a=this[d];b=a.style.display;if(b===""||b==="none")a.style.display=c.data(a,"olddisplay")||""}return this}},hide:function(a,b,d){if(a||a===0)return this.animate(S("hide",3),a,b,d);else{a=0;for(b=this.length;a<b;a++){d=c.css(this[a],"display");d!=="none"&&c.data(this[a],"olddisplay", d)}for(a=0;a<b;a++)this[a].style.display="none";return this}},_toggle:c.fn.toggle,toggle:function(a,b,d){var e=typeof a==="boolean";if(c.isFunction(a)&&c.isFunction(b))this._toggle.apply(this,arguments);else a==null||e?this.each(function(){var f=e?a:c(this).is(":hidden");c(this)[f?"show":"hide"]()}):this.animate(S("toggle",3),a,b,d);return this},fadeTo:function(a,b,d,e){return this.filter(":hidden").css("opacity",0).show().end().animate({opacity:b},a,d,e)},animate:function(a,b,d,e){var f=c.speed(b, d,e);if(c.isEmptyObject(a))return this.each(f.complete);return this[f.queue===false?"each":"queue"](function(){var h=c.extend({},f),l,k=this.nodeType===1,o=k&&c(this).is(":hidden"),x=this;for(l in a){var r=c.camelCase(l);if(l!==r){a[r]=a[l];delete a[l];l=r}if(a[l]==="hide"&&o||a[l]==="show"&&!o)return h.complete.call(this);if(k&&(l==="height"||l==="width")){h.overflow=[this.style.overflow,this.style.overflowX,this.style.overflowY];if(c.css(this,"display")==="inline"&&c.css(this,"float")==="none")if(c.support.inlineBlockNeedsLayout)if(qa(this.nodeName)=== "inline")this.style.display="inline-block";else{this.style.display="inline";this.style.zoom=1}else this.style.display="inline-block"}if(c.isArray(a[l])){(h.specialEasing=h.specialEasing||{})[l]=a[l][1];a[l]=a[l][0]}}if(h.overflow!=null)this.style.overflow="hidden";h.curAnim=c.extend({},a);c.each(a,function(A,C){var J=new c.fx(x,h,A);if(vb.test(C))J[C==="toggle"?o?"show":"hide":C](a);else{var w=wb.exec(C),I=J.cur()||0;if(w){var L=parseFloat(w[2]),g=w[3]||"px";if(g!=="px"){c.style(x,A,(L||1)+g);I=(L|| 1)/J.cur()*I;c.style(x,A,I+g)}if(w[1])L=(w[1]==="-="?-1:1)*L+I;J.custom(I,L,g)}else J.custom(I,C,"")}});return true})},stop:function(a,b){var d=c.timers;a&&this.queue([]);this.each(function(){for(var e=d.length-1;e>=0;e--)if(d[e].elem===this){b&&d[e](true);d.splice(e,1)}});b||this.dequeue();return this}});c.each({slideDown:S("show",1),slideUp:S("hide",1),slideToggle:S("toggle",1),fadeIn:{opacity:"show"},fadeOut:{opacity:"hide"},fadeToggle:{opacity:"toggle"}},function(a,b){c.fn[a]=function(d,e,f){return this.animate(b, d,e,f)}});c.extend({speed:function(a,b,d){var e=a&&typeof a==="object"?c.extend({},a):{complete:d||!d&&b||c.isFunction(a)&&a,duration:a,easing:d&&b||b&&!c.isFunction(b)&&b};e.duration=c.fx.off?0:typeof e.duration==="number"?e.duration:e.duration in c.fx.speeds?c.fx.speeds[e.duration]:c.fx.speeds._default;e.old=e.complete;e.complete=function(){e.queue!==false&&c(this).dequeue();c.isFunction(e.old)&&e.old.call(this)};return e},easing:{linear:function(a,b,d,e){return d+e*a},swing:function(a,b,d,e){return(-Math.cos(a* Math.PI)/2+0.5)*e+d}},timers:[],fx:function(a,b,d){this.options=b;this.elem=a;this.prop=d;if(!b.orig)b.orig={}}});c.fx.prototype={update:function(){this.options.step&&this.options.step.call(this.elem,this.now,this);(c.fx.step[this.prop]||c.fx.step._default)(this)},cur:function(){if(this.elem[this.prop]!=null&&(!this.elem.style||this.elem.style[this.prop]==null))return this.elem[this.prop];var a=parseFloat(c.css(this.elem,this.prop));return a&&a>-1E4?a:0},custom:function(a,b,d){function e(l){return f.step(l)} var f=this,h=c.fx;this.startTime=c.now();this.start=a;this.end=b;this.unit=d||this.unit||"px";this.now=this.start;this.pos=this.state=0;e.elem=this.elem;if(e()&&c.timers.push(e)&&!ba)ba=setInterval(h.tick,h.interval)},show:function(){this.options.orig[this.prop]=c.style(this.elem,this.prop);this.options.show=true;this.custom(this.prop==="width"||this.prop==="height"?1:0,this.cur());c(this.elem).show()},hide:function(){this.options.orig[this.prop]=c.style(this.elem,this.prop);this.options.hide=true; this.custom(this.cur(),0)},step:function(a){var b=c.now(),d=true;if(a||b>=this.options.duration+this.startTime){this.now=this.end;this.pos=this.state=1;this.update();this.options.curAnim[this.prop]=true;for(var e in this.options.curAnim)if(this.options.curAnim[e]!==true)d=false;if(d){if(this.options.overflow!=null&&!c.support.shrinkWrapBlocks){var f=this.elem,h=this.options;c.each(["","X","Y"],function(k,o){f.style["overflow"+o]=h.overflow[k]})}this.options.hide&&c(this.elem).hide();if(this.options.hide|| this.options.show)for(var l in this.options.curAnim)c.style(this.elem,l,this.options.orig[l]);this.options.complete.call(this.elem)}return false}else{a=b-this.startTime;this.state=a/this.options.duration;b=this.options.easing||(c.easing.swing?"swing":"linear");this.pos=c.easing[this.options.specialEasing&&this.options.specialEasing[this.prop]||b](this.state,a,0,1,this.options.duration);this.now=this.start+(this.end-this.start)*this.pos;this.update()}return true}};c.extend(c.fx,{tick:function(){for(var a= c.timers,b=0;b<a.length;b++)a[b]()||a.splice(b--,1);a.length||c.fx.stop()},interval:13,stop:function(){clearInterval(ba);ba=null},speeds:{slow:600,fast:200,_default:400},step:{opacity:function(a){c.style(a.elem,"opacity",a.now)},_default:function(a){if(a.elem.style&&a.elem.style[a.prop]!=null)a.elem.style[a.prop]=(a.prop==="width"||a.prop==="height"?Math.max(0,a.now):a.now)+a.unit;else a.elem[a.prop]=a.now}}});if(c.expr&&c.expr.filters)c.expr.filters.animated=function(a){return c.grep(c.timers,function(b){return a=== b.elem}).length};var xb=/^t(?:able|d|h)$/i,Ia=/^(?:body|html)$/i;c.fn.offset="getBoundingClientRect"in t.documentElement?function(a){var b=this[0],d;if(a)return this.each(function(l){c.offset.setOffset(this,a,l)});if(!b||!b.ownerDocument)return null;if(b===b.ownerDocument.body)return c.offset.bodyOffset(b);try{d=b.getBoundingClientRect()}catch(e){}var f=b.ownerDocument,h=f.documentElement;if(!d||!c.contains(h,b))return d||{top:0,left:0};b=f.body;f=fa(f);return{top:d.top+(f.pageYOffset||c.support.boxModel&& h.scrollTop||b.scrollTop)-(h.clientTop||b.clientTop||0),left:d.left+(f.pageXOffset||c.support.boxModel&&h.scrollLeft||b.scrollLeft)-(h.clientLeft||b.clientLeft||0)}}:function(a){var b=this[0];if(a)return this.each(function(x){c.offset.setOffset(this,a,x)});if(!b||!b.ownerDocument)return null;if(b===b.ownerDocument.body)return c.offset.bodyOffset(b);c.offset.initialize();var d,e=b.offsetParent,f=b.ownerDocument,h=f.documentElement,l=f.body;d=(f=f.defaultView)?f.getComputedStyle(b,null):b.currentStyle; for(var k=b.offsetTop,o=b.offsetLeft;(b=b.parentNode)&&b!==l&&b!==h;){if(c.offset.supportsFixedPosition&&d.position==="fixed")break;d=f?f.getComputedStyle(b,null):b.currentStyle;k-=b.scrollTop;o-=b.scrollLeft;if(b===e){k+=b.offsetTop;o+=b.offsetLeft;if(c.offset.doesNotAddBorder&&!(c.offset.doesAddBorderForTableAndCells&&xb.test(b.nodeName))){k+=parseFloat(d.borderTopWidth)||0;o+=parseFloat(d.borderLeftWidth)||0}e=b.offsetParent}if(c.offset.subtractsBorderForOverflowNotVisible&&d.overflow!=="visible"){k+= parseFloat(d.borderTopWidth)||0;o+=parseFloat(d.borderLeftWidth)||0}d=d}if(d.position==="relative"||d.position==="static"){k+=l.offsetTop;o+=l.offsetLeft}if(c.offset.supportsFixedPosition&&d.position==="fixed"){k+=Math.max(h.scrollTop,l.scrollTop);o+=Math.max(h.scrollLeft,l.scrollLeft)}return{top:k,left:o}};c.offset={initialize:function(){var a=t.body,b=t.createElement("div"),d,e,f,h=parseFloat(c.css(a,"marginTop"))||0;c.extend(b.style,{position:"absolute",top:0,left:0,margin:0,border:0,width:"1px", height:"1px",visibility:"hidden"});b.innerHTML="<div style='position:absolute;top:0;left:0;margin:0;border:5px solid #000;padding:0;width:1px;height:1px;'><div></div></div><table style='position:absolute;top:0;left:0;margin:0;border:5px solid #000;padding:0;width:1px;height:1px;' cellpadding='0' cellspacing='0'><tr><td></td></tr></table>";a.insertBefore(b,a.firstChild);d=b.firstChild;e=d.firstChild;f=d.nextSibling.firstChild.firstChild;this.doesNotAddBorder=e.offsetTop!==5;this.doesAddBorderForTableAndCells= f.offsetTop===5;e.style.position="fixed";e.style.top="20px";this.supportsFixedPosition=e.offsetTop===20||e.offsetTop===15;e.style.position=e.style.top="";d.style.overflow="hidden";d.style.position="relative";this.subtractsBorderForOverflowNotVisible=e.offsetTop===-5;this.doesNotIncludeMarginInBodyOffset=a.offsetTop!==h;a.removeChild(b);c.offset.initialize=c.noop},bodyOffset:function(a){var b=a.offsetTop,d=a.offsetLeft;c.offset.initialize();if(c.offset.doesNotIncludeMarginInBodyOffset){b+=parseFloat(c.css(a, "marginTop"))||0;d+=parseFloat(c.css(a,"marginLeft"))||0}return{top:b,left:d}},setOffset:function(a,b,d){var e=c.css(a,"position");if(e==="static")a.style.position="relative";var f=c(a),h=f.offset(),l=c.css(a,"top"),k=c.css(a,"left"),o=e==="absolute"&&c.inArray("auto",[l,k])>-1;e={};var x={};if(o)x=f.position();l=o?x.top:parseInt(l,10)||0;k=o?x.left:parseInt(k,10)||0;if(c.isFunction(b))b=b.call(a,d,h);if(b.top!=null)e.top=b.top-h.top+l;if(b.left!=null)e.left=b.left-h.left+k;"using"in b?b.using.call(a, e):f.css(e)}};c.fn.extend({position:function(){if(!this[0])return null;var a=this[0],b=this.offsetParent(),d=this.offset(),e=Ia.test(b[0].nodeName)?{top:0,left:0}:b.offset();d.top-=parseFloat(c.css(a,"marginTop"))||0;d.left-=parseFloat(c.css(a,"marginLeft"))||0;e.top+=parseFloat(c.css(b[0],"borderTopWidth"))||0;e.left+=parseFloat(c.css(b[0],"borderLeftWidth"))||0;return{top:d.top-e.top,left:d.left-e.left}},offsetParent:function(){return this.map(function(){for(var a=this.offsetParent||t.body;a&&!Ia.test(a.nodeName)&& c.css(a,"position")==="static";)a=a.offsetParent;return a})}});c.each(["Left","Top"],function(a,b){var d="scroll"+b;c.fn[d]=function(e){var f=this[0],h;if(!f)return null;if(e!==B)return this.each(function(){if(h=fa(this))h.scrollTo(!a?e:c(h).scrollLeft(),a?e:c(h).scrollTop());else this[d]=e});else return(h=fa(f))?"pageXOffset"in h?h[a?"pageYOffset":"pageXOffset"]:c.support.boxModel&&h.document.documentElement[d]||h.document.body[d]:f[d]}});c.each(["Height","Width"],function(a,b){var d=b.toLowerCase(); c.fn["inner"+b]=function(){return this[0]?parseFloat(c.css(this[0],d,"padding")):null};c.fn["outer"+b]=function(e){return this[0]?parseFloat(c.css(this[0],d,e?"margin":"border")):null};c.fn[d]=function(e){var f=this[0];if(!f)return e==null?null:this;if(c.isFunction(e))return this.each(function(l){var k=c(this);k[d](e.call(this,l,k[d]()))});if(c.isWindow(f))return f.document.compatMode==="CSS1Compat"&&f.document.documentElement["client"+b]||f.document.body["client"+b];else if(f.nodeType===9)return Math.max(f.documentElement["client"+ b],f.body["scroll"+b],f.documentElement["scroll"+b],f.body["offset"+b],f.documentElement["offset"+b]);else if(e===B){f=c.css(f,d);var h=parseFloat(f);return c.isNaN(h)?f:h}else return this.css(d,typeof e==="string"?e:e+"px")}})})(window);
app/javascript/mastodon/features/getting_started/index.js
summoners-riftodon/mastodon
import React from 'react'; import Column from '../ui/components/column'; import ColumnLink from '../ui/components/column_link'; import ColumnSubheading from '../ui/components/column_subheading'; import { defineMessages, injectIntl, FormattedMessage } from 'react-intl'; import { connect } from 'react-redux'; import PropTypes from 'prop-types'; import ImmutablePropTypes from 'react-immutable-proptypes'; import ImmutablePureComponent from 'react-immutable-pure-component'; import { me, invitesEnabled, version } from '../../initial_state'; import { fetchFollowRequests } from '../../actions/accounts'; import { List as ImmutableList } from 'immutable'; import { Link } from 'react-router-dom'; import NavigationBar from '../compose/components/navigation_bar'; const messages = defineMessages({ home_timeline: { id: 'tabs_bar.home', defaultMessage: 'Home' }, notifications: { id: 'tabs_bar.notifications', defaultMessage: 'Notifications' }, public_timeline: { id: 'navigation_bar.public_timeline', defaultMessage: 'Federated timeline' }, settings_subheading: { id: 'column_subheading.settings', defaultMessage: 'Settings' }, community_timeline: { id: 'navigation_bar.community_timeline', defaultMessage: 'Local timeline' }, direct: { id: 'navigation_bar.direct', defaultMessage: 'Direct messages' }, preferences: { id: 'navigation_bar.preferences', defaultMessage: 'Preferences' }, follow_requests: { id: 'navigation_bar.follow_requests', defaultMessage: 'Follow requests' }, favourites: { id: 'navigation_bar.favourites', defaultMessage: 'Favourites' }, blocks: { id: 'navigation_bar.blocks', defaultMessage: 'Blocked users' }, domain_blocks: { id: 'navigation_bar.domain_blocks', defaultMessage: 'Hidden domains' }, mutes: { id: 'navigation_bar.mutes', defaultMessage: 'Muted users' }, pins: { id: 'navigation_bar.pins', defaultMessage: 'Pinned toots' }, lists: { id: 'navigation_bar.lists', defaultMessage: 'Lists' }, discover: { id: 'navigation_bar.discover', defaultMessage: 'Discover' }, personal: { id: 'navigation_bar.personal', defaultMessage: 'Personal' }, security: { id: 'navigation_bar.security', defaultMessage: 'Security' }, menu: { id: 'getting_started.heading', defaultMessage: 'Getting started' }, }); const mapStateToProps = state => ({ myAccount: state.getIn(['accounts', me]), unreadFollowRequests: state.getIn(['user_lists', 'follow_requests', 'items'], ImmutableList()).size, }); const mapDispatchToProps = dispatch => ({ fetchFollowRequests: () => dispatch(fetchFollowRequests()), }); const badgeDisplay = (number, limit) => { if (number === 0) { return undefined; } else if (limit && number >= limit) { return `${limit}+`; } else { return number; } }; @connect(mapStateToProps, mapDispatchToProps) @injectIntl export default class GettingStarted extends ImmutablePureComponent { static propTypes = { intl: PropTypes.object.isRequired, myAccount: ImmutablePropTypes.map.isRequired, columns: ImmutablePropTypes.list, multiColumn: PropTypes.bool, fetchFollowRequests: PropTypes.func.isRequired, unreadFollowRequests: PropTypes.number, unreadNotifications: PropTypes.number, }; componentDidMount () { const { myAccount, fetchFollowRequests } = this.props; if (myAccount.get('locked')) { fetchFollowRequests(); } } render () { const { intl, myAccount, multiColumn, unreadFollowRequests } = this.props; const navItems = []; let i = 1; let height = (multiColumn) ? 0 : 60; if (multiColumn) { navItems.push( <ColumnSubheading key={i++} text={intl.formatMessage(messages.discover)} />, <ColumnLink key={i++} icon='users' text={intl.formatMessage(messages.community_timeline)} to='/timelines/public/local' />, <ColumnLink key={i++} icon='globe' text={intl.formatMessage(messages.public_timeline)} to='/timelines/public' />, <ColumnSubheading key={i++} text={intl.formatMessage(messages.personal)} /> ); height += 34*2 + 48*2; } navItems.push( <ColumnLink key={i++} icon='envelope' text={intl.formatMessage(messages.direct)} to='/timelines/direct' />, <ColumnLink key={i++} icon='star' text={intl.formatMessage(messages.favourites)} to='/favourites' />, <ColumnLink key={i++} icon='list-ul' text={intl.formatMessage(messages.lists)} to='/lists' /> ); height += 48*3; if (myAccount.get('locked')) { navItems.push(<ColumnLink key={i++} icon='users' text={intl.formatMessage(messages.follow_requests)} badge={badgeDisplay(unreadFollowRequests, 40)} to='/follow_requests' />); height += 48; } if (!multiColumn) { navItems.push( <ColumnSubheading key={i++} text={intl.formatMessage(messages.settings_subheading)} />, <ColumnLink key={i++} icon='gears' text={intl.formatMessage(messages.preferences)} href='/settings/preferences' />, ); height += 34 + 48; } return ( <Column label={intl.formatMessage(messages.menu)}> {multiColumn && <div className='column-header__wrapper'> <h1 className='column-header'> <button> <i className='fa fa-bars fa-fw column-header__icon' /> <FormattedMessage id='getting_started.heading' defaultMessage='Getting started' /> </button> </h1> </div>} <div className='getting-started'> <div className='getting-started__wrapper' style={{ height }}> {!multiColumn && <NavigationBar account={myAccount} />} {navItems} </div> {!multiColumn && <div className='flex-spacer' />} <div className='getting-started__footer'> <ul> <li><a href='https://bridge.joinmastodon.org/' target='_blank'><FormattedMessage id='getting_started.find_friends' defaultMessage='Find friends from Twitter' /></a> · </li> {invitesEnabled && <li><a href='/invites' target='_blank'><FormattedMessage id='getting_started.invite' defaultMessage='Invite people' /></a> · </li>} {multiColumn && <li><Link to='/keyboard-shortcuts'><FormattedMessage id='navigation_bar.keyboard_shortcuts' defaultMessage='Hotkeys' /></Link> · </li>} <li><a href='/auth/edit'><FormattedMessage id='getting_started.security' defaultMessage='Security' /></a> · </li> <li><a href='/about/more' target='_blank'><FormattedMessage id='navigation_bar.info' defaultMessage='About this instance' /></a> · </li> <li><a href='https://joinmastodon.org/apps' target='_blank'><FormattedMessage id='navigation_bar.apps' defaultMessage='Mobile apps' /></a> · </li> <li><a href='/terms' target='_blank'><FormattedMessage id='getting_started.terms' defaultMessage='Terms of service' /></a> · </li> <li><a href='/settings/applications' target='_blank'><FormattedMessage id='getting_started.developers' defaultMessage='Developers' /></a> · </li> <li><a href='https://github.com/tootsuite/documentation#documentation' target='_blank'><FormattedMessage id='getting_started.documentation' defaultMessage='Documentation' /></a> · </li> <li><a href='/auth/sign_out' data-method='delete'><FormattedMessage id='navigation_bar.logout' defaultMessage='Logout' /></a></li> </ul> <p> <FormattedMessage id='getting_started.open_source_notice' defaultMessage='Mastodon is open source software. You can contribute or report issues on GitHub at {github}.' values={{ github: <span><a href='https://github.com/tootsuite/mastodon' rel='noopener' target='_blank'>tootsuite/mastodon</a> (v{version})</span> }} /> </p> </div> </div> </Column> ); } }
ajax/libs/jquery/1.8.2/jquery.min.js
bootcdn/cdnjs
/*! jQuery v1.8.2 jquery.com | jquery.org/license */ (function(a,b){function G(a){var b=F[a]={};return p.each(a.split(s),function(a,c){b[c]=!0}),b}function J(a,c,d){if(d===b&&a.nodeType===1){var e="data-"+c.replace(I,"-$1").toLowerCase();d=a.getAttribute(e);if(typeof d=="string"){try{d=d==="true"?!0:d==="false"?!1:d==="null"?null:+d+""===d?+d:H.test(d)?p.parseJSON(d):d}catch(f){}p.data(a,c,d)}else d=b}return d}function K(a){var b;for(b in a){if(b==="data"&&p.isEmptyObject(a[b]))continue;if(b!=="toJSON")return!1}return!0}function ba(){return!1}function bb(){return!0}function bh(a){return!a||!a.parentNode||a.parentNode.nodeType===11}function bi(a,b){do a=a[b];while(a&&a.nodeType!==1);return a}function bj(a,b,c){b=b||0;if(p.isFunction(b))return p.grep(a,function(a,d){var e=!!b.call(a,d,a);return e===c});if(b.nodeType)return p.grep(a,function(a,d){return a===b===c});if(typeof b=="string"){var d=p.grep(a,function(a){return a.nodeType===1});if(be.test(b))return p.filter(b,d,!c);b=p.filter(b,d)}return p.grep(a,function(a,d){return p.inArray(a,b)>=0===c})}function bk(a){var b=bl.split("|"),c=a.createDocumentFragment();if(c.createElement)while(b.length)c.createElement(b.pop());return c}function bC(a,b){return a.getElementsByTagName(b)[0]||a.appendChild(a.ownerDocument.createElement(b))}function bD(a,b){if(b.nodeType!==1||!p.hasData(a))return;var c,d,e,f=p._data(a),g=p._data(b,f),h=f.events;if(h){delete g.handle,g.events={};for(c in h)for(d=0,e=h[c].length;d<e;d++)p.event.add(b,c,h[c][d])}g.data&&(g.data=p.extend({},g.data))}function bE(a,b){var c;if(b.nodeType!==1)return;b.clearAttributes&&b.clearAttributes(),b.mergeAttributes&&b.mergeAttributes(a),c=b.nodeName.toLowerCase(),c==="object"?(b.parentNode&&(b.outerHTML=a.outerHTML),p.support.html5Clone&&a.innerHTML&&!p.trim(b.innerHTML)&&(b.innerHTML=a.innerHTML)):c==="input"&&bv.test(a.type)?(b.defaultChecked=b.checked=a.checked,b.value!==a.value&&(b.value=a.value)):c==="option"?b.selected=a.defaultSelected:c==="input"||c==="textarea"?b.defaultValue=a.defaultValue:c==="script"&&b.text!==a.text&&(b.text=a.text),b.removeAttribute(p.expando)}function bF(a){return typeof a.getElementsByTagName!="undefined"?a.getElementsByTagName("*"):typeof a.querySelectorAll!="undefined"?a.querySelectorAll("*"):[]}function bG(a){bv.test(a.type)&&(a.defaultChecked=a.checked)}function bY(a,b){if(b in a)return b;var c=b.charAt(0).toUpperCase()+b.slice(1),d=b,e=bW.length;while(e--){b=bW[e]+c;if(b in a)return b}return d}function bZ(a,b){return a=b||a,p.css(a,"display")==="none"||!p.contains(a.ownerDocument,a)}function b$(a,b){var c,d,e=[],f=0,g=a.length;for(;f<g;f++){c=a[f];if(!c.style)continue;e[f]=p._data(c,"olddisplay"),b?(!e[f]&&c.style.display==="none"&&(c.style.display=""),c.style.display===""&&bZ(c)&&(e[f]=p._data(c,"olddisplay",cc(c.nodeName)))):(d=bH(c,"display"),!e[f]&&d!=="none"&&p._data(c,"olddisplay",d))}for(f=0;f<g;f++){c=a[f];if(!c.style)continue;if(!b||c.style.display==="none"||c.style.display==="")c.style.display=b?e[f]||"":"none"}return a}function b_(a,b,c){var d=bP.exec(b);return d?Math.max(0,d[1]-(c||0))+(d[2]||"px"):b}function ca(a,b,c,d){var e=c===(d?"border":"content")?4:b==="width"?1:0,f=0;for(;e<4;e+=2)c==="margin"&&(f+=p.css(a,c+bV[e],!0)),d?(c==="content"&&(f-=parseFloat(bH(a,"padding"+bV[e]))||0),c!=="margin"&&(f-=parseFloat(bH(a,"border"+bV[e]+"Width"))||0)):(f+=parseFloat(bH(a,"padding"+bV[e]))||0,c!=="padding"&&(f+=parseFloat(bH(a,"border"+bV[e]+"Width"))||0));return f}function cb(a,b,c){var d=b==="width"?a.offsetWidth:a.offsetHeight,e=!0,f=p.support.boxSizing&&p.css(a,"boxSizing")==="border-box";if(d<=0||d==null){d=bH(a,b);if(d<0||d==null)d=a.style[b];if(bQ.test(d))return d;e=f&&(p.support.boxSizingReliable||d===a.style[b]),d=parseFloat(d)||0}return d+ca(a,b,c||(f?"border":"content"),e)+"px"}function cc(a){if(bS[a])return bS[a];var b=p("<"+a+">").appendTo(e.body),c=b.css("display");b.remove();if(c==="none"||c===""){bI=e.body.appendChild(bI||p.extend(e.createElement("iframe"),{frameBorder:0,width:0,height:0}));if(!bJ||!bI.createElement)bJ=(bI.contentWindow||bI.contentDocument).document,bJ.write("<!doctype html><html><body>"),bJ.close();b=bJ.body.appendChild(bJ.createElement(a)),c=bH(b,"display"),e.body.removeChild(bI)}return bS[a]=c,c}function ci(a,b,c,d){var e;if(p.isArray(b))p.each(b,function(b,e){c||ce.test(a)?d(a,e):ci(a+"["+(typeof e=="object"?b:"")+"]",e,c,d)});else if(!c&&p.type(b)==="object")for(e in b)ci(a+"["+e+"]",b[e],c,d);else d(a,b)}function cz(a){return function(b,c){typeof b!="string"&&(c=b,b="*");var d,e,f,g=b.toLowerCase().split(s),h=0,i=g.length;if(p.isFunction(c))for(;h<i;h++)d=g[h],f=/^\+/.test(d),f&&(d=d.substr(1)||"*"),e=a[d]=a[d]||[],e[f?"unshift":"push"](c)}}function cA(a,c,d,e,f,g){f=f||c.dataTypes[0],g=g||{},g[f]=!0;var h,i=a[f],j=0,k=i?i.length:0,l=a===cv;for(;j<k&&(l||!h);j++)h=i[j](c,d,e),typeof h=="string"&&(!l||g[h]?h=b:(c.dataTypes.unshift(h),h=cA(a,c,d,e,h,g)));return(l||!h)&&!g["*"]&&(h=cA(a,c,d,e,"*",g)),h}function cB(a,c){var d,e,f=p.ajaxSettings.flatOptions||{};for(d in c)c[d]!==b&&((f[d]?a:e||(e={}))[d]=c[d]);e&&p.extend(!0,a,e)}function cC(a,c,d){var e,f,g,h,i=a.contents,j=a.dataTypes,k=a.responseFields;for(f in k)f in d&&(c[k[f]]=d[f]);while(j[0]==="*")j.shift(),e===b&&(e=a.mimeType||c.getResponseHeader("content-type"));if(e)for(f in i)if(i[f]&&i[f].test(e)){j.unshift(f);break}if(j[0]in d)g=j[0];else{for(f in d){if(!j[0]||a.converters[f+" "+j[0]]){g=f;break}h||(h=f)}g=g||h}if(g)return g!==j[0]&&j.unshift(g),d[g]}function cD(a,b){var c,d,e,f,g=a.dataTypes.slice(),h=g[0],i={},j=0;a.dataFilter&&(b=a.dataFilter(b,a.dataType));if(g[1])for(c in a.converters)i[c.toLowerCase()]=a.converters[c];for(;e=g[++j];)if(e!=="*"){if(h!=="*"&&h!==e){c=i[h+" "+e]||i["* "+e];if(!c)for(d in i){f=d.split(" ");if(f[1]===e){c=i[h+" "+f[0]]||i["* "+f[0]];if(c){c===!0?c=i[d]:i[d]!==!0&&(e=f[0],g.splice(j--,0,e));break}}}if(c!==!0)if(c&&a["throws"])b=c(b);else try{b=c(b)}catch(k){return{state:"parsererror",error:c?k:"No conversion from "+h+" to "+e}}}h=e}return{state:"success",data:b}}function cL(){try{return new a.XMLHttpRequest}catch(b){}}function cM(){try{return new a.ActiveXObject("Microsoft.XMLHTTP")}catch(b){}}function cU(){return setTimeout(function(){cN=b},0),cN=p.now()}function cV(a,b){p.each(b,function(b,c){var d=(cT[b]||[]).concat(cT["*"]),e=0,f=d.length;for(;e<f;e++)if(d[e].call(a,b,c))return})}function cW(a,b,c){var d,e=0,f=0,g=cS.length,h=p.Deferred().always(function(){delete i.elem}),i=function(){var b=cN||cU(),c=Math.max(0,j.startTime+j.duration-b),d=1-(c/j.duration||0),e=0,f=j.tweens.length;for(;e<f;e++)j.tweens[e].run(d);return h.notifyWith(a,[j,d,c]),d<1&&f?c:(h.resolveWith(a,[j]),!1)},j=h.promise({elem:a,props:p.extend({},b),opts:p.extend(!0,{specialEasing:{}},c),originalProperties:b,originalOptions:c,startTime:cN||cU(),duration:c.duration,tweens:[],createTween:function(b,c,d){var e=p.Tween(a,j.opts,b,c,j.opts.specialEasing[b]||j.opts.easing);return j.tweens.push(e),e},stop:function(b){var c=0,d=b?j.tweens.length:0;for(;c<d;c++)j.tweens[c].run(1);return b?h.resolveWith(a,[j,b]):h.rejectWith(a,[j,b]),this}}),k=j.props;cX(k,j.opts.specialEasing);for(;e<g;e++){d=cS[e].call(j,a,k,j.opts);if(d)return d}return cV(j,k),p.isFunction(j.opts.start)&&j.opts.start.call(a,j),p.fx.timer(p.extend(i,{anim:j,queue:j.opts.queue,elem:a})),j.progress(j.opts.progress).done(j.opts.done,j.opts.complete).fail(j.opts.fail).always(j.opts.always)}function cX(a,b){var c,d,e,f,g;for(c in a){d=p.camelCase(c),e=b[d],f=a[c],p.isArray(f)&&(e=f[1],f=a[c]=f[0]),c!==d&&(a[d]=f,delete a[c]),g=p.cssHooks[d];if(g&&"expand"in g){f=g.expand(f),delete a[d];for(c in f)c in a||(a[c]=f[c],b[c]=e)}else b[d]=e}}function cY(a,b,c){var d,e,f,g,h,i,j,k,l=this,m=a.style,n={},o=[],q=a.nodeType&&bZ(a);c.queue||(j=p._queueHooks(a,"fx"),j.unqueued==null&&(j.unqueued=0,k=j.empty.fire,j.empty.fire=function(){j.unqueued||k()}),j.unqueued++,l.always(function(){l.always(function(){j.unqueued--,p.queue(a,"fx").length||j.empty.fire()})})),a.nodeType===1&&("height"in b||"width"in b)&&(c.overflow=[m.overflow,m.overflowX,m.overflowY],p.css(a,"display")==="inline"&&p.css(a,"float")==="none"&&(!p.support.inlineBlockNeedsLayout||cc(a.nodeName)==="inline"?m.display="inline-block":m.zoom=1)),c.overflow&&(m.overflow="hidden",p.support.shrinkWrapBlocks||l.done(function(){m.overflow=c.overflow[0],m.overflowX=c.overflow[1],m.overflowY=c.overflow[2]}));for(d in b){f=b[d];if(cP.exec(f)){delete b[d];if(f===(q?"hide":"show"))continue;o.push(d)}}g=o.length;if(g){h=p._data(a,"fxshow")||p._data(a,"fxshow",{}),q?p(a).show():l.done(function(){p(a).hide()}),l.done(function(){var b;p.removeData(a,"fxshow",!0);for(b in n)p.style(a,b,n[b])});for(d=0;d<g;d++)e=o[d],i=l.createTween(e,q?h[e]:0),n[e]=h[e]||p.style(a,e),e in h||(h[e]=i.start,q&&(i.end=i.start,i.start=e==="width"||e==="height"?1:0))}}function cZ(a,b,c,d,e){return new cZ.prototype.init(a,b,c,d,e)}function c$(a,b){var c,d={height:a},e=0;b=b?1:0;for(;e<4;e+=2-b)c=bV[e],d["margin"+c]=d["padding"+c]=a;return b&&(d.opacity=d.width=a),d}function da(a){return p.isWindow(a)?a:a.nodeType===9?a.defaultView||a.parentWindow:!1}var c,d,e=a.document,f=a.location,g=a.navigator,h=a.jQuery,i=a.$,j=Array.prototype.push,k=Array.prototype.slice,l=Array.prototype.indexOf,m=Object.prototype.toString,n=Object.prototype.hasOwnProperty,o=String.prototype.trim,p=function(a,b){return new p.fn.init(a,b,c)},q=/[\-+]?(?:\d*\.|)\d+(?:[eE][\-+]?\d+|)/.source,r=/\S/,s=/\s+/,t=/^[\s\uFEFF\xA0]+|[\s\uFEFF\xA0]+$/g,u=/^(?:[^#<]*(<[\w\W]+>)[^>]*$|#([\w\-]*)$)/,v=/^<(\w+)\s*\/?>(?:<\/\1>|)$/,w=/^[\],:{}\s]*$/,x=/(?:^|:|,)(?:\s*\[)+/g,y=/\\(?:["\\\/bfnrt]|u[\da-fA-F]{4})/g,z=/"[^"\\\r\n]*"|true|false|null|-?(?:\d\d*\.|)\d+(?:[eE][\-+]?\d+|)/g,A=/^-ms-/,B=/-([\da-z])/gi,C=function(a,b){return(b+"").toUpperCase()},D=function(){e.addEventListener?(e.removeEventListener("DOMContentLoaded",D,!1),p.ready()):e.readyState==="complete"&&(e.detachEvent("onreadystatechange",D),p.ready())},E={};p.fn=p.prototype={constructor:p,init:function(a,c,d){var f,g,h,i;if(!a)return this;if(a.nodeType)return this.context=this[0]=a,this.length=1,this;if(typeof a=="string"){a.charAt(0)==="<"&&a.charAt(a.length-1)===">"&&a.length>=3?f=[null,a,null]:f=u.exec(a);if(f&&(f[1]||!c)){if(f[1])return c=c instanceof p?c[0]:c,i=c&&c.nodeType?c.ownerDocument||c:e,a=p.parseHTML(f[1],i,!0),v.test(f[1])&&p.isPlainObject(c)&&this.attr.call(a,c,!0),p.merge(this,a);g=e.getElementById(f[2]);if(g&&g.parentNode){if(g.id!==f[2])return d.find(a);this.length=1,this[0]=g}return this.context=e,this.selector=a,this}return!c||c.jquery?(c||d).find(a):this.constructor(c).find(a)}return p.isFunction(a)?d.ready(a):(a.selector!==b&&(this.selector=a.selector,this.context=a.context),p.makeArray(a,this))},selector:"",jquery:"1.8.2",length:0,size:function(){return this.length},toArray:function(){return k.call(this)},get:function(a){return a==null?this.toArray():a<0?this[this.length+a]:this[a]},pushStack:function(a,b,c){var d=p.merge(this.constructor(),a);return d.prevObject=this,d.context=this.context,b==="find"?d.selector=this.selector+(this.selector?" ":"")+c:b&&(d.selector=this.selector+"."+b+"("+c+")"),d},each:function(a,b){return p.each(this,a,b)},ready:function(a){return p.ready.promise().done(a),this},eq:function(a){return a=+a,a===-1?this.slice(a):this.slice(a,a+1)},first:function(){return this.eq(0)},last:function(){return this.eq(-1)},slice:function(){return this.pushStack(k.apply(this,arguments),"slice",k.call(arguments).join(","))},map:function(a){return this.pushStack(p.map(this,function(b,c){return a.call(b,c,b)}))},end:function(){return this.prevObject||this.constructor(null)},push:j,sort:[].sort,splice:[].splice},p.fn.init.prototype=p.fn,p.extend=p.fn.extend=function(){var a,c,d,e,f,g,h=arguments[0]||{},i=1,j=arguments.length,k=!1;typeof h=="boolean"&&(k=h,h=arguments[1]||{},i=2),typeof h!="object"&&!p.isFunction(h)&&(h={}),j===i&&(h=this,--i);for(;i<j;i++)if((a=arguments[i])!=null)for(c in a){d=h[c],e=a[c];if(h===e)continue;k&&e&&(p.isPlainObject(e)||(f=p.isArray(e)))?(f?(f=!1,g=d&&p.isArray(d)?d:[]):g=d&&p.isPlainObject(d)?d:{},h[c]=p.extend(k,g,e)):e!==b&&(h[c]=e)}return h},p.extend({noConflict:function(b){return a.$===p&&(a.$=i),b&&a.jQuery===p&&(a.jQuery=h),p},isReady:!1,readyWait:1,holdReady:function(a){a?p.readyWait++:p.ready(!0)},ready:function(a){if(a===!0?--p.readyWait:p.isReady)return;if(!e.body)return setTimeout(p.ready,1);p.isReady=!0;if(a!==!0&&--p.readyWait>0)return;d.resolveWith(e,[p]),p.fn.trigger&&p(e).trigger("ready").off("ready")},isFunction:function(a){return p.type(a)==="function"},isArray:Array.isArray||function(a){return p.type(a)==="array"},isWindow:function(a){return a!=null&&a==a.window},isNumeric:function(a){return!isNaN(parseFloat(a))&&isFinite(a)},type:function(a){return a==null?String(a):E[m.call(a)]||"object"},isPlainObject:function(a){if(!a||p.type(a)!=="object"||a.nodeType||p.isWindow(a))return!1;try{if(a.constructor&&!n.call(a,"constructor")&&!n.call(a.constructor.prototype,"isPrototypeOf"))return!1}catch(c){return!1}var d;for(d in a);return d===b||n.call(a,d)},isEmptyObject:function(a){var b;for(b in a)return!1;return!0},error:function(a){throw new Error(a)},parseHTML:function(a,b,c){var d;return!a||typeof a!="string"?null:(typeof b=="boolean"&&(c=b,b=0),b=b||e,(d=v.exec(a))?[b.createElement(d[1])]:(d=p.buildFragment([a],b,c?null:[]),p.merge([],(d.cacheable?p.clone(d.fragment):d.fragment).childNodes)))},parseJSON:function(b){if(!b||typeof b!="string")return null;b=p.trim(b);if(a.JSON&&a.JSON.parse)return a.JSON.parse(b);if(w.test(b.replace(y,"@").replace(z,"]").replace(x,"")))return(new Function("return "+b))();p.error("Invalid JSON: "+b)},parseXML:function(c){var d,e;if(!c||typeof c!="string")return null;try{a.DOMParser?(e=new DOMParser,d=e.parseFromString(c,"text/xml")):(d=new ActiveXObject("Microsoft.XMLDOM"),d.async="false",d.loadXML(c))}catch(f){d=b}return(!d||!d.documentElement||d.getElementsByTagName("parsererror").length)&&p.error("Invalid XML: "+c),d},noop:function(){},globalEval:function(b){b&&r.test(b)&&(a.execScript||function(b){a.eval.call(a,b)})(b)},camelCase:function(a){return a.replace(A,"ms-").replace(B,C)},nodeName:function(a,b){return a.nodeName&&a.nodeName.toLowerCase()===b.toLowerCase()},each:function(a,c,d){var e,f=0,g=a.length,h=g===b||p.isFunction(a);if(d){if(h){for(e in a)if(c.apply(a[e],d)===!1)break}else for(;f<g;)if(c.apply(a[f++],d)===!1)break}else if(h){for(e in a)if(c.call(a[e],e,a[e])===!1)break}else for(;f<g;)if(c.call(a[f],f,a[f++])===!1)break;return a},trim:o&&!o.call(" ")?function(a){return a==null?"":o.call(a)}:function(a){return a==null?"":(a+"").replace(t,"")},makeArray:function(a,b){var c,d=b||[];return a!=null&&(c=p.type(a),a.length==null||c==="string"||c==="function"||c==="regexp"||p.isWindow(a)?j.call(d,a):p.merge(d,a)),d},inArray:function(a,b,c){var d;if(b){if(l)return l.call(b,a,c);d=b.length,c=c?c<0?Math.max(0,d+c):c:0;for(;c<d;c++)if(c in b&&b[c]===a)return c}return-1},merge:function(a,c){var d=c.length,e=a.length,f=0;if(typeof d=="number")for(;f<d;f++)a[e++]=c[f];else while(c[f]!==b)a[e++]=c[f++];return a.length=e,a},grep:function(a,b,c){var d,e=[],f=0,g=a.length;c=!!c;for(;f<g;f++)d=!!b(a[f],f),c!==d&&e.push(a[f]);return e},map:function(a,c,d){var e,f,g=[],h=0,i=a.length,j=a instanceof p||i!==b&&typeof i=="number"&&(i>0&&a[0]&&a[i-1]||i===0||p.isArray(a));if(j)for(;h<i;h++)e=c(a[h],h,d),e!=null&&(g[g.length]=e);else for(f in a)e=c(a[f],f,d),e!=null&&(g[g.length]=e);return g.concat.apply([],g)},guid:1,proxy:function(a,c){var d,e,f;return typeof c=="string"&&(d=a[c],c=a,a=d),p.isFunction(a)?(e=k.call(arguments,2),f=function(){return a.apply(c,e.concat(k.call(arguments)))},f.guid=a.guid=a.guid||p.guid++,f):b},access:function(a,c,d,e,f,g,h){var i,j=d==null,k=0,l=a.length;if(d&&typeof d=="object"){for(k in d)p.access(a,c,k,d[k],1,g,e);f=1}else if(e!==b){i=h===b&&p.isFunction(e),j&&(i?(i=c,c=function(a,b,c){return i.call(p(a),c)}):(c.call(a,e),c=null));if(c)for(;k<l;k++)c(a[k],d,i?e.call(a[k],k,c(a[k],d)):e,h);f=1}return f?a:j?c.call(a):l?c(a[0],d):g},now:function(){return(new Date).getTime()}}),p.ready.promise=function(b){if(!d){d=p.Deferred();if(e.readyState==="complete")setTimeout(p.ready,1);else if(e.addEventListener)e.addEventListener("DOMContentLoaded",D,!1),a.addEventListener("load",p.ready,!1);else{e.attachEvent("onreadystatechange",D),a.attachEvent("onload",p.ready);var c=!1;try{c=a.frameElement==null&&e.documentElement}catch(f){}c&&c.doScroll&&function g(){if(!p.isReady){try{c.doScroll("left")}catch(a){return setTimeout(g,50)}p.ready()}}()}}return d.promise(b)},p.each("Boolean Number String Function Array Date RegExp Object".split(" "),function(a,b){E["[object "+b+"]"]=b.toLowerCase()}),c=p(e);var F={};p.Callbacks=function(a){a=typeof a=="string"?F[a]||G(a):p.extend({},a);var c,d,e,f,g,h,i=[],j=!a.once&&[],k=function(b){c=a.memory&&b,d=!0,h=f||0,f=0,g=i.length,e=!0;for(;i&&h<g;h++)if(i[h].apply(b[0],b[1])===!1&&a.stopOnFalse){c=!1;break}e=!1,i&&(j?j.length&&k(j.shift()):c?i=[]:l.disable())},l={add:function(){if(i){var b=i.length;(function d(b){p.each(b,function(b,c){var e=p.type(c);e==="function"&&(!a.unique||!l.has(c))?i.push(c):c&&c.length&&e!=="string"&&d(c)})})(arguments),e?g=i.length:c&&(f=b,k(c))}return this},remove:function(){return i&&p.each(arguments,function(a,b){var c;while((c=p.inArray(b,i,c))>-1)i.splice(c,1),e&&(c<=g&&g--,c<=h&&h--)}),this},has:function(a){return p.inArray(a,i)>-1},empty:function(){return i=[],this},disable:function(){return i=j=c=b,this},disabled:function(){return!i},lock:function(){return j=b,c||l.disable(),this},locked:function(){return!j},fireWith:function(a,b){return b=b||[],b=[a,b.slice?b.slice():b],i&&(!d||j)&&(e?j.push(b):k(b)),this},fire:function(){return l.fireWith(this,arguments),this},fired:function(){return!!d}};return l},p.extend({Deferred:function(a){var b=[["resolve","done",p.Callbacks("once memory"),"resolved"],["reject","fail",p.Callbacks("once memory"),"rejected"],["notify","progress",p.Callbacks("memory")]],c="pending",d={state:function(){return c},always:function(){return e.done(arguments).fail(arguments),this},then:function(){var a=arguments;return p.Deferred(function(c){p.each(b,function(b,d){var f=d[0],g=a[b];e[d[1]](p.isFunction(g)?function(){var a=g.apply(this,arguments);a&&p.isFunction(a.promise)?a.promise().done(c.resolve).fail(c.reject).progress(c.notify):c[f+"With"](this===e?c:this,[a])}:c[f])}),a=null}).promise()},promise:function(a){return a!=null?p.extend(a,d):d}},e={};return d.pipe=d.then,p.each(b,function(a,f){var g=f[2],h=f[3];d[f[1]]=g.add,h&&g.add(function(){c=h},b[a^1][2].disable,b[2][2].lock),e[f[0]]=g.fire,e[f[0]+"With"]=g.fireWith}),d.promise(e),a&&a.call(e,e),e},when:function(a){var b=0,c=k.call(arguments),d=c.length,e=d!==1||a&&p.isFunction(a.promise)?d:0,f=e===1?a:p.Deferred(),g=function(a,b,c){return function(d){b[a]=this,c[a]=arguments.length>1?k.call(arguments):d,c===h?f.notifyWith(b,c):--e||f.resolveWith(b,c)}},h,i,j;if(d>1){h=new Array(d),i=new Array(d),j=new Array(d);for(;b<d;b++)c[b]&&p.isFunction(c[b].promise)?c[b].promise().done(g(b,j,c)).fail(f.reject).progress(g(b,i,h)):--e}return e||f.resolveWith(j,c),f.promise()}}),p.support=function(){var b,c,d,f,g,h,i,j,k,l,m,n=e.createElement("div");n.setAttribute("className","t"),n.innerHTML=" <link/><table></table><a href='/a'>a</a><input type='checkbox'/>",c=n.getElementsByTagName("*"),d=n.getElementsByTagName("a")[0],d.style.cssText="top:1px;float:left;opacity:.5";if(!c||!c.length)return{};f=e.createElement("select"),g=f.appendChild(e.createElement("option")),h=n.getElementsByTagName("input")[0],b={leadingWhitespace:n.firstChild.nodeType===3,tbody:!n.getElementsByTagName("tbody").length,htmlSerialize:!!n.getElementsByTagName("link").length,style:/top/.test(d.getAttribute("style")),hrefNormalized:d.getAttribute("href")==="/a",opacity:/^0.5/.test(d.style.opacity),cssFloat:!!d.style.cssFloat,checkOn:h.value==="on",optSelected:g.selected,getSetAttribute:n.className!=="t",enctype:!!e.createElement("form").enctype,html5Clone:e.createElement("nav").cloneNode(!0).outerHTML!=="<:nav></:nav>",boxModel:e.compatMode==="CSS1Compat",submitBubbles:!0,changeBubbles:!0,focusinBubbles:!1,deleteExpando:!0,noCloneEvent:!0,inlineBlockNeedsLayout:!1,shrinkWrapBlocks:!1,reliableMarginRight:!0,boxSizingReliable:!0,pixelPosition:!1},h.checked=!0,b.noCloneChecked=h.cloneNode(!0).checked,f.disabled=!0,b.optDisabled=!g.disabled;try{delete n.test}catch(o){b.deleteExpando=!1}!n.addEventListener&&n.attachEvent&&n.fireEvent&&(n.attachEvent("onclick",m=function(){b.noCloneEvent=!1}),n.cloneNode(!0).fireEvent("onclick"),n.detachEvent("onclick",m)),h=e.createElement("input"),h.value="t",h.setAttribute("type","radio"),b.radioValue=h.value==="t",h.setAttribute("checked","checked"),h.setAttribute("name","t"),n.appendChild(h),i=e.createDocumentFragment(),i.appendChild(n.lastChild),b.checkClone=i.cloneNode(!0).cloneNode(!0).lastChild.checked,b.appendChecked=h.checked,i.removeChild(h),i.appendChild(n);if(n.attachEvent)for(k in{submit:!0,change:!0,focusin:!0})j="on"+k,l=j in n,l||(n.setAttribute(j,"return;"),l=typeof n[j]=="function"),b[k+"Bubbles"]=l;return p(function(){var c,d,f,g,h="padding:0;margin:0;border:0;display:block;overflow:hidden;",i=e.getElementsByTagName("body")[0];if(!i)return;c=e.createElement("div"),c.style.cssText="visibility:hidden;border:0;width:0;height:0;position:static;top:0;margin-top:1px",i.insertBefore(c,i.firstChild),d=e.createElement("div"),c.appendChild(d),d.innerHTML="<table><tr><td></td><td>t</td></tr></table>",f=d.getElementsByTagName("td"),f[0].style.cssText="padding:0;margin:0;border:0;display:none",l=f[0].offsetHeight===0,f[0].style.display="",f[1].style.display="none",b.reliableHiddenOffsets=l&&f[0].offsetHeight===0,d.innerHTML="",d.style.cssText="box-sizing:border-box;-moz-box-sizing:border-box;-webkit-box-sizing:border-box;padding:1px;border:1px;display:block;width:4px;margin-top:1%;position:absolute;top:1%;",b.boxSizing=d.offsetWidth===4,b.doesNotIncludeMarginInBodyOffset=i.offsetTop!==1,a.getComputedStyle&&(b.pixelPosition=(a.getComputedStyle(d,null)||{}).top!=="1%",b.boxSizingReliable=(a.getComputedStyle(d,null)||{width:"4px"}).width==="4px",g=e.createElement("div"),g.style.cssText=d.style.cssText=h,g.style.marginRight=g.style.width="0",d.style.width="1px",d.appendChild(g),b.reliableMarginRight=!parseFloat((a.getComputedStyle(g,null)||{}).marginRight)),typeof d.style.zoom!="undefined"&&(d.innerHTML="",d.style.cssText=h+"width:1px;padding:1px;display:inline;zoom:1",b.inlineBlockNeedsLayout=d.offsetWidth===3,d.style.display="block",d.style.overflow="visible",d.innerHTML="<div></div>",d.firstChild.style.width="5px",b.shrinkWrapBlocks=d.offsetWidth!==3,c.style.zoom=1),i.removeChild(c),c=d=f=g=null}),i.removeChild(n),c=d=f=g=h=i=n=null,b}();var H=/(?:\{[\s\S]*\}|\[[\s\S]*\])$/,I=/([A-Z])/g;p.extend({cache:{},deletedIds:[],uuid:0,expando:"jQuery"+(p.fn.jquery+Math.random()).replace(/\D/g,""),noData:{embed:!0,object:"clsid:D27CDB6E-AE6D-11cf-96B8-444553540000",applet:!0},hasData:function(a){return a=a.nodeType?p.cache[a[p.expando]]:a[p.expando],!!a&&!K(a)},data:function(a,c,d,e){if(!p.acceptData(a))return;var f,g,h=p.expando,i=typeof c=="string",j=a.nodeType,k=j?p.cache:a,l=j?a[h]:a[h]&&h;if((!l||!k[l]||!e&&!k[l].data)&&i&&d===b)return;l||(j?a[h]=l=p.deletedIds.pop()||p.guid++:l=h),k[l]||(k[l]={},j||(k[l].toJSON=p.noop));if(typeof c=="object"||typeof c=="function")e?k[l]=p.extend(k[l],c):k[l].data=p.extend(k[l].data,c);return f=k[l],e||(f.data||(f.data={}),f=f.data),d!==b&&(f[p.camelCase(c)]=d),i?(g=f[c],g==null&&(g=f[p.camelCase(c)])):g=f,g},removeData:function(a,b,c){if(!p.acceptData(a))return;var d,e,f,g=a.nodeType,h=g?p.cache:a,i=g?a[p.expando]:p.expando;if(!h[i])return;if(b){d=c?h[i]:h[i].data;if(d){p.isArray(b)||(b in d?b=[b]:(b=p.camelCase(b),b in d?b=[b]:b=b.split(" ")));for(e=0,f=b.length;e<f;e++)delete d[b[e]];if(!(c?K:p.isEmptyObject)(d))return}}if(!c){delete h[i].data;if(!K(h[i]))return}g?p.cleanData([a],!0):p.support.deleteExpando||h!=h.window?delete h[i]:h[i]=null},_data:function(a,b,c){return p.data(a,b,c,!0)},acceptData:function(a){var b=a.nodeName&&p.noData[a.nodeName.toLowerCase()];return!b||b!==!0&&a.getAttribute("classid")===b}}),p.fn.extend({data:function(a,c){var d,e,f,g,h,i=this[0],j=0,k=null;if(a===b){if(this.length){k=p.data(i);if(i.nodeType===1&&!p._data(i,"parsedAttrs")){f=i.attributes;for(h=f.length;j<h;j++)g=f[j].name,g.indexOf("data-")||(g=p.camelCase(g.substring(5)),J(i,g,k[g]));p._data(i,"parsedAttrs",!0)}}return k}return typeof a=="object"?this.each(function(){p.data(this,a)}):(d=a.split(".",2),d[1]=d[1]?"."+d[1]:"",e=d[1]+"!",p.access(this,function(c){if(c===b)return k=this.triggerHandler("getData"+e,[d[0]]),k===b&&i&&(k=p.data(i,a),k=J(i,a,k)),k===b&&d[1]?this.data(d[0]):k;d[1]=c,this.each(function(){var b=p(this);b.triggerHandler("setData"+e,d),p.data(this,a,c),b.triggerHandler("changeData"+e,d)})},null,c,arguments.length>1,null,!1))},removeData:function(a){return this.each(function(){p.removeData(this,a)})}}),p.extend({queue:function(a,b,c){var d;if(a)return b=(b||"fx")+"queue",d=p._data(a,b),c&&(!d||p.isArray(c)?d=p._data(a,b,p.makeArray(c)):d.push(c)),d||[]},dequeue:function(a,b){b=b||"fx";var c=p.queue(a,b),d=c.length,e=c.shift(),f=p._queueHooks(a,b),g=function(){p.dequeue(a,b)};e==="inprogress"&&(e=c.shift(),d--),e&&(b==="fx"&&c.unshift("inprogress"),delete f.stop,e.call(a,g,f)),!d&&f&&f.empty.fire()},_queueHooks:function(a,b){var c=b+"queueHooks";return p._data(a,c)||p._data(a,c,{empty:p.Callbacks("once memory").add(function(){p.removeData(a,b+"queue",!0),p.removeData(a,c,!0)})})}}),p.fn.extend({queue:function(a,c){var d=2;return typeof a!="string"&&(c=a,a="fx",d--),arguments.length<d?p.queue(this[0],a):c===b?this:this.each(function(){var b=p.queue(this,a,c);p._queueHooks(this,a),a==="fx"&&b[0]!=="inprogress"&&p.dequeue(this,a)})},dequeue:function(a){return this.each(function(){p.dequeue(this,a)})},delay:function(a,b){return a=p.fx?p.fx.speeds[a]||a:a,b=b||"fx",this.queue(b,function(b,c){var d=setTimeout(b,a);c.stop=function(){clearTimeout(d)}})},clearQueue:function(a){return this.queue(a||"fx",[])},promise:function(a,c){var d,e=1,f=p.Deferred(),g=this,h=this.length,i=function(){--e||f.resolveWith(g,[g])};typeof a!="string"&&(c=a,a=b),a=a||"fx";while(h--)d=p._data(g[h],a+"queueHooks"),d&&d.empty&&(e++,d.empty.add(i));return i(),f.promise(c)}});var L,M,N,O=/[\t\r\n]/g,P=/\r/g,Q=/^(?:button|input)$/i,R=/^(?:button|input|object|select|textarea)$/i,S=/^a(?:rea|)$/i,T=/^(?:autofocus|autoplay|async|checked|controls|defer|disabled|hidden|loop|multiple|open|readonly|required|scoped|selected)$/i,U=p.support.getSetAttribute;p.fn.extend({attr:function(a,b){return p.access(this,p.attr,a,b,arguments.length>1)},removeAttr:function(a){return this.each(function(){p.removeAttr(this,a)})},prop:function(a,b){return p.access(this,p.prop,a,b,arguments.length>1)},removeProp:function(a){return a=p.propFix[a]||a,this.each(function(){try{this[a]=b,delete this[a]}catch(c){}})},addClass:function(a){var b,c,d,e,f,g,h;if(p.isFunction(a))return this.each(function(b){p(this).addClass(a.call(this,b,this.className))});if(a&&typeof a=="string"){b=a.split(s);for(c=0,d=this.length;c<d;c++){e=this[c];if(e.nodeType===1)if(!e.className&&b.length===1)e.className=a;else{f=" "+e.className+" ";for(g=0,h=b.length;g<h;g++)f.indexOf(" "+b[g]+" ")<0&&(f+=b[g]+" ");e.className=p.trim(f)}}}return this},removeClass:function(a){var c,d,e,f,g,h,i;if(p.isFunction(a))return this.each(function(b){p(this).removeClass(a.call(this,b,this.className))});if(a&&typeof a=="string"||a===b){c=(a||"").split(s);for(h=0,i=this.length;h<i;h++){e=this[h];if(e.nodeType===1&&e.className){d=(" "+e.className+" ").replace(O," ");for(f=0,g=c.length;f<g;f++)while(d.indexOf(" "+c[f]+" ")>=0)d=d.replace(" "+c[f]+" "," ");e.className=a?p.trim(d):""}}}return this},toggleClass:function(a,b){var c=typeof a,d=typeof b=="boolean";return p.isFunction(a)?this.each(function(c){p(this).toggleClass(a.call(this,c,this.className,b),b)}):this.each(function(){if(c==="string"){var e,f=0,g=p(this),h=b,i=a.split(s);while(e=i[f++])h=d?h:!g.hasClass(e),g[h?"addClass":"removeClass"](e)}else if(c==="undefined"||c==="boolean")this.className&&p._data(this,"__className__",this.className),this.className=this.className||a===!1?"":p._data(this,"__className__")||""})},hasClass:function(a){var b=" "+a+" ",c=0,d=this.length;for(;c<d;c++)if(this[c].nodeType===1&&(" "+this[c].className+" ").replace(O," ").indexOf(b)>=0)return!0;return!1},val:function(a){var c,d,e,f=this[0];if(!arguments.length){if(f)return c=p.valHooks[f.type]||p.valHooks[f.nodeName.toLowerCase()],c&&"get"in c&&(d=c.get(f,"value"))!==b?d:(d=f.value,typeof d=="string"?d.replace(P,""):d==null?"":d);return}return e=p.isFunction(a),this.each(function(d){var f,g=p(this);if(this.nodeType!==1)return;e?f=a.call(this,d,g.val()):f=a,f==null?f="":typeof f=="number"?f+="":p.isArray(f)&&(f=p.map(f,function(a){return a==null?"":a+""})),c=p.valHooks[this.type]||p.valHooks[this.nodeName.toLowerCase()];if(!c||!("set"in c)||c.set(this,f,"value")===b)this.value=f})}}),p.extend({valHooks:{option:{get:function(a){var b=a.attributes.value;return!b||b.specified?a.value:a.text}},select:{get:function(a){var b,c,d,e,f=a.selectedIndex,g=[],h=a.options,i=a.type==="select-one";if(f<0)return null;c=i?f:0,d=i?f+1:h.length;for(;c<d;c++){e=h[c];if(e.selected&&(p.support.optDisabled?!e.disabled:e.getAttribute("disabled")===null)&&(!e.parentNode.disabled||!p.nodeName(e.parentNode,"optgroup"))){b=p(e).val();if(i)return b;g.push(b)}}return i&&!g.length&&h.length?p(h[f]).val():g},set:function(a,b){var c=p.makeArray(b);return p(a).find("option").each(function(){this.selected=p.inArray(p(this).val(),c)>=0}),c.length||(a.selectedIndex=-1),c}}},attrFn:{},attr:function(a,c,d,e){var f,g,h,i=a.nodeType;if(!a||i===3||i===8||i===2)return;if(e&&p.isFunction(p.fn[c]))return p(a)[c](d);if(typeof a.getAttribute=="undefined")return p.prop(a,c,d);h=i!==1||!p.isXMLDoc(a),h&&(c=c.toLowerCase(),g=p.attrHooks[c]||(T.test(c)?M:L));if(d!==b){if(d===null){p.removeAttr(a,c);return}return g&&"set"in g&&h&&(f=g.set(a,d,c))!==b?f:(a.setAttribute(c,d+""),d)}return g&&"get"in g&&h&&(f=g.get(a,c))!==null?f:(f=a.getAttribute(c),f===null?b:f)},removeAttr:function(a,b){var c,d,e,f,g=0;if(b&&a.nodeType===1){d=b.split(s);for(;g<d.length;g++)e=d[g],e&&(c=p.propFix[e]||e,f=T.test(e),f||p.attr(a,e,""),a.removeAttribute(U?e:c),f&&c in a&&(a[c]=!1))}},attrHooks:{type:{set:function(a,b){if(Q.test(a.nodeName)&&a.parentNode)p.error("type property can't be changed");else if(!p.support.radioValue&&b==="radio"&&p.nodeName(a,"input")){var c=a.value;return a.setAttribute("type",b),c&&(a.value=c),b}}},value:{get:function(a,b){return L&&p.nodeName(a,"button")?L.get(a,b):b in a?a.value:null},set:function(a,b,c){if(L&&p.nodeName(a,"button"))return L.set(a,b,c);a.value=b}}},propFix:{tabindex:"tabIndex",readonly:"readOnly","for":"htmlFor","class":"className",maxlength:"maxLength",cellspacing:"cellSpacing",cellpadding:"cellPadding",rowspan:"rowSpan",colspan:"colSpan",usemap:"useMap",frameborder:"frameBorder",contenteditable:"contentEditable"},prop:function(a,c,d){var e,f,g,h=a.nodeType;if(!a||h===3||h===8||h===2)return;return g=h!==1||!p.isXMLDoc(a),g&&(c=p.propFix[c]||c,f=p.propHooks[c]),d!==b?f&&"set"in f&&(e=f.set(a,d,c))!==b?e:a[c]=d:f&&"get"in f&&(e=f.get(a,c))!==null?e:a[c]},propHooks:{tabIndex:{get:function(a){var c=a.getAttributeNode("tabindex");return c&&c.specified?parseInt(c.value,10):R.test(a.nodeName)||S.test(a.nodeName)&&a.href?0:b}}}}),M={get:function(a,c){var d,e=p.prop(a,c);return e===!0||typeof e!="boolean"&&(d=a.getAttributeNode(c))&&d.nodeValue!==!1?c.toLowerCase():b},set:function(a,b,c){var d;return b===!1?p.removeAttr(a,c):(d=p.propFix[c]||c,d in a&&(a[d]=!0),a.setAttribute(c,c.toLowerCase())),c}},U||(N={name:!0,id:!0,coords:!0},L=p.valHooks.button={get:function(a,c){var d;return d=a.getAttributeNode(c),d&&(N[c]?d.value!=="":d.specified)?d.value:b},set:function(a,b,c){var d=a.getAttributeNode(c);return d||(d=e.createAttribute(c),a.setAttributeNode(d)),d.value=b+""}},p.each(["width","height"],function(a,b){p.attrHooks[b]=p.extend(p.attrHooks[b],{set:function(a,c){if(c==="")return a.setAttribute(b,"auto"),c}})}),p.attrHooks.contenteditable={get:L.get,set:function(a,b,c){b===""&&(b="false"),L.set(a,b,c)}}),p.support.hrefNormalized||p.each(["href","src","width","height"],function(a,c){p.attrHooks[c]=p.extend(p.attrHooks[c],{get:function(a){var d=a.getAttribute(c,2);return d===null?b:d}})}),p.support.style||(p.attrHooks.style={get:function(a){return a.style.cssText.toLowerCase()||b},set:function(a,b){return a.style.cssText=b+""}}),p.support.optSelected||(p.propHooks.selected=p.extend(p.propHooks.selected,{get:function(a){var b=a.parentNode;return b&&(b.selectedIndex,b.parentNode&&b.parentNode.selectedIndex),null}})),p.support.enctype||(p.propFix.enctype="encoding"),p.support.checkOn||p.each(["radio","checkbox"],function(){p.valHooks[this]={get:function(a){return a.getAttribute("value")===null?"on":a.value}}}),p.each(["radio","checkbox"],function(){p.valHooks[this]=p.extend(p.valHooks[this],{set:function(a,b){if(p.isArray(b))return a.checked=p.inArray(p(a).val(),b)>=0}})});var V=/^(?:textarea|input|select)$/i,W=/^([^\.]*|)(?:\.(.+)|)$/,X=/(?:^|\s)hover(\.\S+|)\b/,Y=/^key/,Z=/^(?:mouse|contextmenu)|click/,$=/^(?:focusinfocus|focusoutblur)$/,_=function(a){return p.event.special.hover?a:a.replace(X,"mouseenter$1 mouseleave$1")};p.event={add:function(a,c,d,e,f){var g,h,i,j,k,l,m,n,o,q,r;if(a.nodeType===3||a.nodeType===8||!c||!d||!(g=p._data(a)))return;d.handler&&(o=d,d=o.handler,f=o.selector),d.guid||(d.guid=p.guid++),i=g.events,i||(g.events=i={}),h=g.handle,h||(g.handle=h=function(a){return typeof p!="undefined"&&(!a||p.event.triggered!==a.type)?p.event.dispatch.apply(h.elem,arguments):b},h.elem=a),c=p.trim(_(c)).split(" ");for(j=0;j<c.length;j++){k=W.exec(c[j])||[],l=k[1],m=(k[2]||"").split(".").sort(),r=p.event.special[l]||{},l=(f?r.delegateType:r.bindType)||l,r=p.event.special[l]||{},n=p.extend({type:l,origType:k[1],data:e,handler:d,guid:d.guid,selector:f,needsContext:f&&p.expr.match.needsContext.test(f),namespace:m.join(".")},o),q=i[l];if(!q){q=i[l]=[],q.delegateCount=0;if(!r.setup||r.setup.call(a,e,m,h)===!1)a.addEventListener?a.addEventListener(l,h,!1):a.attachEvent&&a.attachEvent("on"+l,h)}r.add&&(r.add.call(a,n),n.handler.guid||(n.handler.guid=d.guid)),f?q.splice(q.delegateCount++,0,n):q.push(n),p.event.global[l]=!0}a=null},global:{},remove:function(a,b,c,d,e){var f,g,h,i,j,k,l,m,n,o,q,r=p.hasData(a)&&p._data(a);if(!r||!(m=r.events))return;b=p.trim(_(b||"")).split(" ");for(f=0;f<b.length;f++){g=W.exec(b[f])||[],h=i=g[1],j=g[2];if(!h){for(h in m)p.event.remove(a,h+b[f],c,d,!0);continue}n=p.event.special[h]||{},h=(d?n.delegateType:n.bindType)||h,o=m[h]||[],k=o.length,j=j?new RegExp("(^|\\.)"+j.split(".").sort().join("\\.(?:.*\\.|)")+"(\\.|$)"):null;for(l=0;l<o.length;l++)q=o[l],(e||i===q.origType)&&(!c||c.guid===q.guid)&&(!j||j.test(q.namespace))&&(!d||d===q.selector||d==="**"&&q.selector)&&(o.splice(l--,1),q.selector&&o.delegateCount--,n.remove&&n.remove.call(a,q));o.length===0&&k!==o.length&&((!n.teardown||n.teardown.call(a,j,r.handle)===!1)&&p.removeEvent(a,h,r.handle),delete m[h])}p.isEmptyObject(m)&&(delete r.handle,p.removeData(a,"events",!0))},customEvent:{getData:!0,setData:!0,changeData:!0},trigger:function(c,d,f,g){if(!f||f.nodeType!==3&&f.nodeType!==8){var h,i,j,k,l,m,n,o,q,r,s=c.type||c,t=[];if($.test(s+p.event.triggered))return;s.indexOf("!")>=0&&(s=s.slice(0,-1),i=!0),s.indexOf(".")>=0&&(t=s.split("."),s=t.shift(),t.sort());if((!f||p.event.customEvent[s])&&!p.event.global[s])return;c=typeof c=="object"?c[p.expando]?c:new p.Event(s,c):new p.Event(s),c.type=s,c.isTrigger=!0,c.exclusive=i,c.namespace=t.join("."),c.namespace_re=c.namespace?new RegExp("(^|\\.)"+t.join("\\.(?:.*\\.|)")+"(\\.|$)"):null,m=s.indexOf(":")<0?"on"+s:"";if(!f){h=p.cache;for(j in h)h[j].events&&h[j].events[s]&&p.event.trigger(c,d,h[j].handle.elem,!0);return}c.result=b,c.target||(c.target=f),d=d!=null?p.makeArray(d):[],d.unshift(c),n=p.event.special[s]||{};if(n.trigger&&n.trigger.apply(f,d)===!1)return;q=[[f,n.bindType||s]];if(!g&&!n.noBubble&&!p.isWindow(f)){r=n.delegateType||s,k=$.test(r+s)?f:f.parentNode;for(l=f;k;k=k.parentNode)q.push([k,r]),l=k;l===(f.ownerDocument||e)&&q.push([l.defaultView||l.parentWindow||a,r])}for(j=0;j<q.length&&!c.isPropagationStopped();j++)k=q[j][0],c.type=q[j][1],o=(p._data(k,"events")||{})[c.type]&&p._data(k,"handle"),o&&o.apply(k,d),o=m&&k[m],o&&p.acceptData(k)&&o.apply&&o.apply(k,d)===!1&&c.preventDefault();return c.type=s,!g&&!c.isDefaultPrevented()&&(!n._default||n._default.apply(f.ownerDocument,d)===!1)&&(s!=="click"||!p.nodeName(f,"a"))&&p.acceptData(f)&&m&&f[s]&&(s!=="focus"&&s!=="blur"||c.target.offsetWidth!==0)&&!p.isWindow(f)&&(l=f[m],l&&(f[m]=null),p.event.triggered=s,f[s](),p.event.triggered=b,l&&(f[m]=l)),c.result}return},dispatch:function(c){c=p.event.fix(c||a.event);var d,e,f,g,h,i,j,l,m,n,o=(p._data(this,"events")||{})[c.type]||[],q=o.delegateCount,r=k.call(arguments),s=!c.exclusive&&!c.namespace,t=p.event.special[c.type]||{},u=[];r[0]=c,c.delegateTarget=this;if(t.preDispatch&&t.preDispatch.call(this,c)===!1)return;if(q&&(!c.button||c.type!=="click"))for(f=c.target;f!=this;f=f.parentNode||this)if(f.disabled!==!0||c.type!=="click"){h={},j=[];for(d=0;d<q;d++)l=o[d],m=l.selector,h[m]===b&&(h[m]=l.needsContext?p(m,this).index(f)>=0:p.find(m,this,null,[f]).length),h[m]&&j.push(l);j.length&&u.push({elem:f,matches:j})}o.length>q&&u.push({elem:this,matches:o.slice(q)});for(d=0;d<u.length&&!c.isPropagationStopped();d++){i=u[d],c.currentTarget=i.elem;for(e=0;e<i.matches.length&&!c.isImmediatePropagationStopped();e++){l=i.matches[e];if(s||!c.namespace&&!l.namespace||c.namespace_re&&c.namespace_re.test(l.namespace))c.data=l.data,c.handleObj=l,g=((p.event.special[l.origType]||{}).handle||l.handler).apply(i.elem,r),g!==b&&(c.result=g,g===!1&&(c.preventDefault(),c.stopPropagation()))}}return t.postDispatch&&t.postDispatch.call(this,c),c.result},props:"attrChange attrName relatedNode srcElement altKey bubbles cancelable ctrlKey currentTarget eventPhase metaKey relatedTarget shiftKey target timeStamp view which".split(" "),fixHooks:{},keyHooks:{props:"char charCode key keyCode".split(" "),filter:function(a,b){return a.which==null&&(a.which=b.charCode!=null?b.charCode:b.keyCode),a}},mouseHooks:{props:"button buttons clientX clientY fromElement offsetX offsetY pageX pageY screenX screenY toElement".split(" "),filter:function(a,c){var d,f,g,h=c.button,i=c.fromElement;return a.pageX==null&&c.clientX!=null&&(d=a.target.ownerDocument||e,f=d.documentElement,g=d.body,a.pageX=c.clientX+(f&&f.scrollLeft||g&&g.scrollLeft||0)-(f&&f.clientLeft||g&&g.clientLeft||0),a.pageY=c.clientY+(f&&f.scrollTop||g&&g.scrollTop||0)-(f&&f.clientTop||g&&g.clientTop||0)),!a.relatedTarget&&i&&(a.relatedTarget=i===a.target?c.toElement:i),!a.which&&h!==b&&(a.which=h&1?1:h&2?3:h&4?2:0),a}},fix:function(a){if(a[p.expando])return a;var b,c,d=a,f=p.event.fixHooks[a.type]||{},g=f.props?this.props.concat(f.props):this.props;a=p.Event(d);for(b=g.length;b;)c=g[--b],a[c]=d[c];return a.target||(a.target=d.srcElement||e),a.target.nodeType===3&&(a.target=a.target.parentNode),a.metaKey=!!a.metaKey,f.filter?f.filter(a,d):a},special:{load:{noBubble:!0},focus:{delegateType:"focusin"},blur:{delegateType:"focusout"},beforeunload:{setup:function(a,b,c){p.isWindow(this)&&(this.onbeforeunload=c)},teardown:function(a,b){this.onbeforeunload===b&&(this.onbeforeunload=null)}}},simulate:function(a,b,c,d){var e=p.extend(new p.Event,c,{type:a,isSimulated:!0,originalEvent:{}});d?p.event.trigger(e,null,b):p.event.dispatch.call(b,e),e.isDefaultPrevented()&&c.preventDefault()}},p.event.handle=p.event.dispatch,p.removeEvent=e.removeEventListener?function(a,b,c){a.removeEventListener&&a.removeEventListener(b,c,!1)}:function(a,b,c){var d="on"+b;a.detachEvent&&(typeof a[d]=="undefined"&&(a[d]=null),a.detachEvent(d,c))},p.Event=function(a,b){if(this instanceof p.Event)a&&a.type?(this.originalEvent=a,this.type=a.type,this.isDefaultPrevented=a.defaultPrevented||a.returnValue===!1||a.getPreventDefault&&a.getPreventDefault()?bb:ba):this.type=a,b&&p.extend(this,b),this.timeStamp=a&&a.timeStamp||p.now(),this[p.expando]=!0;else return new p.Event(a,b)},p.Event.prototype={preventDefault:function(){this.isDefaultPrevented=bb;var a=this.originalEvent;if(!a)return;a.preventDefault?a.preventDefault():a.returnValue=!1},stopPropagation:function(){this.isPropagationStopped=bb;var a=this.originalEvent;if(!a)return;a.stopPropagation&&a.stopPropagation(),a.cancelBubble=!0},stopImmediatePropagation:function(){this.isImmediatePropagationStopped=bb,this.stopPropagation()},isDefaultPrevented:ba,isPropagationStopped:ba,isImmediatePropagationStopped:ba},p.each({mouseenter:"mouseover",mouseleave:"mouseout"},function(a,b){p.event.special[a]={delegateType:b,bindType:b,handle:function(a){var c,d=this,e=a.relatedTarget,f=a.handleObj,g=f.selector;if(!e||e!==d&&!p.contains(d,e))a.type=f.origType,c=f.handler.apply(this,arguments),a.type=b;return c}}}),p.support.submitBubbles||(p.event.special.submit={setup:function(){if(p.nodeName(this,"form"))return!1;p.event.add(this,"click._submit keypress._submit",function(a){var c=a.target,d=p.nodeName(c,"input")||p.nodeName(c,"button")?c.form:b;d&&!p._data(d,"_submit_attached")&&(p.event.add(d,"submit._submit",function(a){a._submit_bubble=!0}),p._data(d,"_submit_attached",!0))})},postDispatch:function(a){a._submit_bubble&&(delete a._submit_bubble,this.parentNode&&!a.isTrigger&&p.event.simulate("submit",this.parentNode,a,!0))},teardown:function(){if(p.nodeName(this,"form"))return!1;p.event.remove(this,"._submit")}}),p.support.changeBubbles||(p.event.special.change={setup:function(){if(V.test(this.nodeName)){if(this.type==="checkbox"||this.type==="radio")p.event.add(this,"propertychange._change",function(a){a.originalEvent.propertyName==="checked"&&(this._just_changed=!0)}),p.event.add(this,"click._change",function(a){this._just_changed&&!a.isTrigger&&(this._just_changed=!1),p.event.simulate("change",this,a,!0)});return!1}p.event.add(this,"beforeactivate._change",function(a){var b=a.target;V.test(b.nodeName)&&!p._data(b,"_change_attached")&&(p.event.add(b,"change._change",function(a){this.parentNode&&!a.isSimulated&&!a.isTrigger&&p.event.simulate("change",this.parentNode,a,!0)}),p._data(b,"_change_attached",!0))})},handle:function(a){var b=a.target;if(this!==b||a.isSimulated||a.isTrigger||b.type!=="radio"&&b.type!=="checkbox")return a.handleObj.handler.apply(this,arguments)},teardown:function(){return p.event.remove(this,"._change"),!V.test(this.nodeName)}}),p.support.focusinBubbles||p.each({focus:"focusin",blur:"focusout"},function(a,b){var c=0,d=function(a){p.event.simulate(b,a.target,p.event.fix(a),!0)};p.event.special[b]={setup:function(){c++===0&&e.addEventListener(a,d,!0)},teardown:function(){--c===0&&e.removeEventListener(a,d,!0)}}}),p.fn.extend({on:function(a,c,d,e,f){var g,h;if(typeof a=="object"){typeof c!="string"&&(d=d||c,c=b);for(h in a)this.on(h,c,d,a[h],f);return this}d==null&&e==null?(e=c,d=c=b):e==null&&(typeof c=="string"?(e=d,d=b):(e=d,d=c,c=b));if(e===!1)e=ba;else if(!e)return this;return f===1&&(g=e,e=function(a){return p().off(a),g.apply(this,arguments)},e.guid=g.guid||(g.guid=p.guid++)),this.each(function(){p.event.add(this,a,e,d,c)})},one:function(a,b,c,d){return this.on(a,b,c,d,1)},off:function(a,c,d){var e,f;if(a&&a.preventDefault&&a.handleObj)return e=a.handleObj,p(a.delegateTarget).off(e.namespace?e.origType+"."+e.namespace:e.origType,e.selector,e.handler),this;if(typeof a=="object"){for(f in a)this.off(f,c,a[f]);return this}if(c===!1||typeof c=="function")d=c,c=b;return d===!1&&(d=ba),this.each(function(){p.event.remove(this,a,d,c)})},bind:function(a,b,c){return this.on(a,null,b,c)},unbind:function(a,b){return this.off(a,null,b)},live:function(a,b,c){return p(this.context).on(a,this.selector,b,c),this},die:function(a,b){return p(this.context).off(a,this.selector||"**",b),this},delegate:function(a,b,c,d){return this.on(b,a,c,d)},undelegate:function(a,b,c){return arguments.length===1?this.off(a,"**"):this.off(b,a||"**",c)},trigger:function(a,b){return this.each(function(){p.event.trigger(a,b,this)})},triggerHandler:function(a,b){if(this[0])return p.event.trigger(a,b,this[0],!0)},toggle:function(a){var b=arguments,c=a.guid||p.guid++,d=0,e=function(c){var e=(p._data(this,"lastToggle"+a.guid)||0)%d;return p._data(this,"lastToggle"+a.guid,e+1),c.preventDefault(),b[e].apply(this,arguments)||!1};e.guid=c;while(d<b.length)b[d++].guid=c;return this.click(e)},hover:function(a,b){return this.mouseenter(a).mouseleave(b||a)}}),p.each("blur focus focusin focusout load resize scroll unload click dblclick mousedown mouseup mousemove mouseover mouseout mouseenter mouseleave change select submit keydown keypress keyup error contextmenu".split(" "),function(a,b){p.fn[b]=function(a,c){return c==null&&(c=a,a=null),arguments.length>0?this.on(b,null,a,c):this.trigger(b)},Y.test(b)&&(p.event.fixHooks[b]=p.event.keyHooks),Z.test(b)&&(p.event.fixHooks[b]=p.event.mouseHooks)}),function(a,b){function bc(a,b,c,d){c=c||[],b=b||r;var e,f,i,j,k=b.nodeType;if(!a||typeof a!="string")return c;if(k!==1&&k!==9)return[];i=g(b);if(!i&&!d)if(e=P.exec(a))if(j=e[1]){if(k===9){f=b.getElementById(j);if(!f||!f.parentNode)return c;if(f.id===j)return c.push(f),c}else if(b.ownerDocument&&(f=b.ownerDocument.getElementById(j))&&h(b,f)&&f.id===j)return c.push(f),c}else{if(e[2])return w.apply(c,x.call(b.getElementsByTagName(a),0)),c;if((j=e[3])&&_&&b.getElementsByClassName)return w.apply(c,x.call(b.getElementsByClassName(j),0)),c}return bp(a.replace(L,"$1"),b,c,d,i)}function bd(a){return function(b){var c=b.nodeName.toLowerCase();return c==="input"&&b.type===a}}function be(a){return function(b){var c=b.nodeName.toLowerCase();return(c==="input"||c==="button")&&b.type===a}}function bf(a){return z(function(b){return b=+b,z(function(c,d){var e,f=a([],c.length,b),g=f.length;while(g--)c[e=f[g]]&&(c[e]=!(d[e]=c[e]))})})}function bg(a,b,c){if(a===b)return c;var d=a.nextSibling;while(d){if(d===b)return-1;d=d.nextSibling}return 1}function bh(a,b){var c,d,f,g,h,i,j,k=C[o][a];if(k)return b?0:k.slice(0);h=a,i=[],j=e.preFilter;while(h){if(!c||(d=M.exec(h)))d&&(h=h.slice(d[0].length)),i.push(f=[]);c=!1;if(d=N.exec(h))f.push(c=new q(d.shift())),h=h.slice(c.length),c.type=d[0].replace(L," ");for(g in e.filter)(d=W[g].exec(h))&&(!j[g]||(d=j[g](d,r,!0)))&&(f.push(c=new q(d.shift())),h=h.slice(c.length),c.type=g,c.matches=d);if(!c)break}return b?h.length:h?bc.error(a):C(a,i).slice(0)}function bi(a,b,d){var e=b.dir,f=d&&b.dir==="parentNode",g=u++;return b.first?function(b,c,d){while(b=b[e])if(f||b.nodeType===1)return a(b,c,d)}:function(b,d,h){if(!h){var i,j=t+" "+g+" ",k=j+c;while(b=b[e])if(f||b.nodeType===1){if((i=b[o])===k)return b.sizset;if(typeof i=="string"&&i.indexOf(j)===0){if(b.sizset)return b}else{b[o]=k;if(a(b,d,h))return b.sizset=!0,b;b.sizset=!1}}}else while(b=b[e])if(f||b.nodeType===1)if(a(b,d,h))return b}}function bj(a){return a.length>1?function(b,c,d){var e=a.length;while(e--)if(!a[e](b,c,d))return!1;return!0}:a[0]}function bk(a,b,c,d,e){var f,g=[],h=0,i=a.length,j=b!=null;for(;h<i;h++)if(f=a[h])if(!c||c(f,d,e))g.push(f),j&&b.push(h);return g}function bl(a,b,c,d,e,f){return d&&!d[o]&&(d=bl(d)),e&&!e[o]&&(e=bl(e,f)),z(function(f,g,h,i){if(f&&e)return;var j,k,l,m=[],n=[],o=g.length,p=f||bo(b||"*",h.nodeType?[h]:h,[],f),q=a&&(f||!b)?bk(p,m,a,h,i):p,r=c?e||(f?a:o||d)?[]:g:q;c&&c(q,r,h,i);if(d){l=bk(r,n),d(l,[],h,i),j=l.length;while(j--)if(k=l[j])r[n[j]]=!(q[n[j]]=k)}if(f){j=a&&r.length;while(j--)if(k=r[j])f[m[j]]=!(g[m[j]]=k)}else r=bk(r===g?r.splice(o,r.length):r),e?e(null,g,r,i):w.apply(g,r)})}function bm(a){var b,c,d,f=a.length,g=e.relative[a[0].type],h=g||e.relative[" "],i=g?1:0,j=bi(function(a){return a===b},h,!0),k=bi(function(a){return y.call(b,a)>-1},h,!0),m=[function(a,c,d){return!g&&(d||c!==l)||((b=c).nodeType?j(a,c,d):k(a,c,d))}];for(;i<f;i++)if(c=e.relative[a[i].type])m=[bi(bj(m),c)];else{c=e.filter[a[i].type].apply(null,a[i].matches);if(c[o]){d=++i;for(;d<f;d++)if(e.relative[a[d].type])break;return bl(i>1&&bj(m),i>1&&a.slice(0,i-1).join("").replace(L,"$1"),c,i<d&&bm(a.slice(i,d)),d<f&&bm(a=a.slice(d)),d<f&&a.join(""))}m.push(c)}return bj(m)}function bn(a,b){var d=b.length>0,f=a.length>0,g=function(h,i,j,k,m){var n,o,p,q=[],s=0,u="0",x=h&&[],y=m!=null,z=l,A=h||f&&e.find.TAG("*",m&&i.parentNode||i),B=t+=z==null?1:Math.E;y&&(l=i!==r&&i,c=g.el);for(;(n=A[u])!=null;u++){if(f&&n){for(o=0;p=a[o];o++)if(p(n,i,j)){k.push(n);break}y&&(t=B,c=++g.el)}d&&((n=!p&&n)&&s--,h&&x.push(n))}s+=u;if(d&&u!==s){for(o=0;p=b[o];o++)p(x,q,i,j);if(h){if(s>0)while(u--)!x[u]&&!q[u]&&(q[u]=v.call(k));q=bk(q)}w.apply(k,q),y&&!h&&q.length>0&&s+b.length>1&&bc.uniqueSort(k)}return y&&(t=B,l=z),x};return g.el=0,d?z(g):g}function bo(a,b,c,d){var e=0,f=b.length;for(;e<f;e++)bc(a,b[e],c,d);return c}function bp(a,b,c,d,f){var g,h,j,k,l,m=bh(a),n=m.length;if(!d&&m.length===1){h=m[0]=m[0].slice(0);if(h.length>2&&(j=h[0]).type==="ID"&&b.nodeType===9&&!f&&e.relative[h[1].type]){b=e.find.ID(j.matches[0].replace(V,""),b,f)[0];if(!b)return c;a=a.slice(h.shift().length)}for(g=W.POS.test(a)?-1:h.length-1;g>=0;g--){j=h[g];if(e.relative[k=j.type])break;if(l=e.find[k])if(d=l(j.matches[0].replace(V,""),R.test(h[0].type)&&b.parentNode||b,f)){h.splice(g,1),a=d.length&&h.join("");if(!a)return w.apply(c,x.call(d,0)),c;break}}}return i(a,m)(d,b,f,c,R.test(a)),c}function bq(){}var c,d,e,f,g,h,i,j,k,l,m=!0,n="undefined",o=("sizcache"+Math.random()).replace(".",""),q=String,r=a.document,s=r.documentElement,t=0,u=0,v=[].pop,w=[].push,x=[].slice,y=[].indexOf||function(a){var b=0,c=this.length;for(;b<c;b++)if(this[b]===a)return b;return-1},z=function(a,b){return a[o]=b==null||b,a},A=function(){var a={},b=[];return z(function(c,d){return b.push(c)>e.cacheLength&&delete a[b.shift()],a[c]=d},a)},B=A(),C=A(),D=A(),E="[\\x20\\t\\r\\n\\f]",F="(?:\\\\.|[-\\w]|[^\\x00-\\xa0])+",G=F.replace("w","w#"),H="([*^$|!~]?=)",I="\\["+E+"*("+F+")"+E+"*(?:"+H+E+"*(?:(['\"])((?:\\\\.|[^\\\\])*?)\\3|("+G+")|)|)"+E+"*\\]",J=":("+F+")(?:\\((?:(['\"])((?:\\\\.|[^\\\\])*?)\\2|([^()[\\]]*|(?:(?:"+I+")|[^:]|\\\\.)*|.*))\\)|)",K=":(even|odd|eq|gt|lt|nth|first|last)(?:\\("+E+"*((?:-\\d)?\\d*)"+E+"*\\)|)(?=[^-]|$)",L=new RegExp("^"+E+"+|((?:^|[^\\\\])(?:\\\\.)*)"+E+"+$","g"),M=new RegExp("^"+E+"*,"+E+"*"),N=new RegExp("^"+E+"*([\\x20\\t\\r\\n\\f>+~])"+E+"*"),O=new RegExp(J),P=/^(?:#([\w\-]+)|(\w+)|\.([\w\-]+))$/,Q=/^:not/,R=/[\x20\t\r\n\f]*[+~]/,S=/:not\($/,T=/h\d/i,U=/input|select|textarea|button/i,V=/\\(?!\\)/g,W={ID:new RegExp("^#("+F+")"),CLASS:new RegExp("^\\.("+F+")"),NAME:new RegExp("^\\[name=['\"]?("+F+")['\"]?\\]"),TAG:new RegExp("^("+F.replace("w","w*")+")"),ATTR:new RegExp("^"+I),PSEUDO:new RegExp("^"+J),POS:new RegExp(K,"i"),CHILD:new RegExp("^:(only|nth|first|last)-child(?:\\("+E+"*(even|odd|(([+-]|)(\\d*)n|)"+E+"*(?:([+-]|)"+E+"*(\\d+)|))"+E+"*\\)|)","i"),needsContext:new RegExp("^"+E+"*[>+~]|"+K,"i")},X=function(a){var b=r.createElement("div");try{return a(b)}catch(c){return!1}finally{b=null}},Y=X(function(a){return a.appendChild(r.createComment("")),!a.getElementsByTagName("*").length}),Z=X(function(a){return a.innerHTML="<a href='#'></a>",a.firstChild&&typeof a.firstChild.getAttribute!==n&&a.firstChild.getAttribute("href")==="#"}),$=X(function(a){a.innerHTML="<select></select>";var b=typeof a.lastChild.getAttribute("multiple");return b!=="boolean"&&b!=="string"}),_=X(function(a){return a.innerHTML="<div class='hidden e'></div><div class='hidden'></div>",!a.getElementsByClassName||!a.getElementsByClassName("e").length?!1:(a.lastChild.className="e",a.getElementsByClassName("e").length===2)}),ba=X(function(a){a.id=o+0,a.innerHTML="<a name='"+o+"'></a><div name='"+o+"'></div>",s.insertBefore(a,s.firstChild);var b=r.getElementsByName&&r.getElementsByName(o).length===2+r.getElementsByName(o+0).length;return d=!r.getElementById(o),s.removeChild(a),b});try{x.call(s.childNodes,0)[0].nodeType}catch(bb){x=function(a){var b,c=[];for(;b=this[a];a++)c.push(b);return c}}bc.matches=function(a,b){return bc(a,null,null,b)},bc.matchesSelector=function(a,b){return bc(b,null,null,[a]).length>0},f=bc.getText=function(a){var b,c="",d=0,e=a.nodeType;if(e){if(e===1||e===9||e===11){if(typeof a.textContent=="string")return a.textContent;for(a=a.firstChild;a;a=a.nextSibling)c+=f(a)}else if(e===3||e===4)return a.nodeValue}else for(;b=a[d];d++)c+=f(b);return c},g=bc.isXML=function(a){var b=a&&(a.ownerDocument||a).documentElement;return b?b.nodeName!=="HTML":!1},h=bc.contains=s.contains?function(a,b){var c=a.nodeType===9?a.documentElement:a,d=b&&b.parentNode;return a===d||!!(d&&d.nodeType===1&&c.contains&&c.contains(d))}:s.compareDocumentPosition?function(a,b){return b&&!!(a.compareDocumentPosition(b)&16)}:function(a,b){while(b=b.parentNode)if(b===a)return!0;return!1},bc.attr=function(a,b){var c,d=g(a);return d||(b=b.toLowerCase()),(c=e.attrHandle[b])?c(a):d||$?a.getAttribute(b):(c=a.getAttributeNode(b),c?typeof a[b]=="boolean"?a[b]?b:null:c.specified?c.value:null:null)},e=bc.selectors={cacheLength:50,createPseudo:z,match:W,attrHandle:Z?{}:{href:function(a){return a.getAttribute("href",2)},type:function(a){return a.getAttribute("type")}},find:{ID:d?function(a,b,c){if(typeof b.getElementById!==n&&!c){var d=b.getElementById(a);return d&&d.parentNode?[d]:[]}}:function(a,c,d){if(typeof c.getElementById!==n&&!d){var e=c.getElementById(a);return e?e.id===a||typeof e.getAttributeNode!==n&&e.getAttributeNode("id").value===a?[e]:b:[]}},TAG:Y?function(a,b){if(typeof b.getElementsByTagName!==n)return b.getElementsByTagName(a)}:function(a,b){var c=b.getElementsByTagName(a);if(a==="*"){var d,e=[],f=0;for(;d=c[f];f++)d.nodeType===1&&e.push(d);return e}return c},NAME:ba&&function(a,b){if(typeof b.getElementsByName!==n)return b.getElementsByName(name)},CLASS:_&&function(a,b,c){if(typeof b.getElementsByClassName!==n&&!c)return b.getElementsByClassName(a)}},relative:{">":{dir:"parentNode",first:!0}," ":{dir:"parentNode"},"+":{dir:"previousSibling",first:!0},"~":{dir:"previousSibling"}},preFilter:{ATTR:function(a){return a[1]=a[1].replace(V,""),a[3]=(a[4]||a[5]||"").replace(V,""),a[2]==="~="&&(a[3]=" "+a[3]+" "),a.slice(0,4)},CHILD:function(a){return a[1]=a[1].toLowerCase(),a[1]==="nth"?(a[2]||bc.error(a[0]),a[3]=+(a[3]?a[4]+(a[5]||1):2*(a[2]==="even"||a[2]==="odd")),a[4]=+(a[6]+a[7]||a[2]==="odd")):a[2]&&bc.error(a[0]),a},PSEUDO:function(a){var b,c;if(W.CHILD.test(a[0]))return null;if(a[3])a[2]=a[3];else if(b=a[4])O.test(b)&&(c=bh(b,!0))&&(c=b.indexOf(")",b.length-c)-b.length)&&(b=b.slice(0,c),a[0]=a[0].slice(0,c)),a[2]=b;return a.slice(0,3)}},filter:{ID:d?function(a){return a=a.replace(V,""),function(b){return b.getAttribute("id")===a}}:function(a){return a=a.replace(V,""),function(b){var c=typeof b.getAttributeNode!==n&&b.getAttributeNode("id");return c&&c.value===a}},TAG:function(a){return a==="*"?function(){return!0}:(a=a.replace(V,"").toLowerCase(),function(b){return b.nodeName&&b.nodeName.toLowerCase()===a})},CLASS:function(a){var b=B[o][a];return b||(b=B(a,new RegExp("(^|"+E+")"+a+"("+E+"|$)"))),function(a){return b.test(a.className||typeof a.getAttribute!==n&&a.getAttribute("class")||"")}},ATTR:function(a,b,c){return function(d,e){var f=bc.attr(d,a);return f==null?b==="!=":b?(f+="",b==="="?f===c:b==="!="?f!==c:b==="^="?c&&f.indexOf(c)===0:b==="*="?c&&f.indexOf(c)>-1:b==="$="?c&&f.substr(f.length-c.length)===c:b==="~="?(" "+f+" ").indexOf(c)>-1:b==="|="?f===c||f.substr(0,c.length+1)===c+"-":!1):!0}},CHILD:function(a,b,c,d){return a==="nth"?function(a){var b,e,f=a.parentNode;if(c===1&&d===0)return!0;if(f){e=0;for(b=f.firstChild;b;b=b.nextSibling)if(b.nodeType===1){e++;if(a===b)break}}return e-=d,e===c||e%c===0&&e/c>=0}:function(b){var c=b;switch(a){case"only":case"first":while(c=c.previousSibling)if(c.nodeType===1)return!1;if(a==="first")return!0;c=b;case"last":while(c=c.nextSibling)if(c.nodeType===1)return!1;return!0}}},PSEUDO:function(a,b){var c,d=e.pseudos[a]||e.setFilters[a.toLowerCase()]||bc.error("unsupported pseudo: "+a);return d[o]?d(b):d.length>1?(c=[a,a,"",b],e.setFilters.hasOwnProperty(a.toLowerCase())?z(function(a,c){var e,f=d(a,b),g=f.length;while(g--)e=y.call(a,f[g]),a[e]=!(c[e]=f[g])}):function(a){return d(a,0,c)}):d}},pseudos:{not:z(function(a){var b=[],c=[],d=i(a.replace(L,"$1"));return d[o]?z(function(a,b,c,e){var f,g=d(a,null,e,[]),h=a.length;while(h--)if(f=g[h])a[h]=!(b[h]=f)}):function(a,e,f){return b[0]=a,d(b,null,f,c),!c.pop()}}),has:z(function(a){return function(b){return bc(a,b).length>0}}),contains:z(function(a){return function(b){return(b.textContent||b.innerText||f(b)).indexOf(a)>-1}}),enabled:function(a){return a.disabled===!1},disabled:function(a){return a.disabled===!0},checked:function(a){var b=a.nodeName.toLowerCase();return b==="input"&&!!a.checked||b==="option"&&!!a.selected},selected:function(a){return a.parentNode&&a.parentNode.selectedIndex,a.selected===!0},parent:function(a){return!e.pseudos.empty(a)},empty:function(a){var b;a=a.firstChild;while(a){if(a.nodeName>"@"||(b=a.nodeType)===3||b===4)return!1;a=a.nextSibling}return!0},header:function(a){return T.test(a.nodeName)},text:function(a){var b,c;return a.nodeName.toLowerCase()==="input"&&(b=a.type)==="text"&&((c=a.getAttribute("type"))==null||c.toLowerCase()===b)},radio:bd("radio"),checkbox:bd("checkbox"),file:bd("file"),password:bd("password"),image:bd("image"),submit:be("submit"),reset:be("reset"),button:function(a){var b=a.nodeName.toLowerCase();return b==="input"&&a.type==="button"||b==="button"},input:function(a){return U.test(a.nodeName)},focus:function(a){var b=a.ownerDocument;return a===b.activeElement&&(!b.hasFocus||b.hasFocus())&&(!!a.type||!!a.href)},active:function(a){return a===a.ownerDocument.activeElement},first:bf(function(a,b,c){return[0]}),last:bf(function(a,b,c){return[b-1]}),eq:bf(function(a,b,c){return[c<0?c+b:c]}),even:bf(function(a,b,c){for(var d=0;d<b;d+=2)a.push(d);return a}),odd:bf(function(a,b,c){for(var d=1;d<b;d+=2)a.push(d);return a}),lt:bf(function(a,b,c){for(var d=c<0?c+b:c;--d>=0;)a.push(d);return a}),gt:bf(function(a,b,c){for(var d=c<0?c+b:c;++d<b;)a.push(d);return a})}},j=s.compareDocumentPosition?function(a,b){return a===b?(k=!0,0):(!a.compareDocumentPosition||!b.compareDocumentPosition?a.compareDocumentPosition:a.compareDocumentPosition(b)&4)?-1:1}:function(a,b){if(a===b)return k=!0,0;if(a.sourceIndex&&b.sourceIndex)return a.sourceIndex-b.sourceIndex;var c,d,e=[],f=[],g=a.parentNode,h=b.parentNode,i=g;if(g===h)return bg(a,b);if(!g)return-1;if(!h)return 1;while(i)e.unshift(i),i=i.parentNode;i=h;while(i)f.unshift(i),i=i.parentNode;c=e.length,d=f.length;for(var j=0;j<c&&j<d;j++)if(e[j]!==f[j])return bg(e[j],f[j]);return j===c?bg(a,f[j],-1):bg(e[j],b,1)},[0,0].sort(j),m=!k,bc.uniqueSort=function(a){var b,c=1;k=m,a.sort(j);if(k)for(;b=a[c];c++)b===a[c-1]&&a.splice(c--,1);return a},bc.error=function(a){throw new Error("Syntax error, unrecognized expression: "+a)},i=bc.compile=function(a,b){var c,d=[],e=[],f=D[o][a];if(!f){b||(b=bh(a)),c=b.length;while(c--)f=bm(b[c]),f[o]?d.push(f):e.push(f);f=D(a,bn(e,d))}return f},r.querySelectorAll&&function(){var a,b=bp,c=/'|\\/g,d=/\=[\x20\t\r\n\f]*([^'"\]]*)[\x20\t\r\n\f]*\]/g,e=[":focus"],f=[":active",":focus"],h=s.matchesSelector||s.mozMatchesSelector||s.webkitMatchesSelector||s.oMatchesSelector||s.msMatchesSelector;X(function(a){a.innerHTML="<select><option selected=''></option></select>",a.querySelectorAll("[selected]").length||e.push("\\["+E+"*(?:checked|disabled|ismap|multiple|readonly|selected|value)"),a.querySelectorAll(":checked").length||e.push(":checked")}),X(function(a){a.innerHTML="<p test=''></p>",a.querySelectorAll("[test^='']").length&&e.push("[*^$]="+E+"*(?:\"\"|'')"),a.innerHTML="<input type='hidden'/>",a.querySelectorAll(":enabled").length||e.push(":enabled",":disabled")}),e=new RegExp(e.join("|")),bp=function(a,d,f,g,h){if(!g&&!h&&(!e||!e.test(a))){var i,j,k=!0,l=o,m=d,n=d.nodeType===9&&a;if(d.nodeType===1&&d.nodeName.toLowerCase()!=="object"){i=bh(a),(k=d.getAttribute("id"))?l=k.replace(c,"\\$&"):d.setAttribute("id",l),l="[id='"+l+"'] ",j=i.length;while(j--)i[j]=l+i[j].join("");m=R.test(a)&&d.parentNode||d,n=i.join(",")}if(n)try{return w.apply(f,x.call(m.querySelectorAll(n),0)),f}catch(p){}finally{k||d.removeAttribute("id")}}return b(a,d,f,g,h)},h&&(X(function(b){a=h.call(b,"div");try{h.call(b,"[test!='']:sizzle"),f.push("!=",J)}catch(c){}}),f=new RegExp(f.join("|")),bc.matchesSelector=function(b,c){c=c.replace(d,"='$1']");if(!g(b)&&!f.test(c)&&(!e||!e.test(c)))try{var i=h.call(b,c);if(i||a||b.document&&b.document.nodeType!==11)return i}catch(j){}return bc(c,null,null,[b]).length>0})}(),e.pseudos.nth=e.pseudos.eq,e.filters=bq.prototype=e.pseudos,e.setFilters=new bq,bc.attr=p.attr,p.find=bc,p.expr=bc.selectors,p.expr[":"]=p.expr.pseudos,p.unique=bc.uniqueSort,p.text=bc.getText,p.isXMLDoc=bc.isXML,p.contains=bc.contains}(a);var bc=/Until$/,bd=/^(?:parents|prev(?:Until|All))/,be=/^.[^:#\[\.,]*$/,bf=p.expr.match.needsContext,bg={children:!0,contents:!0,next:!0,prev:!0};p.fn.extend({find:function(a){var b,c,d,e,f,g,h=this;if(typeof a!="string")return p(a).filter(function(){for(b=0,c=h.length;b<c;b++)if(p.contains(h[b],this))return!0});g=this.pushStack("","find",a);for(b=0,c=this.length;b<c;b++){d=g.length,p.find(a,this[b],g);if(b>0)for(e=d;e<g.length;e++)for(f=0;f<d;f++)if(g[f]===g[e]){g.splice(e--,1);break}}return g},has:function(a){var b,c=p(a,this),d=c.length;return this.filter(function(){for(b=0;b<d;b++)if(p.contains(this,c[b]))return!0})},not:function(a){return this.pushStack(bj(this,a,!1),"not",a)},filter:function(a){return this.pushStack(bj(this,a,!0),"filter",a)},is:function(a){return!!a&&(typeof a=="string"?bf.test(a)?p(a,this.context).index(this[0])>=0:p.filter(a,this).length>0:this.filter(a).length>0)},closest:function(a,b){var c,d=0,e=this.length,f=[],g=bf.test(a)||typeof a!="string"?p(a,b||this.context):0;for(;d<e;d++){c=this[d];while(c&&c.ownerDocument&&c!==b&&c.nodeType!==11){if(g?g.index(c)>-1:p.find.matchesSelector(c,a)){f.push(c);break}c=c.parentNode}}return f=f.length>1?p.unique(f):f,this.pushStack(f,"closest",a)},index:function(a){return a?typeof a=="string"?p.inArray(this[0],p(a)):p.inArray(a.jquery?a[0]:a,this):this[0]&&this[0].parentNode?this.prevAll().length:-1},add:function(a,b){var c=typeof a=="string"?p(a,b):p.makeArray(a&&a.nodeType?[a]:a),d=p.merge(this.get(),c);return this.pushStack(bh(c[0])||bh(d[0])?d:p.unique(d))},addBack:function(a){return this.add(a==null?this.prevObject:this.prevObject.filter(a))}}),p.fn.andSelf=p.fn.addBack,p.each({parent:function(a){var b=a.parentNode;return b&&b.nodeType!==11?b:null},parents:function(a){return p.dir(a,"parentNode")},parentsUntil:function(a,b,c){return p.dir(a,"parentNode",c)},next:function(a){return bi(a,"nextSibling")},prev:function(a){return bi(a,"previousSibling")},nextAll:function(a){return p.dir(a,"nextSibling")},prevAll:function(a){return p.dir(a,"previousSibling")},nextUntil:function(a,b,c){return p.dir(a,"nextSibling",c)},prevUntil:function(a,b,c){return p.dir(a,"previousSibling",c)},siblings:function(a){return p.sibling((a.parentNode||{}).firstChild,a)},children:function(a){return p.sibling(a.firstChild)},contents:function(a){return p.nodeName(a,"iframe")?a.contentDocument||a.contentWindow.document:p.merge([],a.childNodes)}},function(a,b){p.fn[a]=function(c,d){var e=p.map(this,b,c);return bc.test(a)||(d=c),d&&typeof d=="string"&&(e=p.filter(d,e)),e=this.length>1&&!bg[a]?p.unique(e):e,this.length>1&&bd.test(a)&&(e=e.reverse()),this.pushStack(e,a,k.call(arguments).join(","))}}),p.extend({filter:function(a,b,c){return c&&(a=":not("+a+")"),b.length===1?p.find.matchesSelector(b[0],a)?[b[0]]:[]:p.find.matches(a,b)},dir:function(a,c,d){var e=[],f=a[c];while(f&&f.nodeType!==9&&(d===b||f.nodeType!==1||!p(f).is(d)))f.nodeType===1&&e.push(f),f=f[c];return e},sibling:function(a,b){var c=[];for(;a;a=a.nextSibling)a.nodeType===1&&a!==b&&c.push(a);return c}});var bl="abbr|article|aside|audio|bdi|canvas|data|datalist|details|figcaption|figure|footer|header|hgroup|mark|meter|nav|output|progress|section|summary|time|video",bm=/ jQuery\d+="(?:null|\d+)"/g,bn=/^\s+/,bo=/<(?!area|br|col|embed|hr|img|input|link|meta|param)(([\w:]+)[^>]*)\/>/gi,bp=/<([\w:]+)/,bq=/<tbody/i,br=/<|&#?\w+;/,bs=/<(?:script|style|link)/i,bt=/<(?:script|object|embed|option|style)/i,bu=new RegExp("<(?:"+bl+")[\\s/>]","i"),bv=/^(?:checkbox|radio)$/,bw=/checked\s*(?:[^=]|=\s*.checked.)/i,bx=/\/(java|ecma)script/i,by=/^\s*<!(?:\[CDATA\[|\-\-)|[\]\-]{2}>\s*$/g,bz={option:[1,"<select multiple='multiple'>","</select>"],legend:[1,"<fieldset>","</fieldset>"],thead:[1,"<table>","</table>"],tr:[2,"<table><tbody>","</tbody></table>"],td:[3,"<table><tbody><tr>","</tr></tbody></table>"],col:[2,"<table><tbody></tbody><colgroup>","</colgroup></table>"],area:[1,"<map>","</map>"],_default:[0,"",""]},bA=bk(e),bB=bA.appendChild(e.createElement("div"));bz.optgroup=bz.option,bz.tbody=bz.tfoot=bz.colgroup=bz.caption=bz.thead,bz.th=bz.td,p.support.htmlSerialize||(bz._default=[1,"X<div>","</div>"]),p.fn.extend({text:function(a){return p.access(this,function(a){return a===b?p.text(this):this.empty().append((this[0]&&this[0].ownerDocument||e).createTextNode(a))},null,a,arguments.length)},wrapAll:function(a){if(p.isFunction(a))return this.each(function(b){p(this).wrapAll(a.call(this,b))});if(this[0]){var b=p(a,this[0].ownerDocument).eq(0).clone(!0);this[0].parentNode&&b.insertBefore(this[0]),b.map(function(){var a=this;while(a.firstChild&&a.firstChild.nodeType===1)a=a.firstChild;return a}).append(this)}return this},wrapInner:function(a){return p.isFunction(a)?this.each(function(b){p(this).wrapInner(a.call(this,b))}):this.each(function(){var b=p(this),c=b.contents();c.length?c.wrapAll(a):b.append(a)})},wrap:function(a){var b=p.isFunction(a);return this.each(function(c){p(this).wrapAll(b?a.call(this,c):a)})},unwrap:function(){return this.parent().each(function(){p.nodeName(this,"body")||p(this).replaceWith(this.childNodes)}).end()},append:function(){return this.domManip(arguments,!0,function(a){(this.nodeType===1||this.nodeType===11)&&this.appendChild(a)})},prepend:function(){return this.domManip(arguments,!0,function(a){(this.nodeType===1||this.nodeType===11)&&this.insertBefore(a,this.firstChild)})},before:function(){if(!bh(this[0]))return this.domManip(arguments,!1,function(a){this.parentNode.insertBefore(a,this)});if(arguments.length){var a=p.clean(arguments);return this.pushStack(p.merge(a,this),"before",this.selector)}},after:function(){if(!bh(this[0]))return this.domManip(arguments,!1,function(a){this.parentNode.insertBefore(a,this.nextSibling)});if(arguments.length){var a=p.clean(arguments);return this.pushStack(p.merge(this,a),"after",this.selector)}},remove:function(a,b){var c,d=0;for(;(c=this[d])!=null;d++)if(!a||p.filter(a,[c]).length)!b&&c.nodeType===1&&(p.cleanData(c.getElementsByTagName("*")),p.cleanData([c])),c.parentNode&&c.parentNode.removeChild(c);return this},empty:function(){var a,b=0;for(;(a=this[b])!=null;b++){a.nodeType===1&&p.cleanData(a.getElementsByTagName("*"));while(a.firstChild)a.removeChild(a.firstChild)}return this},clone:function(a,b){return a=a==null?!1:a,b=b==null?a:b,this.map(function(){return p.clone(this,a,b)})},html:function(a){return p.access(this,function(a){var c=this[0]||{},d=0,e=this.length;if(a===b)return c.nodeType===1?c.innerHTML.replace(bm,""):b;if(typeof a=="string"&&!bs.test(a)&&(p.support.htmlSerialize||!bu.test(a))&&(p.support.leadingWhitespace||!bn.test(a))&&!bz[(bp.exec(a)||["",""])[1].toLowerCase()]){a=a.replace(bo,"<$1></$2>");try{for(;d<e;d++)c=this[d]||{},c.nodeType===1&&(p.cleanData(c.getElementsByTagName("*")),c.innerHTML=a);c=0}catch(f){}}c&&this.empty().append(a)},null,a,arguments.length)},replaceWith:function(a){return bh(this[0])?this.length?this.pushStack(p(p.isFunction(a)?a():a),"replaceWith",a):this:p.isFunction(a)?this.each(function(b){var c=p(this),d=c.html();c.replaceWith(a.call(this,b,d))}):(typeof a!="string"&&(a=p(a).detach()),this.each(function(){var b=this.nextSibling,c=this.parentNode;p(this).remove(),b?p(b).before(a):p(c).append(a)}))},detach:function(a){return this.remove(a,!0)},domManip:function(a,c,d){a=[].concat.apply([],a);var e,f,g,h,i=0,j=a[0],k=[],l=this.length;if(!p.support.checkClone&&l>1&&typeof j=="string"&&bw.test(j))return this.each(function(){p(this).domManip(a,c,d)});if(p.isFunction(j))return this.each(function(e){var f=p(this);a[0]=j.call(this,e,c?f.html():b),f.domManip(a,c,d)});if(this[0]){e=p.buildFragment(a,this,k),g=e.fragment,f=g.firstChild,g.childNodes.length===1&&(g=f);if(f){c=c&&p.nodeName(f,"tr");for(h=e.cacheable||l-1;i<l;i++)d.call(c&&p.nodeName(this[i],"table")?bC(this[i],"tbody"):this[i],i===h?g:p.clone(g,!0,!0))}g=f=null,k.length&&p.each(k,function(a,b){b.src?p.ajax?p.ajax({url:b.src,type:"GET",dataType:"script",async:!1,global:!1,"throws":!0}):p.error("no ajax"):p.globalEval((b.text||b.textContent||b.innerHTML||"").replace(by,"")),b.parentNode&&b.parentNode.removeChild(b)})}return this}}),p.buildFragment=function(a,c,d){var f,g,h,i=a[0];return c=c||e,c=!c.nodeType&&c[0]||c,c=c.ownerDocument||c,a.length===1&&typeof i=="string"&&i.length<512&&c===e&&i.charAt(0)==="<"&&!bt.test(i)&&(p.support.checkClone||!bw.test(i))&&(p.support.html5Clone||!bu.test(i))&&(g=!0,f=p.fragments[i],h=f!==b),f||(f=c.createDocumentFragment(),p.clean(a,c,f,d),g&&(p.fragments[i]=h&&f)),{fragment:f,cacheable:g}},p.fragments={},p.each({appendTo:"append",prependTo:"prepend",insertBefore:"before",insertAfter:"after",replaceAll:"replaceWith"},function(a,b){p.fn[a]=function(c){var d,e=0,f=[],g=p(c),h=g.length,i=this.length===1&&this[0].parentNode;if((i==null||i&&i.nodeType===11&&i.childNodes.length===1)&&h===1)return g[b](this[0]),this;for(;e<h;e++)d=(e>0?this.clone(!0):this).get(),p(g[e])[b](d),f=f.concat(d);return this.pushStack(f,a,g.selector)}}),p.extend({clone:function(a,b,c){var d,e,f,g;p.support.html5Clone||p.isXMLDoc(a)||!bu.test("<"+a.nodeName+">")?g=a.cloneNode(!0):(bB.innerHTML=a.outerHTML,bB.removeChild(g=bB.firstChild));if((!p.support.noCloneEvent||!p.support.noCloneChecked)&&(a.nodeType===1||a.nodeType===11)&&!p.isXMLDoc(a)){bE(a,g),d=bF(a),e=bF(g);for(f=0;d[f];++f)e[f]&&bE(d[f],e[f])}if(b){bD(a,g);if(c){d=bF(a),e=bF(g);for(f=0;d[f];++f)bD(d[f],e[f])}}return d=e=null,g},clean:function(a,b,c,d){var f,g,h,i,j,k,l,m,n,o,q,r,s=b===e&&bA,t=[];if(!b||typeof b.createDocumentFragment=="undefined")b=e;for(f=0;(h=a[f])!=null;f++){typeof h=="number"&&(h+="");if(!h)continue;if(typeof h=="string")if(!br.test(h))h=b.createTextNode(h);else{s=s||bk(b),l=b.createElement("div"),s.appendChild(l),h=h.replace(bo,"<$1></$2>"),i=(bp.exec(h)||["",""])[1].toLowerCase(),j=bz[i]||bz._default,k=j[0],l.innerHTML=j[1]+h+j[2];while(k--)l=l.lastChild;if(!p.support.tbody){m=bq.test(h),n=i==="table"&&!m?l.firstChild&&l.firstChild.childNodes:j[1]==="<table>"&&!m?l.childNodes:[];for(g=n.length-1;g>=0;--g)p.nodeName(n[g],"tbody")&&!n[g].childNodes.length&&n[g].parentNode.removeChild(n[g])}!p.support.leadingWhitespace&&bn.test(h)&&l.insertBefore(b.createTextNode(bn.exec(h)[0]),l.firstChild),h=l.childNodes,l.parentNode.removeChild(l)}h.nodeType?t.push(h):p.merge(t,h)}l&&(h=l=s=null);if(!p.support.appendChecked)for(f=0;(h=t[f])!=null;f++)p.nodeName(h,"input")?bG(h):typeof h.getElementsByTagName!="undefined"&&p.grep(h.getElementsByTagName("input"),bG);if(c){q=function(a){if(!a.type||bx.test(a.type))return d?d.push(a.parentNode?a.parentNode.removeChild(a):a):c.appendChild(a)};for(f=0;(h=t[f])!=null;f++)if(!p.nodeName(h,"script")||!q(h))c.appendChild(h),typeof h.getElementsByTagName!="undefined"&&(r=p.grep(p.merge([],h.getElementsByTagName("script")),q),t.splice.apply(t,[f+1,0].concat(r)),f+=r.length)}return t},cleanData:function(a,b){var c,d,e,f,g=0,h=p.expando,i=p.cache,j=p.support.deleteExpando,k=p.event.special;for(;(e=a[g])!=null;g++)if(b||p.acceptData(e)){d=e[h],c=d&&i[d];if(c){if(c.events)for(f in c.events)k[f]?p.event.remove(e,f):p.removeEvent(e,f,c.handle);i[d]&&(delete i[d],j?delete e[h]:e.removeAttribute?e.removeAttribute(h):e[h]=null,p.deletedIds.push(d))}}}}),function(){var a,b;p.uaMatch=function(a){a=a.toLowerCase();var b=/(chrome)[ \/]([\w.]+)/.exec(a)||/(webkit)[ \/]([\w.]+)/.exec(a)||/(opera)(?:.*version|)[ \/]([\w.]+)/.exec(a)||/(msie) ([\w.]+)/.exec(a)||a.indexOf("compatible")<0&&/(mozilla)(?:.*? rv:([\w.]+)|)/.exec(a)||[];return{browser:b[1]||"",version:b[2]||"0"}},a=p.uaMatch(g.userAgent),b={},a.browser&&(b[a.browser]=!0,b.version=a.version),b.chrome?b.webkit=!0:b.webkit&&(b.safari=!0),p.browser=b,p.sub=function(){function a(b,c){return new a.fn.init(b,c)}p.extend(!0,a,this),a.superclass=this,a.fn=a.prototype=this(),a.fn.constructor=a,a.sub=this.sub,a.fn.init=function c(c,d){return d&&d instanceof p&&!(d instanceof a)&&(d=a(d)),p.fn.init.call(this,c,d,b)},a.fn.init.prototype=a.fn;var b=a(e);return a}}();var bH,bI,bJ,bK=/alpha\([^)]*\)/i,bL=/opacity=([^)]*)/,bM=/^(top|right|bottom|left)$/,bN=/^(none|table(?!-c[ea]).+)/,bO=/^margin/,bP=new RegExp("^("+q+")(.*)$","i"),bQ=new RegExp("^("+q+")(?!px)[a-z%]+$","i"),bR=new RegExp("^([-+])=("+q+")","i"),bS={},bT={position:"absolute",visibility:"hidden",display:"block"},bU={letterSpacing:0,fontWeight:400},bV=["Top","Right","Bottom","Left"],bW=["Webkit","O","Moz","ms"],bX=p.fn.toggle;p.fn.extend({css:function(a,c){return p.access(this,function(a,c,d){return d!==b?p.style(a,c,d):p.css(a,c)},a,c,arguments.length>1)},show:function(){return b$(this,!0)},hide:function(){return b$(this)},toggle:function(a,b){var c=typeof a=="boolean";return p.isFunction(a)&&p.isFunction(b)?bX.apply(this,arguments):this.each(function(){(c?a:bZ(this))?p(this).show():p(this).hide()})}}),p.extend({cssHooks:{opacity:{get:function(a,b){if(b){var c=bH(a,"opacity");return c===""?"1":c}}}},cssNumber:{fillOpacity:!0,fontWeight:!0,lineHeight:!0,opacity:!0,orphans:!0,widows:!0,zIndex:!0,zoom:!0},cssProps:{"float":p.support.cssFloat?"cssFloat":"styleFloat"},style:function(a,c,d,e){if(!a||a.nodeType===3||a.nodeType===8||!a.style)return;var f,g,h,i=p.camelCase(c),j=a.style;c=p.cssProps[i]||(p.cssProps[i]=bY(j,i)),h=p.cssHooks[c]||p.cssHooks[i];if(d===b)return h&&"get"in h&&(f=h.get(a,!1,e))!==b?f:j[c];g=typeof d,g==="string"&&(f=bR.exec(d))&&(d=(f[1]+1)*f[2]+parseFloat(p.css(a,c)),g="number");if(d==null||g==="number"&&isNaN(d))return;g==="number"&&!p.cssNumber[i]&&(d+="px");if(!h||!("set"in h)||(d=h.set(a,d,e))!==b)try{j[c]=d}catch(k){}},css:function(a,c,d,e){var f,g,h,i=p.camelCase(c);return c=p.cssProps[i]||(p.cssProps[i]=bY(a.style,i)),h=p.cssHooks[c]||p.cssHooks[i],h&&"get"in h&&(f=h.get(a,!0,e)),f===b&&(f=bH(a,c)),f==="normal"&&c in bU&&(f=bU[c]),d||e!==b?(g=parseFloat(f),d||p.isNumeric(g)?g||0:f):f},swap:function(a,b,c){var d,e,f={};for(e in b)f[e]=a.style[e],a.style[e]=b[e];d=c.call(a);for(e in b)a.style[e]=f[e];return d}}),a.getComputedStyle?bH=function(b,c){var d,e,f,g,h=a.getComputedStyle(b,null),i=b.style;return h&&(d=h[c],d===""&&!p.contains(b.ownerDocument,b)&&(d=p.style(b,c)),bQ.test(d)&&bO.test(c)&&(e=i.width,f=i.minWidth,g=i.maxWidth,i.minWidth=i.maxWidth=i.width=d,d=h.width,i.width=e,i.minWidth=f,i.maxWidth=g)),d}:e.documentElement.currentStyle&&(bH=function(a,b){var c,d,e=a.currentStyle&&a.currentStyle[b],f=a.style;return e==null&&f&&f[b]&&(e=f[b]),bQ.test(e)&&!bM.test(b)&&(c=f.left,d=a.runtimeStyle&&a.runtimeStyle.left,d&&(a.runtimeStyle.left=a.currentStyle.left),f.left=b==="fontSize"?"1em":e,e=f.pixelLeft+"px",f.left=c,d&&(a.runtimeStyle.left=d)),e===""?"auto":e}),p.each(["height","width"],function(a,b){p.cssHooks[b]={get:function(a,c,d){if(c)return a.offsetWidth===0&&bN.test(bH(a,"display"))?p.swap(a,bT,function(){return cb(a,b,d)}):cb(a,b,d)},set:function(a,c,d){return b_(a,c,d?ca(a,b,d,p.support.boxSizing&&p.css(a,"boxSizing")==="border-box"):0)}}}),p.support.opacity||(p.cssHooks.opacity={get:function(a,b){return bL.test((b&&a.currentStyle?a.currentStyle.filter:a.style.filter)||"")?.01*parseFloat(RegExp.$1)+"":b?"1":""},set:function(a,b){var c=a.style,d=a.currentStyle,e=p.isNumeric(b)?"alpha(opacity="+b*100+")":"",f=d&&d.filter||c.filter||"";c.zoom=1;if(b>=1&&p.trim(f.replace(bK,""))===""&&c.removeAttribute){c.removeAttribute("filter");if(d&&!d.filter)return}c.filter=bK.test(f)?f.replace(bK,e):f+" "+e}}),p(function(){p.support.reliableMarginRight||(p.cssHooks.marginRight={get:function(a,b){return p.swap(a,{display:"inline-block"},function(){if(b)return bH(a,"marginRight")})}}),!p.support.pixelPosition&&p.fn.position&&p.each(["top","left"],function(a,b){p.cssHooks[b]={get:function(a,c){if(c){var d=bH(a,b);return bQ.test(d)?p(a).position()[b]+"px":d}}}})}),p.expr&&p.expr.filters&&(p.expr.filters.hidden=function(a){return a.offsetWidth===0&&a.offsetHeight===0||!p.support.reliableHiddenOffsets&&(a.style&&a.style.display||bH(a,"display"))==="none"},p.expr.filters.visible=function(a){return!p.expr.filters.hidden(a)}),p.each({margin:"",padding:"",border:"Width"},function(a,b){p.cssHooks[a+b]={expand:function(c){var d,e=typeof c=="string"?c.split(" "):[c],f={};for(d=0;d<4;d++)f[a+bV[d]+b]=e[d]||e[d-2]||e[0];return f}},bO.test(a)||(p.cssHooks[a+b].set=b_)});var cd=/%20/g,ce=/\[\]$/,cf=/\r?\n/g,cg=/^(?:color|date|datetime|datetime-local|email|hidden|month|number|password|range|search|tel|text|time|url|week)$/i,ch=/^(?:select|textarea)/i;p.fn.extend({serialize:function(){return p.param(this.serializeArray())},serializeArray:function(){return this.map(function(){return this.elements?p.makeArray(this.elements):this}).filter(function(){return this.name&&!this.disabled&&(this.checked||ch.test(this.nodeName)||cg.test(this.type))}).map(function(a,b){var c=p(this).val();return c==null?null:p.isArray(c)?p.map(c,function(a,c){return{name:b.name,value:a.replace(cf,"\r\n")}}):{name:b.name,value:c.replace(cf,"\r\n")}}).get()}}),p.param=function(a,c){var d,e=[],f=function(a,b){b=p.isFunction(b)?b():b==null?"":b,e[e.length]=encodeURIComponent(a)+"="+encodeURIComponent(b)};c===b&&(c=p.ajaxSettings&&p.ajaxSettings.traditional);if(p.isArray(a)||a.jquery&&!p.isPlainObject(a))p.each(a,function(){f(this.name,this.value)});else for(d in a)ci(d,a[d],c,f);return e.join("&").replace(cd,"+")};var cj,ck,cl=/#.*$/,cm=/^(.*?):[ \t]*([^\r\n]*)\r?$/mg,cn=/^(?:about|app|app\-storage|.+\-extension|file|res|widget):$/,co=/^(?:GET|HEAD)$/,cp=/^\/\//,cq=/\?/,cr=/<script\b[^<]*(?:(?!<\/script>)<[^<]*)*<\/script>/gi,cs=/([?&])_=[^&]*/,ct=/^([\w\+\.\-]+:)(?:\/\/([^\/?#:]*)(?::(\d+)|)|)/,cu=p.fn.load,cv={},cw={},cx=["*/"]+["*"];try{ck=f.href}catch(cy){ck=e.createElement("a"),ck.href="",ck=ck.href}cj=ct.exec(ck.toLowerCase())||[],p.fn.load=function(a,c,d){if(typeof a!="string"&&cu)return cu.apply(this,arguments);if(!this.length)return this;var e,f,g,h=this,i=a.indexOf(" ");return i>=0&&(e=a.slice(i,a.length),a=a.slice(0,i)),p.isFunction(c)?(d=c,c=b):c&&typeof c=="object"&&(f="POST"),p.ajax({url:a,type:f,dataType:"html",data:c,complete:function(a,b){d&&h.each(d,g||[a.responseText,b,a])}}).done(function(a){g=arguments,h.html(e?p("<div>").append(a.replace(cr,"")).find(e):a)}),this},p.each("ajaxStart ajaxStop ajaxComplete ajaxError ajaxSuccess ajaxSend".split(" "),function(a,b){p.fn[b]=function(a){return this.on(b,a)}}),p.each(["get","post"],function(a,c){p[c]=function(a,d,e,f){return p.isFunction(d)&&(f=f||e,e=d,d=b),p.ajax({type:c,url:a,data:d,success:e,dataType:f})}}),p.extend({getScript:function(a,c){return p.get(a,b,c,"script")},getJSON:function(a,b,c){return p.get(a,b,c,"json")},ajaxSetup:function(a,b){return b?cB(a,p.ajaxSettings):(b=a,a=p.ajaxSettings),cB(a,b),a},ajaxSettings:{url:ck,isLocal:cn.test(cj[1]),global:!0,type:"GET",contentType:"application/x-www-form-urlencoded; charset=UTF-8",processData:!0,async:!0,accepts:{xml:"application/xml, text/xml",html:"text/html",text:"text/plain",json:"application/json, text/javascript","*":cx},contents:{xml:/xml/,html:/html/,json:/json/},responseFields:{xml:"responseXML",text:"responseText"},converters:{"* text":a.String,"text html":!0,"text json":p.parseJSON,"text xml":p.parseXML},flatOptions:{context:!0,url:!0}},ajaxPrefilter:cz(cv),ajaxTransport:cz(cw),ajax:function(a,c){function y(a,c,f,i){var k,s,t,u,w,y=c;if(v===2)return;v=2,h&&clearTimeout(h),g=b,e=i||"",x.readyState=a>0?4:0,f&&(u=cC(l,x,f));if(a>=200&&a<300||a===304)l.ifModified&&(w=x.getResponseHeader("Last-Modified"),w&&(p.lastModified[d]=w),w=x.getResponseHeader("Etag"),w&&(p.etag[d]=w)),a===304?(y="notmodified",k=!0):(k=cD(l,u),y=k.state,s=k.data,t=k.error,k=!t);else{t=y;if(!y||a)y="error",a<0&&(a=0)}x.status=a,x.statusText=(c||y)+"",k?o.resolveWith(m,[s,y,x]):o.rejectWith(m,[x,y,t]),x.statusCode(r),r=b,j&&n.trigger("ajax"+(k?"Success":"Error"),[x,l,k?s:t]),q.fireWith(m,[x,y]),j&&(n.trigger("ajaxComplete",[x,l]),--p.active||p.event.trigger("ajaxStop"))}typeof a=="object"&&(c=a,a=b),c=c||{};var d,e,f,g,h,i,j,k,l=p.ajaxSetup({},c),m=l.context||l,n=m!==l&&(m.nodeType||m instanceof p)?p(m):p.event,o=p.Deferred(),q=p.Callbacks("once memory"),r=l.statusCode||{},t={},u={},v=0,w="canceled",x={readyState:0,setRequestHeader:function(a,b){if(!v){var c=a.toLowerCase();a=u[c]=u[c]||a,t[a]=b}return this},getAllResponseHeaders:function(){return v===2?e:null},getResponseHeader:function(a){var c;if(v===2){if(!f){f={};while(c=cm.exec(e))f[c[1].toLowerCase()]=c[2]}c=f[a.toLowerCase()]}return c===b?null:c},overrideMimeType:function(a){return v||(l.mimeType=a),this},abort:function(a){return a=a||w,g&&g.abort(a),y(0,a),this}};o.promise(x),x.success=x.done,x.error=x.fail,x.complete=q.add,x.statusCode=function(a){if(a){var b;if(v<2)for(b in a)r[b]=[r[b],a[b]];else b=a[x.status],x.always(b)}return this},l.url=((a||l.url)+"").replace(cl,"").replace(cp,cj[1]+"//"),l.dataTypes=p.trim(l.dataType||"*").toLowerCase().split(s),l.crossDomain==null&&(i=ct.exec(l.url.toLowerCase())||!1,l.crossDomain=i&&i.join(":")+(i[3]?"":i[1]==="http:"?80:443)!==cj.join(":")+(cj[3]?"":cj[1]==="http:"?80:443)),l.data&&l.processData&&typeof l.data!="string"&&(l.data=p.param(l.data,l.traditional)),cA(cv,l,c,x);if(v===2)return x;j=l.global,l.type=l.type.toUpperCase(),l.hasContent=!co.test(l.type),j&&p.active++===0&&p.event.trigger("ajaxStart");if(!l.hasContent){l.data&&(l.url+=(cq.test(l.url)?"&":"?")+l.data,delete l.data),d=l.url;if(l.cache===!1){var z=p.now(),A=l.url.replace(cs,"$1_="+z);l.url=A+(A===l.url?(cq.test(l.url)?"&":"?")+"_="+z:"")}}(l.data&&l.hasContent&&l.contentType!==!1||c.contentType)&&x.setRequestHeader("Content-Type",l.contentType),l.ifModified&&(d=d||l.url,p.lastModified[d]&&x.setRequestHeader("If-Modified-Since",p.lastModified[d]),p.etag[d]&&x.setRequestHeader("If-None-Match",p.etag[d])),x.setRequestHeader("Accept",l.dataTypes[0]&&l.accepts[l.dataTypes[0]]?l.accepts[l.dataTypes[0]]+(l.dataTypes[0]!=="*"?", "+cx+"; q=0.01":""):l.accepts["*"]);for(k in l.headers)x.setRequestHeader(k,l.headers[k]);if(!l.beforeSend||l.beforeSend.call(m,x,l)!==!1&&v!==2){w="abort";for(k in{success:1,error:1,complete:1})x[k](l[k]);g=cA(cw,l,c,x);if(!g)y(-1,"No Transport");else{x.readyState=1,j&&n.trigger("ajaxSend",[x,l]),l.async&&l.timeout>0&&(h=setTimeout(function(){x.abort("timeout")},l.timeout));try{v=1,g.send(t,y)}catch(B){if(v<2)y(-1,B);else throw B}}return x}return x.abort()},active:0,lastModified:{},etag:{}});var cE=[],cF=/\?/,cG=/(=)\?(?=&|$)|\?\?/,cH=p.now();p.ajaxSetup({jsonp:"callback",jsonpCallback:function(){var a=cE.pop()||p.expando+"_"+cH++;return this[a]=!0,a}}),p.ajaxPrefilter("json jsonp",function(c,d,e){var f,g,h,i=c.data,j=c.url,k=c.jsonp!==!1,l=k&&cG.test(j),m=k&&!l&&typeof i=="string"&&!(c.contentType||"").indexOf("application/x-www-form-urlencoded")&&cG.test(i);if(c.dataTypes[0]==="jsonp"||l||m)return f=c.jsonpCallback=p.isFunction(c.jsonpCallback)?c.jsonpCallback():c.jsonpCallback,g=a[f],l?c.url=j.replace(cG,"$1"+f):m?c.data=i.replace(cG,"$1"+f):k&&(c.url+=(cF.test(j)?"&":"?")+c.jsonp+"="+f),c.converters["script json"]=function(){return h||p.error(f+" was not called"),h[0]},c.dataTypes[0]="json",a[f]=function(){h=arguments},e.always(function(){a[f]=g,c[f]&&(c.jsonpCallback=d.jsonpCallback,cE.push(f)),h&&p.isFunction(g)&&g(h[0]),h=g=b}),"script"}),p.ajaxSetup({accepts:{script:"text/javascript, application/javascript, application/ecmascript, application/x-ecmascript"},contents:{script:/javascript|ecmascript/},converters:{"text script":function(a){return p.globalEval(a),a}}}),p.ajaxPrefilter("script",function(a){a.cache===b&&(a.cache=!1),a.crossDomain&&(a.type="GET",a.global=!1)}),p.ajaxTransport("script",function(a){if(a.crossDomain){var c,d=e.head||e.getElementsByTagName("head")[0]||e.documentElement;return{send:function(f,g){c=e.createElement("script"),c.async="async",a.scriptCharset&&(c.charset=a.scriptCharset),c.src=a.url,c.onload=c.onreadystatechange=function(a,e){if(e||!c.readyState||/loaded|complete/.test(c.readyState))c.onload=c.onreadystatechange=null,d&&c.parentNode&&d.removeChild(c),c=b,e||g(200,"success")},d.insertBefore(c,d.firstChild)},abort:function(){c&&c.onload(0,1)}}}});var cI,cJ=a.ActiveXObject?function(){for(var a in cI)cI[a](0,1)}:!1,cK=0;p.ajaxSettings.xhr=a.ActiveXObject?function(){return!this.isLocal&&cL()||cM()}:cL,function(a){p.extend(p.support,{ajax:!!a,cors:!!a&&"withCredentials"in a})}(p.ajaxSettings.xhr()),p.support.ajax&&p.ajaxTransport(function(c){if(!c.crossDomain||p.support.cors){var d;return{send:function(e,f){var g,h,i=c.xhr();c.username?i.open(c.type,c.url,c.async,c.username,c.password):i.open(c.type,c.url,c.async);if(c.xhrFields)for(h in c.xhrFields)i[h]=c.xhrFields[h];c.mimeType&&i.overrideMimeType&&i.overrideMimeType(c.mimeType),!c.crossDomain&&!e["X-Requested-With"]&&(e["X-Requested-With"]="XMLHttpRequest");try{for(h in e)i.setRequestHeader(h,e[h])}catch(j){}i.send(c.hasContent&&c.data||null),d=function(a,e){var h,j,k,l,m;try{if(d&&(e||i.readyState===4)){d=b,g&&(i.onreadystatechange=p.noop,cJ&&delete cI[g]);if(e)i.readyState!==4&&i.abort();else{h=i.status,k=i.getAllResponseHeaders(),l={},m=i.responseXML,m&&m.documentElement&&(l.xml=m);try{l.text=i.responseText}catch(a){}try{j=i.statusText}catch(n){j=""}!h&&c.isLocal&&!c.crossDomain?h=l.text?200:404:h===1223&&(h=204)}}}catch(o){e||f(-1,o)}l&&f(h,j,l,k)},c.async?i.readyState===4?setTimeout(d,0):(g=++cK,cJ&&(cI||(cI={},p(a).unload(cJ)),cI[g]=d),i.onreadystatechange=d):d()},abort:function(){d&&d(0,1)}}}});var cN,cO,cP=/^(?:toggle|show|hide)$/,cQ=new RegExp("^(?:([-+])=|)("+q+")([a-z%]*)$","i"),cR=/queueHooks$/,cS=[cY],cT={"*":[function(a,b){var c,d,e=this.createTween(a,b),f=cQ.exec(b),g=e.cur(),h=+g||0,i=1,j=20;if(f){c=+f[2],d=f[3]||(p.cssNumber[a]?"":"px");if(d!=="px"&&h){h=p.css(e.elem,a,!0)||c||1;do i=i||".5",h=h/i,p.style(e.elem,a,h+d);while(i!==(i=e.cur()/g)&&i!==1&&--j)}e.unit=d,e.start=h,e.end=f[1]?h+(f[1]+1)*c:c}return e}]};p.Animation=p.extend(cW,{tweener:function(a,b){p.isFunction(a)?(b=a,a=["*"]):a=a.split(" ");var c,d=0,e=a.length;for(;d<e;d++)c=a[d],cT[c]=cT[c]||[],cT[c].unshift(b)},prefilter:function(a,b){b?cS.unshift(a):cS.push(a)}}),p.Tween=cZ,cZ.prototype={constructor:cZ,init:function(a,b,c,d,e,f){this.elem=a,this.prop=c,this.easing=e||"swing",this.options=b,this.start=this.now=this.cur(),this.end=d,this.unit=f||(p.cssNumber[c]?"":"px")},cur:function(){var a=cZ.propHooks[this.prop];return a&&a.get?a.get(this):cZ.propHooks._default.get(this)},run:function(a){var b,c=cZ.propHooks[this.prop];return this.options.duration?this.pos=b=p.easing[this.easing](a,this.options.duration*a,0,1,this.options.duration):this.pos=b=a,this.now=(this.end-this.start)*b+this.start,this.options.step&&this.options.step.call(this.elem,this.now,this),c&&c.set?c.set(this):cZ.propHooks._default.set(this),this}},cZ.prototype.init.prototype=cZ.prototype,cZ.propHooks={_default:{get:function(a){var b;return a.elem[a.prop]==null||!!a.elem.style&&a.elem.style[a.prop]!=null?(b=p.css(a.elem,a.prop,!1,""),!b||b==="auto"?0:b):a.elem[a.prop]},set:function(a){p.fx.step[a.prop]?p.fx.step[a.prop](a):a.elem.style&&(a.elem.style[p.cssProps[a.prop]]!=null||p.cssHooks[a.prop])?p.style(a.elem,a.prop,a.now+a.unit):a.elem[a.prop]=a.now}}},cZ.propHooks.scrollTop=cZ.propHooks.scrollLeft={set:function(a){a.elem.nodeType&&a.elem.parentNode&&(a.elem[a.prop]=a.now)}},p.each(["toggle","show","hide"],function(a,b){var c=p.fn[b];p.fn[b]=function(d,e,f){return d==null||typeof d=="boolean"||!a&&p.isFunction(d)&&p.isFunction(e)?c.apply(this,arguments):this.animate(c$(b,!0),d,e,f)}}),p.fn.extend({fadeTo:function(a,b,c,d){return this.filter(bZ).css("opacity",0).show().end().animate({opacity:b},a,c,d)},animate:function(a,b,c,d){var e=p.isEmptyObject(a),f=p.speed(b,c,d),g=function(){var b=cW(this,p.extend({},a),f);e&&b.stop(!0)};return e||f.queue===!1?this.each(g):this.queue(f.queue,g)},stop:function(a,c,d){var e=function(a){var b=a.stop;delete a.stop,b(d)};return typeof a!="string"&&(d=c,c=a,a=b),c&&a!==!1&&this.queue(a||"fx",[]),this.each(function(){var b=!0,c=a!=null&&a+"queueHooks",f=p.timers,g=p._data(this);if(c)g[c]&&g[c].stop&&e(g[c]);else for(c in g)g[c]&&g[c].stop&&cR.test(c)&&e(g[c]);for(c=f.length;c--;)f[c].elem===this&&(a==null||f[c].queue===a)&&(f[c].anim.stop(d),b=!1,f.splice(c,1));(b||!d)&&p.dequeue(this,a)})}}),p.each({slideDown:c$("show"),slideUp:c$("hide"),slideToggle:c$("toggle"),fadeIn:{opacity:"show"},fadeOut:{opacity:"hide"},fadeToggle:{opacity:"toggle"}},function(a,b){p.fn[a]=function(a,c,d){return this.animate(b,a,c,d)}}),p.speed=function(a,b,c){var d=a&&typeof a=="object"?p.extend({},a):{complete:c||!c&&b||p.isFunction(a)&&a,duration:a,easing:c&&b||b&&!p.isFunction(b)&&b};d.duration=p.fx.off?0:typeof d.duration=="number"?d.duration:d.duration in p.fx.speeds?p.fx.speeds[d.duration]:p.fx.speeds._default;if(d.queue==null||d.queue===!0)d.queue="fx";return d.old=d.complete,d.complete=function(){p.isFunction(d.old)&&d.old.call(this),d.queue&&p.dequeue(this,d.queue)},d},p.easing={linear:function(a){return a},swing:function(a){return.5-Math.cos(a*Math.PI)/2}},p.timers=[],p.fx=cZ.prototype.init,p.fx.tick=function(){var a,b=p.timers,c=0;for(;c<b.length;c++)a=b[c],!a()&&b[c]===a&&b.splice(c--,1);b.length||p.fx.stop()},p.fx.timer=function(a){a()&&p.timers.push(a)&&!cO&&(cO=setInterval(p.fx.tick,p.fx.interval))},p.fx.interval=13,p.fx.stop=function(){clearInterval(cO),cO=null},p.fx.speeds={slow:600,fast:200,_default:400},p.fx.step={},p.expr&&p.expr.filters&&(p.expr.filters.animated=function(a){return p.grep(p.timers,function(b){return a===b.elem}).length});var c_=/^(?:body|html)$/i;p.fn.offset=function(a){if(arguments.length)return a===b?this:this.each(function(b){p.offset.setOffset(this,a,b)});var c,d,e,f,g,h,i,j={top:0,left:0},k=this[0],l=k&&k.ownerDocument;if(!l)return;return(d=l.body)===k?p.offset.bodyOffset(k):(c=l.documentElement,p.contains(c,k)?(typeof k.getBoundingClientRect!="undefined"&&(j=k.getBoundingClientRect()),e=da(l),f=c.clientTop||d.clientTop||0,g=c.clientLeft||d.clientLeft||0,h=e.pageYOffset||c.scrollTop,i=e.pageXOffset||c.scrollLeft,{top:j.top+h-f,left:j.left+i-g}):j)},p.offset={bodyOffset:function(a){var b=a.offsetTop,c=a.offsetLeft;return p.support.doesNotIncludeMarginInBodyOffset&&(b+=parseFloat(p.css(a,"marginTop"))||0,c+=parseFloat(p.css(a,"marginLeft"))||0),{top:b,left:c}},setOffset:function(a,b,c){var d=p.css(a,"position");d==="static"&&(a.style.position="relative");var e=p(a),f=e.offset(),g=p.css(a,"top"),h=p.css(a,"left"),i=(d==="absolute"||d==="fixed")&&p.inArray("auto",[g,h])>-1,j={},k={},l,m;i?(k=e.position(),l=k.top,m=k.left):(l=parseFloat(g)||0,m=parseFloat(h)||0),p.isFunction(b)&&(b=b.call(a,c,f)),b.top!=null&&(j.top=b.top-f.top+l),b.left!=null&&(j.left=b.left-f.left+m),"using"in b?b.using.call(a,j):e.css(j)}},p.fn.extend({position:function(){if(!this[0])return;var a=this[0],b=this.offsetParent(),c=this.offset(),d=c_.test(b[0].nodeName)?{top:0,left:0}:b.offset();return c.top-=parseFloat(p.css(a,"marginTop"))||0,c.left-=parseFloat(p.css(a,"marginLeft"))||0,d.top+=parseFloat(p.css(b[0],"borderTopWidth"))||0,d.left+=parseFloat(p.css(b[0],"borderLeftWidth"))||0,{top:c.top-d.top,left:c.left-d.left}},offsetParent:function(){return this.map(function(){var a=this.offsetParent||e.body;while(a&&!c_.test(a.nodeName)&&p.css(a,"position")==="static")a=a.offsetParent;return a||e.body})}}),p.each({scrollLeft:"pageXOffset",scrollTop:"pageYOffset"},function(a,c){var d=/Y/.test(c);p.fn[a]=function(e){return p.access(this,function(a,e,f){var g=da(a);if(f===b)return g?c in g?g[c]:g.document.documentElement[e]:a[e];g?g.scrollTo(d?p(g).scrollLeft():f,d?f:p(g).scrollTop()):a[e]=f},a,e,arguments.length,null)}}),p.each({Height:"height",Width:"width"},function(a,c){p.each({padding:"inner"+a,content:c,"":"outer"+a},function(d,e){p.fn[e]=function(e,f){var g=arguments.length&&(d||typeof e!="boolean"),h=d||(e===!0||f===!0?"margin":"border");return p.access(this,function(c,d,e){var f;return p.isWindow(c)?c.document.documentElement["client"+a]:c.nodeType===9?(f=c.documentElement,Math.max(c.body["scroll"+a],f["scroll"+a],c.body["offset"+a],f["offset"+a],f["client"+a])):e===b?p.css(c,d,e,h):p.style(c,d,e,h)},c,g?e:b,g,null)}})}),a.jQuery=a.$=p,typeof define=="function"&&define.amd&&define.amd.jQuery&&define("jquery",[],function(){return p})})(window);
node_modules/react-element-to-jsx-string/index.js
Kgiberson/welp
import React from 'react'; import collapse from 'collapse-white-space'; import {isElement} from 'react-addons-test-utils'; import isPlainObject from 'is-plain-object'; import stringify from 'stringify-object'; import sortobject from 'sortobject'; import traverse from 'traverse'; import {fill} from 'lodash'; export default function reactElementToJSXString( ReactElement, { displayName, showDefaultProps = true, showFunctions = false } = {} ) { const getDisplayName = displayName || getDefaultDisplayName; return toJSXString({ReactElement}); function toJSXString({ReactElement: Element = null, lvl = 0, inline = false}) { if (typeof Element === 'string' || typeof Element === 'number') { return Element; } else if (!isElement(Element)) { throw new Error( `react-element-to-jsx-string: Expected a ReactElement, got \`${typeof Element}\`` ); } const tagName = getDisplayName(Element); let out = `<${tagName}`; const props = formatProps(Element.props, getDefaultProps(Element)); let attributes = []; const children = React.Children.toArray(Element.props.children) .filter(onlyMeaningfulChildren); if (Element.ref !== null) { attributes.push(getJSXAttribute('ref', Element.ref)); } if (Element.key !== null && // React automatically add key=".X" when there are some children !(/^\./).test(Element.key)) { attributes.push(getJSXAttribute('key', Element.key)); } attributes = attributes.concat(props); attributes.forEach(attribute => { if (attributes.length === 1 || inline) { out += ' '; } else { out += `\n${spacer(lvl + 1)}`; } if (attribute.value === '{true}') { out += `${attribute.name}`; } else { out += `${attribute.name}=${attribute.value}`; } }); if (attributes.length > 1 && !inline) { out += `\n${spacer(lvl)}`; } if (children.length > 0) { out += '>'; lvl++; if (!inline) { out += `\n`; out += spacer(lvl); } if (typeof children === 'string') { out += children; } else { out += children .reduce(mergePlainStringChildren, []) .map( recurse({lvl, inline}) ).join(`\n${spacer(lvl)}`); } if (!inline) { out += `\n`; out += spacer(lvl - 1); } out += `</${tagName}>`; } else { if (attributes.length <= 1) { out += ' '; } out += '/>'; } return out; } function formatProps(props, defaultProps) { let formatted = Object .keys(props) .filter(noChildren) .filter(key => noFalse(props[key])); if (!showDefaultProps) { formatted = formatted.filter(key => defaultProps[key] ? defaultProps[key] !== props[key] : true); } return formatted .sort() .map(propName => getJSXAttribute(propName, props[propName])); } function getJSXAttribute(name, value) { return { name, value: formatJSXAttribute(value) .replace(/'?<__reactElementToJSXString__Wrapper__>/g, '') .replace(/<\/__reactElementToJSXString__Wrapper__>'?/g, '') }; } function formatJSXAttribute(propValue) { if (typeof propValue === 'string') { return `"${propValue}"`; } return `{${formatValue(propValue)}}`; } function formatValue(value) { const wrapper = '__reactElementToJSXString__Wrapper__'; if (typeof value === 'function' && !showFunctions) { return function noRefCheck() {}; } else if (isElement(value)) { // we use this delimiter hack in cases where the react element is a property // of an object from a root prop // i.e. // reactElementToJSXString(<div a={{b: <div />}} /> // // <div a={{b: <div />}} /> // we then remove the whole wrapping // otherwise, the element would be surrounded by quotes: <div a={{b: '<div />'}} /> return `<${wrapper}>${toJSXString({ReactElement: value, inline: true})}</${wrapper}>`; } else if (isPlainObject(value) || Array.isArray(value)) { return `<${wrapper}>${stringifyObject(value)}</${wrapper}>`; } return value; } function recurse({lvl, inline}) { return Element => toJSXString({ReactElement: Element, lvl, inline}); } function stringifyObject(obj) { if (Object.keys(obj).length > 0 || obj.length > 0) { // eslint-disable-next-line array-callback-return obj = traverse(obj).map(function(value) { if (isElement(value) || this.isLeaf) { this.update(formatValue(value)); } }); obj = sortobject(obj); } return collapse(stringify(obj)) .replace(/{ /g, '{') .replace(/ }/g, '}') .replace(/\[ /g, '[') .replace(/ \]/g, ']'); } } function getDefaultDisplayName(ReactElement) { return ReactElement.type.name || // function name ReactElement.type.displayName || (typeof ReactElement.type === 'function' ? // function without a name, you should provide one 'No Display Name' : ReactElement.type); } function getDefaultProps(ReactElement) { return ReactElement.type.defaultProps || {}; } function mergePlainStringChildren(prev, cur) { const lastItem = prev[prev.length - 1]; if (typeof cur === 'number') { cur = String(cur); } if (typeof lastItem === 'string' && typeof cur === 'string') { prev[prev.length - 1] += cur; } else { prev.push(cur); } return prev; } function spacer(times) { return fill(new Array(times), ' ').join(''); } function noChildren(propName) { return propName !== 'children'; } function noFalse(propValue) { return typeof propValue !== 'boolean' || propValue; } function onlyMeaningfulChildren(children) { return children !== true && children !== false && children !== null && children !== ''; }
Audit@Home/assets/js/jquery.min (2).js
animesh21/gsp-portal-new
/*! jQuery v1.11.3 | (c) 2005, 2015 jQuery Foundation, Inc. | jquery.org/license */ !function(a,b){"object"==typeof module&&"object"==typeof module.exports?module.exports=a.document?b(a,!0):function(a){if(!a.document)throw new Error("jQuery requires a window with a document");return b(a)}:b(a)}("undefined"!=typeof window?window:this,function(a,b){var c=[],d=c.slice,e=c.concat,f=c.push,g=c.indexOf,h={},i=h.toString,j=h.hasOwnProperty,k={},l="1.11.3",m=function(a,b){return new m.fn.init(a,b)},n=/^[\s\uFEFF\xA0]+|[\s\uFEFF\xA0]+$/g,o=/^-ms-/,p=/-([\da-z])/gi,q=function(a,b){return b.toUpperCase()};m.fn=m.prototype={jquery:l,constructor:m,selector:"",length:0,toArray:function(){return d.call(this)},get:function(a){return null!=a?0>a?this[a+this.length]:this[a]:d.call(this)},pushStack:function(a){var b=m.merge(this.constructor(),a);return b.prevObject=this,b.context=this.context,b},each:function(a,b){return m.each(this,a,b)},map:function(a){return this.pushStack(m.map(this,function(b,c){return a.call(b,c,b)}))},slice:function(){return this.pushStack(d.apply(this,arguments))},first:function(){return this.eq(0)},last:function(){return this.eq(-1)},eq:function(a){var b=this.length,c=+a+(0>a?b:0);return this.pushStack(c>=0&&b>c?[this[c]]:[])},end:function(){return this.prevObject||this.constructor(null)},push:f,sort:c.sort,splice:c.splice},m.extend=m.fn.extend=function(){var a,b,c,d,e,f,g=arguments[0]||{},h=1,i=arguments.length,j=!1;for("boolean"==typeof g&&(j=g,g=arguments[h]||{},h++),"object"==typeof g||m.isFunction(g)||(g={}),h===i&&(g=this,h--);i>h;h++)if(null!=(e=arguments[h]))for(d in e)a=g[d],c=e[d],g!==c&&(j&&c&&(m.isPlainObject(c)||(b=m.isArray(c)))?(b?(b=!1,f=a&&m.isArray(a)?a:[]):f=a&&m.isPlainObject(a)?a:{},g[d]=m.extend(j,f,c)):void 0!==c&&(g[d]=c));return g},m.extend({expando:"jQuery"+(l+Math.random()).replace(/\D/g,""),isReady:!0,error:function(a){throw new Error(a)},noop:function(){},isFunction:function(a){return"function"===m.type(a)},isArray:Array.isArray||function(a){return"array"===m.type(a)},isWindow:function(a){return null!=a&&a==a.window},isNumeric:function(a){return!m.isArray(a)&&a-parseFloat(a)+1>=0},isEmptyObject:function(a){var b;for(b in a)return!1;return!0},isPlainObject:function(a){var b;if(!a||"object"!==m.type(a)||a.nodeType||m.isWindow(a))return!1;try{if(a.constructor&&!j.call(a,"constructor")&&!j.call(a.constructor.prototype,"isPrototypeOf"))return!1}catch(c){return!1}if(k.ownLast)for(b in a)return j.call(a,b);for(b in a);return void 0===b||j.call(a,b)},type:function(a){return null==a?a+"":"object"==typeof a||"function"==typeof a?h[i.call(a)]||"object":typeof a},globalEval:function(b){b&&m.trim(b)&&(a.execScript||function(b){a.eval.call(a,b)})(b)},camelCase:function(a){return a.replace(o,"ms-").replace(p,q)},nodeName:function(a,b){return a.nodeName&&a.nodeName.toLowerCase()===b.toLowerCase()},each:function(a,b,c){var d,e=0,f=a.length,g=r(a);if(c){if(g){for(;f>e;e++)if(d=b.apply(a[e],c),d===!1)break}else for(e in a)if(d=b.apply(a[e],c),d===!1)break}else if(g){for(;f>e;e++)if(d=b.call(a[e],e,a[e]),d===!1)break}else for(e in a)if(d=b.call(a[e],e,a[e]),d===!1)break;return a},trim:function(a){return null==a?"":(a+"").replace(n,"")},makeArray:function(a,b){var c=b||[];return null!=a&&(r(Object(a))?m.merge(c,"string"==typeof a?[a]:a):f.call(c,a)),c},inArray:function(a,b,c){var d;if(b){if(g)return g.call(b,a,c);for(d=b.length,c=c?0>c?Math.max(0,d+c):c:0;d>c;c++)if(c in b&&b[c]===a)return c}return-1},merge:function(a,b){var c=+b.length,d=0,e=a.length;while(c>d)a[e++]=b[d++];if(c!==c)while(void 0!==b[d])a[e++]=b[d++];return a.length=e,a},grep:function(a,b,c){for(var d,e=[],f=0,g=a.length,h=!c;g>f;f++)d=!b(a[f],f),d!==h&&e.push(a[f]);return e},map:function(a,b,c){var d,f=0,g=a.length,h=r(a),i=[];if(h)for(;g>f;f++)d=b(a[f],f,c),null!=d&&i.push(d);else for(f in a)d=b(a[f],f,c),null!=d&&i.push(d);return e.apply([],i)},guid:1,proxy:function(a,b){var c,e,f;return"string"==typeof b&&(f=a[b],b=a,a=f),m.isFunction(a)?(c=d.call(arguments,2),e=function(){return a.apply(b||this,c.concat(d.call(arguments)))},e.guid=a.guid=a.guid||m.guid++,e):void 0},now:function(){return+new Date},support:k}),m.each("Boolean Number String Function Array Date RegExp Object Error".split(" "),function(a,b){h["[object "+b+"]"]=b.toLowerCase()});function r(a){var b="length"in a&&a.length,c=m.type(a);return"function"===c||m.isWindow(a)?!1:1===a.nodeType&&b?!0:"array"===c||0===b||"number"==typeof b&&b>0&&b-1 in a}var s=function(a){var b,c,d,e,f,g,h,i,j,k,l,m,n,o,p,q,r,s,t,u="sizzle"+1*new Date,v=a.document,w=0,x=0,y=ha(),z=ha(),A=ha(),B=function(a,b){return a===b&&(l=!0),0},C=1<<31,D={}.hasOwnProperty,E=[],F=E.pop,G=E.push,H=E.push,I=E.slice,J=function(a,b){for(var c=0,d=a.length;d>c;c++)if(a[c]===b)return c;return-1},K="checked|selected|async|autofocus|autoplay|controls|defer|disabled|hidden|ismap|loop|multiple|open|readonly|required|scoped",L="[\\x20\\t\\r\\n\\f]",M="(?:\\\\.|[\\w-]|[^\\x00-\\xa0])+",N=M.replace("w","w#"),O="\\["+L+"*("+M+")(?:"+L+"*([*^$|!~]?=)"+L+"*(?:'((?:\\\\.|[^\\\\'])*)'|\"((?:\\\\.|[^\\\\\"])*)\"|("+N+"))|)"+L+"*\\]",P=":("+M+")(?:\\((('((?:\\\\.|[^\\\\'])*)'|\"((?:\\\\.|[^\\\\\"])*)\")|((?:\\\\.|[^\\\\()[\\]]|"+O+")*)|.*)\\)|)",Q=new RegExp(L+"+","g"),R=new RegExp("^"+L+"+|((?:^|[^\\\\])(?:\\\\.)*)"+L+"+$","g"),S=new RegExp("^"+L+"*,"+L+"*"),T=new RegExp("^"+L+"*([>+~]|"+L+")"+L+"*"),U=new RegExp("="+L+"*([^\\]'\"]*?)"+L+"*\\]","g"),V=new RegExp(P),W=new RegExp("^"+N+"$"),X={ID:new RegExp("^#("+M+")"),CLASS:new RegExp("^\\.("+M+")"),TAG:new RegExp("^("+M.replace("w","w*")+")"),ATTR:new RegExp("^"+O),PSEUDO:new RegExp("^"+P),CHILD:new RegExp("^:(only|first|last|nth|nth-last)-(child|of-type)(?:\\("+L+"*(even|odd|(([+-]|)(\\d*)n|)"+L+"*(?:([+-]|)"+L+"*(\\d+)|))"+L+"*\\)|)","i"),bool:new RegExp("^(?:"+K+")$","i"),needsContext:new RegExp("^"+L+"*[>+~]|:(even|odd|eq|gt|lt|nth|first|last)(?:\\("+L+"*((?:-\\d)?\\d*)"+L+"*\\)|)(?=[^-]|$)","i")},Y=/^(?:input|select|textarea|button)$/i,Z=/^h\d$/i,$=/^[^{]+\{\s*\[native \w/,_=/^(?:#([\w-]+)|(\w+)|\.([\w-]+))$/,aa=/[+~]/,ba=/'|\\/g,ca=new RegExp("\\\\([\\da-f]{1,6}"+L+"?|("+L+")|.)","ig"),da=function(a,b,c){var d="0x"+b-65536;return d!==d||c?b:0>d?String.fromCharCode(d+65536):String.fromCharCode(d>>10|55296,1023&d|56320)},ea=function(){m()};try{H.apply(E=I.call(v.childNodes),v.childNodes),E[v.childNodes.length].nodeType}catch(fa){H={apply:E.length?function(a,b){G.apply(a,I.call(b))}:function(a,b){var c=a.length,d=0;while(a[c++]=b[d++]);a.length=c-1}}}function ga(a,b,d,e){var f,h,j,k,l,o,r,s,w,x;if((b?b.ownerDocument||b:v)!==n&&m(b),b=b||n,d=d||[],k=b.nodeType,"string"!=typeof a||!a||1!==k&&9!==k&&11!==k)return d;if(!e&&p){if(11!==k&&(f=_.exec(a)))if(j=f[1]){if(9===k){if(h=b.getElementById(j),!h||!h.parentNode)return d;if(h.id===j)return d.push(h),d}else if(b.ownerDocument&&(h=b.ownerDocument.getElementById(j))&&t(b,h)&&h.id===j)return d.push(h),d}else{if(f[2])return H.apply(d,b.getElementsByTagName(a)),d;if((j=f[3])&&c.getElementsByClassName)return H.apply(d,b.getElementsByClassName(j)),d}if(c.qsa&&(!q||!q.test(a))){if(s=r=u,w=b,x=1!==k&&a,1===k&&"object"!==b.nodeName.toLowerCase()){o=g(a),(r=b.getAttribute("id"))?s=r.replace(ba,"\\$&"):b.setAttribute("id",s),s="[id='"+s+"'] ",l=o.length;while(l--)o[l]=s+ra(o[l]);w=aa.test(a)&&pa(b.parentNode)||b,x=o.join(",")}if(x)try{return H.apply(d,w.querySelectorAll(x)),d}catch(y){}finally{r||b.removeAttribute("id")}}}return i(a.replace(R,"$1"),b,d,e)}function ha(){var a=[];function b(c,e){return a.push(c+" ")>d.cacheLength&&delete b[a.shift()],b[c+" "]=e}return b}function ia(a){return a[u]=!0,a}function ja(a){var b=n.createElement("div");try{return!!a(b)}catch(c){return!1}finally{b.parentNode&&b.parentNode.removeChild(b),b=null}}function ka(a,b){var c=a.split("|"),e=a.length;while(e--)d.attrHandle[c[e]]=b}function la(a,b){var c=b&&a,d=c&&1===a.nodeType&&1===b.nodeType&&(~b.sourceIndex||C)-(~a.sourceIndex||C);if(d)return d;if(c)while(c=c.nextSibling)if(c===b)return-1;return a?1:-1}function ma(a){return function(b){var c=b.nodeName.toLowerCase();return"input"===c&&b.type===a}}function na(a){return function(b){var c=b.nodeName.toLowerCase();return("input"===c||"button"===c)&&b.type===a}}function oa(a){return ia(function(b){return b=+b,ia(function(c,d){var e,f=a([],c.length,b),g=f.length;while(g--)c[e=f[g]]&&(c[e]=!(d[e]=c[e]))})})}function pa(a){return a&&"undefined"!=typeof a.getElementsByTagName&&a}c=ga.support={},f=ga.isXML=function(a){var b=a&&(a.ownerDocument||a).documentElement;return b?"HTML"!==b.nodeName:!1},m=ga.setDocument=function(a){var b,e,g=a?a.ownerDocument||a:v;return g!==n&&9===g.nodeType&&g.documentElement?(n=g,o=g.documentElement,e=g.defaultView,e&&e!==e.top&&(e.addEventListener?e.addEventListener("unload",ea,!1):e.attachEvent&&e.attachEvent("onunload",ea)),p=!f(g),c.attributes=ja(function(a){return a.className="i",!a.getAttribute("className")}),c.getElementsByTagName=ja(function(a){return a.appendChild(g.createComment("")),!a.getElementsByTagName("*").length}),c.getElementsByClassName=$.test(g.getElementsByClassName),c.getById=ja(function(a){return o.appendChild(a).id=u,!g.getElementsByName||!g.getElementsByName(u).length}),c.getById?(d.find.ID=function(a,b){if("undefined"!=typeof b.getElementById&&p){var c=b.getElementById(a);return c&&c.parentNode?[c]:[]}},d.filter.ID=function(a){var b=a.replace(ca,da);return function(a){return a.getAttribute("id")===b}}):(delete d.find.ID,d.filter.ID=function(a){var b=a.replace(ca,da);return function(a){var c="undefined"!=typeof a.getAttributeNode&&a.getAttributeNode("id");return c&&c.value===b}}),d.find.TAG=c.getElementsByTagName?function(a,b){return"undefined"!=typeof b.getElementsByTagName?b.getElementsByTagName(a):c.qsa?b.querySelectorAll(a):void 0}:function(a,b){var c,d=[],e=0,f=b.getElementsByTagName(a);if("*"===a){while(c=f[e++])1===c.nodeType&&d.push(c);return d}return f},d.find.CLASS=c.getElementsByClassName&&function(a,b){return p?b.getElementsByClassName(a):void 0},r=[],q=[],(c.qsa=$.test(g.querySelectorAll))&&(ja(function(a){o.appendChild(a).innerHTML="<a id='"+u+"'></a><select id='"+u+"-\f]' msallowcapture=''><option selected=''></option></select>",a.querySelectorAll("[msallowcapture^='']").length&&q.push("[*^$]="+L+"*(?:''|\"\")"),a.querySelectorAll("[selected]").length||q.push("\\["+L+"*(?:value|"+K+")"),a.querySelectorAll("[id~="+u+"-]").length||q.push("~="),a.querySelectorAll(":checked").length||q.push(":checked"),a.querySelectorAll("a#"+u+"+*").length||q.push(".#.+[+~]")}),ja(function(a){var b=g.createElement("input");b.setAttribute("type","hidden"),a.appendChild(b).setAttribute("name","D"),a.querySelectorAll("[name=d]").length&&q.push("name"+L+"*[*^$|!~]?="),a.querySelectorAll(":enabled").length||q.push(":enabled",":disabled"),a.querySelectorAll("*,:x"),q.push(",.*:")})),(c.matchesSelector=$.test(s=o.matches||o.webkitMatchesSelector||o.mozMatchesSelector||o.oMatchesSelector||o.msMatchesSelector))&&ja(function(a){c.disconnectedMatch=s.call(a,"div"),s.call(a,"[s!='']:x"),r.push("!=",P)}),q=q.length&&new RegExp(q.join("|")),r=r.length&&new RegExp(r.join("|")),b=$.test(o.compareDocumentPosition),t=b||$.test(o.contains)?function(a,b){var c=9===a.nodeType?a.documentElement:a,d=b&&b.parentNode;return a===d||!(!d||1!==d.nodeType||!(c.contains?c.contains(d):a.compareDocumentPosition&&16&a.compareDocumentPosition(d)))}:function(a,b){if(b)while(b=b.parentNode)if(b===a)return!0;return!1},B=b?function(a,b){if(a===b)return l=!0,0;var d=!a.compareDocumentPosition-!b.compareDocumentPosition;return d?d:(d=(a.ownerDocument||a)===(b.ownerDocument||b)?a.compareDocumentPosition(b):1,1&d||!c.sortDetached&&b.compareDocumentPosition(a)===d?a===g||a.ownerDocument===v&&t(v,a)?-1:b===g||b.ownerDocument===v&&t(v,b)?1:k?J(k,a)-J(k,b):0:4&d?-1:1)}:function(a,b){if(a===b)return l=!0,0;var c,d=0,e=a.parentNode,f=b.parentNode,h=[a],i=[b];if(!e||!f)return a===g?-1:b===g?1:e?-1:f?1:k?J(k,a)-J(k,b):0;if(e===f)return la(a,b);c=a;while(c=c.parentNode)h.unshift(c);c=b;while(c=c.parentNode)i.unshift(c);while(h[d]===i[d])d++;return d?la(h[d],i[d]):h[d]===v?-1:i[d]===v?1:0},g):n},ga.matches=function(a,b){return ga(a,null,null,b)},ga.matchesSelector=function(a,b){if((a.ownerDocument||a)!==n&&m(a),b=b.replace(U,"='$1']"),!(!c.matchesSelector||!p||r&&r.test(b)||q&&q.test(b)))try{var d=s.call(a,b);if(d||c.disconnectedMatch||a.document&&11!==a.document.nodeType)return d}catch(e){}return ga(b,n,null,[a]).length>0},ga.contains=function(a,b){return(a.ownerDocument||a)!==n&&m(a),t(a,b)},ga.attr=function(a,b){(a.ownerDocument||a)!==n&&m(a);var e=d.attrHandle[b.toLowerCase()],f=e&&D.call(d.attrHandle,b.toLowerCase())?e(a,b,!p):void 0;return void 0!==f?f:c.attributes||!p?a.getAttribute(b):(f=a.getAttributeNode(b))&&f.specified?f.value:null},ga.error=function(a){throw new Error("Syntax error, unrecognized expression: "+a)},ga.uniqueSort=function(a){var b,d=[],e=0,f=0;if(l=!c.detectDuplicates,k=!c.sortStable&&a.slice(0),a.sort(B),l){while(b=a[f++])b===a[f]&&(e=d.push(f));while(e--)a.splice(d[e],1)}return k=null,a},e=ga.getText=function(a){var b,c="",d=0,f=a.nodeType;if(f){if(1===f||9===f||11===f){if("string"==typeof a.textContent)return a.textContent;for(a=a.firstChild;a;a=a.nextSibling)c+=e(a)}else if(3===f||4===f)return a.nodeValue}else while(b=a[d++])c+=e(b);return c},d=ga.selectors={cacheLength:50,createPseudo:ia,match:X,attrHandle:{},find:{},relative:{">":{dir:"parentNode",first:!0}," ":{dir:"parentNode"},"+":{dir:"previousSibling",first:!0},"~":{dir:"previousSibling"}},preFilter:{ATTR:function(a){return a[1]=a[1].replace(ca,da),a[3]=(a[3]||a[4]||a[5]||"").replace(ca,da),"~="===a[2]&&(a[3]=" "+a[3]+" "),a.slice(0,4)},CHILD:function(a){return a[1]=a[1].toLowerCase(),"nth"===a[1].slice(0,3)?(a[3]||ga.error(a[0]),a[4]=+(a[4]?a[5]+(a[6]||1):2*("even"===a[3]||"odd"===a[3])),a[5]=+(a[7]+a[8]||"odd"===a[3])):a[3]&&ga.error(a[0]),a},PSEUDO:function(a){var b,c=!a[6]&&a[2];return X.CHILD.test(a[0])?null:(a[3]?a[2]=a[4]||a[5]||"":c&&V.test(c)&&(b=g(c,!0))&&(b=c.indexOf(")",c.length-b)-c.length)&&(a[0]=a[0].slice(0,b),a[2]=c.slice(0,b)),a.slice(0,3))}},filter:{TAG:function(a){var b=a.replace(ca,da).toLowerCase();return"*"===a?function(){return!0}:function(a){return a.nodeName&&a.nodeName.toLowerCase()===b}},CLASS:function(a){var b=y[a+" "];return b||(b=new RegExp("(^|"+L+")"+a+"("+L+"|$)"))&&y(a,function(a){return b.test("string"==typeof a.className&&a.className||"undefined"!=typeof a.getAttribute&&a.getAttribute("class")||"")})},ATTR:function(a,b,c){return function(d){var e=ga.attr(d,a);return null==e?"!="===b:b?(e+="","="===b?e===c:"!="===b?e!==c:"^="===b?c&&0===e.indexOf(c):"*="===b?c&&e.indexOf(c)>-1:"$="===b?c&&e.slice(-c.length)===c:"~="===b?(" "+e.replace(Q," ")+" ").indexOf(c)>-1:"|="===b?e===c||e.slice(0,c.length+1)===c+"-":!1):!0}},CHILD:function(a,b,c,d,e){var f="nth"!==a.slice(0,3),g="last"!==a.slice(-4),h="of-type"===b;return 1===d&&0===e?function(a){return!!a.parentNode}:function(b,c,i){var j,k,l,m,n,o,p=f!==g?"nextSibling":"previousSibling",q=b.parentNode,r=h&&b.nodeName.toLowerCase(),s=!i&&!h;if(q){if(f){while(p){l=b;while(l=l[p])if(h?l.nodeName.toLowerCase()===r:1===l.nodeType)return!1;o=p="only"===a&&!o&&"nextSibling"}return!0}if(o=[g?q.firstChild:q.lastChild],g&&s){k=q[u]||(q[u]={}),j=k[a]||[],n=j[0]===w&&j[1],m=j[0]===w&&j[2],l=n&&q.childNodes[n];while(l=++n&&l&&l[p]||(m=n=0)||o.pop())if(1===l.nodeType&&++m&&l===b){k[a]=[w,n,m];break}}else if(s&&(j=(b[u]||(b[u]={}))[a])&&j[0]===w)m=j[1];else while(l=++n&&l&&l[p]||(m=n=0)||o.pop())if((h?l.nodeName.toLowerCase()===r:1===l.nodeType)&&++m&&(s&&((l[u]||(l[u]={}))[a]=[w,m]),l===b))break;return m-=e,m===d||m%d===0&&m/d>=0}}},PSEUDO:function(a,b){var c,e=d.pseudos[a]||d.setFilters[a.toLowerCase()]||ga.error("unsupported pseudo: "+a);return e[u]?e(b):e.length>1?(c=[a,a,"",b],d.setFilters.hasOwnProperty(a.toLowerCase())?ia(function(a,c){var d,f=e(a,b),g=f.length;while(g--)d=J(a,f[g]),a[d]=!(c[d]=f[g])}):function(a){return e(a,0,c)}):e}},pseudos:{not:ia(function(a){var b=[],c=[],d=h(a.replace(R,"$1"));return d[u]?ia(function(a,b,c,e){var f,g=d(a,null,e,[]),h=a.length;while(h--)(f=g[h])&&(a[h]=!(b[h]=f))}):function(a,e,f){return b[0]=a,d(b,null,f,c),b[0]=null,!c.pop()}}),has:ia(function(a){return function(b){return ga(a,b).length>0}}),contains:ia(function(a){return a=a.replace(ca,da),function(b){return(b.textContent||b.innerText||e(b)).indexOf(a)>-1}}),lang:ia(function(a){return W.test(a||"")||ga.error("unsupported lang: "+a),a=a.replace(ca,da).toLowerCase(),function(b){var c;do if(c=p?b.lang:b.getAttribute("xml:lang")||b.getAttribute("lang"))return c=c.toLowerCase(),c===a||0===c.indexOf(a+"-");while((b=b.parentNode)&&1===b.nodeType);return!1}}),target:function(b){var c=a.location&&a.location.hash;return c&&c.slice(1)===b.id},root:function(a){return a===o},focus:function(a){return a===n.activeElement&&(!n.hasFocus||n.hasFocus())&&!!(a.type||a.href||~a.tabIndex)},enabled:function(a){return a.disabled===!1},disabled:function(a){return a.disabled===!0},checked:function(a){var b=a.nodeName.toLowerCase();return"input"===b&&!!a.checked||"option"===b&&!!a.selected},selected:function(a){return a.parentNode&&a.parentNode.selectedIndex,a.selected===!0},empty:function(a){for(a=a.firstChild;a;a=a.nextSibling)if(a.nodeType<6)return!1;return!0},parent:function(a){return!d.pseudos.empty(a)},header:function(a){return Z.test(a.nodeName)},input:function(a){return Y.test(a.nodeName)},button:function(a){var b=a.nodeName.toLowerCase();return"input"===b&&"button"===a.type||"button"===b},text:function(a){var b;return"input"===a.nodeName.toLowerCase()&&"text"===a.type&&(null==(b=a.getAttribute("type"))||"text"===b.toLowerCase())},first:oa(function(){return[0]}),last:oa(function(a,b){return[b-1]}),eq:oa(function(a,b,c){return[0>c?c+b:c]}),even:oa(function(a,b){for(var c=0;b>c;c+=2)a.push(c);return a}),odd:oa(function(a,b){for(var c=1;b>c;c+=2)a.push(c);return a}),lt:oa(function(a,b,c){for(var d=0>c?c+b:c;--d>=0;)a.push(d);return a}),gt:oa(function(a,b,c){for(var d=0>c?c+b:c;++d<b;)a.push(d);return a})}},d.pseudos.nth=d.pseudos.eq;for(b in{radio:!0,checkbox:!0,file:!0,password:!0,image:!0})d.pseudos[b]=ma(b);for(b in{submit:!0,reset:!0})d.pseudos[b]=na(b);function qa(){}qa.prototype=d.filters=d.pseudos,d.setFilters=new qa,g=ga.tokenize=function(a,b){var c,e,f,g,h,i,j,k=z[a+" "];if(k)return b?0:k.slice(0);h=a,i=[],j=d.preFilter;while(h){(!c||(e=S.exec(h)))&&(e&&(h=h.slice(e[0].length)||h),i.push(f=[])),c=!1,(e=T.exec(h))&&(c=e.shift(),f.push({value:c,type:e[0].replace(R," ")}),h=h.slice(c.length));for(g in d.filter)!(e=X[g].exec(h))||j[g]&&!(e=j[g](e))||(c=e.shift(),f.push({value:c,type:g,matches:e}),h=h.slice(c.length));if(!c)break}return b?h.length:h?ga.error(a):z(a,i).slice(0)};function ra(a){for(var b=0,c=a.length,d="";c>b;b++)d+=a[b].value;return d}function sa(a,b,c){var d=b.dir,e=c&&"parentNode"===d,f=x++;return b.first?function(b,c,f){while(b=b[d])if(1===b.nodeType||e)return a(b,c,f)}:function(b,c,g){var h,i,j=[w,f];if(g){while(b=b[d])if((1===b.nodeType||e)&&a(b,c,g))return!0}else while(b=b[d])if(1===b.nodeType||e){if(i=b[u]||(b[u]={}),(h=i[d])&&h[0]===w&&h[1]===f)return j[2]=h[2];if(i[d]=j,j[2]=a(b,c,g))return!0}}}function ta(a){return a.length>1?function(b,c,d){var e=a.length;while(e--)if(!a[e](b,c,d))return!1;return!0}:a[0]}function ua(a,b,c){for(var d=0,e=b.length;e>d;d++)ga(a,b[d],c);return c}function va(a,b,c,d,e){for(var f,g=[],h=0,i=a.length,j=null!=b;i>h;h++)(f=a[h])&&(!c||c(f,d,e))&&(g.push(f),j&&b.push(h));return g}function wa(a,b,c,d,e,f){return d&&!d[u]&&(d=wa(d)),e&&!e[u]&&(e=wa(e,f)),ia(function(f,g,h,i){var j,k,l,m=[],n=[],o=g.length,p=f||ua(b||"*",h.nodeType?[h]:h,[]),q=!a||!f&&b?p:va(p,m,a,h,i),r=c?e||(f?a:o||d)?[]:g:q;if(c&&c(q,r,h,i),d){j=va(r,n),d(j,[],h,i),k=j.length;while(k--)(l=j[k])&&(r[n[k]]=!(q[n[k]]=l))}if(f){if(e||a){if(e){j=[],k=r.length;while(k--)(l=r[k])&&j.push(q[k]=l);e(null,r=[],j,i)}k=r.length;while(k--)(l=r[k])&&(j=e?J(f,l):m[k])>-1&&(f[j]=!(g[j]=l))}}else r=va(r===g?r.splice(o,r.length):r),e?e(null,g,r,i):H.apply(g,r)})}function xa(a){for(var b,c,e,f=a.length,g=d.relative[a[0].type],h=g||d.relative[" "],i=g?1:0,k=sa(function(a){return a===b},h,!0),l=sa(function(a){return J(b,a)>-1},h,!0),m=[function(a,c,d){var e=!g&&(d||c!==j)||((b=c).nodeType?k(a,c,d):l(a,c,d));return b=null,e}];f>i;i++)if(c=d.relative[a[i].type])m=[sa(ta(m),c)];else{if(c=d.filter[a[i].type].apply(null,a[i].matches),c[u]){for(e=++i;f>e;e++)if(d.relative[a[e].type])break;return wa(i>1&&ta(m),i>1&&ra(a.slice(0,i-1).concat({value:" "===a[i-2].type?"*":""})).replace(R,"$1"),c,e>i&&xa(a.slice(i,e)),f>e&&xa(a=a.slice(e)),f>e&&ra(a))}m.push(c)}return ta(m)}function ya(a,b){var c=b.length>0,e=a.length>0,f=function(f,g,h,i,k){var l,m,o,p=0,q="0",r=f&&[],s=[],t=j,u=f||e&&d.find.TAG("*",k),v=w+=null==t?1:Math.random()||.1,x=u.length;for(k&&(j=g!==n&&g);q!==x&&null!=(l=u[q]);q++){if(e&&l){m=0;while(o=a[m++])if(o(l,g,h)){i.push(l);break}k&&(w=v)}c&&((l=!o&&l)&&p--,f&&r.push(l))}if(p+=q,c&&q!==p){m=0;while(o=b[m++])o(r,s,g,h);if(f){if(p>0)while(q--)r[q]||s[q]||(s[q]=F.call(i));s=va(s)}H.apply(i,s),k&&!f&&s.length>0&&p+b.length>1&&ga.uniqueSort(i)}return k&&(w=v,j=t),r};return c?ia(f):f}return h=ga.compile=function(a,b){var c,d=[],e=[],f=A[a+" "];if(!f){b||(b=g(a)),c=b.length;while(c--)f=xa(b[c]),f[u]?d.push(f):e.push(f);f=A(a,ya(e,d)),f.selector=a}return f},i=ga.select=function(a,b,e,f){var i,j,k,l,m,n="function"==typeof a&&a,o=!f&&g(a=n.selector||a);if(e=e||[],1===o.length){if(j=o[0]=o[0].slice(0),j.length>2&&"ID"===(k=j[0]).type&&c.getById&&9===b.nodeType&&p&&d.relative[j[1].type]){if(b=(d.find.ID(k.matches[0].replace(ca,da),b)||[])[0],!b)return e;n&&(b=b.parentNode),a=a.slice(j.shift().value.length)}i=X.needsContext.test(a)?0:j.length;while(i--){if(k=j[i],d.relative[l=k.type])break;if((m=d.find[l])&&(f=m(k.matches[0].replace(ca,da),aa.test(j[0].type)&&pa(b.parentNode)||b))){if(j.splice(i,1),a=f.length&&ra(j),!a)return H.apply(e,f),e;break}}}return(n||h(a,o))(f,b,!p,e,aa.test(a)&&pa(b.parentNode)||b),e},c.sortStable=u.split("").sort(B).join("")===u,c.detectDuplicates=!!l,m(),c.sortDetached=ja(function(a){return 1&a.compareDocumentPosition(n.createElement("div"))}),ja(function(a){return a.innerHTML="<a href='#'></a>","#"===a.firstChild.getAttribute("href")})||ka("type|href|height|width",function(a,b,c){return c?void 0:a.getAttribute(b,"type"===b.toLowerCase()?1:2)}),c.attributes&&ja(function(a){return a.innerHTML="<input/>",a.firstChild.setAttribute("value",""),""===a.firstChild.getAttribute("value")})||ka("value",function(a,b,c){return c||"input"!==a.nodeName.toLowerCase()?void 0:a.defaultValue}),ja(function(a){return null==a.getAttribute("disabled")})||ka(K,function(a,b,c){var d;return c?void 0:a[b]===!0?b.toLowerCase():(d=a.getAttributeNode(b))&&d.specified?d.value:null}),ga}(a);m.find=s,m.expr=s.selectors,m.expr[":"]=m.expr.pseudos,m.unique=s.uniqueSort,m.text=s.getText,m.isXMLDoc=s.isXML,m.contains=s.contains;var t=m.expr.match.needsContext,u=/^<(\w+)\s*\/?>(?:<\/\1>|)$/,v=/^.[^:#\[\.,]*$/;function w(a,b,c){if(m.isFunction(b))return m.grep(a,function(a,d){return!!b.call(a,d,a)!==c});if(b.nodeType)return m.grep(a,function(a){return a===b!==c});if("string"==typeof b){if(v.test(b))return m.filter(b,a,c);b=m.filter(b,a)}return m.grep(a,function(a){return m.inArray(a,b)>=0!==c})}m.filter=function(a,b,c){var d=b[0];return c&&(a=":not("+a+")"),1===b.length&&1===d.nodeType?m.find.matchesSelector(d,a)?[d]:[]:m.find.matches(a,m.grep(b,function(a){return 1===a.nodeType}))},m.fn.extend({find:function(a){var b,c=[],d=this,e=d.length;if("string"!=typeof a)return this.pushStack(m(a).filter(function(){for(b=0;e>b;b++)if(m.contains(d[b],this))return!0}));for(b=0;e>b;b++)m.find(a,d[b],c);return c=this.pushStack(e>1?m.unique(c):c),c.selector=this.selector?this.selector+" "+a:a,c},filter:function(a){return this.pushStack(w(this,a||[],!1))},not:function(a){return this.pushStack(w(this,a||[],!0))},is:function(a){return!!w(this,"string"==typeof a&&t.test(a)?m(a):a||[],!1).length}});var x,y=a.document,z=/^(?:\s*(<[\w\W]+>)[^>]*|#([\w-]*))$/,A=m.fn.init=function(a,b){var c,d;if(!a)return this;if("string"==typeof a){if(c="<"===a.charAt(0)&&">"===a.charAt(a.length-1)&&a.length>=3?[null,a,null]:z.exec(a),!c||!c[1]&&b)return!b||b.jquery?(b||x).find(a):this.constructor(b).find(a);if(c[1]){if(b=b instanceof m?b[0]:b,m.merge(this,m.parseHTML(c[1],b&&b.nodeType?b.ownerDocument||b:y,!0)),u.test(c[1])&&m.isPlainObject(b))for(c in b)m.isFunction(this[c])?this[c](b[c]):this.attr(c,b[c]);return this}if(d=y.getElementById(c[2]),d&&d.parentNode){if(d.id!==c[2])return x.find(a);this.length=1,this[0]=d}return this.context=y,this.selector=a,this}return a.nodeType?(this.context=this[0]=a,this.length=1,this):m.isFunction(a)?"undefined"!=typeof x.ready?x.ready(a):a(m):(void 0!==a.selector&&(this.selector=a.selector,this.context=a.context),m.makeArray(a,this))};A.prototype=m.fn,x=m(y);var B=/^(?:parents|prev(?:Until|All))/,C={children:!0,contents:!0,next:!0,prev:!0};m.extend({dir:function(a,b,c){var d=[],e=a[b];while(e&&9!==e.nodeType&&(void 0===c||1!==e.nodeType||!m(e).is(c)))1===e.nodeType&&d.push(e),e=e[b];return d},sibling:function(a,b){for(var c=[];a;a=a.nextSibling)1===a.nodeType&&a!==b&&c.push(a);return c}}),m.fn.extend({has:function(a){var b,c=m(a,this),d=c.length;return this.filter(function(){for(b=0;d>b;b++)if(m.contains(this,c[b]))return!0})},closest:function(a,b){for(var c,d=0,e=this.length,f=[],g=t.test(a)||"string"!=typeof a?m(a,b||this.context):0;e>d;d++)for(c=this[d];c&&c!==b;c=c.parentNode)if(c.nodeType<11&&(g?g.index(c)>-1:1===c.nodeType&&m.find.matchesSelector(c,a))){f.push(c);break}return this.pushStack(f.length>1?m.unique(f):f)},index:function(a){return a?"string"==typeof a?m.inArray(this[0],m(a)):m.inArray(a.jquery?a[0]:a,this):this[0]&&this[0].parentNode?this.first().prevAll().length:-1},add:function(a,b){return this.pushStack(m.unique(m.merge(this.get(),m(a,b))))},addBack:function(a){return this.add(null==a?this.prevObject:this.prevObject.filter(a))}});function D(a,b){do a=a[b];while(a&&1!==a.nodeType);return a}m.each({parent:function(a){var b=a.parentNode;return b&&11!==b.nodeType?b:null},parents:function(a){return m.dir(a,"parentNode")},parentsUntil:function(a,b,c){return m.dir(a,"parentNode",c)},next:function(a){return D(a,"nextSibling")},prev:function(a){return D(a,"previousSibling")},nextAll:function(a){return m.dir(a,"nextSibling")},prevAll:function(a){return m.dir(a,"previousSibling")},nextUntil:function(a,b,c){return m.dir(a,"nextSibling",c)},prevUntil:function(a,b,c){return m.dir(a,"previousSibling",c)},siblings:function(a){return m.sibling((a.parentNode||{}).firstChild,a)},children:function(a){return m.sibling(a.firstChild)},contents:function(a){return m.nodeName(a,"iframe")?a.contentDocument||a.contentWindow.document:m.merge([],a.childNodes)}},function(a,b){m.fn[a]=function(c,d){var e=m.map(this,b,c);return"Until"!==a.slice(-5)&&(d=c),d&&"string"==typeof d&&(e=m.filter(d,e)),this.length>1&&(C[a]||(e=m.unique(e)),B.test(a)&&(e=e.reverse())),this.pushStack(e)}});var E=/\S+/g,F={};function G(a){var b=F[a]={};return m.each(a.match(E)||[],function(a,c){b[c]=!0}),b}m.Callbacks=function(a){a="string"==typeof a?F[a]||G(a):m.extend({},a);var b,c,d,e,f,g,h=[],i=!a.once&&[],j=function(l){for(c=a.memory&&l,d=!0,f=g||0,g=0,e=h.length,b=!0;h&&e>f;f++)if(h[f].apply(l[0],l[1])===!1&&a.stopOnFalse){c=!1;break}b=!1,h&&(i?i.length&&j(i.shift()):c?h=[]:k.disable())},k={add:function(){if(h){var d=h.length;!function f(b){m.each(b,function(b,c){var d=m.type(c);"function"===d?a.unique&&k.has(c)||h.push(c):c&&c.length&&"string"!==d&&f(c)})}(arguments),b?e=h.length:c&&(g=d,j(c))}return this},remove:function(){return h&&m.each(arguments,function(a,c){var d;while((d=m.inArray(c,h,d))>-1)h.splice(d,1),b&&(e>=d&&e--,f>=d&&f--)}),this},has:function(a){return a?m.inArray(a,h)>-1:!(!h||!h.length)},empty:function(){return h=[],e=0,this},disable:function(){return h=i=c=void 0,this},disabled:function(){return!h},lock:function(){return i=void 0,c||k.disable(),this},locked:function(){return!i},fireWith:function(a,c){return!h||d&&!i||(c=c||[],c=[a,c.slice?c.slice():c],b?i.push(c):j(c)),this},fire:function(){return k.fireWith(this,arguments),this},fired:function(){return!!d}};return k},m.extend({Deferred:function(a){var b=[["resolve","done",m.Callbacks("once memory"),"resolved"],["reject","fail",m.Callbacks("once memory"),"rejected"],["notify","progress",m.Callbacks("memory")]],c="pending",d={state:function(){return c},always:function(){return e.done(arguments).fail(arguments),this},then:function(){var a=arguments;return m.Deferred(function(c){m.each(b,function(b,f){var g=m.isFunction(a[b])&&a[b];e[f[1]](function(){var a=g&&g.apply(this,arguments);a&&m.isFunction(a.promise)?a.promise().done(c.resolve).fail(c.reject).progress(c.notify):c[f[0]+"With"](this===d?c.promise():this,g?[a]:arguments)})}),a=null}).promise()},promise:function(a){return null!=a?m.extend(a,d):d}},e={};return d.pipe=d.then,m.each(b,function(a,f){var g=f[2],h=f[3];d[f[1]]=g.add,h&&g.add(function(){c=h},b[1^a][2].disable,b[2][2].lock),e[f[0]]=function(){return e[f[0]+"With"](this===e?d:this,arguments),this},e[f[0]+"With"]=g.fireWith}),d.promise(e),a&&a.call(e,e),e},when:function(a){var b=0,c=d.call(arguments),e=c.length,f=1!==e||a&&m.isFunction(a.promise)?e:0,g=1===f?a:m.Deferred(),h=function(a,b,c){return function(e){b[a]=this,c[a]=arguments.length>1?d.call(arguments):e,c===i?g.notifyWith(b,c):--f||g.resolveWith(b,c)}},i,j,k;if(e>1)for(i=new Array(e),j=new Array(e),k=new Array(e);e>b;b++)c[b]&&m.isFunction(c[b].promise)?c[b].promise().done(h(b,k,c)).fail(g.reject).progress(h(b,j,i)):--f;return f||g.resolveWith(k,c),g.promise()}});var H;m.fn.ready=function(a){return m.ready.promise().done(a),this},m.extend({isReady:!1,readyWait:1,holdReady:function(a){a?m.readyWait++:m.ready(!0)},ready:function(a){if(a===!0?!--m.readyWait:!m.isReady){if(!y.body)return setTimeout(m.ready);m.isReady=!0,a!==!0&&--m.readyWait>0||(H.resolveWith(y,[m]),m.fn.triggerHandler&&(m(y).triggerHandler("ready"),m(y).off("ready")))}}});function I(){y.addEventListener?(y.removeEventListener("DOMContentLoaded",J,!1),a.removeEventListener("load",J,!1)):(y.detachEvent("onreadystatechange",J),a.detachEvent("onload",J))}function J(){(y.addEventListener||"load"===event.type||"complete"===y.readyState)&&(I(),m.ready())}m.ready.promise=function(b){if(!H)if(H=m.Deferred(),"complete"===y.readyState)setTimeout(m.ready);else if(y.addEventListener)y.addEventListener("DOMContentLoaded",J,!1),a.addEventListener("load",J,!1);else{y.attachEvent("onreadystatechange",J),a.attachEvent("onload",J);var c=!1;try{c=null==a.frameElement&&y.documentElement}catch(d){}c&&c.doScroll&&!function e(){if(!m.isReady){try{c.doScroll("left")}catch(a){return setTimeout(e,50)}I(),m.ready()}}()}return H.promise(b)};var K="undefined",L;for(L in m(k))break;k.ownLast="0"!==L,k.inlineBlockNeedsLayout=!1,m(function(){var a,b,c,d;c=y.getElementsByTagName("body")[0],c&&c.style&&(b=y.createElement("div"),d=y.createElement("div"),d.style.cssText="position:absolute;border:0;width:0;height:0;top:0;left:-9999px",c.appendChild(d).appendChild(b),typeof b.style.zoom!==K&&(b.style.cssText="display:inline;margin:0;border:0;padding:1px;width:1px;zoom:1",k.inlineBlockNeedsLayout=a=3===b.offsetWidth,a&&(c.style.zoom=1)),c.removeChild(d))}),function(){var a=y.createElement("div");if(null==k.deleteExpando){k.deleteExpando=!0;try{delete a.test}catch(b){k.deleteExpando=!1}}a=null}(),m.acceptData=function(a){var b=m.noData[(a.nodeName+" ").toLowerCase()],c=+a.nodeType||1;return 1!==c&&9!==c?!1:!b||b!==!0&&a.getAttribute("classid")===b};var M=/^(?:\{[\w\W]*\}|\[[\w\W]*\])$/,N=/([A-Z])/g;function O(a,b,c){if(void 0===c&&1===a.nodeType){var d="data-"+b.replace(N,"-$1").toLowerCase();if(c=a.getAttribute(d),"string"==typeof c){try{c="true"===c?!0:"false"===c?!1:"null"===c?null:+c+""===c?+c:M.test(c)?m.parseJSON(c):c}catch(e){}m.data(a,b,c)}else c=void 0}return c}function P(a){var b;for(b in a)if(("data"!==b||!m.isEmptyObject(a[b]))&&"toJSON"!==b)return!1; return!0}function Q(a,b,d,e){if(m.acceptData(a)){var f,g,h=m.expando,i=a.nodeType,j=i?m.cache:a,k=i?a[h]:a[h]&&h;if(k&&j[k]&&(e||j[k].data)||void 0!==d||"string"!=typeof b)return k||(k=i?a[h]=c.pop()||m.guid++:h),j[k]||(j[k]=i?{}:{toJSON:m.noop}),("object"==typeof b||"function"==typeof b)&&(e?j[k]=m.extend(j[k],b):j[k].data=m.extend(j[k].data,b)),g=j[k],e||(g.data||(g.data={}),g=g.data),void 0!==d&&(g[m.camelCase(b)]=d),"string"==typeof b?(f=g[b],null==f&&(f=g[m.camelCase(b)])):f=g,f}}function R(a,b,c){if(m.acceptData(a)){var d,e,f=a.nodeType,g=f?m.cache:a,h=f?a[m.expando]:m.expando;if(g[h]){if(b&&(d=c?g[h]:g[h].data)){m.isArray(b)?b=b.concat(m.map(b,m.camelCase)):b in d?b=[b]:(b=m.camelCase(b),b=b in d?[b]:b.split(" ")),e=b.length;while(e--)delete d[b[e]];if(c?!P(d):!m.isEmptyObject(d))return}(c||(delete g[h].data,P(g[h])))&&(f?m.cleanData([a],!0):k.deleteExpando||g!=g.window?delete g[h]:g[h]=null)}}}m.extend({cache:{},noData:{"applet ":!0,"embed ":!0,"object ":"clsid:D27CDB6E-AE6D-11cf-96B8-444553540000"},hasData:function(a){return a=a.nodeType?m.cache[a[m.expando]]:a[m.expando],!!a&&!P(a)},data:function(a,b,c){return Q(a,b,c)},removeData:function(a,b){return R(a,b)},_data:function(a,b,c){return Q(a,b,c,!0)},_removeData:function(a,b){return R(a,b,!0)}}),m.fn.extend({data:function(a,b){var c,d,e,f=this[0],g=f&&f.attributes;if(void 0===a){if(this.length&&(e=m.data(f),1===f.nodeType&&!m._data(f,"parsedAttrs"))){c=g.length;while(c--)g[c]&&(d=g[c].name,0===d.indexOf("data-")&&(d=m.camelCase(d.slice(5)),O(f,d,e[d])));m._data(f,"parsedAttrs",!0)}return e}return"object"==typeof a?this.each(function(){m.data(this,a)}):arguments.length>1?this.each(function(){m.data(this,a,b)}):f?O(f,a,m.data(f,a)):void 0},removeData:function(a){return this.each(function(){m.removeData(this,a)})}}),m.extend({queue:function(a,b,c){var d;return a?(b=(b||"fx")+"queue",d=m._data(a,b),c&&(!d||m.isArray(c)?d=m._data(a,b,m.makeArray(c)):d.push(c)),d||[]):void 0},dequeue:function(a,b){b=b||"fx";var c=m.queue(a,b),d=c.length,e=c.shift(),f=m._queueHooks(a,b),g=function(){m.dequeue(a,b)};"inprogress"===e&&(e=c.shift(),d--),e&&("fx"===b&&c.unshift("inprogress"),delete f.stop,e.call(a,g,f)),!d&&f&&f.empty.fire()},_queueHooks:function(a,b){var c=b+"queueHooks";return m._data(a,c)||m._data(a,c,{empty:m.Callbacks("once memory").add(function(){m._removeData(a,b+"queue"),m._removeData(a,c)})})}}),m.fn.extend({queue:function(a,b){var c=2;return"string"!=typeof a&&(b=a,a="fx",c--),arguments.length<c?m.queue(this[0],a):void 0===b?this:this.each(function(){var c=m.queue(this,a,b);m._queueHooks(this,a),"fx"===a&&"inprogress"!==c[0]&&m.dequeue(this,a)})},dequeue:function(a){return this.each(function(){m.dequeue(this,a)})},clearQueue:function(a){return this.queue(a||"fx",[])},promise:function(a,b){var c,d=1,e=m.Deferred(),f=this,g=this.length,h=function(){--d||e.resolveWith(f,[f])};"string"!=typeof a&&(b=a,a=void 0),a=a||"fx";while(g--)c=m._data(f[g],a+"queueHooks"),c&&c.empty&&(d++,c.empty.add(h));return h(),e.promise(b)}});var S=/[+-]?(?:\d*\.|)\d+(?:[eE][+-]?\d+|)/.source,T=["Top","Right","Bottom","Left"],U=function(a,b){return a=b||a,"none"===m.css(a,"display")||!m.contains(a.ownerDocument,a)},V=m.access=function(a,b,c,d,e,f,g){var h=0,i=a.length,j=null==c;if("object"===m.type(c)){e=!0;for(h in c)m.access(a,b,h,c[h],!0,f,g)}else if(void 0!==d&&(e=!0,m.isFunction(d)||(g=!0),j&&(g?(b.call(a,d),b=null):(j=b,b=function(a,b,c){return j.call(m(a),c)})),b))for(;i>h;h++)b(a[h],c,g?d:d.call(a[h],h,b(a[h],c)));return e?a:j?b.call(a):i?b(a[0],c):f},W=/^(?:checkbox|radio)$/i;!function(){var a=y.createElement("input"),b=y.createElement("div"),c=y.createDocumentFragment();if(b.innerHTML=" <link/><table></table><a href='/a'>a</a><input type='checkbox'/>",k.leadingWhitespace=3===b.firstChild.nodeType,k.tbody=!b.getElementsByTagName("tbody").length,k.htmlSerialize=!!b.getElementsByTagName("link").length,k.html5Clone="<:nav></:nav>"!==y.createElement("nav").cloneNode(!0).outerHTML,a.type="checkbox",a.checked=!0,c.appendChild(a),k.appendChecked=a.checked,b.innerHTML="<textarea>x</textarea>",k.noCloneChecked=!!b.cloneNode(!0).lastChild.defaultValue,c.appendChild(b),b.innerHTML="<input type='radio' checked='checked' name='t'/>",k.checkClone=b.cloneNode(!0).cloneNode(!0).lastChild.checked,k.noCloneEvent=!0,b.attachEvent&&(b.attachEvent("onclick",function(){k.noCloneEvent=!1}),b.cloneNode(!0).click()),null==k.deleteExpando){k.deleteExpando=!0;try{delete b.test}catch(d){k.deleteExpando=!1}}}(),function(){var b,c,d=y.createElement("div");for(b in{submit:!0,change:!0,focusin:!0})c="on"+b,(k[b+"Bubbles"]=c in a)||(d.setAttribute(c,"t"),k[b+"Bubbles"]=d.attributes[c].expando===!1);d=null}();var X=/^(?:input|select|textarea)$/i,Y=/^key/,Z=/^(?:mouse|pointer|contextmenu)|click/,$=/^(?:focusinfocus|focusoutblur)$/,_=/^([^.]*)(?:\.(.+)|)$/;function aa(){return!0}function ba(){return!1}function ca(){try{return y.activeElement}catch(a){}}m.event={global:{},add:function(a,b,c,d,e){var f,g,h,i,j,k,l,n,o,p,q,r=m._data(a);if(r){c.handler&&(i=c,c=i.handler,e=i.selector),c.guid||(c.guid=m.guid++),(g=r.events)||(g=r.events={}),(k=r.handle)||(k=r.handle=function(a){return typeof m===K||a&&m.event.triggered===a.type?void 0:m.event.dispatch.apply(k.elem,arguments)},k.elem=a),b=(b||"").match(E)||[""],h=b.length;while(h--)f=_.exec(b[h])||[],o=q=f[1],p=(f[2]||"").split(".").sort(),o&&(j=m.event.special[o]||{},o=(e?j.delegateType:j.bindType)||o,j=m.event.special[o]||{},l=m.extend({type:o,origType:q,data:d,handler:c,guid:c.guid,selector:e,needsContext:e&&m.expr.match.needsContext.test(e),namespace:p.join(".")},i),(n=g[o])||(n=g[o]=[],n.delegateCount=0,j.setup&&j.setup.call(a,d,p,k)!==!1||(a.addEventListener?a.addEventListener(o,k,!1):a.attachEvent&&a.attachEvent("on"+o,k))),j.add&&(j.add.call(a,l),l.handler.guid||(l.handler.guid=c.guid)),e?n.splice(n.delegateCount++,0,l):n.push(l),m.event.global[o]=!0);a=null}},remove:function(a,b,c,d,e){var f,g,h,i,j,k,l,n,o,p,q,r=m.hasData(a)&&m._data(a);if(r&&(k=r.events)){b=(b||"").match(E)||[""],j=b.length;while(j--)if(h=_.exec(b[j])||[],o=q=h[1],p=(h[2]||"").split(".").sort(),o){l=m.event.special[o]||{},o=(d?l.delegateType:l.bindType)||o,n=k[o]||[],h=h[2]&&new RegExp("(^|\\.)"+p.join("\\.(?:.*\\.|)")+"(\\.|$)"),i=f=n.length;while(f--)g=n[f],!e&&q!==g.origType||c&&c.guid!==g.guid||h&&!h.test(g.namespace)||d&&d!==g.selector&&("**"!==d||!g.selector)||(n.splice(f,1),g.selector&&n.delegateCount--,l.remove&&l.remove.call(a,g));i&&!n.length&&(l.teardown&&l.teardown.call(a,p,r.handle)!==!1||m.removeEvent(a,o,r.handle),delete k[o])}else for(o in k)m.event.remove(a,o+b[j],c,d,!0);m.isEmptyObject(k)&&(delete r.handle,m._removeData(a,"events"))}},trigger:function(b,c,d,e){var f,g,h,i,k,l,n,o=[d||y],p=j.call(b,"type")?b.type:b,q=j.call(b,"namespace")?b.namespace.split("."):[];if(h=l=d=d||y,3!==d.nodeType&&8!==d.nodeType&&!$.test(p+m.event.triggered)&&(p.indexOf(".")>=0&&(q=p.split("."),p=q.shift(),q.sort()),g=p.indexOf(":")<0&&"on"+p,b=b[m.expando]?b:new m.Event(p,"object"==typeof b&&b),b.isTrigger=e?2:3,b.namespace=q.join("."),b.namespace_re=b.namespace?new RegExp("(^|\\.)"+q.join("\\.(?:.*\\.|)")+"(\\.|$)"):null,b.result=void 0,b.target||(b.target=d),c=null==c?[b]:m.makeArray(c,[b]),k=m.event.special[p]||{},e||!k.trigger||k.trigger.apply(d,c)!==!1)){if(!e&&!k.noBubble&&!m.isWindow(d)){for(i=k.delegateType||p,$.test(i+p)||(h=h.parentNode);h;h=h.parentNode)o.push(h),l=h;l===(d.ownerDocument||y)&&o.push(l.defaultView||l.parentWindow||a)}n=0;while((h=o[n++])&&!b.isPropagationStopped())b.type=n>1?i:k.bindType||p,f=(m._data(h,"events")||{})[b.type]&&m._data(h,"handle"),f&&f.apply(h,c),f=g&&h[g],f&&f.apply&&m.acceptData(h)&&(b.result=f.apply(h,c),b.result===!1&&b.preventDefault());if(b.type=p,!e&&!b.isDefaultPrevented()&&(!k._default||k._default.apply(o.pop(),c)===!1)&&m.acceptData(d)&&g&&d[p]&&!m.isWindow(d)){l=d[g],l&&(d[g]=null),m.event.triggered=p;try{d[p]()}catch(r){}m.event.triggered=void 0,l&&(d[g]=l)}return b.result}},dispatch:function(a){a=m.event.fix(a);var b,c,e,f,g,h=[],i=d.call(arguments),j=(m._data(this,"events")||{})[a.type]||[],k=m.event.special[a.type]||{};if(i[0]=a,a.delegateTarget=this,!k.preDispatch||k.preDispatch.call(this,a)!==!1){h=m.event.handlers.call(this,a,j),b=0;while((f=h[b++])&&!a.isPropagationStopped()){a.currentTarget=f.elem,g=0;while((e=f.handlers[g++])&&!a.isImmediatePropagationStopped())(!a.namespace_re||a.namespace_re.test(e.namespace))&&(a.handleObj=e,a.data=e.data,c=((m.event.special[e.origType]||{}).handle||e.handler).apply(f.elem,i),void 0!==c&&(a.result=c)===!1&&(a.preventDefault(),a.stopPropagation()))}return k.postDispatch&&k.postDispatch.call(this,a),a.result}},handlers:function(a,b){var c,d,e,f,g=[],h=b.delegateCount,i=a.target;if(h&&i.nodeType&&(!a.button||"click"!==a.type))for(;i!=this;i=i.parentNode||this)if(1===i.nodeType&&(i.disabled!==!0||"click"!==a.type)){for(e=[],f=0;h>f;f++)d=b[f],c=d.selector+" ",void 0===e[c]&&(e[c]=d.needsContext?m(c,this).index(i)>=0:m.find(c,this,null,[i]).length),e[c]&&e.push(d);e.length&&g.push({elem:i,handlers:e})}return h<b.length&&g.push({elem:this,handlers:b.slice(h)}),g},fix:function(a){if(a[m.expando])return a;var b,c,d,e=a.type,f=a,g=this.fixHooks[e];g||(this.fixHooks[e]=g=Z.test(e)?this.mouseHooks:Y.test(e)?this.keyHooks:{}),d=g.props?this.props.concat(g.props):this.props,a=new m.Event(f),b=d.length;while(b--)c=d[b],a[c]=f[c];return a.target||(a.target=f.srcElement||y),3===a.target.nodeType&&(a.target=a.target.parentNode),a.metaKey=!!a.metaKey,g.filter?g.filter(a,f):a},props:"altKey bubbles cancelable ctrlKey currentTarget eventPhase metaKey relatedTarget shiftKey target timeStamp view which".split(" "),fixHooks:{},keyHooks:{props:"char charCode key keyCode".split(" "),filter:function(a,b){return null==a.which&&(a.which=null!=b.charCode?b.charCode:b.keyCode),a}},mouseHooks:{props:"button buttons clientX clientY fromElement offsetX offsetY pageX pageY screenX screenY toElement".split(" "),filter:function(a,b){var c,d,e,f=b.button,g=b.fromElement;return null==a.pageX&&null!=b.clientX&&(d=a.target.ownerDocument||y,e=d.documentElement,c=d.body,a.pageX=b.clientX+(e&&e.scrollLeft||c&&c.scrollLeft||0)-(e&&e.clientLeft||c&&c.clientLeft||0),a.pageY=b.clientY+(e&&e.scrollTop||c&&c.scrollTop||0)-(e&&e.clientTop||c&&c.clientTop||0)),!a.relatedTarget&&g&&(a.relatedTarget=g===a.target?b.toElement:g),a.which||void 0===f||(a.which=1&f?1:2&f?3:4&f?2:0),a}},special:{load:{noBubble:!0},focus:{trigger:function(){if(this!==ca()&&this.focus)try{return this.focus(),!1}catch(a){}},delegateType:"focusin"},blur:{trigger:function(){return this===ca()&&this.blur?(this.blur(),!1):void 0},delegateType:"focusout"},click:{trigger:function(){return m.nodeName(this,"input")&&"checkbox"===this.type&&this.click?(this.click(),!1):void 0},_default:function(a){return m.nodeName(a.target,"a")}},beforeunload:{postDispatch:function(a){void 0!==a.result&&a.originalEvent&&(a.originalEvent.returnValue=a.result)}}},simulate:function(a,b,c,d){var e=m.extend(new m.Event,c,{type:a,isSimulated:!0,originalEvent:{}});d?m.event.trigger(e,null,b):m.event.dispatch.call(b,e),e.isDefaultPrevented()&&c.preventDefault()}},m.removeEvent=y.removeEventListener?function(a,b,c){a.removeEventListener&&a.removeEventListener(b,c,!1)}:function(a,b,c){var d="on"+b;a.detachEvent&&(typeof a[d]===K&&(a[d]=null),a.detachEvent(d,c))},m.Event=function(a,b){return this instanceof m.Event?(a&&a.type?(this.originalEvent=a,this.type=a.type,this.isDefaultPrevented=a.defaultPrevented||void 0===a.defaultPrevented&&a.returnValue===!1?aa:ba):this.type=a,b&&m.extend(this,b),this.timeStamp=a&&a.timeStamp||m.now(),void(this[m.expando]=!0)):new m.Event(a,b)},m.Event.prototype={isDefaultPrevented:ba,isPropagationStopped:ba,isImmediatePropagationStopped:ba,preventDefault:function(){var a=this.originalEvent;this.isDefaultPrevented=aa,a&&(a.preventDefault?a.preventDefault():a.returnValue=!1)},stopPropagation:function(){var a=this.originalEvent;this.isPropagationStopped=aa,a&&(a.stopPropagation&&a.stopPropagation(),a.cancelBubble=!0)},stopImmediatePropagation:function(){var a=this.originalEvent;this.isImmediatePropagationStopped=aa,a&&a.stopImmediatePropagation&&a.stopImmediatePropagation(),this.stopPropagation()}},m.each({mouseenter:"mouseover",mouseleave:"mouseout",pointerenter:"pointerover",pointerleave:"pointerout"},function(a,b){m.event.special[a]={delegateType:b,bindType:b,handle:function(a){var c,d=this,e=a.relatedTarget,f=a.handleObj;return(!e||e!==d&&!m.contains(d,e))&&(a.type=f.origType,c=f.handler.apply(this,arguments),a.type=b),c}}}),k.submitBubbles||(m.event.special.submit={setup:function(){return m.nodeName(this,"form")?!1:void m.event.add(this,"click._submit keypress._submit",function(a){var b=a.target,c=m.nodeName(b,"input")||m.nodeName(b,"button")?b.form:void 0;c&&!m._data(c,"submitBubbles")&&(m.event.add(c,"submit._submit",function(a){a._submit_bubble=!0}),m._data(c,"submitBubbles",!0))})},postDispatch:function(a){a._submit_bubble&&(delete a._submit_bubble,this.parentNode&&!a.isTrigger&&m.event.simulate("submit",this.parentNode,a,!0))},teardown:function(){return m.nodeName(this,"form")?!1:void m.event.remove(this,"._submit")}}),k.changeBubbles||(m.event.special.change={setup:function(){return X.test(this.nodeName)?(("checkbox"===this.type||"radio"===this.type)&&(m.event.add(this,"propertychange._change",function(a){"checked"===a.originalEvent.propertyName&&(this._just_changed=!0)}),m.event.add(this,"click._change",function(a){this._just_changed&&!a.isTrigger&&(this._just_changed=!1),m.event.simulate("change",this,a,!0)})),!1):void m.event.add(this,"beforeactivate._change",function(a){var b=a.target;X.test(b.nodeName)&&!m._data(b,"changeBubbles")&&(m.event.add(b,"change._change",function(a){!this.parentNode||a.isSimulated||a.isTrigger||m.event.simulate("change",this.parentNode,a,!0)}),m._data(b,"changeBubbles",!0))})},handle:function(a){var b=a.target;return this!==b||a.isSimulated||a.isTrigger||"radio"!==b.type&&"checkbox"!==b.type?a.handleObj.handler.apply(this,arguments):void 0},teardown:function(){return m.event.remove(this,"._change"),!X.test(this.nodeName)}}),k.focusinBubbles||m.each({focus:"focusin",blur:"focusout"},function(a,b){var c=function(a){m.event.simulate(b,a.target,m.event.fix(a),!0)};m.event.special[b]={setup:function(){var d=this.ownerDocument||this,e=m._data(d,b);e||d.addEventListener(a,c,!0),m._data(d,b,(e||0)+1)},teardown:function(){var d=this.ownerDocument||this,e=m._data(d,b)-1;e?m._data(d,b,e):(d.removeEventListener(a,c,!0),m._removeData(d,b))}}}),m.fn.extend({on:function(a,b,c,d,e){var f,g;if("object"==typeof a){"string"!=typeof b&&(c=c||b,b=void 0);for(f in a)this.on(f,b,c,a[f],e);return this}if(null==c&&null==d?(d=b,c=b=void 0):null==d&&("string"==typeof b?(d=c,c=void 0):(d=c,c=b,b=void 0)),d===!1)d=ba;else if(!d)return this;return 1===e&&(g=d,d=function(a){return m().off(a),g.apply(this,arguments)},d.guid=g.guid||(g.guid=m.guid++)),this.each(function(){m.event.add(this,a,d,c,b)})},one:function(a,b,c,d){return this.on(a,b,c,d,1)},off:function(a,b,c){var d,e;if(a&&a.preventDefault&&a.handleObj)return d=a.handleObj,m(a.delegateTarget).off(d.namespace?d.origType+"."+d.namespace:d.origType,d.selector,d.handler),this;if("object"==typeof a){for(e in a)this.off(e,b,a[e]);return this}return(b===!1||"function"==typeof b)&&(c=b,b=void 0),c===!1&&(c=ba),this.each(function(){m.event.remove(this,a,c,b)})},trigger:function(a,b){return this.each(function(){m.event.trigger(a,b,this)})},triggerHandler:function(a,b){var c=this[0];return c?m.event.trigger(a,b,c,!0):void 0}});function da(a){var b=ea.split("|"),c=a.createDocumentFragment();if(c.createElement)while(b.length)c.createElement(b.pop());return c}var ea="abbr|article|aside|audio|bdi|canvas|data|datalist|details|figcaption|figure|footer|header|hgroup|mark|meter|nav|output|progress|section|summary|time|video",fa=/ jQuery\d+="(?:null|\d+)"/g,ga=new RegExp("<(?:"+ea+")[\\s/>]","i"),ha=/^\s+/,ia=/<(?!area|br|col|embed|hr|img|input|link|meta|param)(([\w:]+)[^>]*)\/>/gi,ja=/<([\w:]+)/,ka=/<tbody/i,la=/<|&#?\w+;/,ma=/<(?:script|style|link)/i,na=/checked\s*(?:[^=]|=\s*.checked.)/i,oa=/^$|\/(?:java|ecma)script/i,pa=/^true\/(.*)/,qa=/^\s*<!(?:\[CDATA\[|--)|(?:\]\]|--)>\s*$/g,ra={option:[1,"<select multiple='multiple'>","</select>"],legend:[1,"<fieldset>","</fieldset>"],area:[1,"<map>","</map>"],param:[1,"<object>","</object>"],thead:[1,"<table>","</table>"],tr:[2,"<table><tbody>","</tbody></table>"],col:[2,"<table><tbody></tbody><colgroup>","</colgroup></table>"],td:[3,"<table><tbody><tr>","</tr></tbody></table>"],_default:k.htmlSerialize?[0,"",""]:[1,"X<div>","</div>"]},sa=da(y),ta=sa.appendChild(y.createElement("div"));ra.optgroup=ra.option,ra.tbody=ra.tfoot=ra.colgroup=ra.caption=ra.thead,ra.th=ra.td;function ua(a,b){var c,d,e=0,f=typeof a.getElementsByTagName!==K?a.getElementsByTagName(b||"*"):typeof a.querySelectorAll!==K?a.querySelectorAll(b||"*"):void 0;if(!f)for(f=[],c=a.childNodes||a;null!=(d=c[e]);e++)!b||m.nodeName(d,b)?f.push(d):m.merge(f,ua(d,b));return void 0===b||b&&m.nodeName(a,b)?m.merge([a],f):f}function va(a){W.test(a.type)&&(a.defaultChecked=a.checked)}function wa(a,b){return m.nodeName(a,"table")&&m.nodeName(11!==b.nodeType?b:b.firstChild,"tr")?a.getElementsByTagName("tbody")[0]||a.appendChild(a.ownerDocument.createElement("tbody")):a}function xa(a){return a.type=(null!==m.find.attr(a,"type"))+"/"+a.type,a}function ya(a){var b=pa.exec(a.type);return b?a.type=b[1]:a.removeAttribute("type"),a}function za(a,b){for(var c,d=0;null!=(c=a[d]);d++)m._data(c,"globalEval",!b||m._data(b[d],"globalEval"))}function Aa(a,b){if(1===b.nodeType&&m.hasData(a)){var c,d,e,f=m._data(a),g=m._data(b,f),h=f.events;if(h){delete g.handle,g.events={};for(c in h)for(d=0,e=h[c].length;e>d;d++)m.event.add(b,c,h[c][d])}g.data&&(g.data=m.extend({},g.data))}}function Ba(a,b){var c,d,e;if(1===b.nodeType){if(c=b.nodeName.toLowerCase(),!k.noCloneEvent&&b[m.expando]){e=m._data(b);for(d in e.events)m.removeEvent(b,d,e.handle);b.removeAttribute(m.expando)}"script"===c&&b.text!==a.text?(xa(b).text=a.text,ya(b)):"object"===c?(b.parentNode&&(b.outerHTML=a.outerHTML),k.html5Clone&&a.innerHTML&&!m.trim(b.innerHTML)&&(b.innerHTML=a.innerHTML)):"input"===c&&W.test(a.type)?(b.defaultChecked=b.checked=a.checked,b.value!==a.value&&(b.value=a.value)):"option"===c?b.defaultSelected=b.selected=a.defaultSelected:("input"===c||"textarea"===c)&&(b.defaultValue=a.defaultValue)}}m.extend({clone:function(a,b,c){var d,e,f,g,h,i=m.contains(a.ownerDocument,a);if(k.html5Clone||m.isXMLDoc(a)||!ga.test("<"+a.nodeName+">")?f=a.cloneNode(!0):(ta.innerHTML=a.outerHTML,ta.removeChild(f=ta.firstChild)),!(k.noCloneEvent&&k.noCloneChecked||1!==a.nodeType&&11!==a.nodeType||m.isXMLDoc(a)))for(d=ua(f),h=ua(a),g=0;null!=(e=h[g]);++g)d[g]&&Ba(e,d[g]);if(b)if(c)for(h=h||ua(a),d=d||ua(f),g=0;null!=(e=h[g]);g++)Aa(e,d[g]);else Aa(a,f);return d=ua(f,"script"),d.length>0&&za(d,!i&&ua(a,"script")),d=h=e=null,f},buildFragment:function(a,b,c,d){for(var e,f,g,h,i,j,l,n=a.length,o=da(b),p=[],q=0;n>q;q++)if(f=a[q],f||0===f)if("object"===m.type(f))m.merge(p,f.nodeType?[f]:f);else if(la.test(f)){h=h||o.appendChild(b.createElement("div")),i=(ja.exec(f)||["",""])[1].toLowerCase(),l=ra[i]||ra._default,h.innerHTML=l[1]+f.replace(ia,"<$1></$2>")+l[2],e=l[0];while(e--)h=h.lastChild;if(!k.leadingWhitespace&&ha.test(f)&&p.push(b.createTextNode(ha.exec(f)[0])),!k.tbody){f="table"!==i||ka.test(f)?"<table>"!==l[1]||ka.test(f)?0:h:h.firstChild,e=f&&f.childNodes.length;while(e--)m.nodeName(j=f.childNodes[e],"tbody")&&!j.childNodes.length&&f.removeChild(j)}m.merge(p,h.childNodes),h.textContent="";while(h.firstChild)h.removeChild(h.firstChild);h=o.lastChild}else p.push(b.createTextNode(f));h&&o.removeChild(h),k.appendChecked||m.grep(ua(p,"input"),va),q=0;while(f=p[q++])if((!d||-1===m.inArray(f,d))&&(g=m.contains(f.ownerDocument,f),h=ua(o.appendChild(f),"script"),g&&za(h),c)){e=0;while(f=h[e++])oa.test(f.type||"")&&c.push(f)}return h=null,o},cleanData:function(a,b){for(var d,e,f,g,h=0,i=m.expando,j=m.cache,l=k.deleteExpando,n=m.event.special;null!=(d=a[h]);h++)if((b||m.acceptData(d))&&(f=d[i],g=f&&j[f])){if(g.events)for(e in g.events)n[e]?m.event.remove(d,e):m.removeEvent(d,e,g.handle);j[f]&&(delete j[f],l?delete d[i]:typeof d.removeAttribute!==K?d.removeAttribute(i):d[i]=null,c.push(f))}}}),m.fn.extend({text:function(a){return V(this,function(a){return void 0===a?m.text(this):this.empty().append((this[0]&&this[0].ownerDocument||y).createTextNode(a))},null,a,arguments.length)},append:function(){return this.domManip(arguments,function(a){if(1===this.nodeType||11===this.nodeType||9===this.nodeType){var b=wa(this,a);b.appendChild(a)}})},prepend:function(){return this.domManip(arguments,function(a){if(1===this.nodeType||11===this.nodeType||9===this.nodeType){var b=wa(this,a);b.insertBefore(a,b.firstChild)}})},before:function(){return this.domManip(arguments,function(a){this.parentNode&&this.parentNode.insertBefore(a,this)})},after:function(){return this.domManip(arguments,function(a){this.parentNode&&this.parentNode.insertBefore(a,this.nextSibling)})},remove:function(a,b){for(var c,d=a?m.filter(a,this):this,e=0;null!=(c=d[e]);e++)b||1!==c.nodeType||m.cleanData(ua(c)),c.parentNode&&(b&&m.contains(c.ownerDocument,c)&&za(ua(c,"script")),c.parentNode.removeChild(c));return this},empty:function(){for(var a,b=0;null!=(a=this[b]);b++){1===a.nodeType&&m.cleanData(ua(a,!1));while(a.firstChild)a.removeChild(a.firstChild);a.options&&m.nodeName(a,"select")&&(a.options.length=0)}return this},clone:function(a,b){return a=null==a?!1:a,b=null==b?a:b,this.map(function(){return m.clone(this,a,b)})},html:function(a){return V(this,function(a){var b=this[0]||{},c=0,d=this.length;if(void 0===a)return 1===b.nodeType?b.innerHTML.replace(fa,""):void 0;if(!("string"!=typeof a||ma.test(a)||!k.htmlSerialize&&ga.test(a)||!k.leadingWhitespace&&ha.test(a)||ra[(ja.exec(a)||["",""])[1].toLowerCase()])){a=a.replace(ia,"<$1></$2>");try{for(;d>c;c++)b=this[c]||{},1===b.nodeType&&(m.cleanData(ua(b,!1)),b.innerHTML=a);b=0}catch(e){}}b&&this.empty().append(a)},null,a,arguments.length)},replaceWith:function(){var a=arguments[0];return this.domManip(arguments,function(b){a=this.parentNode,m.cleanData(ua(this)),a&&a.replaceChild(b,this)}),a&&(a.length||a.nodeType)?this:this.remove()},detach:function(a){return this.remove(a,!0)},domManip:function(a,b){a=e.apply([],a);var c,d,f,g,h,i,j=0,l=this.length,n=this,o=l-1,p=a[0],q=m.isFunction(p);if(q||l>1&&"string"==typeof p&&!k.checkClone&&na.test(p))return this.each(function(c){var d=n.eq(c);q&&(a[0]=p.call(this,c,d.html())),d.domManip(a,b)});if(l&&(i=m.buildFragment(a,this[0].ownerDocument,!1,this),c=i.firstChild,1===i.childNodes.length&&(i=c),c)){for(g=m.map(ua(i,"script"),xa),f=g.length;l>j;j++)d=i,j!==o&&(d=m.clone(d,!0,!0),f&&m.merge(g,ua(d,"script"))),b.call(this[j],d,j);if(f)for(h=g[g.length-1].ownerDocument,m.map(g,ya),j=0;f>j;j++)d=g[j],oa.test(d.type||"")&&!m._data(d,"globalEval")&&m.contains(h,d)&&(d.src?m._evalUrl&&m._evalUrl(d.src):m.globalEval((d.text||d.textContent||d.innerHTML||"").replace(qa,"")));i=c=null}return this}}),m.each({appendTo:"append",prependTo:"prepend",insertBefore:"before",insertAfter:"after",replaceAll:"replaceWith"},function(a,b){m.fn[a]=function(a){for(var c,d=0,e=[],g=m(a),h=g.length-1;h>=d;d++)c=d===h?this:this.clone(!0),m(g[d])[b](c),f.apply(e,c.get());return this.pushStack(e)}});var Ca,Da={};function Ea(b,c){var d,e=m(c.createElement(b)).appendTo(c.body),f=a.getDefaultComputedStyle&&(d=a.getDefaultComputedStyle(e[0]))?d.display:m.css(e[0],"display");return e.detach(),f}function Fa(a){var b=y,c=Da[a];return c||(c=Ea(a,b),"none"!==c&&c||(Ca=(Ca||m("<iframe frameborder='0' width='0' height='0'/>")).appendTo(b.documentElement),b=(Ca[0].contentWindow||Ca[0].contentDocument).document,b.write(),b.close(),c=Ea(a,b),Ca.detach()),Da[a]=c),c}!function(){var a;k.shrinkWrapBlocks=function(){if(null!=a)return a;a=!1;var b,c,d;return c=y.getElementsByTagName("body")[0],c&&c.style?(b=y.createElement("div"),d=y.createElement("div"),d.style.cssText="position:absolute;border:0;width:0;height:0;top:0;left:-9999px",c.appendChild(d).appendChild(b),typeof b.style.zoom!==K&&(b.style.cssText="-webkit-box-sizing:content-box;-moz-box-sizing:content-box;box-sizing:content-box;display:block;margin:0;border:0;padding:1px;width:1px;zoom:1",b.appendChild(y.createElement("div")).style.width="5px",a=3!==b.offsetWidth),c.removeChild(d),a):void 0}}();var Ga=/^margin/,Ha=new RegExp("^("+S+")(?!px)[a-z%]+$","i"),Ia,Ja,Ka=/^(top|right|bottom|left)$/;a.getComputedStyle?(Ia=function(b){return b.ownerDocument.defaultView.opener?b.ownerDocument.defaultView.getComputedStyle(b,null):a.getComputedStyle(b,null)},Ja=function(a,b,c){var d,e,f,g,h=a.style;return c=c||Ia(a),g=c?c.getPropertyValue(b)||c[b]:void 0,c&&(""!==g||m.contains(a.ownerDocument,a)||(g=m.style(a,b)),Ha.test(g)&&Ga.test(b)&&(d=h.width,e=h.minWidth,f=h.maxWidth,h.minWidth=h.maxWidth=h.width=g,g=c.width,h.width=d,h.minWidth=e,h.maxWidth=f)),void 0===g?g:g+""}):y.documentElement.currentStyle&&(Ia=function(a){return a.currentStyle},Ja=function(a,b,c){var d,e,f,g,h=a.style;return c=c||Ia(a),g=c?c[b]:void 0,null==g&&h&&h[b]&&(g=h[b]),Ha.test(g)&&!Ka.test(b)&&(d=h.left,e=a.runtimeStyle,f=e&&e.left,f&&(e.left=a.currentStyle.left),h.left="fontSize"===b?"1em":g,g=h.pixelLeft+"px",h.left=d,f&&(e.left=f)),void 0===g?g:g+""||"auto"});function La(a,b){return{get:function(){var c=a();if(null!=c)return c?void delete this.get:(this.get=b).apply(this,arguments)}}}!function(){var b,c,d,e,f,g,h;if(b=y.createElement("div"),b.innerHTML=" <link/><table></table><a href='/a'>a</a><input type='checkbox'/>",d=b.getElementsByTagName("a")[0],c=d&&d.style){c.cssText="float:left;opacity:.5",k.opacity="0.5"===c.opacity,k.cssFloat=!!c.cssFloat,b.style.backgroundClip="content-box",b.cloneNode(!0).style.backgroundClip="",k.clearCloneStyle="content-box"===b.style.backgroundClip,k.boxSizing=""===c.boxSizing||""===c.MozBoxSizing||""===c.WebkitBoxSizing,m.extend(k,{reliableHiddenOffsets:function(){return null==g&&i(),g},boxSizingReliable:function(){return null==f&&i(),f},pixelPosition:function(){return null==e&&i(),e},reliableMarginRight:function(){return null==h&&i(),h}});function i(){var b,c,d,i;c=y.getElementsByTagName("body")[0],c&&c.style&&(b=y.createElement("div"),d=y.createElement("div"),d.style.cssText="position:absolute;border:0;width:0;height:0;top:0;left:-9999px",c.appendChild(d).appendChild(b),b.style.cssText="-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box;display:block;margin-top:1%;top:1%;border:1px;padding:1px;width:4px;position:absolute",e=f=!1,h=!0,a.getComputedStyle&&(e="1%"!==(a.getComputedStyle(b,null)||{}).top,f="4px"===(a.getComputedStyle(b,null)||{width:"4px"}).width,i=b.appendChild(y.createElement("div")),i.style.cssText=b.style.cssText="-webkit-box-sizing:content-box;-moz-box-sizing:content-box;box-sizing:content-box;display:block;margin:0;border:0;padding:0",i.style.marginRight=i.style.width="0",b.style.width="1px",h=!parseFloat((a.getComputedStyle(i,null)||{}).marginRight),b.removeChild(i)),b.innerHTML="<table><tr><td></td><td>t</td></tr></table>",i=b.getElementsByTagName("td"),i[0].style.cssText="margin:0;border:0;padding:0;display:none",g=0===i[0].offsetHeight,g&&(i[0].style.display="",i[1].style.display="none",g=0===i[0].offsetHeight),c.removeChild(d))}}}(),m.swap=function(a,b,c,d){var e,f,g={};for(f in b)g[f]=a.style[f],a.style[f]=b[f];e=c.apply(a,d||[]);for(f in b)a.style[f]=g[f];return e};var Ma=/alpha\([^)]*\)/i,Na=/opacity\s*=\s*([^)]*)/,Oa=/^(none|table(?!-c[ea]).+)/,Pa=new RegExp("^("+S+")(.*)$","i"),Qa=new RegExp("^([+-])=("+S+")","i"),Ra={position:"absolute",visibility:"hidden",display:"block"},Sa={letterSpacing:"0",fontWeight:"400"},Ta=["Webkit","O","Moz","ms"];function Ua(a,b){if(b in a)return b;var c=b.charAt(0).toUpperCase()+b.slice(1),d=b,e=Ta.length;while(e--)if(b=Ta[e]+c,b in a)return b;return d}function Va(a,b){for(var c,d,e,f=[],g=0,h=a.length;h>g;g++)d=a[g],d.style&&(f[g]=m._data(d,"olddisplay"),c=d.style.display,b?(f[g]||"none"!==c||(d.style.display=""),""===d.style.display&&U(d)&&(f[g]=m._data(d,"olddisplay",Fa(d.nodeName)))):(e=U(d),(c&&"none"!==c||!e)&&m._data(d,"olddisplay",e?c:m.css(d,"display"))));for(g=0;h>g;g++)d=a[g],d.style&&(b&&"none"!==d.style.display&&""!==d.style.display||(d.style.display=b?f[g]||"":"none"));return a}function Wa(a,b,c){var d=Pa.exec(b);return d?Math.max(0,d[1]-(c||0))+(d[2]||"px"):b}function Xa(a,b,c,d,e){for(var f=c===(d?"border":"content")?4:"width"===b?1:0,g=0;4>f;f+=2)"margin"===c&&(g+=m.css(a,c+T[f],!0,e)),d?("content"===c&&(g-=m.css(a,"padding"+T[f],!0,e)),"margin"!==c&&(g-=m.css(a,"border"+T[f]+"Width",!0,e))):(g+=m.css(a,"padding"+T[f],!0,e),"padding"!==c&&(g+=m.css(a,"border"+T[f]+"Width",!0,e)));return g}function Ya(a,b,c){var d=!0,e="width"===b?a.offsetWidth:a.offsetHeight,f=Ia(a),g=k.boxSizing&&"border-box"===m.css(a,"boxSizing",!1,f);if(0>=e||null==e){if(e=Ja(a,b,f),(0>e||null==e)&&(e=a.style[b]),Ha.test(e))return e;d=g&&(k.boxSizingReliable()||e===a.style[b]),e=parseFloat(e)||0}return e+Xa(a,b,c||(g?"border":"content"),d,f)+"px"}m.extend({cssHooks:{opacity:{get:function(a,b){if(b){var c=Ja(a,"opacity");return""===c?"1":c}}}},cssNumber:{columnCount:!0,fillOpacity:!0,flexGrow:!0,flexShrink:!0,fontWeight:!0,lineHeight:!0,opacity:!0,order:!0,orphans:!0,widows:!0,zIndex:!0,zoom:!0},cssProps:{"float":k.cssFloat?"cssFloat":"styleFloat"},style:function(a,b,c,d){if(a&&3!==a.nodeType&&8!==a.nodeType&&a.style){var e,f,g,h=m.camelCase(b),i=a.style;if(b=m.cssProps[h]||(m.cssProps[h]=Ua(i,h)),g=m.cssHooks[b]||m.cssHooks[h],void 0===c)return g&&"get"in g&&void 0!==(e=g.get(a,!1,d))?e:i[b];if(f=typeof c,"string"===f&&(e=Qa.exec(c))&&(c=(e[1]+1)*e[2]+parseFloat(m.css(a,b)),f="number"),null!=c&&c===c&&("number"!==f||m.cssNumber[h]||(c+="px"),k.clearCloneStyle||""!==c||0!==b.indexOf("background")||(i[b]="inherit"),!(g&&"set"in g&&void 0===(c=g.set(a,c,d)))))try{i[b]=c}catch(j){}}},css:function(a,b,c,d){var e,f,g,h=m.camelCase(b);return b=m.cssProps[h]||(m.cssProps[h]=Ua(a.style,h)),g=m.cssHooks[b]||m.cssHooks[h],g&&"get"in g&&(f=g.get(a,!0,c)),void 0===f&&(f=Ja(a,b,d)),"normal"===f&&b in Sa&&(f=Sa[b]),""===c||c?(e=parseFloat(f),c===!0||m.isNumeric(e)?e||0:f):f}}),m.each(["height","width"],function(a,b){m.cssHooks[b]={get:function(a,c,d){return c?Oa.test(m.css(a,"display"))&&0===a.offsetWidth?m.swap(a,Ra,function(){return Ya(a,b,d)}):Ya(a,b,d):void 0},set:function(a,c,d){var e=d&&Ia(a);return Wa(a,c,d?Xa(a,b,d,k.boxSizing&&"border-box"===m.css(a,"boxSizing",!1,e),e):0)}}}),k.opacity||(m.cssHooks.opacity={get:function(a,b){return Na.test((b&&a.currentStyle?a.currentStyle.filter:a.style.filter)||"")?.01*parseFloat(RegExp.$1)+"":b?"1":""},set:function(a,b){var c=a.style,d=a.currentStyle,e=m.isNumeric(b)?"alpha(opacity="+100*b+")":"",f=d&&d.filter||c.filter||"";c.zoom=1,(b>=1||""===b)&&""===m.trim(f.replace(Ma,""))&&c.removeAttribute&&(c.removeAttribute("filter"),""===b||d&&!d.filter)||(c.filter=Ma.test(f)?f.replace(Ma,e):f+" "+e)}}),m.cssHooks.marginRight=La(k.reliableMarginRight,function(a,b){return b?m.swap(a,{display:"inline-block"},Ja,[a,"marginRight"]):void 0}),m.each({margin:"",padding:"",border:"Width"},function(a,b){m.cssHooks[a+b]={expand:function(c){for(var d=0,e={},f="string"==typeof c?c.split(" "):[c];4>d;d++)e[a+T[d]+b]=f[d]||f[d-2]||f[0];return e}},Ga.test(a)||(m.cssHooks[a+b].set=Wa)}),m.fn.extend({css:function(a,b){return V(this,function(a,b,c){var d,e,f={},g=0;if(m.isArray(b)){for(d=Ia(a),e=b.length;e>g;g++)f[b[g]]=m.css(a,b[g],!1,d);return f}return void 0!==c?m.style(a,b,c):m.css(a,b)},a,b,arguments.length>1)},show:function(){return Va(this,!0)},hide:function(){return Va(this)},toggle:function(a){return"boolean"==typeof a?a?this.show():this.hide():this.each(function(){U(this)?m(this).show():m(this).hide()})}});function Za(a,b,c,d,e){ return new Za.prototype.init(a,b,c,d,e)}m.Tween=Za,Za.prototype={constructor:Za,init:function(a,b,c,d,e,f){this.elem=a,this.prop=c,this.easing=e||"swing",this.options=b,this.start=this.now=this.cur(),this.end=d,this.unit=f||(m.cssNumber[c]?"":"px")},cur:function(){var a=Za.propHooks[this.prop];return a&&a.get?a.get(this):Za.propHooks._default.get(this)},run:function(a){var b,c=Za.propHooks[this.prop];return this.options.duration?this.pos=b=m.easing[this.easing](a,this.options.duration*a,0,1,this.options.duration):this.pos=b=a,this.now=(this.end-this.start)*b+this.start,this.options.step&&this.options.step.call(this.elem,this.now,this),c&&c.set?c.set(this):Za.propHooks._default.set(this),this}},Za.prototype.init.prototype=Za.prototype,Za.propHooks={_default:{get:function(a){var b;return null==a.elem[a.prop]||a.elem.style&&null!=a.elem.style[a.prop]?(b=m.css(a.elem,a.prop,""),b&&"auto"!==b?b:0):a.elem[a.prop]},set:function(a){m.fx.step[a.prop]?m.fx.step[a.prop](a):a.elem.style&&(null!=a.elem.style[m.cssProps[a.prop]]||m.cssHooks[a.prop])?m.style(a.elem,a.prop,a.now+a.unit):a.elem[a.prop]=a.now}}},Za.propHooks.scrollTop=Za.propHooks.scrollLeft={set:function(a){a.elem.nodeType&&a.elem.parentNode&&(a.elem[a.prop]=a.now)}},m.easing={linear:function(a){return a},swing:function(a){return.5-Math.cos(a*Math.PI)/2}},m.fx=Za.prototype.init,m.fx.step={};var $a,_a,ab=/^(?:toggle|show|hide)$/,bb=new RegExp("^(?:([+-])=|)("+S+")([a-z%]*)$","i"),cb=/queueHooks$/,db=[ib],eb={"*":[function(a,b){var c=this.createTween(a,b),d=c.cur(),e=bb.exec(b),f=e&&e[3]||(m.cssNumber[a]?"":"px"),g=(m.cssNumber[a]||"px"!==f&&+d)&&bb.exec(m.css(c.elem,a)),h=1,i=20;if(g&&g[3]!==f){f=f||g[3],e=e||[],g=+d||1;do h=h||".5",g/=h,m.style(c.elem,a,g+f);while(h!==(h=c.cur()/d)&&1!==h&&--i)}return e&&(g=c.start=+g||+d||0,c.unit=f,c.end=e[1]?g+(e[1]+1)*e[2]:+e[2]),c}]};function fb(){return setTimeout(function(){$a=void 0}),$a=m.now()}function gb(a,b){var c,d={height:a},e=0;for(b=b?1:0;4>e;e+=2-b)c=T[e],d["margin"+c]=d["padding"+c]=a;return b&&(d.opacity=d.width=a),d}function hb(a,b,c){for(var d,e=(eb[b]||[]).concat(eb["*"]),f=0,g=e.length;g>f;f++)if(d=e[f].call(c,b,a))return d}function ib(a,b,c){var d,e,f,g,h,i,j,l,n=this,o={},p=a.style,q=a.nodeType&&U(a),r=m._data(a,"fxshow");c.queue||(h=m._queueHooks(a,"fx"),null==h.unqueued&&(h.unqueued=0,i=h.empty.fire,h.empty.fire=function(){h.unqueued||i()}),h.unqueued++,n.always(function(){n.always(function(){h.unqueued--,m.queue(a,"fx").length||h.empty.fire()})})),1===a.nodeType&&("height"in b||"width"in b)&&(c.overflow=[p.overflow,p.overflowX,p.overflowY],j=m.css(a,"display"),l="none"===j?m._data(a,"olddisplay")||Fa(a.nodeName):j,"inline"===l&&"none"===m.css(a,"float")&&(k.inlineBlockNeedsLayout&&"inline"!==Fa(a.nodeName)?p.zoom=1:p.display="inline-block")),c.overflow&&(p.overflow="hidden",k.shrinkWrapBlocks()||n.always(function(){p.overflow=c.overflow[0],p.overflowX=c.overflow[1],p.overflowY=c.overflow[2]}));for(d in b)if(e=b[d],ab.exec(e)){if(delete b[d],f=f||"toggle"===e,e===(q?"hide":"show")){if("show"!==e||!r||void 0===r[d])continue;q=!0}o[d]=r&&r[d]||m.style(a,d)}else j=void 0;if(m.isEmptyObject(o))"inline"===("none"===j?Fa(a.nodeName):j)&&(p.display=j);else{r?"hidden"in r&&(q=r.hidden):r=m._data(a,"fxshow",{}),f&&(r.hidden=!q),q?m(a).show():n.done(function(){m(a).hide()}),n.done(function(){var b;m._removeData(a,"fxshow");for(b in o)m.style(a,b,o[b])});for(d in o)g=hb(q?r[d]:0,d,n),d in r||(r[d]=g.start,q&&(g.end=g.start,g.start="width"===d||"height"===d?1:0))}}function jb(a,b){var c,d,e,f,g;for(c in a)if(d=m.camelCase(c),e=b[d],f=a[c],m.isArray(f)&&(e=f[1],f=a[c]=f[0]),c!==d&&(a[d]=f,delete a[c]),g=m.cssHooks[d],g&&"expand"in g){f=g.expand(f),delete a[d];for(c in f)c in a||(a[c]=f[c],b[c]=e)}else b[d]=e}function kb(a,b,c){var d,e,f=0,g=db.length,h=m.Deferred().always(function(){delete i.elem}),i=function(){if(e)return!1;for(var b=$a||fb(),c=Math.max(0,j.startTime+j.duration-b),d=c/j.duration||0,f=1-d,g=0,i=j.tweens.length;i>g;g++)j.tweens[g].run(f);return h.notifyWith(a,[j,f,c]),1>f&&i?c:(h.resolveWith(a,[j]),!1)},j=h.promise({elem:a,props:m.extend({},b),opts:m.extend(!0,{specialEasing:{}},c),originalProperties:b,originalOptions:c,startTime:$a||fb(),duration:c.duration,tweens:[],createTween:function(b,c){var d=m.Tween(a,j.opts,b,c,j.opts.specialEasing[b]||j.opts.easing);return j.tweens.push(d),d},stop:function(b){var c=0,d=b?j.tweens.length:0;if(e)return this;for(e=!0;d>c;c++)j.tweens[c].run(1);return b?h.resolveWith(a,[j,b]):h.rejectWith(a,[j,b]),this}}),k=j.props;for(jb(k,j.opts.specialEasing);g>f;f++)if(d=db[f].call(j,a,k,j.opts))return d;return m.map(k,hb,j),m.isFunction(j.opts.start)&&j.opts.start.call(a,j),m.fx.timer(m.extend(i,{elem:a,anim:j,queue:j.opts.queue})),j.progress(j.opts.progress).done(j.opts.done,j.opts.complete).fail(j.opts.fail).always(j.opts.always)}m.Animation=m.extend(kb,{tweener:function(a,b){m.isFunction(a)?(b=a,a=["*"]):a=a.split(" ");for(var c,d=0,e=a.length;e>d;d++)c=a[d],eb[c]=eb[c]||[],eb[c].unshift(b)},prefilter:function(a,b){b?db.unshift(a):db.push(a)}}),m.speed=function(a,b,c){var d=a&&"object"==typeof a?m.extend({},a):{complete:c||!c&&b||m.isFunction(a)&&a,duration:a,easing:c&&b||b&&!m.isFunction(b)&&b};return d.duration=m.fx.off?0:"number"==typeof d.duration?d.duration:d.duration in m.fx.speeds?m.fx.speeds[d.duration]:m.fx.speeds._default,(null==d.queue||d.queue===!0)&&(d.queue="fx"),d.old=d.complete,d.complete=function(){m.isFunction(d.old)&&d.old.call(this),d.queue&&m.dequeue(this,d.queue)},d},m.fn.extend({fadeTo:function(a,b,c,d){return this.filter(U).css("opacity",0).show().end().animate({opacity:b},a,c,d)},animate:function(a,b,c,d){var e=m.isEmptyObject(a),f=m.speed(b,c,d),g=function(){var b=kb(this,m.extend({},a),f);(e||m._data(this,"finish"))&&b.stop(!0)};return g.finish=g,e||f.queue===!1?this.each(g):this.queue(f.queue,g)},stop:function(a,b,c){var d=function(a){var b=a.stop;delete a.stop,b(c)};return"string"!=typeof a&&(c=b,b=a,a=void 0),b&&a!==!1&&this.queue(a||"fx",[]),this.each(function(){var b=!0,e=null!=a&&a+"queueHooks",f=m.timers,g=m._data(this);if(e)g[e]&&g[e].stop&&d(g[e]);else for(e in g)g[e]&&g[e].stop&&cb.test(e)&&d(g[e]);for(e=f.length;e--;)f[e].elem!==this||null!=a&&f[e].queue!==a||(f[e].anim.stop(c),b=!1,f.splice(e,1));(b||!c)&&m.dequeue(this,a)})},finish:function(a){return a!==!1&&(a=a||"fx"),this.each(function(){var b,c=m._data(this),d=c[a+"queue"],e=c[a+"queueHooks"],f=m.timers,g=d?d.length:0;for(c.finish=!0,m.queue(this,a,[]),e&&e.stop&&e.stop.call(this,!0),b=f.length;b--;)f[b].elem===this&&f[b].queue===a&&(f[b].anim.stop(!0),f.splice(b,1));for(b=0;g>b;b++)d[b]&&d[b].finish&&d[b].finish.call(this);delete c.finish})}}),m.each(["toggle","show","hide"],function(a,b){var c=m.fn[b];m.fn[b]=function(a,d,e){return null==a||"boolean"==typeof a?c.apply(this,arguments):this.animate(gb(b,!0),a,d,e)}}),m.each({slideDown:gb("show"),slideUp:gb("hide"),slideToggle:gb("toggle"),fadeIn:{opacity:"show"},fadeOut:{opacity:"hide"},fadeToggle:{opacity:"toggle"}},function(a,b){m.fn[a]=function(a,c,d){return this.animate(b,a,c,d)}}),m.timers=[],m.fx.tick=function(){var a,b=m.timers,c=0;for($a=m.now();c<b.length;c++)a=b[c],a()||b[c]!==a||b.splice(c--,1);b.length||m.fx.stop(),$a=void 0},m.fx.timer=function(a){m.timers.push(a),a()?m.fx.start():m.timers.pop()},m.fx.interval=13,m.fx.start=function(){_a||(_a=setInterval(m.fx.tick,m.fx.interval))},m.fx.stop=function(){clearInterval(_a),_a=null},m.fx.speeds={slow:600,fast:200,_default:400},m.fn.delay=function(a,b){return a=m.fx?m.fx.speeds[a]||a:a,b=b||"fx",this.queue(b,function(b,c){var d=setTimeout(b,a);c.stop=function(){clearTimeout(d)}})},function(){var a,b,c,d,e;b=y.createElement("div"),b.setAttribute("className","t"),b.innerHTML=" <link/><table></table><a href='/a'>a</a><input type='checkbox'/>",d=b.getElementsByTagName("a")[0],c=y.createElement("select"),e=c.appendChild(y.createElement("option")),a=b.getElementsByTagName("input")[0],d.style.cssText="top:1px",k.getSetAttribute="t"!==b.className,k.style=/top/.test(d.getAttribute("style")),k.hrefNormalized="/a"===d.getAttribute("href"),k.checkOn=!!a.value,k.optSelected=e.selected,k.enctype=!!y.createElement("form").enctype,c.disabled=!0,k.optDisabled=!e.disabled,a=y.createElement("input"),a.setAttribute("value",""),k.input=""===a.getAttribute("value"),a.value="t",a.setAttribute("type","radio"),k.radioValue="t"===a.value}();var lb=/\r/g;m.fn.extend({val:function(a){var b,c,d,e=this[0];{if(arguments.length)return d=m.isFunction(a),this.each(function(c){var e;1===this.nodeType&&(e=d?a.call(this,c,m(this).val()):a,null==e?e="":"number"==typeof e?e+="":m.isArray(e)&&(e=m.map(e,function(a){return null==a?"":a+""})),b=m.valHooks[this.type]||m.valHooks[this.nodeName.toLowerCase()],b&&"set"in b&&void 0!==b.set(this,e,"value")||(this.value=e))});if(e)return b=m.valHooks[e.type]||m.valHooks[e.nodeName.toLowerCase()],b&&"get"in b&&void 0!==(c=b.get(e,"value"))?c:(c=e.value,"string"==typeof c?c.replace(lb,""):null==c?"":c)}}}),m.extend({valHooks:{option:{get:function(a){var b=m.find.attr(a,"value");return null!=b?b:m.trim(m.text(a))}},select:{get:function(a){for(var b,c,d=a.options,e=a.selectedIndex,f="select-one"===a.type||0>e,g=f?null:[],h=f?e+1:d.length,i=0>e?h:f?e:0;h>i;i++)if(c=d[i],!(!c.selected&&i!==e||(k.optDisabled?c.disabled:null!==c.getAttribute("disabled"))||c.parentNode.disabled&&m.nodeName(c.parentNode,"optgroup"))){if(b=m(c).val(),f)return b;g.push(b)}return g},set:function(a,b){var c,d,e=a.options,f=m.makeArray(b),g=e.length;while(g--)if(d=e[g],m.inArray(m.valHooks.option.get(d),f)>=0)try{d.selected=c=!0}catch(h){d.scrollHeight}else d.selected=!1;return c||(a.selectedIndex=-1),e}}}}),m.each(["radio","checkbox"],function(){m.valHooks[this]={set:function(a,b){return m.isArray(b)?a.checked=m.inArray(m(a).val(),b)>=0:void 0}},k.checkOn||(m.valHooks[this].get=function(a){return null===a.getAttribute("value")?"on":a.value})});var mb,nb,ob=m.expr.attrHandle,pb=/^(?:checked|selected)$/i,qb=k.getSetAttribute,rb=k.input;m.fn.extend({attr:function(a,b){return V(this,m.attr,a,b,arguments.length>1)},removeAttr:function(a){return this.each(function(){m.removeAttr(this,a)})}}),m.extend({attr:function(a,b,c){var d,e,f=a.nodeType;if(a&&3!==f&&8!==f&&2!==f)return typeof a.getAttribute===K?m.prop(a,b,c):(1===f&&m.isXMLDoc(a)||(b=b.toLowerCase(),d=m.attrHooks[b]||(m.expr.match.bool.test(b)?nb:mb)),void 0===c?d&&"get"in d&&null!==(e=d.get(a,b))?e:(e=m.find.attr(a,b),null==e?void 0:e):null!==c?d&&"set"in d&&void 0!==(e=d.set(a,c,b))?e:(a.setAttribute(b,c+""),c):void m.removeAttr(a,b))},removeAttr:function(a,b){var c,d,e=0,f=b&&b.match(E);if(f&&1===a.nodeType)while(c=f[e++])d=m.propFix[c]||c,m.expr.match.bool.test(c)?rb&&qb||!pb.test(c)?a[d]=!1:a[m.camelCase("default-"+c)]=a[d]=!1:m.attr(a,c,""),a.removeAttribute(qb?c:d)},attrHooks:{type:{set:function(a,b){if(!k.radioValue&&"radio"===b&&m.nodeName(a,"input")){var c=a.value;return a.setAttribute("type",b),c&&(a.value=c),b}}}}}),nb={set:function(a,b,c){return b===!1?m.removeAttr(a,c):rb&&qb||!pb.test(c)?a.setAttribute(!qb&&m.propFix[c]||c,c):a[m.camelCase("default-"+c)]=a[c]=!0,c}},m.each(m.expr.match.bool.source.match(/\w+/g),function(a,b){var c=ob[b]||m.find.attr;ob[b]=rb&&qb||!pb.test(b)?function(a,b,d){var e,f;return d||(f=ob[b],ob[b]=e,e=null!=c(a,b,d)?b.toLowerCase():null,ob[b]=f),e}:function(a,b,c){return c?void 0:a[m.camelCase("default-"+b)]?b.toLowerCase():null}}),rb&&qb||(m.attrHooks.value={set:function(a,b,c){return m.nodeName(a,"input")?void(a.defaultValue=b):mb&&mb.set(a,b,c)}}),qb||(mb={set:function(a,b,c){var d=a.getAttributeNode(c);return d||a.setAttributeNode(d=a.ownerDocument.createAttribute(c)),d.value=b+="","value"===c||b===a.getAttribute(c)?b:void 0}},ob.id=ob.name=ob.coords=function(a,b,c){var d;return c?void 0:(d=a.getAttributeNode(b))&&""!==d.value?d.value:null},m.valHooks.button={get:function(a,b){var c=a.getAttributeNode(b);return c&&c.specified?c.value:void 0},set:mb.set},m.attrHooks.contenteditable={set:function(a,b,c){mb.set(a,""===b?!1:b,c)}},m.each(["width","height"],function(a,b){m.attrHooks[b]={set:function(a,c){return""===c?(a.setAttribute(b,"auto"),c):void 0}}})),k.style||(m.attrHooks.style={get:function(a){return a.style.cssText||void 0},set:function(a,b){return a.style.cssText=b+""}});var sb=/^(?:input|select|textarea|button|object)$/i,tb=/^(?:a|area)$/i;m.fn.extend({prop:function(a,b){return V(this,m.prop,a,b,arguments.length>1)},removeProp:function(a){return a=m.propFix[a]||a,this.each(function(){try{this[a]=void 0,delete this[a]}catch(b){}})}}),m.extend({propFix:{"for":"htmlFor","class":"className"},prop:function(a,b,c){var d,e,f,g=a.nodeType;if(a&&3!==g&&8!==g&&2!==g)return f=1!==g||!m.isXMLDoc(a),f&&(b=m.propFix[b]||b,e=m.propHooks[b]),void 0!==c?e&&"set"in e&&void 0!==(d=e.set(a,c,b))?d:a[b]=c:e&&"get"in e&&null!==(d=e.get(a,b))?d:a[b]},propHooks:{tabIndex:{get:function(a){var b=m.find.attr(a,"tabindex");return b?parseInt(b,10):sb.test(a.nodeName)||tb.test(a.nodeName)&&a.href?0:-1}}}}),k.hrefNormalized||m.each(["href","src"],function(a,b){m.propHooks[b]={get:function(a){return a.getAttribute(b,4)}}}),k.optSelected||(m.propHooks.selected={get:function(a){var b=a.parentNode;return b&&(b.selectedIndex,b.parentNode&&b.parentNode.selectedIndex),null}}),m.each(["tabIndex","readOnly","maxLength","cellSpacing","cellPadding","rowSpan","colSpan","useMap","frameBorder","contentEditable"],function(){m.propFix[this.toLowerCase()]=this}),k.enctype||(m.propFix.enctype="encoding");var ub=/[\t\r\n\f]/g;m.fn.extend({addClass:function(a){var b,c,d,e,f,g,h=0,i=this.length,j="string"==typeof a&&a;if(m.isFunction(a))return this.each(function(b){m(this).addClass(a.call(this,b,this.className))});if(j)for(b=(a||"").match(E)||[];i>h;h++)if(c=this[h],d=1===c.nodeType&&(c.className?(" "+c.className+" ").replace(ub," "):" ")){f=0;while(e=b[f++])d.indexOf(" "+e+" ")<0&&(d+=e+" ");g=m.trim(d),c.className!==g&&(c.className=g)}return this},removeClass:function(a){var b,c,d,e,f,g,h=0,i=this.length,j=0===arguments.length||"string"==typeof a&&a;if(m.isFunction(a))return this.each(function(b){m(this).removeClass(a.call(this,b,this.className))});if(j)for(b=(a||"").match(E)||[];i>h;h++)if(c=this[h],d=1===c.nodeType&&(c.className?(" "+c.className+" ").replace(ub," "):"")){f=0;while(e=b[f++])while(d.indexOf(" "+e+" ")>=0)d=d.replace(" "+e+" "," ");g=a?m.trim(d):"",c.className!==g&&(c.className=g)}return this},toggleClass:function(a,b){var c=typeof a;return"boolean"==typeof b&&"string"===c?b?this.addClass(a):this.removeClass(a):this.each(m.isFunction(a)?function(c){m(this).toggleClass(a.call(this,c,this.className,b),b)}:function(){if("string"===c){var b,d=0,e=m(this),f=a.match(E)||[];while(b=f[d++])e.hasClass(b)?e.removeClass(b):e.addClass(b)}else(c===K||"boolean"===c)&&(this.className&&m._data(this,"__className__",this.className),this.className=this.className||a===!1?"":m._data(this,"__className__")||"")})},hasClass:function(a){for(var b=" "+a+" ",c=0,d=this.length;d>c;c++)if(1===this[c].nodeType&&(" "+this[c].className+" ").replace(ub," ").indexOf(b)>=0)return!0;return!1}}),m.each("blur focus focusin focusout load resize scroll unload click dblclick mousedown mouseup mousemove mouseover mouseout mouseenter mouseleave change select submit keydown keypress keyup error contextmenu".split(" "),function(a,b){m.fn[b]=function(a,c){return arguments.length>0?this.on(b,null,a,c):this.trigger(b)}}),m.fn.extend({hover:function(a,b){return this.mouseenter(a).mouseleave(b||a)},bind:function(a,b,c){return this.on(a,null,b,c)},unbind:function(a,b){return this.off(a,null,b)},delegate:function(a,b,c,d){return this.on(b,a,c,d)},undelegate:function(a,b,c){return 1===arguments.length?this.off(a,"**"):this.off(b,a||"**",c)}});var vb=m.now(),wb=/\?/,xb=/(,)|(\[|{)|(}|])|"(?:[^"\\\r\n]|\\["\\\/bfnrt]|\\u[\da-fA-F]{4})*"\s*:?|true|false|null|-?(?!0\d)\d+(?:\.\d+|)(?:[eE][+-]?\d+|)/g;m.parseJSON=function(b){if(a.JSON&&a.JSON.parse)return a.JSON.parse(b+"");var c,d=null,e=m.trim(b+"");return e&&!m.trim(e.replace(xb,function(a,b,e,f){return c&&b&&(d=0),0===d?a:(c=e||b,d+=!f-!e,"")}))?Function("return "+e)():m.error("Invalid JSON: "+b)},m.parseXML=function(b){var c,d;if(!b||"string"!=typeof b)return null;try{a.DOMParser?(d=new DOMParser,c=d.parseFromString(b,"text/xml")):(c=new ActiveXObject("Microsoft.XMLDOM"),c.async="false",c.loadXML(b))}catch(e){c=void 0}return c&&c.documentElement&&!c.getElementsByTagName("parsererror").length||m.error("Invalid XML: "+b),c};var yb,zb,Ab=/#.*$/,Bb=/([?&])_=[^&]*/,Cb=/^(.*?):[ \t]*([^\r\n]*)\r?$/gm,Db=/^(?:about|app|app-storage|.+-extension|file|res|widget):$/,Eb=/^(?:GET|HEAD)$/,Fb=/^\/\//,Gb=/^([\w.+-]+:)(?:\/\/(?:[^\/?#]*@|)([^\/?#:]*)(?::(\d+)|)|)/,Hb={},Ib={},Jb="*/".concat("*");try{zb=location.href}catch(Kb){zb=y.createElement("a"),zb.href="",zb=zb.href}yb=Gb.exec(zb.toLowerCase())||[];function Lb(a){return function(b,c){"string"!=typeof b&&(c=b,b="*");var d,e=0,f=b.toLowerCase().match(E)||[];if(m.isFunction(c))while(d=f[e++])"+"===d.charAt(0)?(d=d.slice(1)||"*",(a[d]=a[d]||[]).unshift(c)):(a[d]=a[d]||[]).push(c)}}function Mb(a,b,c,d){var e={},f=a===Ib;function g(h){var i;return e[h]=!0,m.each(a[h]||[],function(a,h){var j=h(b,c,d);return"string"!=typeof j||f||e[j]?f?!(i=j):void 0:(b.dataTypes.unshift(j),g(j),!1)}),i}return g(b.dataTypes[0])||!e["*"]&&g("*")}function Nb(a,b){var c,d,e=m.ajaxSettings.flatOptions||{};for(d in b)void 0!==b[d]&&((e[d]?a:c||(c={}))[d]=b[d]);return c&&m.extend(!0,a,c),a}function Ob(a,b,c){var d,e,f,g,h=a.contents,i=a.dataTypes;while("*"===i[0])i.shift(),void 0===e&&(e=a.mimeType||b.getResponseHeader("Content-Type"));if(e)for(g in h)if(h[g]&&h[g].test(e)){i.unshift(g);break}if(i[0]in c)f=i[0];else{for(g in c){if(!i[0]||a.converters[g+" "+i[0]]){f=g;break}d||(d=g)}f=f||d}return f?(f!==i[0]&&i.unshift(f),c[f]):void 0}function Pb(a,b,c,d){var e,f,g,h,i,j={},k=a.dataTypes.slice();if(k[1])for(g in a.converters)j[g.toLowerCase()]=a.converters[g];f=k.shift();while(f)if(a.responseFields[f]&&(c[a.responseFields[f]]=b),!i&&d&&a.dataFilter&&(b=a.dataFilter(b,a.dataType)),i=f,f=k.shift())if("*"===f)f=i;else if("*"!==i&&i!==f){if(g=j[i+" "+f]||j["* "+f],!g)for(e in j)if(h=e.split(" "),h[1]===f&&(g=j[i+" "+h[0]]||j["* "+h[0]])){g===!0?g=j[e]:j[e]!==!0&&(f=h[0],k.unshift(h[1]));break}if(g!==!0)if(g&&a["throws"])b=g(b);else try{b=g(b)}catch(l){return{state:"parsererror",error:g?l:"No conversion from "+i+" to "+f}}}return{state:"success",data:b}}m.extend({active:0,lastModified:{},etag:{},ajaxSettings:{url:zb,type:"GET",isLocal:Db.test(yb[1]),global:!0,processData:!0,async:!0,contentType:"application/x-www-form-urlencoded; charset=UTF-8",accepts:{"*":Jb,text:"text/plain",html:"text/html",xml:"application/xml, text/xml",json:"application/json, text/javascript"},contents:{xml:/xml/,html:/html/,json:/json/},responseFields:{xml:"responseXML",text:"responseText",json:"responseJSON"},converters:{"* text":String,"text html":!0,"text json":m.parseJSON,"text xml":m.parseXML},flatOptions:{url:!0,context:!0}},ajaxSetup:function(a,b){return b?Nb(Nb(a,m.ajaxSettings),b):Nb(m.ajaxSettings,a)},ajaxPrefilter:Lb(Hb),ajaxTransport:Lb(Ib),ajax:function(a,b){"object"==typeof a&&(b=a,a=void 0),b=b||{};var c,d,e,f,g,h,i,j,k=m.ajaxSetup({},b),l=k.context||k,n=k.context&&(l.nodeType||l.jquery)?m(l):m.event,o=m.Deferred(),p=m.Callbacks("once memory"),q=k.statusCode||{},r={},s={},t=0,u="canceled",v={readyState:0,getResponseHeader:function(a){var b;if(2===t){if(!j){j={};while(b=Cb.exec(f))j[b[1].toLowerCase()]=b[2]}b=j[a.toLowerCase()]}return null==b?null:b},getAllResponseHeaders:function(){return 2===t?f:null},setRequestHeader:function(a,b){var c=a.toLowerCase();return t||(a=s[c]=s[c]||a,r[a]=b),this},overrideMimeType:function(a){return t||(k.mimeType=a),this},statusCode:function(a){var b;if(a)if(2>t)for(b in a)q[b]=[q[b],a[b]];else v.always(a[v.status]);return this},abort:function(a){var b=a||u;return i&&i.abort(b),x(0,b),this}};if(o.promise(v).complete=p.add,v.success=v.done,v.error=v.fail,k.url=((a||k.url||zb)+"").replace(Ab,"").replace(Fb,yb[1]+"//"),k.type=b.method||b.type||k.method||k.type,k.dataTypes=m.trim(k.dataType||"*").toLowerCase().match(E)||[""],null==k.crossDomain&&(c=Gb.exec(k.url.toLowerCase()),k.crossDomain=!(!c||c[1]===yb[1]&&c[2]===yb[2]&&(c[3]||("http:"===c[1]?"80":"443"))===(yb[3]||("http:"===yb[1]?"80":"443")))),k.data&&k.processData&&"string"!=typeof k.data&&(k.data=m.param(k.data,k.traditional)),Mb(Hb,k,b,v),2===t)return v;h=m.event&&k.global,h&&0===m.active++&&m.event.trigger("ajaxStart"),k.type=k.type.toUpperCase(),k.hasContent=!Eb.test(k.type),e=k.url,k.hasContent||(k.data&&(e=k.url+=(wb.test(e)?"&":"?")+k.data,delete k.data),k.cache===!1&&(k.url=Bb.test(e)?e.replace(Bb,"$1_="+vb++):e+(wb.test(e)?"&":"?")+"_="+vb++)),k.ifModified&&(m.lastModified[e]&&v.setRequestHeader("If-Modified-Since",m.lastModified[e]),m.etag[e]&&v.setRequestHeader("If-None-Match",m.etag[e])),(k.data&&k.hasContent&&k.contentType!==!1||b.contentType)&&v.setRequestHeader("Content-Type",k.contentType),v.setRequestHeader("Accept",k.dataTypes[0]&&k.accepts[k.dataTypes[0]]?k.accepts[k.dataTypes[0]]+("*"!==k.dataTypes[0]?", "+Jb+"; q=0.01":""):k.accepts["*"]);for(d in k.headers)v.setRequestHeader(d,k.headers[d]);if(k.beforeSend&&(k.beforeSend.call(l,v,k)===!1||2===t))return v.abort();u="abort";for(d in{success:1,error:1,complete:1})v[d](k[d]);if(i=Mb(Ib,k,b,v)){v.readyState=1,h&&n.trigger("ajaxSend",[v,k]),k.async&&k.timeout>0&&(g=setTimeout(function(){v.abort("timeout")},k.timeout));try{t=1,i.send(r,x)}catch(w){if(!(2>t))throw w;x(-1,w)}}else x(-1,"No Transport");function x(a,b,c,d){var j,r,s,u,w,x=b;2!==t&&(t=2,g&&clearTimeout(g),i=void 0,f=d||"",v.readyState=a>0?4:0,j=a>=200&&300>a||304===a,c&&(u=Ob(k,v,c)),u=Pb(k,u,v,j),j?(k.ifModified&&(w=v.getResponseHeader("Last-Modified"),w&&(m.lastModified[e]=w),w=v.getResponseHeader("etag"),w&&(m.etag[e]=w)),204===a||"HEAD"===k.type?x="nocontent":304===a?x="notmodified":(x=u.state,r=u.data,s=u.error,j=!s)):(s=x,(a||!x)&&(x="error",0>a&&(a=0))),v.status=a,v.statusText=(b||x)+"",j?o.resolveWith(l,[r,x,v]):o.rejectWith(l,[v,x,s]),v.statusCode(q),q=void 0,h&&n.trigger(j?"ajaxSuccess":"ajaxError",[v,k,j?r:s]),p.fireWith(l,[v,x]),h&&(n.trigger("ajaxComplete",[v,k]),--m.active||m.event.trigger("ajaxStop")))}return v},getJSON:function(a,b,c){return m.get(a,b,c,"json")},getScript:function(a,b){return m.get(a,void 0,b,"script")}}),m.each(["get","post"],function(a,b){m[b]=function(a,c,d,e){return m.isFunction(c)&&(e=e||d,d=c,c=void 0),m.ajax({url:a,type:b,dataType:e,data:c,success:d})}}),m._evalUrl=function(a){return m.ajax({url:a,type:"GET",dataType:"script",async:!1,global:!1,"throws":!0})},m.fn.extend({wrapAll:function(a){if(m.isFunction(a))return this.each(function(b){m(this).wrapAll(a.call(this,b))});if(this[0]){var b=m(a,this[0].ownerDocument).eq(0).clone(!0);this[0].parentNode&&b.insertBefore(this[0]),b.map(function(){var a=this;while(a.firstChild&&1===a.firstChild.nodeType)a=a.firstChild;return a}).append(this)}return this},wrapInner:function(a){return this.each(m.isFunction(a)?function(b){m(this).wrapInner(a.call(this,b))}:function(){var b=m(this),c=b.contents();c.length?c.wrapAll(a):b.append(a)})},wrap:function(a){var b=m.isFunction(a);return this.each(function(c){m(this).wrapAll(b?a.call(this,c):a)})},unwrap:function(){return this.parent().each(function(){m.nodeName(this,"body")||m(this).replaceWith(this.childNodes)}).end()}}),m.expr.filters.hidden=function(a){return a.offsetWidth<=0&&a.offsetHeight<=0||!k.reliableHiddenOffsets()&&"none"===(a.style&&a.style.display||m.css(a,"display"))},m.expr.filters.visible=function(a){return!m.expr.filters.hidden(a)};var Qb=/%20/g,Rb=/\[\]$/,Sb=/\r?\n/g,Tb=/^(?:submit|button|image|reset|file)$/i,Ub=/^(?:input|select|textarea|keygen)/i;function Vb(a,b,c,d){var e;if(m.isArray(b))m.each(b,function(b,e){c||Rb.test(a)?d(a,e):Vb(a+"["+("object"==typeof e?b:"")+"]",e,c,d)});else if(c||"object"!==m.type(b))d(a,b);else for(e in b)Vb(a+"["+e+"]",b[e],c,d)}m.param=function(a,b){var c,d=[],e=function(a,b){b=m.isFunction(b)?b():null==b?"":b,d[d.length]=encodeURIComponent(a)+"="+encodeURIComponent(b)};if(void 0===b&&(b=m.ajaxSettings&&m.ajaxSettings.traditional),m.isArray(a)||a.jquery&&!m.isPlainObject(a))m.each(a,function(){e(this.name,this.value)});else for(c in a)Vb(c,a[c],b,e);return d.join("&").replace(Qb,"+")},m.fn.extend({serialize:function(){return m.param(this.serializeArray())},serializeArray:function(){return this.map(function(){var a=m.prop(this,"elements");return a?m.makeArray(a):this}).filter(function(){var a=this.type;return this.name&&!m(this).is(":disabled")&&Ub.test(this.nodeName)&&!Tb.test(a)&&(this.checked||!W.test(a))}).map(function(a,b){var c=m(this).val();return null==c?null:m.isArray(c)?m.map(c,function(a){return{name:b.name,value:a.replace(Sb,"\r\n")}}):{name:b.name,value:c.replace(Sb,"\r\n")}}).get()}}),m.ajaxSettings.xhr=void 0!==a.ActiveXObject?function(){return!this.isLocal&&/^(get|post|head|put|delete|options)$/i.test(this.type)&&Zb()||$b()}:Zb;var Wb=0,Xb={},Yb=m.ajaxSettings.xhr();a.attachEvent&&a.attachEvent("onunload",function(){for(var a in Xb)Xb[a](void 0,!0)}),k.cors=!!Yb&&"withCredentials"in Yb,Yb=k.ajax=!!Yb,Yb&&m.ajaxTransport(function(a){if(!a.crossDomain||k.cors){var b;return{send:function(c,d){var e,f=a.xhr(),g=++Wb;if(f.open(a.type,a.url,a.async,a.username,a.password),a.xhrFields)for(e in a.xhrFields)f[e]=a.xhrFields[e];a.mimeType&&f.overrideMimeType&&f.overrideMimeType(a.mimeType),a.crossDomain||c["X-Requested-With"]||(c["X-Requested-With"]="XMLHttpRequest");for(e in c)void 0!==c[e]&&f.setRequestHeader(e,c[e]+"");f.send(a.hasContent&&a.data||null),b=function(c,e){var h,i,j;if(b&&(e||4===f.readyState))if(delete Xb[g],b=void 0,f.onreadystatechange=m.noop,e)4!==f.readyState&&f.abort();else{j={},h=f.status,"string"==typeof f.responseText&&(j.text=f.responseText);try{i=f.statusText}catch(k){i=""}h||!a.isLocal||a.crossDomain?1223===h&&(h=204):h=j.text?200:404}j&&d(h,i,j,f.getAllResponseHeaders())},a.async?4===f.readyState?setTimeout(b):f.onreadystatechange=Xb[g]=b:b()},abort:function(){b&&b(void 0,!0)}}}});function Zb(){try{return new a.XMLHttpRequest}catch(b){}}function $b(){try{return new a.ActiveXObject("Microsoft.XMLHTTP")}catch(b){}}m.ajaxSetup({accepts:{script:"text/javascript, application/javascript, application/ecmascript, application/x-ecmascript"},contents:{script:/(?:java|ecma)script/},converters:{"text script":function(a){return m.globalEval(a),a}}}),m.ajaxPrefilter("script",function(a){void 0===a.cache&&(a.cache=!1),a.crossDomain&&(a.type="GET",a.global=!1)}),m.ajaxTransport("script",function(a){if(a.crossDomain){var b,c=y.head||m("head")[0]||y.documentElement;return{send:function(d,e){b=y.createElement("script"),b.async=!0,a.scriptCharset&&(b.charset=a.scriptCharset),b.src=a.url,b.onload=b.onreadystatechange=function(a,c){(c||!b.readyState||/loaded|complete/.test(b.readyState))&&(b.onload=b.onreadystatechange=null,b.parentNode&&b.parentNode.removeChild(b),b=null,c||e(200,"success"))},c.insertBefore(b,c.firstChild)},abort:function(){b&&b.onload(void 0,!0)}}}});var _b=[],ac=/(=)\?(?=&|$)|\?\?/;m.ajaxSetup({jsonp:"callback",jsonpCallback:function(){var a=_b.pop()||m.expando+"_"+vb++;return this[a]=!0,a}}),m.ajaxPrefilter("json jsonp",function(b,c,d){var e,f,g,h=b.jsonp!==!1&&(ac.test(b.url)?"url":"string"==typeof b.data&&!(b.contentType||"").indexOf("application/x-www-form-urlencoded")&&ac.test(b.data)&&"data");return h||"jsonp"===b.dataTypes[0]?(e=b.jsonpCallback=m.isFunction(b.jsonpCallback)?b.jsonpCallback():b.jsonpCallback,h?b[h]=b[h].replace(ac,"$1"+e):b.jsonp!==!1&&(b.url+=(wb.test(b.url)?"&":"?")+b.jsonp+"="+e),b.converters["script json"]=function(){return g||m.error(e+" was not called"),g[0]},b.dataTypes[0]="json",f=a[e],a[e]=function(){g=arguments},d.always(function(){a[e]=f,b[e]&&(b.jsonpCallback=c.jsonpCallback,_b.push(e)),g&&m.isFunction(f)&&f(g[0]),g=f=void 0}),"script"):void 0}),m.parseHTML=function(a,b,c){if(!a||"string"!=typeof a)return null;"boolean"==typeof b&&(c=b,b=!1),b=b||y;var d=u.exec(a),e=!c&&[];return d?[b.createElement(d[1])]:(d=m.buildFragment([a],b,e),e&&e.length&&m(e).remove(),m.merge([],d.childNodes))};var bc=m.fn.load;m.fn.load=function(a,b,c){if("string"!=typeof a&&bc)return bc.apply(this,arguments);var d,e,f,g=this,h=a.indexOf(" ");return h>=0&&(d=m.trim(a.slice(h,a.length)),a=a.slice(0,h)),m.isFunction(b)?(c=b,b=void 0):b&&"object"==typeof b&&(f="POST"),g.length>0&&m.ajax({url:a,type:f,dataType:"html",data:b}).done(function(a){e=arguments,g.html(d?m("<div>").append(m.parseHTML(a)).find(d):a)}).complete(c&&function(a,b){g.each(c,e||[a.responseText,b,a])}),this},m.each(["ajaxStart","ajaxStop","ajaxComplete","ajaxError","ajaxSuccess","ajaxSend"],function(a,b){m.fn[b]=function(a){return this.on(b,a)}}),m.expr.filters.animated=function(a){return m.grep(m.timers,function(b){return a===b.elem}).length};var cc=a.document.documentElement;function dc(a){return m.isWindow(a)?a:9===a.nodeType?a.defaultView||a.parentWindow:!1}m.offset={setOffset:function(a,b,c){var d,e,f,g,h,i,j,k=m.css(a,"position"),l=m(a),n={};"static"===k&&(a.style.position="relative"),h=l.offset(),f=m.css(a,"top"),i=m.css(a,"left"),j=("absolute"===k||"fixed"===k)&&m.inArray("auto",[f,i])>-1,j?(d=l.position(),g=d.top,e=d.left):(g=parseFloat(f)||0,e=parseFloat(i)||0),m.isFunction(b)&&(b=b.call(a,c,h)),null!=b.top&&(n.top=b.top-h.top+g),null!=b.left&&(n.left=b.left-h.left+e),"using"in b?b.using.call(a,n):l.css(n)}},m.fn.extend({offset:function(a){if(arguments.length)return void 0===a?this:this.each(function(b){m.offset.setOffset(this,a,b)});var b,c,d={top:0,left:0},e=this[0],f=e&&e.ownerDocument;if(f)return b=f.documentElement,m.contains(b,e)?(typeof e.getBoundingClientRect!==K&&(d=e.getBoundingClientRect()),c=dc(f),{top:d.top+(c.pageYOffset||b.scrollTop)-(b.clientTop||0),left:d.left+(c.pageXOffset||b.scrollLeft)-(b.clientLeft||0)}):d},position:function(){if(this[0]){var a,b,c={top:0,left:0},d=this[0];return"fixed"===m.css(d,"position")?b=d.getBoundingClientRect():(a=this.offsetParent(),b=this.offset(),m.nodeName(a[0],"html")||(c=a.offset()),c.top+=m.css(a[0],"borderTopWidth",!0),c.left+=m.css(a[0],"borderLeftWidth",!0)),{top:b.top-c.top-m.css(d,"marginTop",!0),left:b.left-c.left-m.css(d,"marginLeft",!0)}}},offsetParent:function(){return this.map(function(){var a=this.offsetParent||cc;while(a&&!m.nodeName(a,"html")&&"static"===m.css(a,"position"))a=a.offsetParent;return a||cc})}}),m.each({scrollLeft:"pageXOffset",scrollTop:"pageYOffset"},function(a,b){var c=/Y/.test(b);m.fn[a]=function(d){return V(this,function(a,d,e){var f=dc(a);return void 0===e?f?b in f?f[b]:f.document.documentElement[d]:a[d]:void(f?f.scrollTo(c?m(f).scrollLeft():e,c?e:m(f).scrollTop()):a[d]=e)},a,d,arguments.length,null)}}),m.each(["top","left"],function(a,b){m.cssHooks[b]=La(k.pixelPosition,function(a,c){return c?(c=Ja(a,b),Ha.test(c)?m(a).position()[b]+"px":c):void 0})}),m.each({Height:"height",Width:"width"},function(a,b){m.each({padding:"inner"+a,content:b,"":"outer"+a},function(c,d){m.fn[d]=function(d,e){var f=arguments.length&&(c||"boolean"!=typeof d),g=c||(d===!0||e===!0?"margin":"border");return V(this,function(b,c,d){var e;return m.isWindow(b)?b.document.documentElement["client"+a]:9===b.nodeType?(e=b.documentElement,Math.max(b.body["scroll"+a],e["scroll"+a],b.body["offset"+a],e["offset"+a],e["client"+a])):void 0===d?m.css(b,c,g):m.style(b,c,d,g)},b,f?d:void 0,f,null)}})}),m.fn.size=function(){return this.length},m.fn.andSelf=m.fn.addBack,"function"==typeof define&&define.amd&&define("jquery",[],function(){return m});var ec=a.jQuery,fc=a.$;return m.noConflict=function(b){return a.$===m&&(a.$=fc),b&&a.jQuery===m&&(a.jQuery=ec),m},typeof b===K&&(a.jQuery=a.$=m),m}); //# sourceMappingURL=jquery.min.map
ajax/libs/react-router/0.12.2/ReactRouter.js
athanclark/cdnjs
(function webpackUniversalModuleDefinition(root, factory) { if(typeof exports === 'object' && typeof module === 'object') module.exports = factory(require("react")); else if(typeof define === 'function' && define.amd) define(["react"], factory); else if(typeof exports === 'object') exports["ReactRouter"] = factory(require("react")); else root["ReactRouter"] = factory(root["React"]); })(this, function(__WEBPACK_EXTERNAL_MODULE_21__) { return /******/ (function(modules) { // webpackBootstrap /******/ // The module cache /******/ var installedModules = {}; /******/ /******/ // The require function /******/ function __webpack_require__(moduleId) { /******/ /******/ // Check if module is in cache /******/ if(installedModules[moduleId]) /******/ return installedModules[moduleId].exports; /******/ /******/ // Create a new module (and put it into the cache) /******/ var module = installedModules[moduleId] = { /******/ exports: {}, /******/ id: moduleId, /******/ loaded: false /******/ }; /******/ /******/ // Execute the module function /******/ modules[moduleId].call(module.exports, module, module.exports, __webpack_require__); /******/ /******/ // Flag the module as loaded /******/ module.loaded = true; /******/ /******/ // Return the exports of the module /******/ return module.exports; /******/ } /******/ /******/ /******/ // expose the modules object (__webpack_modules__) /******/ __webpack_require__.m = modules; /******/ /******/ // expose the module cache /******/ __webpack_require__.c = installedModules; /******/ /******/ // __webpack_public_path__ /******/ __webpack_require__.p = ""; /******/ /******/ // Load entry module and return exports /******/ return __webpack_require__(0); /******/ }) /************************************************************************/ /******/ ([ /* 0 */ /***/ function(module, exports, __webpack_require__) { exports.DefaultRoute = __webpack_require__(1); exports.Link = __webpack_require__(2); exports.NotFoundRoute = __webpack_require__(3); exports.Redirect = __webpack_require__(4); exports.Route = __webpack_require__(5); exports.RouteHandler = __webpack_require__(6); exports.HashLocation = __webpack_require__(7); exports.HistoryLocation = __webpack_require__(8); exports.RefreshLocation = __webpack_require__(9); exports.StaticLocation = __webpack_require__(10); exports.ImitateBrowserBehavior = __webpack_require__(11); exports.ScrollToTopBehavior = __webpack_require__(12); exports.History = __webpack_require__(13); exports.Navigation = __webpack_require__(14); exports.RouteHandlerMixin = __webpack_require__(15); exports.State = __webpack_require__(16); exports.createRoute = __webpack_require__(17).createRoute; exports.createDefaultRoute = __webpack_require__(17).createDefaultRoute; exports.createNotFoundRoute = __webpack_require__(17).createNotFoundRoute; exports.createRedirect = __webpack_require__(17).createRedirect; exports.createRoutesFromReactChildren = __webpack_require__(18); exports.create = __webpack_require__(19); exports.run = __webpack_require__(20); /***/ }, /* 1 */ /***/ function(module, exports, __webpack_require__) { var React = __webpack_require__(21); var Configuration = __webpack_require__(22); var PropTypes = __webpack_require__(23); /** * A <DefaultRoute> component is a special kind of <Route> that * renders when its parent matches but none of its siblings do. * Only one such route may be used at any given level in the * route hierarchy. */ var DefaultRoute = React.createClass({ displayName: 'DefaultRoute', mixins: [ Configuration ], propTypes: { name: PropTypes.string, path: PropTypes.falsy, children: PropTypes.falsy, handler: PropTypes.func.isRequired } }); module.exports = DefaultRoute; /***/ }, /* 2 */ /***/ function(module, exports, __webpack_require__) { var React = __webpack_require__(21); var classSet = __webpack_require__(35); var assign = __webpack_require__(36); var Navigation = __webpack_require__(14); var State = __webpack_require__(16); var PropTypes = __webpack_require__(23); var Route = __webpack_require__(17); function isLeftClickEvent(event) { return event.button === 0; } function isModifiedEvent(event) { return !!(event.metaKey || event.altKey || event.ctrlKey || event.shiftKey); } /** * <Link> components are used to create an <a> element that links to a route. * When that route is active, the link gets an "active" class name (or the * value of its `activeClassName` prop). * * For example, assuming you have the following route: * * <Route name="showPost" path="/posts/:postID" handler={Post}/> * * You could use the following component to link to that route: * * <Link to="showPost" params={{ postID: "123" }} /> * * In addition to params, links may pass along query string parameters * using the `query` prop. * * <Link to="showPost" params={{ postID: "123" }} query={{ show:true }}/> */ var Link = React.createClass({ displayName: 'Link', mixins: [ Navigation, State ], propTypes: { activeClassName: PropTypes.string.isRequired, to: PropTypes.oneOfType([ PropTypes.string, PropTypes.instanceOf(Route) ]), params: PropTypes.object, query: PropTypes.object, activeStyle: PropTypes.object, onClick: PropTypes.func }, getDefaultProps: function () { return { activeClassName: 'active' }; }, handleClick: function (event) { var allowTransition = true; var clickResult; if (this.props.onClick) clickResult = this.props.onClick(event); if (isModifiedEvent(event) || !isLeftClickEvent(event)) return; if (clickResult === false || event.defaultPrevented === true) allowTransition = false; event.preventDefault(); if (allowTransition) this.transitionTo(this.props.to, this.props.params, this.props.query); }, /** * Returns the value of the "href" attribute to use on the DOM element. */ getHref: function () { return this.makeHref(this.props.to, this.props.params, this.props.query); }, /** * Returns the value of the "class" attribute to use on the DOM element, which contains * the value of the activeClassName property when this <Link> is active. */ getClassName: function () { var classNames = {}; if (this.props.className) classNames[this.props.className] = true; if (this.getActiveState()) classNames[this.props.activeClassName] = true; return classSet(classNames); }, getActiveState: function () { return this.isActive(this.props.to, this.props.params, this.props.query); }, render: function () { var props = assign({}, this.props, { href: this.getHref(), className: this.getClassName(), onClick: this.handleClick }); if (props.activeStyle && this.getActiveState()) props.style = props.activeStyle; return React.DOM.a(props, this.props.children); } }); module.exports = Link; /***/ }, /* 3 */ /***/ function(module, exports, __webpack_require__) { var React = __webpack_require__(21); var Configuration = __webpack_require__(22); var PropTypes = __webpack_require__(23); /** * A <NotFoundRoute> is a special kind of <Route> that * renders when the beginning of its parent's path matches * but none of its siblings do, including any <DefaultRoute>. * Only one such route may be used at any given level in the * route hierarchy. */ var NotFoundRoute = React.createClass({ displayName: 'NotFoundRoute', mixins: [ Configuration ], propTypes: { name: PropTypes.string, path: PropTypes.falsy, children: PropTypes.falsy, handler: PropTypes.func.isRequired } }); module.exports = NotFoundRoute; /***/ }, /* 4 */ /***/ function(module, exports, __webpack_require__) { var React = __webpack_require__(21); var Configuration = __webpack_require__(22); var PropTypes = __webpack_require__(23); /** * A <Redirect> component is a special kind of <Route> that always * redirects to another route when it matches. */ var Redirect = React.createClass({ displayName: 'Redirect', mixins: [ Configuration ], propTypes: { path: PropTypes.string, from: PropTypes.string, // Alias for path. to: PropTypes.string, handler: PropTypes.falsy } }); module.exports = Redirect; /***/ }, /* 5 */ /***/ function(module, exports, __webpack_require__) { var React = __webpack_require__(21); var Configuration = __webpack_require__(22); var PropTypes = __webpack_require__(23); var RouteHandler = __webpack_require__(6); /** * <Route> components specify components that are rendered to the page when the * URL matches a given pattern. * * Routes are arranged in a nested tree structure. When a new URL is requested, * the tree is searched depth-first to find a route whose path matches the URL. * When one is found, all routes in the tree that lead to it are considered * "active" and their components are rendered into the DOM, nested in the same * order as they are in the tree. * * The preferred way to configure a router is using JSX. The XML-like syntax is * a great way to visualize how routes are laid out in an application. * * var routes = [ * <Route handler={App}> * <Route name="login" handler={Login}/> * <Route name="logout" handler={Logout}/> * <Route name="about" handler={About}/> * </Route> * ]; * * Router.run(routes, function (Handler) { * React.render(<Handler/>, document.body); * }); * * Handlers for Route components that contain children can render their active * child route using a <RouteHandler> element. * * var App = React.createClass({ * render: function () { * return ( * <div class="application"> * <RouteHandler/> * </div> * ); * } * }); * * If no handler is provided for the route, it will render a matched child route. */ var Route = React.createClass({ displayName: 'Route', mixins: [ Configuration ], propTypes: { name: PropTypes.string, path: PropTypes.string, handler: PropTypes.func, ignoreScrollBehavior: PropTypes.bool }, getDefaultProps: function(){ return { handler: RouteHandler }; } }); module.exports = Route; /***/ }, /* 6 */ /***/ function(module, exports, __webpack_require__) { var React = __webpack_require__(21); var RouteHandlerMixin = __webpack_require__(15); /** * A <RouteHandler> component renders the active child route handler * when routes are nested. */ var RouteHandler = React.createClass({ displayName: 'RouteHandler', mixins: [ RouteHandlerMixin ], render: function () { return this.createChildRouteHandler(); } }); module.exports = RouteHandler; /***/ }, /* 7 */ /***/ function(module, exports, __webpack_require__) { var LocationActions = __webpack_require__(24); var History = __webpack_require__(13); /** * Returns the current URL path from the `hash` portion of the URL, including * query string. */ function getHashPath() { return decodeURI( // We can't use window.location.hash here because it's not // consistent across browsers - Firefox will pre-decode it! window.location.href.split('#')[1] || '' ); } var _actionType; function ensureSlash() { var path = getHashPath(); if (path.charAt(0) === '/') return true; HashLocation.replace('/' + path); return false; } var _changeListeners = []; function notifyChange(type) { if (type === LocationActions.PUSH) History.length += 1; var change = { path: getHashPath(), type: type }; _changeListeners.forEach(function (listener) { listener(change); }); } var _isListening = false; function onHashChange() { if (ensureSlash()) { // If we don't have an _actionType then all we know is the hash // changed. It was probably caused by the user clicking the Back // button, but may have also been the Forward button or manual // manipulation. So just guess 'pop'. notifyChange(_actionType || LocationActions.POP); _actionType = null; } } /** * A Location that uses `window.location.hash`. */ var HashLocation = { addChangeListener: function (listener) { _changeListeners.push(listener); // Do this BEFORE listening for hashchange. ensureSlash(); if (!_isListening) { if (window.addEventListener) { window.addEventListener('hashchange', onHashChange, false); } else { window.attachEvent('onhashchange', onHashChange); } _isListening = true; } }, removeChangeListener: function(listener) { _changeListeners = _changeListeners.filter(function (l) { return l !== listener; }); if (_changeListeners.length === 0) { if (window.removeEventListener) { window.removeEventListener('hashchange', onHashChange, false); } else { window.removeEvent('onhashchange', onHashChange); } _isListening = false; } }, push: function (path) { _actionType = LocationActions.PUSH; window.location.hash = path; }, replace: function (path) { _actionType = LocationActions.REPLACE; window.location.replace( window.location.pathname + window.location.search + '#' + path ); }, pop: function () { _actionType = LocationActions.POP; History.back(); }, getCurrentPath: getHashPath, toString: function () { return '<HashLocation>'; } }; module.exports = HashLocation; /***/ }, /* 8 */ /***/ function(module, exports, __webpack_require__) { var LocationActions = __webpack_require__(24); var History = __webpack_require__(13); /** * Returns the current URL path from `window.location`, including query string. */ function getWindowPath() { return decodeURI( window.location.pathname + window.location.search ); } var _changeListeners = []; function notifyChange(type) { var change = { path: getWindowPath(), type: type }; _changeListeners.forEach(function (listener) { listener(change); }); } var _isListening = false; function onPopState(event) { if (event.state === undefined) return; // Ignore extraneous popstate events in WebKit. notifyChange(LocationActions.POP); } /** * A Location that uses HTML5 history. */ var HistoryLocation = { addChangeListener: function (listener) { _changeListeners.push(listener); if (!_isListening) { if (window.addEventListener) { window.addEventListener('popstate', onPopState, false); } else { window.attachEvent('onpopstate', onPopState); } _isListening = true; } }, removeChangeListener: function(listener) { _changeListeners = _changeListeners.filter(function (l) { return l !== listener; }); if (_changeListeners.length === 0) { if (window.addEventListener) { window.removeEventListener('popstate', onPopState, false); } else { window.removeEvent('onpopstate', onPopState); } _isListening = false; } }, push: function (path) { window.history.pushState({ path: path }, '', path); History.length += 1; notifyChange(LocationActions.PUSH); }, replace: function (path) { window.history.replaceState({ path: path }, '', path); notifyChange(LocationActions.REPLACE); }, pop: History.back, getCurrentPath: getWindowPath, toString: function () { return '<HistoryLocation>'; } }; module.exports = HistoryLocation; /***/ }, /* 9 */ /***/ function(module, exports, __webpack_require__) { var HistoryLocation = __webpack_require__(8); var History = __webpack_require__(13); /** * A Location that uses full page refreshes. This is used as * the fallback for HistoryLocation in browsers that do not * support the HTML5 history API. */ var RefreshLocation = { push: function (path) { window.location = path; }, replace: function (path) { window.location.replace(path); }, pop: History.back, getCurrentPath: HistoryLocation.getCurrentPath, toString: function () { return '<RefreshLocation>'; } }; module.exports = RefreshLocation; /***/ }, /* 10 */ /***/ function(module, exports, __webpack_require__) { var invariant = __webpack_require__(37); function throwCannotModify() { invariant(false, 'You cannot modify a static location'); } /** * A location that only ever contains a single path. Useful in * stateless environments like servers where there is no path history, * only the path that was used in the request. */ function StaticLocation(path) { this.path = path; } StaticLocation.prototype.push = throwCannotModify; StaticLocation.prototype.replace = throwCannotModify; StaticLocation.prototype.pop = throwCannotModify; StaticLocation.prototype.getCurrentPath = function () { return this.path; }; StaticLocation.prototype.toString = function () { return '<StaticLocation path="' + this.path + '">'; }; module.exports = StaticLocation; /***/ }, /* 11 */ /***/ function(module, exports, __webpack_require__) { var LocationActions = __webpack_require__(24); /** * A scroll behavior that attempts to imitate the default behavior * of modern browsers. */ var ImitateBrowserBehavior = { updateScrollPosition: function (position, actionType) { switch (actionType) { case LocationActions.PUSH: case LocationActions.REPLACE: window.scrollTo(0, 0); break; case LocationActions.POP: if (position) { window.scrollTo(position.x, position.y); } else { window.scrollTo(0, 0); } break; } } }; module.exports = ImitateBrowserBehavior; /***/ }, /* 12 */ /***/ function(module, exports, __webpack_require__) { /** * A scroll behavior that always scrolls to the top of the page * after a transition. */ var ScrollToTopBehavior = { updateScrollPosition: function () { window.scrollTo(0, 0); } }; module.exports = ScrollToTopBehavior; /***/ }, /* 13 */ /***/ function(module, exports, __webpack_require__) { var invariant = __webpack_require__(37); var canUseDOM = __webpack_require__(38).canUseDOM; var History = { /** * The current number of entries in the history. * * Note: This property is read-only. */ length: 1, /** * Sends the browser back one entry in the history. */ back: function () { invariant( canUseDOM, 'Cannot use History.back without a DOM' ); // Do this first so that History.length will // be accurate in location change listeners. History.length -= 1; window.history.back(); } }; module.exports = History; /***/ }, /* 14 */ /***/ function(module, exports, __webpack_require__) { var PropTypes = __webpack_require__(23); /** * A mixin for components that modify the URL. * * Example: * * var MyLink = React.createClass({ * mixins: [ Router.Navigation ], * handleClick: function (event) { * event.preventDefault(); * this.transitionTo('aRoute', { the: 'params' }, { the: 'query' }); * }, * render: function () { * return ( * <a onClick={this.handleClick}>Click me!</a> * ); * } * }); */ var Navigation = { contextTypes: { makePath: PropTypes.func.isRequired, makeHref: PropTypes.func.isRequired, transitionTo: PropTypes.func.isRequired, replaceWith: PropTypes.func.isRequired, goBack: PropTypes.func.isRequired }, /** * Returns an absolute URL path created from the given route * name, URL parameters, and query values. */ makePath: function (to, params, query) { return this.context.makePath(to, params, query); }, /** * Returns a string that may safely be used as the href of a * link to the route with the given name. */ makeHref: function (to, params, query) { return this.context.makeHref(to, params, query); }, /** * Transitions to the URL specified in the arguments by pushing * a new URL onto the history stack. */ transitionTo: function (to, params, query) { this.context.transitionTo(to, params, query); }, /** * Transitions to the URL specified in the arguments by replacing * the current URL in the history stack. */ replaceWith: function (to, params, query) { this.context.replaceWith(to, params, query); }, /** * Transitions to the previous URL. */ goBack: function () { return this.context.goBack(); } }; module.exports = Navigation; /***/ }, /* 15 */ /***/ function(module, exports, __webpack_require__) { var React = __webpack_require__(21); var assign = __webpack_require__(36); var PropTypes = __webpack_require__(23); var REF_NAME = '__routeHandler__'; var RouteHandlerMixin = { contextTypes: { getRouteAtDepth: PropTypes.func.isRequired, setRouteComponentAtDepth: PropTypes.func.isRequired, routeHandlers: PropTypes.array.isRequired }, childContextTypes: { routeHandlers: PropTypes.array.isRequired }, getChildContext: function () { return { routeHandlers: this.context.routeHandlers.concat([ this ]) }; }, componentDidMount: function () { this._updateRouteComponent(this.refs[REF_NAME]); }, componentDidUpdate: function () { this._updateRouteComponent(this.refs[REF_NAME]); }, componentWillUnmount: function () { this._updateRouteComponent(null); }, _updateRouteComponent: function (component) { this.context.setRouteComponentAtDepth(this.getRouteDepth(), component); }, getRouteDepth: function () { return this.context.routeHandlers.length; }, createChildRouteHandler: function (props) { var route = this.context.getRouteAtDepth(this.getRouteDepth()); return route ? React.createElement(route.handler, assign({}, props || this.props, { ref: REF_NAME })) : null; } }; module.exports = RouteHandlerMixin; /***/ }, /* 16 */ /***/ function(module, exports, __webpack_require__) { var PropTypes = __webpack_require__(23); /** * A mixin for components that need to know the path, routes, URL * params and query that are currently active. * * Example: * * var AboutLink = React.createClass({ * mixins: [ Router.State ], * render: function () { * var className = this.props.className; * * if (this.isActive('about')) * className += ' is-active'; * * return React.DOM.a({ className: className }, this.props.children); * } * }); */ var State = { contextTypes: { getCurrentPath: PropTypes.func.isRequired, getCurrentRoutes: PropTypes.func.isRequired, getCurrentPathname: PropTypes.func.isRequired, getCurrentParams: PropTypes.func.isRequired, getCurrentQuery: PropTypes.func.isRequired, isActive: PropTypes.func.isRequired }, /** * Returns the current URL path. */ getPath: function () { return this.context.getCurrentPath(); }, /** * Returns an array of the routes that are currently active. */ getRoutes: function () { return this.context.getCurrentRoutes(); }, /** * Returns the current URL path without the query string. */ getPathname: function () { return this.context.getCurrentPathname(); }, /** * Returns an object of the URL params that are currently active. */ getParams: function () { return this.context.getCurrentParams(); }, /** * Returns an object of the query params that are currently active. */ getQuery: function () { return this.context.getCurrentQuery(); }, /** * A helper method to determine if a given route, params, and query * are active. */ isActive: function (to, params, query) { return this.context.isActive(to, params, query); } }; module.exports = State; /***/ }, /* 17 */ /***/ function(module, exports, __webpack_require__) { var assign = __webpack_require__(36); var invariant = __webpack_require__(37); var warning = __webpack_require__(39); var Path = __webpack_require__(34); function Route(name, path, ignoreScrollBehavior, isDefault, isNotFound, onEnter, onLeave, handler) { this.name = name; this.path = path; this.paramNames = Path.extractParamNames(this.path); this.ignoreScrollBehavior = !!ignoreScrollBehavior; this.isDefault = !!isDefault; this.isNotFound = !!isNotFound; this.onEnter = onEnter; this.onLeave = onLeave; this.handler = handler; } /** * Appends the given route to this route's child routes. */ Route.prototype.appendChild = function (route) { invariant( route instanceof Route, 'route.appendChild must use a valid Route' ); if (!this.childRoutes) this.childRoutes = []; this.childRoutes.push(route); }; Route.prototype.toString = function () { var string = '<Route'; if (this.name) string += (" name=\"" + this.name + "\""); string += (" path=\"" + this.path + "\">"); return string; }; var _currentRoute; /** * Creates and returns a new route. Options may be a URL pathname string * with placeholders for named params or an object with any of the following * properties: * * - name The name of the route. This is used to lookup a * route relative to its parent route and should be * unique among all child routes of the same parent * - path A URL pathname string with optional placeholders * that specify the names of params to extract from * the URL when the path matches. Defaults to `/${name}` * when there is a name given, or the path of the parent * route, or / * - ignoreScrollBehavior True to make this route (and all descendants) ignore * the scroll behavior of the router * - isDefault True to make this route the default route among all * its siblings * - isNotFound True to make this route the "not found" route among * all its siblings * - onEnter A transition hook that will be called when the * router is going to enter this route * - onLeave A transition hook that will be called when the * router is going to leave this route * - handler A React component that will be rendered when * this route is active * - parentRoute The parent route to use for this route. This option * is automatically supplied when creating routes inside * the callback to another invocation of createRoute. You * only ever need to use this when declaring routes * independently of one another to manually piece together * the route hierarchy * * The callback may be used to structure your route hierarchy. Any call to * createRoute, createDefaultRoute, createNotFoundRoute, or createRedirect * inside the callback automatically uses this route as its parent. */ Route.createRoute = function (options, callback) { options = options || {}; if (typeof options === 'string') options = { path: options }; var parentRoute = _currentRoute; if (parentRoute) { warning( options.parentRoute == null || options.parentRoute === parentRoute, 'You should not use parentRoute with createRoute inside another route\'s child callback; it is ignored' ); } else { parentRoute = options.parentRoute; } var name = options.name; var path = options.path || name; if (path) { if (Path.isAbsolute(path)) { if (parentRoute) { invariant( parentRoute.paramNames.length === 0, 'You cannot nest path "%s" inside "%s"; the parent requires URL parameters', path, parentRoute.path ); } } else if (parentRoute) { // Relative paths extend their parent. path = Path.join(parentRoute.path, path); } else { path = '/' + path; } } else { path = parentRoute ? parentRoute.path : '/'; } if (options.isNotFound && !(/\*$/).test(path)) path += '*'; // Auto-append * to the path of not found routes. var route = new Route( name, path, options.ignoreScrollBehavior, options.isDefault, options.isNotFound, options.onEnter, options.onLeave, options.handler ); if (parentRoute) { if (route.isDefault) { invariant( parentRoute.defaultRoute == null, '%s may not have more than one default route', parentRoute ); parentRoute.defaultRoute = route; } else if (route.isNotFound) { invariant( parentRoute.notFoundRoute == null, '%s may not have more than one not found route', parentRoute ); parentRoute.notFoundRoute = route; } parentRoute.appendChild(route); } // Any routes created in the callback // use this route as their parent. if (typeof callback === 'function') { var currentRoute = _currentRoute; _currentRoute = route; callback.call(route, route); _currentRoute = currentRoute; } return route; }; /** * Creates and returns a route that is rendered when its parent matches * the current URL. */ Route.createDefaultRoute = function (options) { return Route.createRoute( assign({}, options, { isDefault: true }) ); }; /** * Creates and returns a route that is rendered when its parent matches * the current URL but none of its siblings do. */ Route.createNotFoundRoute = function (options) { return Route.createRoute( assign({}, options, { isNotFound: true }) ); }; /** * Creates and returns a route that automatically redirects the transition * to another route. In addition to the normal options to createRoute, this * function accepts the following options: * * - from An alias for the `path` option. Defaults to * * - to The path/route/route name to redirect to * - params The params to use in the redirect URL. Defaults * to using the current params * - query The query to use in the redirect URL. Defaults * to using the current query */ Route.createRedirect = function (options) { return Route.createRoute( assign({}, options, { path: options.path || options.from || '*', onEnter: function (transition, params, query) { transition.redirect(options.to, options.params || params, options.query || query); } }) ); }; module.exports = Route; /***/ }, /* 18 */ /***/ function(module, exports, __webpack_require__) { /* jshint -W084 */ var React = __webpack_require__(21); var assign = __webpack_require__(36); var warning = __webpack_require__(39); var DefaultRouteType = __webpack_require__(1).type; var NotFoundRouteType = __webpack_require__(3).type; var RedirectType = __webpack_require__(4).type; var Route = __webpack_require__(17); function checkPropTypes(componentName, propTypes, props) { componentName = componentName || 'UnknownComponent'; for (var propName in propTypes) { if (propTypes.hasOwnProperty(propName)) { var error = propTypes[propName](props, propName, componentName); if (error instanceof Error) warning(false, error.message); } } } function createRouteOptions(props) { var options = assign({}, props); var handler = options.handler; if (handler) { options.onEnter = handler.willTransitionTo; options.onLeave = handler.willTransitionFrom; } return options; } function createRouteFromReactElement(element) { if (!React.isValidElement(element)) return; var type = element.type; var props = element.props; if (type.propTypes) checkPropTypes(type.displayName, type.propTypes, props); if (type === DefaultRouteType) return Route.createDefaultRoute(createRouteOptions(props)); if (type === NotFoundRouteType) return Route.createNotFoundRoute(createRouteOptions(props)); if (type === RedirectType) return Route.createRedirect(createRouteOptions(props)); return Route.createRoute(createRouteOptions(props), function () { if (props.children) createRoutesFromReactChildren(props.children); }); } /** * Creates and returns an array of routes created from the given * ReactChildren, all of which should be one of <Route>, <DefaultRoute>, * <NotFoundRoute>, or <Redirect>, e.g.: * * var { createRoutesFromReactChildren, Route, Redirect } = require('react-router'); * * var routes = createRoutesFromReactChildren( * <Route path="/" handler={App}> * <Route name="user" path="/user/:userId" handler={User}> * <Route name="task" path="tasks/:taskId" handler={Task}/> * <Redirect from="todos/:taskId" to="task"/> * </Route> * </Route> * ); */ function createRoutesFromReactChildren(children) { var routes = []; React.Children.forEach(children, function (child) { if (child = createRouteFromReactElement(child)) routes.push(child); }); return routes; } module.exports = createRoutesFromReactChildren; /***/ }, /* 19 */ /***/ function(module, exports, __webpack_require__) { /* jshint -W058 */ var React = __webpack_require__(21); var warning = __webpack_require__(39); var invariant = __webpack_require__(37); var canUseDOM = __webpack_require__(38).canUseDOM; var LocationActions = __webpack_require__(24); var ImitateBrowserBehavior = __webpack_require__(11); var HashLocation = __webpack_require__(7); var HistoryLocation = __webpack_require__(8); var RefreshLocation = __webpack_require__(9); var StaticLocation = __webpack_require__(10); var NavigationContext = __webpack_require__(25); var ScrollHistory = __webpack_require__(26); var StateContext = __webpack_require__(27); var createRoutesFromReactChildren = __webpack_require__(18); var isReactChildren = __webpack_require__(28); var Transition = __webpack_require__(29); var PropTypes = __webpack_require__(23); var Redirect = __webpack_require__(30); var History = __webpack_require__(13); var Cancellation = __webpack_require__(31); var Match = __webpack_require__(32); var Route = __webpack_require__(17); var supportsHistory = __webpack_require__(33); var Path = __webpack_require__(34); /** * The default location for new routers. */ var DEFAULT_LOCATION = canUseDOM ? HashLocation : '/'; /** * The default scroll behavior for new routers. */ var DEFAULT_SCROLL_BEHAVIOR = canUseDOM ? ImitateBrowserBehavior : null; function hasProperties(object, properties) { for (var propertyName in properties) if (properties.hasOwnProperty(propertyName) && object[propertyName] !== properties[propertyName]) return false; return true; } function hasMatch(routes, route, prevParams, nextParams, prevQuery, nextQuery) { return routes.some(function (r) { if (r !== route) return false; var paramNames = route.paramNames; var paramName; // Ensure that all params the route cares about did not change. for (var i = 0, len = paramNames.length; i < len; ++i) { paramName = paramNames[i]; if (nextParams[paramName] !== prevParams[paramName]) return false; } // Ensure the query hasn't changed. return hasProperties(prevQuery, nextQuery) && hasProperties(nextQuery, prevQuery); }); } function addRoutesToNamedRoutes(routes, namedRoutes) { var route; for (var i = 0, len = routes.length; i < len; ++i) { route = routes[i]; if (route.name) { invariant( namedRoutes[route.name] == null, 'You may not have more than one route named "%s"', route.name ); namedRoutes[route.name] = route; } if (route.childRoutes) addRoutesToNamedRoutes(route.childRoutes, namedRoutes); } } /** * Creates and returns a new router using the given options. A router * is a ReactComponent class that knows how to react to changes in the * URL and keep the contents of the page in sync. * * Options may be any of the following: * * - routes (required) The route config * - location The location to use. Defaults to HashLocation when * the DOM is available, "/" otherwise * - scrollBehavior The scroll behavior to use. Defaults to ImitateBrowserBehavior * when the DOM is available, null otherwise * - onError A function that is used to handle errors * - onAbort A function that is used to handle aborted transitions * * When rendering in a server-side environment, the location should simply * be the URL path that was used in the request, including the query string. */ function createRouter(options) { options = options || {}; if (isReactChildren(options)) options = { routes: options }; var mountedComponents = []; var location = options.location || DEFAULT_LOCATION; var scrollBehavior = options.scrollBehavior || DEFAULT_SCROLL_BEHAVIOR; var state = {}; var nextState = {}; var pendingTransition = null; var dispatchHandler = null; if (typeof location === 'string') location = new StaticLocation(location); if (location instanceof StaticLocation) { warning( !canUseDOM || ("production") === 'test', 'You should not use a static location in a DOM environment because ' + 'the router will not be kept in sync with the current URL' ); } else { invariant( canUseDOM || location.needsDOM === false, 'You cannot use %s without a DOM', location ); } // Automatically fall back to full page refreshes in // browsers that don't support the HTML history API. if (location === HistoryLocation && !supportsHistory()) location = RefreshLocation; var Router = React.createClass({ displayName: 'Router', statics: { isRunning: false, cancelPendingTransition: function () { if (pendingTransition) { pendingTransition.cancel(); pendingTransition = null; } }, clearAllRoutes: function () { this.cancelPendingTransition(); this.namedRoutes = {}; this.routes = []; }, /** * Adds routes to this router from the given children object (see ReactChildren). */ addRoutes: function (routes) { if (isReactChildren(routes)) routes = createRoutesFromReactChildren(routes); addRoutesToNamedRoutes(routes, this.namedRoutes); this.routes.push.apply(this.routes, routes); }, /** * Replaces routes of this router from the given children object (see ReactChildren). */ replaceRoutes: function (routes) { this.clearAllRoutes(); this.addRoutes(routes); this.refresh(); }, /** * Performs a match of the given path against this router and returns an object * with the { routes, params, pathname, query } that match. Returns null if no * match can be made. */ match: function (path) { return Match.findMatchForPath(this.routes, path); }, /** * Returns an absolute URL path created from the given route * name, URL parameters, and query. */ makePath: function (to, params, query) { var path; if (Path.isAbsolute(to)) { path = to; } else { var route = (to instanceof Route) ? to : this.namedRoutes[to]; invariant( route instanceof Route, 'Cannot find a route named "%s"', to ); path = route.path; } return Path.withQuery(Path.injectParams(path, params), query); }, /** * Returns a string that may safely be used as the href of a link * to the route with the given name, URL parameters, and query. */ makeHref: function (to, params, query) { var path = this.makePath(to, params, query); return (location === HashLocation) ? '#' + path : path; }, /** * Transitions to the URL specified in the arguments by pushing * a new URL onto the history stack. */ transitionTo: function (to, params, query) { var path = this.makePath(to, params, query); if (pendingTransition) { // Replace so pending location does not stay in history. location.replace(path); } else { location.push(path); } }, /** * Transitions to the URL specified in the arguments by replacing * the current URL in the history stack. */ replaceWith: function (to, params, query) { location.replace(this.makePath(to, params, query)); }, /** * Transitions to the previous URL if one is available. Returns true if the * router was able to go back, false otherwise. * * Note: The router only tracks history entries in your application, not the * current browser session, so you can safely call this function without guarding * against sending the user back to some other site. However, when using * RefreshLocation (which is the fallback for HistoryLocation in browsers that * don't support HTML5 history) this method will *always* send the client back * because we cannot reliably track history length. */ goBack: function () { if (History.length > 1 || location === RefreshLocation) { location.pop(); return true; } warning(false, 'goBack() was ignored because there is no router history'); return false; }, handleAbort: options.onAbort || function (abortReason) { if (location instanceof StaticLocation) throw new Error('Unhandled aborted transition! Reason: ' + abortReason); if (abortReason instanceof Cancellation) { return; } else if (abortReason instanceof Redirect) { location.replace(this.makePath(abortReason.to, abortReason.params, abortReason.query)); } else { location.pop(); } }, handleError: options.onError || function (error) { // Throw so we don't silently swallow async errors. throw error; // This error probably originated in a transition hook. }, handleLocationChange: function (change) { this.dispatch(change.path, change.type); }, /** * Performs a transition to the given path and calls callback(error, abortReason) * when the transition is finished. If both arguments are null the router's state * was updated. Otherwise the transition did not complete. * * In a transition, a router first determines which routes are involved by beginning * with the current route, up the route tree to the first parent route that is shared * with the destination route, and back down the tree to the destination route. The * willTransitionFrom hook is invoked on all route handlers we're transitioning away * from, in reverse nesting order. Likewise, the willTransitionTo hook is invoked on * all route handlers we're transitioning to. * * Both willTransitionFrom and willTransitionTo hooks may either abort or redirect the * transition. To resolve asynchronously, they may use the callback argument. If no * hooks wait, the transition is fully synchronous. */ dispatch: function (path, action) { this.cancelPendingTransition(); var prevPath = state.path; var isRefreshing = action == null; if (prevPath === path && !isRefreshing) return; // Nothing to do! // Record the scroll position as early as possible to // get it before browsers try update it automatically. if (prevPath && action === LocationActions.PUSH) this.recordScrollPosition(prevPath); var match = this.match(path); warning( match != null, 'No route matches path "%s". Make sure you have <Route path="%s"> somewhere in your routes', path, path ); if (match == null) match = {}; var prevRoutes = state.routes || []; var prevParams = state.params || {}; var prevQuery = state.query || {}; var nextRoutes = match.routes || []; var nextParams = match.params || {}; var nextQuery = match.query || {}; var fromRoutes, toRoutes; if (prevRoutes.length) { fromRoutes = prevRoutes.filter(function (route) { return !hasMatch(nextRoutes, route, prevParams, nextParams, prevQuery, nextQuery); }); toRoutes = nextRoutes.filter(function (route) { return !hasMatch(prevRoutes, route, prevParams, nextParams, prevQuery, nextQuery); }); } else { fromRoutes = []; toRoutes = nextRoutes; } var transition = new Transition(path, this.replaceWith.bind(this, path)); pendingTransition = transition; var fromComponents = mountedComponents.slice(prevRoutes.length - fromRoutes.length); Transition.from(transition, fromRoutes, fromComponents, function (error) { if (error || transition.abortReason) return dispatchHandler.call(Router, error, transition); // No need to continue. Transition.to(transition, toRoutes, nextParams, nextQuery, function (error) { dispatchHandler.call(Router, error, transition, { path: path, action: action, pathname: match.pathname, routes: nextRoutes, params: nextParams, query: nextQuery }); }); }); }, /** * Starts this router and calls callback(router, state) when the route changes. * * If the router's location is static (i.e. a URL path in a server environment) * the callback is called only once. Otherwise, the location should be one of the * Router.*Location objects (e.g. Router.HashLocation or Router.HistoryLocation). */ run: function (callback) { invariant( !this.isRunning, 'Router is already running' ); dispatchHandler = function (error, transition, newState) { if (error) Router.handleError(error); if (pendingTransition !== transition) return; pendingTransition = null; if (transition.abortReason) { Router.handleAbort(transition.abortReason); } else { callback.call(this, this, nextState = newState); } }; if (!(location instanceof StaticLocation)) { if (location.addChangeListener) location.addChangeListener(Router.handleLocationChange); this.isRunning = true; } // Bootstrap using the current path. this.refresh(); }, refresh: function () { Router.dispatch(location.getCurrentPath(), null); }, stop: function () { this.cancelPendingTransition(); if (location.removeChangeListener) location.removeChangeListener(Router.handleLocationChange); this.isRunning = false; }, getScrollBehavior: function () { return scrollBehavior; } }, mixins: [ NavigationContext, StateContext, ScrollHistory ], propTypes: { children: PropTypes.falsy }, childContextTypes: { getRouteAtDepth: React.PropTypes.func.isRequired, setRouteComponentAtDepth: React.PropTypes.func.isRequired, routeHandlers: React.PropTypes.array.isRequired }, getChildContext: function () { return { getRouteAtDepth: this.getRouteAtDepth, setRouteComponentAtDepth: this.setRouteComponentAtDepth, routeHandlers: [ this ] }; }, getInitialState: function () { return (state = nextState); }, componentWillReceiveProps: function () { this.setState(state = nextState); }, componentWillUnmount: function () { Router.stop(); }, getLocation: function () { return location; }, getRouteAtDepth: function (depth) { var routes = this.state.routes; return routes && routes[depth]; }, setRouteComponentAtDepth: function (depth, component) { mountedComponents[depth] = component; }, render: function () { var route = this.getRouteAtDepth(0); return route ? React.createElement(route.handler, this.props) : null; } }); Router.clearAllRoutes(); if (options.routes) Router.addRoutes(options.routes); return Router; } module.exports = createRouter; /***/ }, /* 20 */ /***/ function(module, exports, __webpack_require__) { var createRouter = __webpack_require__(19); /** * A high-level convenience method that creates, configures, and * runs a router in one shot. The method signature is: * * Router.run(routes[, location ], callback); * * Using `window.location.hash` to manage the URL, you could do: * * Router.run(routes, function (Handler) { * React.render(<Handler/>, document.body); * }); * * Using HTML5 history and a custom "cursor" prop: * * Router.run(routes, Router.HistoryLocation, function (Handler) { * React.render(<Handler cursor={cursor}/>, document.body); * }); * * Returns the newly created router. * * Note: If you need to specify further options for your router such * as error/abort handling or custom scroll behavior, use Router.create * instead. * * var router = Router.create(options); * router.run(function (Handler) { * // ... * }); */ function runRouter(routes, location, callback) { if (typeof location === 'function') { callback = location; location = null; } var router = createRouter({ routes: routes, location: location }); router.run(callback); return router; } module.exports = runRouter; /***/ }, /* 21 */ /***/ function(module, exports, __webpack_require__) { module.exports = __WEBPACK_EXTERNAL_MODULE_21__; /***/ }, /* 22 */ /***/ function(module, exports, __webpack_require__) { var warning = __webpack_require__(39); var invariant = __webpack_require__(37); function checkPropTypes(componentName, propTypes, props) { for (var propName in propTypes) { if (propTypes.hasOwnProperty(propName)) { var error = propTypes[propName](props, propName, componentName); if (error instanceof Error) warning(false, error.message); } } } var Configuration = { statics: { validateProps: function (props) { checkPropTypes(this.displayName, this.propTypes, props); } }, render: function () { invariant( false, '%s elements are for router configuration only and should not be rendered', this.constructor.displayName ); } }; module.exports = Configuration; /***/ }, /* 23 */ /***/ function(module, exports, __webpack_require__) { var assign = __webpack_require__(36); var ReactPropTypes = __webpack_require__(21).PropTypes; var PropTypes = assign({ /** * Requires that the value of a prop be falsy. */ falsy: function (props, propName, componentName) { if (props[propName]) return new Error('<' + componentName + '> may not have a "' + propName + '" prop'); } }, ReactPropTypes); module.exports = PropTypes; /***/ }, /* 24 */ /***/ function(module, exports, __webpack_require__) { /** * Actions that modify the URL. */ var LocationActions = { /** * Indicates a new location is being pushed to the history stack. */ PUSH: 'push', /** * Indicates the current location should be replaced. */ REPLACE: 'replace', /** * Indicates the most recent entry should be removed from the history stack. */ POP: 'pop' }; module.exports = LocationActions; /***/ }, /* 25 */ /***/ function(module, exports, __webpack_require__) { var PropTypes = __webpack_require__(23); /** * Provides the router with context for Router.Navigation. */ var NavigationContext = { childContextTypes: { makePath: PropTypes.func.isRequired, makeHref: PropTypes.func.isRequired, transitionTo: PropTypes.func.isRequired, replaceWith: PropTypes.func.isRequired, goBack: PropTypes.func.isRequired }, getChildContext: function () { return { makePath: this.constructor.makePath.bind(this.constructor), makeHref: this.constructor.makeHref.bind(this.constructor), transitionTo: this.constructor.transitionTo.bind(this.constructor), replaceWith: this.constructor.replaceWith.bind(this.constructor), goBack: this.constructor.goBack.bind(this.constructor) }; } }; module.exports = NavigationContext; /***/ }, /* 26 */ /***/ function(module, exports, __webpack_require__) { var invariant = __webpack_require__(37); var canUseDOM = __webpack_require__(38).canUseDOM; var getWindowScrollPosition = __webpack_require__(40); function shouldUpdateScroll(state, prevState) { if (!prevState) return true; // Don't update scroll position when only the query has changed. if (state.pathname === prevState.pathname) return false; var routes = state.routes; var prevRoutes = prevState.routes; var sharedAncestorRoutes = routes.filter(function (route) { return prevRoutes.indexOf(route) !== -1; }); return !sharedAncestorRoutes.some(function (route) { return route.ignoreScrollBehavior; }); } /** * Provides the router with the ability to manage window scroll position * according to its scroll behavior. */ var ScrollHistory = { statics: { /** * Records curent scroll position as the last known position for the given URL path. */ recordScrollPosition: function (path) { if (!this.scrollHistory) this.scrollHistory = {}; this.scrollHistory[path] = getWindowScrollPosition(); }, /** * Returns the last known scroll position for the given URL path. */ getScrollPosition: function (path) { if (!this.scrollHistory) this.scrollHistory = {}; return this.scrollHistory[path] || null; } }, componentWillMount: function () { invariant( this.constructor.getScrollBehavior() == null || canUseDOM, 'Cannot use scroll behavior without a DOM' ); }, componentDidMount: function () { this._updateScroll(); }, componentDidUpdate: function (prevProps, prevState) { this._updateScroll(prevState); }, _updateScroll: function (prevState) { if (!shouldUpdateScroll(this.state, prevState)) return; var scrollBehavior = this.constructor.getScrollBehavior(); if (scrollBehavior) scrollBehavior.updateScrollPosition( this.constructor.getScrollPosition(this.state.path), this.state.action ); } }; module.exports = ScrollHistory; /***/ }, /* 27 */ /***/ function(module, exports, __webpack_require__) { var assign = __webpack_require__(36); var PropTypes = __webpack_require__(23); var Path = __webpack_require__(34); function routeIsActive(activeRoutes, routeName) { return activeRoutes.some(function (route) { return route.name === routeName; }); } function paramsAreActive(activeParams, params) { for (var property in params) if (String(activeParams[property]) !== String(params[property])) return false; return true; } function queryIsActive(activeQuery, query) { for (var property in query) if (String(activeQuery[property]) !== String(query[property])) return false; return true; } /** * Provides the router with context for Router.State. */ var StateContext = { /** * Returns the current URL path + query string. */ getCurrentPath: function () { return this.state.path; }, /** * Returns a read-only array of the currently active routes. */ getCurrentRoutes: function () { return this.state.routes.slice(0); }, /** * Returns the current URL path without the query string. */ getCurrentPathname: function () { return this.state.pathname; }, /** * Returns a read-only object of the currently active URL parameters. */ getCurrentParams: function () { return assign({}, this.state.params); }, /** * Returns a read-only object of the currently active query parameters. */ getCurrentQuery: function () { return assign({}, this.state.query); }, /** * Returns true if the given route, params, and query are active. */ isActive: function (to, params, query) { if (Path.isAbsolute(to)) return to === this.state.path; return routeIsActive(this.state.routes, to) && paramsAreActive(this.state.params, params) && (query == null || queryIsActive(this.state.query, query)); }, childContextTypes: { getCurrentPath: PropTypes.func.isRequired, getCurrentRoutes: PropTypes.func.isRequired, getCurrentPathname: PropTypes.func.isRequired, getCurrentParams: PropTypes.func.isRequired, getCurrentQuery: PropTypes.func.isRequired, isActive: PropTypes.func.isRequired }, getChildContext: function () { return { getCurrentPath: this.getCurrentPath, getCurrentRoutes: this.getCurrentRoutes, getCurrentPathname: this.getCurrentPathname, getCurrentParams: this.getCurrentParams, getCurrentQuery: this.getCurrentQuery, isActive: this.isActive }; } }; module.exports = StateContext; /***/ }, /* 28 */ /***/ function(module, exports, __webpack_require__) { var React = __webpack_require__(21); function isValidChild(object) { return object == null || React.isValidElement(object); } function isReactChildren(object) { return isValidChild(object) || (Array.isArray(object) && object.every(isValidChild)); } module.exports = isReactChildren; /***/ }, /* 29 */ /***/ function(module, exports, __webpack_require__) { /* jshint -W058 */ var Cancellation = __webpack_require__(31); var Redirect = __webpack_require__(30); /** * Encapsulates a transition to a given path. * * The willTransitionTo and willTransitionFrom handlers receive * an instance of this class as their first argument. */ function Transition(path, retry) { this.path = path; this.abortReason = null; // TODO: Change this to router.retryTransition(transition) this.retry = retry.bind(this); } Transition.prototype.abort = function (reason) { if (this.abortReason == null) this.abortReason = reason || 'ABORT'; }; Transition.prototype.redirect = function (to, params, query) { this.abort(new Redirect(to, params, query)); }; Transition.prototype.cancel = function () { this.abort(new Cancellation); }; Transition.from = function (transition, routes, components, callback) { routes.reduce(function (callback, route, index) { return function (error) { if (error || transition.abortReason) { callback(error); } else if (route.onLeave) { try { route.onLeave(transition, components[index], callback); // If there is no callback in the argument list, call it automatically. if (route.onLeave.length < 3) callback(); } catch (e) { callback(e); } } else { callback(); } }; }, callback)(); }; Transition.to = function (transition, routes, params, query, callback) { routes.reduceRight(function (callback, route) { return function (error) { if (error || transition.abortReason) { callback(error); } else if (route.onEnter) { try { route.onEnter(transition, params, query, callback); // If there is no callback in the argument list, call it automatically. if (route.onEnter.length < 4) callback(); } catch (e) { callback(e); } } else { callback(); } }; }, callback)(); }; module.exports = Transition; /***/ }, /* 30 */ /***/ function(module, exports, __webpack_require__) { /** * Encapsulates a redirect to the given route. */ function Redirect(to, params, query) { this.to = to; this.params = params; this.query = query; } module.exports = Redirect; /***/ }, /* 31 */ /***/ function(module, exports, __webpack_require__) { /** * Represents a cancellation caused by navigating away * before the previous transition has fully resolved. */ function Cancellation() {} module.exports = Cancellation; /***/ }, /* 32 */ /***/ function(module, exports, __webpack_require__) { /* jshint -W084 */ var Path = __webpack_require__(34); function Match(pathname, params, query, routes) { this.pathname = pathname; this.params = params; this.query = query; this.routes = routes; } function deepSearch(route, pathname, query) { // Check the subtree first to find the most deeply-nested match. var childRoutes = route.childRoutes; if (childRoutes) { var match, childRoute; for (var i = 0, len = childRoutes.length; i < len; ++i) { childRoute = childRoutes[i]; if (childRoute.isDefault || childRoute.isNotFound) continue; // Check these in order later. if (match = deepSearch(childRoute, pathname, query)) { // A route in the subtree matched! Add this route and we're done. match.routes.unshift(route); return match; } } } // No child routes matched; try the default route. var defaultRoute = route.defaultRoute; if (defaultRoute && (params = Path.extractParams(defaultRoute.path, pathname))) return new Match(pathname, params, query, [ route, defaultRoute ]); // Does the "not found" route match? var notFoundRoute = route.notFoundRoute; if (notFoundRoute && (params = Path.extractParams(notFoundRoute.path, pathname))) return new Match(pathname, params, query, [ route, notFoundRoute ]); // Last attempt: check this route. var params = Path.extractParams(route.path, pathname); if (params) return new Match(pathname, params, query, [ route ]); return null; } /** * Attempts to match depth-first a route in the given route's * subtree against the given path and returns the match if it * succeeds, null if no match can be made. */ Match.findMatchForPath = function (routes, path) { var pathname = Path.withoutQuery(path); var query = Path.extractQuery(path); var match = null; for (var i = 0, len = routes.length; match == null && i < len; ++i) match = deepSearch(routes[i], pathname, query); return match; }; module.exports = Match; /***/ }, /* 33 */ /***/ function(module, exports, __webpack_require__) { function supportsHistory() { /*! taken from modernizr * https://github.com/Modernizr/Modernizr/blob/master/LICENSE * https://github.com/Modernizr/Modernizr/blob/master/feature-detects/history.js * changed to avoid false negatives for Windows Phones: https://github.com/rackt/react-router/issues/586 */ var ua = navigator.userAgent; if ((ua.indexOf('Android 2.') !== -1 || (ua.indexOf('Android 4.0') !== -1)) && ua.indexOf('Mobile Safari') !== -1 && ua.indexOf('Chrome') === -1 && ua.indexOf('Windows Phone') === -1) { return false; } return (window.history && 'pushState' in window.history); } module.exports = supportsHistory; /***/ }, /* 34 */ /***/ function(module, exports, __webpack_require__) { var invariant = __webpack_require__(37); var merge = __webpack_require__(42).merge; var qs = __webpack_require__(41); var paramCompileMatcher = /:([a-zA-Z_$][a-zA-Z0-9_$]*)|[*.()\[\]\\+|{}^$]/g; var paramInjectMatcher = /:([a-zA-Z_$][a-zA-Z0-9_$?]*[?]?)|[*]/g; var paramInjectTrailingSlashMatcher = /\/\/\?|\/\?\/|\/\?/g; var queryMatcher = /\?(.+)/; var _compiledPatterns = {}; function compilePattern(pattern) { if (!(pattern in _compiledPatterns)) { var paramNames = []; var source = pattern.replace(paramCompileMatcher, function (match, paramName) { if (paramName) { paramNames.push(paramName); return '([^/?#]+)'; } else if (match === '*') { paramNames.push('splat'); return '(.*?)'; } else { return '\\' + match; } }); _compiledPatterns[pattern] = { matcher: new RegExp('^' + source + '$', 'i'), paramNames: paramNames }; } return _compiledPatterns[pattern]; } var Path = { /** * Returns true if the given path is absolute. */ isAbsolute: function (path) { return path.charAt(0) === '/'; }, /** * Joins two URL paths together. */ join: function (a, b) { return a.replace(/\/*$/, '/') + b; }, /** * Returns an array of the names of all parameters in the given pattern. */ extractParamNames: function (pattern) { return compilePattern(pattern).paramNames; }, /** * Extracts the portions of the given URL path that match the given pattern * and returns an object of param name => value pairs. Returns null if the * pattern does not match the given path. */ extractParams: function (pattern, path) { var $__0= compilePattern(pattern),matcher=$__0.matcher,paramNames=$__0.paramNames; var match = path.match(matcher); if (!match) return null; var params = {}; paramNames.forEach(function (paramName, index) { params[paramName] = match[index + 1]; }); return params; }, /** * Returns a version of the given route path with params interpolated. Throws * if there is a dynamic segment of the route path for which there is no param. */ injectParams: function (pattern, params) { params = params || {}; var splatIndex = 0; return pattern.replace(paramInjectMatcher, function (match, paramName) { paramName = paramName || 'splat'; // If param is optional don't check for existence if (paramName.slice(-1) === '?') { paramName = paramName.slice(0, -1); if (params[paramName] == null) return ''; } else { invariant( params[paramName] != null, 'Missing "%s" parameter for path "%s"', paramName, pattern ); } var segment; if (paramName === 'splat' && Array.isArray(params[paramName])) { segment = params[paramName][splatIndex++]; invariant( segment != null, 'Missing splat # %s for path "%s"', splatIndex, pattern ); } else { segment = params[paramName]; } return segment; }).replace(paramInjectTrailingSlashMatcher, '/'); }, /** * Returns an object that is the result of parsing any query string contained * in the given path, null if the path contains no query string. */ extractQuery: function (path) { var match = path.match(queryMatcher); return match && qs.parse(match[1]); }, /** * Returns a version of the given path without the query string. */ withoutQuery: function (path) { return path.replace(queryMatcher, ''); }, /** * Returns a version of the given path with the parameters in the given * query merged into the query string. */ withQuery: function (path, query) { var existingQuery = Path.extractQuery(path); if (existingQuery) query = query ? merge(existingQuery, query) : existingQuery; var queryString = qs.stringify(query, { indices: false }); if (queryString) return Path.withoutQuery(path) + '?' + queryString; return path; } }; module.exports = Path; /***/ }, /* 35 */ /***/ function(module, exports, __webpack_require__) { /** * Copyright 2013-2014, Facebook, Inc. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. * * @providesModule cx */ /** * This function is used to mark string literals representing CSS class names * so that they can be transformed statically. This allows for modularization * and minification of CSS class names. * * In static_upstream, this function is actually implemented, but it should * eventually be replaced with something more descriptive, and the transform * that is used in the main stack should be ported for use elsewhere. * * @param string|object className to modularize, or an object of key/values. * In the object case, the values are conditions that * determine if the className keys should be included. * @param [string ...] Variable list of classNames in the string case. * @return string Renderable space-separated CSS className. */ function cx(classNames) { if (typeof classNames == 'object') { return Object.keys(classNames).filter(function(className) { return classNames[className]; }).join(' '); } else { return Array.prototype.join.call(arguments, ' '); } } module.exports = cx; /***/ }, /* 36 */ /***/ function(module, exports, __webpack_require__) { /** * Copyright 2014, Facebook, Inc. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. * * @providesModule Object.assign */ // https://people.mozilla.org/~jorendorff/es6-draft.html#sec-object.assign function assign(target, sources) { if (target == null) { throw new TypeError('Object.assign target cannot be null or undefined'); } var to = Object(target); var hasOwnProperty = Object.prototype.hasOwnProperty; for (var nextIndex = 1; nextIndex < arguments.length; nextIndex++) { var nextSource = arguments[nextIndex]; if (nextSource == null) { continue; } var from = Object(nextSource); // We don't currently support accessors nor proxies. Therefore this // copy cannot throw. If we ever supported this then we must handle // exceptions and side-effects. We don't support symbols so they won't // be transferred. for (var key in from) { if (hasOwnProperty.call(from, key)) { to[key] = from[key]; } } } return to; }; module.exports = assign; /***/ }, /* 37 */ /***/ function(module, exports, __webpack_require__) { /** * Copyright 2013-2014, Facebook, Inc. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. * * @providesModule invariant */ "use strict"; /** * Use invariant() to assert state which your program assumes to be true. * * Provide sprintf-style format (only %s is supported) and arguments * to provide information about what broke and what you were * expecting. * * The invariant message will be stripped in production, but the invariant * will remain to ensure logic does not differ in production. */ var invariant = function(condition, format, a, b, c, d, e, f) { if (false) { if (format === undefined) { throw new Error('invariant requires an error message argument'); } } if (!condition) { var error; if (format === undefined) { error = new Error( 'Minified exception occurred; use the non-minified dev environment ' + 'for the full error message and additional helpful warnings.' ); } else { var args = [a, b, c, d, e, f]; var argIndex = 0; error = new Error( 'Invariant Violation: ' + format.replace(/%s/g, function() { return args[argIndex++]; }) ); } error.framesToPop = 1; // we don't care about invariant's own frame throw error; } }; module.exports = invariant; /***/ }, /* 38 */ /***/ function(module, exports, __webpack_require__) { /** * Copyright 2013-2014, Facebook, Inc. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. * * @providesModule ExecutionEnvironment */ /*jslint evil: true */ "use strict"; var canUseDOM = !!( typeof window !== 'undefined' && window.document && window.document.createElement ); /** * Simple, lightweight module assisting with the detection and context of * Worker. Helps avoid circular dependencies and allows code to reason about * whether or not they are in a Worker, even if they never include the main * `ReactWorker` dependency. */ var ExecutionEnvironment = { canUseDOM: canUseDOM, canUseWorkers: typeof Worker !== 'undefined', canUseEventListeners: canUseDOM && !!(window.addEventListener || window.attachEvent), canUseViewport: canUseDOM && !!window.screen, isInWorker: !canUseDOM // For now, this is true - might change in the future. }; module.exports = ExecutionEnvironment; /***/ }, /* 39 */ /***/ function(module, exports, __webpack_require__) { /** * Copyright 2014, Facebook, Inc. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. * * @providesModule warning */ "use strict"; var emptyFunction = __webpack_require__(43); /** * Similar to invariant but only logs a warning if the condition is not met. * This can be used to log issues in development environments in critical * paths. Removing the logging code for production environments will keep the * same logic and follow the same code paths. */ var warning = emptyFunction; if (false) { warning = function(condition, format ) {for (var args=[],$__0=2,$__1=arguments.length;$__0<$__1;$__0++) args.push(arguments[$__0]); if (format === undefined) { throw new Error( '`warning(condition, format, ...args)` requires a warning ' + 'message argument' ); } if (!condition) { var argIndex = 0; console.warn('Warning: ' + format.replace(/%s/g, function() {return args[argIndex++];})); } }; } module.exports = warning; /***/ }, /* 40 */ /***/ function(module, exports, __webpack_require__) { var invariant = __webpack_require__(37); var canUseDOM = __webpack_require__(38).canUseDOM; /** * Returns the current scroll position of the window as { x, y }. */ function getWindowScrollPosition() { invariant( canUseDOM, 'Cannot get current scroll position without a DOM' ); return { x: window.pageXOffset || document.documentElement.scrollLeft, y: window.pageYOffset || document.documentElement.scrollTop }; } module.exports = getWindowScrollPosition; /***/ }, /* 41 */ /***/ function(module, exports, __webpack_require__) { module.exports = __webpack_require__(44); /***/ }, /* 42 */ /***/ function(module, exports, __webpack_require__) { // Load modules // Declare internals var internals = {}; exports.arrayToObject = function (source) { var obj = {}; for (var i = 0, il = source.length; i < il; ++i) { if (typeof source[i] !== 'undefined') { obj[i] = source[i]; } } return obj; }; exports.merge = function (target, source) { if (!source) { return target; } if (typeof source !== 'object') { if (Array.isArray(target)) { target.push(source); } else { target[source] = true; } return target; } if (typeof target !== 'object') { target = [target].concat(source); return target; } if (Array.isArray(target) && !Array.isArray(source)) { target = exports.arrayToObject(target); } var keys = Object.keys(source); for (var k = 0, kl = keys.length; k < kl; ++k) { var key = keys[k]; var value = source[key]; if (!target[key]) { target[key] = value; } else { target[key] = exports.merge(target[key], value); } } return target; }; exports.decode = function (str) { try { return decodeURIComponent(str.replace(/\+/g, ' ')); } catch (e) { return str; } }; exports.compact = function (obj, refs) { if (typeof obj !== 'object' || obj === null) { return obj; } refs = refs || []; var lookup = refs.indexOf(obj); if (lookup !== -1) { return refs[lookup]; } refs.push(obj); if (Array.isArray(obj)) { var compacted = []; for (var i = 0, il = obj.length; i < il; ++i) { if (typeof obj[i] !== 'undefined') { compacted.push(obj[i]); } } return compacted; } var keys = Object.keys(obj); for (i = 0, il = keys.length; i < il; ++i) { var key = keys[i]; obj[key] = exports.compact(obj[key], refs); } return obj; }; exports.isRegExp = function (obj) { return Object.prototype.toString.call(obj) === '[object RegExp]'; }; exports.isBuffer = function (obj) { if (obj === null || typeof obj === 'undefined') { return false; } return !!(obj.constructor && obj.constructor.isBuffer && obj.constructor.isBuffer(obj)); }; /***/ }, /* 43 */ /***/ function(module, exports, __webpack_require__) { /** * Copyright 2013-2014, Facebook, Inc. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. * * @providesModule emptyFunction */ function makeEmptyFunction(arg) { return function() { return arg; }; } /** * This function accepts and discards inputs; it has no side effects. This is * primarily useful idiomatically for overridable function endpoints which * always need to be callable, since JS lacks a null-call idiom ala Cocoa. */ function emptyFunction() {} emptyFunction.thatReturns = makeEmptyFunction; emptyFunction.thatReturnsFalse = makeEmptyFunction(false); emptyFunction.thatReturnsTrue = makeEmptyFunction(true); emptyFunction.thatReturnsNull = makeEmptyFunction(null); emptyFunction.thatReturnsThis = function() { return this; }; emptyFunction.thatReturnsArgument = function(arg) { return arg; }; module.exports = emptyFunction; /***/ }, /* 44 */ /***/ function(module, exports, __webpack_require__) { // Load modules var Stringify = __webpack_require__(45); var Parse = __webpack_require__(46); // Declare internals var internals = {}; module.exports = { stringify: Stringify, parse: Parse }; /***/ }, /* 45 */ /***/ function(module, exports, __webpack_require__) { // Load modules var Utils = __webpack_require__(42); // Declare internals var internals = { delimiter: '&', indices: true }; internals.stringify = function (obj, prefix, options) { if (Utils.isBuffer(obj)) { obj = obj.toString(); } else if (obj instanceof Date) { obj = obj.toISOString(); } else if (obj === null) { obj = ''; } if (typeof obj === 'string' || typeof obj === 'number' || typeof obj === 'boolean') { return [encodeURIComponent(prefix) + '=' + encodeURIComponent(obj)]; } var values = []; if (typeof obj === 'undefined') { return values; } var objKeys = Object.keys(obj); for (var i = 0, il = objKeys.length; i < il; ++i) { var key = objKeys[i]; if (!options.indices && Array.isArray(obj)) { values = values.concat(internals.stringify(obj[key], prefix, options)); } else { values = values.concat(internals.stringify(obj[key], prefix + '[' + key + ']', options)); } } return values; }; module.exports = function (obj, options) { options = options || {}; var delimiter = typeof options.delimiter === 'undefined' ? internals.delimiter : options.delimiter; options.indices = typeof options.indices === 'boolean' ? options.indices : internals.indices; var keys = []; if (typeof obj !== 'object' || obj === null) { return ''; } var objKeys = Object.keys(obj); for (var i = 0, il = objKeys.length; i < il; ++i) { var key = objKeys[i]; keys = keys.concat(internals.stringify(obj[key], key, options)); } return keys.join(delimiter); }; /***/ }, /* 46 */ /***/ function(module, exports, __webpack_require__) { // Load modules var Utils = __webpack_require__(42); // Declare internals var internals = { delimiter: '&', depth: 5, arrayLimit: 20, parameterLimit: 1000 }; internals.parseValues = function (str, options) { var obj = {}; var parts = str.split(options.delimiter, options.parameterLimit === Infinity ? undefined : options.parameterLimit); for (var i = 0, il = parts.length; i < il; ++i) { var part = parts[i]; var pos = part.indexOf(']=') === -1 ? part.indexOf('=') : part.indexOf(']=') + 1; if (pos === -1) { obj[Utils.decode(part)] = ''; } else { var key = Utils.decode(part.slice(0, pos)); var val = Utils.decode(part.slice(pos + 1)); if (!obj.hasOwnProperty(key)) { obj[key] = val; } else { obj[key] = [].concat(obj[key]).concat(val); } } } return obj; }; internals.parseObject = function (chain, val, options) { if (!chain.length) { return val; } var root = chain.shift(); var obj = {}; if (root === '[]') { obj = []; obj = obj.concat(internals.parseObject(chain, val, options)); } else { var cleanRoot = root[0] === '[' && root[root.length - 1] === ']' ? root.slice(1, root.length - 1) : root; var index = parseInt(cleanRoot, 10); var indexString = '' + index; if (!isNaN(index) && root !== cleanRoot && indexString === cleanRoot && index >= 0 && index <= options.arrayLimit) { obj = []; obj[index] = internals.parseObject(chain, val, options); } else { obj[cleanRoot] = internals.parseObject(chain, val, options); } } return obj; }; internals.parseKeys = function (key, val, options) { if (!key) { return; } // The regex chunks var parent = /^([^\[\]]*)/; var child = /(\[[^\[\]]*\])/g; // Get the parent var segment = parent.exec(key); // Don't allow them to overwrite object prototype properties if (Object.prototype.hasOwnProperty(segment[1])) { return; } // Stash the parent if it exists var keys = []; if (segment[1]) { keys.push(segment[1]); } // Loop through children appending to the array until we hit depth var i = 0; while ((segment = child.exec(key)) !== null && i < options.depth) { ++i; if (!Object.prototype.hasOwnProperty(segment[1].replace(/\[|\]/g, ''))) { keys.push(segment[1]); } } // If there's a remainder, just add whatever is left if (segment) { keys.push('[' + key.slice(segment.index) + ']'); } return internals.parseObject(keys, val, options); }; module.exports = function (str, options) { if (str === '' || str === null || typeof str === 'undefined') { return {}; } options = options || {}; options.delimiter = typeof options.delimiter === 'string' || Utils.isRegExp(options.delimiter) ? options.delimiter : internals.delimiter; options.depth = typeof options.depth === 'number' ? options.depth : internals.depth; options.arrayLimit = typeof options.arrayLimit === 'number' ? options.arrayLimit : internals.arrayLimit; options.parameterLimit = typeof options.parameterLimit === 'number' ? options.parameterLimit : internals.parameterLimit; var tempObj = typeof str === 'string' ? internals.parseValues(str, options) : str; var obj = {}; // Iterate over the keys and setup the new object var keys = Object.keys(tempObj); for (var i = 0, il = keys.length; i < il; ++i) { var key = keys[i]; var newObj = internals.parseKeys(key, tempObj[key], options); obj = Utils.merge(obj, newObj); } return Utils.compact(obj); }; /***/ } /******/ ]) });
ajax/libs/mediaelement/2.15.1/jquery.js
prosenjit-itobuz/cdnjs
/*! * jQuery JavaScript Library v1.9.1 * http://jquery.com/ * * Includes Sizzle.js * http://sizzlejs.com/ * * Copyright 2005, 2012 jQuery Foundation, Inc. and other contributors * Released under the MIT license * http://jquery.org/license * * Date: 2013-2-4 */ (function( window, undefined ) { // Can't do this because several apps including ASP.NET trace // the stack via arguments.caller.callee and Firefox dies if // you try to trace through "use strict" call chains. (#13335) // Support: Firefox 18+ //"use strict"; var // The deferred used on DOM ready readyList, // A central reference to the root jQuery(document) rootjQuery, // Support: IE<9 // For `typeof node.method` instead of `node.method !== undefined` core_strundefined = typeof undefined, // Use the correct document accordingly with window argument (sandbox) document = window.document, location = window.location, // Map over jQuery in case of overwrite _jQuery = window.jQuery, // Map over the $ in case of overwrite _$ = window.$, // [[Class]] -> type pairs class2type = {}, // List of deleted data cache ids, so we can reuse them core_deletedIds = [], core_version = "1.9.1", // Save a reference to some core methods core_concat = core_deletedIds.concat, core_push = core_deletedIds.push, core_slice = core_deletedIds.slice, core_indexOf = core_deletedIds.indexOf, core_toString = class2type.toString, core_hasOwn = class2type.hasOwnProperty, core_trim = core_version.trim, // Define a local copy of jQuery jQuery = function( selector, context ) { // The jQuery object is actually just the init constructor 'enhanced' return new jQuery.fn.init( selector, context, rootjQuery ); }, // Used for matching numbers core_pnum = /[+-]?(?:\d*\.|)\d+(?:[eE][+-]?\d+|)/.source, // Used for splitting on whitespace core_rnotwhite = /\S+/g, // Make sure we trim BOM and NBSP (here's looking at you, Safari 5.0 and IE) rtrim = /^[\s\uFEFF\xA0]+|[\s\uFEFF\xA0]+$/g, // A simple way to check for HTML strings // Prioritize #id over <tag> to avoid XSS via location.hash (#9521) // Strict HTML recognition (#11290: must start with <) rquickExpr = /^(?:(<[\w\W]+>)[^>]*|#([\w-]*))$/, // Match a standalone tag rsingleTag = /^<(\w+)\s*\/?>(?:<\/\1>|)$/, // JSON RegExp rvalidchars = /^[\],:{}\s]*$/, rvalidbraces = /(?:^|:|,)(?:\s*\[)+/g, rvalidescape = /\\(?:["\\\/bfnrt]|u[\da-fA-F]{4})/g, rvalidtokens = /"[^"\\\r\n]*"|true|false|null|-?(?:\d+\.|)\d+(?:[eE][+-]?\d+|)/g, // Matches dashed string for camelizing rmsPrefix = /^-ms-/, rdashAlpha = /-([\da-z])/gi, // Used by jQuery.camelCase as callback to replace() fcamelCase = function( all, letter ) { return letter.toUpperCase(); }, // The ready event handler completed = function( event ) { // readyState === "complete" is good enough for us to call the dom ready in oldIE if ( document.addEventListener || event.type === "load" || document.readyState === "complete" ) { detach(); jQuery.ready(); } }, // Clean-up method for dom ready events detach = function() { if ( document.addEventListener ) { document.removeEventListener( "DOMContentLoaded", completed, false ); window.removeEventListener( "load", completed, false ); } else { document.detachEvent( "onreadystatechange", completed ); window.detachEvent( "onload", completed ); } }; jQuery.fn = jQuery.prototype = { // The current version of jQuery being used jquery: core_version, constructor: jQuery, init: function( selector, context, rootjQuery ) { var match, elem; // HANDLE: $(""), $(null), $(undefined), $(false) if ( !selector ) { return this; } // Handle HTML strings if ( typeof selector === "string" ) { if ( selector.charAt(0) === "<" && selector.charAt( selector.length - 1 ) === ">" && selector.length >= 3 ) { // Assume that strings that start and end with <> are HTML and skip the regex check match = [ null, selector, null ]; } else { match = rquickExpr.exec( selector ); } // Match html or make sure no context is specified for #id if ( match && (match[1] || !context) ) { // HANDLE: $(html) -> $(array) if ( match[1] ) { context = context instanceof jQuery ? context[0] : context; // scripts is true for back-compat jQuery.merge( this, jQuery.parseHTML( match[1], context && context.nodeType ? context.ownerDocument || context : document, true ) ); // HANDLE: $(html, props) if ( rsingleTag.test( match[1] ) && jQuery.isPlainObject( context ) ) { for ( match in context ) { // Properties of context are called as methods if possible if ( jQuery.isFunction( this[ match ] ) ) { this[ match ]( context[ match ] ); // ...and otherwise set as attributes } else { this.attr( match, context[ match ] ); } } } return this; // HANDLE: $(#id) } else { elem = document.getElementById( match[2] ); // Check parentNode to catch when Blackberry 4.6 returns // nodes that are no longer in the document #6963 if ( elem && elem.parentNode ) { // Handle the case where IE and Opera return items // by name instead of ID if ( elem.id !== match[2] ) { return rootjQuery.find( selector ); } // Otherwise, we inject the element directly into the jQuery object this.length = 1; this[0] = elem; } this.context = document; this.selector = selector; return this; } // HANDLE: $(expr, $(...)) } else if ( !context || context.jquery ) { return ( context || rootjQuery ).find( selector ); // HANDLE: $(expr, context) // (which is just equivalent to: $(context).find(expr) } else { return this.constructor( context ).find( selector ); } // HANDLE: $(DOMElement) } else if ( selector.nodeType ) { this.context = this[0] = selector; this.length = 1; return this; // HANDLE: $(function) // Shortcut for document ready } else if ( jQuery.isFunction( selector ) ) { return rootjQuery.ready( selector ); } if ( selector.selector !== undefined ) { this.selector = selector.selector; this.context = selector.context; } return jQuery.makeArray( selector, this ); }, // Start with an empty selector selector: "", // The default length of a jQuery object is 0 length: 0, // The number of elements contained in the matched element set size: function() { return this.length; }, toArray: function() { return core_slice.call( this ); }, // Get the Nth element in the matched element set OR // Get the whole matched element set as a clean array get: function( num ) { return num == null ? // Return a 'clean' array this.toArray() : // Return just the object ( num < 0 ? this[ this.length + num ] : this[ num ] ); }, // Take an array of elements and push it onto the stack // (returning the new matched element set) pushStack: function( elems ) { // Build a new jQuery matched element set var ret = jQuery.merge( this.constructor(), elems ); // Add the old object onto the stack (as a reference) ret.prevObject = this; ret.context = this.context; // Return the newly-formed element set return ret; }, // Execute a callback for every element in the matched set. // (You can seed the arguments with an array of args, but this is // only used internally.) each: function( callback, args ) { return jQuery.each( this, callback, args ); }, ready: function( fn ) { // Add the callback jQuery.ready.promise().done( fn ); return this; }, slice: function() { return this.pushStack( core_slice.apply( this, arguments ) ); }, first: function() { return this.eq( 0 ); }, last: function() { return this.eq( -1 ); }, eq: function( i ) { var len = this.length, j = +i + ( i < 0 ? len : 0 ); return this.pushStack( j >= 0 && j < len ? [ this[j] ] : [] ); }, map: function( callback ) { return this.pushStack( jQuery.map(this, function( elem, i ) { return callback.call( elem, i, elem ); })); }, end: function() { return this.prevObject || this.constructor(null); }, // For internal use only. // Behaves like an Array's method, not like a jQuery method. push: core_push, sort: [].sort, splice: [].splice }; // Give the init function the jQuery prototype for later instantiation jQuery.fn.init.prototype = jQuery.fn; jQuery.extend = jQuery.fn.extend = function() { var src, copyIsArray, copy, name, options, clone, target = arguments[0] || {}, i = 1, length = arguments.length, deep = false; // Handle a deep copy situation if ( typeof target === "boolean" ) { deep = target; target = arguments[1] || {}; // skip the boolean and the target i = 2; } // Handle case when target is a string or something (possible in deep copy) if ( typeof target !== "object" && !jQuery.isFunction(target) ) { target = {}; } // extend jQuery itself if only one argument is passed if ( length === i ) { target = this; --i; } for ( ; i < length; i++ ) { // Only deal with non-null/undefined values if ( (options = arguments[ i ]) != null ) { // Extend the base object for ( name in options ) { src = target[ name ]; copy = options[ name ]; // Prevent never-ending loop if ( target === copy ) { continue; } // Recurse if we're merging plain objects or arrays if ( deep && copy && ( jQuery.isPlainObject(copy) || (copyIsArray = jQuery.isArray(copy)) ) ) { if ( copyIsArray ) { copyIsArray = false; clone = src && jQuery.isArray(src) ? src : []; } else { clone = src && jQuery.isPlainObject(src) ? src : {}; } // Never move original objects, clone them target[ name ] = jQuery.extend( deep, clone, copy ); // Don't bring in undefined values } else if ( copy !== undefined ) { target[ name ] = copy; } } } } // Return the modified object return target; }; jQuery.extend({ noConflict: function( deep ) { if ( window.$ === jQuery ) { window.$ = _$; } if ( deep && window.jQuery === jQuery ) { window.jQuery = _jQuery; } return jQuery; }, // Is the DOM ready to be used? Set to true once it occurs. isReady: false, // A counter to track how many items to wait for before // the ready event fires. See #6781 readyWait: 1, // Hold (or release) the ready event holdReady: function( hold ) { if ( hold ) { jQuery.readyWait++; } else { jQuery.ready( true ); } }, // Handle when the DOM is ready ready: function( wait ) { // Abort if there are pending holds or we're already ready if ( wait === true ? --jQuery.readyWait : jQuery.isReady ) { return; } // Make sure body exists, at least, in case IE gets a little overzealous (ticket #5443). if ( !document.body ) { return setTimeout( jQuery.ready ); } // Remember that the DOM is ready jQuery.isReady = true; // If a normal DOM Ready event fired, decrement, and wait if need be if ( wait !== true && --jQuery.readyWait > 0 ) { return; } // If there are functions bound, to execute readyList.resolveWith( document, [ jQuery ] ); // Trigger any bound ready events if ( jQuery.fn.trigger ) { jQuery( document ).trigger("ready").off("ready"); } }, // See test/unit/core.js for details concerning isFunction. // Since version 1.3, DOM methods and functions like alert // aren't supported. They return false on IE (#2968). isFunction: function( obj ) { return jQuery.type(obj) === "function"; }, isArray: Array.isArray || function( obj ) { return jQuery.type(obj) === "array"; }, isWindow: function( obj ) { return obj != null && obj == obj.window; }, isNumeric: function( obj ) { return !isNaN( parseFloat(obj) ) && isFinite( obj ); }, type: function( obj ) { if ( obj == null ) { return String( obj ); } return typeof obj === "object" || typeof obj === "function" ? class2type[ core_toString.call(obj) ] || "object" : typeof obj; }, isPlainObject: function( obj ) { // Must be an Object. // Because of IE, we also have to check the presence of the constructor property. // Make sure that DOM nodes and window objects don't pass through, as well if ( !obj || jQuery.type(obj) !== "object" || obj.nodeType || jQuery.isWindow( obj ) ) { return false; } try { // Not own constructor property must be Object if ( obj.constructor && !core_hasOwn.call(obj, "constructor") && !core_hasOwn.call(obj.constructor.prototype, "isPrototypeOf") ) { return false; } } catch ( e ) { // IE8,9 Will throw exceptions on certain host objects #9897 return false; } // Own properties are enumerated firstly, so to speed up, // if last one is own, then all properties are own. var key; for ( key in obj ) {} return key === undefined || core_hasOwn.call( obj, key ); }, isEmptyObject: function( obj ) { var name; for ( name in obj ) { return false; } return true; }, error: function( msg ) { throw new Error( msg ); }, // data: string of html // context (optional): If specified, the fragment will be created in this context, defaults to document // keepScripts (optional): If true, will include scripts passed in the html string parseHTML: function( data, context, keepScripts ) { if ( !data || typeof data !== "string" ) { return null; } if ( typeof context === "boolean" ) { keepScripts = context; context = false; } context = context || document; var parsed = rsingleTag.exec( data ), scripts = !keepScripts && []; // Single tag if ( parsed ) { return [ context.createElement( parsed[1] ) ]; } parsed = jQuery.buildFragment( [ data ], context, scripts ); if ( scripts ) { jQuery( scripts ).remove(); } return jQuery.merge( [], parsed.childNodes ); }, parseJSON: function( data ) { // Attempt to parse using the native JSON parser first if ( window.JSON && window.JSON.parse ) { return window.JSON.parse( data ); } if ( data === null ) { return data; } if ( typeof data === "string" ) { // Make sure leading/trailing whitespace is removed (IE can't handle it) data = jQuery.trim( data ); if ( data ) { // Make sure the incoming data is actual JSON // Logic borrowed from http://json.org/json2.js if ( rvalidchars.test( data.replace( rvalidescape, "@" ) .replace( rvalidtokens, "]" ) .replace( rvalidbraces, "")) ) { return ( new Function( "return " + data ) )(); } } } jQuery.error( "Invalid JSON: " + data ); }, // Cross-browser xml parsing parseXML: function( data ) { var xml, tmp; if ( !data || typeof data !== "string" ) { return null; } try { if ( window.DOMParser ) { // Standard tmp = new DOMParser(); xml = tmp.parseFromString( data , "text/xml" ); } else { // IE xml = new ActiveXObject( "Microsoft.XMLDOM" ); xml.async = "false"; xml.loadXML( data ); } } catch( e ) { xml = undefined; } if ( !xml || !xml.documentElement || xml.getElementsByTagName( "parsererror" ).length ) { jQuery.error( "Invalid XML: " + data ); } return xml; }, noop: function() {}, // Evaluates a script in a global context // Workarounds based on findings by Jim Driscoll // http://weblogs.java.net/blog/driscoll/archive/2009/09/08/eval-javascript-global-context globalEval: function( data ) { if ( data && jQuery.trim( data ) ) { // We use execScript on Internet Explorer // We use an anonymous function so that context is window // rather than jQuery in Firefox ( window.execScript || function( data ) { window[ "eval" ].call( window, data ); } )( data ); } }, // Convert dashed to camelCase; used by the css and data modules // Microsoft forgot to hump their vendor prefix (#9572) camelCase: function( string ) { return string.replace( rmsPrefix, "ms-" ).replace( rdashAlpha, fcamelCase ); }, nodeName: function( elem, name ) { return elem.nodeName && elem.nodeName.toLowerCase() === name.toLowerCase(); }, // args is for internal usage only each: function( obj, callback, args ) { var value, i = 0, length = obj.length, isArray = isArraylike( obj ); if ( args ) { if ( isArray ) { for ( ; i < length; i++ ) { value = callback.apply( obj[ i ], args ); if ( value === false ) { break; } } } else { for ( i in obj ) { value = callback.apply( obj[ i ], args ); if ( value === false ) { break; } } } // A special, fast, case for the most common use of each } else { if ( isArray ) { for ( ; i < length; i++ ) { value = callback.call( obj[ i ], i, obj[ i ] ); if ( value === false ) { break; } } } else { for ( i in obj ) { value = callback.call( obj[ i ], i, obj[ i ] ); if ( value === false ) { break; } } } } return obj; }, // Use native String.trim function wherever possible trim: core_trim && !core_trim.call("\uFEFF\xA0") ? function( text ) { return text == null ? "" : core_trim.call( text ); } : // Otherwise use our own trimming functionality function( text ) { return text == null ? "" : ( text + "" ).replace( rtrim, "" ); }, // results is for internal usage only makeArray: function( arr, results ) { var ret = results || []; if ( arr != null ) { if ( isArraylike( Object(arr) ) ) { jQuery.merge( ret, typeof arr === "string" ? [ arr ] : arr ); } else { core_push.call( ret, arr ); } } return ret; }, inArray: function( elem, arr, i ) { var len; if ( arr ) { if ( core_indexOf ) { return core_indexOf.call( arr, elem, i ); } len = arr.length; i = i ? i < 0 ? Math.max( 0, len + i ) : i : 0; for ( ; i < len; i++ ) { // Skip accessing in sparse arrays if ( i in arr && arr[ i ] === elem ) { return i; } } } return -1; }, merge: function( first, second ) { var l = second.length, i = first.length, j = 0; if ( typeof l === "number" ) { for ( ; j < l; j++ ) { first[ i++ ] = second[ j ]; } } else { while ( second[j] !== undefined ) { first[ i++ ] = second[ j++ ]; } } first.length = i; return first; }, grep: function( elems, callback, inv ) { var retVal, ret = [], i = 0, length = elems.length; inv = !!inv; // Go through the array, only saving the items // that pass the validator function for ( ; i < length; i++ ) { retVal = !!callback( elems[ i ], i ); if ( inv !== retVal ) { ret.push( elems[ i ] ); } } return ret; }, // arg is for internal usage only map: function( elems, callback, arg ) { var value, i = 0, length = elems.length, isArray = isArraylike( elems ), ret = []; // Go through the array, translating each of the items to their if ( isArray ) { for ( ; i < length; i++ ) { value = callback( elems[ i ], i, arg ); if ( value != null ) { ret[ ret.length ] = value; } } // Go through every key on the object, } else { for ( i in elems ) { value = callback( elems[ i ], i, arg ); if ( value != null ) { ret[ ret.length ] = value; } } } // Flatten any nested arrays return core_concat.apply( [], ret ); }, // A global GUID counter for objects guid: 1, // Bind a function to a context, optionally partially applying any // arguments. proxy: function( fn, context ) { var args, proxy, tmp; if ( typeof context === "string" ) { tmp = fn[ context ]; context = fn; fn = tmp; } // Quick check to determine if target is callable, in the spec // this throws a TypeError, but we will just return undefined. if ( !jQuery.isFunction( fn ) ) { return undefined; } // Simulated bind args = core_slice.call( arguments, 2 ); proxy = function() { return fn.apply( context || this, args.concat( core_slice.call( arguments ) ) ); }; // Set the guid of unique handler to the same of original handler, so it can be removed proxy.guid = fn.guid = fn.guid || jQuery.guid++; return proxy; }, // Multifunctional method to get and set values of a collection // The value/s can optionally be executed if it's a function access: function( elems, fn, key, value, chainable, emptyGet, raw ) { var i = 0, length = elems.length, bulk = key == null; // Sets many values if ( jQuery.type( key ) === "object" ) { chainable = true; for ( i in key ) { jQuery.access( elems, fn, i, key[i], true, emptyGet, raw ); } // Sets one value } else if ( value !== undefined ) { chainable = true; if ( !jQuery.isFunction( value ) ) { raw = true; } if ( bulk ) { // Bulk operations run against the entire set if ( raw ) { fn.call( elems, value ); fn = null; // ...except when executing function values } else { bulk = fn; fn = function( elem, key, value ) { return bulk.call( jQuery( elem ), value ); }; } } if ( fn ) { for ( ; i < length; i++ ) { fn( elems[i], key, raw ? value : value.call( elems[i], i, fn( elems[i], key ) ) ); } } } return chainable ? elems : // Gets bulk ? fn.call( elems ) : length ? fn( elems[0], key ) : emptyGet; }, now: function() { return ( new Date() ).getTime(); } }); jQuery.ready.promise = function( obj ) { if ( !readyList ) { readyList = jQuery.Deferred(); // Catch cases where $(document).ready() is called after the browser event has already occurred. // we once tried to use readyState "interactive" here, but it caused issues like the one // discovered by ChrisS here: http://bugs.jquery.com/ticket/12282#comment:15 if ( document.readyState === "complete" ) { // Handle it asynchronously to allow scripts the opportunity to delay ready setTimeout( jQuery.ready ); // Standards-based browsers support DOMContentLoaded } else if ( document.addEventListener ) { // Use the handy event callback document.addEventListener( "DOMContentLoaded", completed, false ); // A fallback to window.onload, that will always work window.addEventListener( "load", completed, false ); // If IE event model is used } else { // Ensure firing before onload, maybe late but safe also for iframes document.attachEvent( "onreadystatechange", completed ); // A fallback to window.onload, that will always work window.attachEvent( "onload", completed ); // If IE and not a frame // continually check to see if the document is ready var top = false; try { top = window.frameElement == null && document.documentElement; } catch(e) {} if ( top && top.doScroll ) { (function doScrollCheck() { if ( !jQuery.isReady ) { try { // Use the trick by Diego Perini // http://javascript.nwbox.com/IEContentLoaded/ top.doScroll("left"); } catch(e) { return setTimeout( doScrollCheck, 50 ); } // detach all dom ready events detach(); // and execute any waiting functions jQuery.ready(); } })(); } } } return readyList.promise( obj ); }; // Populate the class2type map jQuery.each("Boolean Number String Function Array Date RegExp Object Error".split(" "), function(i, name) { class2type[ "[object " + name + "]" ] = name.toLowerCase(); }); function isArraylike( obj ) { var length = obj.length, type = jQuery.type( obj ); if ( jQuery.isWindow( obj ) ) { return false; } if ( obj.nodeType === 1 && length ) { return true; } return type === "array" || type !== "function" && ( length === 0 || typeof length === "number" && length > 0 && ( length - 1 ) in obj ); } // All jQuery objects should point back to these rootjQuery = jQuery(document); // String to Object options format cache var optionsCache = {}; // Convert String-formatted options into Object-formatted ones and store in cache function createOptions( options ) { var object = optionsCache[ options ] = {}; jQuery.each( options.match( core_rnotwhite ) || [], function( _, flag ) { object[ flag ] = true; }); return object; } /* * Create a callback list using the following parameters: * * options: an optional list of space-separated options that will change how * the callback list behaves or a more traditional option object * * By default a callback list will act like an event callback list and can be * "fired" multiple times. * * Possible options: * * once: will ensure the callback list can only be fired once (like a Deferred) * * memory: will keep track of previous values and will call any callback added * after the list has been fired right away with the latest "memorized" * values (like a Deferred) * * unique: will ensure a callback can only be added once (no duplicate in the list) * * stopOnFalse: interrupt callings when a callback returns false * */ jQuery.Callbacks = function( options ) { // Convert options from String-formatted to Object-formatted if needed // (we check in cache first) options = typeof options === "string" ? ( optionsCache[ options ] || createOptions( options ) ) : jQuery.extend( {}, options ); var // Flag to know if list is currently firing firing, // Last fire value (for non-forgettable lists) memory, // Flag to know if list was already fired fired, // End of the loop when firing firingLength, // Index of currently firing callback (modified by remove if needed) firingIndex, // First callback to fire (used internally by add and fireWith) firingStart, // Actual callback list list = [], // Stack of fire calls for repeatable lists stack = !options.once && [], // Fire callbacks fire = function( data ) { memory = options.memory && data; fired = true; firingIndex = firingStart || 0; firingStart = 0; firingLength = list.length; firing = true; for ( ; list && firingIndex < firingLength; firingIndex++ ) { if ( list[ firingIndex ].apply( data[ 0 ], data[ 1 ] ) === false && options.stopOnFalse ) { memory = false; // To prevent further calls using add break; } } firing = false; if ( list ) { if ( stack ) { if ( stack.length ) { fire( stack.shift() ); } } else if ( memory ) { list = []; } else { self.disable(); } } }, // Actual Callbacks object self = { // Add a callback or a collection of callbacks to the list add: function() { if ( list ) { // First, we save the current length var start = list.length; (function add( args ) { jQuery.each( args, function( _, arg ) { var type = jQuery.type( arg ); if ( type === "function" ) { if ( !options.unique || !self.has( arg ) ) { list.push( arg ); } } else if ( arg && arg.length && type !== "string" ) { // Inspect recursively add( arg ); } }); })( arguments ); // Do we need to add the callbacks to the // current firing batch? if ( firing ) { firingLength = list.length; // With memory, if we're not firing then // we should call right away } else if ( memory ) { firingStart = start; fire( memory ); } } return this; }, // Remove a callback from the list remove: function() { if ( list ) { jQuery.each( arguments, function( _, arg ) { var index; while( ( index = jQuery.inArray( arg, list, index ) ) > -1 ) { list.splice( index, 1 ); // Handle firing indexes if ( firing ) { if ( index <= firingLength ) { firingLength--; } if ( index <= firingIndex ) { firingIndex--; } } } }); } return this; }, // Check if a given callback is in the list. // If no argument is given, return whether or not list has callbacks attached. has: function( fn ) { return fn ? jQuery.inArray( fn, list ) > -1 : !!( list && list.length ); }, // Remove all callbacks from the list empty: function() { list = []; return this; }, // Have the list do nothing anymore disable: function() { list = stack = memory = undefined; return this; }, // Is it disabled? disabled: function() { return !list; }, // Lock the list in its current state lock: function() { stack = undefined; if ( !memory ) { self.disable(); } return this; }, // Is it locked? locked: function() { return !stack; }, // Call all callbacks with the given context and arguments fireWith: function( context, args ) { args = args || []; args = [ context, args.slice ? args.slice() : args ]; if ( list && ( !fired || stack ) ) { if ( firing ) { stack.push( args ); } else { fire( args ); } } return this; }, // Call all the callbacks with the given arguments fire: function() { self.fireWith( this, arguments ); return this; }, // To know if the callbacks have already been called at least once fired: function() { return !!fired; } }; return self; }; jQuery.extend({ Deferred: function( func ) { var tuples = [ // action, add listener, listener list, final state [ "resolve", "done", jQuery.Callbacks("once memory"), "resolved" ], [ "reject", "fail", jQuery.Callbacks("once memory"), "rejected" ], [ "notify", "progress", jQuery.Callbacks("memory") ] ], state = "pending", promise = { state: function() { return state; }, always: function() { deferred.done( arguments ).fail( arguments ); return this; }, then: function( /* fnDone, fnFail, fnProgress */ ) { var fns = arguments; return jQuery.Deferred(function( newDefer ) { jQuery.each( tuples, function( i, tuple ) { var action = tuple[ 0 ], fn = jQuery.isFunction( fns[ i ] ) && fns[ i ]; // deferred[ done | fail | progress ] for forwarding actions to newDefer deferred[ tuple[1] ](function() { var returned = fn && fn.apply( this, arguments ); if ( returned && jQuery.isFunction( returned.promise ) ) { returned.promise() .done( newDefer.resolve ) .fail( newDefer.reject ) .progress( newDefer.notify ); } else { newDefer[ action + "With" ]( this === promise ? newDefer.promise() : this, fn ? [ returned ] : arguments ); } }); }); fns = null; }).promise(); }, // Get a promise for this deferred // If obj is provided, the promise aspect is added to the object promise: function( obj ) { return obj != null ? jQuery.extend( obj, promise ) : promise; } }, deferred = {}; // Keep pipe for back-compat promise.pipe = promise.then; // Add list-specific methods jQuery.each( tuples, function( i, tuple ) { var list = tuple[ 2 ], stateString = tuple[ 3 ]; // promise[ done | fail | progress ] = list.add promise[ tuple[1] ] = list.add; // Handle state if ( stateString ) { list.add(function() { // state = [ resolved | rejected ] state = stateString; // [ reject_list | resolve_list ].disable; progress_list.lock }, tuples[ i ^ 1 ][ 2 ].disable, tuples[ 2 ][ 2 ].lock ); } // deferred[ resolve | reject | notify ] deferred[ tuple[0] ] = function() { deferred[ tuple[0] + "With" ]( this === deferred ? promise : this, arguments ); return this; }; deferred[ tuple[0] + "With" ] = list.fireWith; }); // Make the deferred a promise promise.promise( deferred ); // Call given func if any if ( func ) { func.call( deferred, deferred ); } // All done! return deferred; }, // Deferred helper when: function( subordinate /* , ..., subordinateN */ ) { var i = 0, resolveValues = core_slice.call( arguments ), length = resolveValues.length, // the count of uncompleted subordinates remaining = length !== 1 || ( subordinate && jQuery.isFunction( subordinate.promise ) ) ? length : 0, // the master Deferred. If resolveValues consist of only a single Deferred, just use that. deferred = remaining === 1 ? subordinate : jQuery.Deferred(), // Update function for both resolve and progress values updateFunc = function( i, contexts, values ) { return function( value ) { contexts[ i ] = this; values[ i ] = arguments.length > 1 ? core_slice.call( arguments ) : value; if( values === progressValues ) { deferred.notifyWith( contexts, values ); } else if ( !( --remaining ) ) { deferred.resolveWith( contexts, values ); } }; }, progressValues, progressContexts, resolveContexts; // add listeners to Deferred subordinates; treat others as resolved if ( length > 1 ) { progressValues = new Array( length ); progressContexts = new Array( length ); resolveContexts = new Array( length ); for ( ; i < length; i++ ) { if ( resolveValues[ i ] && jQuery.isFunction( resolveValues[ i ].promise ) ) { resolveValues[ i ].promise() .done( updateFunc( i, resolveContexts, resolveValues ) ) .fail( deferred.reject ) .progress( updateFunc( i, progressContexts, progressValues ) ); } else { --remaining; } } } // if we're not waiting on anything, resolve the master if ( !remaining ) { deferred.resolveWith( resolveContexts, resolveValues ); } return deferred.promise(); } }); jQuery.support = (function() { var support, all, a, input, select, fragment, opt, eventName, isSupported, i, div = document.createElement("div"); // Setup div.setAttribute( "className", "t" ); div.innerHTML = " <link/><table></table><a href='/a'>a</a><input type='checkbox'/>"; // Support tests won't run in some limited or non-browser environments all = div.getElementsByTagName("*"); a = div.getElementsByTagName("a")[ 0 ]; if ( !all || !a || !all.length ) { return {}; } // First batch of tests select = document.createElement("select"); opt = select.appendChild( document.createElement("option") ); input = div.getElementsByTagName("input")[ 0 ]; a.style.cssText = "top:1px;float:left;opacity:.5"; support = { // Test setAttribute on camelCase class. If it works, we need attrFixes when doing get/setAttribute (ie6/7) getSetAttribute: div.className !== "t", // IE strips leading whitespace when .innerHTML is used leadingWhitespace: div.firstChild.nodeType === 3, // Make sure that tbody elements aren't automatically inserted // IE will insert them into empty tables tbody: !div.getElementsByTagName("tbody").length, // Make sure that link elements get serialized correctly by innerHTML // This requires a wrapper element in IE htmlSerialize: !!div.getElementsByTagName("link").length, // Get the style information from getAttribute // (IE uses .cssText instead) style: /top/.test( a.getAttribute("style") ), // Make sure that URLs aren't manipulated // (IE normalizes it by default) hrefNormalized: a.getAttribute("href") === "/a", // Make sure that element opacity exists // (IE uses filter instead) // Use a regex to work around a WebKit issue. See #5145 opacity: /^0.5/.test( a.style.opacity ), // Verify style float existence // (IE uses styleFloat instead of cssFloat) cssFloat: !!a.style.cssFloat, // Check the default checkbox/radio value ("" on WebKit; "on" elsewhere) checkOn: !!input.value, // Make sure that a selected-by-default option has a working selected property. // (WebKit defaults to false instead of true, IE too, if it's in an optgroup) optSelected: opt.selected, // Tests for enctype support on a form (#6743) enctype: !!document.createElement("form").enctype, // Makes sure cloning an html5 element does not cause problems // Where outerHTML is undefined, this still works html5Clone: document.createElement("nav").cloneNode( true ).outerHTML !== "<:nav></:nav>", // jQuery.support.boxModel DEPRECATED in 1.8 since we don't support Quirks Mode boxModel: document.compatMode === "CSS1Compat", // Will be defined later deleteExpando: true, noCloneEvent: true, inlineBlockNeedsLayout: false, shrinkWrapBlocks: false, reliableMarginRight: true, boxSizingReliable: true, pixelPosition: false }; // Make sure checked status is properly cloned input.checked = true; support.noCloneChecked = input.cloneNode( true ).checked; // Make sure that the options inside disabled selects aren't marked as disabled // (WebKit marks them as disabled) select.disabled = true; support.optDisabled = !opt.disabled; // Support: IE<9 try { delete div.test; } catch( e ) { support.deleteExpando = false; } // Check if we can trust getAttribute("value") input = document.createElement("input"); input.setAttribute( "value", "" ); support.input = input.getAttribute( "value" ) === ""; // Check if an input maintains its value after becoming a radio input.value = "t"; input.setAttribute( "type", "radio" ); support.radioValue = input.value === "t"; // #11217 - WebKit loses check when the name is after the checked attribute input.setAttribute( "checked", "t" ); input.setAttribute( "name", "t" ); fragment = document.createDocumentFragment(); fragment.appendChild( input ); // Check if a disconnected checkbox will retain its checked // value of true after appended to the DOM (IE6/7) support.appendChecked = input.checked; // WebKit doesn't clone checked state correctly in fragments support.checkClone = fragment.cloneNode( true ).cloneNode( true ).lastChild.checked; // Support: IE<9 // Opera does not clone events (and typeof div.attachEvent === undefined). // IE9-10 clones events bound via attachEvent, but they don't trigger with .click() if ( div.attachEvent ) { div.attachEvent( "onclick", function() { support.noCloneEvent = false; }); div.cloneNode( true ).click(); } // Support: IE<9 (lack submit/change bubble), Firefox 17+ (lack focusin event) // Beware of CSP restrictions (https://developer.mozilla.org/en/Security/CSP), test/csp.php for ( i in { submit: true, change: true, focusin: true }) { div.setAttribute( eventName = "on" + i, "t" ); support[ i + "Bubbles" ] = eventName in window || div.attributes[ eventName ].expando === false; } div.style.backgroundClip = "content-box"; div.cloneNode( true ).style.backgroundClip = ""; support.clearCloneStyle = div.style.backgroundClip === "content-box"; // Run tests that need a body at doc ready jQuery(function() { var container, marginDiv, tds, divReset = "padding:0;margin:0;border:0;display:block;box-sizing:content-box;-moz-box-sizing:content-box;-webkit-box-sizing:content-box;", body = document.getElementsByTagName("body")[0]; if ( !body ) { // Return for frameset docs that don't have a body return; } container = document.createElement("div"); container.style.cssText = "border:0;width:0;height:0;position:absolute;top:0;left:-9999px;margin-top:1px"; body.appendChild( container ).appendChild( div ); // Support: IE8 // Check if table cells still have offsetWidth/Height when they are set // to display:none and there are still other visible table cells in a // table row; if so, offsetWidth/Height are not reliable for use when // determining if an element has been hidden directly using // display:none (it is still safe to use offsets if a parent element is // hidden; don safety goggles and see bug #4512 for more information). div.innerHTML = "<table><tr><td></td><td>t</td></tr></table>"; tds = div.getElementsByTagName("td"); tds[ 0 ].style.cssText = "padding:0;margin:0;border:0;display:none"; isSupported = ( tds[ 0 ].offsetHeight === 0 ); tds[ 0 ].style.display = ""; tds[ 1 ].style.display = "none"; // Support: IE8 // Check if empty table cells still have offsetWidth/Height support.reliableHiddenOffsets = isSupported && ( tds[ 0 ].offsetHeight === 0 ); // Check box-sizing and margin behavior div.innerHTML = ""; div.style.cssText = "box-sizing:border-box;-moz-box-sizing:border-box;-webkit-box-sizing:border-box;padding:1px;border:1px;display:block;width:4px;margin-top:1%;position:absolute;top:1%;"; support.boxSizing = ( div.offsetWidth === 4 ); support.doesNotIncludeMarginInBodyOffset = ( body.offsetTop !== 1 ); // Use window.getComputedStyle because jsdom on node.js will break without it. if ( window.getComputedStyle ) { support.pixelPosition = ( window.getComputedStyle( div, null ) || {} ).top !== "1%"; support.boxSizingReliable = ( window.getComputedStyle( div, null ) || { width: "4px" } ).width === "4px"; // Check if div with explicit width and no margin-right incorrectly // gets computed margin-right based on width of container. (#3333) // Fails in WebKit before Feb 2011 nightlies // WebKit Bug 13343 - getComputedStyle returns wrong value for margin-right marginDiv = div.appendChild( document.createElement("div") ); marginDiv.style.cssText = div.style.cssText = divReset; marginDiv.style.marginRight = marginDiv.style.width = "0"; div.style.width = "1px"; support.reliableMarginRight = !parseFloat( ( window.getComputedStyle( marginDiv, null ) || {} ).marginRight ); } if ( typeof div.style.zoom !== core_strundefined ) { // Support: IE<8 // Check if natively block-level elements act like inline-block // elements when setting their display to 'inline' and giving // them layout div.innerHTML = ""; div.style.cssText = divReset + "width:1px;padding:1px;display:inline;zoom:1"; support.inlineBlockNeedsLayout = ( div.offsetWidth === 3 ); // Support: IE6 // Check if elements with layout shrink-wrap their children div.style.display = "block"; div.innerHTML = "<div></div>"; div.firstChild.style.width = "5px"; support.shrinkWrapBlocks = ( div.offsetWidth !== 3 ); if ( support.inlineBlockNeedsLayout ) { // Prevent IE 6 from affecting layout for positioned elements #11048 // Prevent IE from shrinking the body in IE 7 mode #12869 // Support: IE<8 body.style.zoom = 1; } } body.removeChild( container ); // Null elements to avoid leaks in IE container = div = tds = marginDiv = null; }); // Null elements to avoid leaks in IE all = select = fragment = opt = a = input = null; return support; })(); var rbrace = /(?:\{[\s\S]*\}|\[[\s\S]*\])$/, rmultiDash = /([A-Z])/g; function internalData( elem, name, data, pvt /* Internal Use Only */ ){ if ( !jQuery.acceptData( elem ) ) { return; } var thisCache, ret, internalKey = jQuery.expando, getByName = typeof name === "string", // We have to handle DOM nodes and JS objects differently because IE6-7 // can't GC object references properly across the DOM-JS boundary isNode = elem.nodeType, // Only DOM nodes need the global jQuery cache; JS object data is // attached directly to the object so GC can occur automatically cache = isNode ? jQuery.cache : elem, // Only defining an ID for JS objects if its cache already exists allows // the code to shortcut on the same path as a DOM node with no cache id = isNode ? elem[ internalKey ] : elem[ internalKey ] && internalKey; // Avoid doing any more work than we need to when trying to get data on an // object that has no data at all if ( (!id || !cache[id] || (!pvt && !cache[id].data)) && getByName && data === undefined ) { return; } if ( !id ) { // Only DOM nodes need a new unique ID for each element since their data // ends up in the global cache if ( isNode ) { elem[ internalKey ] = id = core_deletedIds.pop() || jQuery.guid++; } else { id = internalKey; } } if ( !cache[ id ] ) { cache[ id ] = {}; // Avoids exposing jQuery metadata on plain JS objects when the object // is serialized using JSON.stringify if ( !isNode ) { cache[ id ].toJSON = jQuery.noop; } } // An object can be passed to jQuery.data instead of a key/value pair; this gets // shallow copied over onto the existing cache if ( typeof name === "object" || typeof name === "function" ) { if ( pvt ) { cache[ id ] = jQuery.extend( cache[ id ], name ); } else { cache[ id ].data = jQuery.extend( cache[ id ].data, name ); } } thisCache = cache[ id ]; // jQuery data() is stored in a separate object inside the object's internal data // cache in order to avoid key collisions between internal data and user-defined // data. if ( !pvt ) { if ( !thisCache.data ) { thisCache.data = {}; } thisCache = thisCache.data; } if ( data !== undefined ) { thisCache[ jQuery.camelCase( name ) ] = data; } // Check for both converted-to-camel and non-converted data property names // If a data property was specified if ( getByName ) { // First Try to find as-is property data ret = thisCache[ name ]; // Test for null|undefined property data if ( ret == null ) { // Try to find the camelCased property ret = thisCache[ jQuery.camelCase( name ) ]; } } else { ret = thisCache; } return ret; } function internalRemoveData( elem, name, pvt ) { if ( !jQuery.acceptData( elem ) ) { return; } var i, l, thisCache, isNode = elem.nodeType, // See jQuery.data for more information cache = isNode ? jQuery.cache : elem, id = isNode ? elem[ jQuery.expando ] : jQuery.expando; // If there is already no cache entry for this object, there is no // purpose in continuing if ( !cache[ id ] ) { return; } if ( name ) { thisCache = pvt ? cache[ id ] : cache[ id ].data; if ( thisCache ) { // Support array or space separated string names for data keys if ( !jQuery.isArray( name ) ) { // try the string as a key before any manipulation if ( name in thisCache ) { name = [ name ]; } else { // split the camel cased version by spaces unless a key with the spaces exists name = jQuery.camelCase( name ); if ( name in thisCache ) { name = [ name ]; } else { name = name.split(" "); } } } else { // If "name" is an array of keys... // When data is initially created, via ("key", "val") signature, // keys will be converted to camelCase. // Since there is no way to tell _how_ a key was added, remove // both plain key and camelCase key. #12786 // This will only penalize the array argument path. name = name.concat( jQuery.map( name, jQuery.camelCase ) ); } for ( i = 0, l = name.length; i < l; i++ ) { delete thisCache[ name[i] ]; } // If there is no data left in the cache, we want to continue // and let the cache object itself get destroyed if ( !( pvt ? isEmptyDataObject : jQuery.isEmptyObject )( thisCache ) ) { return; } } } // See jQuery.data for more information if ( !pvt ) { delete cache[ id ].data; // Don't destroy the parent cache unless the internal data object // had been the only thing left in it if ( !isEmptyDataObject( cache[ id ] ) ) { return; } } // Destroy the cache if ( isNode ) { jQuery.cleanData( [ elem ], true ); // Use delete when supported for expandos or `cache` is not a window per isWindow (#10080) } else if ( jQuery.support.deleteExpando || cache != cache.window ) { delete cache[ id ]; // When all else fails, null } else { cache[ id ] = null; } } jQuery.extend({ cache: {}, // Unique for each copy of jQuery on the page // Non-digits removed to match rinlinejQuery expando: "jQuery" + ( core_version + Math.random() ).replace( /\D/g, "" ), // The following elements throw uncatchable exceptions if you // attempt to add expando properties to them. noData: { "embed": true, // Ban all objects except for Flash (which handle expandos) "object": "clsid:D27CDB6E-AE6D-11cf-96B8-444553540000", "applet": true }, hasData: function( elem ) { elem = elem.nodeType ? jQuery.cache[ elem[jQuery.expando] ] : elem[ jQuery.expando ]; return !!elem && !isEmptyDataObject( elem ); }, data: function( elem, name, data ) { return internalData( elem, name, data ); }, removeData: function( elem, name ) { return internalRemoveData( elem, name ); }, // For internal use only. _data: function( elem, name, data ) { return internalData( elem, name, data, true ); }, _removeData: function( elem, name ) { return internalRemoveData( elem, name, true ); }, // A method for determining if a DOM node can handle the data expando acceptData: function( elem ) { // Do not set data on non-element because it will not be cleared (#8335). if ( elem.nodeType && elem.nodeType !== 1 && elem.nodeType !== 9 ) { return false; } var noData = elem.nodeName && jQuery.noData[ elem.nodeName.toLowerCase() ]; // nodes accept data unless otherwise specified; rejection can be conditional return !noData || noData !== true && elem.getAttribute("classid") === noData; } }); jQuery.fn.extend({ data: function( key, value ) { var attrs, name, elem = this[0], i = 0, data = null; // Gets all values if ( key === undefined ) { if ( this.length ) { data = jQuery.data( elem ); if ( elem.nodeType === 1 && !jQuery._data( elem, "parsedAttrs" ) ) { attrs = elem.attributes; for ( ; i < attrs.length; i++ ) { name = attrs[i].name; if ( !name.indexOf( "data-" ) ) { name = jQuery.camelCase( name.slice(5) ); dataAttr( elem, name, data[ name ] ); } } jQuery._data( elem, "parsedAttrs", true ); } } return data; } // Sets multiple values if ( typeof key === "object" ) { return this.each(function() { jQuery.data( this, key ); }); } return jQuery.access( this, function( value ) { if ( value === undefined ) { // Try to fetch any internally stored data first return elem ? dataAttr( elem, key, jQuery.data( elem, key ) ) : null; } this.each(function() { jQuery.data( this, key, value ); }); }, null, value, arguments.length > 1, null, true ); }, removeData: function( key ) { return this.each(function() { jQuery.removeData( this, key ); }); } }); function dataAttr( elem, key, data ) { // If nothing was found internally, try to fetch any // data from the HTML5 data-* attribute if ( data === undefined && elem.nodeType === 1 ) { var name = "data-" + key.replace( rmultiDash, "-$1" ).toLowerCase(); data = elem.getAttribute( name ); if ( typeof data === "string" ) { try { data = data === "true" ? true : data === "false" ? false : data === "null" ? null : // Only convert to a number if it doesn't change the string +data + "" === data ? +data : rbrace.test( data ) ? jQuery.parseJSON( data ) : data; } catch( e ) {} // Make sure we set the data so it isn't changed later jQuery.data( elem, key, data ); } else { data = undefined; } } return data; } // checks a cache object for emptiness function isEmptyDataObject( obj ) { var name; for ( name in obj ) { // if the public data object is empty, the private is still empty if ( name === "data" && jQuery.isEmptyObject( obj[name] ) ) { continue; } if ( name !== "toJSON" ) { return false; } } return true; } jQuery.extend({ queue: function( elem, type, data ) { var queue; if ( elem ) { type = ( type || "fx" ) + "queue"; queue = jQuery._data( elem, type ); // Speed up dequeue by getting out quickly if this is just a lookup if ( data ) { if ( !queue || jQuery.isArray(data) ) { queue = jQuery._data( elem, type, jQuery.makeArray(data) ); } else { queue.push( data ); } } return queue || []; } }, dequeue: function( elem, type ) { type = type || "fx"; var queue = jQuery.queue( elem, type ), startLength = queue.length, fn = queue.shift(), hooks = jQuery._queueHooks( elem, type ), next = function() { jQuery.dequeue( elem, type ); }; // If the fx queue is dequeued, always remove the progress sentinel if ( fn === "inprogress" ) { fn = queue.shift(); startLength--; } hooks.cur = fn; if ( fn ) { // Add a progress sentinel to prevent the fx queue from being // automatically dequeued if ( type === "fx" ) { queue.unshift( "inprogress" ); } // clear up the last queue stop function delete hooks.stop; fn.call( elem, next, hooks ); } if ( !startLength && hooks ) { hooks.empty.fire(); } }, // not intended for public consumption - generates a queueHooks object, or returns the current one _queueHooks: function( elem, type ) { var key = type + "queueHooks"; return jQuery._data( elem, key ) || jQuery._data( elem, key, { empty: jQuery.Callbacks("once memory").add(function() { jQuery._removeData( elem, type + "queue" ); jQuery._removeData( elem, key ); }) }); } }); jQuery.fn.extend({ queue: function( type, data ) { var setter = 2; if ( typeof type !== "string" ) { data = type; type = "fx"; setter--; } if ( arguments.length < setter ) { return jQuery.queue( this[0], type ); } return data === undefined ? this : this.each(function() { var queue = jQuery.queue( this, type, data ); // ensure a hooks for this queue jQuery._queueHooks( this, type ); if ( type === "fx" && queue[0] !== "inprogress" ) { jQuery.dequeue( this, type ); } }); }, dequeue: function( type ) { return this.each(function() { jQuery.dequeue( this, type ); }); }, // Based off of the plugin by Clint Helfers, with permission. // http://blindsignals.com/index.php/2009/07/jquery-delay/ delay: function( time, type ) { time = jQuery.fx ? jQuery.fx.speeds[ time ] || time : time; type = type || "fx"; return this.queue( type, function( next, hooks ) { var timeout = setTimeout( next, time ); hooks.stop = function() { clearTimeout( timeout ); }; }); }, clearQueue: function( type ) { return this.queue( type || "fx", [] ); }, // Get a promise resolved when queues of a certain type // are emptied (fx is the type by default) promise: function( type, obj ) { var tmp, count = 1, defer = jQuery.Deferred(), elements = this, i = this.length, resolve = function() { if ( !( --count ) ) { defer.resolveWith( elements, [ elements ] ); } }; if ( typeof type !== "string" ) { obj = type; type = undefined; } type = type || "fx"; while( i-- ) { tmp = jQuery._data( elements[ i ], type + "queueHooks" ); if ( tmp && tmp.empty ) { count++; tmp.empty.add( resolve ); } } resolve(); return defer.promise( obj ); } }); var nodeHook, boolHook, rclass = /[\t\r\n]/g, rreturn = /\r/g, rfocusable = /^(?:input|select|textarea|button|object)$/i, rclickable = /^(?:a|area)$/i, rboolean = /^(?:checked|selected|autofocus|autoplay|async|controls|defer|disabled|hidden|loop|multiple|open|readonly|required|scoped)$/i, ruseDefault = /^(?:checked|selected)$/i, getSetAttribute = jQuery.support.getSetAttribute, getSetInput = jQuery.support.input; jQuery.fn.extend({ attr: function( name, value ) { return jQuery.access( this, jQuery.attr, name, value, arguments.length > 1 ); }, removeAttr: function( name ) { return this.each(function() { jQuery.removeAttr( this, name ); }); }, prop: function( name, value ) { return jQuery.access( this, jQuery.prop, name, value, arguments.length > 1 ); }, removeProp: function( name ) { name = jQuery.propFix[ name ] || name; return this.each(function() { // try/catch handles cases where IE balks (such as removing a property on window) try { this[ name ] = undefined; delete this[ name ]; } catch( e ) {} }); }, addClass: function( value ) { var classes, elem, cur, clazz, j, i = 0, len = this.length, proceed = typeof value === "string" && value; if ( jQuery.isFunction( value ) ) { return this.each(function( j ) { jQuery( this ).addClass( value.call( this, j, this.className ) ); }); } if ( proceed ) { // The disjunction here is for better compressibility (see removeClass) classes = ( value || "" ).match( core_rnotwhite ) || []; for ( ; i < len; i++ ) { elem = this[ i ]; cur = elem.nodeType === 1 && ( elem.className ? ( " " + elem.className + " " ).replace( rclass, " " ) : " " ); if ( cur ) { j = 0; while ( (clazz = classes[j++]) ) { if ( cur.indexOf( " " + clazz + " " ) < 0 ) { cur += clazz + " "; } } elem.className = jQuery.trim( cur ); } } } return this; }, removeClass: function( value ) { var classes, elem, cur, clazz, j, i = 0, len = this.length, proceed = arguments.length === 0 || typeof value === "string" && value; if ( jQuery.isFunction( value ) ) { return this.each(function( j ) { jQuery( this ).removeClass( value.call( this, j, this.className ) ); }); } if ( proceed ) { classes = ( value || "" ).match( core_rnotwhite ) || []; for ( ; i < len; i++ ) { elem = this[ i ]; // This expression is here for better compressibility (see addClass) cur = elem.nodeType === 1 && ( elem.className ? ( " " + elem.className + " " ).replace( rclass, " " ) : "" ); if ( cur ) { j = 0; while ( (clazz = classes[j++]) ) { // Remove *all* instances while ( cur.indexOf( " " + clazz + " " ) >= 0 ) { cur = cur.replace( " " + clazz + " ", " " ); } } elem.className = value ? jQuery.trim( cur ) : ""; } } } return this; }, toggleClass: function( value, stateVal ) { var type = typeof value, isBool = typeof stateVal === "boolean"; if ( jQuery.isFunction( value ) ) { return this.each(function( i ) { jQuery( this ).toggleClass( value.call(this, i, this.className, stateVal), stateVal ); }); } return this.each(function() { if ( type === "string" ) { // toggle individual class names var className, i = 0, self = jQuery( this ), state = stateVal, classNames = value.match( core_rnotwhite ) || []; while ( (className = classNames[ i++ ]) ) { // check each className given, space separated list state = isBool ? state : !self.hasClass( className ); self[ state ? "addClass" : "removeClass" ]( className ); } // Toggle whole class name } else if ( type === core_strundefined || type === "boolean" ) { if ( this.className ) { // store className if set jQuery._data( this, "__className__", this.className ); } // If the element has a class name or if we're passed "false", // then remove the whole classname (if there was one, the above saved it). // Otherwise bring back whatever was previously saved (if anything), // falling back to the empty string if nothing was stored. this.className = this.className || value === false ? "" : jQuery._data( this, "__className__" ) || ""; } }); }, hasClass: function( selector ) { var className = " " + selector + " ", i = 0, l = this.length; for ( ; i < l; i++ ) { if ( this[i].nodeType === 1 && (" " + this[i].className + " ").replace(rclass, " ").indexOf( className ) >= 0 ) { return true; } } return false; }, val: function( value ) { var ret, hooks, isFunction, elem = this[0]; if ( !arguments.length ) { if ( elem ) { hooks = jQuery.valHooks[ elem.type ] || jQuery.valHooks[ elem.nodeName.toLowerCase() ]; if ( hooks && "get" in hooks && (ret = hooks.get( elem, "value" )) !== undefined ) { return ret; } ret = elem.value; return typeof ret === "string" ? // handle most common string cases ret.replace(rreturn, "") : // handle cases where value is null/undef or number ret == null ? "" : ret; } return; } isFunction = jQuery.isFunction( value ); return this.each(function( i ) { var val, self = jQuery(this); if ( this.nodeType !== 1 ) { return; } if ( isFunction ) { val = value.call( this, i, self.val() ); } else { val = value; } // Treat null/undefined as ""; convert numbers to string if ( val == null ) { val = ""; } else if ( typeof val === "number" ) { val += ""; } else if ( jQuery.isArray( val ) ) { val = jQuery.map(val, function ( value ) { return value == null ? "" : value + ""; }); } hooks = jQuery.valHooks[ this.type ] || jQuery.valHooks[ this.nodeName.toLowerCase() ]; // If set returns undefined, fall back to normal setting if ( !hooks || !("set" in hooks) || hooks.set( this, val, "value" ) === undefined ) { this.value = val; } }); } }); jQuery.extend({ valHooks: { option: { get: function( elem ) { // attributes.value is undefined in Blackberry 4.7 but // uses .value. See #6932 var val = elem.attributes.value; return !val || val.specified ? elem.value : elem.text; } }, select: { get: function( elem ) { var value, option, options = elem.options, index = elem.selectedIndex, one = elem.type === "select-one" || index < 0, values = one ? null : [], max = one ? index + 1 : options.length, i = index < 0 ? max : one ? index : 0; // Loop through all the selected options for ( ; i < max; i++ ) { option = options[ i ]; // oldIE doesn't update selected after form reset (#2551) if ( ( option.selected || i === index ) && // Don't return options that are disabled or in a disabled optgroup ( jQuery.support.optDisabled ? !option.disabled : option.getAttribute("disabled") === null ) && ( !option.parentNode.disabled || !jQuery.nodeName( option.parentNode, "optgroup" ) ) ) { // Get the specific value for the option value = jQuery( option ).val(); // We don't need an array for one selects if ( one ) { return value; } // Multi-Selects return an array values.push( value ); } } return values; }, set: function( elem, value ) { var values = jQuery.makeArray( value ); jQuery(elem).find("option").each(function() { this.selected = jQuery.inArray( jQuery(this).val(), values ) >= 0; }); if ( !values.length ) { elem.selectedIndex = -1; } return values; } } }, attr: function( elem, name, value ) { var hooks, notxml, ret, nType = elem.nodeType; // don't get/set attributes on text, comment and attribute nodes if ( !elem || nType === 3 || nType === 8 || nType === 2 ) { return; } // Fallback to prop when attributes are not supported if ( typeof elem.getAttribute === core_strundefined ) { return jQuery.prop( elem, name, value ); } notxml = nType !== 1 || !jQuery.isXMLDoc( elem ); // All attributes are lowercase // Grab necessary hook if one is defined if ( notxml ) { name = name.toLowerCase(); hooks = jQuery.attrHooks[ name ] || ( rboolean.test( name ) ? boolHook : nodeHook ); } if ( value !== undefined ) { if ( value === null ) { jQuery.removeAttr( elem, name ); } else if ( hooks && notxml && "set" in hooks && (ret = hooks.set( elem, value, name )) !== undefined ) { return ret; } else { elem.setAttribute( name, value + "" ); return value; } } else if ( hooks && notxml && "get" in hooks && (ret = hooks.get( elem, name )) !== null ) { return ret; } else { // In IE9+, Flash objects don't have .getAttribute (#12945) // Support: IE9+ if ( typeof elem.getAttribute !== core_strundefined ) { ret = elem.getAttribute( name ); } // Non-existent attributes return null, we normalize to undefined return ret == null ? undefined : ret; } }, removeAttr: function( elem, value ) { var name, propName, i = 0, attrNames = value && value.match( core_rnotwhite ); if ( attrNames && elem.nodeType === 1 ) { while ( (name = attrNames[i++]) ) { propName = jQuery.propFix[ name ] || name; // Boolean attributes get special treatment (#10870) if ( rboolean.test( name ) ) { // Set corresponding property to false for boolean attributes // Also clear defaultChecked/defaultSelected (if appropriate) for IE<8 if ( !getSetAttribute && ruseDefault.test( name ) ) { elem[ jQuery.camelCase( "default-" + name ) ] = elem[ propName ] = false; } else { elem[ propName ] = false; } // See #9699 for explanation of this approach (setting first, then removal) } else { jQuery.attr( elem, name, "" ); } elem.removeAttribute( getSetAttribute ? name : propName ); } } }, attrHooks: { type: { set: function( elem, value ) { if ( !jQuery.support.radioValue && value === "radio" && jQuery.nodeName(elem, "input") ) { // Setting the type on a radio button after the value resets the value in IE6-9 // Reset value to default in case type is set after value during creation var val = elem.value; elem.setAttribute( "type", value ); if ( val ) { elem.value = val; } return value; } } } }, propFix: { tabindex: "tabIndex", readonly: "readOnly", "for": "htmlFor", "class": "className", maxlength: "maxLength", cellspacing: "cellSpacing", cellpadding: "cellPadding", rowspan: "rowSpan", colspan: "colSpan", usemap: "useMap", frameborder: "frameBorder", contenteditable: "contentEditable" }, prop: function( elem, name, value ) { var ret, hooks, notxml, nType = elem.nodeType; // don't get/set properties on text, comment and attribute nodes if ( !elem || nType === 3 || nType === 8 || nType === 2 ) { return; } notxml = nType !== 1 || !jQuery.isXMLDoc( elem ); if ( notxml ) { // Fix name and attach hooks name = jQuery.propFix[ name ] || name; hooks = jQuery.propHooks[ name ]; } if ( value !== undefined ) { if ( hooks && "set" in hooks && (ret = hooks.set( elem, value, name )) !== undefined ) { return ret; } else { return ( elem[ name ] = value ); } } else { if ( hooks && "get" in hooks && (ret = hooks.get( elem, name )) !== null ) { return ret; } else { return elem[ name ]; } } }, propHooks: { tabIndex: { get: function( elem ) { // elem.tabIndex doesn't always return the correct value when it hasn't been explicitly set // http://fluidproject.org/blog/2008/01/09/getting-setting-and-removing-tabindex-values-with-javascript/ var attributeNode = elem.getAttributeNode("tabindex"); return attributeNode && attributeNode.specified ? parseInt( attributeNode.value, 10 ) : rfocusable.test( elem.nodeName ) || rclickable.test( elem.nodeName ) && elem.href ? 0 : undefined; } } } }); // Hook for boolean attributes boolHook = { get: function( elem, name ) { var // Use .prop to determine if this attribute is understood as boolean prop = jQuery.prop( elem, name ), // Fetch it accordingly attr = typeof prop === "boolean" && elem.getAttribute( name ), detail = typeof prop === "boolean" ? getSetInput && getSetAttribute ? attr != null : // oldIE fabricates an empty string for missing boolean attributes // and conflates checked/selected into attroperties ruseDefault.test( name ) ? elem[ jQuery.camelCase( "default-" + name ) ] : !!attr : // fetch an attribute node for properties not recognized as boolean elem.getAttributeNode( name ); return detail && detail.value !== false ? name.toLowerCase() : undefined; }, set: function( elem, value, name ) { if ( value === false ) { // Remove boolean attributes when set to false jQuery.removeAttr( elem, name ); } else if ( getSetInput && getSetAttribute || !ruseDefault.test( name ) ) { // IE<8 needs the *property* name elem.setAttribute( !getSetAttribute && jQuery.propFix[ name ] || name, name ); // Use defaultChecked and defaultSelected for oldIE } else { elem[ jQuery.camelCase( "default-" + name ) ] = elem[ name ] = true; } return name; } }; // fix oldIE value attroperty if ( !getSetInput || !getSetAttribute ) { jQuery.attrHooks.value = { get: function( elem, name ) { var ret = elem.getAttributeNode( name ); return jQuery.nodeName( elem, "input" ) ? // Ignore the value *property* by using defaultValue elem.defaultValue : ret && ret.specified ? ret.value : undefined; }, set: function( elem, value, name ) { if ( jQuery.nodeName( elem, "input" ) ) { // Does not return so that setAttribute is also used elem.defaultValue = value; } else { // Use nodeHook if defined (#1954); otherwise setAttribute is fine return nodeHook && nodeHook.set( elem, value, name ); } } }; } // IE6/7 do not support getting/setting some attributes with get/setAttribute if ( !getSetAttribute ) { // Use this for any attribute in IE6/7 // This fixes almost every IE6/7 issue nodeHook = jQuery.valHooks.button = { get: function( elem, name ) { var ret = elem.getAttributeNode( name ); return ret && ( name === "id" || name === "name" || name === "coords" ? ret.value !== "" : ret.specified ) ? ret.value : undefined; }, set: function( elem, value, name ) { // Set the existing or create a new attribute node var ret = elem.getAttributeNode( name ); if ( !ret ) { elem.setAttributeNode( (ret = elem.ownerDocument.createAttribute( name )) ); } ret.value = value += ""; // Break association with cloned elements by also using setAttribute (#9646) return name === "value" || value === elem.getAttribute( name ) ? value : undefined; } }; // Set contenteditable to false on removals(#10429) // Setting to empty string throws an error as an invalid value jQuery.attrHooks.contenteditable = { get: nodeHook.get, set: function( elem, value, name ) { nodeHook.set( elem, value === "" ? false : value, name ); } }; // Set width and height to auto instead of 0 on empty string( Bug #8150 ) // This is for removals jQuery.each([ "width", "height" ], function( i, name ) { jQuery.attrHooks[ name ] = jQuery.extend( jQuery.attrHooks[ name ], { set: function( elem, value ) { if ( value === "" ) { elem.setAttribute( name, "auto" ); return value; } } }); }); } // Some attributes require a special call on IE // http://msdn.microsoft.com/en-us/library/ms536429%28VS.85%29.aspx if ( !jQuery.support.hrefNormalized ) { jQuery.each([ "href", "src", "width", "height" ], function( i, name ) { jQuery.attrHooks[ name ] = jQuery.extend( jQuery.attrHooks[ name ], { get: function( elem ) { var ret = elem.getAttribute( name, 2 ); return ret == null ? undefined : ret; } }); }); // href/src property should get the full normalized URL (#10299/#12915) jQuery.each([ "href", "src" ], function( i, name ) { jQuery.propHooks[ name ] = { get: function( elem ) { return elem.getAttribute( name, 4 ); } }; }); } if ( !jQuery.support.style ) { jQuery.attrHooks.style = { get: function( elem ) { // Return undefined in the case of empty string // Note: IE uppercases css property names, but if we were to .toLowerCase() // .cssText, that would destroy case senstitivity in URL's, like in "background" return elem.style.cssText || undefined; }, set: function( elem, value ) { return ( elem.style.cssText = value + "" ); } }; } // Safari mis-reports the default selected property of an option // Accessing the parent's selectedIndex property fixes it if ( !jQuery.support.optSelected ) { jQuery.propHooks.selected = jQuery.extend( jQuery.propHooks.selected, { get: function( elem ) { var parent = elem.parentNode; if ( parent ) { parent.selectedIndex; // Make sure that it also works with optgroups, see #5701 if ( parent.parentNode ) { parent.parentNode.selectedIndex; } } return null; } }); } // IE6/7 call enctype encoding if ( !jQuery.support.enctype ) { jQuery.propFix.enctype = "encoding"; } // Radios and checkboxes getter/setter if ( !jQuery.support.checkOn ) { jQuery.each([ "radio", "checkbox" ], function() { jQuery.valHooks[ this ] = { get: function( elem ) { // Handle the case where in Webkit "" is returned instead of "on" if a value isn't specified return elem.getAttribute("value") === null ? "on" : elem.value; } }; }); } jQuery.each([ "radio", "checkbox" ], function() { jQuery.valHooks[ this ] = jQuery.extend( jQuery.valHooks[ this ], { set: function( elem, value ) { if ( jQuery.isArray( value ) ) { return ( elem.checked = jQuery.inArray( jQuery(elem).val(), value ) >= 0 ); } } }); }); var rformElems = /^(?:input|select|textarea)$/i, rkeyEvent = /^key/, rmouseEvent = /^(?:mouse|contextmenu)|click/, rfocusMorph = /^(?:focusinfocus|focusoutblur)$/, rtypenamespace = /^([^.]*)(?:\.(.+)|)$/; function returnTrue() { return true; } function returnFalse() { return false; } /* * Helper functions for managing events -- not part of the public interface. * Props to Dean Edwards' addEvent library for many of the ideas. */ jQuery.event = { global: {}, add: function( elem, types, handler, data, selector ) { var tmp, events, t, handleObjIn, special, eventHandle, handleObj, handlers, type, namespaces, origType, elemData = jQuery._data( elem ); // Don't attach events to noData or text/comment nodes (but allow plain objects) if ( !elemData ) { return; } // Caller can pass in an object of custom data in lieu of the handler if ( handler.handler ) { handleObjIn = handler; handler = handleObjIn.handler; selector = handleObjIn.selector; } // Make sure that the handler has a unique ID, used to find/remove it later if ( !handler.guid ) { handler.guid = jQuery.guid++; } // Init the element's event structure and main handler, if this is the first if ( !(events = elemData.events) ) { events = elemData.events = {}; } if ( !(eventHandle = elemData.handle) ) { eventHandle = elemData.handle = function( e ) { // Discard the second event of a jQuery.event.trigger() and // when an event is called after a page has unloaded return typeof jQuery !== core_strundefined && (!e || jQuery.event.triggered !== e.type) ? jQuery.event.dispatch.apply( eventHandle.elem, arguments ) : undefined; }; // Add elem as a property of the handle fn to prevent a memory leak with IE non-native events eventHandle.elem = elem; } // Handle multiple events separated by a space // jQuery(...).bind("mouseover mouseout", fn); types = ( types || "" ).match( core_rnotwhite ) || [""]; t = types.length; while ( t-- ) { tmp = rtypenamespace.exec( types[t] ) || []; type = origType = tmp[1]; namespaces = ( tmp[2] || "" ).split( "." ).sort(); // If event changes its type, use the special event handlers for the changed type special = jQuery.event.special[ type ] || {}; // If selector defined, determine special event api type, otherwise given type type = ( selector ? special.delegateType : special.bindType ) || type; // Update special based on newly reset type special = jQuery.event.special[ type ] || {}; // handleObj is passed to all event handlers handleObj = jQuery.extend({ type: type, origType: origType, data: data, handler: handler, guid: handler.guid, selector: selector, needsContext: selector && jQuery.expr.match.needsContext.test( selector ), namespace: namespaces.join(".") }, handleObjIn ); // Init the event handler queue if we're the first if ( !(handlers = events[ type ]) ) { handlers = events[ type ] = []; handlers.delegateCount = 0; // Only use addEventListener/attachEvent if the special events handler returns false if ( !special.setup || special.setup.call( elem, data, namespaces, eventHandle ) === false ) { // Bind the global event handler to the element if ( elem.addEventListener ) { elem.addEventListener( type, eventHandle, false ); } else if ( elem.attachEvent ) { elem.attachEvent( "on" + type, eventHandle ); } } } if ( special.add ) { special.add.call( elem, handleObj ); if ( !handleObj.handler.guid ) { handleObj.handler.guid = handler.guid; } } // Add to the element's handler list, delegates in front if ( selector ) { handlers.splice( handlers.delegateCount++, 0, handleObj ); } else { handlers.push( handleObj ); } // Keep track of which events have ever been used, for event optimization jQuery.event.global[ type ] = true; } // Nullify elem to prevent memory leaks in IE elem = null; }, // Detach an event or set of events from an element remove: function( elem, types, handler, selector, mappedTypes ) { var j, handleObj, tmp, origCount, t, events, special, handlers, type, namespaces, origType, elemData = jQuery.hasData( elem ) && jQuery._data( elem ); if ( !elemData || !(events = elemData.events) ) { return; } // Once for each type.namespace in types; type may be omitted types = ( types || "" ).match( core_rnotwhite ) || [""]; t = types.length; while ( t-- ) { tmp = rtypenamespace.exec( types[t] ) || []; type = origType = tmp[1]; namespaces = ( tmp[2] || "" ).split( "." ).sort(); // Unbind all events (on this namespace, if provided) for the element if ( !type ) { for ( type in events ) { jQuery.event.remove( elem, type + types[ t ], handler, selector, true ); } continue; } special = jQuery.event.special[ type ] || {}; type = ( selector ? special.delegateType : special.bindType ) || type; handlers = events[ type ] || []; tmp = tmp[2] && new RegExp( "(^|\\.)" + namespaces.join("\\.(?:.*\\.|)") + "(\\.|$)" ); // Remove matching events origCount = j = handlers.length; while ( j-- ) { handleObj = handlers[ j ]; if ( ( mappedTypes || origType === handleObj.origType ) && ( !handler || handler.guid === handleObj.guid ) && ( !tmp || tmp.test( handleObj.namespace ) ) && ( !selector || selector === handleObj.selector || selector === "**" && handleObj.selector ) ) { handlers.splice( j, 1 ); if ( handleObj.selector ) { handlers.delegateCount--; } if ( special.remove ) { special.remove.call( elem, handleObj ); } } } // Remove generic event handler if we removed something and no more handlers exist // (avoids potential for endless recursion during removal of special event handlers) if ( origCount && !handlers.length ) { if ( !special.teardown || special.teardown.call( elem, namespaces, elemData.handle ) === false ) { jQuery.removeEvent( elem, type, elemData.handle ); } delete events[ type ]; } } // Remove the expando if it's no longer used if ( jQuery.isEmptyObject( events ) ) { delete elemData.handle; // removeData also checks for emptiness and clears the expando if empty // so use it instead of delete jQuery._removeData( elem, "events" ); } }, trigger: function( event, data, elem, onlyHandlers ) { var handle, ontype, cur, bubbleType, special, tmp, i, eventPath = [ elem || document ], type = core_hasOwn.call( event, "type" ) ? event.type : event, namespaces = core_hasOwn.call( event, "namespace" ) ? event.namespace.split(".") : []; cur = tmp = elem = elem || document; // Don't do events on text and comment nodes if ( elem.nodeType === 3 || elem.nodeType === 8 ) { return; } // focus/blur morphs to focusin/out; ensure we're not firing them right now if ( rfocusMorph.test( type + jQuery.event.triggered ) ) { return; } if ( type.indexOf(".") >= 0 ) { // Namespaced trigger; create a regexp to match event type in handle() namespaces = type.split("."); type = namespaces.shift(); namespaces.sort(); } ontype = type.indexOf(":") < 0 && "on" + type; // Caller can pass in a jQuery.Event object, Object, or just an event type string event = event[ jQuery.expando ] ? event : new jQuery.Event( type, typeof event === "object" && event ); event.isTrigger = true; event.namespace = namespaces.join("."); event.namespace_re = event.namespace ? new RegExp( "(^|\\.)" + namespaces.join("\\.(?:.*\\.|)") + "(\\.|$)" ) : null; // Clean up the event in case it is being reused event.result = undefined; if ( !event.target ) { event.target = elem; } // Clone any incoming data and prepend the event, creating the handler arg list data = data == null ? [ event ] : jQuery.makeArray( data, [ event ] ); // Allow special events to draw outside the lines special = jQuery.event.special[ type ] || {}; if ( !onlyHandlers && special.trigger && special.trigger.apply( elem, data ) === false ) { return; } // Determine event propagation path in advance, per W3C events spec (#9951) // Bubble up to document, then to window; watch for a global ownerDocument var (#9724) if ( !onlyHandlers && !special.noBubble && !jQuery.isWindow( elem ) ) { bubbleType = special.delegateType || type; if ( !rfocusMorph.test( bubbleType + type ) ) { cur = cur.parentNode; } for ( ; cur; cur = cur.parentNode ) { eventPath.push( cur ); tmp = cur; } // Only add window if we got to document (e.g., not plain obj or detached DOM) if ( tmp === (elem.ownerDocument || document) ) { eventPath.push( tmp.defaultView || tmp.parentWindow || window ); } } // Fire handlers on the event path i = 0; while ( (cur = eventPath[i++]) && !event.isPropagationStopped() ) { event.type = i > 1 ? bubbleType : special.bindType || type; // jQuery handler handle = ( jQuery._data( cur, "events" ) || {} )[ event.type ] && jQuery._data( cur, "handle" ); if ( handle ) { handle.apply( cur, data ); } // Native handler handle = ontype && cur[ ontype ]; if ( handle && jQuery.acceptData( cur ) && handle.apply && handle.apply( cur, data ) === false ) { event.preventDefault(); } } event.type = type; // If nobody prevented the default action, do it now if ( !onlyHandlers && !event.isDefaultPrevented() ) { if ( (!special._default || special._default.apply( elem.ownerDocument, data ) === false) && !(type === "click" && jQuery.nodeName( elem, "a" )) && jQuery.acceptData( elem ) ) { // Call a native DOM method on the target with the same name name as the event. // Can't use an .isFunction() check here because IE6/7 fails that test. // Don't do default actions on window, that's where global variables be (#6170) if ( ontype && elem[ type ] && !jQuery.isWindow( elem ) ) { // Don't re-trigger an onFOO event when we call its FOO() method tmp = elem[ ontype ]; if ( tmp ) { elem[ ontype ] = null; } // Prevent re-triggering of the same event, since we already bubbled it above jQuery.event.triggered = type; try { elem[ type ](); } catch ( e ) { // IE<9 dies on focus/blur to hidden element (#1486,#12518) // only reproducible on winXP IE8 native, not IE9 in IE8 mode } jQuery.event.triggered = undefined; if ( tmp ) { elem[ ontype ] = tmp; } } } } return event.result; }, dispatch: function( event ) { // Make a writable jQuery.Event from the native event object event = jQuery.event.fix( event ); var i, ret, handleObj, matched, j, handlerQueue = [], args = core_slice.call( arguments ), handlers = ( jQuery._data( this, "events" ) || {} )[ event.type ] || [], special = jQuery.event.special[ event.type ] || {}; // Use the fix-ed jQuery.Event rather than the (read-only) native event args[0] = event; event.delegateTarget = this; // Call the preDispatch hook for the mapped type, and let it bail if desired if ( special.preDispatch && special.preDispatch.call( this, event ) === false ) { return; } // Determine handlers handlerQueue = jQuery.event.handlers.call( this, event, handlers ); // Run delegates first; they may want to stop propagation beneath us i = 0; while ( (matched = handlerQueue[ i++ ]) && !event.isPropagationStopped() ) { event.currentTarget = matched.elem; j = 0; while ( (handleObj = matched.handlers[ j++ ]) && !event.isImmediatePropagationStopped() ) { // Triggered event must either 1) have no namespace, or // 2) have namespace(s) a subset or equal to those in the bound event (both can have no namespace). if ( !event.namespace_re || event.namespace_re.test( handleObj.namespace ) ) { event.handleObj = handleObj; event.data = handleObj.data; ret = ( (jQuery.event.special[ handleObj.origType ] || {}).handle || handleObj.handler ) .apply( matched.elem, args ); if ( ret !== undefined ) { if ( (event.result = ret) === false ) { event.preventDefault(); event.stopPropagation(); } } } } } // Call the postDispatch hook for the mapped type if ( special.postDispatch ) { special.postDispatch.call( this, event ); } return event.result; }, handlers: function( event, handlers ) { var sel, handleObj, matches, i, handlerQueue = [], delegateCount = handlers.delegateCount, cur = event.target; // Find delegate handlers // Black-hole SVG <use> instance trees (#13180) // Avoid non-left-click bubbling in Firefox (#3861) if ( delegateCount && cur.nodeType && (!event.button || event.type !== "click") ) { for ( ; cur != this; cur = cur.parentNode || this ) { // Don't check non-elements (#13208) // Don't process clicks on disabled elements (#6911, #8165, #11382, #11764) if ( cur.nodeType === 1 && (cur.disabled !== true || event.type !== "click") ) { matches = []; for ( i = 0; i < delegateCount; i++ ) { handleObj = handlers[ i ]; // Don't conflict with Object.prototype properties (#13203) sel = handleObj.selector + " "; if ( matches[ sel ] === undefined ) { matches[ sel ] = handleObj.needsContext ? jQuery( sel, this ).index( cur ) >= 0 : jQuery.find( sel, this, null, [ cur ] ).length; } if ( matches[ sel ] ) { matches.push( handleObj ); } } if ( matches.length ) { handlerQueue.push({ elem: cur, handlers: matches }); } } } } // Add the remaining (directly-bound) handlers if ( delegateCount < handlers.length ) { handlerQueue.push({ elem: this, handlers: handlers.slice( delegateCount ) }); } return handlerQueue; }, fix: function( event ) { if ( event[ jQuery.expando ] ) { return event; } // Create a writable copy of the event object and normalize some properties var i, prop, copy, type = event.type, originalEvent = event, fixHook = this.fixHooks[ type ]; if ( !fixHook ) { this.fixHooks[ type ] = fixHook = rmouseEvent.test( type ) ? this.mouseHooks : rkeyEvent.test( type ) ? this.keyHooks : {}; } copy = fixHook.props ? this.props.concat( fixHook.props ) : this.props; event = new jQuery.Event( originalEvent ); i = copy.length; while ( i-- ) { prop = copy[ i ]; event[ prop ] = originalEvent[ prop ]; } // Support: IE<9 // Fix target property (#1925) if ( !event.target ) { event.target = originalEvent.srcElement || document; } // Support: Chrome 23+, Safari? // Target should not be a text node (#504, #13143) if ( event.target.nodeType === 3 ) { event.target = event.target.parentNode; } // Support: IE<9 // For mouse/key events, metaKey==false if it's undefined (#3368, #11328) event.metaKey = !!event.metaKey; return fixHook.filter ? fixHook.filter( event, originalEvent ) : event; }, // Includes some event props shared by KeyEvent and MouseEvent props: "altKey bubbles cancelable ctrlKey currentTarget eventPhase metaKey relatedTarget shiftKey target timeStamp view which".split(" "), fixHooks: {}, keyHooks: { props: "char charCode key keyCode".split(" "), filter: function( event, original ) { // Add which for key events if ( event.which == null ) { event.which = original.charCode != null ? original.charCode : original.keyCode; } return event; } }, mouseHooks: { props: "button buttons clientX clientY fromElement offsetX offsetY pageX pageY screenX screenY toElement".split(" "), filter: function( event, original ) { var body, eventDoc, doc, button = original.button, fromElement = original.fromElement; // Calculate pageX/Y if missing and clientX/Y available if ( event.pageX == null && original.clientX != null ) { eventDoc = event.target.ownerDocument || document; doc = eventDoc.documentElement; body = eventDoc.body; event.pageX = original.clientX + ( doc && doc.scrollLeft || body && body.scrollLeft || 0 ) - ( doc && doc.clientLeft || body && body.clientLeft || 0 ); event.pageY = original.clientY + ( doc && doc.scrollTop || body && body.scrollTop || 0 ) - ( doc && doc.clientTop || body && body.clientTop || 0 ); } // Add relatedTarget, if necessary if ( !event.relatedTarget && fromElement ) { event.relatedTarget = fromElement === event.target ? original.toElement : fromElement; } // Add which for click: 1 === left; 2 === middle; 3 === right // Note: button is not normalized, so don't use it if ( !event.which && button !== undefined ) { event.which = ( button & 1 ? 1 : ( button & 2 ? 3 : ( button & 4 ? 2 : 0 ) ) ); } return event; } }, special: { load: { // Prevent triggered image.load events from bubbling to window.load noBubble: true }, click: { // For checkbox, fire native event so checked state will be right trigger: function() { if ( jQuery.nodeName( this, "input" ) && this.type === "checkbox" && this.click ) { this.click(); return false; } } }, focus: { // Fire native event if possible so blur/focus sequence is correct trigger: function() { if ( this !== document.activeElement && this.focus ) { try { this.focus(); return false; } catch ( e ) { // Support: IE<9 // If we error on focus to hidden element (#1486, #12518), // let .trigger() run the handlers } } }, delegateType: "focusin" }, blur: { trigger: function() { if ( this === document.activeElement && this.blur ) { this.blur(); return false; } }, delegateType: "focusout" }, beforeunload: { postDispatch: function( event ) { // Even when returnValue equals to undefined Firefox will still show alert if ( event.result !== undefined ) { event.originalEvent.returnValue = event.result; } } } }, simulate: function( type, elem, event, bubble ) { // Piggyback on a donor event to simulate a different one. // Fake originalEvent to avoid donor's stopPropagation, but if the // simulated event prevents default then we do the same on the donor. var e = jQuery.extend( new jQuery.Event(), event, { type: type, isSimulated: true, originalEvent: {} } ); if ( bubble ) { jQuery.event.trigger( e, null, elem ); } else { jQuery.event.dispatch.call( elem, e ); } if ( e.isDefaultPrevented() ) { event.preventDefault(); } } }; jQuery.removeEvent = document.removeEventListener ? function( elem, type, handle ) { if ( elem.removeEventListener ) { elem.removeEventListener( type, handle, false ); } } : function( elem, type, handle ) { var name = "on" + type; if ( elem.detachEvent ) { // #8545, #7054, preventing memory leaks for custom events in IE6-8 // detachEvent needed property on element, by name of that event, to properly expose it to GC if ( typeof elem[ name ] === core_strundefined ) { elem[ name ] = null; } elem.detachEvent( name, handle ); } }; jQuery.Event = function( src, props ) { // Allow instantiation without the 'new' keyword if ( !(this instanceof jQuery.Event) ) { return new jQuery.Event( src, props ); } // Event object if ( src && src.type ) { this.originalEvent = src; this.type = src.type; // Events bubbling up the document may have been marked as prevented // by a handler lower down the tree; reflect the correct value. this.isDefaultPrevented = ( src.defaultPrevented || src.returnValue === false || src.getPreventDefault && src.getPreventDefault() ) ? returnTrue : returnFalse; // Event type } else { this.type = src; } // Put explicitly provided properties onto the event object if ( props ) { jQuery.extend( this, props ); } // Create a timestamp if incoming event doesn't have one this.timeStamp = src && src.timeStamp || jQuery.now(); // Mark it as fixed this[ jQuery.expando ] = true; }; // jQuery.Event is based on DOM3 Events as specified by the ECMAScript Language Binding // http://www.w3.org/TR/2003/WD-DOM-Level-3-Events-20030331/ecma-script-binding.html jQuery.Event.prototype = { isDefaultPrevented: returnFalse, isPropagationStopped: returnFalse, isImmediatePropagationStopped: returnFalse, preventDefault: function() { var e = this.originalEvent; this.isDefaultPrevented = returnTrue; if ( !e ) { return; } // If preventDefault exists, run it on the original event if ( e.preventDefault ) { e.preventDefault(); // Support: IE // Otherwise set the returnValue property of the original event to false } else { e.returnValue = false; } }, stopPropagation: function() { var e = this.originalEvent; this.isPropagationStopped = returnTrue; if ( !e ) { return; } // If stopPropagation exists, run it on the original event if ( e.stopPropagation ) { e.stopPropagation(); } // Support: IE // Set the cancelBubble property of the original event to true e.cancelBubble = true; }, stopImmediatePropagation: function() { this.isImmediatePropagationStopped = returnTrue; this.stopPropagation(); } }; // Create mouseenter/leave events using mouseover/out and event-time checks jQuery.each({ mouseenter: "mouseover", mouseleave: "mouseout" }, function( orig, fix ) { jQuery.event.special[ orig ] = { delegateType: fix, bindType: fix, handle: function( event ) { var ret, target = this, related = event.relatedTarget, handleObj = event.handleObj; // For mousenter/leave call the handler if related is outside the target. // NB: No relatedTarget if the mouse left/entered the browser window if ( !related || (related !== target && !jQuery.contains( target, related )) ) { event.type = handleObj.origType; ret = handleObj.handler.apply( this, arguments ); event.type = fix; } return ret; } }; }); // IE submit delegation if ( !jQuery.support.submitBubbles ) { jQuery.event.special.submit = { setup: function() { // Only need this for delegated form submit events if ( jQuery.nodeName( this, "form" ) ) { return false; } // Lazy-add a submit handler when a descendant form may potentially be submitted jQuery.event.add( this, "click._submit keypress._submit", function( e ) { // Node name check avoids a VML-related crash in IE (#9807) var elem = e.target, form = jQuery.nodeName( elem, "input" ) || jQuery.nodeName( elem, "button" ) ? elem.form : undefined; if ( form && !jQuery._data( form, "submitBubbles" ) ) { jQuery.event.add( form, "submit._submit", function( event ) { event._submit_bubble = true; }); jQuery._data( form, "submitBubbles", true ); } }); // return undefined since we don't need an event listener }, postDispatch: function( event ) { // If form was submitted by the user, bubble the event up the tree if ( event._submit_bubble ) { delete event._submit_bubble; if ( this.parentNode && !event.isTrigger ) { jQuery.event.simulate( "submit", this.parentNode, event, true ); } } }, teardown: function() { // Only need this for delegated form submit events if ( jQuery.nodeName( this, "form" ) ) { return false; } // Remove delegated handlers; cleanData eventually reaps submit handlers attached above jQuery.event.remove( this, "._submit" ); } }; } // IE change delegation and checkbox/radio fix if ( !jQuery.support.changeBubbles ) { jQuery.event.special.change = { setup: function() { if ( rformElems.test( this.nodeName ) ) { // IE doesn't fire change on a check/radio until blur; trigger it on click // after a propertychange. Eat the blur-change in special.change.handle. // This still fires onchange a second time for check/radio after blur. if ( this.type === "checkbox" || this.type === "radio" ) { jQuery.event.add( this, "propertychange._change", function( event ) { if ( event.originalEvent.propertyName === "checked" ) { this._just_changed = true; } }); jQuery.event.add( this, "click._change", function( event ) { if ( this._just_changed && !event.isTrigger ) { this._just_changed = false; } // Allow triggered, simulated change events (#11500) jQuery.event.simulate( "change", this, event, true ); }); } return false; } // Delegated event; lazy-add a change handler on descendant inputs jQuery.event.add( this, "beforeactivate._change", function( e ) { var elem = e.target; if ( rformElems.test( elem.nodeName ) && !jQuery._data( elem, "changeBubbles" ) ) { jQuery.event.add( elem, "change._change", function( event ) { if ( this.parentNode && !event.isSimulated && !event.isTrigger ) { jQuery.event.simulate( "change", this.parentNode, event, true ); } }); jQuery._data( elem, "changeBubbles", true ); } }); }, handle: function( event ) { var elem = event.target; // Swallow native change events from checkbox/radio, we already triggered them above if ( this !== elem || event.isSimulated || event.isTrigger || (elem.type !== "radio" && elem.type !== "checkbox") ) { return event.handleObj.handler.apply( this, arguments ); } }, teardown: function() { jQuery.event.remove( this, "._change" ); return !rformElems.test( this.nodeName ); } }; } // Create "bubbling" focus and blur events if ( !jQuery.support.focusinBubbles ) { jQuery.each({ focus: "focusin", blur: "focusout" }, function( orig, fix ) { // Attach a single capturing handler while someone wants focusin/focusout var attaches = 0, handler = function( event ) { jQuery.event.simulate( fix, event.target, jQuery.event.fix( event ), true ); }; jQuery.event.special[ fix ] = { setup: function() { if ( attaches++ === 0 ) { document.addEventListener( orig, handler, true ); } }, teardown: function() { if ( --attaches === 0 ) { document.removeEventListener( orig, handler, true ); } } }; }); } jQuery.fn.extend({ on: function( types, selector, data, fn, /*INTERNAL*/ one ) { var type, origFn; // Types can be a map of types/handlers if ( typeof types === "object" ) { // ( types-Object, selector, data ) if ( typeof selector !== "string" ) { // ( types-Object, data ) data = data || selector; selector = undefined; } for ( type in types ) { this.on( type, selector, data, types[ type ], one ); } return this; } if ( data == null && fn == null ) { // ( types, fn ) fn = selector; data = selector = undefined; } else if ( fn == null ) { if ( typeof selector === "string" ) { // ( types, selector, fn ) fn = data; data = undefined; } else { // ( types, data, fn ) fn = data; data = selector; selector = undefined; } } if ( fn === false ) { fn = returnFalse; } else if ( !fn ) { return this; } if ( one === 1 ) { origFn = fn; fn = function( event ) { // Can use an empty set, since event contains the info jQuery().off( event ); return origFn.apply( this, arguments ); }; // Use same guid so caller can remove using origFn fn.guid = origFn.guid || ( origFn.guid = jQuery.guid++ ); } return this.each( function() { jQuery.event.add( this, types, fn, data, selector ); }); }, one: function( types, selector, data, fn ) { return this.on( types, selector, data, fn, 1 ); }, off: function( types, selector, fn ) { var handleObj, type; if ( types && types.preventDefault && types.handleObj ) { // ( event ) dispatched jQuery.Event handleObj = types.handleObj; jQuery( types.delegateTarget ).off( handleObj.namespace ? handleObj.origType + "." + handleObj.namespace : handleObj.origType, handleObj.selector, handleObj.handler ); return this; } if ( typeof types === "object" ) { // ( types-object [, selector] ) for ( type in types ) { this.off( type, selector, types[ type ] ); } return this; } if ( selector === false || typeof selector === "function" ) { // ( types [, fn] ) fn = selector; selector = undefined; } if ( fn === false ) { fn = returnFalse; } return this.each(function() { jQuery.event.remove( this, types, fn, selector ); }); }, bind: function( types, data, fn ) { return this.on( types, null, data, fn ); }, unbind: function( types, fn ) { return this.off( types, null, fn ); }, delegate: function( selector, types, data, fn ) { return this.on( types, selector, data, fn ); }, undelegate: function( selector, types, fn ) { // ( namespace ) or ( selector, types [, fn] ) return arguments.length === 1 ? this.off( selector, "**" ) : this.off( types, selector || "**", fn ); }, trigger: function( type, data ) { return this.each(function() { jQuery.event.trigger( type, data, this ); }); }, triggerHandler: function( type, data ) { var elem = this[0]; if ( elem ) { return jQuery.event.trigger( type, data, elem, true ); } } }); /*! * Sizzle CSS Selector Engine * Copyright 2012 jQuery Foundation and other contributors * Released under the MIT license * http://sizzlejs.com/ */ (function( window, undefined ) { var i, cachedruns, Expr, getText, isXML, compile, hasDuplicate, outermostContext, // Local document vars setDocument, document, docElem, documentIsXML, rbuggyQSA, rbuggyMatches, matches, contains, sortOrder, // Instance-specific data expando = "sizzle" + -(new Date()), preferredDoc = window.document, support = {}, dirruns = 0, done = 0, classCache = createCache(), tokenCache = createCache(), compilerCache = createCache(), // General-purpose constants strundefined = typeof undefined, MAX_NEGATIVE = 1 << 31, // Array methods arr = [], pop = arr.pop, push = arr.push, slice = arr.slice, // Use a stripped-down indexOf if we can't use a native one indexOf = arr.indexOf || function( elem ) { var i = 0, len = this.length; for ( ; i < len; i++ ) { if ( this[i] === elem ) { return i; } } return -1; }, // Regular expressions // Whitespace characters http://www.w3.org/TR/css3-selectors/#whitespace whitespace = "[\\x20\\t\\r\\n\\f]", // http://www.w3.org/TR/css3-syntax/#characters characterEncoding = "(?:\\\\.|[\\w-]|[^\\x00-\\xa0])+", // Loosely modeled on CSS identifier characters // An unquoted value should be a CSS identifier http://www.w3.org/TR/css3-selectors/#attribute-selectors // Proper syntax: http://www.w3.org/TR/CSS21/syndata.html#value-def-identifier identifier = characterEncoding.replace( "w", "w#" ), // Acceptable operators http://www.w3.org/TR/selectors/#attribute-selectors operators = "([*^$|!~]?=)", attributes = "\\[" + whitespace + "*(" + characterEncoding + ")" + whitespace + "*(?:" + operators + whitespace + "*(?:(['\"])((?:\\\\.|[^\\\\])*?)\\3|(" + identifier + ")|)|)" + whitespace + "*\\]", // Prefer arguments quoted, // then not containing pseudos/brackets, // then attribute selectors/non-parenthetical expressions, // then anything else // These preferences are here to reduce the number of selectors // needing tokenize in the PSEUDO preFilter pseudos = ":(" + characterEncoding + ")(?:\\(((['\"])((?:\\\\.|[^\\\\])*?)\\3|((?:\\\\.|[^\\\\()[\\]]|" + attributes.replace( 3, 8 ) + ")*)|.*)\\)|)", // Leading and non-escaped trailing whitespace, capturing some non-whitespace characters preceding the latter rtrim = new RegExp( "^" + whitespace + "+|((?:^|[^\\\\])(?:\\\\.)*)" + whitespace + "+$", "g" ), rcomma = new RegExp( "^" + whitespace + "*," + whitespace + "*" ), rcombinators = new RegExp( "^" + whitespace + "*([\\x20\\t\\r\\n\\f>+~])" + whitespace + "*" ), rpseudo = new RegExp( pseudos ), ridentifier = new RegExp( "^" + identifier + "$" ), matchExpr = { "ID": new RegExp( "^#(" + characterEncoding + ")" ), "CLASS": new RegExp( "^\\.(" + characterEncoding + ")" ), "NAME": new RegExp( "^\\[name=['\"]?(" + characterEncoding + ")['\"]?\\]" ), "TAG": new RegExp( "^(" + characterEncoding.replace( "w", "w*" ) + ")" ), "ATTR": new RegExp( "^" + attributes ), "PSEUDO": new RegExp( "^" + pseudos ), "CHILD": new RegExp( "^:(only|first|last|nth|nth-last)-(child|of-type)(?:\\(" + whitespace + "*(even|odd|(([+-]|)(\\d*)n|)" + whitespace + "*(?:([+-]|)" + whitespace + "*(\\d+)|))" + whitespace + "*\\)|)", "i" ), // For use in libraries implementing .is() // We use this for POS matching in `select` "needsContext": new RegExp( "^" + whitespace + "*[>+~]|:(even|odd|eq|gt|lt|nth|first|last)(?:\\(" + whitespace + "*((?:-\\d)?\\d*)" + whitespace + "*\\)|)(?=[^-]|$)", "i" ) }, rsibling = /[\x20\t\r\n\f]*[+~]/, rnative = /^[^{]+\{\s*\[native code/, // Easily-parseable/retrievable ID or TAG or CLASS selectors rquickExpr = /^(?:#([\w-]+)|(\w+)|\.([\w-]+))$/, rinputs = /^(?:input|select|textarea|button)$/i, rheader = /^h\d$/i, rescape = /'|\\/g, rattributeQuotes = /\=[\x20\t\r\n\f]*([^'"\]]*)[\x20\t\r\n\f]*\]/g, // CSS escapes http://www.w3.org/TR/CSS21/syndata.html#escaped-characters runescape = /\\([\da-fA-F]{1,6}[\x20\t\r\n\f]?|.)/g, funescape = function( _, escaped ) { var high = "0x" + escaped - 0x10000; // NaN means non-codepoint return high !== high ? escaped : // BMP codepoint high < 0 ? String.fromCharCode( high + 0x10000 ) : // Supplemental Plane codepoint (surrogate pair) String.fromCharCode( high >> 10 | 0xD800, high & 0x3FF | 0xDC00 ); }; // Use a stripped-down slice if we can't use a native one try { slice.call( preferredDoc.documentElement.childNodes, 0 )[0].nodeType; } catch ( e ) { slice = function( i ) { var elem, results = []; while ( (elem = this[i++]) ) { results.push( elem ); } return results; }; } /** * For feature detection * @param {Function} fn The function to test for native support */ function isNative( fn ) { return rnative.test( fn + "" ); } /** * Create key-value caches of limited size * @returns {Function(string, Object)} Returns the Object data after storing it on itself with * property name the (space-suffixed) string and (if the cache is larger than Expr.cacheLength) * deleting the oldest entry */ function createCache() { var cache, keys = []; return (cache = function( key, value ) { // Use (key + " ") to avoid collision with native prototype properties (see Issue #157) if ( keys.push( key += " " ) > Expr.cacheLength ) { // Only keep the most recent entries delete cache[ keys.shift() ]; } return (cache[ key ] = value); }); } /** * Mark a function for special use by Sizzle * @param {Function} fn The function to mark */ function markFunction( fn ) { fn[ expando ] = true; return fn; } /** * Support testing using an element * @param {Function} fn Passed the created div and expects a boolean result */ function assert( fn ) { var div = document.createElement("div"); try { return fn( div ); } catch (e) { return false; } finally { // release memory in IE div = null; } } function Sizzle( selector, context, results, seed ) { var match, elem, m, nodeType, // QSA vars i, groups, old, nid, newContext, newSelector; if ( ( context ? context.ownerDocument || context : preferredDoc ) !== document ) { setDocument( context ); } context = context || document; results = results || []; if ( !selector || typeof selector !== "string" ) { return results; } if ( (nodeType = context.nodeType) !== 1 && nodeType !== 9 ) { return []; } if ( !documentIsXML && !seed ) { // Shortcuts if ( (match = rquickExpr.exec( selector )) ) { // Speed-up: Sizzle("#ID") if ( (m = match[1]) ) { if ( nodeType === 9 ) { elem = context.getElementById( m ); // Check parentNode to catch when Blackberry 4.6 returns // nodes that are no longer in the document #6963 if ( elem && elem.parentNode ) { // Handle the case where IE, Opera, and Webkit return items // by name instead of ID if ( elem.id === m ) { results.push( elem ); return results; } } else { return results; } } else { // Context is not a document if ( context.ownerDocument && (elem = context.ownerDocument.getElementById( m )) && contains( context, elem ) && elem.id === m ) { results.push( elem ); return results; } } // Speed-up: Sizzle("TAG") } else if ( match[2] ) { push.apply( results, slice.call(context.getElementsByTagName( selector ), 0) ); return results; // Speed-up: Sizzle(".CLASS") } else if ( (m = match[3]) && support.getByClassName && context.getElementsByClassName ) { push.apply( results, slice.call(context.getElementsByClassName( m ), 0) ); return results; } } // QSA path if ( support.qsa && !rbuggyQSA.test(selector) ) { old = true; nid = expando; newContext = context; newSelector = nodeType === 9 && selector; // qSA works strangely on Element-rooted queries // We can work around this by specifying an extra ID on the root // and working up from there (Thanks to Andrew Dupont for the technique) // IE 8 doesn't work on object elements if ( nodeType === 1 && context.nodeName.toLowerCase() !== "object" ) { groups = tokenize( selector ); if ( (old = context.getAttribute("id")) ) { nid = old.replace( rescape, "\\$&" ); } else { context.setAttribute( "id", nid ); } nid = "[id='" + nid + "'] "; i = groups.length; while ( i-- ) { groups[i] = nid + toSelector( groups[i] ); } newContext = rsibling.test( selector ) && context.parentNode || context; newSelector = groups.join(","); } if ( newSelector ) { try { push.apply( results, slice.call( newContext.querySelectorAll( newSelector ), 0 ) ); return results; } catch(qsaError) { } finally { if ( !old ) { context.removeAttribute("id"); } } } } } // All others return select( selector.replace( rtrim, "$1" ), context, results, seed ); } /** * Detect xml * @param {Element|Object} elem An element or a document */ isXML = Sizzle.isXML = function( elem ) { // documentElement is verified for cases where it doesn't yet exist // (such as loading iframes in IE - #4833) var documentElement = elem && (elem.ownerDocument || elem).documentElement; return documentElement ? documentElement.nodeName !== "HTML" : false; }; /** * Sets document-related variables once based on the current document * @param {Element|Object} [doc] An element or document object to use to set the document * @returns {Object} Returns the current document */ setDocument = Sizzle.setDocument = function( node ) { var doc = node ? node.ownerDocument || node : preferredDoc; // If no document and documentElement is available, return if ( doc === document || doc.nodeType !== 9 || !doc.documentElement ) { return document; } // Set our document document = doc; docElem = doc.documentElement; // Support tests documentIsXML = isXML( doc ); // Check if getElementsByTagName("*") returns only elements support.tagNameNoComments = assert(function( div ) { div.appendChild( doc.createComment("") ); return !div.getElementsByTagName("*").length; }); // Check if attributes should be retrieved by attribute nodes support.attributes = assert(function( div ) { div.innerHTML = "<select></select>"; var type = typeof div.lastChild.getAttribute("multiple"); // IE8 returns a string for some attributes even when not present return type !== "boolean" && type !== "string"; }); // Check if getElementsByClassName can be trusted support.getByClassName = assert(function( div ) { // Opera can't find a second classname (in 9.6) div.innerHTML = "<div class='hidden e'></div><div class='hidden'></div>"; if ( !div.getElementsByClassName || !div.getElementsByClassName("e").length ) { return false; } // Safari 3.2 caches class attributes and doesn't catch changes div.lastChild.className = "e"; return div.getElementsByClassName("e").length === 2; }); // Check if getElementById returns elements by name // Check if getElementsByName privileges form controls or returns elements by ID support.getByName = assert(function( div ) { // Inject content div.id = expando + 0; div.innerHTML = "<a name='" + expando + "'></a><div name='" + expando + "'></div>"; docElem.insertBefore( div, docElem.firstChild ); // Test var pass = doc.getElementsByName && // buggy browsers will return fewer than the correct 2 doc.getElementsByName( expando ).length === 2 + // buggy browsers will return more than the correct 0 doc.getElementsByName( expando + 0 ).length; support.getIdNotName = !doc.getElementById( expando ); // Cleanup docElem.removeChild( div ); return pass; }); // IE6/7 return modified attributes Expr.attrHandle = assert(function( div ) { div.innerHTML = "<a href='#'></a>"; return div.firstChild && typeof div.firstChild.getAttribute !== strundefined && div.firstChild.getAttribute("href") === "#"; }) ? {} : { "href": function( elem ) { return elem.getAttribute( "href", 2 ); }, "type": function( elem ) { return elem.getAttribute("type"); } }; // ID find and filter if ( support.getIdNotName ) { Expr.find["ID"] = function( id, context ) { if ( typeof context.getElementById !== strundefined && !documentIsXML ) { var m = context.getElementById( id ); // Check parentNode to catch when Blackberry 4.6 returns // nodes that are no longer in the document #6963 return m && m.parentNode ? [m] : []; } }; Expr.filter["ID"] = function( id ) { var attrId = id.replace( runescape, funescape ); return function( elem ) { return elem.getAttribute("id") === attrId; }; }; } else { Expr.find["ID"] = function( id, context ) { if ( typeof context.getElementById !== strundefined && !documentIsXML ) { var m = context.getElementById( id ); return m ? m.id === id || typeof m.getAttributeNode !== strundefined && m.getAttributeNode("id").value === id ? [m] : undefined : []; } }; Expr.filter["ID"] = function( id ) { var attrId = id.replace( runescape, funescape ); return function( elem ) { var node = typeof elem.getAttributeNode !== strundefined && elem.getAttributeNode("id"); return node && node.value === attrId; }; }; } // Tag Expr.find["TAG"] = support.tagNameNoComments ? function( tag, context ) { if ( typeof context.getElementsByTagName !== strundefined ) { return context.getElementsByTagName( tag ); } } : function( tag, context ) { var elem, tmp = [], i = 0, results = context.getElementsByTagName( tag ); // Filter out possible comments if ( tag === "*" ) { while ( (elem = results[i++]) ) { if ( elem.nodeType === 1 ) { tmp.push( elem ); } } return tmp; } return results; }; // Name Expr.find["NAME"] = support.getByName && function( tag, context ) { if ( typeof context.getElementsByName !== strundefined ) { return context.getElementsByName( name ); } }; // Class Expr.find["CLASS"] = support.getByClassName && function( className, context ) { if ( typeof context.getElementsByClassName !== strundefined && !documentIsXML ) { return context.getElementsByClassName( className ); } }; // QSA and matchesSelector support // matchesSelector(:active) reports false when true (IE9/Opera 11.5) rbuggyMatches = []; // qSa(:focus) reports false when true (Chrome 21), // no need to also add to buggyMatches since matches checks buggyQSA // A support test would require too much code (would include document ready) rbuggyQSA = [ ":focus" ]; if ( (support.qsa = isNative(doc.querySelectorAll)) ) { // Build QSA regex // Regex strategy adopted from Diego Perini assert(function( div ) { // Select is set to empty string on purpose // This is to test IE's treatment of not explictly // setting a boolean content attribute, // since its presence should be enough // http://bugs.jquery.com/ticket/12359 div.innerHTML = "<select><option selected=''></option></select>"; // IE8 - Some boolean attributes are not treated correctly if ( !div.querySelectorAll("[selected]").length ) { rbuggyQSA.push( "\\[" + whitespace + "*(?:checked|disabled|ismap|multiple|readonly|selected|value)" ); } // Webkit/Opera - :checked should return selected option elements // http://www.w3.org/TR/2011/REC-css3-selectors-20110929/#checked // IE8 throws error here and will not see later tests if ( !div.querySelectorAll(":checked").length ) { rbuggyQSA.push(":checked"); } }); assert(function( div ) { // Opera 10-12/IE8 - ^= $= *= and empty values // Should not select anything div.innerHTML = "<input type='hidden' i=''/>"; if ( div.querySelectorAll("[i^='']").length ) { rbuggyQSA.push( "[*^$]=" + whitespace + "*(?:\"\"|'')" ); } // FF 3.5 - :enabled/:disabled and hidden elements (hidden elements are still enabled) // IE8 throws error here and will not see later tests if ( !div.querySelectorAll(":enabled").length ) { rbuggyQSA.push( ":enabled", ":disabled" ); } // Opera 10-11 does not throw on post-comma invalid pseudos div.querySelectorAll("*,:x"); rbuggyQSA.push(",.*:"); }); } if ( (support.matchesSelector = isNative( (matches = docElem.matchesSelector || docElem.mozMatchesSelector || docElem.webkitMatchesSelector || docElem.oMatchesSelector || docElem.msMatchesSelector) )) ) { assert(function( div ) { // Check to see if it's possible to do matchesSelector // on a disconnected node (IE 9) support.disconnectedMatch = matches.call( div, "div" ); // This should fail with an exception // Gecko does not error, returns false instead matches.call( div, "[s!='']:x" ); rbuggyMatches.push( "!=", pseudos ); }); } rbuggyQSA = new RegExp( rbuggyQSA.join("|") ); rbuggyMatches = new RegExp( rbuggyMatches.join("|") ); // Element contains another // Purposefully does not implement inclusive descendent // As in, an element does not contain itself contains = isNative(docElem.contains) || docElem.compareDocumentPosition ? function( a, b ) { var adown = a.nodeType === 9 ? a.documentElement : a, bup = b && b.parentNode; return a === bup || !!( bup && bup.nodeType === 1 && ( adown.contains ? adown.contains( bup ) : a.compareDocumentPosition && a.compareDocumentPosition( bup ) & 16 )); } : function( a, b ) { if ( b ) { while ( (b = b.parentNode) ) { if ( b === a ) { return true; } } } return false; }; // Document order sorting sortOrder = docElem.compareDocumentPosition ? function( a, b ) { var compare; if ( a === b ) { hasDuplicate = true; return 0; } if ( (compare = b.compareDocumentPosition && a.compareDocumentPosition && a.compareDocumentPosition( b )) ) { if ( compare & 1 || a.parentNode && a.parentNode.nodeType === 11 ) { if ( a === doc || contains( preferredDoc, a ) ) { return -1; } if ( b === doc || contains( preferredDoc, b ) ) { return 1; } return 0; } return compare & 4 ? -1 : 1; } return a.compareDocumentPosition ? -1 : 1; } : function( a, b ) { var cur, i = 0, aup = a.parentNode, bup = b.parentNode, ap = [ a ], bp = [ b ]; // Exit early if the nodes are identical if ( a === b ) { hasDuplicate = true; return 0; // Parentless nodes are either documents or disconnected } else if ( !aup || !bup ) { return a === doc ? -1 : b === doc ? 1 : aup ? -1 : bup ? 1 : 0; // If the nodes are siblings, we can do a quick check } else if ( aup === bup ) { return siblingCheck( a, b ); } // Otherwise we need full lists of their ancestors for comparison cur = a; while ( (cur = cur.parentNode) ) { ap.unshift( cur ); } cur = b; while ( (cur = cur.parentNode) ) { bp.unshift( cur ); } // Walk down the tree looking for a discrepancy while ( ap[i] === bp[i] ) { i++; } return i ? // Do a sibling check if the nodes have a common ancestor siblingCheck( ap[i], bp[i] ) : // Otherwise nodes in our document sort first ap[i] === preferredDoc ? -1 : bp[i] === preferredDoc ? 1 : 0; }; // Always assume the presence of duplicates if sort doesn't // pass them to our comparison function (as in Google Chrome). hasDuplicate = false; [0, 0].sort( sortOrder ); support.detectDuplicates = hasDuplicate; return document; }; Sizzle.matches = function( expr, elements ) { return Sizzle( expr, null, null, elements ); }; Sizzle.matchesSelector = function( elem, expr ) { // Set document vars if needed if ( ( elem.ownerDocument || elem ) !== document ) { setDocument( elem ); } // Make sure that attribute selectors are quoted expr = expr.replace( rattributeQuotes, "='$1']" ); // rbuggyQSA always contains :focus, so no need for an existence check if ( support.matchesSelector && !documentIsXML && (!rbuggyMatches || !rbuggyMatches.test(expr)) && !rbuggyQSA.test(expr) ) { try { var ret = matches.call( elem, expr ); // IE 9's matchesSelector returns false on disconnected nodes if ( ret || support.disconnectedMatch || // As well, disconnected nodes are said to be in a document // fragment in IE 9 elem.document && elem.document.nodeType !== 11 ) { return ret; } } catch(e) {} } return Sizzle( expr, document, null, [elem] ).length > 0; }; Sizzle.contains = function( context, elem ) { // Set document vars if needed if ( ( context.ownerDocument || context ) !== document ) { setDocument( context ); } return contains( context, elem ); }; Sizzle.attr = function( elem, name ) { var val; // Set document vars if needed if ( ( elem.ownerDocument || elem ) !== document ) { setDocument( elem ); } if ( !documentIsXML ) { name = name.toLowerCase(); } if ( (val = Expr.attrHandle[ name ]) ) { return val( elem ); } if ( documentIsXML || support.attributes ) { return elem.getAttribute( name ); } return ( (val = elem.getAttributeNode( name )) || elem.getAttribute( name ) ) && elem[ name ] === true ? name : val && val.specified ? val.value : null; }; Sizzle.error = function( msg ) { throw new Error( "Syntax error, unrecognized expression: " + msg ); }; // Document sorting and removing duplicates Sizzle.uniqueSort = function( results ) { var elem, duplicates = [], i = 1, j = 0; // Unless we *know* we can detect duplicates, assume their presence hasDuplicate = !support.detectDuplicates; results.sort( sortOrder ); if ( hasDuplicate ) { for ( ; (elem = results[i]); i++ ) { if ( elem === results[ i - 1 ] ) { j = duplicates.push( i ); } } while ( j-- ) { results.splice( duplicates[ j ], 1 ); } } return results; }; function siblingCheck( a, b ) { var cur = b && a, diff = cur && ( ~b.sourceIndex || MAX_NEGATIVE ) - ( ~a.sourceIndex || MAX_NEGATIVE ); // Use IE sourceIndex if available on both nodes if ( diff ) { return diff; } // Check if b follows a if ( cur ) { while ( (cur = cur.nextSibling) ) { if ( cur === b ) { return -1; } } } return a ? 1 : -1; } // Returns a function to use in pseudos for input types function createInputPseudo( type ) { return function( elem ) { var name = elem.nodeName.toLowerCase(); return name === "input" && elem.type === type; }; } // Returns a function to use in pseudos for buttons function createButtonPseudo( type ) { return function( elem ) { var name = elem.nodeName.toLowerCase(); return (name === "input" || name === "button") && elem.type === type; }; } // Returns a function to use in pseudos for positionals function createPositionalPseudo( fn ) { return markFunction(function( argument ) { argument = +argument; return markFunction(function( seed, matches ) { var j, matchIndexes = fn( [], seed.length, argument ), i = matchIndexes.length; // Match elements found at the specified indexes while ( i-- ) { if ( seed[ (j = matchIndexes[i]) ] ) { seed[j] = !(matches[j] = seed[j]); } } }); }); } /** * Utility function for retrieving the text value of an array of DOM nodes * @param {Array|Element} elem */ getText = Sizzle.getText = function( elem ) { var node, ret = "", i = 0, nodeType = elem.nodeType; if ( !nodeType ) { // If no nodeType, this is expected to be an array for ( ; (node = elem[i]); i++ ) { // Do not traverse comment nodes ret += getText( node ); } } else if ( nodeType === 1 || nodeType === 9 || nodeType === 11 ) { // Use textContent for elements // innerText usage removed for consistency of new lines (see #11153) if ( typeof elem.textContent === "string" ) { return elem.textContent; } else { // Traverse its children for ( elem = elem.firstChild; elem; elem = elem.nextSibling ) { ret += getText( elem ); } } } else if ( nodeType === 3 || nodeType === 4 ) { return elem.nodeValue; } // Do not include comment or processing instruction nodes return ret; }; Expr = Sizzle.selectors = { // Can be adjusted by the user cacheLength: 50, createPseudo: markFunction, match: matchExpr, find: {}, relative: { ">": { dir: "parentNode", first: true }, " ": { dir: "parentNode" }, "+": { dir: "previousSibling", first: true }, "~": { dir: "previousSibling" } }, preFilter: { "ATTR": function( match ) { match[1] = match[1].replace( runescape, funescape ); // Move the given value to match[3] whether quoted or unquoted match[3] = ( match[4] || match[5] || "" ).replace( runescape, funescape ); if ( match[2] === "~=" ) { match[3] = " " + match[3] + " "; } return match.slice( 0, 4 ); }, "CHILD": function( match ) { /* matches from matchExpr["CHILD"] 1 type (only|nth|...) 2 what (child|of-type) 3 argument (even|odd|\d*|\d*n([+-]\d+)?|...) 4 xn-component of xn+y argument ([+-]?\d*n|) 5 sign of xn-component 6 x of xn-component 7 sign of y-component 8 y of y-component */ match[1] = match[1].toLowerCase(); if ( match[1].slice( 0, 3 ) === "nth" ) { // nth-* requires argument if ( !match[3] ) { Sizzle.error( match[0] ); } // numeric x and y parameters for Expr.filter.CHILD // remember that false/true cast respectively to 0/1 match[4] = +( match[4] ? match[5] + (match[6] || 1) : 2 * ( match[3] === "even" || match[3] === "odd" ) ); match[5] = +( ( match[7] + match[8] ) || match[3] === "odd" ); // other types prohibit arguments } else if ( match[3] ) { Sizzle.error( match[0] ); } return match; }, "PSEUDO": function( match ) { var excess, unquoted = !match[5] && match[2]; if ( matchExpr["CHILD"].test( match[0] ) ) { return null; } // Accept quoted arguments as-is if ( match[4] ) { match[2] = match[4]; // Strip excess characters from unquoted arguments } else if ( unquoted && rpseudo.test( unquoted ) && // Get excess from tokenize (recursively) (excess = tokenize( unquoted, true )) && // advance to the next closing parenthesis (excess = unquoted.indexOf( ")", unquoted.length - excess ) - unquoted.length) ) { // excess is a negative index match[0] = match[0].slice( 0, excess ); match[2] = unquoted.slice( 0, excess ); } // Return only captures needed by the pseudo filter method (type and argument) return match.slice( 0, 3 ); } }, filter: { "TAG": function( nodeName ) { if ( nodeName === "*" ) { return function() { return true; }; } nodeName = nodeName.replace( runescape, funescape ).toLowerCase(); return function( elem ) { return elem.nodeName && elem.nodeName.toLowerCase() === nodeName; }; }, "CLASS": function( className ) { var pattern = classCache[ className + " " ]; return pattern || (pattern = new RegExp( "(^|" + whitespace + ")" + className + "(" + whitespace + "|$)" )) && classCache( className, function( elem ) { return pattern.test( elem.className || (typeof elem.getAttribute !== strundefined && elem.getAttribute("class")) || "" ); }); }, "ATTR": function( name, operator, check ) { return function( elem ) { var result = Sizzle.attr( elem, name ); if ( result == null ) { return operator === "!="; } if ( !operator ) { return true; } result += ""; return operator === "=" ? result === check : operator === "!=" ? result !== check : operator === "^=" ? check && result.indexOf( check ) === 0 : operator === "*=" ? check && result.indexOf( check ) > -1 : operator === "$=" ? check && result.slice( -check.length ) === check : operator === "~=" ? ( " " + result + " " ).indexOf( check ) > -1 : operator === "|=" ? result === check || result.slice( 0, check.length + 1 ) === check + "-" : false; }; }, "CHILD": function( type, what, argument, first, last ) { var simple = type.slice( 0, 3 ) !== "nth", forward = type.slice( -4 ) !== "last", ofType = what === "of-type"; return first === 1 && last === 0 ? // Shortcut for :nth-*(n) function( elem ) { return !!elem.parentNode; } : function( elem, context, xml ) { var cache, outerCache, node, diff, nodeIndex, start, dir = simple !== forward ? "nextSibling" : "previousSibling", parent = elem.parentNode, name = ofType && elem.nodeName.toLowerCase(), useCache = !xml && !ofType; if ( parent ) { // :(first|last|only)-(child|of-type) if ( simple ) { while ( dir ) { node = elem; while ( (node = node[ dir ]) ) { if ( ofType ? node.nodeName.toLowerCase() === name : node.nodeType === 1 ) { return false; } } // Reverse direction for :only-* (if we haven't yet done so) start = dir = type === "only" && !start && "nextSibling"; } return true; } start = [ forward ? parent.firstChild : parent.lastChild ]; // non-xml :nth-child(...) stores cache data on `parent` if ( forward && useCache ) { // Seek `elem` from a previously-cached index outerCache = parent[ expando ] || (parent[ expando ] = {}); cache = outerCache[ type ] || []; nodeIndex = cache[0] === dirruns && cache[1]; diff = cache[0] === dirruns && cache[2]; node = nodeIndex && parent.childNodes[ nodeIndex ]; while ( (node = ++nodeIndex && node && node[ dir ] || // Fallback to seeking `elem` from the start (diff = nodeIndex = 0) || start.pop()) ) { // When found, cache indexes on `parent` and break if ( node.nodeType === 1 && ++diff && node === elem ) { outerCache[ type ] = [ dirruns, nodeIndex, diff ]; break; } } // Use previously-cached element index if available } else if ( useCache && (cache = (elem[ expando ] || (elem[ expando ] = {}))[ type ]) && cache[0] === dirruns ) { diff = cache[1]; // xml :nth-child(...) or :nth-last-child(...) or :nth(-last)?-of-type(...) } else { // Use the same loop as above to seek `elem` from the start while ( (node = ++nodeIndex && node && node[ dir ] || (diff = nodeIndex = 0) || start.pop()) ) { if ( ( ofType ? node.nodeName.toLowerCase() === name : node.nodeType === 1 ) && ++diff ) { // Cache the index of each encountered element if ( useCache ) { (node[ expando ] || (node[ expando ] = {}))[ type ] = [ dirruns, diff ]; } if ( node === elem ) { break; } } } } // Incorporate the offset, then check against cycle size diff -= last; return diff === first || ( diff % first === 0 && diff / first >= 0 ); } }; }, "PSEUDO": function( pseudo, argument ) { // pseudo-class names are case-insensitive // http://www.w3.org/TR/selectors/#pseudo-classes // Prioritize by case sensitivity in case custom pseudos are added with uppercase letters // Remember that setFilters inherits from pseudos var args, fn = Expr.pseudos[ pseudo ] || Expr.setFilters[ pseudo.toLowerCase() ] || Sizzle.error( "unsupported pseudo: " + pseudo ); // The user may use createPseudo to indicate that // arguments are needed to create the filter function // just as Sizzle does if ( fn[ expando ] ) { return fn( argument ); } // But maintain support for old signatures if ( fn.length > 1 ) { args = [ pseudo, pseudo, "", argument ]; return Expr.setFilters.hasOwnProperty( pseudo.toLowerCase() ) ? markFunction(function( seed, matches ) { var idx, matched = fn( seed, argument ), i = matched.length; while ( i-- ) { idx = indexOf.call( seed, matched[i] ); seed[ idx ] = !( matches[ idx ] = matched[i] ); } }) : function( elem ) { return fn( elem, 0, args ); }; } return fn; } }, pseudos: { // Potentially complex pseudos "not": markFunction(function( selector ) { // Trim the selector passed to compile // to avoid treating leading and trailing // spaces as combinators var input = [], results = [], matcher = compile( selector.replace( rtrim, "$1" ) ); return matcher[ expando ] ? markFunction(function( seed, matches, context, xml ) { var elem, unmatched = matcher( seed, null, xml, [] ), i = seed.length; // Match elements unmatched by `matcher` while ( i-- ) { if ( (elem = unmatched[i]) ) { seed[i] = !(matches[i] = elem); } } }) : function( elem, context, xml ) { input[0] = elem; matcher( input, null, xml, results ); return !results.pop(); }; }), "has": markFunction(function( selector ) { return function( elem ) { return Sizzle( selector, elem ).length > 0; }; }), "contains": markFunction(function( text ) { return function( elem ) { return ( elem.textContent || elem.innerText || getText( elem ) ).indexOf( text ) > -1; }; }), // "Whether an element is represented by a :lang() selector // is based solely on the element's language value // being equal to the identifier C, // or beginning with the identifier C immediately followed by "-". // The matching of C against the element's language value is performed case-insensitively. // The identifier C does not have to be a valid language name." // http://www.w3.org/TR/selectors/#lang-pseudo "lang": markFunction( function( lang ) { // lang value must be a valid identifider if ( !ridentifier.test(lang || "") ) { Sizzle.error( "unsupported lang: " + lang ); } lang = lang.replace( runescape, funescape ).toLowerCase(); return function( elem ) { var elemLang; do { if ( (elemLang = documentIsXML ? elem.getAttribute("xml:lang") || elem.getAttribute("lang") : elem.lang) ) { elemLang = elemLang.toLowerCase(); return elemLang === lang || elemLang.indexOf( lang + "-" ) === 0; } } while ( (elem = elem.parentNode) && elem.nodeType === 1 ); return false; }; }), // Miscellaneous "target": function( elem ) { var hash = window.location && window.location.hash; return hash && hash.slice( 1 ) === elem.id; }, "root": function( elem ) { return elem === docElem; }, "focus": function( elem ) { return elem === document.activeElement && (!document.hasFocus || document.hasFocus()) && !!(elem.type || elem.href || ~elem.tabIndex); }, // Boolean properties "enabled": function( elem ) { return elem.disabled === false; }, "disabled": function( elem ) { return elem.disabled === true; }, "checked": function( elem ) { // In CSS3, :checked should return both checked and selected elements // http://www.w3.org/TR/2011/REC-css3-selectors-20110929/#checked var nodeName = elem.nodeName.toLowerCase(); return (nodeName === "input" && !!elem.checked) || (nodeName === "option" && !!elem.selected); }, "selected": function( elem ) { // Accessing this property makes selected-by-default // options in Safari work properly if ( elem.parentNode ) { elem.parentNode.selectedIndex; } return elem.selected === true; }, // Contents "empty": function( elem ) { // http://www.w3.org/TR/selectors/#empty-pseudo // :empty is only affected by element nodes and content nodes(including text(3), cdata(4)), // not comment, processing instructions, or others // Thanks to Diego Perini for the nodeName shortcut // Greater than "@" means alpha characters (specifically not starting with "#" or "?") for ( elem = elem.firstChild; elem; elem = elem.nextSibling ) { if ( elem.nodeName > "@" || elem.nodeType === 3 || elem.nodeType === 4 ) { return false; } } return true; }, "parent": function( elem ) { return !Expr.pseudos["empty"]( elem ); }, // Element/input types "header": function( elem ) { return rheader.test( elem.nodeName ); }, "input": function( elem ) { return rinputs.test( elem.nodeName ); }, "button": function( elem ) { var name = elem.nodeName.toLowerCase(); return name === "input" && elem.type === "button" || name === "button"; }, "text": function( elem ) { var attr; // IE6 and 7 will map elem.type to 'text' for new HTML5 types (search, etc) // use getAttribute instead to test this case return elem.nodeName.toLowerCase() === "input" && elem.type === "text" && ( (attr = elem.getAttribute("type")) == null || attr.toLowerCase() === elem.type ); }, // Position-in-collection "first": createPositionalPseudo(function() { return [ 0 ]; }), "last": createPositionalPseudo(function( matchIndexes, length ) { return [ length - 1 ]; }), "eq": createPositionalPseudo(function( matchIndexes, length, argument ) { return [ argument < 0 ? argument + length : argument ]; }), "even": createPositionalPseudo(function( matchIndexes, length ) { var i = 0; for ( ; i < length; i += 2 ) { matchIndexes.push( i ); } return matchIndexes; }), "odd": createPositionalPseudo(function( matchIndexes, length ) { var i = 1; for ( ; i < length; i += 2 ) { matchIndexes.push( i ); } return matchIndexes; }), "lt": createPositionalPseudo(function( matchIndexes, length, argument ) { var i = argument < 0 ? argument + length : argument; for ( ; --i >= 0; ) { matchIndexes.push( i ); } return matchIndexes; }), "gt": createPositionalPseudo(function( matchIndexes, length, argument ) { var i = argument < 0 ? argument + length : argument; for ( ; ++i < length; ) { matchIndexes.push( i ); } return matchIndexes; }) } }; // Add button/input type pseudos for ( i in { radio: true, checkbox: true, file: true, password: true, image: true } ) { Expr.pseudos[ i ] = createInputPseudo( i ); } for ( i in { submit: true, reset: true } ) { Expr.pseudos[ i ] = createButtonPseudo( i ); } function tokenize( selector, parseOnly ) { var matched, match, tokens, type, soFar, groups, preFilters, cached = tokenCache[ selector + " " ]; if ( cached ) { return parseOnly ? 0 : cached.slice( 0 ); } soFar = selector; groups = []; preFilters = Expr.preFilter; while ( soFar ) { // Comma and first run if ( !matched || (match = rcomma.exec( soFar )) ) { if ( match ) { // Don't consume trailing commas as valid soFar = soFar.slice( match[0].length ) || soFar; } groups.push( tokens = [] ); } matched = false; // Combinators if ( (match = rcombinators.exec( soFar )) ) { matched = match.shift(); tokens.push( { value: matched, // Cast descendant combinators to space type: match[0].replace( rtrim, " " ) } ); soFar = soFar.slice( matched.length ); } // Filters for ( type in Expr.filter ) { if ( (match = matchExpr[ type ].exec( soFar )) && (!preFilters[ type ] || (match = preFilters[ type ]( match ))) ) { matched = match.shift(); tokens.push( { value: matched, type: type, matches: match } ); soFar = soFar.slice( matched.length ); } } if ( !matched ) { break; } } // Return the length of the invalid excess // if we're just parsing // Otherwise, throw an error or return tokens return parseOnly ? soFar.length : soFar ? Sizzle.error( selector ) : // Cache the tokens tokenCache( selector, groups ).slice( 0 ); } function toSelector( tokens ) { var i = 0, len = tokens.length, selector = ""; for ( ; i < len; i++ ) { selector += tokens[i].value; } return selector; } function addCombinator( matcher, combinator, base ) { var dir = combinator.dir, checkNonElements = base && dir === "parentNode", doneName = done++; return combinator.first ? // Check against closest ancestor/preceding element function( elem, context, xml ) { while ( (elem = elem[ dir ]) ) { if ( elem.nodeType === 1 || checkNonElements ) { return matcher( elem, context, xml ); } } } : // Check against all ancestor/preceding elements function( elem, context, xml ) { var data, cache, outerCache, dirkey = dirruns + " " + doneName; // We can't set arbitrary data on XML nodes, so they don't benefit from dir caching if ( xml ) { while ( (elem = elem[ dir ]) ) { if ( elem.nodeType === 1 || checkNonElements ) { if ( matcher( elem, context, xml ) ) { return true; } } } } else { while ( (elem = elem[ dir ]) ) { if ( elem.nodeType === 1 || checkNonElements ) { outerCache = elem[ expando ] || (elem[ expando ] = {}); if ( (cache = outerCache[ dir ]) && cache[0] === dirkey ) { if ( (data = cache[1]) === true || data === cachedruns ) { return data === true; } } else { cache = outerCache[ dir ] = [ dirkey ]; cache[1] = matcher( elem, context, xml ) || cachedruns; if ( cache[1] === true ) { return true; } } } } } }; } function elementMatcher( matchers ) { return matchers.length > 1 ? function( elem, context, xml ) { var i = matchers.length; while ( i-- ) { if ( !matchers[i]( elem, context, xml ) ) { return false; } } return true; } : matchers[0]; } function condense( unmatched, map, filter, context, xml ) { var elem, newUnmatched = [], i = 0, len = unmatched.length, mapped = map != null; for ( ; i < len; i++ ) { if ( (elem = unmatched[i]) ) { if ( !filter || filter( elem, context, xml ) ) { newUnmatched.push( elem ); if ( mapped ) { map.push( i ); } } } } return newUnmatched; } function setMatcher( preFilter, selector, matcher, postFilter, postFinder, postSelector ) { if ( postFilter && !postFilter[ expando ] ) { postFilter = setMatcher( postFilter ); } if ( postFinder && !postFinder[ expando ] ) { postFinder = setMatcher( postFinder, postSelector ); } return markFunction(function( seed, results, context, xml ) { var temp, i, elem, preMap = [], postMap = [], preexisting = results.length, // Get initial elements from seed or context elems = seed || multipleContexts( selector || "*", context.nodeType ? [ context ] : context, [] ), // Prefilter to get matcher input, preserving a map for seed-results synchronization matcherIn = preFilter && ( seed || !selector ) ? condense( elems, preMap, preFilter, context, xml ) : elems, matcherOut = matcher ? // If we have a postFinder, or filtered seed, or non-seed postFilter or preexisting results, postFinder || ( seed ? preFilter : preexisting || postFilter ) ? // ...intermediate processing is necessary [] : // ...otherwise use results directly results : matcherIn; // Find primary matches if ( matcher ) { matcher( matcherIn, matcherOut, context, xml ); } // Apply postFilter if ( postFilter ) { temp = condense( matcherOut, postMap ); postFilter( temp, [], context, xml ); // Un-match failing elements by moving them back to matcherIn i = temp.length; while ( i-- ) { if ( (elem = temp[i]) ) { matcherOut[ postMap[i] ] = !(matcherIn[ postMap[i] ] = elem); } } } if ( seed ) { if ( postFinder || preFilter ) { if ( postFinder ) { // Get the final matcherOut by condensing this intermediate into postFinder contexts temp = []; i = matcherOut.length; while ( i-- ) { if ( (elem = matcherOut[i]) ) { // Restore matcherIn since elem is not yet a final match temp.push( (matcherIn[i] = elem) ); } } postFinder( null, (matcherOut = []), temp, xml ); } // Move matched elements from seed to results to keep them synchronized i = matcherOut.length; while ( i-- ) { if ( (elem = matcherOut[i]) && (temp = postFinder ? indexOf.call( seed, elem ) : preMap[i]) > -1 ) { seed[temp] = !(results[temp] = elem); } } } // Add elements to results, through postFinder if defined } else { matcherOut = condense( matcherOut === results ? matcherOut.splice( preexisting, matcherOut.length ) : matcherOut ); if ( postFinder ) { postFinder( null, results, matcherOut, xml ); } else { push.apply( results, matcherOut ); } } }); } function matcherFromTokens( tokens ) { var checkContext, matcher, j, len = tokens.length, leadingRelative = Expr.relative[ tokens[0].type ], implicitRelative = leadingRelative || Expr.relative[" "], i = leadingRelative ? 1 : 0, // The foundational matcher ensures that elements are reachable from top-level context(s) matchContext = addCombinator( function( elem ) { return elem === checkContext; }, implicitRelative, true ), matchAnyContext = addCombinator( function( elem ) { return indexOf.call( checkContext, elem ) > -1; }, implicitRelative, true ), matchers = [ function( elem, context, xml ) { return ( !leadingRelative && ( xml || context !== outermostContext ) ) || ( (checkContext = context).nodeType ? matchContext( elem, context, xml ) : matchAnyContext( elem, context, xml ) ); } ]; for ( ; i < len; i++ ) { if ( (matcher = Expr.relative[ tokens[i].type ]) ) { matchers = [ addCombinator(elementMatcher( matchers ), matcher) ]; } else { matcher = Expr.filter[ tokens[i].type ].apply( null, tokens[i].matches ); // Return special upon seeing a positional matcher if ( matcher[ expando ] ) { // Find the next relative operator (if any) for proper handling j = ++i; for ( ; j < len; j++ ) { if ( Expr.relative[ tokens[j].type ] ) { break; } } return setMatcher( i > 1 && elementMatcher( matchers ), i > 1 && toSelector( tokens.slice( 0, i - 1 ) ).replace( rtrim, "$1" ), matcher, i < j && matcherFromTokens( tokens.slice( i, j ) ), j < len && matcherFromTokens( (tokens = tokens.slice( j )) ), j < len && toSelector( tokens ) ); } matchers.push( matcher ); } } return elementMatcher( matchers ); } function matcherFromGroupMatchers( elementMatchers, setMatchers ) { // A counter to specify which element is currently being matched var matcherCachedRuns = 0, bySet = setMatchers.length > 0, byElement = elementMatchers.length > 0, superMatcher = function( seed, context, xml, results, expandContext ) { var elem, j, matcher, setMatched = [], matchedCount = 0, i = "0", unmatched = seed && [], outermost = expandContext != null, contextBackup = outermostContext, // We must always have either seed elements or context elems = seed || byElement && Expr.find["TAG"]( "*", expandContext && context.parentNode || context ), // Use integer dirruns iff this is the outermost matcher dirrunsUnique = (dirruns += contextBackup == null ? 1 : Math.random() || 0.1); if ( outermost ) { outermostContext = context !== document && context; cachedruns = matcherCachedRuns; } // Add elements passing elementMatchers directly to results // Keep `i` a string if there are no elements so `matchedCount` will be "00" below for ( ; (elem = elems[i]) != null; i++ ) { if ( byElement && elem ) { j = 0; while ( (matcher = elementMatchers[j++]) ) { if ( matcher( elem, context, xml ) ) { results.push( elem ); break; } } if ( outermost ) { dirruns = dirrunsUnique; cachedruns = ++matcherCachedRuns; } } // Track unmatched elements for set filters if ( bySet ) { // They will have gone through all possible matchers if ( (elem = !matcher && elem) ) { matchedCount--; } // Lengthen the array for every element, matched or not if ( seed ) { unmatched.push( elem ); } } } // Apply set filters to unmatched elements matchedCount += i; if ( bySet && i !== matchedCount ) { j = 0; while ( (matcher = setMatchers[j++]) ) { matcher( unmatched, setMatched, context, xml ); } if ( seed ) { // Reintegrate element matches to eliminate the need for sorting if ( matchedCount > 0 ) { while ( i-- ) { if ( !(unmatched[i] || setMatched[i]) ) { setMatched[i] = pop.call( results ); } } } // Discard index placeholder values to get only actual matches setMatched = condense( setMatched ); } // Add matches to results push.apply( results, setMatched ); // Seedless set matches succeeding multiple successful matchers stipulate sorting if ( outermost && !seed && setMatched.length > 0 && ( matchedCount + setMatchers.length ) > 1 ) { Sizzle.uniqueSort( results ); } } // Override manipulation of globals by nested matchers if ( outermost ) { dirruns = dirrunsUnique; outermostContext = contextBackup; } return unmatched; }; return bySet ? markFunction( superMatcher ) : superMatcher; } compile = Sizzle.compile = function( selector, group /* Internal Use Only */ ) { var i, setMatchers = [], elementMatchers = [], cached = compilerCache[ selector + " " ]; if ( !cached ) { // Generate a function of recursive functions that can be used to check each element if ( !group ) { group = tokenize( selector ); } i = group.length; while ( i-- ) { cached = matcherFromTokens( group[i] ); if ( cached[ expando ] ) { setMatchers.push( cached ); } else { elementMatchers.push( cached ); } } // Cache the compiled function cached = compilerCache( selector, matcherFromGroupMatchers( elementMatchers, setMatchers ) ); } return cached; }; function multipleContexts( selector, contexts, results ) { var i = 0, len = contexts.length; for ( ; i < len; i++ ) { Sizzle( selector, contexts[i], results ); } return results; } function select( selector, context, results, seed ) { var i, tokens, token, type, find, match = tokenize( selector ); if ( !seed ) { // Try to minimize operations if there is only one group if ( match.length === 1 ) { // Take a shortcut and set the context if the root selector is an ID tokens = match[0] = match[0].slice( 0 ); if ( tokens.length > 2 && (token = tokens[0]).type === "ID" && context.nodeType === 9 && !documentIsXML && Expr.relative[ tokens[1].type ] ) { context = Expr.find["ID"]( token.matches[0].replace( runescape, funescape ), context )[0]; if ( !context ) { return results; } selector = selector.slice( tokens.shift().value.length ); } // Fetch a seed set for right-to-left matching i = matchExpr["needsContext"].test( selector ) ? 0 : tokens.length; while ( i-- ) { token = tokens[i]; // Abort if we hit a combinator if ( Expr.relative[ (type = token.type) ] ) { break; } if ( (find = Expr.find[ type ]) ) { // Search, expanding context for leading sibling combinators if ( (seed = find( token.matches[0].replace( runescape, funescape ), rsibling.test( tokens[0].type ) && context.parentNode || context )) ) { // If seed is empty or no tokens remain, we can return early tokens.splice( i, 1 ); selector = seed.length && toSelector( tokens ); if ( !selector ) { push.apply( results, slice.call( seed, 0 ) ); return results; } break; } } } } } // Compile and execute a filtering function // Provide `match` to avoid retokenization if we modified the selector above compile( selector, match )( seed, context, documentIsXML, results, rsibling.test( selector ) ); return results; } // Deprecated Expr.pseudos["nth"] = Expr.pseudos["eq"]; // Easy API for creating new setFilters function setFilters() {} Expr.filters = setFilters.prototype = Expr.pseudos; Expr.setFilters = new setFilters(); // Initialize with the default document setDocument(); // Override sizzle attribute retrieval Sizzle.attr = jQuery.attr; jQuery.find = Sizzle; jQuery.expr = Sizzle.selectors; jQuery.expr[":"] = jQuery.expr.pseudos; jQuery.unique = Sizzle.uniqueSort; jQuery.text = Sizzle.getText; jQuery.isXMLDoc = Sizzle.isXML; jQuery.contains = Sizzle.contains; })( window ); var runtil = /Until$/, rparentsprev = /^(?:parents|prev(?:Until|All))/, isSimple = /^.[^:#\[\.,]*$/, rneedsContext = jQuery.expr.match.needsContext, // methods guaranteed to produce a unique set when starting from a unique set guaranteedUnique = { children: true, contents: true, next: true, prev: true }; jQuery.fn.extend({ find: function( selector ) { var i, ret, self, len = this.length; if ( typeof selector !== "string" ) { self = this; return this.pushStack( jQuery( selector ).filter(function() { for ( i = 0; i < len; i++ ) { if ( jQuery.contains( self[ i ], this ) ) { return true; } } }) ); } ret = []; for ( i = 0; i < len; i++ ) { jQuery.find( selector, this[ i ], ret ); } // Needed because $( selector, context ) becomes $( context ).find( selector ) ret = this.pushStack( len > 1 ? jQuery.unique( ret ) : ret ); ret.selector = ( this.selector ? this.selector + " " : "" ) + selector; return ret; }, has: function( target ) { var i, targets = jQuery( target, this ), len = targets.length; return this.filter(function() { for ( i = 0; i < len; i++ ) { if ( jQuery.contains( this, targets[i] ) ) { return true; } } }); }, not: function( selector ) { return this.pushStack( winnow(this, selector, false) ); }, filter: function( selector ) { return this.pushStack( winnow(this, selector, true) ); }, is: function( selector ) { return !!selector && ( typeof selector === "string" ? // If this is a positional/relative selector, check membership in the returned set // so $("p:first").is("p:last") won't return true for a doc with two "p". rneedsContext.test( selector ) ? jQuery( selector, this.context ).index( this[0] ) >= 0 : jQuery.filter( selector, this ).length > 0 : this.filter( selector ).length > 0 ); }, closest: function( selectors, context ) { var cur, i = 0, l = this.length, ret = [], pos = rneedsContext.test( selectors ) || typeof selectors !== "string" ? jQuery( selectors, context || this.context ) : 0; for ( ; i < l; i++ ) { cur = this[i]; while ( cur && cur.ownerDocument && cur !== context && cur.nodeType !== 11 ) { if ( pos ? pos.index(cur) > -1 : jQuery.find.matchesSelector(cur, selectors) ) { ret.push( cur ); break; } cur = cur.parentNode; } } return this.pushStack( ret.length > 1 ? jQuery.unique( ret ) : ret ); }, // Determine the position of an element within // the matched set of elements index: function( elem ) { // No argument, return index in parent if ( !elem ) { return ( this[0] && this[0].parentNode ) ? this.first().prevAll().length : -1; } // index in selector if ( typeof elem === "string" ) { return jQuery.inArray( this[0], jQuery( elem ) ); } // Locate the position of the desired element return jQuery.inArray( // If it receives a jQuery object, the first element is used elem.jquery ? elem[0] : elem, this ); }, add: function( selector, context ) { var set = typeof selector === "string" ? jQuery( selector, context ) : jQuery.makeArray( selector && selector.nodeType ? [ selector ] : selector ), all = jQuery.merge( this.get(), set ); return this.pushStack( jQuery.unique(all) ); }, addBack: function( selector ) { return this.add( selector == null ? this.prevObject : this.prevObject.filter(selector) ); } }); jQuery.fn.andSelf = jQuery.fn.addBack; function sibling( cur, dir ) { do { cur = cur[ dir ]; } while ( cur && cur.nodeType !== 1 ); return cur; } jQuery.each({ parent: function( elem ) { var parent = elem.parentNode; return parent && parent.nodeType !== 11 ? parent : null; }, parents: function( elem ) { return jQuery.dir( elem, "parentNode" ); }, parentsUntil: function( elem, i, until ) { return jQuery.dir( elem, "parentNode", until ); }, next: function( elem ) { return sibling( elem, "nextSibling" ); }, prev: function( elem ) { return sibling( elem, "previousSibling" ); }, nextAll: function( elem ) { return jQuery.dir( elem, "nextSibling" ); }, prevAll: function( elem ) { return jQuery.dir( elem, "previousSibling" ); }, nextUntil: function( elem, i, until ) { return jQuery.dir( elem, "nextSibling", until ); }, prevUntil: function( elem, i, until ) { return jQuery.dir( elem, "previousSibling", until ); }, siblings: function( elem ) { return jQuery.sibling( ( elem.parentNode || {} ).firstChild, elem ); }, children: function( elem ) { return jQuery.sibling( elem.firstChild ); }, contents: function( elem ) { return jQuery.nodeName( elem, "iframe" ) ? elem.contentDocument || elem.contentWindow.document : jQuery.merge( [], elem.childNodes ); } }, function( name, fn ) { jQuery.fn[ name ] = function( until, selector ) { var ret = jQuery.map( this, fn, until ); if ( !runtil.test( name ) ) { selector = until; } if ( selector && typeof selector === "string" ) { ret = jQuery.filter( selector, ret ); } ret = this.length > 1 && !guaranteedUnique[ name ] ? jQuery.unique( ret ) : ret; if ( this.length > 1 && rparentsprev.test( name ) ) { ret = ret.reverse(); } return this.pushStack( ret ); }; }); jQuery.extend({ filter: function( expr, elems, not ) { if ( not ) { expr = ":not(" + expr + ")"; } return elems.length === 1 ? jQuery.find.matchesSelector(elems[0], expr) ? [ elems[0] ] : [] : jQuery.find.matches(expr, elems); }, dir: function( elem, dir, until ) { var matched = [], cur = elem[ dir ]; while ( cur && cur.nodeType !== 9 && (until === undefined || cur.nodeType !== 1 || !jQuery( cur ).is( until )) ) { if ( cur.nodeType === 1 ) { matched.push( cur ); } cur = cur[dir]; } return matched; }, sibling: function( n, elem ) { var r = []; for ( ; n; n = n.nextSibling ) { if ( n.nodeType === 1 && n !== elem ) { r.push( n ); } } return r; } }); // Implement the identical functionality for filter and not function winnow( elements, qualifier, keep ) { // Can't pass null or undefined to indexOf in Firefox 4 // Set to 0 to skip string check qualifier = qualifier || 0; if ( jQuery.isFunction( qualifier ) ) { return jQuery.grep(elements, function( elem, i ) { var retVal = !!qualifier.call( elem, i, elem ); return retVal === keep; }); } else if ( qualifier.nodeType ) { return jQuery.grep(elements, function( elem ) { return ( elem === qualifier ) === keep; }); } else if ( typeof qualifier === "string" ) { var filtered = jQuery.grep(elements, function( elem ) { return elem.nodeType === 1; }); if ( isSimple.test( qualifier ) ) { return jQuery.filter(qualifier, filtered, !keep); } else { qualifier = jQuery.filter( qualifier, filtered ); } } return jQuery.grep(elements, function( elem ) { return ( jQuery.inArray( elem, qualifier ) >= 0 ) === keep; }); } function createSafeFragment( document ) { var list = nodeNames.split( "|" ), safeFrag = document.createDocumentFragment(); if ( safeFrag.createElement ) { while ( list.length ) { safeFrag.createElement( list.pop() ); } } return safeFrag; } var nodeNames = "abbr|article|aside|audio|bdi|canvas|data|datalist|details|figcaption|figure|footer|" + "header|hgroup|mark|meter|nav|output|progress|section|summary|time|video", rinlinejQuery = / jQuery\d+="(?:null|\d+)"/g, rnoshimcache = new RegExp("<(?:" + nodeNames + ")[\\s/>]", "i"), rleadingWhitespace = /^\s+/, rxhtmlTag = /<(?!area|br|col|embed|hr|img|input|link|meta|param)(([\w:]+)[^>]*)\/>/gi, rtagName = /<([\w:]+)/, rtbody = /<tbody/i, rhtml = /<|&#?\w+;/, rnoInnerhtml = /<(?:script|style|link)/i, manipulation_rcheckableType = /^(?:checkbox|radio)$/i, // checked="checked" or checked rchecked = /checked\s*(?:[^=]|=\s*.checked.)/i, rscriptType = /^$|\/(?:java|ecma)script/i, rscriptTypeMasked = /^true\/(.*)/, rcleanScript = /^\s*<!(?:\[CDATA\[|--)|(?:\]\]|--)>\s*$/g, // We have to close these tags to support XHTML (#13200) wrapMap = { option: [ 1, "<select multiple='multiple'>", "</select>" ], legend: [ 1, "<fieldset>", "</fieldset>" ], area: [ 1, "<map>", "</map>" ], param: [ 1, "<object>", "</object>" ], thead: [ 1, "<table>", "</table>" ], tr: [ 2, "<table><tbody>", "</tbody></table>" ], col: [ 2, "<table><tbody></tbody><colgroup>", "</colgroup></table>" ], td: [ 3, "<table><tbody><tr>", "</tr></tbody></table>" ], // IE6-8 can't serialize link, script, style, or any html5 (NoScope) tags, // unless wrapped in a div with non-breaking characters in front of it. _default: jQuery.support.htmlSerialize ? [ 0, "", "" ] : [ 1, "X<div>", "</div>" ] }, safeFragment = createSafeFragment( document ), fragmentDiv = safeFragment.appendChild( document.createElement("div") ); wrapMap.optgroup = wrapMap.option; wrapMap.tbody = wrapMap.tfoot = wrapMap.colgroup = wrapMap.caption = wrapMap.thead; wrapMap.th = wrapMap.td; jQuery.fn.extend({ text: function( value ) { return jQuery.access( this, function( value ) { return value === undefined ? jQuery.text( this ) : this.empty().append( ( this[0] && this[0].ownerDocument || document ).createTextNode( value ) ); }, null, value, arguments.length ); }, wrapAll: function( html ) { if ( jQuery.isFunction( html ) ) { return this.each(function(i) { jQuery(this).wrapAll( html.call(this, i) ); }); } if ( this[0] ) { // The elements to wrap the target around var wrap = jQuery( html, this[0].ownerDocument ).eq(0).clone(true); if ( this[0].parentNode ) { wrap.insertBefore( this[0] ); } wrap.map(function() { var elem = this; while ( elem.firstChild && elem.firstChild.nodeType === 1 ) { elem = elem.firstChild; } return elem; }).append( this ); } return this; }, wrapInner: function( html ) { if ( jQuery.isFunction( html ) ) { return this.each(function(i) { jQuery(this).wrapInner( html.call(this, i) ); }); } return this.each(function() { var self = jQuery( this ), contents = self.contents(); if ( contents.length ) { contents.wrapAll( html ); } else { self.append( html ); } }); }, wrap: function( html ) { var isFunction = jQuery.isFunction( html ); return this.each(function(i) { jQuery( this ).wrapAll( isFunction ? html.call(this, i) : html ); }); }, unwrap: function() { return this.parent().each(function() { if ( !jQuery.nodeName( this, "body" ) ) { jQuery( this ).replaceWith( this.childNodes ); } }).end(); }, append: function() { return this.domManip(arguments, true, function( elem ) { if ( this.nodeType === 1 || this.nodeType === 11 || this.nodeType === 9 ) { this.appendChild( elem ); } }); }, prepend: function() { return this.domManip(arguments, true, function( elem ) { if ( this.nodeType === 1 || this.nodeType === 11 || this.nodeType === 9 ) { this.insertBefore( elem, this.firstChild ); } }); }, before: function() { return this.domManip( arguments, false, function( elem ) { if ( this.parentNode ) { this.parentNode.insertBefore( elem, this ); } }); }, after: function() { return this.domManip( arguments, false, function( elem ) { if ( this.parentNode ) { this.parentNode.insertBefore( elem, this.nextSibling ); } }); }, // keepData is for internal use only--do not document remove: function( selector, keepData ) { var elem, i = 0; for ( ; (elem = this[i]) != null; i++ ) { if ( !selector || jQuery.filter( selector, [ elem ] ).length > 0 ) { if ( !keepData && elem.nodeType === 1 ) { jQuery.cleanData( getAll( elem ) ); } if ( elem.parentNode ) { if ( keepData && jQuery.contains( elem.ownerDocument, elem ) ) { setGlobalEval( getAll( elem, "script" ) ); } elem.parentNode.removeChild( elem ); } } } return this; }, empty: function() { var elem, i = 0; for ( ; (elem = this[i]) != null; i++ ) { // Remove element nodes and prevent memory leaks if ( elem.nodeType === 1 ) { jQuery.cleanData( getAll( elem, false ) ); } // Remove any remaining nodes while ( elem.firstChild ) { elem.removeChild( elem.firstChild ); } // If this is a select, ensure that it displays empty (#12336) // Support: IE<9 if ( elem.options && jQuery.nodeName( elem, "select" ) ) { elem.options.length = 0; } } return this; }, clone: function( dataAndEvents, deepDataAndEvents ) { dataAndEvents = dataAndEvents == null ? false : dataAndEvents; deepDataAndEvents = deepDataAndEvents == null ? dataAndEvents : deepDataAndEvents; return this.map( function () { return jQuery.clone( this, dataAndEvents, deepDataAndEvents ); }); }, html: function( value ) { return jQuery.access( this, function( value ) { var elem = this[0] || {}, i = 0, l = this.length; if ( value === undefined ) { return elem.nodeType === 1 ? elem.innerHTML.replace( rinlinejQuery, "" ) : undefined; } // See if we can take a shortcut and just use innerHTML if ( typeof value === "string" && !rnoInnerhtml.test( value ) && ( jQuery.support.htmlSerialize || !rnoshimcache.test( value ) ) && ( jQuery.support.leadingWhitespace || !rleadingWhitespace.test( value ) ) && !wrapMap[ ( rtagName.exec( value ) || ["", ""] )[1].toLowerCase() ] ) { value = value.replace( rxhtmlTag, "<$1></$2>" ); try { for (; i < l; i++ ) { // Remove element nodes and prevent memory leaks elem = this[i] || {}; if ( elem.nodeType === 1 ) { jQuery.cleanData( getAll( elem, false ) ); elem.innerHTML = value; } } elem = 0; // If using innerHTML throws an exception, use the fallback method } catch(e) {} } if ( elem ) { this.empty().append( value ); } }, null, value, arguments.length ); }, replaceWith: function( value ) { var isFunc = jQuery.isFunction( value ); // Make sure that the elements are removed from the DOM before they are inserted // this can help fix replacing a parent with child elements if ( !isFunc && typeof value !== "string" ) { value = jQuery( value ).not( this ).detach(); } return this.domManip( [ value ], true, function( elem ) { var next = this.nextSibling, parent = this.parentNode; if ( parent ) { jQuery( this ).remove(); parent.insertBefore( elem, next ); } }); }, detach: function( selector ) { return this.remove( selector, true ); }, domManip: function( args, table, callback ) { // Flatten any nested arrays args = core_concat.apply( [], args ); var first, node, hasScripts, scripts, doc, fragment, i = 0, l = this.length, set = this, iNoClone = l - 1, value = args[0], isFunction = jQuery.isFunction( value ); // We can't cloneNode fragments that contain checked, in WebKit if ( isFunction || !( l <= 1 || typeof value !== "string" || jQuery.support.checkClone || !rchecked.test( value ) ) ) { return this.each(function( index ) { var self = set.eq( index ); if ( isFunction ) { args[0] = value.call( this, index, table ? self.html() : undefined ); } self.domManip( args, table, callback ); }); } if ( l ) { fragment = jQuery.buildFragment( args, this[ 0 ].ownerDocument, false, this ); first = fragment.firstChild; if ( fragment.childNodes.length === 1 ) { fragment = first; } if ( first ) { table = table && jQuery.nodeName( first, "tr" ); scripts = jQuery.map( getAll( fragment, "script" ), disableScript ); hasScripts = scripts.length; // Use the original fragment for the last item instead of the first because it can end up // being emptied incorrectly in certain situations (#8070). for ( ; i < l; i++ ) { node = fragment; if ( i !== iNoClone ) { node = jQuery.clone( node, true, true ); // Keep references to cloned scripts for later restoration if ( hasScripts ) { jQuery.merge( scripts, getAll( node, "script" ) ); } } callback.call( table && jQuery.nodeName( this[i], "table" ) ? findOrAppend( this[i], "tbody" ) : this[i], node, i ); } if ( hasScripts ) { doc = scripts[ scripts.length - 1 ].ownerDocument; // Reenable scripts jQuery.map( scripts, restoreScript ); // Evaluate executable scripts on first document insertion for ( i = 0; i < hasScripts; i++ ) { node = scripts[ i ]; if ( rscriptType.test( node.type || "" ) && !jQuery._data( node, "globalEval" ) && jQuery.contains( doc, node ) ) { if ( node.src ) { // Hope ajax is available... jQuery.ajax({ url: node.src, type: "GET", dataType: "script", async: false, global: false, "throws": true }); } else { jQuery.globalEval( ( node.text || node.textContent || node.innerHTML || "" ).replace( rcleanScript, "" ) ); } } } } // Fix #11809: Avoid leaking memory fragment = first = null; } } return this; } }); function findOrAppend( elem, tag ) { return elem.getElementsByTagName( tag )[0] || elem.appendChild( elem.ownerDocument.createElement( tag ) ); } // Replace/restore the type attribute of script elements for safe DOM manipulation function disableScript( elem ) { var attr = elem.getAttributeNode("type"); elem.type = ( attr && attr.specified ) + "/" + elem.type; return elem; } function restoreScript( elem ) { var match = rscriptTypeMasked.exec( elem.type ); if ( match ) { elem.type = match[1]; } else { elem.removeAttribute("type"); } return elem; } // Mark scripts as having already been evaluated function setGlobalEval( elems, refElements ) { var elem, i = 0; for ( ; (elem = elems[i]) != null; i++ ) { jQuery._data( elem, "globalEval", !refElements || jQuery._data( refElements[i], "globalEval" ) ); } } function cloneCopyEvent( src, dest ) { if ( dest.nodeType !== 1 || !jQuery.hasData( src ) ) { return; } var type, i, l, oldData = jQuery._data( src ), curData = jQuery._data( dest, oldData ), events = oldData.events; if ( events ) { delete curData.handle; curData.events = {}; for ( type in events ) { for ( i = 0, l = events[ type ].length; i < l; i++ ) { jQuery.event.add( dest, type, events[ type ][ i ] ); } } } // make the cloned public data object a copy from the original if ( curData.data ) { curData.data = jQuery.extend( {}, curData.data ); } } function fixCloneNodeIssues( src, dest ) { var nodeName, e, data; // We do not need to do anything for non-Elements if ( dest.nodeType !== 1 ) { return; } nodeName = dest.nodeName.toLowerCase(); // IE6-8 copies events bound via attachEvent when using cloneNode. if ( !jQuery.support.noCloneEvent && dest[ jQuery.expando ] ) { data = jQuery._data( dest ); for ( e in data.events ) { jQuery.removeEvent( dest, e, data.handle ); } // Event data gets referenced instead of copied if the expando gets copied too dest.removeAttribute( jQuery.expando ); } // IE blanks contents when cloning scripts, and tries to evaluate newly-set text if ( nodeName === "script" && dest.text !== src.text ) { disableScript( dest ).text = src.text; restoreScript( dest ); // IE6-10 improperly clones children of object elements using classid. // IE10 throws NoModificationAllowedError if parent is null, #12132. } else if ( nodeName === "object" ) { if ( dest.parentNode ) { dest.outerHTML = src.outerHTML; } // This path appears unavoidable for IE9. When cloning an object // element in IE9, the outerHTML strategy above is not sufficient. // If the src has innerHTML and the destination does not, // copy the src.innerHTML into the dest.innerHTML. #10324 if ( jQuery.support.html5Clone && ( src.innerHTML && !jQuery.trim(dest.innerHTML) ) ) { dest.innerHTML = src.innerHTML; } } else if ( nodeName === "input" && manipulation_rcheckableType.test( src.type ) ) { // IE6-8 fails to persist the checked state of a cloned checkbox // or radio button. Worse, IE6-7 fail to give the cloned element // a checked appearance if the defaultChecked value isn't also set dest.defaultChecked = dest.checked = src.checked; // IE6-7 get confused and end up setting the value of a cloned // checkbox/radio button to an empty string instead of "on" if ( dest.value !== src.value ) { dest.value = src.value; } // IE6-8 fails to return the selected option to the default selected // state when cloning options } else if ( nodeName === "option" ) { dest.defaultSelected = dest.selected = src.defaultSelected; // IE6-8 fails to set the defaultValue to the correct value when // cloning other types of input fields } else if ( nodeName === "input" || nodeName === "textarea" ) { dest.defaultValue = src.defaultValue; } } jQuery.each({ appendTo: "append", prependTo: "prepend", insertBefore: "before", insertAfter: "after", replaceAll: "replaceWith" }, function( name, original ) { jQuery.fn[ name ] = function( selector ) { var elems, i = 0, ret = [], insert = jQuery( selector ), last = insert.length - 1; for ( ; i <= last; i++ ) { elems = i === last ? this : this.clone(true); jQuery( insert[i] )[ original ]( elems ); // Modern browsers can apply jQuery collections as arrays, but oldIE needs a .get() core_push.apply( ret, elems.get() ); } return this.pushStack( ret ); }; }); function getAll( context, tag ) { var elems, elem, i = 0, found = typeof context.getElementsByTagName !== core_strundefined ? context.getElementsByTagName( tag || "*" ) : typeof context.querySelectorAll !== core_strundefined ? context.querySelectorAll( tag || "*" ) : undefined; if ( !found ) { for ( found = [], elems = context.childNodes || context; (elem = elems[i]) != null; i++ ) { if ( !tag || jQuery.nodeName( elem, tag ) ) { found.push( elem ); } else { jQuery.merge( found, getAll( elem, tag ) ); } } } return tag === undefined || tag && jQuery.nodeName( context, tag ) ? jQuery.merge( [ context ], found ) : found; } // Used in buildFragment, fixes the defaultChecked property function fixDefaultChecked( elem ) { if ( manipulation_rcheckableType.test( elem.type ) ) { elem.defaultChecked = elem.checked; } } jQuery.extend({ clone: function( elem, dataAndEvents, deepDataAndEvents ) { var destElements, node, clone, i, srcElements, inPage = jQuery.contains( elem.ownerDocument, elem ); if ( jQuery.support.html5Clone || jQuery.isXMLDoc(elem) || !rnoshimcache.test( "<" + elem.nodeName + ">" ) ) { clone = elem.cloneNode( true ); // IE<=8 does not properly clone detached, unknown element nodes } else { fragmentDiv.innerHTML = elem.outerHTML; fragmentDiv.removeChild( clone = fragmentDiv.firstChild ); } if ( (!jQuery.support.noCloneEvent || !jQuery.support.noCloneChecked) && (elem.nodeType === 1 || elem.nodeType === 11) && !jQuery.isXMLDoc(elem) ) { // We eschew Sizzle here for performance reasons: http://jsperf.com/getall-vs-sizzle/2 destElements = getAll( clone ); srcElements = getAll( elem ); // Fix all IE cloning issues for ( i = 0; (node = srcElements[i]) != null; ++i ) { // Ensure that the destination node is not null; Fixes #9587 if ( destElements[i] ) { fixCloneNodeIssues( node, destElements[i] ); } } } // Copy the events from the original to the clone if ( dataAndEvents ) { if ( deepDataAndEvents ) { srcElements = srcElements || getAll( elem ); destElements = destElements || getAll( clone ); for ( i = 0; (node = srcElements[i]) != null; i++ ) { cloneCopyEvent( node, destElements[i] ); } } else { cloneCopyEvent( elem, clone ); } } // Preserve script evaluation history destElements = getAll( clone, "script" ); if ( destElements.length > 0 ) { setGlobalEval( destElements, !inPage && getAll( elem, "script" ) ); } destElements = srcElements = node = null; // Return the cloned set return clone; }, buildFragment: function( elems, context, scripts, selection ) { var j, elem, contains, tmp, tag, tbody, wrap, l = elems.length, // Ensure a safe fragment safe = createSafeFragment( context ), nodes = [], i = 0; for ( ; i < l; i++ ) { elem = elems[ i ]; if ( elem || elem === 0 ) { // Add nodes directly if ( jQuery.type( elem ) === "object" ) { jQuery.merge( nodes, elem.nodeType ? [ elem ] : elem ); // Convert non-html into a text node } else if ( !rhtml.test( elem ) ) { nodes.push( context.createTextNode( elem ) ); // Convert html into DOM nodes } else { tmp = tmp || safe.appendChild( context.createElement("div") ); // Deserialize a standard representation tag = ( rtagName.exec( elem ) || ["", ""] )[1].toLowerCase(); wrap = wrapMap[ tag ] || wrapMap._default; tmp.innerHTML = wrap[1] + elem.replace( rxhtmlTag, "<$1></$2>" ) + wrap[2]; // Descend through wrappers to the right content j = wrap[0]; while ( j-- ) { tmp = tmp.lastChild; } // Manually add leading whitespace removed by IE if ( !jQuery.support.leadingWhitespace && rleadingWhitespace.test( elem ) ) { nodes.push( context.createTextNode( rleadingWhitespace.exec( elem )[0] ) ); } // Remove IE's autoinserted <tbody> from table fragments if ( !jQuery.support.tbody ) { // String was a <table>, *may* have spurious <tbody> elem = tag === "table" && !rtbody.test( elem ) ? tmp.firstChild : // String was a bare <thead> or <tfoot> wrap[1] === "<table>" && !rtbody.test( elem ) ? tmp : 0; j = elem && elem.childNodes.length; while ( j-- ) { if ( jQuery.nodeName( (tbody = elem.childNodes[j]), "tbody" ) && !tbody.childNodes.length ) { elem.removeChild( tbody ); } } } jQuery.merge( nodes, tmp.childNodes ); // Fix #12392 for WebKit and IE > 9 tmp.textContent = ""; // Fix #12392 for oldIE while ( tmp.firstChild ) { tmp.removeChild( tmp.firstChild ); } // Remember the top-level container for proper cleanup tmp = safe.lastChild; } } } // Fix #11356: Clear elements from fragment if ( tmp ) { safe.removeChild( tmp ); } // Reset defaultChecked for any radios and checkboxes // about to be appended to the DOM in IE 6/7 (#8060) if ( !jQuery.support.appendChecked ) { jQuery.grep( getAll( nodes, "input" ), fixDefaultChecked ); } i = 0; while ( (elem = nodes[ i++ ]) ) { // #4087 - If origin and destination elements are the same, and this is // that element, do not do anything if ( selection && jQuery.inArray( elem, selection ) !== -1 ) { continue; } contains = jQuery.contains( elem.ownerDocument, elem ); // Append to fragment tmp = getAll( safe.appendChild( elem ), "script" ); // Preserve script evaluation history if ( contains ) { setGlobalEval( tmp ); } // Capture executables if ( scripts ) { j = 0; while ( (elem = tmp[ j++ ]) ) { if ( rscriptType.test( elem.type || "" ) ) { scripts.push( elem ); } } } } tmp = null; return safe; }, cleanData: function( elems, /* internal */ acceptData ) { var elem, type, id, data, i = 0, internalKey = jQuery.expando, cache = jQuery.cache, deleteExpando = jQuery.support.deleteExpando, special = jQuery.event.special; for ( ; (elem = elems[i]) != null; i++ ) { if ( acceptData || jQuery.acceptData( elem ) ) { id = elem[ internalKey ]; data = id && cache[ id ]; if ( data ) { if ( data.events ) { for ( type in data.events ) { if ( special[ type ] ) { jQuery.event.remove( elem, type ); // This is a shortcut to avoid jQuery.event.remove's overhead } else { jQuery.removeEvent( elem, type, data.handle ); } } } // Remove cache only if it was not already removed by jQuery.event.remove if ( cache[ id ] ) { delete cache[ id ]; // IE does not allow us to delete expando properties from nodes, // nor does it have a removeAttribute function on Document nodes; // we must handle all of these cases if ( deleteExpando ) { delete elem[ internalKey ]; } else if ( typeof elem.removeAttribute !== core_strundefined ) { elem.removeAttribute( internalKey ); } else { elem[ internalKey ] = null; } core_deletedIds.push( id ); } } } } } }); var iframe, getStyles, curCSS, ralpha = /alpha\([^)]*\)/i, ropacity = /opacity\s*=\s*([^)]*)/, rposition = /^(top|right|bottom|left)$/, // swappable if display is none or starts with table except "table", "table-cell", or "table-caption" // see here for display values: https://developer.mozilla.org/en-US/docs/CSS/display rdisplayswap = /^(none|table(?!-c[ea]).+)/, rmargin = /^margin/, rnumsplit = new RegExp( "^(" + core_pnum + ")(.*)$", "i" ), rnumnonpx = new RegExp( "^(" + core_pnum + ")(?!px)[a-z%]+$", "i" ), rrelNum = new RegExp( "^([+-])=(" + core_pnum + ")", "i" ), elemdisplay = { BODY: "block" }, cssShow = { position: "absolute", visibility: "hidden", display: "block" }, cssNormalTransform = { letterSpacing: 0, fontWeight: 400 }, cssExpand = [ "Top", "Right", "Bottom", "Left" ], cssPrefixes = [ "Webkit", "O", "Moz", "ms" ]; // return a css property mapped to a potentially vendor prefixed property function vendorPropName( style, name ) { // shortcut for names that are not vendor prefixed if ( name in style ) { return name; } // check for vendor prefixed names var capName = name.charAt(0).toUpperCase() + name.slice(1), origName = name, i = cssPrefixes.length; while ( i-- ) { name = cssPrefixes[ i ] + capName; if ( name in style ) { return name; } } return origName; } function isHidden( elem, el ) { // isHidden might be called from jQuery#filter function; // in that case, element will be second argument elem = el || elem; return jQuery.css( elem, "display" ) === "none" || !jQuery.contains( elem.ownerDocument, elem ); } function showHide( elements, show ) { var display, elem, hidden, values = [], index = 0, length = elements.length; for ( ; index < length; index++ ) { elem = elements[ index ]; if ( !elem.style ) { continue; } values[ index ] = jQuery._data( elem, "olddisplay" ); display = elem.style.display; if ( show ) { // Reset the inline display of this element to learn if it is // being hidden by cascaded rules or not if ( !values[ index ] && display === "none" ) { elem.style.display = ""; } // Set elements which have been overridden with display: none // in a stylesheet to whatever the default browser style is // for such an element if ( elem.style.display === "" && isHidden( elem ) ) { values[ index ] = jQuery._data( elem, "olddisplay", css_defaultDisplay(elem.nodeName) ); } } else { if ( !values[ index ] ) { hidden = isHidden( elem ); if ( display && display !== "none" || !hidden ) { jQuery._data( elem, "olddisplay", hidden ? display : jQuery.css( elem, "display" ) ); } } } } // Set the display of most of the elements in a second loop // to avoid the constant reflow for ( index = 0; index < length; index++ ) { elem = elements[ index ]; if ( !elem.style ) { continue; } if ( !show || elem.style.display === "none" || elem.style.display === "" ) { elem.style.display = show ? values[ index ] || "" : "none"; } } return elements; } jQuery.fn.extend({ css: function( name, value ) { return jQuery.access( this, function( elem, name, value ) { var len, styles, map = {}, i = 0; if ( jQuery.isArray( name ) ) { styles = getStyles( elem ); len = name.length; for ( ; i < len; i++ ) { map[ name[ i ] ] = jQuery.css( elem, name[ i ], false, styles ); } return map; } return value !== undefined ? jQuery.style( elem, name, value ) : jQuery.css( elem, name ); }, name, value, arguments.length > 1 ); }, show: function() { return showHide( this, true ); }, hide: function() { return showHide( this ); }, toggle: function( state ) { var bool = typeof state === "boolean"; return this.each(function() { if ( bool ? state : isHidden( this ) ) { jQuery( this ).show(); } else { jQuery( this ).hide(); } }); } }); jQuery.extend({ // Add in style property hooks for overriding the default // behavior of getting and setting a style property cssHooks: { opacity: { get: function( elem, computed ) { if ( computed ) { // We should always get a number back from opacity var ret = curCSS( elem, "opacity" ); return ret === "" ? "1" : ret; } } } }, // Exclude the following css properties to add px cssNumber: { "columnCount": true, "fillOpacity": true, "fontWeight": true, "lineHeight": true, "opacity": true, "orphans": true, "widows": true, "zIndex": true, "zoom": true }, // Add in properties whose names you wish to fix before // setting or getting the value cssProps: { // normalize float css property "float": jQuery.support.cssFloat ? "cssFloat" : "styleFloat" }, // Get and set the style property on a DOM Node style: function( elem, name, value, extra ) { // Don't set styles on text and comment nodes if ( !elem || elem.nodeType === 3 || elem.nodeType === 8 || !elem.style ) { return; } // Make sure that we're working with the right name var ret, type, hooks, origName = jQuery.camelCase( name ), style = elem.style; name = jQuery.cssProps[ origName ] || ( jQuery.cssProps[ origName ] = vendorPropName( style, origName ) ); // gets hook for the prefixed version // followed by the unprefixed version hooks = jQuery.cssHooks[ name ] || jQuery.cssHooks[ origName ]; // Check if we're setting a value if ( value !== undefined ) { type = typeof value; // convert relative number strings (+= or -=) to relative numbers. #7345 if ( type === "string" && (ret = rrelNum.exec( value )) ) { value = ( ret[1] + 1 ) * ret[2] + parseFloat( jQuery.css( elem, name ) ); // Fixes bug #9237 type = "number"; } // Make sure that NaN and null values aren't set. See: #7116 if ( value == null || type === "number" && isNaN( value ) ) { return; } // If a number was passed in, add 'px' to the (except for certain CSS properties) if ( type === "number" && !jQuery.cssNumber[ origName ] ) { value += "px"; } // Fixes #8908, it can be done more correctly by specifing setters in cssHooks, // but it would mean to define eight (for every problematic property) identical functions if ( !jQuery.support.clearCloneStyle && value === "" && name.indexOf("background") === 0 ) { style[ name ] = "inherit"; } // If a hook was provided, use that value, otherwise just set the specified value if ( !hooks || !("set" in hooks) || (value = hooks.set( elem, value, extra )) !== undefined ) { // Wrapped to prevent IE from throwing errors when 'invalid' values are provided // Fixes bug #5509 try { style[ name ] = value; } catch(e) {} } } else { // If a hook was provided get the non-computed value from there if ( hooks && "get" in hooks && (ret = hooks.get( elem, false, extra )) !== undefined ) { return ret; } // Otherwise just get the value from the style object return style[ name ]; } }, css: function( elem, name, extra, styles ) { var num, val, hooks, origName = jQuery.camelCase( name ); // Make sure that we're working with the right name name = jQuery.cssProps[ origName ] || ( jQuery.cssProps[ origName ] = vendorPropName( elem.style, origName ) ); // gets hook for the prefixed version // followed by the unprefixed version hooks = jQuery.cssHooks[ name ] || jQuery.cssHooks[ origName ]; // If a hook was provided get the computed value from there if ( hooks && "get" in hooks ) { val = hooks.get( elem, true, extra ); } // Otherwise, if a way to get the computed value exists, use that if ( val === undefined ) { val = curCSS( elem, name, styles ); } //convert "normal" to computed value if ( val === "normal" && name in cssNormalTransform ) { val = cssNormalTransform[ name ]; } // Return, converting to number if forced or a qualifier was provided and val looks numeric if ( extra === "" || extra ) { num = parseFloat( val ); return extra === true || jQuery.isNumeric( num ) ? num || 0 : val; } return val; }, // A method for quickly swapping in/out CSS properties to get correct calculations swap: function( elem, options, callback, args ) { var ret, name, old = {}; // Remember the old values, and insert the new ones for ( name in options ) { old[ name ] = elem.style[ name ]; elem.style[ name ] = options[ name ]; } ret = callback.apply( elem, args || [] ); // Revert the old values for ( name in options ) { elem.style[ name ] = old[ name ]; } return ret; } }); // NOTE: we've included the "window" in window.getComputedStyle // because jsdom on node.js will break without it. if ( window.getComputedStyle ) { getStyles = function( elem ) { return window.getComputedStyle( elem, null ); }; curCSS = function( elem, name, _computed ) { var width, minWidth, maxWidth, computed = _computed || getStyles( elem ), // getPropertyValue is only needed for .css('filter') in IE9, see #12537 ret = computed ? computed.getPropertyValue( name ) || computed[ name ] : undefined, style = elem.style; if ( computed ) { if ( ret === "" && !jQuery.contains( elem.ownerDocument, elem ) ) { ret = jQuery.style( elem, name ); } // A tribute to the "awesome hack by Dean Edwards" // Chrome < 17 and Safari 5.0 uses "computed value" instead of "used value" for margin-right // Safari 5.1.7 (at least) returns percentage for a larger set of values, but width seems to be reliably pixels // this is against the CSSOM draft spec: http://dev.w3.org/csswg/cssom/#resolved-values if ( rnumnonpx.test( ret ) && rmargin.test( name ) ) { // Remember the original values width = style.width; minWidth = style.minWidth; maxWidth = style.maxWidth; // Put in the new values to get a computed value out style.minWidth = style.maxWidth = style.width = ret; ret = computed.width; // Revert the changed values style.width = width; style.minWidth = minWidth; style.maxWidth = maxWidth; } } return ret; }; } else if ( document.documentElement.currentStyle ) { getStyles = function( elem ) { return elem.currentStyle; }; curCSS = function( elem, name, _computed ) { var left, rs, rsLeft, computed = _computed || getStyles( elem ), ret = computed ? computed[ name ] : undefined, style = elem.style; // Avoid setting ret to empty string here // so we don't default to auto if ( ret == null && style && style[ name ] ) { ret = style[ name ]; } // From the awesome hack by Dean Edwards // http://erik.eae.net/archives/2007/07/27/18.54.15/#comment-102291 // If we're not dealing with a regular pixel number // but a number that has a weird ending, we need to convert it to pixels // but not position css attributes, as those are proportional to the parent element instead // and we can't measure the parent instead because it might trigger a "stacking dolls" problem if ( rnumnonpx.test( ret ) && !rposition.test( name ) ) { // Remember the original values left = style.left; rs = elem.runtimeStyle; rsLeft = rs && rs.left; // Put in the new values to get a computed value out if ( rsLeft ) { rs.left = elem.currentStyle.left; } style.left = name === "fontSize" ? "1em" : ret; ret = style.pixelLeft + "px"; // Revert the changed values style.left = left; if ( rsLeft ) { rs.left = rsLeft; } } return ret === "" ? "auto" : ret; }; } function setPositiveNumber( elem, value, subtract ) { var matches = rnumsplit.exec( value ); return matches ? // Guard against undefined "subtract", e.g., when used as in cssHooks Math.max( 0, matches[ 1 ] - ( subtract || 0 ) ) + ( matches[ 2 ] || "px" ) : value; } function augmentWidthOrHeight( elem, name, extra, isBorderBox, styles ) { var i = extra === ( isBorderBox ? "border" : "content" ) ? // If we already have the right measurement, avoid augmentation 4 : // Otherwise initialize for horizontal or vertical properties name === "width" ? 1 : 0, val = 0; for ( ; i < 4; i += 2 ) { // both box models exclude margin, so add it if we want it if ( extra === "margin" ) { val += jQuery.css( elem, extra + cssExpand[ i ], true, styles ); } if ( isBorderBox ) { // border-box includes padding, so remove it if we want content if ( extra === "content" ) { val -= jQuery.css( elem, "padding" + cssExpand[ i ], true, styles ); } // at this point, extra isn't border nor margin, so remove border if ( extra !== "margin" ) { val -= jQuery.css( elem, "border" + cssExpand[ i ] + "Width", true, styles ); } } else { // at this point, extra isn't content, so add padding val += jQuery.css( elem, "padding" + cssExpand[ i ], true, styles ); // at this point, extra isn't content nor padding, so add border if ( extra !== "padding" ) { val += jQuery.css( elem, "border" + cssExpand[ i ] + "Width", true, styles ); } } } return val; } function getWidthOrHeight( elem, name, extra ) { // Start with offset property, which is equivalent to the border-box value var valueIsBorderBox = true, val = name === "width" ? elem.offsetWidth : elem.offsetHeight, styles = getStyles( elem ), isBorderBox = jQuery.support.boxSizing && jQuery.css( elem, "boxSizing", false, styles ) === "border-box"; // some non-html elements return undefined for offsetWidth, so check for null/undefined // svg - https://bugzilla.mozilla.org/show_bug.cgi?id=649285 // MathML - https://bugzilla.mozilla.org/show_bug.cgi?id=491668 if ( val <= 0 || val == null ) { // Fall back to computed then uncomputed css if necessary val = curCSS( elem, name, styles ); if ( val < 0 || val == null ) { val = elem.style[ name ]; } // Computed unit is not pixels. Stop here and return. if ( rnumnonpx.test(val) ) { return val; } // we need the check for style in case a browser which returns unreliable values // for getComputedStyle silently falls back to the reliable elem.style valueIsBorderBox = isBorderBox && ( jQuery.support.boxSizingReliable || val === elem.style[ name ] ); // Normalize "", auto, and prepare for extra val = parseFloat( val ) || 0; } // use the active box-sizing model to add/subtract irrelevant styles return ( val + augmentWidthOrHeight( elem, name, extra || ( isBorderBox ? "border" : "content" ), valueIsBorderBox, styles ) ) + "px"; } // Try to determine the default display value of an element function css_defaultDisplay( nodeName ) { var doc = document, display = elemdisplay[ nodeName ]; if ( !display ) { display = actualDisplay( nodeName, doc ); // If the simple way fails, read from inside an iframe if ( display === "none" || !display ) { // Use the already-created iframe if possible iframe = ( iframe || jQuery("<iframe frameborder='0' width='0' height='0'/>") .css( "cssText", "display:block !important" ) ).appendTo( doc.documentElement ); // Always write a new HTML skeleton so Webkit and Firefox don't choke on reuse doc = ( iframe[0].contentWindow || iframe[0].contentDocument ).document; doc.write("<!doctype html><html><body>"); doc.close(); display = actualDisplay( nodeName, doc ); iframe.detach(); } // Store the correct default display elemdisplay[ nodeName ] = display; } return display; } // Called ONLY from within css_defaultDisplay function actualDisplay( name, doc ) { var elem = jQuery( doc.createElement( name ) ).appendTo( doc.body ), display = jQuery.css( elem[0], "display" ); elem.remove(); return display; } jQuery.each([ "height", "width" ], function( i, name ) { jQuery.cssHooks[ name ] = { get: function( elem, computed, extra ) { if ( computed ) { // certain elements can have dimension info if we invisibly show them // however, it must have a current display style that would benefit from this return elem.offsetWidth === 0 && rdisplayswap.test( jQuery.css( elem, "display" ) ) ? jQuery.swap( elem, cssShow, function() { return getWidthOrHeight( elem, name, extra ); }) : getWidthOrHeight( elem, name, extra ); } }, set: function( elem, value, extra ) { var styles = extra && getStyles( elem ); return setPositiveNumber( elem, value, extra ? augmentWidthOrHeight( elem, name, extra, jQuery.support.boxSizing && jQuery.css( elem, "boxSizing", false, styles ) === "border-box", styles ) : 0 ); } }; }); if ( !jQuery.support.opacity ) { jQuery.cssHooks.opacity = { get: function( elem, computed ) { // IE uses filters for opacity return ropacity.test( (computed && elem.currentStyle ? elem.currentStyle.filter : elem.style.filter) || "" ) ? ( 0.01 * parseFloat( RegExp.$1 ) ) + "" : computed ? "1" : ""; }, set: function( elem, value ) { var style = elem.style, currentStyle = elem.currentStyle, opacity = jQuery.isNumeric( value ) ? "alpha(opacity=" + value * 100 + ")" : "", filter = currentStyle && currentStyle.filter || style.filter || ""; // IE has trouble with opacity if it does not have layout // Force it by setting the zoom level style.zoom = 1; // if setting opacity to 1, and no other filters exist - attempt to remove filter attribute #6652 // if value === "", then remove inline opacity #12685 if ( ( value >= 1 || value === "" ) && jQuery.trim( filter.replace( ralpha, "" ) ) === "" && style.removeAttribute ) { // Setting style.filter to null, "" & " " still leave "filter:" in the cssText // if "filter:" is present at all, clearType is disabled, we want to avoid this // style.removeAttribute is IE Only, but so apparently is this code path... style.removeAttribute( "filter" ); // if there is no filter style applied in a css rule or unset inline opacity, we are done if ( value === "" || currentStyle && !currentStyle.filter ) { return; } } // otherwise, set new filter values style.filter = ralpha.test( filter ) ? filter.replace( ralpha, opacity ) : filter + " " + opacity; } }; } // These hooks cannot be added until DOM ready because the support test // for it is not run until after DOM ready jQuery(function() { if ( !jQuery.support.reliableMarginRight ) { jQuery.cssHooks.marginRight = { get: function( elem, computed ) { if ( computed ) { // WebKit Bug 13343 - getComputedStyle returns wrong value for margin-right // Work around by temporarily setting element display to inline-block return jQuery.swap( elem, { "display": "inline-block" }, curCSS, [ elem, "marginRight" ] ); } } }; } // Webkit bug: https://bugs.webkit.org/show_bug.cgi?id=29084 // getComputedStyle returns percent when specified for top/left/bottom/right // rather than make the css module depend on the offset module, we just check for it here if ( !jQuery.support.pixelPosition && jQuery.fn.position ) { jQuery.each( [ "top", "left" ], function( i, prop ) { jQuery.cssHooks[ prop ] = { get: function( elem, computed ) { if ( computed ) { computed = curCSS( elem, prop ); // if curCSS returns percentage, fallback to offset return rnumnonpx.test( computed ) ? jQuery( elem ).position()[ prop ] + "px" : computed; } } }; }); } }); if ( jQuery.expr && jQuery.expr.filters ) { jQuery.expr.filters.hidden = function( elem ) { // Support: Opera <= 12.12 // Opera reports offsetWidths and offsetHeights less than zero on some elements return elem.offsetWidth <= 0 && elem.offsetHeight <= 0 || (!jQuery.support.reliableHiddenOffsets && ((elem.style && elem.style.display) || jQuery.css( elem, "display" )) === "none"); }; jQuery.expr.filters.visible = function( elem ) { return !jQuery.expr.filters.hidden( elem ); }; } // These hooks are used by animate to expand properties jQuery.each({ margin: "", padding: "", border: "Width" }, function( prefix, suffix ) { jQuery.cssHooks[ prefix + suffix ] = { expand: function( value ) { var i = 0, expanded = {}, // assumes a single number if not a string parts = typeof value === "string" ? value.split(" ") : [ value ]; for ( ; i < 4; i++ ) { expanded[ prefix + cssExpand[ i ] + suffix ] = parts[ i ] || parts[ i - 2 ] || parts[ 0 ]; } return expanded; } }; if ( !rmargin.test( prefix ) ) { jQuery.cssHooks[ prefix + suffix ].set = setPositiveNumber; } }); var r20 = /%20/g, rbracket = /\[\]$/, rCRLF = /\r?\n/g, rsubmitterTypes = /^(?:submit|button|image|reset|file)$/i, rsubmittable = /^(?:input|select|textarea|keygen)/i; jQuery.fn.extend({ serialize: function() { return jQuery.param( this.serializeArray() ); }, serializeArray: function() { return this.map(function(){ // Can add propHook for "elements" to filter or add form elements var elements = jQuery.prop( this, "elements" ); return elements ? jQuery.makeArray( elements ) : this; }) .filter(function(){ var type = this.type; // Use .is(":disabled") so that fieldset[disabled] works return this.name && !jQuery( this ).is( ":disabled" ) && rsubmittable.test( this.nodeName ) && !rsubmitterTypes.test( type ) && ( this.checked || !manipulation_rcheckableType.test( type ) ); }) .map(function( i, elem ){ var val = jQuery( this ).val(); return val == null ? null : jQuery.isArray( val ) ? jQuery.map( val, function( val ){ return { name: elem.name, value: val.replace( rCRLF, "\r\n" ) }; }) : { name: elem.name, value: val.replace( rCRLF, "\r\n" ) }; }).get(); } }); //Serialize an array of form elements or a set of //key/values into a query string jQuery.param = function( a, traditional ) { var prefix, s = [], add = function( key, value ) { // If value is a function, invoke it and return its value value = jQuery.isFunction( value ) ? value() : ( value == null ? "" : value ); s[ s.length ] = encodeURIComponent( key ) + "=" + encodeURIComponent( value ); }; // Set traditional to true for jQuery <= 1.3.2 behavior. if ( traditional === undefined ) { traditional = jQuery.ajaxSettings && jQuery.ajaxSettings.traditional; } // If an array was passed in, assume that it is an array of form elements. if ( jQuery.isArray( a ) || ( a.jquery && !jQuery.isPlainObject( a ) ) ) { // Serialize the form elements jQuery.each( a, function() { add( this.name, this.value ); }); } else { // If traditional, encode the "old" way (the way 1.3.2 or older // did it), otherwise encode params recursively. for ( prefix in a ) { buildParams( prefix, a[ prefix ], traditional, add ); } } // Return the resulting serialization return s.join( "&" ).replace( r20, "+" ); }; function buildParams( prefix, obj, traditional, add ) { var name; if ( jQuery.isArray( obj ) ) { // Serialize array item. jQuery.each( obj, function( i, v ) { if ( traditional || rbracket.test( prefix ) ) { // Treat each array item as a scalar. add( prefix, v ); } else { // Item is non-scalar (array or object), encode its numeric index. buildParams( prefix + "[" + ( typeof v === "object" ? i : "" ) + "]", v, traditional, add ); } }); } else if ( !traditional && jQuery.type( obj ) === "object" ) { // Serialize object item. for ( name in obj ) { buildParams( prefix + "[" + name + "]", obj[ name ], traditional, add ); } } else { // Serialize scalar item. add( prefix, obj ); } } jQuery.each( ("blur focus focusin focusout load resize scroll unload click dblclick " + "mousedown mouseup mousemove mouseover mouseout mouseenter mouseleave " + "change select submit keydown keypress keyup error contextmenu").split(" "), function( i, name ) { // Handle event binding jQuery.fn[ name ] = function( data, fn ) { return arguments.length > 0 ? this.on( name, null, data, fn ) : this.trigger( name ); }; }); jQuery.fn.hover = function( fnOver, fnOut ) { return this.mouseenter( fnOver ).mouseleave( fnOut || fnOver ); }; var // Document location ajaxLocParts, ajaxLocation, ajax_nonce = jQuery.now(), ajax_rquery = /\?/, rhash = /#.*$/, rts = /([?&])_=[^&]*/, rheaders = /^(.*?):[ \t]*([^\r\n]*)\r?$/mg, // IE leaves an \r character at EOL // #7653, #8125, #8152: local protocol detection rlocalProtocol = /^(?:about|app|app-storage|.+-extension|file|res|widget):$/, rnoContent = /^(?:GET|HEAD)$/, rprotocol = /^\/\//, rurl = /^([\w.+-]+:)(?:\/\/([^\/?#:]*)(?::(\d+)|)|)/, // Keep a copy of the old load method _load = jQuery.fn.load, /* Prefilters * 1) They are useful to introduce custom dataTypes (see ajax/jsonp.js for an example) * 2) These are called: * - BEFORE asking for a transport * - AFTER param serialization (s.data is a string if s.processData is true) * 3) key is the dataType * 4) the catchall symbol "*" can be used * 5) execution will start with transport dataType and THEN continue down to "*" if needed */ prefilters = {}, /* Transports bindings * 1) key is the dataType * 2) the catchall symbol "*" can be used * 3) selection will start with transport dataType and THEN go to "*" if needed */ transports = {}, // Avoid comment-prolog char sequence (#10098); must appease lint and evade compression allTypes = "*/".concat("*"); // #8138, IE may throw an exception when accessing // a field from window.location if document.domain has been set try { ajaxLocation = location.href; } catch( e ) { // Use the href attribute of an A element // since IE will modify it given document.location ajaxLocation = document.createElement( "a" ); ajaxLocation.href = ""; ajaxLocation = ajaxLocation.href; } // Segment location into parts ajaxLocParts = rurl.exec( ajaxLocation.toLowerCase() ) || []; // Base "constructor" for jQuery.ajaxPrefilter and jQuery.ajaxTransport function addToPrefiltersOrTransports( structure ) { // dataTypeExpression is optional and defaults to "*" return function( dataTypeExpression, func ) { if ( typeof dataTypeExpression !== "string" ) { func = dataTypeExpression; dataTypeExpression = "*"; } var dataType, i = 0, dataTypes = dataTypeExpression.toLowerCase().match( core_rnotwhite ) || []; if ( jQuery.isFunction( func ) ) { // For each dataType in the dataTypeExpression while ( (dataType = dataTypes[i++]) ) { // Prepend if requested if ( dataType[0] === "+" ) { dataType = dataType.slice( 1 ) || "*"; (structure[ dataType ] = structure[ dataType ] || []).unshift( func ); // Otherwise append } else { (structure[ dataType ] = structure[ dataType ] || []).push( func ); } } } }; } // Base inspection function for prefilters and transports function inspectPrefiltersOrTransports( structure, options, originalOptions, jqXHR ) { var inspected = {}, seekingTransport = ( structure === transports ); function inspect( dataType ) { var selected; inspected[ dataType ] = true; jQuery.each( structure[ dataType ] || [], function( _, prefilterOrFactory ) { var dataTypeOrTransport = prefilterOrFactory( options, originalOptions, jqXHR ); if( typeof dataTypeOrTransport === "string" && !seekingTransport && !inspected[ dataTypeOrTransport ] ) { options.dataTypes.unshift( dataTypeOrTransport ); inspect( dataTypeOrTransport ); return false; } else if ( seekingTransport ) { return !( selected = dataTypeOrTransport ); } }); return selected; } return inspect( options.dataTypes[ 0 ] ) || !inspected[ "*" ] && inspect( "*" ); } // A special extend for ajax options // that takes "flat" options (not to be deep extended) // Fixes #9887 function ajaxExtend( target, src ) { var deep, key, flatOptions = jQuery.ajaxSettings.flatOptions || {}; for ( key in src ) { if ( src[ key ] !== undefined ) { ( flatOptions[ key ] ? target : ( deep || (deep = {}) ) )[ key ] = src[ key ]; } } if ( deep ) { jQuery.extend( true, target, deep ); } return target; } jQuery.fn.load = function( url, params, callback ) { if ( typeof url !== "string" && _load ) { return _load.apply( this, arguments ); } var selector, response, type, self = this, off = url.indexOf(" "); if ( off >= 0 ) { selector = url.slice( off, url.length ); url = url.slice( 0, off ); } // If it's a function if ( jQuery.isFunction( params ) ) { // We assume that it's the callback callback = params; params = undefined; // Otherwise, build a param string } else if ( params && typeof params === "object" ) { type = "POST"; } // If we have elements to modify, make the request if ( self.length > 0 ) { jQuery.ajax({ url: url, // if "type" variable is undefined, then "GET" method will be used type: type, dataType: "html", data: params }).done(function( responseText ) { // Save response for use in complete callback response = arguments; self.html( selector ? // If a selector was specified, locate the right elements in a dummy div // Exclude scripts to avoid IE 'Permission Denied' errors jQuery("<div>").append( jQuery.parseHTML( responseText ) ).find( selector ) : // Otherwise use the full result responseText ); }).complete( callback && function( jqXHR, status ) { self.each( callback, response || [ jqXHR.responseText, status, jqXHR ] ); }); } return this; }; // Attach a bunch of functions for handling common AJAX events jQuery.each( [ "ajaxStart", "ajaxStop", "ajaxComplete", "ajaxError", "ajaxSuccess", "ajaxSend" ], function( i, type ){ jQuery.fn[ type ] = function( fn ){ return this.on( type, fn ); }; }); jQuery.each( [ "get", "post" ], function( i, method ) { jQuery[ method ] = function( url, data, callback, type ) { // shift arguments if data argument was omitted if ( jQuery.isFunction( data ) ) { type = type || callback; callback = data; data = undefined; } return jQuery.ajax({ url: url, type: method, dataType: type, data: data, success: callback }); }; }); jQuery.extend({ // Counter for holding the number of active queries active: 0, // Last-Modified header cache for next request lastModified: {}, etag: {}, ajaxSettings: { url: ajaxLocation, type: "GET", isLocal: rlocalProtocol.test( ajaxLocParts[ 1 ] ), global: true, processData: true, async: true, contentType: "application/x-www-form-urlencoded; charset=UTF-8", /* timeout: 0, data: null, dataType: null, username: null, password: null, cache: null, throws: false, traditional: false, headers: {}, */ accepts: { "*": allTypes, text: "text/plain", html: "text/html", xml: "application/xml, text/xml", json: "application/json, text/javascript" }, contents: { xml: /xml/, html: /html/, json: /json/ }, responseFields: { xml: "responseXML", text: "responseText" }, // Data converters // Keys separate source (or catchall "*") and destination types with a single space converters: { // Convert anything to text "* text": window.String, // Text to html (true = no transformation) "text html": true, // Evaluate text as a json expression "text json": jQuery.parseJSON, // Parse text as xml "text xml": jQuery.parseXML }, // For options that shouldn't be deep extended: // you can add your own custom options here if // and when you create one that shouldn't be // deep extended (see ajaxExtend) flatOptions: { url: true, context: true } }, // Creates a full fledged settings object into target // with both ajaxSettings and settings fields. // If target is omitted, writes into ajaxSettings. ajaxSetup: function( target, settings ) { return settings ? // Building a settings object ajaxExtend( ajaxExtend( target, jQuery.ajaxSettings ), settings ) : // Extending ajaxSettings ajaxExtend( jQuery.ajaxSettings, target ); }, ajaxPrefilter: addToPrefiltersOrTransports( prefilters ), ajaxTransport: addToPrefiltersOrTransports( transports ), // Main method ajax: function( url, options ) { // If url is an object, simulate pre-1.5 signature if ( typeof url === "object" ) { options = url; url = undefined; } // Force options to be an object options = options || {}; var // Cross-domain detection vars parts, // Loop variable i, // URL without anti-cache param cacheURL, // Response headers as string responseHeadersString, // timeout handle timeoutTimer, // To know if global events are to be dispatched fireGlobals, transport, // Response headers responseHeaders, // Create the final options object s = jQuery.ajaxSetup( {}, options ), // Callbacks context callbackContext = s.context || s, // Context for global events is callbackContext if it is a DOM node or jQuery collection globalEventContext = s.context && ( callbackContext.nodeType || callbackContext.jquery ) ? jQuery( callbackContext ) : jQuery.event, // Deferreds deferred = jQuery.Deferred(), completeDeferred = jQuery.Callbacks("once memory"), // Status-dependent callbacks statusCode = s.statusCode || {}, // Headers (they are sent all at once) requestHeaders = {}, requestHeadersNames = {}, // The jqXHR state state = 0, // Default abort message strAbort = "canceled", // Fake xhr jqXHR = { readyState: 0, // Builds headers hashtable if needed getResponseHeader: function( key ) { var match; if ( state === 2 ) { if ( !responseHeaders ) { responseHeaders = {}; while ( (match = rheaders.exec( responseHeadersString )) ) { responseHeaders[ match[1].toLowerCase() ] = match[ 2 ]; } } match = responseHeaders[ key.toLowerCase() ]; } return match == null ? null : match; }, // Raw string getAllResponseHeaders: function() { return state === 2 ? responseHeadersString : null; }, // Caches the header setRequestHeader: function( name, value ) { var lname = name.toLowerCase(); if ( !state ) { name = requestHeadersNames[ lname ] = requestHeadersNames[ lname ] || name; requestHeaders[ name ] = value; } return this; }, // Overrides response content-type header overrideMimeType: function( type ) { if ( !state ) { s.mimeType = type; } return this; }, // Status-dependent callbacks statusCode: function( map ) { var code; if ( map ) { if ( state < 2 ) { for ( code in map ) { // Lazy-add the new callback in a way that preserves old ones statusCode[ code ] = [ statusCode[ code ], map[ code ] ]; } } else { // Execute the appropriate callbacks jqXHR.always( map[ jqXHR.status ] ); } } return this; }, // Cancel the request abort: function( statusText ) { var finalText = statusText || strAbort; if ( transport ) { transport.abort( finalText ); } done( 0, finalText ); return this; } }; // Attach deferreds deferred.promise( jqXHR ).complete = completeDeferred.add; jqXHR.success = jqXHR.done; jqXHR.error = jqXHR.fail; // Remove hash character (#7531: and string promotion) // Add protocol if not provided (#5866: IE7 issue with protocol-less urls) // Handle falsy url in the settings object (#10093: consistency with old signature) // We also use the url parameter if available s.url = ( ( url || s.url || ajaxLocation ) + "" ).replace( rhash, "" ).replace( rprotocol, ajaxLocParts[ 1 ] + "//" ); // Alias method option to type as per ticket #12004 s.type = options.method || options.type || s.method || s.type; // Extract dataTypes list s.dataTypes = jQuery.trim( s.dataType || "*" ).toLowerCase().match( core_rnotwhite ) || [""]; // A cross-domain request is in order when we have a protocol:host:port mismatch if ( s.crossDomain == null ) { parts = rurl.exec( s.url.toLowerCase() ); s.crossDomain = !!( parts && ( parts[ 1 ] !== ajaxLocParts[ 1 ] || parts[ 2 ] !== ajaxLocParts[ 2 ] || ( parts[ 3 ] || ( parts[ 1 ] === "http:" ? 80 : 443 ) ) != ( ajaxLocParts[ 3 ] || ( ajaxLocParts[ 1 ] === "http:" ? 80 : 443 ) ) ) ); } // Convert data if not already a string if ( s.data && s.processData && typeof s.data !== "string" ) { s.data = jQuery.param( s.data, s.traditional ); } // Apply prefilters inspectPrefiltersOrTransports( prefilters, s, options, jqXHR ); // If request was aborted inside a prefilter, stop there if ( state === 2 ) { return jqXHR; } // We can fire global events as of now if asked to fireGlobals = s.global; // Watch for a new set of requests if ( fireGlobals && jQuery.active++ === 0 ) { jQuery.event.trigger("ajaxStart"); } // Uppercase the type s.type = s.type.toUpperCase(); // Determine if request has content s.hasContent = !rnoContent.test( s.type ); // Save the URL in case we're toying with the If-Modified-Since // and/or If-None-Match header later on cacheURL = s.url; // More options handling for requests with no content if ( !s.hasContent ) { // If data is available, append data to url if ( s.data ) { cacheURL = ( s.url += ( ajax_rquery.test( cacheURL ) ? "&" : "?" ) + s.data ); // #9682: remove data so that it's not used in an eventual retry delete s.data; } // Add anti-cache in url if needed if ( s.cache === false ) { s.url = rts.test( cacheURL ) ? // If there is already a '_' parameter, set its value cacheURL.replace( rts, "$1_=" + ajax_nonce++ ) : // Otherwise add one to the end cacheURL + ( ajax_rquery.test( cacheURL ) ? "&" : "?" ) + "_=" + ajax_nonce++; } } // Set the If-Modified-Since and/or If-None-Match header, if in ifModified mode. if ( s.ifModified ) { if ( jQuery.lastModified[ cacheURL ] ) { jqXHR.setRequestHeader( "If-Modified-Since", jQuery.lastModified[ cacheURL ] ); } if ( jQuery.etag[ cacheURL ] ) { jqXHR.setRequestHeader( "If-None-Match", jQuery.etag[ cacheURL ] ); } } // Set the correct header, if data is being sent if ( s.data && s.hasContent && s.contentType !== false || options.contentType ) { jqXHR.setRequestHeader( "Content-Type", s.contentType ); } // Set the Accepts header for the server, depending on the dataType jqXHR.setRequestHeader( "Accept", s.dataTypes[ 0 ] && s.accepts[ s.dataTypes[0] ] ? s.accepts[ s.dataTypes[0] ] + ( s.dataTypes[ 0 ] !== "*" ? ", " + allTypes + "; q=0.01" : "" ) : s.accepts[ "*" ] ); // Check for headers option for ( i in s.headers ) { jqXHR.setRequestHeader( i, s.headers[ i ] ); } // Allow custom headers/mimetypes and early abort if ( s.beforeSend && ( s.beforeSend.call( callbackContext, jqXHR, s ) === false || state === 2 ) ) { // Abort if not done already and return return jqXHR.abort(); } // aborting is no longer a cancellation strAbort = "abort"; // Install callbacks on deferreds for ( i in { success: 1, error: 1, complete: 1 } ) { jqXHR[ i ]( s[ i ] ); } // Get transport transport = inspectPrefiltersOrTransports( transports, s, options, jqXHR ); // If no transport, we auto-abort if ( !transport ) { done( -1, "No Transport" ); } else { jqXHR.readyState = 1; // Send global event if ( fireGlobals ) { globalEventContext.trigger( "ajaxSend", [ jqXHR, s ] ); } // Timeout if ( s.async && s.timeout > 0 ) { timeoutTimer = setTimeout(function() { jqXHR.abort("timeout"); }, s.timeout ); } try { state = 1; transport.send( requestHeaders, done ); } catch ( e ) { // Propagate exception as error if not done if ( state < 2 ) { done( -1, e ); // Simply rethrow otherwise } else { throw e; } } } // Callback for when everything is done function done( status, nativeStatusText, responses, headers ) { var isSuccess, success, error, response, modified, statusText = nativeStatusText; // Called once if ( state === 2 ) { return; } // State is "done" now state = 2; // Clear timeout if it exists if ( timeoutTimer ) { clearTimeout( timeoutTimer ); } // Dereference transport for early garbage collection // (no matter how long the jqXHR object will be used) transport = undefined; // Cache response headers responseHeadersString = headers || ""; // Set readyState jqXHR.readyState = status > 0 ? 4 : 0; // Get response data if ( responses ) { response = ajaxHandleResponses( s, jqXHR, responses ); } // If successful, handle type chaining if ( status >= 200 && status < 300 || status === 304 ) { // Set the If-Modified-Since and/or If-None-Match header, if in ifModified mode. if ( s.ifModified ) { modified = jqXHR.getResponseHeader("Last-Modified"); if ( modified ) { jQuery.lastModified[ cacheURL ] = modified; } modified = jqXHR.getResponseHeader("etag"); if ( modified ) { jQuery.etag[ cacheURL ] = modified; } } // if no content if ( status === 204 ) { isSuccess = true; statusText = "nocontent"; // if not modified } else if ( status === 304 ) { isSuccess = true; statusText = "notmodified"; // If we have data, let's convert it } else { isSuccess = ajaxConvert( s, response ); statusText = isSuccess.state; success = isSuccess.data; error = isSuccess.error; isSuccess = !error; } } else { // We extract error from statusText // then normalize statusText and status for non-aborts error = statusText; if ( status || !statusText ) { statusText = "error"; if ( status < 0 ) { status = 0; } } } // Set data for the fake xhr object jqXHR.status = status; jqXHR.statusText = ( nativeStatusText || statusText ) + ""; // Success/Error if ( isSuccess ) { deferred.resolveWith( callbackContext, [ success, statusText, jqXHR ] ); } else { deferred.rejectWith( callbackContext, [ jqXHR, statusText, error ] ); } // Status-dependent callbacks jqXHR.statusCode( statusCode ); statusCode = undefined; if ( fireGlobals ) { globalEventContext.trigger( isSuccess ? "ajaxSuccess" : "ajaxError", [ jqXHR, s, isSuccess ? success : error ] ); } // Complete completeDeferred.fireWith( callbackContext, [ jqXHR, statusText ] ); if ( fireGlobals ) { globalEventContext.trigger( "ajaxComplete", [ jqXHR, s ] ); // Handle the global AJAX counter if ( !( --jQuery.active ) ) { jQuery.event.trigger("ajaxStop"); } } } return jqXHR; }, getScript: function( url, callback ) { return jQuery.get( url, undefined, callback, "script" ); }, getJSON: function( url, data, callback ) { return jQuery.get( url, data, callback, "json" ); } }); /* Handles responses to an ajax request: * - sets all responseXXX fields accordingly * - finds the right dataType (mediates between content-type and expected dataType) * - returns the corresponding response */ function ajaxHandleResponses( s, jqXHR, responses ) { var firstDataType, ct, finalDataType, type, contents = s.contents, dataTypes = s.dataTypes, responseFields = s.responseFields; // Fill responseXXX fields for ( type in responseFields ) { if ( type in responses ) { jqXHR[ responseFields[type] ] = responses[ type ]; } } // Remove auto dataType and get content-type in the process while( dataTypes[ 0 ] === "*" ) { dataTypes.shift(); if ( ct === undefined ) { ct = s.mimeType || jqXHR.getResponseHeader("Content-Type"); } } // Check if we're dealing with a known content-type if ( ct ) { for ( type in contents ) { if ( contents[ type ] && contents[ type ].test( ct ) ) { dataTypes.unshift( type ); break; } } } // Check to see if we have a response for the expected dataType if ( dataTypes[ 0 ] in responses ) { finalDataType = dataTypes[ 0 ]; } else { // Try convertible dataTypes for ( type in responses ) { if ( !dataTypes[ 0 ] || s.converters[ type + " " + dataTypes[0] ] ) { finalDataType = type; break; } if ( !firstDataType ) { firstDataType = type; } } // Or just use first one finalDataType = finalDataType || firstDataType; } // If we found a dataType // We add the dataType to the list if needed // and return the corresponding response if ( finalDataType ) { if ( finalDataType !== dataTypes[ 0 ] ) { dataTypes.unshift( finalDataType ); } return responses[ finalDataType ]; } } // Chain conversions given the request and the original response function ajaxConvert( s, response ) { var conv2, current, conv, tmp, converters = {}, i = 0, // Work with a copy of dataTypes in case we need to modify it for conversion dataTypes = s.dataTypes.slice(), prev = dataTypes[ 0 ]; // Apply the dataFilter if provided if ( s.dataFilter ) { response = s.dataFilter( response, s.dataType ); } // Create converters map with lowercased keys if ( dataTypes[ 1 ] ) { for ( conv in s.converters ) { converters[ conv.toLowerCase() ] = s.converters[ conv ]; } } // Convert to each sequential dataType, tolerating list modification for ( ; (current = dataTypes[++i]); ) { // There's only work to do if current dataType is non-auto if ( current !== "*" ) { // Convert response if prev dataType is non-auto and differs from current if ( prev !== "*" && prev !== current ) { // Seek a direct converter conv = converters[ prev + " " + current ] || converters[ "* " + current ]; // If none found, seek a pair if ( !conv ) { for ( conv2 in converters ) { // If conv2 outputs current tmp = conv2.split(" "); if ( tmp[ 1 ] === current ) { // If prev can be converted to accepted input conv = converters[ prev + " " + tmp[ 0 ] ] || converters[ "* " + tmp[ 0 ] ]; if ( conv ) { // Condense equivalence converters if ( conv === true ) { conv = converters[ conv2 ]; // Otherwise, insert the intermediate dataType } else if ( converters[ conv2 ] !== true ) { current = tmp[ 0 ]; dataTypes.splice( i--, 0, current ); } break; } } } } // Apply converter (if not an equivalence) if ( conv !== true ) { // Unless errors are allowed to bubble, catch and return them if ( conv && s["throws"] ) { response = conv( response ); } else { try { response = conv( response ); } catch ( e ) { return { state: "parsererror", error: conv ? e : "No conversion from " + prev + " to " + current }; } } } } // Update prev for next iteration prev = current; } } return { state: "success", data: response }; } // Install script dataType jQuery.ajaxSetup({ accepts: { script: "text/javascript, application/javascript, application/ecmascript, application/x-ecmascript" }, contents: { script: /(?:java|ecma)script/ }, converters: { "text script": function( text ) { jQuery.globalEval( text ); return text; } } }); // Handle cache's special case and global jQuery.ajaxPrefilter( "script", function( s ) { if ( s.cache === undefined ) { s.cache = false; } if ( s.crossDomain ) { s.type = "GET"; s.global = false; } }); // Bind script tag hack transport jQuery.ajaxTransport( "script", function(s) { // This transport only deals with cross domain requests if ( s.crossDomain ) { var script, head = document.head || jQuery("head")[0] || document.documentElement; return { send: function( _, callback ) { script = document.createElement("script"); script.async = true; if ( s.scriptCharset ) { script.charset = s.scriptCharset; } script.src = s.url; // Attach handlers for all browsers script.onload = script.onreadystatechange = function( _, isAbort ) { if ( isAbort || !script.readyState || /loaded|complete/.test( script.readyState ) ) { // Handle memory leak in IE script.onload = script.onreadystatechange = null; // Remove the script if ( script.parentNode ) { script.parentNode.removeChild( script ); } // Dereference the script script = null; // Callback if not abort if ( !isAbort ) { callback( 200, "success" ); } } }; // Circumvent IE6 bugs with base elements (#2709 and #4378) by prepending // Use native DOM manipulation to avoid our domManip AJAX trickery head.insertBefore( script, head.firstChild ); }, abort: function() { if ( script ) { script.onload( undefined, true ); } } }; } }); var oldCallbacks = [], rjsonp = /(=)\?(?=&|$)|\?\?/; // Default jsonp settings jQuery.ajaxSetup({ jsonp: "callback", jsonpCallback: function() { var callback = oldCallbacks.pop() || ( jQuery.expando + "_" + ( ajax_nonce++ ) ); this[ callback ] = true; return callback; } }); // Detect, normalize options and install callbacks for jsonp requests jQuery.ajaxPrefilter( "json jsonp", function( s, originalSettings, jqXHR ) { var callbackName, overwritten, responseContainer, jsonProp = s.jsonp !== false && ( rjsonp.test( s.url ) ? "url" : typeof s.data === "string" && !( s.contentType || "" ).indexOf("application/x-www-form-urlencoded") && rjsonp.test( s.data ) && "data" ); // Handle iff the expected data type is "jsonp" or we have a parameter to set if ( jsonProp || s.dataTypes[ 0 ] === "jsonp" ) { // Get callback name, remembering preexisting value associated with it callbackName = s.jsonpCallback = jQuery.isFunction( s.jsonpCallback ) ? s.jsonpCallback() : s.jsonpCallback; // Insert callback into url or form data if ( jsonProp ) { s[ jsonProp ] = s[ jsonProp ].replace( rjsonp, "$1" + callbackName ); } else if ( s.jsonp !== false ) { s.url += ( ajax_rquery.test( s.url ) ? "&" : "?" ) + s.jsonp + "=" + callbackName; } // Use data converter to retrieve json after script execution s.converters["script json"] = function() { if ( !responseContainer ) { jQuery.error( callbackName + " was not called" ); } return responseContainer[ 0 ]; }; // force json dataType s.dataTypes[ 0 ] = "json"; // Install callback overwritten = window[ callbackName ]; window[ callbackName ] = function() { responseContainer = arguments; }; // Clean-up function (fires after converters) jqXHR.always(function() { // Restore preexisting value window[ callbackName ] = overwritten; // Save back as free if ( s[ callbackName ] ) { // make sure that re-using the options doesn't screw things around s.jsonpCallback = originalSettings.jsonpCallback; // save the callback name for future use oldCallbacks.push( callbackName ); } // Call if it was a function and we have a response if ( responseContainer && jQuery.isFunction( overwritten ) ) { overwritten( responseContainer[ 0 ] ); } responseContainer = overwritten = undefined; }); // Delegate to script return "script"; } }); var xhrCallbacks, xhrSupported, xhrId = 0, // #5280: Internet Explorer will keep connections alive if we don't abort on unload xhrOnUnloadAbort = window.ActiveXObject && function() { // Abort all pending requests var key; for ( key in xhrCallbacks ) { xhrCallbacks[ key ]( undefined, true ); } }; // Functions to create xhrs function createStandardXHR() { try { return new window.XMLHttpRequest(); } catch( e ) {} } function createActiveXHR() { try { return new window.ActiveXObject("Microsoft.XMLHTTP"); } catch( e ) {} } // Create the request object // (This is still attached to ajaxSettings for backward compatibility) jQuery.ajaxSettings.xhr = window.ActiveXObject ? /* Microsoft failed to properly * implement the XMLHttpRequest in IE7 (can't request local files), * so we use the ActiveXObject when it is available * Additionally XMLHttpRequest can be disabled in IE7/IE8 so * we need a fallback. */ function() { return !this.isLocal && createStandardXHR() || createActiveXHR(); } : // For all other browsers, use the standard XMLHttpRequest object createStandardXHR; // Determine support properties xhrSupported = jQuery.ajaxSettings.xhr(); jQuery.support.cors = !!xhrSupported && ( "withCredentials" in xhrSupported ); xhrSupported = jQuery.support.ajax = !!xhrSupported; // Create transport if the browser can provide an xhr if ( xhrSupported ) { jQuery.ajaxTransport(function( s ) { // Cross domain only allowed if supported through XMLHttpRequest if ( !s.crossDomain || jQuery.support.cors ) { var callback; return { send: function( headers, complete ) { // Get a new xhr var handle, i, xhr = s.xhr(); // Open the socket // Passing null username, generates a login popup on Opera (#2865) if ( s.username ) { xhr.open( s.type, s.url, s.async, s.username, s.password ); } else { xhr.open( s.type, s.url, s.async ); } // Apply custom fields if provided if ( s.xhrFields ) { for ( i in s.xhrFields ) { xhr[ i ] = s.xhrFields[ i ]; } } // Override mime type if needed if ( s.mimeType && xhr.overrideMimeType ) { xhr.overrideMimeType( s.mimeType ); } // X-Requested-With header // For cross-domain requests, seeing as conditions for a preflight are // akin to a jigsaw puzzle, we simply never set it to be sure. // (it can always be set on a per-request basis or even using ajaxSetup) // For same-domain requests, won't change header if already provided. if ( !s.crossDomain && !headers["X-Requested-With"] ) { headers["X-Requested-With"] = "XMLHttpRequest"; } // Need an extra try/catch for cross domain requests in Firefox 3 try { for ( i in headers ) { xhr.setRequestHeader( i, headers[ i ] ); } } catch( err ) {} // Do send the request // This may raise an exception which is actually // handled in jQuery.ajax (so no try/catch here) xhr.send( ( s.hasContent && s.data ) || null ); // Listener callback = function( _, isAbort ) { var status, responseHeaders, statusText, responses; // Firefox throws exceptions when accessing properties // of an xhr when a network error occurred // http://helpful.knobs-dials.com/index.php/Component_returned_failure_code:_0x80040111_(NS_ERROR_NOT_AVAILABLE) try { // Was never called and is aborted or complete if ( callback && ( isAbort || xhr.readyState === 4 ) ) { // Only called once callback = undefined; // Do not keep as active anymore if ( handle ) { xhr.onreadystatechange = jQuery.noop; if ( xhrOnUnloadAbort ) { delete xhrCallbacks[ handle ]; } } // If it's an abort if ( isAbort ) { // Abort it manually if needed if ( xhr.readyState !== 4 ) { xhr.abort(); } } else { responses = {}; status = xhr.status; responseHeaders = xhr.getAllResponseHeaders(); // When requesting binary data, IE6-9 will throw an exception // on any attempt to access responseText (#11426) if ( typeof xhr.responseText === "string" ) { responses.text = xhr.responseText; } // Firefox throws an exception when accessing // statusText for faulty cross-domain requests try { statusText = xhr.statusText; } catch( e ) { // We normalize with Webkit giving an empty statusText statusText = ""; } // Filter status for non standard behaviors // If the request is local and we have data: assume a success // (success with no data won't get notified, that's the best we // can do given current implementations) if ( !status && s.isLocal && !s.crossDomain ) { status = responses.text ? 200 : 404; // IE - #1450: sometimes returns 1223 when it should be 204 } else if ( status === 1223 ) { status = 204; } } } } catch( firefoxAccessException ) { if ( !isAbort ) { complete( -1, firefoxAccessException ); } } // Call complete if needed if ( responses ) { complete( status, statusText, responses, responseHeaders ); } }; if ( !s.async ) { // if we're in sync mode we fire the callback callback(); } else if ( xhr.readyState === 4 ) { // (IE6 & IE7) if it's in cache and has been // retrieved directly we need to fire the callback setTimeout( callback ); } else { handle = ++xhrId; if ( xhrOnUnloadAbort ) { // Create the active xhrs callbacks list if needed // and attach the unload handler if ( !xhrCallbacks ) { xhrCallbacks = {}; jQuery( window ).unload( xhrOnUnloadAbort ); } // Add to list of active xhrs callbacks xhrCallbacks[ handle ] = callback; } xhr.onreadystatechange = callback; } }, abort: function() { if ( callback ) { callback( undefined, true ); } } }; } }); } var fxNow, timerId, rfxtypes = /^(?:toggle|show|hide)$/, rfxnum = new RegExp( "^(?:([+-])=|)(" + core_pnum + ")([a-z%]*)$", "i" ), rrun = /queueHooks$/, animationPrefilters = [ defaultPrefilter ], tweeners = { "*": [function( prop, value ) { var end, unit, tween = this.createTween( prop, value ), parts = rfxnum.exec( value ), target = tween.cur(), start = +target || 0, scale = 1, maxIterations = 20; if ( parts ) { end = +parts[2]; unit = parts[3] || ( jQuery.cssNumber[ prop ] ? "" : "px" ); // We need to compute starting value if ( unit !== "px" && start ) { // Iteratively approximate from a nonzero starting point // Prefer the current property, because this process will be trivial if it uses the same units // Fallback to end or a simple constant start = jQuery.css( tween.elem, prop, true ) || end || 1; do { // If previous iteration zeroed out, double until we get *something* // Use a string for doubling factor so we don't accidentally see scale as unchanged below scale = scale || ".5"; // Adjust and apply start = start / scale; jQuery.style( tween.elem, prop, start + unit ); // Update scale, tolerating zero or NaN from tween.cur() // And breaking the loop if scale is unchanged or perfect, or if we've just had enough } while ( scale !== (scale = tween.cur() / target) && scale !== 1 && --maxIterations ); } tween.unit = unit; tween.start = start; // If a +=/-= token was provided, we're doing a relative animation tween.end = parts[1] ? start + ( parts[1] + 1 ) * end : end; } return tween; }] }; // Animations created synchronously will run synchronously function createFxNow() { setTimeout(function() { fxNow = undefined; }); return ( fxNow = jQuery.now() ); } function createTweens( animation, props ) { jQuery.each( props, function( prop, value ) { var collection = ( tweeners[ prop ] || [] ).concat( tweeners[ "*" ] ), index = 0, length = collection.length; for ( ; index < length; index++ ) { if ( collection[ index ].call( animation, prop, value ) ) { // we're done with this property return; } } }); } function Animation( elem, properties, options ) { var result, stopped, index = 0, length = animationPrefilters.length, deferred = jQuery.Deferred().always( function() { // don't match elem in the :animated selector delete tick.elem; }), tick = function() { if ( stopped ) { return false; } var currentTime = fxNow || createFxNow(), remaining = Math.max( 0, animation.startTime + animation.duration - currentTime ), // archaic crash bug won't allow us to use 1 - ( 0.5 || 0 ) (#12497) temp = remaining / animation.duration || 0, percent = 1 - temp, index = 0, length = animation.tweens.length; for ( ; index < length ; index++ ) { animation.tweens[ index ].run( percent ); } deferred.notifyWith( elem, [ animation, percent, remaining ]); if ( percent < 1 && length ) { return remaining; } else { deferred.resolveWith( elem, [ animation ] ); return false; } }, animation = deferred.promise({ elem: elem, props: jQuery.extend( {}, properties ), opts: jQuery.extend( true, { specialEasing: {} }, options ), originalProperties: properties, originalOptions: options, startTime: fxNow || createFxNow(), duration: options.duration, tweens: [], createTween: function( prop, end ) { var tween = jQuery.Tween( elem, animation.opts, prop, end, animation.opts.specialEasing[ prop ] || animation.opts.easing ); animation.tweens.push( tween ); return tween; }, stop: function( gotoEnd ) { var index = 0, // if we are going to the end, we want to run all the tweens // otherwise we skip this part length = gotoEnd ? animation.tweens.length : 0; if ( stopped ) { return this; } stopped = true; for ( ; index < length ; index++ ) { animation.tweens[ index ].run( 1 ); } // resolve when we played the last frame // otherwise, reject if ( gotoEnd ) { deferred.resolveWith( elem, [ animation, gotoEnd ] ); } else { deferred.rejectWith( elem, [ animation, gotoEnd ] ); } return this; } }), props = animation.props; propFilter( props, animation.opts.specialEasing ); for ( ; index < length ; index++ ) { result = animationPrefilters[ index ].call( animation, elem, props, animation.opts ); if ( result ) { return result; } } createTweens( animation, props ); if ( jQuery.isFunction( animation.opts.start ) ) { animation.opts.start.call( elem, animation ); } jQuery.fx.timer( jQuery.extend( tick, { elem: elem, anim: animation, queue: animation.opts.queue }) ); // attach callbacks from options return animation.progress( animation.opts.progress ) .done( animation.opts.done, animation.opts.complete ) .fail( animation.opts.fail ) .always( animation.opts.always ); } function propFilter( props, specialEasing ) { var value, name, index, easing, hooks; // camelCase, specialEasing and expand cssHook pass for ( index in props ) { name = jQuery.camelCase( index ); easing = specialEasing[ name ]; value = props[ index ]; if ( jQuery.isArray( value ) ) { easing = value[ 1 ]; value = props[ index ] = value[ 0 ]; } if ( index !== name ) { props[ name ] = value; delete props[ index ]; } hooks = jQuery.cssHooks[ name ]; if ( hooks && "expand" in hooks ) { value = hooks.expand( value ); delete props[ name ]; // not quite $.extend, this wont overwrite keys already present. // also - reusing 'index' from above because we have the correct "name" for ( index in value ) { if ( !( index in props ) ) { props[ index ] = value[ index ]; specialEasing[ index ] = easing; } } } else { specialEasing[ name ] = easing; } } } jQuery.Animation = jQuery.extend( Animation, { tweener: function( props, callback ) { if ( jQuery.isFunction( props ) ) { callback = props; props = [ "*" ]; } else { props = props.split(" "); } var prop, index = 0, length = props.length; for ( ; index < length ; index++ ) { prop = props[ index ]; tweeners[ prop ] = tweeners[ prop ] || []; tweeners[ prop ].unshift( callback ); } }, prefilter: function( callback, prepend ) { if ( prepend ) { animationPrefilters.unshift( callback ); } else { animationPrefilters.push( callback ); } } }); function defaultPrefilter( elem, props, opts ) { /*jshint validthis:true */ var prop, index, length, value, dataShow, toggle, tween, hooks, oldfire, anim = this, style = elem.style, orig = {}, handled = [], hidden = elem.nodeType && isHidden( elem ); // handle queue: false promises if ( !opts.queue ) { hooks = jQuery._queueHooks( elem, "fx" ); if ( hooks.unqueued == null ) { hooks.unqueued = 0; oldfire = hooks.empty.fire; hooks.empty.fire = function() { if ( !hooks.unqueued ) { oldfire(); } }; } hooks.unqueued++; anim.always(function() { // doing this makes sure that the complete handler will be called // before this completes anim.always(function() { hooks.unqueued--; if ( !jQuery.queue( elem, "fx" ).length ) { hooks.empty.fire(); } }); }); } // height/width overflow pass if ( elem.nodeType === 1 && ( "height" in props || "width" in props ) ) { // Make sure that nothing sneaks out // Record all 3 overflow attributes because IE does not // change the overflow attribute when overflowX and // overflowY are set to the same value opts.overflow = [ style.overflow, style.overflowX, style.overflowY ]; // Set display property to inline-block for height/width // animations on inline elements that are having width/height animated if ( jQuery.css( elem, "display" ) === "inline" && jQuery.css( elem, "float" ) === "none" ) { // inline-level elements accept inline-block; // block-level elements need to be inline with layout if ( !jQuery.support.inlineBlockNeedsLayout || css_defaultDisplay( elem.nodeName ) === "inline" ) { style.display = "inline-block"; } else { style.zoom = 1; } } } if ( opts.overflow ) { style.overflow = "hidden"; if ( !jQuery.support.shrinkWrapBlocks ) { anim.always(function() { style.overflow = opts.overflow[ 0 ]; style.overflowX = opts.overflow[ 1 ]; style.overflowY = opts.overflow[ 2 ]; }); } } // show/hide pass for ( index in props ) { value = props[ index ]; if ( rfxtypes.exec( value ) ) { delete props[ index ]; toggle = toggle || value === "toggle"; if ( value === ( hidden ? "hide" : "show" ) ) { continue; } handled.push( index ); } } length = handled.length; if ( length ) { dataShow = jQuery._data( elem, "fxshow" ) || jQuery._data( elem, "fxshow", {} ); if ( "hidden" in dataShow ) { hidden = dataShow.hidden; } // store state if its toggle - enables .stop().toggle() to "reverse" if ( toggle ) { dataShow.hidden = !hidden; } if ( hidden ) { jQuery( elem ).show(); } else { anim.done(function() { jQuery( elem ).hide(); }); } anim.done(function() { var prop; jQuery._removeData( elem, "fxshow" ); for ( prop in orig ) { jQuery.style( elem, prop, orig[ prop ] ); } }); for ( index = 0 ; index < length ; index++ ) { prop = handled[ index ]; tween = anim.createTween( prop, hidden ? dataShow[ prop ] : 0 ); orig[ prop ] = dataShow[ prop ] || jQuery.style( elem, prop ); if ( !( prop in dataShow ) ) { dataShow[ prop ] = tween.start; if ( hidden ) { tween.end = tween.start; tween.start = prop === "width" || prop === "height" ? 1 : 0; } } } } } function Tween( elem, options, prop, end, easing ) { return new Tween.prototype.init( elem, options, prop, end, easing ); } jQuery.Tween = Tween; Tween.prototype = { constructor: Tween, init: function( elem, options, prop, end, easing, unit ) { this.elem = elem; this.prop = prop; this.easing = easing || "swing"; this.options = options; this.start = this.now = this.cur(); this.end = end; this.unit = unit || ( jQuery.cssNumber[ prop ] ? "" : "px" ); }, cur: function() { var hooks = Tween.propHooks[ this.prop ]; return hooks && hooks.get ? hooks.get( this ) : Tween.propHooks._default.get( this ); }, run: function( percent ) { var eased, hooks = Tween.propHooks[ this.prop ]; if ( this.options.duration ) { this.pos = eased = jQuery.easing[ this.easing ]( percent, this.options.duration * percent, 0, 1, this.options.duration ); } else { this.pos = eased = percent; } this.now = ( this.end - this.start ) * eased + this.start; if ( this.options.step ) { this.options.step.call( this.elem, this.now, this ); } if ( hooks && hooks.set ) { hooks.set( this ); } else { Tween.propHooks._default.set( this ); } return this; } }; Tween.prototype.init.prototype = Tween.prototype; Tween.propHooks = { _default: { get: function( tween ) { var result; if ( tween.elem[ tween.prop ] != null && (!tween.elem.style || tween.elem.style[ tween.prop ] == null) ) { return tween.elem[ tween.prop ]; } // passing an empty string as a 3rd parameter to .css will automatically // attempt a parseFloat and fallback to a string if the parse fails // so, simple values such as "10px" are parsed to Float. // complex values such as "rotate(1rad)" are returned as is. result = jQuery.css( tween.elem, tween.prop, "" ); // Empty strings, null, undefined and "auto" are converted to 0. return !result || result === "auto" ? 0 : result; }, set: function( tween ) { // use step hook for back compat - use cssHook if its there - use .style if its // available and use plain properties where available if ( jQuery.fx.step[ tween.prop ] ) { jQuery.fx.step[ tween.prop ]( tween ); } else if ( tween.elem.style && ( tween.elem.style[ jQuery.cssProps[ tween.prop ] ] != null || jQuery.cssHooks[ tween.prop ] ) ) { jQuery.style( tween.elem, tween.prop, tween.now + tween.unit ); } else { tween.elem[ tween.prop ] = tween.now; } } } }; // Remove in 2.0 - this supports IE8's panic based approach // to setting things on disconnected nodes Tween.propHooks.scrollTop = Tween.propHooks.scrollLeft = { set: function( tween ) { if ( tween.elem.nodeType && tween.elem.parentNode ) { tween.elem[ tween.prop ] = tween.now; } } }; jQuery.each([ "toggle", "show", "hide" ], function( i, name ) { var cssFn = jQuery.fn[ name ]; jQuery.fn[ name ] = function( speed, easing, callback ) { return speed == null || typeof speed === "boolean" ? cssFn.apply( this, arguments ) : this.animate( genFx( name, true ), speed, easing, callback ); }; }); jQuery.fn.extend({ fadeTo: function( speed, to, easing, callback ) { // show any hidden elements after setting opacity to 0 return this.filter( isHidden ).css( "opacity", 0 ).show() // animate to the value specified .end().animate({ opacity: to }, speed, easing, callback ); }, animate: function( prop, speed, easing, callback ) { var empty = jQuery.isEmptyObject( prop ), optall = jQuery.speed( speed, easing, callback ), doAnimation = function() { // Operate on a copy of prop so per-property easing won't be lost var anim = Animation( this, jQuery.extend( {}, prop ), optall ); doAnimation.finish = function() { anim.stop( true ); }; // Empty animations, or finishing resolves immediately if ( empty || jQuery._data( this, "finish" ) ) { anim.stop( true ); } }; doAnimation.finish = doAnimation; return empty || optall.queue === false ? this.each( doAnimation ) : this.queue( optall.queue, doAnimation ); }, stop: function( type, clearQueue, gotoEnd ) { var stopQueue = function( hooks ) { var stop = hooks.stop; delete hooks.stop; stop( gotoEnd ); }; if ( typeof type !== "string" ) { gotoEnd = clearQueue; clearQueue = type; type = undefined; } if ( clearQueue && type !== false ) { this.queue( type || "fx", [] ); } return this.each(function() { var dequeue = true, index = type != null && type + "queueHooks", timers = jQuery.timers, data = jQuery._data( this ); if ( index ) { if ( data[ index ] && data[ index ].stop ) { stopQueue( data[ index ] ); } } else { for ( index in data ) { if ( data[ index ] && data[ index ].stop && rrun.test( index ) ) { stopQueue( data[ index ] ); } } } for ( index = timers.length; index--; ) { if ( timers[ index ].elem === this && (type == null || timers[ index ].queue === type) ) { timers[ index ].anim.stop( gotoEnd ); dequeue = false; timers.splice( index, 1 ); } } // start the next in the queue if the last step wasn't forced // timers currently will call their complete callbacks, which will dequeue // but only if they were gotoEnd if ( dequeue || !gotoEnd ) { jQuery.dequeue( this, type ); } }); }, finish: function( type ) { if ( type !== false ) { type = type || "fx"; } return this.each(function() { var index, data = jQuery._data( this ), queue = data[ type + "queue" ], hooks = data[ type + "queueHooks" ], timers = jQuery.timers, length = queue ? queue.length : 0; // enable finishing flag on private data data.finish = true; // empty the queue first jQuery.queue( this, type, [] ); if ( hooks && hooks.cur && hooks.cur.finish ) { hooks.cur.finish.call( this ); } // look for any active animations, and finish them for ( index = timers.length; index--; ) { if ( timers[ index ].elem === this && timers[ index ].queue === type ) { timers[ index ].anim.stop( true ); timers.splice( index, 1 ); } } // look for any animations in the old queue and finish them for ( index = 0; index < length; index++ ) { if ( queue[ index ] && queue[ index ].finish ) { queue[ index ].finish.call( this ); } } // turn off finishing flag delete data.finish; }); } }); // Generate parameters to create a standard animation function genFx( type, includeWidth ) { var which, attrs = { height: type }, i = 0; // if we include width, step value is 1 to do all cssExpand values, // if we don't include width, step value is 2 to skip over Left and Right includeWidth = includeWidth? 1 : 0; for( ; i < 4 ; i += 2 - includeWidth ) { which = cssExpand[ i ]; attrs[ "margin" + which ] = attrs[ "padding" + which ] = type; } if ( includeWidth ) { attrs.opacity = attrs.width = type; } return attrs; } // Generate shortcuts for custom animations jQuery.each({ slideDown: genFx("show"), slideUp: genFx("hide"), slideToggle: genFx("toggle"), fadeIn: { opacity: "show" }, fadeOut: { opacity: "hide" }, fadeToggle: { opacity: "toggle" } }, function( name, props ) { jQuery.fn[ name ] = function( speed, easing, callback ) { return this.animate( props, speed, easing, callback ); }; }); jQuery.speed = function( speed, easing, fn ) { var opt = speed && typeof speed === "object" ? jQuery.extend( {}, speed ) : { complete: fn || !fn && easing || jQuery.isFunction( speed ) && speed, duration: speed, easing: fn && easing || easing && !jQuery.isFunction( easing ) && easing }; opt.duration = jQuery.fx.off ? 0 : typeof opt.duration === "number" ? opt.duration : opt.duration in jQuery.fx.speeds ? jQuery.fx.speeds[ opt.duration ] : jQuery.fx.speeds._default; // normalize opt.queue - true/undefined/null -> "fx" if ( opt.queue == null || opt.queue === true ) { opt.queue = "fx"; } // Queueing opt.old = opt.complete; opt.complete = function() { if ( jQuery.isFunction( opt.old ) ) { opt.old.call( this ); } if ( opt.queue ) { jQuery.dequeue( this, opt.queue ); } }; return opt; }; jQuery.easing = { linear: function( p ) { return p; }, swing: function( p ) { return 0.5 - Math.cos( p*Math.PI ) / 2; } }; jQuery.timers = []; jQuery.fx = Tween.prototype.init; jQuery.fx.tick = function() { var timer, timers = jQuery.timers, i = 0; fxNow = jQuery.now(); for ( ; i < timers.length; i++ ) { timer = timers[ i ]; // Checks the timer has not already been removed if ( !timer() && timers[ i ] === timer ) { timers.splice( i--, 1 ); } } if ( !timers.length ) { jQuery.fx.stop(); } fxNow = undefined; }; jQuery.fx.timer = function( timer ) { if ( timer() && jQuery.timers.push( timer ) ) { jQuery.fx.start(); } }; jQuery.fx.interval = 13; jQuery.fx.start = function() { if ( !timerId ) { timerId = setInterval( jQuery.fx.tick, jQuery.fx.interval ); } }; jQuery.fx.stop = function() { clearInterval( timerId ); timerId = null; }; jQuery.fx.speeds = { slow: 600, fast: 200, // Default speed _default: 400 }; // Back Compat <1.8 extension point jQuery.fx.step = {}; if ( jQuery.expr && jQuery.expr.filters ) { jQuery.expr.filters.animated = function( elem ) { return jQuery.grep(jQuery.timers, function( fn ) { return elem === fn.elem; }).length; }; } jQuery.fn.offset = function( options ) { if ( arguments.length ) { return options === undefined ? this : this.each(function( i ) { jQuery.offset.setOffset( this, options, i ); }); } var docElem, win, box = { top: 0, left: 0 }, elem = this[ 0 ], doc = elem && elem.ownerDocument; if ( !doc ) { return; } docElem = doc.documentElement; // Make sure it's not a disconnected DOM node if ( !jQuery.contains( docElem, elem ) ) { return box; } // If we don't have gBCR, just use 0,0 rather than error // BlackBerry 5, iOS 3 (original iPhone) if ( typeof elem.getBoundingClientRect !== core_strundefined ) { box = elem.getBoundingClientRect(); } win = getWindow( doc ); return { top: box.top + ( win.pageYOffset || docElem.scrollTop ) - ( docElem.clientTop || 0 ), left: box.left + ( win.pageXOffset || docElem.scrollLeft ) - ( docElem.clientLeft || 0 ) }; }; jQuery.offset = { setOffset: function( elem, options, i ) { var position = jQuery.css( elem, "position" ); // set position first, in-case top/left are set even on static elem if ( position === "static" ) { elem.style.position = "relative"; } var curElem = jQuery( elem ), curOffset = curElem.offset(), curCSSTop = jQuery.css( elem, "top" ), curCSSLeft = jQuery.css( elem, "left" ), calculatePosition = ( position === "absolute" || position === "fixed" ) && jQuery.inArray("auto", [curCSSTop, curCSSLeft]) > -1, props = {}, curPosition = {}, curTop, curLeft; // need to be able to calculate position if either top or left is auto and position is either absolute or fixed if ( calculatePosition ) { curPosition = curElem.position(); curTop = curPosition.top; curLeft = curPosition.left; } else { curTop = parseFloat( curCSSTop ) || 0; curLeft = parseFloat( curCSSLeft ) || 0; } if ( jQuery.isFunction( options ) ) { options = options.call( elem, i, curOffset ); } if ( options.top != null ) { props.top = ( options.top - curOffset.top ) + curTop; } if ( options.left != null ) { props.left = ( options.left - curOffset.left ) + curLeft; } if ( "using" in options ) { options.using.call( elem, props ); } else { curElem.css( props ); } } }; jQuery.fn.extend({ position: function() { if ( !this[ 0 ] ) { return; } var offsetParent, offset, parentOffset = { top: 0, left: 0 }, elem = this[ 0 ]; // fixed elements are offset from window (parentOffset = {top:0, left: 0}, because it is it's only offset parent if ( jQuery.css( elem, "position" ) === "fixed" ) { // we assume that getBoundingClientRect is available when computed position is fixed offset = elem.getBoundingClientRect(); } else { // Get *real* offsetParent offsetParent = this.offsetParent(); // Get correct offsets offset = this.offset(); if ( !jQuery.nodeName( offsetParent[ 0 ], "html" ) ) { parentOffset = offsetParent.offset(); } // Add offsetParent borders parentOffset.top += jQuery.css( offsetParent[ 0 ], "borderTopWidth", true ); parentOffset.left += jQuery.css( offsetParent[ 0 ], "borderLeftWidth", true ); } // Subtract parent offsets and element margins // note: when an element has margin: auto the offsetLeft and marginLeft // are the same in Safari causing offset.left to incorrectly be 0 return { top: offset.top - parentOffset.top - jQuery.css( elem, "marginTop", true ), left: offset.left - parentOffset.left - jQuery.css( elem, "marginLeft", true) }; }, offsetParent: function() { return this.map(function() { var offsetParent = this.offsetParent || document.documentElement; while ( offsetParent && ( !jQuery.nodeName( offsetParent, "html" ) && jQuery.css( offsetParent, "position") === "static" ) ) { offsetParent = offsetParent.offsetParent; } return offsetParent || document.documentElement; }); } }); // Create scrollLeft and scrollTop methods jQuery.each( {scrollLeft: "pageXOffset", scrollTop: "pageYOffset"}, function( method, prop ) { var top = /Y/.test( prop ); jQuery.fn[ method ] = function( val ) { return jQuery.access( this, function( elem, method, val ) { var win = getWindow( elem ); if ( val === undefined ) { return win ? (prop in win) ? win[ prop ] : win.document.documentElement[ method ] : elem[ method ]; } if ( win ) { win.scrollTo( !top ? val : jQuery( win ).scrollLeft(), top ? val : jQuery( win ).scrollTop() ); } else { elem[ method ] = val; } }, method, val, arguments.length, null ); }; }); function getWindow( elem ) { return jQuery.isWindow( elem ) ? elem : elem.nodeType === 9 ? elem.defaultView || elem.parentWindow : false; } // Create innerHeight, innerWidth, height, width, outerHeight and outerWidth methods jQuery.each( { Height: "height", Width: "width" }, function( name, type ) { jQuery.each( { padding: "inner" + name, content: type, "": "outer" + name }, function( defaultExtra, funcName ) { // margin is only for outerHeight, outerWidth jQuery.fn[ funcName ] = function( margin, value ) { var chainable = arguments.length && ( defaultExtra || typeof margin !== "boolean" ), extra = defaultExtra || ( margin === true || value === true ? "margin" : "border" ); return jQuery.access( this, function( elem, type, value ) { var doc; if ( jQuery.isWindow( elem ) ) { // As of 5/8/2012 this will yield incorrect results for Mobile Safari, but there // isn't a whole lot we can do. See pull request at this URL for discussion: // https://github.com/jquery/jquery/pull/764 return elem.document.documentElement[ "client" + name ]; } // Get document width or height if ( elem.nodeType === 9 ) { doc = elem.documentElement; // Either scroll[Width/Height] or offset[Width/Height] or client[Width/Height], whichever is greatest // unfortunately, this causes bug #3838 in IE6/8 only, but there is currently no good, small way to fix it. return Math.max( elem.body[ "scroll" + name ], doc[ "scroll" + name ], elem.body[ "offset" + name ], doc[ "offset" + name ], doc[ "client" + name ] ); } return value === undefined ? // Get width or height on the element, requesting but not forcing parseFloat jQuery.css( elem, type, extra ) : // Set width or height on the element jQuery.style( elem, type, value, extra ); }, type, chainable ? margin : undefined, chainable, null ); }; }); }); // Limit scope pollution from any deprecated API // (function() { // })(); // Expose jQuery to the global object window.jQuery = window.$ = jQuery; // Expose jQuery as an AMD module, but only for AMD loaders that // understand the issues with loading multiple versions of jQuery // in a page that all might call define(). The loader will indicate // they have special allowances for multiple jQuery versions by // specifying define.amd.jQuery = true. Register as a named module, // since jQuery can be concatenated with other files that may use define, // but not use a proper concatenation script that understands anonymous // AMD modules. A named AMD is safest and most robust way to register. // Lowercase jquery is used because AMD module names are derived from // file names, and jQuery is normally delivered in a lowercase file name. // Do this after creating the global so that if an AMD module wants to call // noConflict to hide this version of jQuery, it will work. if ( typeof define === "function" && define.amd && define.amd.jQuery ) { define( "jquery", [], function () { return jQuery; } ); } })( window );
src/node_modules/app/containers/CharacterMenuContainer.js
pedsmoreira/blockers
// @flow import {observer} from "mobx-react"; import React from "react"; import GameStore from "app/stores/GameStore"; import CharacterMenu from "app/components/CharacterMenu/CharacterMenu"; @observer export default class CharacterMenuContainer extends React.PureComponent { render() { return ( <CharacterMenu character={GameStore.character}/> ); } }
src/components/Register.js
cedjud/nst-prototype
import React, { Component } from 'react'; import fire from '../fire.js'; import { Segment, Button, Header, Form, Icon } from 'semantic-ui-react'; import { Redirect, Link } from 'react-router-dom'; import './Register.css'; class Register extends Component { constructor(props){ super(props); this.state = { username: '', password: '', repeatPassword: '', isError: false, errorMessage: '', isRegistered: false, } this.handleSubmit = this.handleSubmit.bind(this); this.handleInputChange = this.handleInputChange.bind(this); } handleSubmit(e){ e.preventDefault(); const { username, password, repeatPassword } = this.state; console.log(username, password); if ( password === '' ){ console.log('password is empty'); this.setState({ isError: true, errorMessage: 'password is empty', }); } else if (password !== repeatPassword ){ console.log('passwords dont match'); this.setState({ isError: true, errorMessage: 'passwords dont match', }); } else { fire.auth().createUserWithEmailAndPassword(username, password) .catch((error) => { console.log(error); this.setState({ isError: true, errorMessage: error.message, }) }) .then((res) => { if (res) { this.setState({ isRegistered: true, }); } }); } } handleInputChange(e){ this.setState({ [e.target.name]: e.target.value, }); } render() { return ( <div className="registration__wrapper"> <Segment> <Header textAlign="center">Register</Header> { this.state.isRegistered ? <div> <Header as="h3" color="green"> <Icon name="checkmark"></Icon> <Header.Content> Registered Successfully </Header.Content> </Header> <Button as={Link} to="/" icon="left arrow" content="Back to login" labelPosition="left" fluid={true} primary /> </div> : <Form onSubmit={this.handleSubmit}> {this.state.isError ? <Header as="h3" color="red"> <Icon name="close"></Icon> <Header.Content> {this.state.errorMessage} </Header.Content> </Header> : null } <Form.Field> <label htmlFor="username" > e-mail </label> <input id="username" type="email" name="username" onChange={this.handleInputChange} value={this.state.username} placeholder='your email' /> </Form.Field> <Form.Field> <label htmlFor="password" > password </label> <input id="password" type="password" name="password" onChange={this.handleInputChange} value={this.state.password} placeholder='your password' /> </Form.Field> <Form.Field> <label htmlFor="repeatPassword" > repeat password </label> <input id="repeatPassword" type="password" name="repeatPassword" onChange={this.handleInputChange} value={this.state.repeatPassword} placeholder='repeat password' /> </Form.Field> <Button primary fluid={true} type="submit" > Register </Button> </Form> } </Segment> </div> ) } } export default Register;
ajax/libs/yui/3.7.0/datatable-body/datatable-body-debug.js
kevinburke/cdnjs
YUI.add('datatable-body', function (Y, NAME) { /** View class responsible for rendering the `<tbody>` section of a table. Used as the default `bodyView` for `Y.DataTable.Base` and `Y.DataTable` classes. @module datatable @submodule datatable-body @since 3.5.0 **/ var Lang = Y.Lang, isArray = Lang.isArray, isNumber = Lang.isNumber, isString = Lang.isString, fromTemplate = Lang.sub, htmlEscape = Y.Escape.html, toArray = Y.Array, bind = Y.bind, YObject = Y.Object; /** View class responsible for rendering the `<tbody>` section of a table. Used as the default `bodyView` for `Y.DataTable.Base` and `Y.DataTable` classes. Translates the provided `modelList` into a rendered `<tbody>` based on the data in the constituent Models, altered or ammended by any special column configurations. The `columns` configuration, passed to the constructor, determines which columns will be rendered. The rendering process involves constructing an HTML template for a complete row of data, built by concatenating a customized copy of the instance's `CELL_TEMPLATE` into the `ROW_TEMPLATE` once for each column. This template is then populated with values from each Model in the `modelList`, aggregating a complete HTML string of all row and column data. A `<tbody>` Node is then created from the markup and any column `nodeFormatter`s are applied. Supported properties of the column objects include: * `key` - Used to link a column to an attribute in a Model. * `name` - Used for columns that don't relate to an attribute in the Model (`formatter` or `nodeFormatter` only) if the implementer wants a predictable name to refer to in their CSS. * `cellTemplate` - Overrides the instance's `CELL_TEMPLATE` for cells in this column only. * `formatter` - Used to customize or override the content value from the Model. These do not have access to the cell or row Nodes and should return string (HTML) content. * `nodeFormatter` - Used to provide content for a cell as well as perform any custom modifications on the cell or row Node that could not be performed by `formatter`s. Should be used sparingly for better performance. * `emptyCellValue` - String (HTML) value to use if the Model data for a column, or the content generated by a `formatter`, is the empty string, `null`, or `undefined`. * `allowHTML` - Set to `true` if a column value, `formatter`, or `emptyCellValue` can contain HTML. This defaults to `false` to protect against XSS. * `className` - Space delimited CSS classes to add to all `<td>`s in a column. Column `formatter`s are passed an object (`o`) with the following properties: * `value` - The current value of the column's associated attribute, if any. * `data` - An object map of Model keys to their current values. * `record` - The Model instance. * `column` - The column configuration object for the current column. * `className` - Initially empty string to allow `formatter`s to add CSS classes to the cell's `<td>`. * `rowIndex` - The zero-based row number. * `rowClass` - Initially empty string to allow `formatter`s to add CSS classes to the cell's containing row `<tr>`. They may return a value or update `o.value` to assign specific HTML content. A returned value has higher precedence. Column `nodeFormatter`s are passed an object (`o`) with the following properties: * `value` - The current value of the column's associated attribute, if any. * `td` - The `<td>` Node instance. * `cell` - The `<div>` liner Node instance if present, otherwise, the `<td>`. When adding content to the cell, prefer appending into this property. * `data` - An object map of Model keys to their current values. * `record` - The Model instance. * `column` - The column configuration object for the current column. * `rowIndex` - The zero-based row number. They are expected to inject content into the cell's Node directly, including any "empty" cell content. Each `nodeFormatter` will have access through the Node API to all cells and rows in the `<tbody>`, but not to the `<table>`, as it will not be attached yet. If a `nodeFormatter` returns `false`, the `o.td` and `o.cell` Nodes will be `destroy()`ed to remove them from the Node cache and free up memory. The DOM elements will remain as will any content added to them. _It is highly advisable to always return `false` from your `nodeFormatter`s_. @class BodyView @namespace DataTable @extends View @since 3.5.0 **/ Y.namespace('DataTable').BodyView = Y.Base.create('tableBody', Y.View, [], { // -- Instance properties ------------------------------------------------- /** HTML template used to create table cells. @property CELL_TEMPLATE @type {HTML} @default '<td {headers} class="{className}">{content}</td>' @since 3.5.0 **/ CELL_TEMPLATE: '<td {headers} class="{className}">{content}</td>', /** CSS class applied to even rows. This is assigned at instantiation. For DataTable, this will be `yui3-datatable-even`. @property CLASS_EVEN @type {String} @default 'yui3-table-even' @since 3.5.0 **/ //CLASS_EVEN: null /** CSS class applied to odd rows. This is assigned at instantiation. When used by DataTable instances, this will be `yui3-datatable-odd`. @property CLASS_ODD @type {String} @default 'yui3-table-odd' @since 3.5.0 **/ //CLASS_ODD: null /** HTML template used to create table rows. @property ROW_TEMPLATE @type {HTML} @default '<tr id="{rowId}" data-yui3-record="{clientId}" class="{rowClass}">{content}</tr>' @since 3.5.0 **/ ROW_TEMPLATE : '<tr id="{rowId}" data-yui3-record="{clientId}" class="{rowClass}">{content}</tr>', /** The object that serves as the source of truth for column and row data. This property is assigned at instantiation from the `host` property of the configuration object passed to the constructor. @property host @type {Object} @default (initially unset) @since 3.5.0 **/ //TODO: should this be protected? //host: null, /** HTML templates used to create the `<tbody>` containing the table rows. @property TBODY_TEMPLATE @type {HTML} @default '<tbody class="{className}">{content}</tbody>' @since 3.6.0 **/ TBODY_TEMPLATE: '<tbody class="{className}"></tbody>', // -- Public methods ------------------------------------------------------ /** Returns the `<td>` Node from the given row and column index. Alternately, the `seed` can be a Node. If so, the nearest ancestor cell is returned. If the `seed` is a cell, it is returned. If there is no cell at the given coordinates, `null` is returned. Optionally, include an offset array or string to return a cell near the cell identified by the `seed`. The offset can be an array containing the number of rows to shift followed by the number of columns to shift, or one of "above", "below", "next", or "previous". <pre><code>// Previous cell in the previous row var cell = table.getCell(e.target, [-1, -1]); // Next cell var cell = table.getCell(e.target, 'next'); var cell = table.getCell(e.taregt, [0, 1];</pre></code> @method getCell @param {Number[]|Node} seed Array of row and column indexes, or a Node that is either the cell itself or a descendant of one. @param {Number[]|String} [shift] Offset by which to identify the returned cell Node @return {Node} @since 3.5.0 **/ getCell: function (seed, shift) { var tbody = this.tbodyNode, row, cell, index, rowIndexOffset; if (seed && tbody) { if (isArray(seed)) { row = tbody.get('children').item(seed[0]); cell = row && row.get('children').item(seed[1]); } else if (Y.instanceOf(seed, Y.Node)) { cell = seed.ancestor('.' + this.getClassName('cell'), true); } if (cell && shift) { rowIndexOffset = tbody.get('firstChild.rowIndex'); if (isString(shift)) { // TODO this should be a static object map switch (shift) { case 'above' : shift = [-1, 0]; break; case 'below' : shift = [1, 0]; break; case 'next' : shift = [0, 1]; break; case 'previous': shift = [0, -1]; break; } } if (isArray(shift)) { index = cell.get('parentNode.rowIndex') + shift[0] - rowIndexOffset; row = tbody.get('children').item(index); index = cell.get('cellIndex') + shift[1]; cell = row && row.get('children').item(index); } } } return cell || null; }, /** Returns the generated CSS classname based on the input. If the `host` attribute is configured, it will attempt to relay to its `getClassName` or use its static `NAME` property as a string base. If `host` is absent or has neither method nor `NAME`, a CSS classname will be generated using this class's `NAME`. @method getClassName @param {String} token* Any number of token strings to assemble the classname from. @return {String} @protected @since 3.5.0 **/ getClassName: function () { var host = this.host, args; if (host && host.getClassName) { return host.getClassName.apply(host, arguments); } else { args = toArray(arguments); args.unshift(this.constructor.NAME); return Y.ClassNameManager.getClassName .apply(Y.ClassNameManager, args); } }, /** Returns the Model associated to the row Node or id provided. Passing the Node or id for a descendant of the row also works. If no Model can be found, `null` is returned. @method getRecord @param {String|Node} seed Row Node or `id`, or one for a descendant of a row @return {Model} @since 3.5.0 **/ getRecord: function (seed) { var modelList = this.get('modelList'), tbody = this.tbodyNode, row = null, record; if (tbody) { if (isString(seed)) { seed = tbody.one('#' + seed); } if (Y.instanceOf(seed, Y.Node)) { row = seed.ancestor(function (node) { return node.get('parentNode').compareTo(tbody); }, true); record = row && modelList.getByClientId(row.getData('yui3-record')); } } return record || null; }, /** Returns the `<tr>` Node from the given row index, Model, or Model's `clientId`. If the rows haven't been rendered yet, or if the row can't be found by the input, `null` is returned. @method getRow @param {Number|String|Model} id Row index, Model instance, or clientId @return {Node} @since 3.5.0 **/ getRow: function (id) { var tbody = this.tbodyNode, row = null; if (tbody) { if (id) { id = this._idMap[id.get ? id.get('clientId') : id] || id; } row = isNumber(id) ? tbody.get('children').item(id) : tbody.one('#' + id); } return row; }, /** Creates the table's `<tbody>` content by assembling markup generated by populating the `ROW\_TEMPLATE`, and `CELL\_TEMPLATE` templates with content from the `columns` and `modelList` attributes. The rendering process happens in three stages: 1. A row template is assembled from the `columns` attribute (see `_createRowTemplate`) 2. An HTML string is built up by concatening the application of the data in each Model in the `modelList` to the row template. For cells with `formatter`s, the function is called to generate cell content. Cells with `nodeFormatter`s are ignored. For all other cells, the data value from the Model attribute for the given column key is used. The accumulated row markup is then inserted into the container. 3. If any column is configured with a `nodeFormatter`, the `modelList` is iterated again to apply the `nodeFormatter`s. Supported properties of the column objects include: * `key` - Used to link a column to an attribute in a Model. * `name` - Used for columns that don't relate to an attribute in the Model (`formatter` or `nodeFormatter` only) if the implementer wants a predictable name to refer to in their CSS. * `cellTemplate` - Overrides the instance's `CELL_TEMPLATE` for cells in this column only. * `formatter` - Used to customize or override the content value from the Model. These do not have access to the cell or row Nodes and should return string (HTML) content. * `nodeFormatter` - Used to provide content for a cell as well as perform any custom modifications on the cell or row Node that could not be performed by `formatter`s. Should be used sparingly for better performance. * `emptyCellValue` - String (HTML) value to use if the Model data for a column, or the content generated by a `formatter`, is the empty string, `null`, or `undefined`. * `allowHTML` - Set to `true` if a column value, `formatter`, or `emptyCellValue` can contain HTML. This defaults to `false` to protect against XSS. * `className` - Space delimited CSS classes to add to all `<td>`s in a column. Column `formatter`s are passed an object (`o`) with the following properties: * `value` - The current value of the column's associated attribute, if any. * `data` - An object map of Model keys to their current values. * `record` - The Model instance. * `column` - The column configuration object for the current column. * `className` - Initially empty string to allow `formatter`s to add CSS classes to the cell's `<td>`. * `rowIndex` - The zero-based row number. * `rowClass` - Initially empty string to allow `formatter`s to add CSS classes to the cell's containing row `<tr>`. They may return a value or update `o.value` to assign specific HTML content. A returned value has higher precedence. Column `nodeFormatter`s are passed an object (`o`) with the following properties: * `value` - The current value of the column's associated attribute, if any. * `td` - The `<td>` Node instance. * `cell` - The `<div>` liner Node instance if present, otherwise, the `<td>`. When adding content to the cell, prefer appending into this property. * `data` - An object map of Model keys to their current values. * `record` - The Model instance. * `column` - The column configuration object for the current column. * `rowIndex` - The zero-based row number. They are expected to inject content into the cell's Node directly, including any "empty" cell content. Each `nodeFormatter` will have access through the Node API to all cells and rows in the `<tbody>`, but not to the `<table>`, as it will not be attached yet. If a `nodeFormatter` returns `false`, the `o.td` and `o.cell` Nodes will be `destroy()`ed to remove them from the Node cache and free up memory. The DOM elements will remain as will any content added to them. _It is highly advisable to always return `false` from your `nodeFormatter`s_. @method render @return {BodyView} The instance @chainable @since 3.5.0 **/ render: function () { var table = this.get('container'), data = this.get('modelList'), columns = this.get('columns'), tbody = this.tbodyNode || (this.tbodyNode = this._createTBodyNode()); // Needed for mutation this._createRowTemplate(columns); if (data) { tbody.setHTML(this._createDataHTML(columns)); this._applyNodeFormatters(tbody, columns); } if (tbody.get('parentNode') !== table) { table.appendChild(tbody); } this.bindUI(); return this; }, // -- Protected and private methods --------------------------------------- /** Handles changes in the source's columns attribute. Redraws the table data. @method _afterColumnsChange @param {EventFacade} e The `columnsChange` event object @protected @since 3.5.0 **/ // TODO: Preserve existing DOM // This will involve parsing and comparing the old and new column configs // and reacting to four types of changes: // 1. formatter, nodeFormatter, emptyCellValue changes // 2. column deletions // 3. column additions // 4. column moves (preserve cells) _afterColumnsChange: function (e) { this.render(); }, /** Handles modelList changes, including additions, deletions, and updates. Modifies the existing table DOM accordingly. @method _afterDataChange @param {EventFacade} e The `change` event from the ModelList @protected @since 3.5.0 **/ _afterDataChange: function (e) { //var type = e.type.slice(e.type.lastIndexOf(':') + 1); // TODO: Isolate changes this.render(); }, /** Handles replacement of the modelList. Rerenders the `<tbody>` contents. @method _afterModelListChange @param {EventFacade} e The `modelListChange` event @protected @since 3.6.0 **/ _afterModelListChange: function (e) { var handles = this._eventHandles; if (handles.dataChange) { handles.dataChange.detach(); delete handles.dataChange; this.bindUI(); } if (this.tbodyNode) { this.render(); } }, /** Iterates the `modelList`, and calls any `nodeFormatter`s found in the `columns` param on the appropriate cell Nodes in the `tbody`. @method _applyNodeFormatters @param {Node} tbody The `<tbody>` Node whose columns to update @param {Object[]} columns The column configurations @protected @since 3.5.0 **/ _applyNodeFormatters: function (tbody, columns) { var host = this.host, data = this.get('modelList'), formatters = [], linerQuery = '.' + this.getClassName('liner'), rows, i, len; // Only iterate the ModelList again if there are nodeFormatters for (i = 0, len = columns.length; i < len; ++i) { if (columns[i].nodeFormatter) { formatters.push(i); } } if (data && formatters.length) { rows = tbody.get('childNodes'); data.each(function (record, index) { var formatterData = { data : record.toJSON(), record : record, rowIndex : index }, row = rows.item(index), i, len, col, key, cells, cell, keep; if (row) { cells = row.get('childNodes'); for (i = 0, len = formatters.length; i < len; ++i) { cell = cells.item(formatters[i]); if (cell) { col = formatterData.column = columns[formatters[i]]; key = col.key || col.id; formatterData.value = record.get(key); formatterData.td = cell; formatterData.cell = cell.one(linerQuery) || cell; keep = col.nodeFormatter.call(host,formatterData); if (keep === false) { // Remove from the Node cache to reduce // memory footprint. This also purges events, // which you shouldn't be scoping to a cell // anyway. You've been warned. Incidentally, // you should always return false. Just sayin. cell.destroy(true); } } } } }); } }, /** Binds event subscriptions from the UI and the host (if assigned). @method bindUI @protected @since 3.5.0 **/ bindUI: function () { var handles = this._eventHandles, modelList = this.get('modelList'), changeEvent = modelList.model.NAME + ':change'; if (!handles.columnsChange) { handles.columnsChange = this.after('columnsChange', bind('_afterColumnsChange', this)); } if (modelList && !handles.dataChange) { handles.dataChange = modelList.after( ['add', 'remove', 'reset', changeEvent], bind('_afterDataChange', this)); } }, /** Iterates the `modelList` and applies each Model to the `_rowTemplate`, allowing any column `formatter` or `emptyCellValue` to override cell content for the appropriate column. The aggregated HTML string is returned. @method _createDataHTML @param {Object[]} columns The column configurations to customize the generated cell content or class names @return {HTML} The markup for all Models in the `modelList`, each applied to the `_rowTemplate` @protected @since 3.5.0 **/ _createDataHTML: function (columns) { var data = this.get('modelList'), html = ''; if (data) { data.each(function (model, index) { html += this._createRowHTML(model, index, columns); }, this); } return html; }, /** Applies the data of a given Model, modified by any column formatters and supplemented by other template values to the instance's `_rowTemplate` (see `_createRowTemplate`). The generated string is then returned. The data from Model's attributes is fetched by `toJSON` and this data object is appended with other properties to supply values to {placeholders} in the template. For a template generated from a Model with 'foo' and 'bar' attributes, the data object would end up with the following properties before being used to populate the `_rowTemplate`: * `clientID` - From Model, used the assign the `<tr>`'s 'id' attribute. * `foo` - The value to populate the 'foo' column cell content. This value will be the value stored in the Model's `foo` attribute, or the result of the column's `formatter` if assigned. If the value is '', `null`, or `undefined`, and the column's `emptyCellValue` is assigned, that value will be used. * `bar` - Same for the 'bar' column cell content. * `foo-className` - String of CSS classes to apply to the `<td>`. * `bar-className` - Same. * `rowClass` - String of CSS classes to apply to the `<tr>`. This will be the odd/even class per the specified index plus any additional classes assigned by column formatters (via `o.rowClass`). Because this object is available to formatters, any additional properties can be added to fill in custom {placeholders} in the `_rowTemplate`. @method _createRowHTML @param {Model} model The Model instance to apply to the row template @param {Number} index The index the row will be appearing @param {Object[]} columns The column configurations @return {HTML} The markup for the provided Model, less any `nodeFormatter`s @protected @since 3.5.0 **/ _createRowHTML: function (model, index, columns) { var data = model.toJSON(), clientId = model.get('clientId'), values = { rowId : this._getRowId(clientId), clientId: clientId, rowClass: (index % 2) ? this.CLASS_ODD : this.CLASS_EVEN }, host = this.host || this, i, len, col, token, value, formatterData; for (i = 0, len = columns.length; i < len; ++i) { col = columns[i]; value = data[col.key]; token = col._id || col.key; values[token + '-className'] = ''; if (col.formatter) { formatterData = { value : value, data : data, column : col, record : model, className: '', rowClass : '', rowIndex : index }; if (typeof col.formatter === 'string') { if (value !== undefined) { // TODO: look for known formatters by string name value = fromTemplate(col.formatter, formatterData); } } else { // Formatters can either return a value value = col.formatter.call(host, formatterData); // or update the value property of the data obj passed if (value === undefined) { value = formatterData.value; } values[token + '-className'] = formatterData.className; values.rowClass += ' ' + formatterData.rowClass; } } if (value === undefined || value === null || value === '') { value = col.emptyCellValue || ''; } values[token] = col.allowHTML ? value : htmlEscape(value); values.rowClass = values.rowClass.replace(/\s+/g, ' '); } return fromTemplate(this._rowTemplate, values); }, /** Creates a custom HTML template string for use in generating the markup for individual table rows with {placeholder}s to capture data from the Models in the `modelList` attribute or from column `formatter`s. Assigns the `_rowTemplate` property. @method _createRowTemplate @param {Object[]} columns Array of column configuration objects @protected @since 3.5.0 **/ _createRowTemplate: function (columns) { var html = '', cellTemplate = this.CELL_TEMPLATE, i, len, col, key, token, headers, tokenValues; for (i = 0, len = columns.length; i < len; ++i) { col = columns[i]; key = col.key; token = col._id || key; // Only include headers if there are more than one headers = (col._headers || []).length > 1 ? 'headers="' + col._headers.join(' ') + '"' : ''; tokenValues = { content : '{' + token + '}', headers : headers, className: this.getClassName('col', token) + ' ' + (col.className || '') + ' ' + this.getClassName('cell') + ' {' + token + '-className}' }; if (col.nodeFormatter) { // Defer all node decoration to the formatter tokenValues.content = ''; } html += fromTemplate(col.cellTemplate || cellTemplate, tokenValues); } this._rowTemplate = fromTemplate(this.ROW_TEMPLATE, { content: html }); }, /** Creates the `<tbody>` node that will store the data rows. @method _createTBodyNode @return {Node} @protected @since 3.6.0 **/ _createTBodyNode: function () { return Y.Node.create(fromTemplate(this.TBODY_TEMPLATE, { className: this.getClassName('data') })); }, /** Destroys the instance. @method destructor @protected @since 3.5.0 **/ destructor: function () { (new Y.EventHandle(YObject.values(this._eventHandles))).detach(); }, /** Holds the event subscriptions needing to be detached when the instance is `destroy()`ed. @property _eventHandles @type {Object} @default undefined (initially unset) @protected @since 3.5.0 **/ //_eventHandles: null, /** Returns the row ID associated with a Model's clientId. @method _getRowId @param {String} clientId The Model clientId @return {String} @protected **/ _getRowId: function (clientId) { return this._idMap[clientId] || (this._idMap[clientId] = Y.guid()); }, /** Map of Model clientIds to row ids. @property _idMap @type {Object} @protected **/ //_idMap, /** Initializes the instance. Reads the following configuration properties in addition to the instance attributes: * `columns` - (REQUIRED) The initial column information * `host` - The object to serve as source of truth for column info and for generating class names @method initializer @param {Object} config Configuration data @protected @since 3.5.0 **/ initializer: function (config) { this.host = config.host; this._eventHandles = { modelListChange: this.after('modelListChange', bind('_afterModelListChange', this)) }; this._idMap = {}; this.CLASS_ODD = this.getClassName('odd'); this.CLASS_EVEN = this.getClassName('even'); } /** The HTML template used to create a full row of markup for a single Model in the `modelList` plus any customizations defined in the column configurations. @property _rowTemplate @type {HTML} @default (initially unset) @protected @since 3.5.0 **/ //_rowTemplate: null }); }, '@VERSION@', {"requires": ["datatable-core", "view", "classnamemanager"]});
node_modules/react-error-overlay/lib/components/NavigationBar.js
oiricaud/horizon-education
/** * Copyright (c) 2015-present, Facebook, Inc. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. */ import React from 'react'; import { red, redTransparent } from '../styles'; var navigationBarStyle = { marginBottom: '0.5rem' }; var buttonContainerStyle = { marginRight: '1em' }; var _navButtonStyle = { backgroundColor: redTransparent, color: red, border: 'none', borderRadius: '4px', padding: '3px 6px', cursor: 'pointer' }; var leftButtonStyle = Object.assign({}, _navButtonStyle, { borderTopRightRadius: '0px', borderBottomRightRadius: '0px', marginRight: '1px' }); var rightButtonStyle = Object.assign({}, _navButtonStyle, { borderTopLeftRadius: '0px', borderBottomLeftRadius: '0px' }); function NavigationBar(props) { var currentError = props.currentError, totalErrors = props.totalErrors, previous = props.previous, next = props.next; return React.createElement( 'div', { style: navigationBarStyle }, React.createElement( 'span', { style: buttonContainerStyle }, React.createElement( 'button', { onClick: previous, style: leftButtonStyle }, '\u2190' ), React.createElement( 'button', { onClick: next, style: rightButtonStyle }, '\u2192' ) ), currentError + ' of ' + totalErrors + ' errors on the page' ); } export default NavigationBar;
app/components/Main.js
devacto/notetaker
import React from 'react'; import SearchGithub from './SearchGithub'; const Main = ({history, children}) => { return ( <div className="main-container"> <nav className="navbar navbar-default" role="navigation"> <div className="col-sm-7 col-sm-offset-2" style={{marginTop: 15}}> <SearchGithub history={history}/> </div> </nav> <div className="container"> {children} </div> </div> ); } export default Main;
src/components/dialog/alert.js
LiskHQ/lisk-nano
import { translate } from 'react-i18next'; import Button from 'react-toolbox/lib/button'; import React from 'react'; import grid from 'flexboxgrid/dist/flexboxgrid.css'; const Alert = ({ text, closeDialog, t }) => ( <div> <p className='alert-dialog-message'>{text}</p> <br /> <section className={`${grid.row} ${grid['between-xs']}`}> <span /> <Button label={t('Ok')} onClick={closeDialog} className='ok-button'/> </section> </div> ); export default translate()(Alert);
src/List/NestedList.spec.js
IsenrichO/mui-with-arrows
/* eslint-env mocha */ import React from 'react'; import {shallow} from 'enzyme'; import {assert} from 'chai'; import NestedList from './NestedList'; describe('<NestedList />', () => { describe('prop: open', () => { it('should render the children when open is true', () => { const wrapper = shallow( <NestedList nestedLevel={1} open={true}> <div /> <div /> </NestedList> ); assert.strictEqual(wrapper.children().length, 2); }); it('should not render the children when open is false', () => { const wrapper = shallow( <NestedList nestedLevel={1} open={false}> <div /> <div /> </NestedList> ); assert.strictEqual(wrapper.children().length, 0); }); }); });
app/javascript/mastodon/features/video/index.js
dwango/mastodon
import React from 'react'; import PropTypes from 'prop-types'; import { defineMessages, injectIntl, FormattedMessage } from 'react-intl'; import { fromJS } from 'immutable'; import { throttle } from 'lodash'; import classNames from 'classnames'; import { isFullscreen, requestFullscreen, exitFullscreen } from '../ui/util/fullscreen'; import { displayMedia } from '../../initial_state'; const messages = defineMessages({ play: { id: 'video.play', defaultMessage: 'Play' }, pause: { id: 'video.pause', defaultMessage: 'Pause' }, mute: { id: 'video.mute', defaultMessage: 'Mute sound' }, unmute: { id: 'video.unmute', defaultMessage: 'Unmute sound' }, hide: { id: 'video.hide', defaultMessage: 'Hide video' }, expand: { id: 'video.expand', defaultMessage: 'Expand video' }, close: { id: 'video.close', defaultMessage: 'Close video' }, fullscreen: { id: 'video.fullscreen', defaultMessage: 'Full screen' }, exit_fullscreen: { id: 'video.exit_fullscreen', defaultMessage: 'Exit full screen' }, }); const formatTime = secondsNum => { let hours = Math.floor(secondsNum / 3600); let minutes = Math.floor((secondsNum - (hours * 3600)) / 60); let seconds = secondsNum - (hours * 3600) - (minutes * 60); if (hours < 10) hours = '0' + hours; if (minutes < 10) minutes = '0' + minutes; if (seconds < 10) seconds = '0' + seconds; return (hours === '00' ? '' : `${hours}:`) + `${minutes}:${seconds}`; }; export const findElementPosition = el => { let box; if (el.getBoundingClientRect && el.parentNode) { box = el.getBoundingClientRect(); } if (!box) { return { left: 0, top: 0, }; } const docEl = document.documentElement; const body = document.body; const clientLeft = docEl.clientLeft || body.clientLeft || 0; const scrollLeft = window.pageXOffset || body.scrollLeft; const left = (box.left + scrollLeft) - clientLeft; const clientTop = docEl.clientTop || body.clientTop || 0; const scrollTop = window.pageYOffset || body.scrollTop; const top = (box.top + scrollTop) - clientTop; return { left: Math.round(left), top: Math.round(top), }; }; export const getPointerPosition = (el, event) => { const position = {}; const box = findElementPosition(el); const boxW = el.offsetWidth; const boxH = el.offsetHeight; const boxY = box.top; const boxX = box.left; let pageY = event.pageY; let pageX = event.pageX; if (event.changedTouches) { pageX = event.changedTouches[0].pageX; pageY = event.changedTouches[0].pageY; } position.y = Math.max(0, Math.min(1, (pageY - boxY) / boxH)); position.x = Math.max(0, Math.min(1, (pageX - boxX) / boxW)); return position; }; export default @injectIntl class Video extends React.PureComponent { static propTypes = { preview: PropTypes.string, src: PropTypes.string.isRequired, alt: PropTypes.string, width: PropTypes.number, height: PropTypes.number, sensitive: PropTypes.bool, startTime: PropTypes.number, onOpenVideo: PropTypes.func, onCloseVideo: PropTypes.func, detailed: PropTypes.bool, inline: PropTypes.bool, intl: PropTypes.object.isRequired, }; state = { currentTime: 0, duration: 0, paused: true, dragging: false, containerWidth: false, fullscreen: false, hovered: false, muted: false, revealed: displayMedia !== 'hide_all' && !this.props.sensitive || displayMedia === 'show_all', }; setPlayerRef = c => { this.player = c; if (c) { this.setState({ containerWidth: c.offsetWidth, }); } } setVideoRef = c => { this.video = c; } setSeekRef = c => { this.seek = c; } handleClickRoot = e => e.stopPropagation(); handlePlay = () => { this.setState({ paused: false }); } handlePause = () => { this.setState({ paused: true }); } handleTimeUpdate = () => { this.setState({ currentTime: Math.floor(this.video.currentTime), duration: Math.floor(this.video.duration), }); } handleMouseDown = e => { document.addEventListener('mousemove', this.handleMouseMove, true); document.addEventListener('mouseup', this.handleMouseUp, true); document.addEventListener('touchmove', this.handleMouseMove, true); document.addEventListener('touchend', this.handleMouseUp, true); this.setState({ dragging: true }); this.video.pause(); this.handleMouseMove(e); e.preventDefault(); e.stopPropagation(); } handleMouseUp = () => { document.removeEventListener('mousemove', this.handleMouseMove, true); document.removeEventListener('mouseup', this.handleMouseUp, true); document.removeEventListener('touchmove', this.handleMouseMove, true); document.removeEventListener('touchend', this.handleMouseUp, true); this.setState({ dragging: false }); this.video.play(); } handleMouseMove = throttle(e => { const { x } = getPointerPosition(this.seek, e); const currentTime = Math.floor(this.video.duration * x); if (!isNaN(currentTime)) { this.video.currentTime = currentTime; this.setState({ currentTime }); } }, 60); togglePlay = () => { if (this.state.paused) { this.video.play(); } else { this.video.pause(); } } toggleFullscreen = () => { if (isFullscreen()) { exitFullscreen(); } else { requestFullscreen(this.player); } } componentDidMount () { document.addEventListener('fullscreenchange', this.handleFullscreenChange, true); document.addEventListener('webkitfullscreenchange', this.handleFullscreenChange, true); document.addEventListener('mozfullscreenchange', this.handleFullscreenChange, true); document.addEventListener('MSFullscreenChange', this.handleFullscreenChange, true); } componentWillUnmount () { document.removeEventListener('fullscreenchange', this.handleFullscreenChange, true); document.removeEventListener('webkitfullscreenchange', this.handleFullscreenChange, true); document.removeEventListener('mozfullscreenchange', this.handleFullscreenChange, true); document.removeEventListener('MSFullscreenChange', this.handleFullscreenChange, true); } handleFullscreenChange = () => { this.setState({ fullscreen: isFullscreen() }); } handleMouseEnter = () => { this.setState({ hovered: true }); } handleMouseLeave = () => { this.setState({ hovered: false }); } toggleMute = () => { this.video.muted = !this.video.muted; this.setState({ muted: this.video.muted }); } toggleReveal = () => { if (this.state.revealed) { this.video.pause(); } this.setState({ revealed: !this.state.revealed }); } handleLoadedData = () => { if (this.props.startTime) { this.video.currentTime = this.props.startTime; this.video.play(); } } handleProgress = () => { if (this.video.buffered.length > 0) { this.setState({ buffer: this.video.buffered.end(0) / this.video.duration * 100 }); } } handleOpenVideo = () => { const { src, preview, width, height, alt } = this.props; const media = fromJS({ type: 'video', url: src, preview_url: preview, description: alt, width, height, }); this.video.pause(); this.props.onOpenVideo(media, this.video.currentTime); } handleCloseVideo = () => { this.video.pause(); this.props.onCloseVideo(); } render () { const { preview, src, inline, startTime, onOpenVideo, onCloseVideo, intl, alt, detailed, sensitive } = this.props; const { containerWidth, currentTime, duration, buffer, dragging, paused, fullscreen, hovered, muted, revealed } = this.state; const progress = (currentTime / duration) * 100; const playerStyle = {}; let { width, height } = this.props; if (inline && containerWidth) { width = containerWidth; height = containerWidth / (16/9); playerStyle.width = width; playerStyle.height = height; } let preload; if (startTime || fullscreen || dragging) { preload = 'auto'; } else if (detailed) { preload = 'metadata'; } else { preload = 'none'; } let warning; if (sensitive) { warning = <FormattedMessage id='status.sensitive_warning' defaultMessage='Sensitive content' />; } else { warning = <FormattedMessage id='status.media_hidden' defaultMessage='Media hidden' />; } return ( <div role='menuitem' className={classNames('video-player', { inactive: !revealed, detailed, inline: inline && !fullscreen, fullscreen })} style={playerStyle} ref={this.setPlayerRef} onMouseEnter={this.handleMouseEnter} onMouseLeave={this.handleMouseLeave} onClick={this.handleClickRoot} tabIndex={0} > <video ref={this.setVideoRef} src={src} poster={preview} preload={preload} loop role='button' tabIndex='0' aria-label={alt} title={alt} width={width} height={height} onClick={this.togglePlay} onPlay={this.handlePlay} onPause={this.handlePause} onTimeUpdate={this.handleTimeUpdate} onLoadedData={this.handleLoadedData} onProgress={this.handleProgress} /> <button type='button' className={classNames('video-player__spoiler', { active: !revealed })} onClick={this.toggleReveal}> <span className='video-player__spoiler__title'>{warning}</span> <span className='video-player__spoiler__subtitle'><FormattedMessage id='status.sensitive_toggle' defaultMessage='Click to view' /></span> </button> <div className={classNames('video-player__controls', { active: paused || hovered })}> <div className='video-player__seek' onMouseDown={this.handleMouseDown} ref={this.setSeekRef}> <div className='video-player__seek__buffer' style={{ width: `${buffer}%` }} /> <div className='video-player__seek__progress' style={{ width: `${progress}%` }} /> <span className={classNames('video-player__seek__handle', { active: dragging })} tabIndex='0' style={{ left: `${progress}%` }} /> </div> <div className='video-player__buttons-bar'> <div className='video-player__buttons left'> <button type='button' aria-label={intl.formatMessage(paused ? messages.play : messages.pause)} onClick={this.togglePlay}><i className={classNames('fa fa-fw', { 'fa-play': paused, 'fa-pause': !paused })} /></button> <button type='button' aria-label={intl.formatMessage(muted ? messages.unmute : messages.mute)} onClick={this.toggleMute}><i className={classNames('fa fa-fw', { 'fa-volume-off': muted, 'fa-volume-up': !muted })} /></button> {!onCloseVideo && <button type='button' aria-label={intl.formatMessage(messages.hide)} onClick={this.toggleReveal}><i className='fa fa-fw fa-eye' /></button>} {(detailed || fullscreen) && <span> <span className='video-player__time-current'>{formatTime(currentTime)}</span> <span className='video-player__time-sep'>/</span> <span className='video-player__time-total'>{formatTime(duration)}</span> </span> } </div> <div className='video-player__buttons right'> {(!fullscreen && onOpenVideo) && <button type='button' aria-label={intl.formatMessage(messages.expand)} onClick={this.handleOpenVideo}><i className='fa fa-fw fa-expand' /></button>} {onCloseVideo && <button type='button' aria-label={intl.formatMessage(messages.close)} onClick={this.handleCloseVideo}><i className='fa fa-fw fa-compress' /></button>} <button type='button' aria-label={intl.formatMessage(fullscreen ? messages.exit_fullscreen : messages.fullscreen)} onClick={this.toggleFullscreen}><i className={classNames('fa fa-fw', { 'fa-arrows-alt': !fullscreen, 'fa-compress': fullscreen })} /></button> </div> </div> </div> </div> ); } }
ajax/libs/yui/3.13.0/datatable-core/datatable-core-debug.js
jmusicc/cdnjs
YUI.add('datatable-core', function (Y, NAME) { /** The core implementation of the `DataTable` and `DataTable.Base` Widgets. @module datatable @submodule datatable-core @since 3.5.0 **/ var INVALID = Y.Attribute.INVALID_VALUE, Lang = Y.Lang, isFunction = Lang.isFunction, isObject = Lang.isObject, isArray = Lang.isArray, isString = Lang.isString, isNumber = Lang.isNumber, toArray = Y.Array, keys = Y.Object.keys, Table; /** _API docs for this extension are included in the DataTable class._ Class extension providing the core API and structure for the DataTable Widget. Use this class extension with Widget or another Base-based superclass to create the basic DataTable model API and composing class structure. @class DataTable.Core @for DataTable @since 3.5.0 **/ Table = Y.namespace('DataTable').Core = function () {}; Table.ATTRS = { /** Columns to include in the rendered table. If omitted, the attributes on the configured `recordType` or the first item in the `data` collection will be used as a source. This attribute takes an array of strings or objects (mixing the two is fine). Each string or object is considered a column to be rendered. Strings are converted to objects, so `columns: ['first', 'last']` becomes `columns: [{ key: 'first' }, { key: 'last' }]`. DataTable.Core only concerns itself with a few properties of columns. These properties are: * `key` - Used to identify the record field/attribute containing content for this column. Also used to create a default Model if no `recordType` or `data` are provided during construction. If `name` is not specified, this is assigned to the `_id` property (with added incrementer if the key is used by multiple columns). * `children` - Traversed to initialize nested column objects * `name` - Used in place of, or in addition to, the `key`. Useful for columns that aren't bound to a field/attribute in the record data. This is assigned to the `_id` property. * `id` - For backward compatibility. Implementers can specify the id of the header cell. This should be avoided, if possible, to avoid the potential for creating DOM elements with duplicate IDs. * `field` - For backward compatibility. Implementers should use `name`. * `_id` - Assigned unique-within-this-instance id for a column. By order of preference, assumes the value of `name`, `key`, `id`, or `_yuid`. This is used by the rendering views as well as feature module as a means to identify a specific column without ambiguity (such as multiple columns using the same `key`. * `_yuid` - Guid stamp assigned to the column object. * `_parent` - Assigned to all child columns, referencing their parent column. @attribute columns @type {Object[]|String[]} @default (from `recordType` ATTRS or first item in the `data`) @since 3.5.0 **/ columns: { // TODO: change to setter to clone input array/objects validator: isArray, setter: '_setColumns', getter: '_getColumns' }, /** Model subclass to use as the `model` for the ModelList stored in the `data` attribute. If not provided, it will try really hard to figure out what to use. The following attempts will be made to set a default value: 1. If the `data` attribute is set with a ModelList instance and its `model` property is set, that will be used. 2. If the `data` attribute is set with a ModelList instance, and its `model` property is unset, but it is populated, the `ATTRS` of the `constructor of the first item will be used. 3. If the `data` attribute is set with a non-empty array, a Model subclass will be generated using the keys of the first item as its `ATTRS` (see the `_createRecordClass` method). 4. If the `columns` attribute is set, a Model subclass will be generated using the columns defined with a `key`. This is least desirable because columns can be duplicated or nested in a way that's not parsable. 5. If neither `data` nor `columns` is set or populated, a change event subscriber will listen for the first to be changed and try all over again. @attribute recordType @type {Function} @default (see description) @since 3.5.0 **/ recordType: { getter: '_getRecordType', setter: '_setRecordType' }, /** The collection of data records to display. This attribute is a pass through to a `data` property, which is a ModelList instance. If this attribute is passed a ModelList or subclass, it will be assigned to the property directly. If an array of objects is passed, a new ModelList will be created using the configured `recordType` as its `model` property and seeded with the array. Retrieving this attribute will return the ModelList stored in the `data` property. @attribute data @type {ModelList|Object[]} @default `new ModelList()` @since 3.5.0 **/ data: { valueFn: '_initData', setter : '_setData', lazyAdd: false }, /** Content for the `<table summary="ATTRIBUTE VALUE HERE">`. Values assigned to this attribute will be HTML escaped for security. @attribute summary @type {String} @default '' (empty string) @since 3.5.0 **/ //summary: {}, /** HTML content of an optional `<caption>` element to appear above the table. Leave this config unset or set to a falsy value to remove the caption. @attribute caption @type HTML @default '' (empty string) @since 3.5.0 **/ //caption: {}, /** Deprecated as of 3.5.0. Passes through to the `data` attribute. WARNING: `get('recordset')` will NOT return a Recordset instance as of 3.5.0. This is a break in backward compatibility. @attribute recordset @type {Object[]|Recordset} @deprecated Use the `data` attribute @since 3.5.0 **/ recordset: { setter: '_setRecordset', getter: '_getRecordset', lazyAdd: false }, /** Deprecated as of 3.5.0. Passes through to the `columns` attribute. WARNING: `get('columnset')` will NOT return a Columnset instance as of 3.5.0. This is a break in backward compatibility. @attribute columnset @type {Object[]} @deprecated Use the `columns` attribute @since 3.5.0 **/ columnset: { setter: '_setColumnset', getter: '_getColumnset', lazyAdd: false } }; Y.mix(Table.prototype, { // -- Instance properties ------------------------------------------------- /** The ModelList that manages the table's data. @property data @type {ModelList} @default undefined (initially unset) @since 3.5.0 **/ //data: null, // -- Public methods ------------------------------------------------------ /** Gets the column configuration object for the given key, name, or index. For nested columns, `name` can be an array of indexes, each identifying the index of that column in the respective parent's "children" array. If you pass a column object, it will be returned. For columns with keys, you can also fetch the column with `instance.get('columns.foo')`. @method getColumn @param {String|Number|Number[]} name Key, "name", index, or index array to identify the column @return {Object} the column configuration object @since 3.5.0 **/ getColumn: function (name) { var col, columns, i, len, cols; if (isObject(name) && !isArray(name)) { if (name instanceof Y.Node) { col = this.body.getColumn(name); } else { col = name; } } else { col = this.get('columns.' + name); } if (col) { return col; } columns = this.get('columns'); if (isNumber(name) || isArray(name)) { name = toArray(name); cols = columns; for (i = 0, len = name.length - 1; cols && i < len; ++i) { cols = cols[name[i]] && cols[name[i]].children; } return (cols && cols[name[i]]) || null; } return null; }, /** Returns the Model associated to the record `id`, `clientId`, or index (not row index). If none of those yield a Model from the `data` ModelList, the arguments will be passed to the `view` instance's `getRecord` method if it has one. If no Model can be found, `null` is returned. @method getRecord @param {Number|String|Node} seed Record `id`, `clientId`, index, Node, or identifier for a row or child element @return {Model} @since 3.5.0 **/ getRecord: function (seed) { var record = this.data.getById(seed) || this.data.getByClientId(seed); if (!record) { if (isNumber(seed)) { record = this.data.item(seed); } // TODO: this should be split out to base somehow if (!record && this.view && this.view.getRecord) { record = this.view.getRecord.apply(this.view, arguments); } } return record || null; }, // -- Protected and private properties and methods ------------------------ /** This tells `Y.Base` that it should create ad-hoc attributes for config properties passed to DataTable's constructor. This is useful for setting configurations on the DataTable that are intended for the rendering View(s). @property _allowAdHocAttrs @type Boolean @default true @protected @since 3.6.0 **/ _allowAdHocAttrs: true, /** A map of column key to column configuration objects parsed from the `columns` attribute. @property _columnMap @type {Object} @default undefined (initially unset) @protected @since 3.5.0 **/ //_columnMap: null, /** The Node instance of the table containing the data rows. This is set when the table is rendered. It may also be set by progressive enhancement, though this extension does not provide the logic to parse from source. @property _tableNode @type {Node} @default undefined (initially unset) @protected @since 3.5.0 **/ //_tableNode: null, /** Updates the `_columnMap` property in response to changes in the `columns` attribute. @method _afterColumnsChange @param {EventFacade} e The `columnsChange` event object @protected @since 3.5.0 **/ _afterColumnsChange: function (e) { this._setColumnMap(e.newVal); }, /** Updates the `modelList` attributes of the rendered views in response to the `data` attribute being assigned a new ModelList. @method _afterDataChange @param {EventFacade} e the `dataChange` event @protected @since 3.5.0 **/ _afterDataChange: function (e) { var modelList = e.newVal; this.data = e.newVal; if (!this.get('columns') && modelList.size()) { // TODO: this will cause a re-render twice because the Views are // subscribed to columnsChange this._initColumns(); } }, /** Assigns to the new recordType as the model for the data ModelList @method _afterRecordTypeChange @param {EventFacade} e recordTypeChange event @protected @since 3.6.0 **/ _afterRecordTypeChange: function (e) { var data = this.data.toJSON(); this.data.model = e.newVal; this.data.reset(data); if (!this.get('columns') && data) { if (data.length) { this._initColumns(); } else { this.set('columns', keys(e.newVal.ATTRS)); } } }, /** Creates a Model subclass from an array of attribute names or an object of attribute definitions. This is used to generate a class suitable to represent the data passed to the `data` attribute if no `recordType` is set. @method _createRecordClass @param {String[]|Object} attrs Names assigned to the Model subclass's `ATTRS` or its entire `ATTRS` definition object @return {Model} @protected @since 3.5.0 **/ _createRecordClass: function (attrs) { var ATTRS, i, len; if (isArray(attrs)) { ATTRS = {}; for (i = 0, len = attrs.length; i < len; ++i) { ATTRS[attrs[i]] = {}; } } else if (isObject(attrs)) { ATTRS = attrs; } return Y.Base.create('record', Y.Model, [], null, { ATTRS: ATTRS }); }, /** Tears down the instance. @method destructor @protected @since 3.6.0 **/ destructor: function () { new Y.EventHandle(Y.Object.values(this._eventHandles)).detach(); }, /** The getter for the `columns` attribute. Returns the array of column configuration objects if `instance.get('columns')` is called, or the specific column object if `instance.get('columns.columnKey')` is called. @method _getColumns @param {Object[]} columns The full array of column objects @param {String} name The attribute name requested (e.g. 'columns' or 'columns.foo'); @protected @since 3.5.0 **/ _getColumns: function (columns, name) { // Workaround for an attribute oddity (ticket #2529254) // getter is expected to return an object if get('columns.foo') is called. // Note 'columns.' is 8 characters return name.length > 8 ? this._columnMap : columns; }, /** Relays the `get()` request for the deprecated `columnset` attribute to the `columns` attribute. THIS BREAKS BACKWARD COMPATIBILITY. 3.4.1 and prior implementations will expect a Columnset instance returned from `get('columnset')`. @method _getColumnset @param {Object} ignored The current value stored in the `columnset` state @param {String} name The attribute name requested (e.g. 'columnset' or 'columnset.foo'); @deprecated This will be removed with the `columnset` attribute in a future version. @protected @since 3.5.0 **/ _getColumnset: function (_, name) { return this.get(name.replace(/^columnset/, 'columns')); }, /** Returns the Model class of the instance's `data` attribute ModelList. If not set, returns the explicitly configured value. @method _getRecordType @param {Model} val The currently configured value @return {Model} **/ _getRecordType: function (val) { // Prefer the value stored in the attribute because the attribute // change event defaultFn sets e.newVal = this.get('recordType') // before notifying the after() subs. But if this getter returns // this.data.model, then after() subs would get e.newVal === previous // model before _afterRecordTypeChange can set // this.data.model = e.newVal return val || (this.data && this.data.model); }, /** Initializes the `_columnMap` property from the configured `columns` attribute. If `columns` is not set, but there are records in the `data` ModelList, use `ATTRS` of that class. @method _initColumns @protected @since 3.5.0 **/ _initColumns: function () { var columns = this.get('columns') || [], item; // Default column definition from the configured recordType if (!columns.length && this.data.size()) { // TODO: merge superclass attributes up to Model? item = this.data.item(0); if (item.toJSON) { item = item.toJSON(); } this.set('columns', keys(item)); } this._setColumnMap(columns); }, /** Sets up the change event subscriptions to maintain internal state. @method _initCoreEvents @protected @since 3.6.0 **/ _initCoreEvents: function () { this._eventHandles.coreAttrChanges = this.after({ columnsChange : Y.bind('_afterColumnsChange', this), recordTypeChange: Y.bind('_afterRecordTypeChange', this), dataChange : Y.bind('_afterDataChange', this) }); }, /** Defaults the `data` attribute to an empty ModelList if not set during construction. Uses the configured `recordType` for the ModelList's `model` proeprty if set. @method _initData @protected @return {ModelList} @since 3.6.0 **/ _initData: function () { var recordType = this.get('recordType'), // TODO: LazyModelList if recordType doesn't have complex ATTRS modelList = new Y.ModelList(); if (recordType) { modelList.model = recordType; } return modelList; }, /** Initializes the instance's `data` property from the value of the `data` attribute. If the attribute value is a ModelList, it is assigned directly to `this.data`. If it is an array, a ModelList is created, its `model` property is set to the configured `recordType` class, and it is seeded with the array data. This ModelList is then assigned to `this.data`. @method _initDataProperty @param {Array|ModelList|ArrayList} data Collection of data to populate the DataTable @protected @since 3.6.0 **/ _initDataProperty: function (data) { var recordType; if (!this.data) { recordType = this.get('recordType'); if (data && data.each && data.toJSON) { this.data = data; if (recordType) { this.data.model = recordType; } } else { // TODO: customize the ModelList or read the ModelList class // from a configuration option? this.data = new Y.ModelList(); if (recordType) { this.data.model = recordType; } } // TODO: Replace this with an event relay for specific events. // Using bubbling causes subscription conflicts with the models' // aggregated change event and 'change' events from DOM elements // inside the table (via Widget UI event). this.data.addTarget(this); } }, /** Initializes the columns, `recordType` and data ModelList. @method initializer @param {Object} config Configuration object passed to constructor @protected @since 3.5.0 **/ initializer: function (config) { var data = config.data, columns = config.columns, recordType; // Referencing config.data to allow _setData to be more stringent // about its behavior this._initDataProperty(data); // Default columns from recordType ATTRS if recordType is supplied at // construction. If no recordType is supplied, but the data is // supplied as a non-empty array, use the keys of the first item // as the columns. if (!columns) { recordType = (config.recordType || config.data === this.data) && this.get('recordType'); if (recordType) { columns = keys(recordType.ATTRS); } else if (isArray(data) && data.length) { columns = keys(data[0]); } if (columns) { this.set('columns', columns); } } this._initColumns(); this._eventHandles = {}; this._initCoreEvents(); }, /** Iterates the array of column configurations to capture all columns with a `key` property. An map is built with column keys as the property name and the corresponding column object as the associated value. This map is then assigned to the instance's `_columnMap` property. @method _setColumnMap @param {Object[]|String[]} columns The array of column config objects @protected @since 3.6.0 **/ _setColumnMap: function (columns) { var map = {}; function process(cols) { var i, len, col, key; for (i = 0, len = cols.length; i < len; ++i) { col = cols[i]; key = col.key; // First in wins for multiple columns with the same key // because the first call to genId (in _setColumns) will // return the same key, which will then be overwritten by the // subsequent same-keyed column. So table.getColumn(key) would // return the last same-keyed column. if (key && !map[key]) { map[key] = col; } else {Y.log('Key of column matches existing key or name: ' + key, 'warn', NAME);} if (map[col_id]) {Y.log('Key of column matches existing key or name: ' + col._id, 'warn', NAME);} //TODO: named columns can conflict with keyed columns map[col._id] = col; if (col.children) { process(col.children); } } } process(columns); this._columnMap = map; }, /** Translates string columns into objects with that string as the value of its `key` property. All columns are assigned a `_yuid` stamp and `_id` property corresponding to the column's configured `name` or `key` property with any spaces replaced with dashes. If the same `name` or `key` appears in multiple columns, subsequent appearances will have their `_id` appended with an incrementing number (e.g. if column "foo" is included in the `columns` attribute twice, the first will get `_id` of "foo", and the second an `_id` of "foo1"). Columns that are children of other columns will have the `_parent` property added, assigned the column object to which they belong. @method _setColumns @param {null|Object[]|String[]} val Array of config objects or strings @return {null|Object[]} @protected **/ _setColumns: function (val) { var keys = {}, known = [], knownCopies = [], arrayIndex = Y.Array.indexOf; function copyObj(o) { var copy = {}, key, val, i; known.push(o); knownCopies.push(copy); for (key in o) { if (o.hasOwnProperty(key)) { val = o[key]; if (isArray(val)) { copy[key] = val.slice(); } else if (isObject(val, true)) { i = arrayIndex(known, val); copy[key] = i === -1 ? copyObj(val) : knownCopies[i]; } else { copy[key] = o[key]; } } } return copy; } function genId(name) { // Sanitize the name for use in generated CSS classes. // TODO: is there more to do for other uses of _id? name = name.replace(/\s+/, '-'); if (keys[name]) { name += (keys[name]++); } else { keys[name] = 1; } return name; } function process(cols, parent) { var columns = [], i, len, col, yuid; for (i = 0, len = cols.length; i < len; ++i) { columns[i] = // chained assignment col = isString(cols[i]) ? { key: cols[i] } : copyObj(cols[i]); yuid = Y.stamp(col); // For backward compatibility if (!col.id) { // Implementers can shoot themselves in the foot by setting // this config property to a non-unique value col.id = yuid; } if (col.field) { // Field is now known as "name" to avoid confusion with data // fields or schema.resultFields col.name = col.field; } if (parent) { col._parent = parent; } else { delete col._parent; } // Unique id based on the column's configured name or key, // falling back to the yuid. Duplicates will have a counter // added to the end. col._id = genId(col.name || col.key || col.id); if (isArray(col.children)) { col.children = process(col.children, col); } } return columns; } return val && process(val); }, /** Relays attribute assignments of the deprecated `columnset` attribute to the `columns` attribute. If a Columnset is object is passed, its basic object structure is mined. @method _setColumnset @param {Array|Columnset} val The columnset value to relay @deprecated This will be removed with the deprecated `columnset` attribute in a later version. @protected @since 3.5.0 **/ _setColumnset: function (val) { this.set('columns', val); return isArray(val) ? val : INVALID; }, /** Accepts an object with `each` and `getAttrs` (preferably a ModelList or subclass) or an array of data objects. If an array is passes, it will create a ModelList to wrap the data. In doing so, it will set the created ModelList's `model` property to the class in the `recordType` attribute, which will be defaulted if not yet set. If the `data` property is already set with a ModelList, passing an array as the value will call the ModelList's `reset()` method with that array rather than replacing the stored ModelList wholesale. Any non-ModelList-ish and non-array value is invalid. @method _setData @protected @since 3.5.0 **/ _setData: function (val) { if (val === null) { val = []; } if (isArray(val)) { this._initDataProperty(); // silent to prevent subscribers to both reset and dataChange // from reacting to the change twice. // TODO: would it be better to return INVALID to silence the // dataChange event, or even allow both events? this.data.reset(val, { silent: true }); // Return the instance ModelList to avoid storing unprocessed // data in the state and their vivified Model representations in // the instance's data property. Decreases memory consumption. val = this.data; } else if (!val || !val.each || !val.toJSON) { // ModelList/ArrayList duck typing val = INVALID; } return val; }, /** Relays the value assigned to the deprecated `recordset` attribute to the `data` attribute. If a Recordset instance is passed, the raw object data will be culled from it. @method _setRecordset @param {Object[]|Recordset} val The recordset value to relay @deprecated This will be removed with the deprecated `recordset` attribute in a later version. @protected @since 3.5.0 **/ _setRecordset: function (val) { var data; if (val && Y.Recordset && val instanceof Y.Recordset) { data = []; val.each(function (record) { data.push(record.get('data')); }); val = data; } this.set('data', val); return val; }, /** Accepts a Base subclass (preferably a Model subclass). Alternately, it will generate a custom Model subclass from an array of attribute names or an object defining attributes and their respective configurations (it is assigned as the `ATTRS` of the new class). Any other value is invalid. @method _setRecordType @param {Function|String[]|Object} val The Model subclass, array of attribute names, or the `ATTRS` definition for a custom model subclass @return {Function} A Base/Model subclass @protected @since 3.5.0 **/ _setRecordType: function (val) { var modelClass; // Duck type based on known/likely consumed APIs if (isFunction(val) && val.prototype.toJSON && val.prototype.setAttrs) { modelClass = val; } else if (isObject(val)) { modelClass = this._createRecordClass(val); } return modelClass || INVALID; } }); /** _This is a documentation entry only_ Columns are described by object literals with a set of properties. There is not an actual `DataTable.Column` class. However, for the purpose of documenting it, this pseudo-class is declared here. DataTables accept an array of column definitions in their [columns](DataTable.html#attr_columns) attribute. Each entry in this array is a column definition which may contain any combination of the properties listed below. There are no mandatory properties though a column will usually have a [key](#property_key) property to reference the data it is supposed to show. The [columns](DataTable.html#attr_columns) attribute can accept a plain string in lieu of an object literal, which is the equivalent of an object with the [key](#property_key) property set to that string. @class DataTable.Column */ /** Binds the column values to the named property in the [data](DataTable.html#attr_data). Optional if [formatter](#property_formatter), [nodeFormatter](#property_nodeFormatter), or [cellTemplate](#property_cellTemplate) is used to populate the content. It should not be set if [children](#property_children) is set. The value is used for the [\_id](#property__id) property unless the [name](#property_name) property is also set. { key: 'username' } The above column definition can be reduced to this: 'username' @property key @type String */ /** An identifier that can be used to locate a column via [getColumn](DataTable.html#method_getColumn) or style columns with class `yui3-datatable-col-NAME` after dropping characters that are not valid for CSS class names. It defaults to the [key](#property_key). The value is used for the [\_id](#property__id) property. { name: 'fullname', formatter: ... } @property name @type String */ /** An alias for [name](#property_name) for backward compatibility. { field: 'fullname', formatter: ... } @property field @type String */ /** Overrides the default unique id assigned `<th id="HERE">`. __Use this with caution__, since it can result in duplicate ids in the DOM. { name: 'checkAll', id: 'check-all', label: ... formatter: ... } @property id @type String */ /** HTML to populate the header `<th>` for the column. It defaults to the value of the [key](#property_key) property or the text `Column n` where _n_ is an ordinal number. { key: 'MfgvaPrtNum', label: 'Part Number' } @property label @@type {HTML} */ /** Used to create stacked headers. Child columns may also contain `children`. There is no limit to the depth of nesting. Columns configured with `children` are for display only and <strong>should not</strong> be configured with a [key](#property_key). Configurations relating to the display of data, such as [formatter](#property_formatter), [nodeFormatter](#property_nodeFormatter), [emptyCellValue](#property_emptyCellValue), etc. are ignored. { label: 'Name', children: [ { key: 'firstName', label: 'First`}, { key: 'lastName', label: 'Last`} ]} @property children @type Array */ /** Assigns the value `<th abbr="HERE">`. { key : 'forecast', label: '1yr Target Forecast', abbr : 'Forecast' } @property abbr @type String */ /** Assigns the value `<th title="HERE">`. { key : 'forecast', label: '1yr Target Forecast', title: 'Target Forecast for the Next 12 Months' } @property title @type String */ /** Overrides the default [CELL_TEMPLATE](DataTable.HeaderView.html#property_CELL_TEMPLATE) used by `Y.DataTable.HeaderView` to render the header cell for this column. This is necessary when more control is needed over the markup for the header itself, rather than its content. Use the [label](#property_label) configuration if you don't need to customize the `<th>` iteself. Implementers are strongly encouraged to preserve at least the `{id}` and `{_id}` placeholders in the custom value. { headerTemplate: '<th id="{id}" ' + 'title="Unread" ' + 'class="{className}" ' + '{_id}>&#9679;</th>' } @property headerTemplate @type HTML */ /** Overrides the default [CELL_TEMPLATE](DataTable.BodyView.html#property_CELL_TEMPLATE) used by `Y.DataTable.BodyView` to render the data cells for this column. This is necessary when more control is needed over the markup for the `<td>` itself, rather than its content. { key: 'id', cellTemplate: '<td class="{className}">' + '<input type="checkbox" ' + 'id="{content}">' + '</td>' } @property cellTemplate @type HTML template */ /** String or function used to translate the raw record data for each cell in a given column into a format better suited to display. If it is a string, it will initially be assumed to be the name of one of the formatting functions in [Y.DataTable.BodyView.Formatters](DataTable.BodyView.Formatters.html). If one such formatting function exists, it will be used. If no such named formatter is found, it will be assumed to be a template string and will be expanded. The placeholders can contain the key to any field in the record or the placeholder `{value}` which represents the value of the current field. If the value is a function, it will be assumed to be a formatting function. A formatting function receives a single argument, an object with the following properties: * __value__ The raw value from the record Model to populate this cell. Equivalent to `o.record.get(o.column.key)` or `o.data[o.column.key]`. * __data__ The Model data for this row in simple object format. * __record__ The Model for this row. * __column__ The column configuration object. * __className__ A string of class names to add `<td class="HERE">` in addition to the column class and any classes in the column's className configuration. * __rowIndex__ The index of the current Model in the ModelList. Typically correlates to the row index as well. * __rowClass__ A string of css classes to add `<tr class="HERE"><td....` This is useful to avoid the need for nodeFormatters to add classes to the containing row. The formatter function may return a string value that will be used for the cell contents or it may change the value of the `value`, `className` or `rowClass` properties which well then be used to format the cell. If the value for the cell is returned in the `value` property of the input argument, no value should be returned. { key: 'name', formatter: 'link', // named formatter linkFrom: 'website' // extra column property for link formatter }, { key: 'cost', formatter: '${value}' // formatter template string //formatter: '${cost}' // same result but less portable }, { name: 'Name', // column does not have associated field value // thus, it uses name instead of key formatter: '{firstName} {lastName}' // template references other fields }, { key: 'price', formatter: function (o) { // function both returns a string to show if (o.value > 3) { // and a className to apply to the cell o.className += 'expensive'; } return '$' + o.value.toFixed(2); } }, @property formatter @type String || Function */ /** Used to customize the content of the data cells for this column. `nodeFormatter` is significantly slower than [formatter](#property_formatter) and should be avoided if possible. Unlike [formatter](#property_formatter), `nodeFormatter` has access to the `<td>` element and its ancestors. The function provided is expected to fill in the `<td>` element itself. __Node formatters should return `false`__ except in certain conditions as described in the users guide. The function receives a single object argument with the following properties: * __td__ The `<td>` Node for this cell. * __cell__ If the cell `<td> contains an element with class `yui3-datatable-liner, this will refer to that Node. Otherwise, it is equivalent to `td` (default behavior). * __value__ The raw value from the record Model to populate this cell. Equivalent to `o.record.get(o.column.key)` or `o.data[o.column.key]`. * __data__ The Model data for this row in simple object format. * __record__ The Model for this row. * __column__ The column configuration object. * __rowIndex__ The index of the current Model in the ModelList. _Typically_ correlates to the row index as well. @example nodeFormatter: function (o) { if (o.value < o.data.quota) { o.td.setAttribute('rowspan', 2); o.td.setAttribute('data-term-id', this.record.get('id')); o.td.ancestor().insert( '<tr><td colspan"3">' + '<button class="term">terminate</button>' + '</td></tr>', 'after'); } o.cell.setHTML(o.value); return false; } @property nodeFormatter @type Function */ /** Provides the default value to populate the cell if the data for that cell is `undefined`, `null`, or an empty string. { key: 'price', emptyCellValue: '???' } @property emptyCellValue @type {String|HTML} depending on the setting of allowHTML */ /** Skips the security step of HTML escaping the value for cells in this column. This is also necessary if [emptyCellValue](#property_emptyCellValue) is set with an HTML string. `nodeFormatter`s ignore this configuration. If using a `nodeFormatter`, it is recommended to use [Y.Escape.html()](Escape.html#method_html) on any user supplied content that is to be displayed. { key: 'preview', allowHTML: true } @property allowHTML @type Boolean */ /** A string of CSS classes that will be added to the `<td>`'s `class` attribute. Note, all cells will automatically have a class in the form of "yui3-datatable-col-XXX" added to the `<td>`, where XXX is the column's configured `name`, `key`, or `id` (in that order of preference) sanitized from invalid characters. { key: 'symbol', className: 'no-hide' } @property className @type String */ /** (__read-only__) The unique identifier assigned to each column. This is used for the `id` if not set, and the `_id` if none of [name](#property_name), [field](#property_field), [key](#property_key), or [id](#property_id) are set. @property _yuid @type String @protected */ /** (__read-only__) A unique-to-this-instance name used extensively in the rendering process. It is also used to create the column's classname, as the input name `table.getColumn(HERE)`, and in the column header's `<th data-yui3-col-id="HERE">`. The value is populated by the first of [name](#property_name), [field](#property_field), [key](#property_key), [id](#property_id), or [_yuid](#property__yuid) to have a value. If that value has already been used (such as when multiple columns have the same `key`), an incrementer is added to the end. For example, two columns with `key: "id"` will have `_id`s of "id" and "id2". `table.getColumn("id")` will return the first column, and `table.getColumn("id2")` will return the second. @property _id @type String @protected */ /** (__read-only__) Used by `Y.DataTable.HeaderView` when building stacked column headers. @property _colspan @type Integer @protected */ /** (__read-only__) Used by `Y.DataTable.HeaderView` when building stacked column headers. @property _rowspan @type Integer @protected */ /** (__read-only__) Assigned to all columns in a column's `children` collection. References the parent column object. @property _parent @type DataTable.Column @protected */ /** (__read-only__) Array of the `id`s of the column and all parent columns. Used by `Y.DataTable.BodyView` to populate `<td headers="THIS">` when a cell references more than one header. @property _headers @type Array @protected */ }, '@VERSION@', {"requires": ["escape", "model-list", "node-event-delegate"]});
docs/pages/versions.js
lgollut/material-ui
import React from 'react'; import sortedUniqBy from 'lodash/sortedUniqBy'; import MarkdownDocs from 'docs/src/modules/components/MarkdownDocs'; import fetch from 'cross-fetch'; import { prepareMarkdown } from 'docs/src/modules/utils/parseMarkdown'; const pageFilename = 'versions'; const requireDemo = require.context('docs/src/pages/versions/', false, /\.(js|tsx)$/); const requireRaw = require.context('!raw-loader!../src/pages/versions', false, /\.(js|md|tsx)$/); export default function Page({ demos, docs }) { return <MarkdownDocs demos={demos} docs={docs} requireDemo={requireDemo} />; } function formatVersion(version) { return version .replace('v', '') .split('.') .map((n) => +n + 1000) .join('.'); } async function getBranches() { const githubAuthorizationToken = process.env.GITHUB_AUTH || ''; const result = await fetch('https://api.github.com/repos/mui-org/material-ui-docs/branches', { headers: { Authorization: `Basic ${Buffer.from(githubAuthorizationToken).toString('base64')}`, }, }); const branches = await result.json(); return branches; } Page.getInitialProps = async () => { const FILTERED_BRANCHES = ['latest', 'staging', 'l10n', 'next']; const branches = await getBranches(); let versions = branches.map((n) => n.name); versions = versions.filter((value) => FILTERED_BRANCHES.indexOf(value) === -1); versions = versions.map((version) => ({ version, // Replace dot with dashes for Netlify branch subdomains url: `https://${version.replace(/\./g, '-')}.material-ui.com`, })); // Current version. versions.push({ version: `v${process.env.LIB_VERSION}`, url: 'https://material-ui.com', }); // Legacy documentation. versions.push({ version: 'v0', url: 'https://v0.material-ui.com', }); versions = versions.sort((a, b) => formatVersion(b.version).localeCompare(formatVersion(a.version)), ); versions = sortedUniqBy(versions, 'version'); const { demos, docs } = prepareMarkdown({ pageFilename, requireRaw }); return { demos, docs, versions }; };