/* global haas, $, _ */ (function () { 'use strict'; if (!localStorage) { var memFallback = {}; window.localStorage = { getItem: function (key) { return memFallback[key]; }, setItem: function (key, value) { memFallback[key] = value; }, removeItem: function (key) { delete memFallback[key] } }; } window.assignPoly = assign; if (!Object.assign) { Object.defineProperty(Object, 'assign', { enumerable: false, configurable: true, writable: true, value: assign }); } function assign (target, firstSource) { if (target === undefined || target === null) { throw new TypeError('Cannot convert first argument to object'); } var to = Object(target); for (var i = 1; i < arguments.length; i++) { var nextSource = arguments[i]; if (nextSource === undefined || nextSource === null) { continue; } var keysArray = Object.keys(Object(nextSource)); for (var nextIndex = 0, len = keysArray.length; nextIndex < len; nextIndex++) { var nextKey = keysArray[nextIndex]; var desc = Object.getOwnPropertyDescriptor(nextSource, nextKey); if (desc !== undefined && desc.enumerable) { to[nextKey] = nextSource[nextKey]; } } } return to; } })(); (function() { var isIE11 = !!window.MSInputMethodContext && !!document.documentMode; if (isIE11) { document.getElementsByTagName('body')[0].classList.add('ie11'); console.log('IE11 detected, adding class to body'); } })(); /* global haas, _ */ (function () { 'use strict'; haas.events.EventEmitter = EventEmitter; haas.events.Subscription = Subscription; // Example: // var emitter = new EventEmitter(); // var sub = emitter.subscribe('test', (one, two, three) => { // console.log('test', one, two, three); // }); // // emitter.emit('test', 1, 2, 3); // > "test", 1, 2, 3 function EventEmitter () { this.subscriptions = {}; this.emit = _.rest(function (event, args) { var subs = this.subscriptions[event]; if (!subs || !subs.length) return; subs.forEach(function (sub) { sub.callback(args); }); }); this.subscribe = function (event, callback) { var sub = new Subscription(this, event, _.spread(callback)); if (!this.subscriptions.hasOwnProperty(event)) { this.subscriptions[event] = [sub]; return sub; } this.subscriptions[event].push(sub); return sub; }; this.releaseSubscription = function (sub) { var subs = this.subscriptions[sub.event]; var index = subs.indexOf(sub.callback); subs.splice(index, 1); if (!subs.length) { delete this.subscriptions[sub.event]; } }; this.subscribeOnce = function (event, callback) { var sub = this.subscribe(event, function () { callback.apply(null, arguments); sub.release(); }); return sub; }; } function Subscription (emitter, event, callback) { this.emitter = emitter; this.event = event; this.callback = callback; this.release = function () { this.emitter.releaseSubscription(this); }; } })(); /*! * JavaScript Cookie v2.1.4 * https://github.com/js-cookie/js-cookie * * Copyright 2006, 2015 Klaus Hartl & Fagner Brack * Released under the MIT license */ ;(function (factory) { var registeredInModuleLoader = false; if (typeof define === 'function' && define.amd) { define(factory); registeredInModuleLoader = true; } if (typeof exports === 'object') { module.exports = factory(); registeredInModuleLoader = true; } if (!registeredInModuleLoader) { var OldCookies = window.Cookies; var api = window.Cookies = factory(); api.noConflict = function () { window.Cookies = OldCookies; return api; }; } }(function () { function extend () { var i = 0; var result = {}; for (; i < arguments.length; i++) { var attributes = arguments[ i ]; for (var key in attributes) { result[key] = attributes[key]; } } return result; } function init (converter) { function api (key, value, attributes) { var result; if (typeof document === 'undefined') { return; } // Write if (arguments.length > 1) { attributes = extend({ path: '/' }, api.defaults, attributes); if (typeof attributes.expires === 'number') { var expires = new Date(); expires.setMilliseconds(expires.getMilliseconds() + attributes.expires * 864e+5); attributes.expires = expires; } // We're using "expires" because "max-age" is not supported by IE attributes.expires = attributes.expires ? attributes.expires.toUTCString() : ''; try { result = JSON.stringify(value); if (/^[\{\[]/.test(result)) { value = result; } } catch (e) {} if (!converter.write) { value = encodeURIComponent(String(value)) .replace(/%(23|24|26|2B|3A|3C|3E|3D|2F|3F|40|5B|5D|5E|60|7B|7D|7C)/g, decodeURIComponent); } else { value = converter.write(value, key); } key = encodeURIComponent(String(key)); key = key.replace(/%(23|24|26|2B|5E|60|7C)/g, decodeURIComponent); key = key.replace(/[\(\)]/g, escape); var stringifiedAttributes = ''; for (var attributeName in attributes) { if (!attributes[attributeName]) { continue; } stringifiedAttributes += '; ' + attributeName; if (attributes[attributeName] === true) { continue; } stringifiedAttributes += '=' + attributes[attributeName]; } return (document.cookie = key + '=' + value + stringifiedAttributes); } // Read if (!key) { result = {}; } // To prevent the for loop in the first place assign an empty array // in case there are no cookies at all. Also prevents odd result when // calling "get()" var cookies = document.cookie ? document.cookie.split('; ') : []; var rdecode = /(%[0-9A-Z]{2})+/g; var i = 0; for (; i < cookies.length; i++) { var parts = cookies[i].split('='); var cookie = parts.slice(1).join('='); if (cookie.charAt(0) === '"') { cookie = cookie.slice(1, -1); } try { var name = parts[0].replace(rdecode, decodeURIComponent); cookie = converter.read ? converter.read(cookie, name) : converter(cookie, name) || cookie.replace(rdecode, decodeURIComponent); if (this.json) { try { cookie = JSON.parse(cookie); } catch (e) {} } if (key === name) { result = cookie; break; } if (!key) { result[name] = cookie; } } catch (e) {} } return result; } api.set = api; api.get = function (key) { return api.call(api, key); }; api.getJSON = function () { return api.apply({ json: true }, [].slice.call(arguments)); }; api.defaults = {}; api.remove = function (key, attributes) { api(key, '', extend(attributes, { expires: -1 })); }; api.withConverter = init; return api; } return init(function () {}); })); (function() { "use strict"; // market codes for search, if lang is missing one, use US var marketCodes = { en : 'en-US', de : 'de-DE', es : 'es-MX', fr : 'fr-FR', it : 'it-IT', pt : 'pt-BR', cs : '', da : 'da-DK', nl : 'nl-NL', hu : '', pl : 'pl-PL', sv : 'sv-SE', ru : 'ru-RU', tr : 'tr-TR', zh : 'zh-CN', fi : 'fi-FI', nb : '' }; haas.bcsSearch = { bcs_terms : '', bcs_endpoint : { web: "https://ui.customsearch.ai/api/search/web", image: "https://ui.customsearch.ai/api/search/image" }, bcs_config : '2567271250', count : 8, current_page: 1, offset: 0, // Reset all variables of current search resetBcsSearch : function() { haas.bcsSearch.bcs_terms = ''; haas.bcsSearch.current_page = 1; haas.bcsSearch.offset = 0; }, // if switching between image / webpages, reset offset resetOffset : function() { haas.bcsSearch.offset = 0; haas.bcsSearch.current_page = 1; }, // Get url to pass to bing, containing terms, offset, and count (if we want to change count in future) getSearchUrl : function(terms, offset, type) { var search_offset = offset ? offset : 0; var search_count = (type && type === 'image') ? 6 : 8; var lang = $('html').attr('lang'); var marketCode = marketCodes[lang] ? marketCodes[lang] : 'en-US'; var queryParams = '?q=' + encodeURIComponent(terms) + '&customConfig=' + haas.bcsSearch.bcs_config + '&count=' + search_count + "&offset=" + search_offset + "&mkt=" + marketCode + "&safeSearch=" + 'Moderate' + "&textFormat=HTML&textDecorations=" + 'true'; var searchUrl_web = haas.bcsSearch.bcs_endpoint.web + queryParams; var searchUrl_image = haas.bcsSearch.bcs_endpoint.image + queryParams; return {web: searchUrl_web, img: searchUrl_image}; }, // Update search url offset in pagination click updateOffset : function() { haas.bcsSearch.offset = haas.bcsSearch.count * (haas.bcsSearch.current_page - 1); }, // handle previous page click for results prevPage : function() { haas.bcsSearch.current_page -= 1; haas.bcsSearch.updateOffset(); }, // handle next page click for results nextPage : function() { haas.bcsSearch.current_page += 1; haas.bcsSearch.updateOffset(); }, // return promise from bing search performSearch : function (terms, type) { var searchUrl = haas.bcsSearch.getSearchUrl(terms, haas.bcsSearch.offset, type); // if initial search, populate terms if (!haas.bcsSearch.bcs_terms) { haas.bcsSearch.bcs_terms = terms; } if (type && type === 'image') { return $.get({ url : searchUrl.img, dataType : 'json' }); } else { return $.get({ url : searchUrl.web, dataType : 'json' }); } } }; })(); (function() { "use strict"; // market codes for search, if lang is missing one, use US let marketCodes = { en : 'en-US', de : 'de-DE', es : 'es-MX', fr : 'fr-FR', it : 'it-IT', pt : 'pt-BR', cs : '', da : 'da-DK', nl : 'nl-NL', hu : '', pl : 'pl-PL', sv : 'sv-SE', ru : 'ru-RU', tr : 'tr-TR', zh : 'zh-CN', fi : 'fi-FI', nb : '' }; haas.bcsToolingSearch = { bcs_terms : '', bcs_endpoint : { web: "https://ui.customsearch.ai/api/search/web", image: "https://ui.customsearch.ai/api/search/image" }, bcs_config : 'f9e67697-a9a5-4cae-8700-138c61e2f7f2', count : 11, current_page: 1, offset: 0, // Reset all variables of current search resetBcsSearch : function() { haas.bcsToolingSearch.bcs_terms = ''; haas.bcsToolingSearch.current_page = 1; haas.bcsToolingSearch.offset = 0; }, // if switching between image / webpages, reset offset resetOffset : function() { haas.bcsToolingSearch.offset = 0; haas.bcsToolingSearch.current_page = 1; }, // Get url to pass to bing, containing terms, offset, and count (if we want to change count in future) getSearchUrl : function(terms, offset, type) { let search_offset = offset ? offset : 0; let search_count = (type && type === 'image') ? 6 : 8; let lang = $('html').attr('lang'); let marketCode = marketCodes[lang] ? marketCodes[lang] : 'en-US'; let queryParams = '?q=' + encodeURIComponent(terms) + '&customConfig=' + haas.bcsToolingSearch.bcs_config + '&count=' + search_count + "&offset=" + search_offset + '&setLang=' + localStorage.storedSiteLang + "&mkt=" + marketCode + "&safeSearch=" + 'Moderate' + "&textFormat=HTML&textDecorations=" + 'true'; let searchUrl_web = haas.bcsToolingSearch.bcs_endpoint.web + queryParams; let searchUrl_image = haas.bcsToolingSearch.bcs_endpoint.image + queryParams; return {web: searchUrl_web, img: searchUrl_image}; }, // Update search url offset in pagination click updateOffset : function() { haas.bcsToolingSearch.offset = haas.bcsToolingSearch.count * (haas.bcsToolingSearch.current_page - 1); }, // handle previous page click for results prevPage : function() { haas.bcsToolingSearch.current_page -= 1; haas.bcsToolingSearch.updateOffset(); }, // handle next page click for results nextPage : function() { haas.bcsToolingSearch.current_page += 1; haas.bcsToolingSearch.updateOffset(); }, // return promise from bing search performSearch : function (terms, type) { let searchUrl = haas.bcsToolingSearch.getSearchUrl(terms, haas.bcsToolingSearch.offset, type); // if initial search, populate terms if (!haas.bcsToolingSearch.bcs_terms || haas.bcsToolingSearch.bcs_terms !== terms) { haas.bcsToolingSearch.bcs_terms = terms; } if (type && type === 'image') { return $.get({ url : searchUrl.img, dataType : 'json' }); } else { return $.get({ url : searchUrl.web, dataType : 'json' }); } } }; })(); (function() { "use strict"; // market codes for search, if lang is missing one, use US let marketCodes = { en : 'en-US', de : 'de-DE', es : 'es-MX', fr : 'fr-FR', it : 'it-IT', pt : 'pt-BR', cs : '', da : 'da-DK', nl : 'nl-NL', hu : '', pl : 'pl-PL', sv : 'sv-SE', ru : 'ru-RU', tr : 'tr-TR', zh : 'zh-CN', fi : 'fi-FI', nb : '' }; haas.bcsServiceSearch = { bcs_terms : '', bcs_endpoint : { web: "https://ui.customsearch.ai/api/search/web", image: "https://ui.customsearch.ai/api/search/image" }, bcs_config : 'babe37f4-0c62-4413-9c6e-6fae1cc0d653', count : 11, current_page: 1, offset: 0, // Reset all variables of current search resetBcsSearch : function() { haas.bcsServiceSearch.bcs_terms = ''; haas.bcsServiceSearch.current_page = 1; haas.bcsServiceSearch.offset = 0; }, // if switching between image / webpages, reset offset resetOffset : function() { haas.bcsServiceSearch.offset = 0; haas.bcsServiceSearch.current_page = 1; }, // Get url to pass to bing, containing terms, offset, and count (if we want to change count in future) getSearchUrl : function(terms, offset, type) { let search_offset = offset ? offset : 0; let search_count = (type && type === 'image') ? 6 : 8; let lang = $('html').attr('lang'); let marketCode = marketCodes[lang] ? marketCodes[lang] : 'en-US'; let queryParams = '?q=' + encodeURIComponent(terms) + '&customConfig=' + haas.bcsServiceSearch.bcs_config + '&count=' + search_count + "&offset=" + search_offset + '&setLang=' + localStorage.storedSiteLang + "&mkt=" + marketCode + "&safeSearch=" + 'Moderate' + "&textFormat=HTML&textDecorations=" + 'true'; let searchUrl_web = haas.bcsServiceSearch.bcs_endpoint.web + queryParams; let searchUrl_image = haas.bcsServiceSearch.bcs_endpoint.image + queryParams; return {web: searchUrl_web, img: searchUrl_image}; }, // Update search url offset in pagination click updateOffset : function() { haas.bcsServiceSearch.offset = haas.bcsServiceSearch.count * (haas.bcsServiceSearch.current_page - 1); }, // handle previous page click for results prevPage : function() { haas.bcsServiceSearch.current_page -= 1; haas.bcsServiceSearch.updateOffset(); }, // handle next page click for results nextPage : function() { haas.bcsServiceSearch.current_page += 1; haas.bcsServiceSearch.updateOffset(); }, // return promise from bing search performSearch : function (terms, type) { let searchUrl = haas.bcsServiceSearch.getSearchUrl(terms, haas.bcsServiceSearch.offset, type); // if initial search, populate terms if (!haas.bcsServiceSearch.bcs_terms || haas.bcsServiceSearch.bcs_terms !== terms) { haas.bcsServiceSearch.bcs_terms = terms; } if (type && type === 'image') { return $.get({ url : searchUrl.img, dataType : 'json' }); } else { return $.get({ url : searchUrl.web, dataType : 'json' }); } } }; })(); /** * CLDR JavaScript Library v0.5.0 * http://jquery.com/ * * Copyright 2013 Rafael Xavier de Souza * Released under the MIT license * http://jquery.org/license * * Date: 2017-08-11T11:52Z */ /*! * CLDR JavaScript Library v0.5.0 2017-08-11T11:52Z MIT license © Rafael Xavier * http://git.io/h4lmVg */ (function( root, factory ) { if ( typeof define === "function" && define.amd ) { // AMD. define( factory ); } else if ( typeof module === "object" && typeof module.exports === "object" ) { // Node. CommonJS. module.exports = factory(); } else { // Global root.Cldr = factory(); } }( this, function() { var arrayIsArray = Array.isArray || function( obj ) { return Object.prototype.toString.call( obj ) === "[object Array]"; }; var pathNormalize = function( path, attributes ) { if ( arrayIsArray( path ) ) { path = path.join( "/" ); } if ( typeof path !== "string" ) { throw new Error( "invalid path \"" + path + "\"" ); } // 1: Ignore leading slash `/` // 2: Ignore leading `cldr/` path = path .replace( /^\// , "" ) /* 1 */ .replace( /^cldr\// , "" ); /* 2 */ // Replace {attribute}'s path = path.replace( /{[a-zA-Z]+}/g, function( name ) { name = name.replace( /^{([^}]*)}$/, "$1" ); return attributes[ name ]; }); return path.split( "/" ); }; var arraySome = function( array, callback ) { var i, length; if ( array.some ) { return array.some( callback ); } for ( i = 0, length = array.length; i < length; i++ ) { if ( callback( array[ i ], i, array ) ) { return true; } } return false; }; /** * Return the maximized language id as defined in * http://www.unicode.org/reports/tr35/#Likely_Subtags * 1. Canonicalize. * 1.1 Make sure the input locale is in canonical form: uses the right * separator, and has the right casing. * TODO Right casing? What df? It seems languages are lowercase, scripts are * Capitalized, territory is uppercase. I am leaving this as an exercise to * the user. * * 1.2 Replace any deprecated subtags with their canonical values using the * data in supplemental metadata. Use the first value in the * replacement list, if it exists. Language tag replacements may have multiple * parts, such as "sh" ➞ "sr_Latn" or mo" ➞ "ro_MD". In such a case, the * original script and/or region are retained if there is one. Thus * "sh_Arab_AQ" ➞ "sr_Arab_AQ", not "sr_Latn_AQ". * TODO What data? * * 1.3 If the tag is grandfathered (see in the supplemental data), then return it. * TODO grandfathered? * * 1.4 Remove the script code 'Zzzz' and the region code 'ZZ' if they occur. * 1.5 Get the components of the cleaned-up source tag (languages, scripts, * and regions), plus any variants and extensions. * 2. Lookup. Lookup each of the following in order, and stop on the first * match: * 2.1 languages_scripts_regions * 2.2 languages_regions * 2.3 languages_scripts * 2.4 languages * 2.5 und_scripts * 3. Return * 3.1 If there is no match, either return an error value, or the match for * "und" (in APIs where a valid language tag is required). * 3.2 Otherwise there is a match = languagem_scriptm_regionm * 3.3 Let xr = xs if xs is not empty, and xm otherwise. * 3.4 Return the language tag composed of languager _ scriptr _ regionr + * variants + extensions. * * @subtags [Array] normalized language id subtags tuple (see init.js). */ var coreLikelySubtags = function( Cldr, cldr, subtags, options ) { var match, matchFound, language = subtags[ 0 ], script = subtags[ 1 ], sep = Cldr.localeSep, territory = subtags[ 2 ], variants = subtags.slice( 3, 4 ); options = options || {}; // Skip if (language, script, territory) is not empty [3.3] if ( language !== "und" && script !== "Zzzz" && territory !== "ZZ" ) { return [ language, script, territory ].concat( variants ); } // Skip if no supplemental likelySubtags data is present if ( typeof cldr.get( "supplemental/likelySubtags" ) === "undefined" ) { return; } // [2] matchFound = arraySome([ [ language, script, territory ], [ language, territory ], [ language, script ], [ language ], [ "und", script ] ], function( test ) { return match = !(/\b(Zzzz|ZZ)\b/).test( test.join( sep ) ) /* [1.4] */ && cldr.get( [ "supplemental/likelySubtags", test.join( sep ) ] ); }); // [3] if ( matchFound ) { // [3.2 .. 3.4] match = match.split( sep ); return [ language !== "und" ? language : match[ 0 ], script !== "Zzzz" ? script : match[ 1 ], territory !== "ZZ" ? territory : match[ 2 ] ].concat( variants ); } else if ( options.force ) { // [3.1.2] return cldr.get( "supplemental/likelySubtags/und" ).split( sep ); } else { // [3.1.1] return; } }; /** * Given a locale, remove any fields that Add Likely Subtags would add. * http://www.unicode.org/reports/tr35/#Likely_Subtags * 1. First get max = AddLikelySubtags(inputLocale). If an error is signaled, * return it. * 2. Remove the variants from max. * 3. Then for trial in {language, language _ region, language _ script}. If * AddLikelySubtags(trial) = max, then return trial + variants. * 4. If you do not get a match, return max + variants. * * @maxLanguageId [Array] maxLanguageId tuple (see init.js). */ var coreRemoveLikelySubtags = function( Cldr, cldr, maxLanguageId ) { var match, matchFound, language = maxLanguageId[ 0 ], script = maxLanguageId[ 1 ], territory = maxLanguageId[ 2 ], variants = maxLanguageId[ 3 ]; // [3] matchFound = arraySome([ [ [ language, "Zzzz", "ZZ" ], [ language ] ], [ [ language, "Zzzz", territory ], [ language, territory ] ], [ [ language, script, "ZZ" ], [ language, script ] ] ], function( test ) { var result = coreLikelySubtags( Cldr, cldr, test[ 0 ] ); match = test[ 1 ]; return result && result[ 0 ] === maxLanguageId[ 0 ] && result[ 1 ] === maxLanguageId[ 1 ] && result[ 2 ] === maxLanguageId[ 2 ]; }); if ( matchFound ) { if ( variants ) { match.push( variants ); } return match; } // [4] return maxLanguageId; }; /** * subtags( locale ) * * @locale [String] */ var coreSubtags = function( locale ) { var aux, unicodeLanguageId, subtags = []; locale = locale.replace( /_/, "-" ); // Unicode locale extensions. aux = locale.split( "-u-" ); if ( aux[ 1 ] ) { aux[ 1 ] = aux[ 1 ].split( "-t-" ); locale = aux[ 0 ] + ( aux[ 1 ][ 1 ] ? "-t-" + aux[ 1 ][ 1 ] : ""); subtags[ 4 /* unicodeLocaleExtensions */ ] = aux[ 1 ][ 0 ]; } // TODO normalize transformed extensions. Currently, skipped. // subtags[ x ] = locale.split( "-t-" )[ 1 ]; unicodeLanguageId = locale.split( "-t-" )[ 0 ]; // unicode_language_id = "root" // | unicode_language_subtag // (sep unicode_script_subtag)? // (sep unicode_region_subtag)? // (sep unicode_variant_subtag)* ; // // Although unicode_language_subtag = alpha{2,8}, I'm using alpha{2,3}. Because, there's no language on CLDR lengthier than 3. aux = unicodeLanguageId.match( /^(([a-z]{2,3})(-([A-Z][a-z]{3}))?(-([A-Z]{2}|[0-9]{3}))?)((-([a-zA-Z0-9]{5,8}|[0-9][a-zA-Z0-9]{3}))*)$|^(root)$/ ); if ( aux === null ) { return [ "und", "Zzzz", "ZZ" ]; } subtags[ 0 /* language */ ] = aux[ 10 ] /* root */ || aux[ 2 ] || "und"; subtags[ 1 /* script */ ] = aux[ 4 ] || "Zzzz"; subtags[ 2 /* territory */ ] = aux[ 6 ] || "ZZ"; if ( aux[ 7 ] && aux[ 7 ].length ) { subtags[ 3 /* variant */ ] = aux[ 7 ].slice( 1 ) /* remove leading "-" */; } // 0: language // 1: script // 2: territory (aka region) // 3: variant // 4: unicodeLocaleExtensions return subtags; }; var arrayForEach = function( array, callback ) { var i, length; if ( array.forEach ) { return array.forEach( callback ); } for ( i = 0, length = array.length; i < length; i++ ) { callback( array[ i ], i, array ); } }; /** * bundleLookup( minLanguageId ) * * @Cldr [Cldr class] * * @cldr [Cldr instance] * * @minLanguageId [String] requested languageId after applied remove likely subtags. */ var bundleLookup = function( Cldr, cldr, minLanguageId ) { var availableBundleMap = Cldr._availableBundleMap, availableBundleMapQueue = Cldr._availableBundleMapQueue; if ( availableBundleMapQueue.length ) { arrayForEach( availableBundleMapQueue, function( bundle ) { var existing, maxBundle, minBundle, subtags; subtags = coreSubtags( bundle ); maxBundle = coreLikelySubtags( Cldr, cldr, subtags ); minBundle = coreRemoveLikelySubtags( Cldr, cldr, maxBundle ); minBundle = minBundle.join( Cldr.localeSep ); existing = availableBundleMapQueue[ minBundle ]; if ( existing && existing.length < bundle.length ) { return; } availableBundleMap[ minBundle ] = bundle; }); Cldr._availableBundleMapQueue = []; } return availableBundleMap[ minLanguageId ] || null; }; var objectKeys = function( object ) { var i, result = []; if ( Object.keys ) { return Object.keys( object ); } for ( i in object ) { result.push( i ); } return result; }; var createError = function( code, attributes ) { var error, message; message = code + ( attributes && JSON ? ": " + JSON.stringify( attributes ) : "" ); error = new Error( message ); error.code = code; // extend( error, attributes ); arrayForEach( objectKeys( attributes ), function( attribute ) { error[ attribute ] = attributes[ attribute ]; }); return error; }; var validate = function( code, check, attributes ) { if ( !check ) { throw createError( code, attributes ); } }; var validatePresence = function( value, name ) { validate( "E_MISSING_PARAMETER", typeof value !== "undefined", { name: name }); }; var validateType = function( value, name, check, expected ) { validate( "E_INVALID_PAR_TYPE", check, { expected: expected, name: name, value: value }); }; var validateTypePath = function( value, name ) { validateType( value, name, typeof value === "string" || arrayIsArray( value ), "String or Array" ); }; /** * Function inspired by jQuery Core, but reduced to our use case. */ var isPlainObject = function( obj ) { return obj !== null && "" + obj === "[object Object]"; }; var validateTypePlainObject = function( value, name ) { validateType( value, name, typeof value === "undefined" || isPlainObject( value ), "Plain Object" ); }; var validateTypeString = function( value, name ) { validateType( value, name, typeof value === "string", "a string" ); }; // @path: normalized path var resourceGet = function( data, path ) { var i, node = data, length = path.length; for ( i = 0; i < length - 1; i++ ) { node = node[ path[ i ] ]; if ( !node ) { return undefined; } } return node[ path[ i ] ]; }; /** * setAvailableBundles( Cldr, json ) * * @Cldr [Cldr class] * * @json resolved/unresolved cldr data. * * Set available bundles queue based on passed json CLDR data. Considers a bundle as any String at /main/{bundle}. */ var coreSetAvailableBundles = function( Cldr, json ) { var bundle, availableBundleMapQueue = Cldr._availableBundleMapQueue, main = resourceGet( json, [ "main" ] ); if ( main ) { for ( bundle in main ) { if ( main.hasOwnProperty( bundle ) && bundle !== "root" && availableBundleMapQueue.indexOf( bundle ) === -1 ) { availableBundleMapQueue.push( bundle ); } } } }; var alwaysArray = function( somethingOrArray ) { return arrayIsArray( somethingOrArray ) ? somethingOrArray : [ somethingOrArray ]; }; var jsonMerge = (function() { // Returns new deeply merged JSON. // // Eg. // merge( { a: { b: 1, c: 2 } }, { a: { b: 3, d: 4 } } ) // -> { a: { b: 3, c: 2, d: 4 } } // // @arguments JSON's // var merge = function() { var destination = {}, sources = [].slice.call( arguments, 0 ); arrayForEach( sources, function( source ) { var prop; for ( prop in source ) { if ( prop in destination && typeof destination[ prop ] === "object" && !arrayIsArray( destination[ prop ] ) ) { // Merge Objects destination[ prop ] = merge( destination[ prop ], source[ prop ] ); } else { // Set new values destination[ prop ] = source[ prop ]; } } }); return destination; }; return merge; }()); /** * load( Cldr, source, jsons ) * * @Cldr [Cldr class] * * @source [Object] * * @jsons [arguments] */ var coreLoad = function( Cldr, source, jsons ) { var i, j, json; validatePresence( jsons[ 0 ], "json" ); // Support arbitrary parameters, e.g., `Cldr.load({...}, {...})`. for ( i = 0; i < jsons.length; i++ ) { // Support array parameters, e.g., `Cldr.load([{...}, {...}])`. json = alwaysArray( jsons[ i ] ); for ( j = 0; j < json.length; j++ ) { validateTypePlainObject( json[ j ], "json" ); source = jsonMerge( source, json[ j ] ); coreSetAvailableBundles( Cldr, json[ j ] ); } } return source; }; var itemGetResolved = function( Cldr, path, attributes ) { // Resolve path var normalizedPath = pathNormalize( path, attributes ); return resourceGet( Cldr._resolved, normalizedPath ); }; /** * new Cldr() */ var Cldr = function( locale ) { this.init( locale ); }; // Build optimization hack to avoid duplicating functions across modules. Cldr._alwaysArray = alwaysArray; Cldr._coreLoad = coreLoad; Cldr._createError = createError; Cldr._itemGetResolved = itemGetResolved; Cldr._jsonMerge = jsonMerge; Cldr._pathNormalize = pathNormalize; Cldr._resourceGet = resourceGet; Cldr._validatePresence = validatePresence; Cldr._validateType = validateType; Cldr._validateTypePath = validateTypePath; Cldr._validateTypePlainObject = validateTypePlainObject; Cldr._availableBundleMap = {}; Cldr._availableBundleMapQueue = []; Cldr._resolved = {}; // Allow user to override locale separator "-" (default) | "_". According to http://www.unicode.org/reports/tr35/#Unicode_language_identifier, both "-" and "_" are valid locale separators (eg. "en_GB", "en-GB"). According to http://unicode.org/cldr/trac/ticket/6786 its usage must be consistent throughout the data set. Cldr.localeSep = "-"; /** * Cldr.load( json [, json, ...] ) * * @json [JSON] CLDR data or [Array] Array of @json's. * * Load resolved cldr data. */ Cldr.load = function() { Cldr._resolved = coreLoad( Cldr, Cldr._resolved, arguments ); }; /** * .init() automatically run on instantiation/construction. */ Cldr.prototype.init = function( locale ) { var attributes, language, maxLanguageId, minLanguageId, script, subtags, territory, unicodeLocaleExtensions, variant, sep = Cldr.localeSep, unicodeLocaleExtensionsRaw = ""; validatePresence( locale, "locale" ); validateTypeString( locale, "locale" ); subtags = coreSubtags( locale ); if ( subtags.length === 5 ) { unicodeLocaleExtensions = subtags.pop(); unicodeLocaleExtensionsRaw = sep + "u" + sep + unicodeLocaleExtensions; // Remove trailing null when there is unicodeLocaleExtensions but no variants. if ( !subtags[ 3 ] ) { subtags.pop(); } } variant = subtags[ 3 ]; // Normalize locale code. // Get (or deduce) the "triple subtags": language, territory (also aliased as region), and script subtags. // Get the variant subtags (calendar, collation, currency, etc). // refs: // - http://www.unicode.org/reports/tr35/#Field_Definitions // - http://www.unicode.org/reports/tr35/#Language_and_Locale_IDs // - http://www.unicode.org/reports/tr35/#Unicode_locale_identifier // When a locale id does not specify a language, or territory (region), or script, they are obtained by Likely Subtags. maxLanguageId = coreLikelySubtags( Cldr, this, subtags, { force: true } ) || subtags; language = maxLanguageId[ 0 ]; script = maxLanguageId[ 1 ]; territory = maxLanguageId[ 2 ]; minLanguageId = coreRemoveLikelySubtags( Cldr, this, maxLanguageId ).join( sep ); // Set attributes this.attributes = attributes = { bundle: bundleLookup( Cldr, this, minLanguageId ), // Unicode Language Id minLanguageId: minLanguageId + unicodeLocaleExtensionsRaw, maxLanguageId: maxLanguageId.join( sep ) + unicodeLocaleExtensionsRaw, // Unicode Language Id Subtabs language: language, script: script, territory: territory, region: territory, /* alias */ variant: variant }; // Unicode locale extensions. unicodeLocaleExtensions && ( "-" + unicodeLocaleExtensions ).replace( /-[a-z]{3,8}|(-[a-z]{2})-([a-z]{3,8})/g, function( attribute, key, type ) { if ( key ) { // Extension is in the `keyword` form. attributes[ "u" + key ] = type; } else { // Extension is in the `attribute` form. attributes[ "u" + attribute ] = true; } }); this.locale = locale; }; /** * .get() */ Cldr.prototype.get = function( path ) { validatePresence( path, "path" ); validateTypePath( path, "path" ); return itemGetResolved( Cldr, path, this.attributes ); }; /** * .main() */ Cldr.prototype.main = function( path ) { validatePresence( path, "path" ); validateTypePath( path, "path" ); validate( "E_MISSING_BUNDLE", this.attributes.bundle !== null, { locale: this.locale }); path = alwaysArray( path ); return this.get( [ "main/{bundle}" ].concat( path ) ); }; return Cldr; })); /** * CLDR JavaScript Library v0.5.0 * http://jquery.com/ * * Copyright 2013 Rafael Xavier de Souza * Released under the MIT license * http://jquery.org/license * * Date: 2017-08-11T11:52Z */ /*! * CLDR JavaScript Library v0.5.0 2017-08-11T11:52Z MIT license © Rafael Xavier * http://git.io/h4lmVg */ (function( factory ) { if ( typeof define === "function" && define.amd ) { // AMD. define( [ "../cldr" ], factory ); } else if ( typeof module === "object" && typeof module.exports === "object" ) { // Node. CommonJS. module.exports = factory( require( "../cldr" ) ); } else { // Global factory( Cldr ); } }(function( Cldr ) { // Build optimization hack to avoid duplicating functions across modules. var pathNormalize = Cldr._pathNormalize, validatePresence = Cldr._validatePresence, validateType = Cldr._validateType; /*! * EventEmitter v4.2.7 - git.io/ee * Oliver Caldwell * MIT license * @preserve */ var EventEmitter; /* jshint ignore:start */ EventEmitter = (function () { /** * Class for managing events. * Can be extended to provide event functionality in other classes. * * @class EventEmitter Manages event registering and emitting. */ function EventEmitter() {} // Shortcuts to improve speed and size var proto = EventEmitter.prototype; var exports = {}; /** * Finds the index of the listener for the event in it's storage array. * * @param {Function[]} listeners Array of listeners to search through. * @param {Function} listener Method to look for. * @return {Number} Index of the specified listener, -1 if not found * @api private */ function indexOfListener(listeners, listener) { var i = listeners.length; while (i--) { if (listeners[i].listener === listener) { return i; } } return -1; } /** * Alias a method while keeping the context correct, to allow for overwriting of target method. * * @param {String} name The name of the target method. * @return {Function} The aliased method * @api private */ function alias(name) { return function aliasClosure() { return this[name].apply(this, arguments); }; } /** * Returns the listener array for the specified event. * Will initialise the event object and listener arrays if required. * Will return an object if you use a regex search. The object contains keys for each matched event. So /ba[rz]/ might return an object containing bar and baz. But only if you have either defined them with defineEvent or added some listeners to them. * Each property in the object response is an array of listener functions. * * @param {String|RegExp} evt Name of the event to return the listeners from. * @return {Function[]|Object} All listener functions for the event. */ proto.getListeners = function getListeners(evt) { var events = this._getEvents(); var response; var key; // Return a concatenated array of all matching events if // the selector is a regular expression. if (evt instanceof RegExp) { response = {}; for (key in events) { if (events.hasOwnProperty(key) && evt.test(key)) { response[key] = events[key]; } } } else { response = events[evt] || (events[evt] = []); } return response; }; /** * Takes a list of listener objects and flattens it into a list of listener functions. * * @param {Object[]} listeners Raw listener objects. * @return {Function[]} Just the listener functions. */ proto.flattenListeners = function flattenListeners(listeners) { var flatListeners = []; var i; for (i = 0; i < listeners.length; i += 1) { flatListeners.push(listeners[i].listener); } return flatListeners; }; /** * Fetches the requested listeners via getListeners but will always return the results inside an object. This is mainly for internal use but others may find it useful. * * @param {String|RegExp} evt Name of the event to return the listeners from. * @return {Object} All listener functions for an event in an object. */ proto.getListenersAsObject = function getListenersAsObject(evt) { var listeners = this.getListeners(evt); var response; if (listeners instanceof Array) { response = {}; response[evt] = listeners; } return response || listeners; }; /** * Adds a listener function to the specified event. * The listener will not be added if it is a duplicate. * If the listener returns true then it will be removed after it is called. * If you pass a regular expression as the event name then the listener will be added to all events that match it. * * @param {String|RegExp} evt Name of the event to attach the listener to. * @param {Function} listener Method to be called when the event is emitted. If the function returns true then it will be removed after calling. * @return {Object} Current instance of EventEmitter for chaining. */ proto.addListener = function addListener(evt, listener) { var listeners = this.getListenersAsObject(evt); var listenerIsWrapped = typeof listener === 'object'; var key; for (key in listeners) { if (listeners.hasOwnProperty(key) && indexOfListener(listeners[key], listener) === -1) { listeners[key].push(listenerIsWrapped ? listener : { listener: listener, once: false }); } } return this; }; /** * Alias of addListener */ proto.on = alias('addListener'); /** * Semi-alias of addListener. It will add a listener that will be * automatically removed after it's first execution. * * @param {String|RegExp} evt Name of the event to attach the listener to. * @param {Function} listener Method to be called when the event is emitted. If the function returns true then it will be removed after calling. * @return {Object} Current instance of EventEmitter for chaining. */ proto.addOnceListener = function addOnceListener(evt, listener) { return this.addListener(evt, { listener: listener, once: true }); }; /** * Alias of addOnceListener. */ proto.once = alias('addOnceListener'); /** * Defines an event name. This is required if you want to use a regex to add a listener to multiple events at once. If you don't do this then how do you expect it to know what event to add to? Should it just add to every possible match for a regex? No. That is scary and bad. * You need to tell it what event names should be matched by a regex. * * @param {String} evt Name of the event to create. * @return {Object} Current instance of EventEmitter for chaining. */ proto.defineEvent = function defineEvent(evt) { this.getListeners(evt); return this; }; /** * Uses defineEvent to define multiple events. * * @param {String[]} evts An array of event names to define. * @return {Object} Current instance of EventEmitter for chaining. */ proto.defineEvents = function defineEvents(evts) { for (var i = 0; i < evts.length; i += 1) { this.defineEvent(evts[i]); } return this; }; /** * Removes a listener function from the specified event. * When passed a regular expression as the event name, it will remove the listener from all events that match it. * * @param {String|RegExp} evt Name of the event to remove the listener from. * @param {Function} listener Method to remove from the event. * @return {Object} Current instance of EventEmitter for chaining. */ proto.removeListener = function removeListener(evt, listener) { var listeners = this.getListenersAsObject(evt); var index; var key; for (key in listeners) { if (listeners.hasOwnProperty(key)) { index = indexOfListener(listeners[key], listener); if (index !== -1) { listeners[key].splice(index, 1); } } } return this; }; /** * Alias of removeListener */ proto.off = alias('removeListener'); /** * Adds listeners in bulk using the manipulateListeners method. * If you pass an object as the second argument you can add to multiple events at once. The object should contain key value pairs of events and listeners or listener arrays. You can also pass it an event name and an array of listeners to be added. * You can also pass it a regular expression to add the array of listeners to all events that match it. * Yeah, this function does quite a bit. That's probably a bad thing. * * @param {String|Object|RegExp} evt An event name if you will pass an array of listeners next. An object if you wish to add to multiple events at once. * @param {Function[]} [listeners] An optional array of listener functions to add. * @return {Object} Current instance of EventEmitter for chaining. */ proto.addListeners = function addListeners(evt, listeners) { // Pass through to manipulateListeners return this.manipulateListeners(false, evt, listeners); }; /** * Removes listeners in bulk using the manipulateListeners method. * If you pass an object as the second argument you can remove from multiple events at once. The object should contain key value pairs of events and listeners or listener arrays. * You can also pass it an event name and an array of listeners to be removed. * You can also pass it a regular expression to remove the listeners from all events that match it. * * @param {String|Object|RegExp} evt An event name if you will pass an array of listeners next. An object if you wish to remove from multiple events at once. * @param {Function[]} [listeners] An optional array of listener functions to remove. * @return {Object} Current instance of EventEmitter for chaining. */ proto.removeListeners = function removeListeners(evt, listeners) { // Pass through to manipulateListeners return this.manipulateListeners(true, evt, listeners); }; /** * Edits listeners in bulk. The addListeners and removeListeners methods both use this to do their job. You should really use those instead, this is a little lower level. * The first argument will determine if the listeners are removed (true) or added (false). * If you pass an object as the second argument you can add/remove from multiple events at once. The object should contain key value pairs of events and listeners or listener arrays. * You can also pass it an event name and an array of listeners to be added/removed. * You can also pass it a regular expression to manipulate the listeners of all events that match it. * * @param {Boolean} remove True if you want to remove listeners, false if you want to add. * @param {String|Object|RegExp} evt An event name if you will pass an array of listeners next. An object if you wish to add/remove from multiple events at once. * @param {Function[]} [listeners] An optional array of listener functions to add/remove. * @return {Object} Current instance of EventEmitter for chaining. */ proto.manipulateListeners = function manipulateListeners(remove, evt, listeners) { var i; var value; var single = remove ? this.removeListener : this.addListener; var multiple = remove ? this.removeListeners : this.addListeners; // If evt is an object then pass each of it's properties to this method if (typeof evt === 'object' && !(evt instanceof RegExp)) { for (i in evt) { if (evt.hasOwnProperty(i) && (value = evt[i])) { // Pass the single listener straight through to the singular method if (typeof value === 'function') { single.call(this, i, value); } else { // Otherwise pass back to the multiple function multiple.call(this, i, value); } } } } else { // So evt must be a string // And listeners must be an array of listeners // Loop over it and pass each one to the multiple method i = listeners.length; while (i--) { single.call(this, evt, listeners[i]); } } return this; }; /** * Removes all listeners from a specified event. * If you do not specify an event then all listeners will be removed. * That means every event will be emptied. * You can also pass a regex to remove all events that match it. * * @param {String|RegExp} [evt] Optional name of the event to remove all listeners for. Will remove from every event if not passed. * @return {Object} Current instance of EventEmitter for chaining. */ proto.removeEvent = function removeEvent(evt) { var type = typeof evt; var events = this._getEvents(); var key; // Remove different things depending on the state of evt if (type === 'string') { // Remove all listeners for the specified event delete events[evt]; } else if (evt instanceof RegExp) { // Remove all events matching the regex. for (key in events) { if (events.hasOwnProperty(key) && evt.test(key)) { delete events[key]; } } } else { // Remove all listeners in all events delete this._events; } return this; }; /** * Alias of removeEvent. * * Added to mirror the node API. */ proto.removeAllListeners = alias('removeEvent'); /** * Emits an event of your choice. * When emitted, every listener attached to that event will be executed. * If you pass the optional argument array then those arguments will be passed to every listener upon execution. * Because it uses `apply`, your array of arguments will be passed as if you wrote them out separately. * So they will not arrive within the array on the other side, they will be separate. * You can also pass a regular expression to emit to all events that match it. * * @param {String|RegExp} evt Name of the event to emit and execute listeners for. * @param {Array} [args] Optional array of arguments to be passed to each listener. * @return {Object} Current instance of EventEmitter for chaining. */ proto.emitEvent = function emitEvent(evt, args) { var listeners = this.getListenersAsObject(evt); var listener; var i; var key; var response; for (key in listeners) { if (listeners.hasOwnProperty(key)) { i = listeners[key].length; while (i--) { // If the listener returns true then it shall be removed from the event // The function is executed either with a basic call or an apply if there is an args array listener = listeners[key][i]; if (listener.once === true) { this.removeListener(evt, listener.listener); } response = listener.listener.apply(this, args || []); if (response === this._getOnceReturnValue()) { this.removeListener(evt, listener.listener); } } } } return this; }; /** * Alias of emitEvent */ proto.trigger = alias('emitEvent'); /** * Subtly different from emitEvent in that it will pass its arguments on to the listeners, as opposed to taking a single array of arguments to pass on. * As with emitEvent, you can pass a regex in place of the event name to emit to all events that match it. * * @param {String|RegExp} evt Name of the event to emit and execute listeners for. * @param {...*} Optional additional arguments to be passed to each listener. * @return {Object} Current instance of EventEmitter for chaining. */ proto.emit = function emit(evt) { var args = Array.prototype.slice.call(arguments, 1); return this.emitEvent(evt, args); }; /** * Sets the current value to check against when executing listeners. If a * listeners return value matches the one set here then it will be removed * after execution. This value defaults to true. * * @param {*} value The new value to check for when executing listeners. * @return {Object} Current instance of EventEmitter for chaining. */ proto.setOnceReturnValue = function setOnceReturnValue(value) { this._onceReturnValue = value; return this; }; /** * Fetches the current value to check against when executing listeners. If * the listeners return value matches this one then it should be removed * automatically. It will return true by default. * * @return {*|Boolean} The current value to check for or the default, true. * @api private */ proto._getOnceReturnValue = function _getOnceReturnValue() { if (this.hasOwnProperty('_onceReturnValue')) { return this._onceReturnValue; } else { return true; } }; /** * Fetches the events object and creates one if required. * * @return {Object} The events storage object. * @api private */ proto._getEvents = function _getEvents() { return this._events || (this._events = {}); }; /** * Reverts the global {@link EventEmitter} to its previous value and returns a reference to this version. * * @return {Function} Non conflicting EventEmitter class. */ EventEmitter.noConflict = function noConflict() { exports.EventEmitter = originalGlobalValue; return EventEmitter; }; return EventEmitter; }()); /* jshint ignore:end */ var validateTypeFunction = function( value, name ) { validateType( value, name, typeof value === "undefined" || typeof value === "function", "Function" ); }; var superGet, superInit, globalEe = new EventEmitter(); function validateTypeEvent( value, name ) { validateType( value, name, typeof value === "string" || value instanceof RegExp, "String or RegExp" ); } function validateThenCall( method, self ) { return function( event, listener ) { validatePresence( event, "event" ); validateTypeEvent( event, "event" ); validatePresence( listener, "listener" ); validateTypeFunction( listener, "listener" ); return self[ method ].apply( self, arguments ); }; } function off( self ) { return validateThenCall( "off", self ); } function on( self ) { return validateThenCall( "on", self ); } function once( self ) { return validateThenCall( "once", self ); } Cldr.off = off( globalEe ); Cldr.on = on( globalEe ); Cldr.once = once( globalEe ); /** * Overload Cldr.prototype.init(). */ superInit = Cldr.prototype.init; Cldr.prototype.init = function() { var ee; this.ee = ee = new EventEmitter(); this.off = off( ee ); this.on = on( ee ); this.once = once( ee ); superInit.apply( this, arguments ); }; /** * getOverload is encapsulated, because of cldr/unresolved. If it's loaded * after cldr/event (and note it overwrites .get), it can trigger this * overload again. */ function getOverload() { /** * Overload Cldr.prototype.get(). */ superGet = Cldr.prototype.get; Cldr.prototype.get = function( path ) { var value = superGet.apply( this, arguments ); path = pathNormalize( path, this.attributes ).join( "/" ); globalEe.trigger( "get", [ path, value ] ); this.ee.trigger( "get", [ path, value ] ); return value; }; } Cldr._eventInit = getOverload; getOverload(); return Cldr; })); /** * CLDR JavaScript Library v0.5.0 * http://jquery.com/ * * Copyright 2013 Rafael Xavier de Souza * Released under the MIT license * http://jquery.org/license * * Date: 2017-08-11T11:52Z */ /*! * CLDR JavaScript Library v0.5.0 2017-08-11T11:52Z MIT license © Rafael Xavier * http://git.io/h4lmVg */ (function( factory ) { if ( typeof define === "function" && define.amd ) { // AMD. define( [ "../cldr" ], factory ); } else if ( typeof module === "object" && typeof module.exports === "object" ) { // Node. CommonJS. module.exports = factory( require( "../cldr" ) ); } else { // Global factory( Cldr ); } }(function( Cldr ) { // Build optimization hack to avoid duplicating functions across modules. var alwaysArray = Cldr._alwaysArray; var supplementalMain = function( cldr ) { var prepend, supplemental; prepend = function( prepend ) { return function( path ) { path = alwaysArray( path ); return cldr.get( [ prepend ].concat( path ) ); }; }; supplemental = prepend( "supplemental" ); // Week Data // http://www.unicode.org/reports/tr35/tr35-dates.html#Week_Data supplemental.weekData = prepend( "supplemental/weekData" ); supplemental.weekData.firstDay = function() { return cldr.get( "supplemental/weekData/firstDay/{territory}" ) || cldr.get( "supplemental/weekData/firstDay/001" ); }; supplemental.weekData.minDays = function() { var minDays = cldr.get( "supplemental/weekData/minDays/{territory}" ) || cldr.get( "supplemental/weekData/minDays/001" ); return parseInt( minDays, 10 ); }; // Time Data // http://www.unicode.org/reports/tr35/tr35-dates.html#Time_Data supplemental.timeData = prepend( "supplemental/timeData" ); supplemental.timeData.allowed = function() { return cldr.get( "supplemental/timeData/{territory}/_allowed" ) || cldr.get( "supplemental/timeData/001/_allowed" ); }; supplemental.timeData.preferred = function() { return cldr.get( "supplemental/timeData/{territory}/_preferred" ) || cldr.get( "supplemental/timeData/001/_preferred" ); }; return supplemental; }; var initSuper = Cldr.prototype.init; /** * .init() automatically ran on construction. * * Overload .init(). */ Cldr.prototype.init = function() { initSuper.apply( this, arguments ); this.supplemental = supplementalMain( this ); }; return Cldr; })); /** * Globalize v1.3.0 * * http://github.com/jquery/globalize * * Copyright jQuery Foundation and other contributors * Released under the MIT license * http://jquery.org/license * * Date: 2017-07-03T21:37Z */ /*! * Globalize v1.3.0 2017-07-03T21:37Z Released under the MIT license * http://git.io/TrdQbw */ (function( root, factory ) { // UMD returnExports if ( typeof define === "function" && define.amd ) { // AMD define([ "cldr", "cldr/event" ], factory ); } else if ( typeof exports === "object" ) { // Node, CommonJS module.exports = factory( require( "cldrjs" ) ); } else { // Global root.Globalize = factory( root.Cldr ); } }( this, function( Cldr ) { /** * A toString method that outputs meaningful values for objects or arrays and * still performs as fast as a plain string in case variable is string, or as * fast as `"" + number` in case variable is a number. * Ref: http://jsperf.com/my-stringify */ var toString = function( variable ) { return typeof variable === "string" ? variable : ( typeof variable === "number" ? "" + variable : JSON.stringify( variable ) ); }; /** * formatMessage( message, data ) * * @message [String] A message with optional {vars} to be replaced. * * @data [Array or JSON] Object with replacing-variables content. * * Return the formatted message. For example: * * - formatMessage( "{0} second", [ 1 ] ); // 1 second * * - formatMessage( "{0}/{1}", ["m", "s"] ); // m/s * * - formatMessage( "{name} <{email}>", { * name: "Foo", * email: "bar@baz.qux" * }); // Foo */ var formatMessage = function( message, data ) { // Replace {attribute}'s message = message.replace( /{[0-9a-zA-Z-_. ]+}/g, function( name ) { name = name.replace( /^{([^}]*)}$/, "$1" ); return toString( data[ name ] ); }); return message; }; var objectExtend = function() { var destination = arguments[ 0 ], sources = [].slice.call( arguments, 1 ); sources.forEach(function( source ) { var prop; for ( prop in source ) { destination[ prop ] = source[ prop ]; } }); return destination; }; var createError = function( code, message, attributes ) { var error; message = code + ( message ? ": " + formatMessage( message, attributes ) : "" ); error = new Error( message ); error.code = code; objectExtend( error, attributes ); return error; }; // Based on http://stackoverflow.com/questions/7616461/generate-a-hash-from-string-in-javascript-jquery var stringHash = function( str ) { return [].reduce.call( str, function( hash, i ) { var chr = i.charCodeAt( 0 ); hash = ( ( hash << 5 ) - hash ) + chr; return hash | 0; }, 0 ); }; var runtimeKey = function( fnName, locale, args, argsStr ) { var hash; argsStr = argsStr || JSON.stringify( args ); hash = stringHash( fnName + locale + argsStr ); return hash > 0 ? "a" + hash : "b" + Math.abs( hash ); }; var functionName = function( fn ) { if ( fn.name !== undefined ) { return fn.name; } // fn.name is not supported by IE. var matches = /^function\s+([\w\$]+)\s*\(/.exec( fn.toString() ); if ( matches && matches.length > 0 ) { return matches[ 1 ]; } }; var runtimeBind = function( args, cldr, fn, runtimeArgs ) { var argsStr = JSON.stringify( args ), fnName = functionName( fn ), locale = cldr.locale; // If name of the function is not available, this is most likely due to uglification, // which most likely means we are in production, and runtimeBind here is not necessary. if ( !fnName ) { return fn; } fn.runtimeKey = runtimeKey( fnName, locale, null, argsStr ); fn.generatorString = function() { return "Globalize(\"" + locale + "\")." + fnName + "(" + argsStr.slice( 1, -1 ) + ")"; }; fn.runtimeArgs = runtimeArgs; return fn; }; var validate = function( code, message, check, attributes ) { if ( !check ) { throw createError( code, message, attributes ); } }; var alwaysArray = function( stringOrArray ) { return Array.isArray( stringOrArray ) ? stringOrArray : stringOrArray ? [ stringOrArray ] : []; }; var validateCldr = function( path, value, options ) { var skipBoolean; options = options || {}; skipBoolean = alwaysArray( options.skip ).some(function( pathRe ) { return pathRe.test( path ); }); validate( "E_MISSING_CLDR", "Missing required CLDR content `{path}`.", value || skipBoolean, { path: path }); }; var validateDefaultLocale = function( value ) { validate( "E_DEFAULT_LOCALE_NOT_DEFINED", "Default locale has not been defined.", value !== undefined, {} ); }; var validateParameterPresence = function( value, name ) { validate( "E_MISSING_PARAMETER", "Missing required parameter `{name}`.", value !== undefined, { name: name }); }; /** * range( value, name, minimum, maximum ) * * @value [Number]. * * @name [String] name of variable. * * @minimum [Number]. The lowest valid value, inclusive. * * @maximum [Number]. The greatest valid value, inclusive. */ var validateParameterRange = function( value, name, minimum, maximum ) { validate( "E_PAR_OUT_OF_RANGE", "Parameter `{name}` has value `{value}` out of range [{minimum}, {maximum}].", value === undefined || value >= minimum && value <= maximum, { maximum: maximum, minimum: minimum, name: name, value: value } ); }; var validateParameterType = function( value, name, check, expected ) { validate( "E_INVALID_PAR_TYPE", "Invalid `{name}` parameter ({value}). {expected} expected.", check, { expected: expected, name: name, value: value } ); }; var validateParameterTypeLocale = function( value, name ) { validateParameterType( value, name, value === undefined || typeof value === "string" || value instanceof Cldr, "String or Cldr instance" ); }; /** * Function inspired by jQuery Core, but reduced to our use case. */ var isPlainObject = function( obj ) { return obj !== null && "" + obj === "[object Object]"; }; var validateParameterTypePlainObject = function( value, name ) { validateParameterType( value, name, value === undefined || isPlainObject( value ), "Plain Object" ); }; var alwaysCldr = function( localeOrCldr ) { return localeOrCldr instanceof Cldr ? localeOrCldr : new Cldr( localeOrCldr ); }; // ref: https://developer.mozilla.org/en-US/docs/Web/JavaScript/Guide/Regular_Expressions?redirectlocale=en-US&redirectslug=JavaScript%2FGuide%2FRegular_Expressions var regexpEscape = function( string ) { return string.replace( /([.*+?^=!:${}()|\[\]\/\\])/g, "\\$1" ); }; var stringPad = function( str, count, right ) { var length; if ( typeof str !== "string" ) { str = String( str ); } for ( length = str.length; length < count; length += 1 ) { str = ( right ? ( str + "0" ) : ( "0" + str ) ); } return str; }; function validateLikelySubtags( cldr ) { cldr.once( "get", validateCldr ); cldr.get( "supplemental/likelySubtags" ); } /** * [new] Globalize( locale|cldr ) * * @locale [String] * * @cldr [Cldr instance] * * Create a Globalize instance. */ function Globalize( locale ) { if ( !( this instanceof Globalize ) ) { return new Globalize( locale ); } validateParameterPresence( locale, "locale" ); validateParameterTypeLocale( locale, "locale" ); this.cldr = alwaysCldr( locale ); validateLikelySubtags( this.cldr ); } /** * Globalize.load( json, ... ) * * @json [JSON] * * Load resolved or unresolved cldr data. * Somewhat equivalent to previous Globalize.addCultureInfo(...). */ Globalize.load = function() { // validations are delegated to Cldr.load(). Cldr.load.apply( Cldr, arguments ); }; /** * Globalize.locale( [locale|cldr] ) * * @locale [String] * * @cldr [Cldr instance] * * Set default Cldr instance if locale or cldr argument is passed. * * Return the default Cldr instance. */ Globalize.locale = function( locale ) { validateParameterTypeLocale( locale, "locale" ); if ( arguments.length ) { this.cldr = alwaysCldr( locale ); validateLikelySubtags( this.cldr ); } return this.cldr; }; /** * Optimization to avoid duplicating some internal functions across modules. */ Globalize._alwaysArray = alwaysArray; Globalize._createError = createError; Globalize._formatMessage = formatMessage; Globalize._isPlainObject = isPlainObject; Globalize._objectExtend = objectExtend; Globalize._regexpEscape = regexpEscape; Globalize._runtimeBind = runtimeBind; Globalize._stringPad = stringPad; Globalize._validate = validate; Globalize._validateCldr = validateCldr; Globalize._validateDefaultLocale = validateDefaultLocale; Globalize._validateParameterPresence = validateParameterPresence; Globalize._validateParameterRange = validateParameterRange; Globalize._validateParameterTypePlainObject = validateParameterTypePlainObject; Globalize._validateParameterType = validateParameterType; return Globalize; })); /** * Globalize v1.3.0 * * http://github.com/jquery/globalize * * Copyright jQuery Foundation and other contributors * Released under the MIT license * http://jquery.org/license * * Date: 2017-07-03T21:37Z */ /*! * Globalize v1.3.0 2017-07-03T21:37Z Released under the MIT license * http://git.io/TrdQbw */ (function( root, factory ) { // UMD returnExports if ( typeof define === "function" && define.amd ) { // AMD define([ "cldr", "../globalize", "cldr/event", "cldr/supplemental" ], factory ); } else if ( typeof exports === "object" ) { // Node, CommonJS module.exports = factory( require( "cldrjs" ), require( "../globalize" ) ); } else { // Global factory( root.Cldr, root.Globalize ); } }(this, function( Cldr, Globalize ) { var createError = Globalize._createError, regexpEscape = Globalize._regexpEscape, runtimeBind = Globalize._runtimeBind, stringPad = Globalize._stringPad, validateCldr = Globalize._validateCldr, validateDefaultLocale = Globalize._validateDefaultLocale, validateParameterPresence = Globalize._validateParameterPresence, validateParameterRange = Globalize._validateParameterRange, validateParameterType = Globalize._validateParameterType, validateParameterTypePlainObject = Globalize._validateParameterTypePlainObject; var createErrorUnsupportedFeature = function( feature ) { return createError( "E_UNSUPPORTED", "Unsupported {feature}.", { feature: feature }); }; var validateParameterTypeNumber = function( value, name ) { validateParameterType( value, name, value === undefined || typeof value === "number", "Number" ); }; var validateParameterTypeString = function( value, name ) { validateParameterType( value, name, value === undefined || typeof value === "string", "a string" ); }; /** * goupingSeparator( number, primaryGroupingSize, secondaryGroupingSize ) * * @number [Number]. * * @primaryGroupingSize [Number] * * @secondaryGroupingSize [Number] * * Return the formatted number with group separator. */ var numberFormatGroupingSeparator = function( number, primaryGroupingSize, secondaryGroupingSize ) { var index, currentGroupingSize = primaryGroupingSize, ret = "", sep = ",", switchToSecondary = secondaryGroupingSize ? true : false; number = String( number ).split( "." ); index = number[ 0 ].length; while ( index > currentGroupingSize ) { ret = number[ 0 ].slice( index - currentGroupingSize, index ) + ( ret.length ? sep : "" ) + ret; index -= currentGroupingSize; if ( switchToSecondary ) { currentGroupingSize = secondaryGroupingSize; switchToSecondary = false; } } number[ 0 ] = number[ 0 ].slice( 0, index ) + ( ret.length ? sep : "" ) + ret; return number.join( "." ); }; /** * integerFractionDigits( number, minimumIntegerDigits, minimumFractionDigits, * maximumFractionDigits, round, roundIncrement ) * * @number [Number] * * @minimumIntegerDigits [Number] * * @minimumFractionDigits [Number] * * @maximumFractionDigits [Number] * * @round [Function] * * @roundIncrement [Function] * * Return the formatted integer and fraction digits. */ var numberFormatIntegerFractionDigits = function( number, minimumIntegerDigits, minimumFractionDigits, maximumFractionDigits, round, roundIncrement ) { // Fraction if ( maximumFractionDigits ) { // Rounding if ( roundIncrement ) { number = round( number, roundIncrement ); // Maximum fraction digits } else { number = round( number, { exponent: -maximumFractionDigits } ); } } else { number = round( number ); } number = String( number ); // Maximum integer digits (post string phase) if ( maximumFractionDigits && /e-/.test( number ) ) { // Use toFixed( maximumFractionDigits ) to make sure small numbers like 1e-7 are // displayed using plain digits instead of scientific notation. // 1: Remove leading decimal zeros. // 2: Remove leading decimal separator. // Note: String() is still preferred so it doesn't mess up with a number precision // unnecessarily, e.g., (123456789.123).toFixed(10) === "123456789.1229999959", // String(123456789.123) === "123456789.123". number = ( +number ).toFixed( maximumFractionDigits ) .replace( /0+$/, "" ) /* 1 */ .replace( /\.$/, "" ) /* 2 */; } // Minimum fraction digits (post string phase) if ( minimumFractionDigits ) { number = number.split( "." ); number[ 1 ] = stringPad( number[ 1 ] || "", minimumFractionDigits, true ); number = number.join( "." ); } // Minimum integer digits if ( minimumIntegerDigits ) { number = number.split( "." ); number[ 0 ] = stringPad( number[ 0 ], minimumIntegerDigits ); number = number.join( "." ); } return number; }; /** * toPrecision( number, precision, round ) * * @number (Number) * * @precision (Number) significant figures precision (not decimal precision). * * @round (Function) * * Return number.toPrecision( precision ) using the given round function. */ var numberToPrecision = function( number, precision, round ) { var roundOrder; // Get number at two extra significant figure precision. number = number.toPrecision( precision + 2 ); // Then, round it to the required significant figure precision. roundOrder = Math.ceil( Math.log( Math.abs( number ) ) / Math.log( 10 ) ); roundOrder -= precision; return round( number, { exponent: roundOrder } ); }; /** * toPrecision( number, minimumSignificantDigits, maximumSignificantDigits, round ) * * @number [Number] * * @minimumSignificantDigits [Number] * * @maximumSignificantDigits [Number] * * @round [Function] * * Return the formatted significant digits number. */ var numberFormatSignificantDigits = function( number, minimumSignificantDigits, maximumSignificantDigits, round ) { var atMinimum, atMaximum; // Sanity check. if ( minimumSignificantDigits > maximumSignificantDigits ) { maximumSignificantDigits = minimumSignificantDigits; } atMinimum = numberToPrecision( number, minimumSignificantDigits, round ); atMaximum = numberToPrecision( number, maximumSignificantDigits, round ); // Use atMaximum only if it has more significant digits than atMinimum. number = +atMinimum === +atMaximum ? atMinimum : atMaximum; // Expand integer numbers, eg. 123e5 to 12300. number = ( +number ).toString( 10 ); if ( ( /e/ ).test( number ) ) { throw createErrorUnsupportedFeature({ feature: "integers out of (1e21, 1e-7)" }); } // Add trailing zeros if necessary. if ( minimumSignificantDigits - number.replace( /^0+|\./g, "" ).length > 0 ) { number = number.split( "." ); number[ 1 ] = stringPad( number[ 1 ] || "", minimumSignificantDigits - number[ 0 ].replace( /^0+/, "" ).length, true ); number = number.join( "." ); } return number; }; /** * removeLiteralQuotes( string ) * * Return: * - `` if input string is `''`. * - `o'clock` if input string is `'o''clock'`. * - `foo` if input string is `foo`, i.e., return the same value in case it isn't a single-quoted * string. */ var removeLiteralQuotes = function( string ) { if ( string[ 0 ] + string[ string.length - 1 ] !== "''" ) { return string; } if ( string === "''" ) { return ""; } return string.replace( /''/g, "'" ).slice( 1, -1 ); }; /** * format( number, properties ) * * @number [Number]. * * @properties [Object] Output of number/format-properties. * * Return the formatted number. * ref: http://www.unicode.org/reports/tr35/tr35-numbers.html */ var numberFormat = function( number, properties ) { var infinitySymbol, maximumFractionDigits, maximumSignificantDigits, minimumFractionDigits, minimumIntegerDigits, minimumSignificantDigits, nanSymbol, nuDigitsMap, padding, prefix, primaryGroupingSize, pattern, ret, round, roundIncrement, secondaryGroupingSize, suffix, symbolMap; padding = properties[ 1 ]; minimumIntegerDigits = properties[ 2 ]; minimumFractionDigits = properties[ 3 ]; maximumFractionDigits = properties[ 4 ]; minimumSignificantDigits = properties[ 5 ]; maximumSignificantDigits = properties[ 6 ]; roundIncrement = properties[ 7 ]; primaryGroupingSize = properties[ 8 ]; secondaryGroupingSize = properties[ 9 ]; round = properties[ 15 ]; infinitySymbol = properties[ 16 ]; nanSymbol = properties[ 17 ]; symbolMap = properties[ 18 ]; nuDigitsMap = properties[ 19 ]; // NaN if ( isNaN( number ) ) { return nanSymbol; } if ( number < 0 ) { pattern = properties[ 12 ]; prefix = properties[ 13 ]; suffix = properties[ 14 ]; } else { pattern = properties[ 11 ]; prefix = properties[ 0 ]; suffix = properties[ 10 ]; } // Infinity if ( !isFinite( number ) ) { return prefix + infinitySymbol + suffix; } ret = prefix; // Percent if ( pattern.indexOf( "%" ) !== -1 ) { number *= 100; // Per mille } else if ( pattern.indexOf( "\u2030" ) !== -1 ) { number *= 1000; } // Significant digit format if ( !isNaN( minimumSignificantDigits * maximumSignificantDigits ) ) { number = numberFormatSignificantDigits( number, minimumSignificantDigits, maximumSignificantDigits, round ); // Integer and fractional format } else { number = numberFormatIntegerFractionDigits( number, minimumIntegerDigits, minimumFractionDigits, maximumFractionDigits, round, roundIncrement ); } // Remove the possible number minus sign number = number.replace( /^-/, "" ); // Grouping separators if ( primaryGroupingSize ) { number = numberFormatGroupingSeparator( number, primaryGroupingSize, secondaryGroupingSize ); } ret += number; // Scientific notation // TODO implement here // Padding/'([^']|'')+'|''|[.,\-+E%\u2030]/g // TODO implement here ret += suffix; return ret.replace( /('([^']|'')+'|'')|./g, function( character, literal ) { // Literals if ( literal ) { return removeLiteralQuotes( literal ); } // Symbols character = character.replace( /[.,\-+E%\u2030]/, function( symbol ) { return symbolMap[ symbol ]; }); // Numbering system if ( nuDigitsMap ) { character = character.replace( /[0-9]/, function( digit ) { return nuDigitsMap[ +digit ]; }); } return character; }); }; var numberFormatterFn = function( properties ) { return function numberFormatter( value ) { validateParameterPresence( value, "value" ); validateParameterTypeNumber( value, "value" ); return numberFormat( value, properties ); }; }; /** * NumberingSystem( cldr ) * * - http://www.unicode.org/reports/tr35/tr35-numbers.html#otherNumberingSystems * - http://cldr.unicode.org/index/bcp47-extension * - http://www.unicode.org/reports/tr35/#u_Extension */ var numberNumberingSystem = function( cldr ) { var nu = cldr.attributes[ "u-nu" ]; if ( nu ) { if ( nu === "traditio" ) { nu = "traditional"; } if ( [ "native", "traditional", "finance" ].indexOf( nu ) !== -1 ) { // Unicode locale extension `u-nu` is set using either (native, traditional or // finance). So, lookup the respective locale's numberingSystem and return it. return cldr.main([ "numbers/otherNumberingSystems", nu ]); } // Unicode locale extension `u-nu` is set with an explicit numberingSystem. Return it. return nu; } // Return the default numberingSystem. return cldr.main( "numbers/defaultNumberingSystem" ); }; /** * nuMap( cldr ) * * @cldr [Cldr instance]. * * Return digits map if numbering system is different than `latn`. */ var numberNumberingSystemDigitsMap = function( cldr ) { var aux, nu = numberNumberingSystem( cldr ); if ( nu === "latn" ) { return; } aux = cldr.supplemental([ "numberingSystems", nu ]); if ( aux._type !== "numeric" ) { throw createErrorUnsupportedFeature( "`" + aux._type + "` numbering system" ); } return aux._digits; }; /** * EBNF representation: * * number_pattern_re = prefix? * padding? * (integer_fraction_pattern | significant_pattern) * scientific_notation? * suffix? * * prefix = non_number_stuff * * padding = "*" regexp(.) * * integer_fraction_pattern = integer_pattern * fraction_pattern? * * integer_pattern = regexp([#,]*[0,]*0+) * * fraction_pattern = "." regexp(0*[0-9]*#*) * * significant_pattern = regexp([#,]*@+#*) * * scientific_notation = regexp(E\+?0+) * * suffix = non_number_stuff * * non_number_stuff = regexp(('[^']+'|''|[^*#@0,.E])*) * * * Regexp groups: * * 0: number_pattern_re * 1: prefix * 2: - * 3: - * 4: padding * 5: (integer_fraction_pattern | significant_pattern) * 6: integer_fraction_pattern * 7: integer_pattern * 8: fraction_pattern * 9: significant_pattern * 10: scientific_notation * 11: suffix * 12: - */ var numberPatternRe = ( /^(('([^']|'')*'|[^*#@0,.E])*)(\*.)?((([#,]*[0,]*0+)(\.0*[0-9]*#*)?)|([#,]*@+#*))(E\+?0+)?(('[^']+'|''|[^*#@0,.E])*)$/ ); /** * format( number, pattern ) * * @number [Number]. * * @pattern [String] raw pattern for numbers. * * Return the formatted number. * ref: http://www.unicode.org/reports/tr35/tr35-numbers.html */ var numberPatternProperties = function( pattern ) { var aux1, aux2, fractionPattern, integerFractionOrSignificantPattern, integerPattern, maximumFractionDigits, maximumSignificantDigits, minimumFractionDigits, minimumIntegerDigits, minimumSignificantDigits, padding, prefix, primaryGroupingSize, roundIncrement, scientificNotation, secondaryGroupingSize, significantPattern, suffix; pattern = pattern.match( numberPatternRe ); if ( !pattern ) { throw new Error( "Invalid pattern: " + pattern ); } prefix = pattern[ 1 ]; padding = pattern[ 4 ]; integerFractionOrSignificantPattern = pattern[ 5 ]; significantPattern = pattern[ 9 ]; scientificNotation = pattern[ 10 ]; suffix = pattern[ 11 ]; // Significant digit format if ( significantPattern ) { significantPattern.replace( /(@+)(#*)/, function( match, minimumSignificantDigitsMatch, maximumSignificantDigitsMatch ) { minimumSignificantDigits = minimumSignificantDigitsMatch.length; maximumSignificantDigits = minimumSignificantDigits + maximumSignificantDigitsMatch.length; }); // Integer and fractional format } else { fractionPattern = pattern[ 8 ]; integerPattern = pattern[ 7 ]; if ( fractionPattern ) { // Minimum fraction digits, and rounding. fractionPattern.replace( /[0-9]+/, function( match ) { minimumFractionDigits = match; }); if ( minimumFractionDigits ) { roundIncrement = +( "0." + minimumFractionDigits ); minimumFractionDigits = minimumFractionDigits.length; } else { minimumFractionDigits = 0; } // Maximum fraction digits // 1: ignore decimal character maximumFractionDigits = fractionPattern.length - 1 /* 1 */; } // Minimum integer digits integerPattern.replace( /0+$/, function( match ) { minimumIntegerDigits = match.length; }); } // Scientific notation if ( scientificNotation ) { throw createErrorUnsupportedFeature({ feature: "scientific notation (not implemented)" }); } // Padding if ( padding ) { throw createErrorUnsupportedFeature({ feature: "padding (not implemented)" }); } // Grouping if ( ( aux1 = integerFractionOrSignificantPattern.lastIndexOf( "," ) ) !== -1 ) { // Primary grouping size is the interval between the last group separator and the end of // the integer (or the end of the significant pattern). aux2 = integerFractionOrSignificantPattern.split( "." )[ 0 ]; primaryGroupingSize = aux2.length - aux1 - 1; // Secondary grouping size is the interval between the last two group separators. if ( ( aux2 = integerFractionOrSignificantPattern.lastIndexOf( ",", aux1 - 1 ) ) !== -1 ) { secondaryGroupingSize = aux1 - 1 - aux2; } } // Return: // 0: @prefix String // 1: @padding Array [ , ] TODO // 2: @minimumIntegerDigits non-negative integer Number value indicating the minimum integer // digits to be used. Numbers will be padded with leading zeroes if necessary. // 3: @minimumFractionDigits and // 4: @maximumFractionDigits are non-negative integer Number values indicating the minimum and // maximum fraction digits to be used. Numbers will be rounded or padded with trailing // zeroes if necessary. // 5: @minimumSignificantDigits and // 6: @maximumSignificantDigits are positive integer Number values indicating the minimum and // maximum fraction digits to be shown. Either none or both of these properties are // present; if they are, they override minimum and maximum integer and fraction digits // – the formatter uses however many integer and fraction digits are required to display // the specified number of significant digits. // 7: @roundIncrement Decimal round increment or null // 8: @primaryGroupingSize // 9: @secondaryGroupingSize // 10: @suffix String return [ prefix, padding, minimumIntegerDigits, minimumFractionDigits, maximumFractionDigits, minimumSignificantDigits, maximumSignificantDigits, roundIncrement, primaryGroupingSize, secondaryGroupingSize, suffix ]; }; /** * Symbol( name, cldr ) * * @name [String] Symbol name. * * @cldr [Cldr instance]. * * Return the localized symbol given its name. */ var numberSymbol = function( name, cldr ) { return cldr.main([ "numbers/symbols-numberSystem-" + numberNumberingSystem( cldr ), name ]); }; var numberSymbolName = { ".": "decimal", ",": "group", "%": "percentSign", "+": "plusSign", "-": "minusSign", "E": "exponential", "\u2030": "perMille" }; /** * symbolMap( cldr ) * * @cldr [Cldr instance]. * * Return the (localized symbol, pattern symbol) key value pair, eg. { * ".": "٫", * ",": "٬", * "%": "٪", * ... * }; */ var numberSymbolMap = function( cldr ) { var symbol, symbolMap = {}; for ( symbol in numberSymbolName ) { symbolMap[ symbol ] = numberSymbol( numberSymbolName[ symbol ], cldr ); } return symbolMap; }; var numberTruncate = function( value ) { if ( isNaN( value ) ) { return NaN; } return Math[ value < 0 ? "ceil" : "floor" ]( value ); }; /** * round( method ) * * @method [String] with either "round", "ceil", "floor", or "truncate". * * Return function( value, incrementOrExp ): * * @value [Number] eg. 123.45. * * @incrementOrExp [Number] optional, eg. 0.1; or * [Object] Either { increment: } or { exponent: } * * Return the rounded number, eg: * - round( "round" )( 123.45 ): 123; * - round( "ceil" )( 123.45 ): 124; * - round( "floor" )( 123.45 ): 123; * - round( "truncate" )( 123.45 ): 123; * - round( "round" )( 123.45, 0.1 ): 123.5; * - round( "round" )( 123.45, 10 ): 120; * * Based on https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Math/round * Ref: #376 */ var numberRound = function( method ) { method = method || "round"; method = method === "truncate" ? numberTruncate : Math[ method ]; return function( value, incrementOrExp ) { var exp, increment; value = +value; // If the value is not a number, return NaN. if ( isNaN( value ) ) { return NaN; } // Exponent given. if ( typeof incrementOrExp === "object" && incrementOrExp.exponent ) { exp = +incrementOrExp.exponent; increment = 1; if ( exp === 0 ) { return method( value ); } // If the exp is not an integer, return NaN. if ( !( typeof exp === "number" && exp % 1 === 0 ) ) { return NaN; } // Increment given. } else { increment = +incrementOrExp || 1; if ( increment === 1 ) { return method( value ); } // If the increment is not a number, return NaN. if ( isNaN( increment ) ) { return NaN; } increment = increment.toExponential().split( "e" ); exp = +increment[ 1 ]; increment = +increment[ 0 ]; } // Shift & Round value = value.toString().split( "e" ); value[ 0 ] = +value[ 0 ] / increment; value[ 1 ] = value[ 1 ] ? ( +value[ 1 ] - exp ) : -exp; value = method( +( value[ 0 ] + "e" + value[ 1 ] ) ); // Shift back value = value.toString().split( "e" ); value[ 0 ] = +value[ 0 ] * increment; value[ 1 ] = value[ 1 ] ? ( +value[ 1 ] + exp ) : exp; return +( value[ 0 ] + "e" + value[ 1 ] ); }; }; /** * formatProperties( pattern, cldr [, options] ) * * @pattern [String] raw pattern for numbers. * * @cldr [Cldr instance]. * * @options [Object]: * - minimumIntegerDigits [Number] * - minimumFractionDigits, maximumFractionDigits [Number] * - minimumSignificantDigits, maximumSignificantDigits [Number] * - round [String] "ceil", "floor", "round" (default), or "truncate". * - useGrouping [Boolean] default true. * * Return the processed properties that will be used in number/format. * ref: http://www.unicode.org/reports/tr35/tr35-numbers.html */ var numberFormatProperties = function( pattern, cldr, options ) { var negativePattern, negativePrefix, negativeProperties, negativeSuffix, positivePattern, roundFn, properties; function getOptions( attribute, propertyIndex ) { if ( attribute in options ) { properties[ propertyIndex ] = options[ attribute ]; } } options = options || {}; pattern = pattern.split( ";" ); positivePattern = pattern[ 0 ]; negativePattern = pattern[ 1 ] || "-" + positivePattern; negativeProperties = numberPatternProperties( negativePattern ); negativePrefix = negativeProperties[ 0 ]; negativeSuffix = negativeProperties[ 10 ]; // Have runtime code to refer to numberRound() instead of including it explicitly. roundFn = numberRound( options.round ); roundFn.generatorString = function() { return "numberRound(" + ( options.round ? "\"" + options.round + "\"" : "" ) + ")"; }; properties = numberPatternProperties( positivePattern ).concat([ positivePattern, negativePrefix + positivePattern + negativeSuffix, negativePrefix, negativeSuffix, roundFn, numberSymbol( "infinity", cldr ), numberSymbol( "nan", cldr ), numberSymbolMap( cldr ), numberNumberingSystemDigitsMap( cldr ) ]); getOptions( "minimumIntegerDigits", 2 ); getOptions( "minimumFractionDigits", 3 ); getOptions( "maximumFractionDigits", 4 ); getOptions( "minimumSignificantDigits", 5 ); getOptions( "maximumSignificantDigits", 6 ); // Grouping separators if ( options.useGrouping === false ) { properties[ 8 ] = null; } // Normalize number of digits if only one of either minimumFractionDigits or // maximumFractionDigits is passed in as an option if ( "minimumFractionDigits" in options && !( "maximumFractionDigits" in options ) ) { // maximumFractionDigits = Math.max( minimumFractionDigits, maximumFractionDigits ); properties[ 4 ] = Math.max( properties[ 3 ], properties[ 4 ] ); } else if ( !( "minimumFractionDigits" in options ) && "maximumFractionDigits" in options ) { // minimumFractionDigits = Math.min( minimumFractionDigits, maximumFractionDigits ); properties[ 3 ] = Math.min( properties[ 3 ], properties[ 4 ] ); } // Return: // 0-10: see number/pattern-properties. // 11: @positivePattern [String] Positive pattern. // 12: @negativePattern [String] Negative pattern. // 13: @negativePrefix [String] Negative prefix. // 14: @negativeSuffix [String] Negative suffix. // 15: @round [Function] Round function. // 16: @infinitySymbol [String] Infinity symbol. // 17: @nanSymbol [String] NaN symbol. // 18: @symbolMap [Object] A bunch of other symbols. // 19: @nuDigitsMap [Array] Digits map if numbering system is different than `latn`. return properties; }; /** * Generated by: * * var regenerate = require( "regenerate" ); * var formatSymbols = require( * "unicode-8.0.0/General_Category/Format/symbols" ); * regenerate().add( formatSymbols ).toString(); * * https://github.com/mathiasbynens/regenerate * https://github.com/mathiasbynens/unicode-8.0.0 */ var regexpCfG = /[\xAD\u0600-\u0605\u061C\u06DD\u070F\u180E\u200B-\u200F\u202A-\u202E\u2060-\u2064\u2066-\u206F\uFEFF\uFFF9-\uFFFB]|\uD804\uDCBD|\uD82F[\uDCA0-\uDCA3]|\uD834[\uDD73-\uDD7A]|\uDB40[\uDC01\uDC20-\uDC7F]/g; /** * Generated by: * * var regenerate = require( "regenerate" ); * var dashSymbols = require( * "unicode-8.0.0/General_Category/Dash_Punctuation/symbols" ); * regenerate().add( dashSymbols ).toString(); * * https://github.com/mathiasbynens/regenerate * https://github.com/mathiasbynens/unicode-8.0.0 * * NOTE: In addition to [:dash:], the below includes MINUS SIGN U+2212. */ var regexpDashG = /[\-\u058A\u05BE\u1400\u1806\u2010-\u2015\u2E17\u2E1A\u2E3A\u2E3B\u2E40\u301C\u3030\u30A0\uFE31\uFE32\uFE58\uFE63\uFF0D\u2212]/g; /** * Generated by: * * var regenerate = require( "regenerate" ); * var spaceSeparatorSymbols = require( "unicode-8.0.0/General_Category/Space_Separator/symbols" ); * regenerate().add( spaceSeparatorSymbols ).toString(); * * https://github.com/mathiasbynens/regenerate * https://github.com/mathiasbynens/unicode-8.0.0 */ var regexpZsG = /[ \xA0\u1680\u2000-\u200A\u202F\u205F\u3000]/g; /** * Loose Matching: * - Ignore all format characters, which includes RLM, LRM or ALM used to control BIDI * formatting. * - Map all characters in [:Zs:] to U+0020 SPACE; * - Map all characters in [:Dash:] to U+002D HYPHEN-MINUS; */ var looseMatching = function( value ) { return value .replace( regexpCfG, "" ) .replace( regexpDashG, "-" ) .replace( regexpZsG, " " ); }; /** * parse( value, properties ) * * @value [String]. * * @properties [Object] Parser properties is a reduced pre-processed cldr * data set returned by numberParserProperties(). * * Return the parsed Number (including Infinity) or NaN when value is invalid. * ref: http://www.unicode.org/reports/tr35/tr35-numbers.html */ var numberParse = function( value, properties ) { var grammar, invertedNuDigitsMap, invertedSymbolMap, negative, number, prefix, prefixNSuffix, suffix, tokenizer, valid; // Grammar: // - Value <= NaN | PositiveNumber | NegativeNumber // - PositiveNumber <= PositivePrefix NumberOrInf PositiveSufix // - NegativeNumber <= NegativePrefix NumberOrInf // - NumberOrInf <= Number | Inf grammar = [ [ "nan" ], [ "prefix", "infinity", "suffix" ], [ "prefix", "number", "suffix" ], [ "negativePrefix", "infinity", "negativeSuffix" ], [ "negativePrefix", "number", "negativeSuffix" ] ]; invertedSymbolMap = properties[ 0 ]; invertedNuDigitsMap = properties[ 1 ] || {}; tokenizer = properties[ 2 ]; value = looseMatching( value ); function parse( type ) { return function( lexeme ) { // Reverse localized symbols and numbering system. lexeme = lexeme.split( "" ).map(function( character ) { return invertedSymbolMap[ character ] || invertedNuDigitsMap[ character ] || character; }).join( "" ); switch ( type ) { case "infinity": number = Infinity; break; case "nan": number = NaN; break; case "number": // Remove grouping separators. lexeme = lexeme.replace( /,/g, "" ); number = +lexeme; break; case "prefix": case "negativePrefix": prefix = lexeme; break; case "suffix": suffix = lexeme; break; case "negativeSuffix": suffix = lexeme; negative = true; break; // This should never be reached. default: throw new Error( "Internal error" ); } return ""; }; } function tokenizeNParse( _value, grammar ) { return grammar.some(function( statement ) { var value = _value; // The whole grammar statement should be used (i.e., .every() return true) and value be // entirely consumed (i.e., !value.length). return statement.every(function( type ) { if ( value.match( tokenizer[ type ] ) === null ) { return false; } // Consume and parse it. value = value.replace( tokenizer[ type ], parse( type ) ); return true; }) && !value.length; }); } valid = tokenizeNParse( value, grammar ); // NaN if ( !valid || isNaN( number ) ) { return NaN; } prefixNSuffix = "" + prefix + suffix; // Percent if ( prefixNSuffix.indexOf( "%" ) !== -1 ) { number /= 100; // Per mille } else if ( prefixNSuffix.indexOf( "\u2030" ) !== -1 ) { number /= 1000; } // Negative number if ( negative ) { number *= -1; } return number; }; var numberParserFn = function( properties ) { return function numberParser( value ) { validateParameterPresence( value, "value" ); validateParameterTypeString( value, "value" ); return numberParse( value, properties ); }; }; /** * symbolMap( cldr ) * * @cldr [Cldr instance]. * * Return the (localized symbol, pattern symbol) key value pair, eg. { * "٫": ".", * "٬": ",", * "٪": "%", * ... * }; */ var numberSymbolInvertedMap = function( cldr ) { var symbol, symbolMap = {}; for ( symbol in numberSymbolName ) { symbolMap[ numberSymbol( numberSymbolName[ symbol ], cldr ) ] = symbol; } return symbolMap; }; /** * objectMap( object, fn) * * - object * * - fn( pair ) => pair */ var objectMap = function( object, fn ) { return Object.keys( object ).map(function( key ) { return fn([ key, object[ key ] ]); }).reduce(function( object, pair ) { object[ pair[ 0 ] ] = pair[ 1 ]; return object; }, {}); }; /** * parseProperties( pattern, cldr ) * * @pattern [String] raw pattern for numbers. * * @cldr [Cldr instance]. * * Return parser properties, used to feed parser function. * * TODO: * - Scientific_notation; * - Padding; */ var numberParseProperties = function( pattern, cldr, options ) { var aux, decimalSymbolRe, digitsRe, groupingSeparatorRe, infinitySymbol, invertedNuDigitsMap, invertedSymbolMap, maximumFractionDigits, maximumSignificantDigits, minimumSignificantDigits, nanSymbol, negativePrefix, negativeSuffix, nuDigitsMap, numberTokenizer, prefix, primaryGroupingSize, secondaryGroupingSize, suffix, symbolMap, formatProperties = numberFormatProperties( pattern, cldr, options ); prefix = looseMatching( formatProperties[ 0 ] ); maximumFractionDigits = formatProperties[ 4 ]; minimumSignificantDigits = formatProperties[ 5 ]; maximumSignificantDigits = formatProperties[ 6 ]; primaryGroupingSize = formatProperties[ 8 ]; secondaryGroupingSize = formatProperties[ 9 ]; suffix = looseMatching( formatProperties[ 10 ] ); negativePrefix = looseMatching( formatProperties[ 13 ] ); negativeSuffix = looseMatching( formatProperties[ 14 ] ); infinitySymbol = looseMatching( formatProperties[ 16 ] ); nanSymbol = looseMatching( formatProperties[ 17 ] ); symbolMap = objectMap( formatProperties[ 18 ], function( pair ) { return [ pair[ 0 ], looseMatching( pair[ 1 ] ) ]; }); nuDigitsMap = formatProperties[ 19 ]; invertedSymbolMap = objectMap( numberSymbolInvertedMap( cldr ), function( pair ) { return [ looseMatching( pair[ 0 ] ), pair[ 1 ] ]; }); digitsRe = nuDigitsMap ? "[" + nuDigitsMap + "]" : "\\d"; groupingSeparatorRe = regexpEscape( symbolMap[ "," ] ); decimalSymbolRe = regexpEscape( symbolMap[ "." ] ); if ( nuDigitsMap ) { invertedNuDigitsMap = nuDigitsMap.split( "" ).reduce(function( object, localizedDigit, i ) { object[ localizedDigit ] = String( i ); return object; }, {} ); } aux = [ prefix, suffix, negativePrefix, negativeSuffix ].map(function( value ) { return value.replace( /('([^']|'')+'|'')|./g, function( character, literal ) { // Literals if ( literal ) { return removeLiteralQuotes( literal ); } // Symbols character = character.replace( /[\-+E%\u2030]/, function( symbol ) { return symbolMap[ symbol ]; }); return character; }); }); prefix = aux[ 0 ]; suffix = aux[ 1 ]; negativePrefix = aux[ 2 ]; negativeSuffix = aux[ 3 ]; // Number // // number_re = integer fraction? // // integer = digits | digits_using_grouping_separators // // fraction = regexp((.\d+)?) // // digits = regexp(\d+) // // digits_w_grouping_separators = digits_w_1_grouping_separators | // digits_w_2_grouping_separators // // digits_w_1_grouping_separators = regexp(\d{1,3}(,\d{3})+) // // digits_w_2_grouping_separators = regexp(\d{1,2}((,\d{2})*(,\d{3}))) // Integer part numberTokenizer = digitsRe + "+"; // Grouping separators if ( primaryGroupingSize ) { if ( secondaryGroupingSize ) { aux = digitsRe + "{1," + secondaryGroupingSize + "}((" + groupingSeparatorRe + digitsRe + "{" + secondaryGroupingSize + "})*(" + groupingSeparatorRe + digitsRe + "{" + primaryGroupingSize + "}))"; } else { aux = digitsRe + "{1," + primaryGroupingSize + "}(" + groupingSeparatorRe + digitsRe + "{" + primaryGroupingSize + "})+"; } numberTokenizer = "(" + aux + "|" + numberTokenizer + ")"; } // Fraction part? Only included if 1 or 2. // 1: Using significant digit format. // 2: Using integer and fractional format && it has a maximumFractionDigits. if ( !isNaN( minimumSignificantDigits * maximumSignificantDigits ) || /* 1 */ maximumFractionDigits /* 2 */ ) { // 1: Handle trailing decimal separator, e.g., `"1." => `1``. aux = decimalSymbolRe + digitsRe + "+"; numberTokenizer = numberTokenizer + "(" + aux + "|" + decimalSymbolRe /* 1 */ + ")?" + // Handle non-padded decimals, e.g., `".12"` => `0.12` by making the integer part // optional. "|(" + numberTokenizer + ")?" + aux; numberTokenizer = "(" + numberTokenizer + ")"; } // 0: @invertedSymbolMap [Object] Inverted symbol map. // 1: @invertedNuDigitsMap [Object] Inverted digits map if numbering system is different than // `latn`. // 2: @tokenizer [Object] Tokenizer map, used by parser to consume input. return [ invertedSymbolMap, invertedNuDigitsMap, { infinity: new RegExp( "^" + regexpEscape( infinitySymbol ) ), nan: new RegExp( "^" + regexpEscape( nanSymbol ) ), negativePrefix: new RegExp( "^" + regexpEscape( negativePrefix ) ), negativeSuffix: new RegExp( "^" + regexpEscape( negativeSuffix ) ), number: new RegExp( "^" + numberTokenizer ), prefix: new RegExp( "^" + regexpEscape( prefix ) ), suffix: new RegExp( "^" + regexpEscape( suffix ) ) } ]; }; /** * Pattern( style ) * * @style [String] "decimal" (default) or "percent". * * @cldr [Cldr instance]. */ var numberPattern = function( style, cldr ) { if ( style !== "decimal" && style !== "percent" ) { throw new Error( "Invalid style" ); } return cldr.main([ "numbers", style + "Formats-numberSystem-" + numberNumberingSystem( cldr ), "standard" ]); }; function validateDigits( properties ) { var minimumIntegerDigits = properties[ 2 ], minimumFractionDigits = properties[ 3 ], maximumFractionDigits = properties[ 4 ], minimumSignificantDigits = properties[ 5 ], maximumSignificantDigits = properties[ 6 ]; // Validate significant digit format properties if ( !isNaN( minimumSignificantDigits * maximumSignificantDigits ) ) { validateParameterRange( minimumSignificantDigits, "minimumSignificantDigits", 1, 21 ); validateParameterRange( maximumSignificantDigits, "maximumSignificantDigits", minimumSignificantDigits, 21 ); } else if ( !isNaN( minimumSignificantDigits ) || !isNaN( maximumSignificantDigits ) ) { throw new Error( "Neither or both the minimum and maximum significant digits must be " + "present" ); // Validate integer and fractional format } else { validateParameterRange( minimumIntegerDigits, "minimumIntegerDigits", 1, 21 ); validateParameterRange( minimumFractionDigits, "minimumFractionDigits", 0, 20 ); validateParameterRange( maximumFractionDigits, "maximumFractionDigits", minimumFractionDigits, 20 ); } } /** * .numberFormatter( [options] ) * * @options [Object]: * - style: [String] "decimal" (default) or "percent". * - see also number/format options. * * Return a function that formats a number according to the given options and default/instance * locale. */ Globalize.numberFormatter = Globalize.prototype.numberFormatter = function( options ) { var args, cldr, pattern, properties, returnFn; validateParameterTypePlainObject( options, "options" ); options = options || {}; cldr = this.cldr; args = [ options ]; validateDefaultLocale( cldr ); cldr.on( "get", validateCldr ); if ( options.raw ) { pattern = options.raw; } else { pattern = numberPattern( options.style || "decimal", cldr ); } properties = numberFormatProperties( pattern, cldr, options ); cldr.off( "get", validateCldr ); validateDigits( properties ); returnFn = numberFormatterFn( properties ); runtimeBind( args, cldr, returnFn, [ properties ] ); return returnFn; }; /** * .numberParser( [options] ) * * @options [Object]: * - style: [String] "decimal" (default) or "percent". * * Return the number parser according to the default/instance locale. */ Globalize.numberParser = Globalize.prototype.numberParser = function( options ) { var args, cldr, pattern, properties, returnFn; validateParameterTypePlainObject( options, "options" ); options = options || {}; cldr = this.cldr; args = [ options ]; validateDefaultLocale( cldr ); cldr.on( "get", validateCldr ); if ( options.raw ) { pattern = options.raw; } else { pattern = numberPattern( options.style || "decimal", cldr ); } properties = numberParseProperties( pattern, cldr, options ); cldr.off( "get", validateCldr ); returnFn = numberParserFn( properties ); runtimeBind( args, cldr, returnFn, [ properties ] ); return returnFn; }; /** * .formatNumber( value [, options] ) * * @value [Number] number to be formatted. * * @options [Object]: see number/format-properties. * * Format a number according to the given options and default/instance locale. */ Globalize.formatNumber = Globalize.prototype.formatNumber = function( value, options ) { validateParameterPresence( value, "value" ); validateParameterTypeNumber( value, "value" ); return this.numberFormatter( options )( value ); }; /** * .parseNumber( value [, options] ) * * @value [String] * * @options [Object]: See numberParser(). * * Return the parsed Number (including Infinity) or NaN when value is invalid. */ Globalize.parseNumber = Globalize.prototype.parseNumber = function( value, options ) { validateParameterPresence( value, "value" ); validateParameterTypeString( value, "value" ); return this.numberParser( options )( value ); }; /** * Optimization to avoid duplicating some internal functions across modules. */ Globalize._createErrorUnsupportedFeature = createErrorUnsupportedFeature; Globalize._numberNumberingSystem = numberNumberingSystem; Globalize._numberNumberingSystemDigitsMap = numberNumberingSystemDigitsMap; Globalize._numberPattern = numberPattern; Globalize._numberSymbol = numberSymbol; Globalize._looseMatching = looseMatching; Globalize._removeLiteralQuotes = removeLiteralQuotes; Globalize._stringPad = stringPad; Globalize._validateParameterTypeNumber = validateParameterTypeNumber; Globalize._validateParameterTypeString = validateParameterTypeString; return Globalize; })); /** * Globalize v1.3.0 * * http://github.com/jquery/globalize * * Copyright jQuery Foundation and other contributors * Released under the MIT license * http://jquery.org/license * * Date: 2017-07-03T21:37Z */ /*! * Globalize v1.3.0 2017-07-03T21:37Z Released under the MIT license * http://git.io/TrdQbw */ (function( root, factory ) { // UMD returnExports if ( typeof define === "function" && define.amd ) { // AMD define([ "cldr", "../globalize", "cldr/event", "cldr/supplemental" ], factory ); } else if ( typeof exports === "object" ) { // Node, CommonJS module.exports = factory( require( "cldrjs" ), require( "../globalize" ) ); } else { // Global factory( root.Cldr, root.Globalize ); } }(this, function( Cldr, Globalize ) { var runtimeBind = Globalize._runtimeBind, validateCldr = Globalize._validateCldr, validateDefaultLocale = Globalize._validateDefaultLocale, validateParameterPresence = Globalize._validateParameterPresence, validateParameterType = Globalize._validateParameterType, validateParameterTypePlainObject = Globalize._validateParameterTypePlainObject; var MakePlural; /* jshint ignore:start */ MakePlural = (function() { 'use strict'; var _toArray = function (arr) { return Array.isArray(arr) ? arr : Array.from(arr); }; var _toConsumableArray = function (arr) { if (Array.isArray(arr)) { for (var i = 0, arr2 = Array(arr.length); i < arr.length; i++) arr2[i] = arr[i]; return arr2; } else { return Array.from(arr); } }; var _classCallCheck = function (instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError('Cannot call a class as a function'); } }; 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; }; })(); /** * make-plural.js -- https://github.com/eemeli/make-plural.js/ * Copyright (c) 2014-2015 by Eemeli Aro * * Permission to use, copy, modify, and/or distribute this software for any * purpose with or without fee is hereby granted, provided that the above * copyright notice and this permission notice appear in all copies. * * The software is provided "as is" and the author disclaims all warranties * with regard to this software including all implied warranties of * merchantability and fitness. In no event shall the author be liable for * any special, direct, indirect, or consequential damages or any damages * whatsoever resulting from loss of use, data or profits, whether in an * action of contract, negligence or other tortious action, arising out of * or in connection with the use or performance of this software. */ var Parser = (function () { function Parser() { _classCallCheck(this, Parser); } _createClass(Parser, [{ key: 'parse', value: function parse(cond) { var _this = this; if (cond === 'i = 0 or n = 1') { return 'n >= 0 && n <= 1'; }if (cond === 'i = 0,1') { return 'n >= 0 && n < 2'; }if (cond === 'i = 1 and v = 0') { this.v0 = 1; return 'n == 1 && v0'; } return cond.replace(/([tv]) (!?)= 0/g, function (m, sym, noteq) { var sn = sym + '0'; _this[sn] = 1; return noteq ? '!' + sn : sn; }).replace(/\b[fintv]\b/g, function (m) { _this[m] = 1; return m; }).replace(/([fin]) % (10+)/g, function (m, sym, num) { var sn = sym + num; _this[sn] = 1; return sn; }).replace(/n10+ = 0/g, 't0 && $&').replace(/(\w+ (!?)= )([0-9.]+,[0-9.,]+)/g, function (m, se, noteq, x) { if (m === 'n = 0,1') return '(n == 0 || n == 1)'; if (noteq) return se + x.split(',').join(' && ' + se); return '(' + se + x.split(',').join(' || ' + se) + ')'; }).replace(/(\w+) (!?)= ([0-9]+)\.\.([0-9]+)/g, function (m, sym, noteq, x0, x1) { if (Number(x0) + 1 === Number(x1)) { if (noteq) return '' + sym + ' != ' + x0 + ' && ' + sym + ' != ' + x1; return '(' + sym + ' == ' + x0 + ' || ' + sym + ' == ' + x1 + ')'; } if (noteq) return '(' + sym + ' < ' + x0 + ' || ' + sym + ' > ' + x1 + ')'; if (sym === 'n') { _this.t0 = 1;return '(t0 && n >= ' + x0 + ' && n <= ' + x1 + ')'; } return '(' + sym + ' >= ' + x0 + ' && ' + sym + ' <= ' + x1 + ')'; }).replace(/ and /g, ' && ').replace(/ or /g, ' || ').replace(/ = /g, ' == '); } }, { key: 'vars', value: (function (_vars) { function vars() { return _vars.apply(this, arguments); } vars.toString = function () { return _vars.toString(); }; return vars; })(function () { var vars = []; if (this.i) vars.push('i = s[0]'); if (this.f || this.v) vars.push('f = s[1] || \'\''); if (this.t) vars.push('t = (s[1] || \'\').replace(/0+$/, \'\')'); if (this.v) vars.push('v = f.length'); if (this.v0) vars.push('v0 = !s[1]'); if (this.t0 || this.n10 || this.n100) vars.push('t0 = Number(s[0]) == n'); for (var k in this) { if (/^.10+$/.test(k)) { var k0 = k[0] === 'n' ? 't0 && s[0]' : k[0]; vars.push('' + k + ' = ' + k0 + '.slice(-' + k.substr(2).length + ')'); } }if (!vars.length) return ''; return 'var ' + ['s = String(n).split(\'.\')'].concat(vars).join(', '); }) }]); return Parser; })(); var MakePlural = (function () { function MakePlural(lc) { var _ref = arguments[1] === undefined ? MakePlural : arguments[1]; var cardinals = _ref.cardinals; var ordinals = _ref.ordinals; _classCallCheck(this, MakePlural); if (!cardinals && !ordinals) throw new Error('At least one type of plural is required'); this.lc = lc; this.categories = { cardinal: [], ordinal: [] }; this.parser = new Parser(); this.fn = this.buildFunction(cardinals, ordinals); this.fn._obj = this; this.fn.categories = this.categories; this.fn.toString = this.fnToString.bind(this); return this.fn; } _createClass(MakePlural, [{ key: 'compile', value: function compile(type, req) { var cases = []; var rules = MakePlural.rules[type][this.lc]; if (!rules) { if (req) throw new Error('Locale "' + this.lc + '" ' + type + ' rules not found'); this.categories[type] = ['other']; return '\'other\''; } for (var r in rules) { var _rules$r$trim$split = rules[r].trim().split(/\s*@\w*/); var _rules$r$trim$split2 = _toArray(_rules$r$trim$split); var cond = _rules$r$trim$split2[0]; var examples = _rules$r$trim$split2.slice(1); var cat = r.replace('pluralRule-count-', ''); if (cond) cases.push([this.parser.parse(cond), cat]); } this.categories[type] = cases.map(function (c) { return c[1]; }).concat('other'); if (cases.length === 1) { return '(' + cases[0][0] + ') ? \'' + cases[0][1] + '\' : \'other\''; } else { return [].concat(_toConsumableArray(cases.map(function (c) { return '(' + c[0] + ') ? \'' + c[1] + '\''; })), ['\'other\'']).join('\n : '); } } }, { key: 'buildFunction', value: function buildFunction(cardinals, ordinals) { var _this3 = this; var compile = function compile(c) { return c ? (c[1] ? 'return ' : 'if (ord) return ') + _this3.compile.apply(_this3, _toConsumableArray(c)) : ''; }, fold = { vars: function vars(str) { return (' ' + str + ';').replace(/(.{1,78})(,|$) ?/g, '$1$2\n '); }, cond: function cond(str) { return (' ' + str + ';').replace(/(.{1,78}) (\|\| |$) ?/gm, '$1\n $2'); } }, cond = [ordinals && ['ordinal', !cardinals], cardinals && ['cardinal', true]].map(compile).map(fold.cond), body = [fold.vars(this.parser.vars())].concat(_toConsumableArray(cond)).join('\n').replace(/\s+$/gm, '').replace(/^[\s;]*[\r\n]+/gm, ''), args = ordinals && cardinals ? 'n, ord' : 'n'; return new Function(args, body); } }, { key: 'fnToString', value: function fnToString(name) { return Function.prototype.toString.call(this.fn).replace(/^function( \w+)?/, name ? 'function ' + name : 'function').replace('\n/**/', ''); } }], [{ key: 'load', value: function load() { for (var _len = arguments.length, args = Array(_len), _key = 0; _key < _len; _key++) { args[_key] = arguments[_key]; } args.forEach(function (cldr) { var data = cldr && cldr.supplemental || null; if (!data) throw new Error('Data does not appear to be CLDR data'); MakePlural.rules = { cardinal: data['plurals-type-cardinal'] || MakePlural.rules.cardinal, ordinal: data['plurals-type-ordinal'] || MakePlural.rules.ordinal }; }); return MakePlural; } }]); return MakePlural; })(); MakePlural.cardinals = true; MakePlural.ordinals = false; MakePlural.rules = { cardinal: {}, ordinal: {} }; return MakePlural; }()); /* jshint ignore:end */ var validateParameterTypeNumber = function( value, name ) { validateParameterType( value, name, value === undefined || typeof value === "number", "Number" ); }; var validateParameterTypePluralType = function( value, name ) { validateParameterType( value, name, value === undefined || value === "cardinal" || value === "ordinal", "String \"cardinal\" or \"ordinal\"" ); }; var pluralGeneratorFn = function( plural ) { return function pluralGenerator( value ) { validateParameterPresence( value, "value" ); validateParameterTypeNumber( value, "value" ); return plural( value ); }; }; /** * .plural( value ) * * @value [Number] * * Return the corresponding form (zero | one | two | few | many | other) of a * value given locale. */ Globalize.plural = Globalize.prototype.plural = function( value, options ) { validateParameterPresence( value, "value" ); validateParameterTypeNumber( value, "value" ); return this.pluralGenerator( options )( value ); }; /** * .pluralGenerator( [options] ) * * Return a plural function (of the form below). * * fn( value ) * * @value [Number] * * Return the corresponding form (zero | one | two | few | many | other) of a value given the * default/instance locale. */ Globalize.pluralGenerator = Globalize.prototype.pluralGenerator = function( options ) { var args, cldr, isOrdinal, plural, returnFn, type; validateParameterTypePlainObject( options, "options" ); options = options || {}; cldr = this.cldr; args = [ options ]; type = options.type || "cardinal"; validateParameterTypePluralType( options.type, "options.type" ); validateDefaultLocale( cldr ); isOrdinal = type === "ordinal"; cldr.on( "get", validateCldr ); cldr.supplemental([ "plurals-type-" + type, "{language}" ]); cldr.off( "get", validateCldr ); MakePlural.rules = {}; MakePlural.rules[ type ] = cldr.supplemental( "plurals-type-" + type ); plural = new MakePlural( cldr.attributes.language, { "ordinals": isOrdinal, "cardinals": !isOrdinal }); returnFn = pluralGeneratorFn( plural ); runtimeBind( args, cldr, returnFn, [ plural ] ); return returnFn; }; return Globalize; })); /** * Globalize v1.3.0 * * http://github.com/jquery/globalize * * Copyright jQuery Foundation and other contributors * Released under the MIT license * http://jquery.org/license * * Date: 2017-07-03T21:37Z */ /*! * Globalize v1.3.0 2017-07-03T21:37Z Released under the MIT license * http://git.io/TrdQbw */ (function( root, factory ) { // UMD returnExports if ( typeof define === "function" && define.amd ) { // AMD define([ "cldr", "../globalize", "./number", "cldr/event", "cldr/supplemental" ], factory ); } else if ( typeof exports === "object" ) { // Node, CommonJS module.exports = factory( require( "cldrjs" ), require( "../globalize" ) ); } else { // Extend global factory( root.Cldr, root.Globalize ); } }(this, function( Cldr, Globalize ) { var createError = Globalize._createError, createErrorUnsupportedFeature = Globalize._createErrorUnsupportedFeature, formatMessage = Globalize._formatMessage, isPlainObject = Globalize._isPlainObject, looseMatching = Globalize._looseMatching, numberNumberingSystemDigitsMap = Globalize._numberNumberingSystemDigitsMap, numberSymbol = Globalize._numberSymbol, regexpEscape = Globalize._regexpEscape, removeLiteralQuotes = Globalize._removeLiteralQuotes, runtimeBind = Globalize._runtimeBind, stringPad = Globalize._stringPad, validate = Globalize._validate, validateCldr = Globalize._validateCldr, validateDefaultLocale = Globalize._validateDefaultLocale, validateParameterPresence = Globalize._validateParameterPresence, validateParameterType = Globalize._validateParameterType, validateParameterTypePlainObject = Globalize._validateParameterTypePlainObject, validateParameterTypeString = Globalize._validateParameterTypeString; var validateParameterTypeDate = function( value, name ) { validateParameterType( value, name, value === undefined || value instanceof Date, "Date" ); }; var createErrorInvalidParameterValue = function( name, value ) { return createError( "E_INVALID_PAR_VALUE", "Invalid `{name}` value ({value}).", { name: name, value: value }); }; /** * Create a map between the skeleton fields and their positions, e.g., * { * G: 0 * y: 1 * ... * } */ var validateSkeletonFieldsPosMap = "GyYuUrQqMLlwWEecdDFghHKkmsSAzZOvVXx".split( "" ).reduce(function( memo, item, i ) { memo[ item ] = i; return memo; }, {}); /** * validateSkeleton( skeleton ) * * skeleton: Assume `j` has already been converted into a localized hour field. */ var validateSkeleton = function validateSkeleton( skeleton ) { var last, // Using easier to read variable. fieldsPosMap = validateSkeletonFieldsPosMap; // "The fields are from the Date Field Symbol Table in Date Format Patterns" // Ref: http://www.unicode.org/reports/tr35/tr35-dates.html#availableFormats_appendItems // I.e., check for invalid characters. skeleton.replace( /[^GyYuUrQqMLlwWEecdDFghHKkmsSAzZOvVXx]/, function( field ) { throw createError( "E_INVALID_OPTIONS", "Invalid field `{invalidField}` of skeleton `{value}`", { invalidField: field, type: "skeleton", value: skeleton } ); }); // "The canonical order is from top to bottom in that table; that is, yM not My". // http://www.unicode.org/reports/tr35/tr35-dates.html#availableFormats_appendItems // I.e., check for invalid order. skeleton.split( "" ).every(function( field ) { if ( fieldsPosMap[ field ] < last ) { throw createError( "E_INVALID_OPTIONS", "Invalid order `{invalidField}` of skeleton `{value}`", { invalidField: field, type: "skeleton", value: skeleton } ); } last = fieldsPosMap[ field ]; return true; }); }; /** * Returns a new object created by using `object`'s values as keys, and the keys as values. */ var objectInvert = function( object, fn ) { fn = fn || function( object, key, value ) { object[ value ] = key; return object; }; return Object.keys( object ).reduce(function( newObject, key ) { return fn( newObject, key, object[ key ] ); }, {}); }; // Invert key and values, e.g., {"e": "eEc"} ==> {"e": "e", "E": "e", "c": "e"}. var dateExpandPatternSimilarFieldsMap = objectInvert({ "e": "eEc", "L": "ML" }, function( object, key, value ) { value.split( "" ).forEach(function( field ) { object[ field ] = key; }); return object; }); var dateExpandPatternNormalizePatternType = function( character ) { return dateExpandPatternSimilarFieldsMap[ character ] || character; }; var datePatternRe = ( /([a-z])\1*|'([^']|'')+'|''|./ig ); var stringRepeat = function( str, count ) { var i, result = ""; for ( i = 0; i < count; i++ ) { result = result + str; } return result; }; var dateExpandPatternAugmentFormat = function( requestedSkeleton, bestMatchFormat ) { var i, j, matchedType, matchedLength, requestedType, requestedLength, // Using an easier to read variable. normalizePatternType = dateExpandPatternNormalizePatternType; requestedSkeleton = requestedSkeleton.match( datePatternRe ); bestMatchFormat = bestMatchFormat.match( datePatternRe ); for ( i = 0; i < bestMatchFormat.length; i++ ) { matchedType = bestMatchFormat[i].charAt( 0 ); matchedLength = bestMatchFormat[i].length; for ( j = 0; j < requestedSkeleton.length; j++ ) { requestedType = requestedSkeleton[j].charAt( 0 ); requestedLength = requestedSkeleton[j].length; if ( normalizePatternType( matchedType ) === normalizePatternType( requestedType ) && matchedLength < requestedLength ) { bestMatchFormat[i] = stringRepeat( matchedType, requestedLength ); } } } return bestMatchFormat.join( "" ); }; var dateExpandPatternCompareFormats = function( formatA, formatB ) { var a, b, distance, lenA, lenB, typeA, typeB, i, j, // Using easier to read variables. normalizePatternType = dateExpandPatternNormalizePatternType; if ( formatA === formatB ) { return 0; } formatA = formatA.match( datePatternRe ); formatB = formatB.match( datePatternRe ); if ( formatA.length !== formatB.length ) { return -1; } distance = 1; for ( i = 0; i < formatA.length; i++ ) { a = formatA[ i ].charAt( 0 ); typeA = normalizePatternType( a ); typeB = null; for ( j = 0; j < formatB.length; j++ ) { b = formatB[ j ].charAt( 0 ); typeB = normalizePatternType( b ); if ( typeA === typeB ) { break; } else { typeB = null; } } if ( typeB === null ) { return -1; } lenA = formatA[ i ].length; lenB = formatB[ j ].length; distance = distance + Math.abs( lenA - lenB ); // Most symbols have a small distance from each other, e.g., M ≅ L; E ≅ c; a ≅ b ≅ B; // H ≅ k ≅ h ≅ K; ... if ( a !== b ) { distance += 1; } // Numeric (l<3) and text fields (l>=3) are given a larger distance from each other. if ( ( lenA < 3 && lenB >= 3 ) || ( lenA >= 3 && lenB < 3 ) ) { distance += 20; } } return distance; }; var dateExpandPatternGetBestMatchPattern = function( cldr, askedSkeleton ) { var availableFormats, pattern, ratedFormats, skeleton, path = "dates/calendars/gregorian/dateTimeFormats/availableFormats", // Using easier to read variables. augmentFormat = dateExpandPatternAugmentFormat, compareFormats = dateExpandPatternCompareFormats; pattern = cldr.main([ path, askedSkeleton ]); if ( askedSkeleton && !pattern ) { availableFormats = cldr.main([ path ]); ratedFormats = []; for ( skeleton in availableFormats ) { ratedFormats.push({ skeleton: skeleton, pattern: availableFormats[ skeleton ], rate: compareFormats( askedSkeleton, skeleton ) }); } ratedFormats = ratedFormats .filter( function( format ) { return format.rate > -1; } ) .sort( function( formatA, formatB ) { return formatA.rate - formatB.rate; }); if ( ratedFormats.length ) { pattern = augmentFormat( askedSkeleton, ratedFormats[0].pattern ); } } return pattern; }; /** * expandPattern( options, cldr ) * * @options [Object] if String, it's considered a skeleton. Object accepts: * - skeleton: [String] lookup availableFormat; * - date: [String] ( "full" | "long" | "medium" | "short" ); * - time: [String] ( "full" | "long" | "medium" | "short" ); * - datetime: [String] ( "full" | "long" | "medium" | "short" ); * - raw: [String] For more info see datetime/format.js. * * @cldr [Cldr instance]. * * Return the corresponding pattern. * Eg for "en": * - "GyMMMd" returns "MMM d, y G"; * - { skeleton: "GyMMMd" } returns "MMM d, y G"; * - { date: "full" } returns "EEEE, MMMM d, y"; * - { time: "full" } returns "h:mm:ss a zzzz"; * - { datetime: "full" } returns "EEEE, MMMM d, y 'at' h:mm:ss a zzzz"; * - { raw: "dd/mm" } returns "dd/mm"; */ var dateExpandPattern = function( options, cldr ) { var dateSkeleton, result, skeleton, timeSkeleton, type, // Using easier to read variables. getBestMatchPattern = dateExpandPatternGetBestMatchPattern; function combineDateTime( type, datePattern, timePattern ) { return formatMessage( cldr.main([ "dates/calendars/gregorian/dateTimeFormats", type ]), [ timePattern, datePattern ] ); } switch ( true ) { case "skeleton" in options: skeleton = options.skeleton; // Preferred hour (j). skeleton = skeleton.replace( /j/g, function() { return cldr.supplemental.timeData.preferred(); }); validateSkeleton( skeleton ); // Try direct map (note that getBestMatchPattern handles it). // ... or, try to "best match" the whole skeleton. result = getBestMatchPattern( cldr, skeleton ); if ( result ) { break; } // ... or, try to "best match" the date and time parts individually. timeSkeleton = skeleton.split( /[^hHKkmsSAzZOvVXx]/ ).slice( -1 )[ 0 ]; dateSkeleton = skeleton.split( /[^GyYuUrQqMLlwWdDFgEec]/ )[ 0 ]; dateSkeleton = getBestMatchPattern( cldr, dateSkeleton ); timeSkeleton = getBestMatchPattern( cldr, timeSkeleton ); if ( /(MMMM|LLLL).*[Ec]/.test( dateSkeleton ) ) { type = "full"; } else if ( /MMMM|LLLL/.test( dateSkeleton ) ) { type = "long"; } else if ( /MMM|LLL/.test( dateSkeleton ) ) { type = "medium"; } else { type = "short"; } if ( dateSkeleton && timeSkeleton ) { result = combineDateTime( type, dateSkeleton, timeSkeleton ); } else { result = dateSkeleton || timeSkeleton; } break; case "date" in options: case "time" in options: result = cldr.main([ "dates/calendars/gregorian", "date" in options ? "dateFormats" : "timeFormats", ( options.date || options.time ) ]); break; case "datetime" in options: result = combineDateTime( options.datetime, cldr.main([ "dates/calendars/gregorian/dateFormats", options.datetime ]), cldr.main([ "dates/calendars/gregorian/timeFormats", options.datetime ]) ); break; case "raw" in options: result = options.raw; break; default: throw createErrorInvalidParameterValue({ name: "options", value: options }); } return result; }; var dateWeekDays = [ "sun", "mon", "tue", "wed", "thu", "fri", "sat" ]; /** * firstDayOfWeek */ var dateFirstDayOfWeek = function( cldr ) { return dateWeekDays.indexOf( cldr.supplemental.weekData.firstDay() ); }; /** * getTimeZoneName( length, type ) */ var dateGetTimeZoneName = function( length, type, timeZone, cldr ) { var metaZone, result; if ( !timeZone ) { return; } result = cldr.main([ "dates/timeZoneNames/zone", timeZone, length < 4 ? "short" : "long", type ]); if ( result ) { return result; } // The latest metazone data of the metazone array. // TODO expand to support the historic metazones based on the given date. metaZone = cldr.supplemental([ "metaZones/metazoneInfo/timezone", timeZone, 0, "usesMetazone/_mzone" ]); return cldr.main([ "dates/timeZoneNames/metazone", metaZone, length < 4 ? "short" : "long", type ]); }; /** * timezoneHourFormatShortH( hourFormat ) * * @hourFormat [String] * * Unofficial deduction of the short hourFormat given time zone `hourFormat` element. * Official spec is pending resolution: http://unicode.org/cldr/trac/ticket/8293 * * Example: * - "+HH.mm;-HH.mm" => "+H;-H" * - "+HH:mm;-HH:mm" => "+H;-H" * - "+HH:mm;−HH:mm" => "+H;−H" (Note MINUS SIGN \u2212) * - "+HHmm;-HHmm" => "+H:-H" */ var dateTimezoneHourFormatH = function( hourFormat ) { return hourFormat .split( ";" ) .map(function( format ) { return format.slice( 0, format.indexOf( "H" ) + 1 ); }) .join( ";" ); }; /** * timezoneHourFormatLongHm( hourFormat ) * * @hourFormat [String] * * Unofficial deduction of the short hourFormat given time zone `hourFormat` element. * Official spec is pending resolution: http://unicode.org/cldr/trac/ticket/8293 * * Example (hFormat === "H"): (used for short Hm) * - "+HH.mm;-HH.mm" => "+H.mm;-H.mm" * - "+HH:mm;-HH:mm" => "+H:mm;-H:mm" * - "+HH:mm;−HH:mm" => "+H:mm;−H:mm" (Note MINUS SIGN \u2212) * - "+HHmm;-HHmm" => "+Hmm:-Hmm" * * Example (hFormat === "HH": (used for long Hm) * - "+HH.mm;-HH.mm" => "+HH.mm;-HH.mm" * - "+HH:mm;-HH:mm" => "+HH:mm;-HH:mm" * - "+H:mm;-H:mm" => "+HH:mm;-HH:mm" * - "+HH:mm;−HH:mm" => "+HH:mm;−HH:mm" (Note MINUS SIGN \u2212) * - "+HHmm;-HHmm" => "+HHmm:-HHmm" */ var dateTimezoneHourFormatHm = function( hourFormat, hFormat ) { return hourFormat .split( ";" ) .map(function( format ) { var parts = format.split( /H+/ ); parts.splice( 1, 0, hFormat ); return parts.join( "" ); }) .join( ";" ); }; var runtimeCacheDataBind = function( key, data ) { var fn = function() { return data; }; fn.dataCacheKey = key; return fn; }; /** * properties( pattern, cldr ) * * @pattern [String] raw pattern. * ref: http://www.unicode.org/reports/tr35/tr35-dates.html#Date_Format_Patterns * * @cldr [Cldr instance]. * * Return the properties given the pattern and cldr. * * TODO Support other calendar types. */ var dateFormatProperties = function( pattern, cldr, timeZone ) { var properties = { numberFormatters: {}, pattern: pattern, timeSeparator: numberSymbol( "timeSeparator", cldr ) }, widths = [ "abbreviated", "wide", "narrow" ]; function setNumberFormatterPattern( pad ) { properties.numberFormatters[ pad ] = stringPad( "", pad ); } if ( timeZone ) { properties.timeZoneData = runtimeCacheDataBind( "iana/" + timeZone, { offsets: cldr.get([ "globalize-iana/zoneData", timeZone, "offsets" ]), untils: cldr.get([ "globalize-iana/zoneData", timeZone, "untils" ]), isdsts: cldr.get([ "globalize-iana/zoneData", timeZone, "isdsts" ]) }); } pattern.replace( datePatternRe, function( current ) { var aux, chr, daylightTzName, formatNumber, genericTzName, length, standardTzName; chr = current.charAt( 0 ); length = current.length; if ( chr === "j" ) { // Locale preferred hHKk. // http://www.unicode.org/reports/tr35/tr35-dates.html#Time_Data properties.preferredTime = chr = cldr.supplemental.timeData.preferred(); } // ZZZZ: same as "OOOO". if ( chr === "Z" && length === 4 ) { chr = "O"; length = 4; } // z...zzz: "{shortRegion}", eg. "PST" or "PDT". // zzzz: "{regionName} {Standard Time}" or "{regionName} {Daylight Time}", // e.g., "Pacific Standard Time" or "Pacific Daylight Time". // http://unicode.org/reports/tr35/tr35-dates.html#Date_Format_Patterns if ( chr === "z" ) { standardTzName = dateGetTimeZoneName( length, "standard", timeZone, cldr ); daylightTzName = dateGetTimeZoneName( length, "daylight", timeZone, cldr ); if ( standardTzName ) { properties.standardTzName = standardTzName; } if ( daylightTzName ) { properties.daylightTzName = daylightTzName; } // Fall through the "O" format in case one name is missing. if ( !standardTzName || !daylightTzName ) { chr = "O"; if ( length < 4 ) { length = 1; } } } // v...vvv: "{shortRegion}", eg. "PT". // vvvv: "{regionName} {Time}" or "{regionName} {Time}", // e.g., "Pacific Time" // http://unicode.org/reports/tr35/tr35-dates.html#Date_Format_Patterns if ( chr === "v" ) { genericTzName = dateGetTimeZoneName( length, "generic", timeZone, cldr ); // Fall back to "V" format. if ( !genericTzName ) { chr = "V"; length = 4; } } switch ( chr ) { // Era case "G": properties.eras = cldr.main([ "dates/calendars/gregorian/eras", length <= 3 ? "eraAbbr" : ( length === 4 ? "eraNames" : "eraNarrow" ) ]); break; // Year case "y": // Plain year. formatNumber = true; break; case "Y": // Year in "Week of Year" properties.firstDay = dateFirstDayOfWeek( cldr ); properties.minDays = cldr.supplemental.weekData.minDays(); formatNumber = true; break; case "u": // Extended year. Need to be implemented. case "U": // Cyclic year name. Need to be implemented. throw createErrorUnsupportedFeature({ feature: "year pattern `" + chr + "`" }); // Quarter case "Q": case "q": if ( length > 2 ) { if ( !properties.quarters ) { properties.quarters = {}; } if ( !properties.quarters[ chr ] ) { properties.quarters[ chr ] = {}; } properties.quarters[ chr ][ length ] = cldr.main([ "dates/calendars/gregorian/quarters", chr === "Q" ? "format" : "stand-alone", widths[ length - 3 ] ]); } else { formatNumber = true; } break; // Month case "M": case "L": if ( length > 2 ) { if ( !properties.months ) { properties.months = {}; } if ( !properties.months[ chr ] ) { properties.months[ chr ] = {}; } properties.months[ chr ][ length ] = cldr.main([ "dates/calendars/gregorian/months", chr === "M" ? "format" : "stand-alone", widths[ length - 3 ] ]); } else { formatNumber = true; } break; // Week - Week of Year (w) or Week of Month (W). case "w": case "W": properties.firstDay = dateFirstDayOfWeek( cldr ); properties.minDays = cldr.supplemental.weekData.minDays(); formatNumber = true; break; // Day case "d": case "D": case "F": formatNumber = true; break; case "g": // Modified Julian day. Need to be implemented. throw createErrorUnsupportedFeature({ feature: "Julian day pattern `g`" }); // Week day case "e": case "c": if ( length <= 2 ) { properties.firstDay = dateFirstDayOfWeek( cldr ); formatNumber = true; break; } /* falls through */ case "E": if ( !properties.days ) { properties.days = {}; } if ( !properties.days[ chr ] ) { properties.days[ chr ] = {}; } if ( length === 6 ) { // If short day names are not explicitly specified, abbreviated day names are // used instead. // http://www.unicode.org/reports/tr35/tr35-dates.html#months_days_quarters_eras // http://unicode.org/cldr/trac/ticket/6790 properties.days[ chr ][ length ] = cldr.main([ "dates/calendars/gregorian/days", chr === "c" ? "stand-alone" : "format", "short" ]) || cldr.main([ "dates/calendars/gregorian/days", chr === "c" ? "stand-alone" : "format", "abbreviated" ]); } else { properties.days[ chr ][ length ] = cldr.main([ "dates/calendars/gregorian/days", chr === "c" ? "stand-alone" : "format", widths[ length < 3 ? 0 : length - 3 ] ]); } break; // Period (AM or PM) case "a": properties.dayPeriods = { am: cldr.main( "dates/calendars/gregorian/dayPeriods/format/wide/am" ), pm: cldr.main( "dates/calendars/gregorian/dayPeriods/format/wide/pm" ) }; break; // Hour case "h": // 1-12 case "H": // 0-23 case "K": // 0-11 case "k": // 1-24 // Minute case "m": // Second case "s": case "S": case "A": formatNumber = true; break; // Zone case "v": if ( length !== 1 && length !== 4 ) { throw createErrorUnsupportedFeature({ feature: "timezone pattern `" + pattern + "`" }); } properties.genericTzName = genericTzName; break; case "V": if ( length === 1 ) { throw createErrorUnsupportedFeature({ feature: "timezone pattern `" + pattern + "`" }); } if ( timeZone ) { if ( length === 2 ) { properties.timeZoneName = timeZone; break; } var timeZoneName, exemplarCity = cldr.main([ "dates/timeZoneNames/zone", timeZone, "exemplarCity" ]); if ( length === 3 ) { if ( !exemplarCity ) { exemplarCity = cldr.main([ "dates/timeZoneNames/zone/Etc/Unknown/exemplarCity" ]); } timeZoneName = exemplarCity; } if ( exemplarCity && length === 4 ) { timeZoneName = formatMessage( cldr.main( "dates/timeZoneNames/regionFormat" ), [ exemplarCity ] ); } if ( timeZoneName ) { properties.timeZoneName = timeZoneName; break; } } if ( current === "v" ) { length = 1; } /* falls through */ case "O": // O: "{gmtFormat}+H;{gmtFormat}-H" or "{gmtZeroFormat}", eg. "GMT-8" or "GMT". // OOOO: "{gmtFormat}{hourFormat}" or "{gmtZeroFormat}", eg. "GMT-08:00" or "GMT". properties.gmtFormat = cldr.main( "dates/timeZoneNames/gmtFormat" ); properties.gmtZeroFormat = cldr.main( "dates/timeZoneNames/gmtZeroFormat" ); // Unofficial deduction of the hourFormat variations. // Official spec is pending resolution: http://unicode.org/cldr/trac/ticket/8293 aux = cldr.main( "dates/timeZoneNames/hourFormat" ); properties.hourFormat = length < 4 ? [ dateTimezoneHourFormatH( aux ), dateTimezoneHourFormatHm( aux, "H" ) ] : dateTimezoneHourFormatHm( aux, "HH" ); /* falls through */ case "Z": case "X": case "x": setNumberFormatterPattern( 1 ); setNumberFormatterPattern( 2 ); break; } if ( formatNumber ) { setNumberFormatterPattern( length ); } }); return properties; }; var dateFormatterFn = function( dateToPartsFormatter ) { return function dateFormatter( value ) { return dateToPartsFormatter( value ).map( function( part ) { return part.value; }).join( "" ); }; }; /** * parseProperties( cldr ) * * @cldr [Cldr instance]. * * @timeZone [String] FIXME. * * Return parser properties. */ var dateParseProperties = function( cldr, timeZone ) { var properties = { preferredTimeData: cldr.supplemental.timeData.preferred() }; if ( timeZone ) { properties.timeZoneData = runtimeCacheDataBind( "iana/" + timeZone, { offsets: cldr.get([ "globalize-iana/zoneData", timeZone, "offsets" ]), untils: cldr.get([ "globalize-iana/zoneData", timeZone, "untils" ]), isdsts: cldr.get([ "globalize-iana/zoneData", timeZone, "isdsts" ]) }); } return properties; }; var ZonedDateTime = (function() { function definePrivateProperty(object, property, value) { Object.defineProperty(object, property, { value: value }); } function getUntilsIndex(original, untils) { var index = 0; var originalTime = original.getTime(); // TODO Should we do binary search for improved performance? while (index < untils.length - 1 && originalTime >= untils[index]) { index++; } return index; } function setWrap(fn) { var offset1 = this.getTimezoneOffset(); var ret = fn(); this.original.setTime(new Date(this.getTime())); var offset2 = this.getTimezoneOffset(); if (offset2 - offset1) { this.original.setMinutes(this.original.getMinutes() + offset2 - offset1); } return ret; } var ZonedDateTime = function(date, timeZoneData) { definePrivateProperty(this, "original", new Date(date.getTime())); definePrivateProperty(this, "local", new Date(date.getTime())); definePrivateProperty(this, "timeZoneData", timeZoneData); definePrivateProperty(this, "setWrap", setWrap); if (!(timeZoneData.untils && timeZoneData.offsets && timeZoneData.isdsts)) { throw new Error("Invalid IANA data"); } this.setTime(this.local.getTime() - this.getTimezoneOffset() * 60 * 1000); }; ZonedDateTime.prototype.clone = function() { return new ZonedDateTime(this.original, this.timeZoneData); }; // Date field getters. ["getFullYear", "getMonth", "getDate", "getDay", "getHours", "getMinutes", "getSeconds", "getMilliseconds"].forEach(function(method) { // Corresponding UTC method, e.g., "getUTCFullYear" if method === "getFullYear". var utcMethod = "getUTC" + method.substr(3); ZonedDateTime.prototype[method] = function() { return this.local[utcMethod](); }; }); // Note: Define .valueOf = .getTime for arithmetic operations like date1 - date2. ZonedDateTime.prototype.valueOf = ZonedDateTime.prototype.getTime = function() { return this.local.getTime() + this.getTimezoneOffset() * 60 * 1000; }; ZonedDateTime.prototype.getTimezoneOffset = function() { var index = getUntilsIndex(this.original, this.timeZoneData.untils); return this.timeZoneData.offsets[index]; }; // Date field setters. ["setFullYear", "setMonth", "setDate", "setHours", "setMinutes", "setSeconds", "setMilliseconds"].forEach(function(method) { // Corresponding UTC method, e.g., "setUTCFullYear" if method === "setFullYear". var utcMethod = "setUTC" + method.substr(3); ZonedDateTime.prototype[method] = function(value) { var local = this.local; // Note setWrap is needed for seconds and milliseconds just because // abs(value) could be >= a minute. return this.setWrap(function() { return local[utcMethod](value); }); }; }); ZonedDateTime.prototype.setTime = function(time) { return this.local.setTime(time); }; ZonedDateTime.prototype.isDST = function() { var index = getUntilsIndex(this.original, this.timeZoneData.untils); return Boolean(this.timeZoneData.isdsts[index]); }; ZonedDateTime.prototype.inspect = function() { var index = getUntilsIndex(this.original, this.timeZoneData.untils); var abbrs = this.timeZoneData.abbrs; return this.local.toISOString().replace(/Z$/, "") + " " + (abbrs && abbrs[index] + " " || (this.getTimezoneOffset() * -1) + " ") + (this.isDST() ? "(daylight savings)" : ""); }; ZonedDateTime.prototype.toDate = function() { return new Date(this.getTime()); }; // Type cast getters. ["toISOString", "toJSON", "toUTCString"].forEach(function(method) { ZonedDateTime.prototype[method] = function() { return this.toDate()[method](); }; }); return ZonedDateTime; }()); /** * isLeapYear( year ) * * @year [Number] * * Returns an indication whether the specified year is a leap year. */ var dateIsLeapYear = function( year ) { return new Date( year, 1, 29 ).getMonth() === 1; }; /** * lastDayOfMonth( date ) * * @date [Date] * * Return the last day of the given date's month */ var dateLastDayOfMonth = function( date ) { return new Date( date.getFullYear(), date.getMonth() + 1, 0 ).getDate(); }; /** * startOf changes the input to the beginning of the given unit. * * For example, starting at the start of a day, resets hours, minutes * seconds and milliseconds to 0. Starting at the month does the same, but * also sets the date to 1. * * Returns the modified date */ var dateStartOf = function( date, unit ) { date = date instanceof ZonedDateTime ? date.clone() : new Date( date.getTime() ); switch ( unit ) { case "year": date.setMonth( 0 ); /* falls through */ case "month": date.setDate( 1 ); /* falls through */ case "day": date.setHours( 0 ); /* falls through */ case "hour": date.setMinutes( 0 ); /* falls through */ case "minute": date.setSeconds( 0 ); /* falls through */ case "second": date.setMilliseconds( 0 ); } return date; }; /** * Differently from native date.setDate(), this function returns a date whose * day remains inside the month boundaries. For example: * * setDate( FebDate, 31 ): a "Feb 28" date. * setDate( SepDate, 31 ): a "Sep 30" date. */ var dateSetDate = function( date, day ) { var lastDay = new Date( date.getFullYear(), date.getMonth() + 1, 0 ).getDate(); date.setDate( day < 1 ? 1 : day < lastDay ? day : lastDay ); }; /** * Differently from native date.setMonth(), this function adjusts date if * needed, so final month is always the one set. * * setMonth( Jan31Date, 1 ): a "Feb 28" date. * setDate( Jan31Date, 8 ): a "Sep 30" date. */ var dateSetMonth = function( date, month ) { var originalDate = date.getDate(); date.setDate( 1 ); date.setMonth( month ); dateSetDate( date, originalDate ); }; var outOfRange = function( value, low, high ) { return value < low || value > high; }; /** * parse( value, tokens, properties ) * * @value [String] string date. * * @tokens [Object] tokens returned by date/tokenizer. * * @properties [Object] output returned by date/tokenizer-properties. * * ref: http://www.unicode.org/reports/tr35/tr35-dates.html#Date_Format_Patterns */ var dateParse = function( value, tokens, properties ) { var amPm, day, daysOfYear, month, era, hour, hour12, timezoneOffset, valid, YEAR = 0, MONTH = 1, DAY = 2, HOUR = 3, MINUTE = 4, SECOND = 5, MILLISECONDS = 6, date = new Date(), truncateAt = [], units = [ "year", "month", "day", "hour", "minute", "second", "milliseconds" ]; // Create globalize date with given timezone data. if ( properties.timeZoneData ) { date = new ZonedDateTime( date, properties.timeZoneData() ); } if ( !tokens.length ) { return null; } valid = tokens.every(function( token ) { var century, chr, value, length; if ( token.type === "literal" ) { // continue return true; } chr = token.type.charAt( 0 ); length = token.type.length; if ( chr === "j" ) { // Locale preferred hHKk. // http://www.unicode.org/reports/tr35/tr35-dates.html#Time_Data chr = properties.preferredTimeData; } switch ( chr ) { // Era case "G": truncateAt.push( YEAR ); era = +token.value; break; // Year case "y": value = token.value; if ( length === 2 ) { if ( outOfRange( value, 0, 99 ) ) { return false; } // mimic dojo/date/locale: choose century to apply, according to a sliding // window of 80 years before and 20 years after present year. century = Math.floor( date.getFullYear() / 100 ) * 100; value += century; if ( value > date.getFullYear() + 20 ) { value -= 100; } } date.setFullYear( value ); truncateAt.push( YEAR ); break; case "Y": // Year in "Week of Year" throw createErrorUnsupportedFeature({ feature: "year pattern `" + chr + "`" }); // Quarter (skip) case "Q": case "q": break; // Month case "M": case "L": if ( length <= 2 ) { value = token.value; } else { value = +token.value; } if ( outOfRange( value, 1, 12 ) ) { return false; } // Setting the month later so that we have the correct year and can determine // the correct last day of February in case of leap year. month = value; truncateAt.push( MONTH ); break; // Week (skip) case "w": // Week of Year. case "W": // Week of Month. break; // Day case "d": day = token.value; truncateAt.push( DAY ); break; case "D": daysOfYear = token.value; truncateAt.push( DAY ); break; case "F": // Day of Week in month. eg. 2nd Wed in July. // Skip break; // Week day case "e": case "c": case "E": // Skip. // value = arrayIndexOf( dateWeekDays, token.value ); break; // Period (AM or PM) case "a": amPm = token.value; break; // Hour case "h": // 1-12 value = token.value; if ( outOfRange( value, 1, 12 ) ) { return false; } hour = hour12 = true; date.setHours( value === 12 ? 0 : value ); truncateAt.push( HOUR ); break; case "K": // 0-11 value = token.value; if ( outOfRange( value, 0, 11 ) ) { return false; } hour = hour12 = true; date.setHours( value ); truncateAt.push( HOUR ); break; case "k": // 1-24 value = token.value; if ( outOfRange( value, 1, 24 ) ) { return false; } hour = true; date.setHours( value === 24 ? 0 : value ); truncateAt.push( HOUR ); break; case "H": // 0-23 value = token.value; if ( outOfRange( value, 0, 23 ) ) { return false; } hour = true; date.setHours( value ); truncateAt.push( HOUR ); break; // Minute case "m": value = token.value; if ( outOfRange( value, 0, 59 ) ) { return false; } date.setMinutes( value ); truncateAt.push( MINUTE ); break; // Second case "s": value = token.value; if ( outOfRange( value, 0, 59 ) ) { return false; } date.setSeconds( value ); truncateAt.push( SECOND ); break; case "A": date.setHours( 0 ); date.setMinutes( 0 ); date.setSeconds( 0 ); /* falls through */ case "S": value = Math.round( token.value * Math.pow( 10, 3 - length ) ); date.setMilliseconds( value ); truncateAt.push( MILLISECONDS ); break; // Zone case "z": case "Z": case "O": case "v": case "V": case "X": case "x": if ( typeof token.value === "number" ) { timezoneOffset = token.value; } break; } return true; }); if ( !valid ) { return null; } // 12-hour format needs AM or PM, 24-hour format doesn't, ie. return null // if amPm && !hour12 || !amPm && hour12. if ( hour && !( !amPm ^ hour12 ) ) { return null; } if ( era === 0 ) { // 1 BC = year 0 date.setFullYear( date.getFullYear() * -1 + 1 ); } if ( month !== undefined ) { dateSetMonth( date, month - 1 ); } if ( day !== undefined ) { if ( outOfRange( day, 1, dateLastDayOfMonth( date ) ) ) { return null; } date.setDate( day ); } else if ( daysOfYear !== undefined ) { if ( outOfRange( daysOfYear, 1, dateIsLeapYear( date.getFullYear() ) ? 366 : 365 ) ) { return null; } date.setMonth( 0 ); date.setDate( daysOfYear ); } if ( hour12 && amPm === "pm" ) { date.setHours( date.getHours() + 12 ); } if ( timezoneOffset !== undefined ) { date.setMinutes( date.getMinutes() + timezoneOffset - date.getTimezoneOffset() ); } // Truncate date at the most precise unit defined. Eg. // If value is "12/31", and pattern is "MM/dd": // => new Date( , 12, 31, 0, 0, 0, 0 ); truncateAt = Math.max.apply( null, truncateAt ); date = dateStartOf( date, units[ truncateAt ] ); // Get date back from globalize date. if ( date instanceof ZonedDateTime ) { date = date.toDate(); } return date; }; /** * tokenizer( value, numberParser, properties ) * * @value [String] string date. * * @numberParser [Function] * * @properties [Object] output returned by date/tokenizer-properties. * * Returns an Array of tokens, eg. value "5 o'clock PM", pattern "h 'o''clock' a": * [{ * type: "h", * lexeme: "5" * }, { * type: "literal", * lexeme: " " * }, { * type: "literal", * lexeme: "o'clock" * }, { * type: "literal", * lexeme: " " * }, { * type: "a", * lexeme: "PM", * value: "pm" * }] * * OBS: lexeme's are always String and may return invalid ranges depending of the token type. * Eg. "99" for month number. * * Return an empty Array when not successfully parsed. */ var dateTokenizer = function( value, numberParser, properties ) { var digitsRe, valid, tokens = [], widths = [ "abbreviated", "wide", "narrow" ]; digitsRe = properties.digitsRe; value = looseMatching( value ); valid = properties.pattern.match( datePatternRe ).every(function( current ) { var aux, chr, length, numeric, tokenRe, token = {}; function hourFormatParse( tokenRe, numberParser ) { var aux, isPositive, match = value.match( tokenRe ); numberParser = numberParser || function( value ) { return +value; }; if ( !match ) { return false; } isPositive = match[ 1 ]; // hourFormat containing H only, e.g., `+H;-H` if ( match.length < 6 ) { aux = isPositive ? 1 : 3; token.value = numberParser( match[ aux ] ) * 60; // hourFormat containing H and m, e.g., `+HHmm;-HHmm` } else if ( match.length < 10 ) { aux = isPositive ? [ 1, 3 ] : [ 5, 7 ]; token.value = numberParser( match[ aux[ 0 ] ] ) * 60 + numberParser( match[ aux[ 1 ] ] ); // hourFormat containing H, m, and s e.g., `+HHmmss;-HHmmss` } else { aux = isPositive ? [ 1, 3, 5 ] : [ 7, 9, 11 ]; token.value = numberParser( match[ aux[ 0 ] ] ) * 60 + numberParser( match[ aux[ 1 ] ] ) + numberParser( match[ aux[ 2 ] ] ) / 60; } if ( isPositive ) { token.value *= -1; } return true; } function oneDigitIfLengthOne() { if ( length === 1 ) { // Unicode equivalent to /\d/ numeric = true; return tokenRe = digitsRe; } } function oneOrTwoDigitsIfLengthOne() { if ( length === 1 ) { // Unicode equivalent to /\d\d?/ numeric = true; return tokenRe = new RegExp( "^(" + digitsRe.source + "){1,2}" ); } } function oneOrTwoDigitsIfLengthOneOrTwo() { if ( length === 1 || length === 2 ) { // Unicode equivalent to /\d\d?/ numeric = true; return tokenRe = new RegExp( "^(" + digitsRe.source + "){1,2}" ); } } function twoDigitsIfLengthTwo() { if ( length === 2 ) { // Unicode equivalent to /\d\d/ numeric = true; return tokenRe = new RegExp( "^(" + digitsRe.source + "){2}" ); } } // Brute-force test every locale entry in an attempt to match the given value. // Return the first found one (and set token accordingly), or null. function lookup( path ) { var array = properties[ path.join( "/" ) ]; if ( !array ) { return null; } // array of pairs [key, value] sorted by desc value length. array.some(function( item ) { var valueRe = item[ 1 ]; if ( valueRe.test( value ) ) { token.value = item[ 0 ]; tokenRe = item[ 1 ]; return true; } }); return null; } token.type = current; chr = current.charAt( 0 ); length = current.length; if ( chr === "Z" ) { // Z..ZZZ: same as "xxxx". if ( length < 4 ) { chr = "x"; length = 4; // ZZZZ: same as "OOOO". } else if ( length < 5 ) { chr = "O"; length = 4; // ZZZZZ: same as "XXXXX" } else { chr = "X"; length = 5; } } if ( chr === "z" ) { if ( properties.standardOrDaylightTzName ) { token.value = null; tokenRe = properties.standardOrDaylightTzName; } } // v...vvv: "{shortRegion}", eg. "PT". // vvvv: "{regionName} {Time}" or "{regionName} {Time}", // e.g., "Pacific Time" // http://unicode.org/reports/tr35/tr35-dates.html#Date_Format_Patterns if ( chr === "v" ) { if ( properties.genericTzName ) { token.value = null; tokenRe = properties.genericTzName; // Fall back to "V" format. } else { chr = "V"; length = 4; } } if ( chr === "V" && properties.timeZoneName ) { token.value = length === 2 ? properties.timeZoneName : null; tokenRe = properties.timeZoneNameRe; } switch ( chr ) { // Era case "G": lookup([ "gregorian/eras", length <= 3 ? "eraAbbr" : ( length === 4 ? "eraNames" : "eraNarrow" ) ]); break; // Year case "y": case "Y": numeric = true; // number l=1:+, l=2:{2}, l=3:{3,}, l=4:{4,}, ... if ( length === 1 ) { // Unicode equivalent to /\d+/. tokenRe = new RegExp( "^(" + digitsRe.source + ")+" ); } else if ( length === 2 ) { // Lenient parsing: there's no year pattern to indicate non-zero-padded 2-digits // year, so parser accepts both zero-padded and non-zero-padded for `yy`. // // Unicode equivalent to /\d\d?/ tokenRe = new RegExp( "^(" + digitsRe.source + "){1,2}" ); } else { // Unicode equivalent to /\d{length,}/ tokenRe = new RegExp( "^(" + digitsRe.source + "){" + length + ",}" ); } break; // Quarter case "Q": case "q": // number l=1:{1}, l=2:{2}. // lookup l=3... oneDigitIfLengthOne() || twoDigitsIfLengthTwo() || lookup([ "gregorian/quarters", chr === "Q" ? "format" : "stand-alone", widths[ length - 3 ] ]); break; // Month case "M": case "L": // number l=1:{1,2}, l=2:{2}. // lookup l=3... // // Lenient parsing: skeleton "yMd" (i.e., one M) may include MM for the pattern, // therefore parser accepts both zero-padded and non-zero-padded for M and MM. // Similar for L. oneOrTwoDigitsIfLengthOneOrTwo() || lookup([ "gregorian/months", chr === "M" ? "format" : "stand-alone", widths[ length - 3 ] ]); break; // Day case "D": // number {l,3}. if ( length <= 3 ) { // Equivalent to /\d{length,3}/ numeric = true; tokenRe = new RegExp( "^(" + digitsRe.source + "){" + length + ",3}" ); } break; case "W": case "F": // number l=1:{1}. oneDigitIfLengthOne(); break; // Week day case "e": case "c": // number l=1:{1}, l=2:{2}. // lookup for length >=3. if ( length <= 2 ) { oneDigitIfLengthOne() || twoDigitsIfLengthTwo(); break; } /* falls through */ case "E": if ( length === 6 ) { // Note: if short day names are not explicitly specified, abbreviated day // names are used instead http://www.unicode.org/reports/tr35/tr35-dates.html#months_days_quarters_eras lookup([ "gregorian/days", [ chr === "c" ? "stand-alone" : "format" ], "short" ]) || lookup([ "gregorian/days", [ chr === "c" ? "stand-alone" : "format" ], "abbreviated" ]); } else { lookup([ "gregorian/days", [ chr === "c" ? "stand-alone" : "format" ], widths[ length < 3 ? 0 : length - 3 ] ]); } break; // Period (AM or PM) case "a": lookup([ "gregorian/dayPeriods/format/wide" ]); break; // Week case "w": // number l1:{1,2}, l2:{2}. oneOrTwoDigitsIfLengthOne() || twoDigitsIfLengthTwo(); break; // Day, Hour, Minute, or Second case "d": case "h": case "H": case "K": case "k": case "j": case "m": case "s": // number l1:{1,2}, l2:{2}. // // Lenient parsing: // - skeleton "hms" (i.e., one m) always includes mm for the pattern, i.e., it's // impossible to use a different skeleton to parse non-zero-padded minutes, // therefore parser accepts both zero-padded and non-zero-padded for m. Similar // for seconds s. // - skeleton "hms" (i.e., one h) may include h or hh for the pattern, i.e., it's // impossible to use a different skeleton to parser non-zero-padded hours for some // locales, therefore parser accepts both zero-padded and non-zero-padded for h. // Similar for d (in skeleton yMd). oneOrTwoDigitsIfLengthOneOrTwo(); break; case "S": // number {l}. // Unicode equivalent to /\d{length}/ numeric = true; tokenRe = new RegExp( "^(" + digitsRe.source + "){" + length + "}" ); break; case "A": // number {l+5}. // Unicode equivalent to /\d{length+5}/ numeric = true; tokenRe = new RegExp( "^(" + digitsRe.source + "){" + ( length + 5 ) + "}" ); break; // Zone case "v": case "V": case "z": if ( tokenRe && tokenRe.test( value ) ) { break; } if ( chr === "V" && length === 2 ) { break; } /* falls through */ case "O": // O: "{gmtFormat}+H;{gmtFormat}-H" or "{gmtZeroFormat}", eg. "GMT-8" or "GMT". // OOOO: "{gmtFormat}{hourFormat}" or "{gmtZeroFormat}", eg. "GMT-08:00" or "GMT". if ( value === properties[ "timeZoneNames/gmtZeroFormat" ] ) { token.value = 0; tokenRe = properties[ "timeZoneNames/gmtZeroFormatRe" ]; } else { aux = properties[ "timeZoneNames/hourFormat" ].some(function( hourFormatRe ) { if ( hourFormatParse( hourFormatRe, numberParser ) ) { tokenRe = hourFormatRe; return true; } }); if ( !aux ) { return null; } } break; case "X": // Same as x*, except it uses "Z" for zero offset. if ( value === "Z" ) { token.value = 0; tokenRe = /^Z/; break; } /* falls through */ case "x": // x: hourFormat("+HH[mm];-HH[mm]") // xx: hourFormat("+HHmm;-HHmm") // xxx: hourFormat("+HH:mm;-HH:mm") // xxxx: hourFormat("+HHmm[ss];-HHmm[ss]") // xxxxx: hourFormat("+HH:mm[:ss];-HH:mm[:ss]") aux = properties.x.some(function( hourFormatRe ) { if ( hourFormatParse( hourFormatRe ) ) { tokenRe = hourFormatRe; return true; } }); if ( !aux ) { return null; } break; case "'": token.type = "literal"; tokenRe = new RegExp( "^" + regexpEscape( removeLiteralQuotes( current ) ) ); break; default: token.type = "literal"; tokenRe = new RegExp( "^" + regexpEscape( current ) ); } if ( !tokenRe ) { return false; } // Get lexeme and consume it. value = value.replace( tokenRe, function( lexeme ) { token.lexeme = lexeme; if ( numeric ) { token.value = numberParser( lexeme ); } return ""; }); if ( !token.lexeme ) { return false; } if ( numeric && isNaN( token.value ) ) { return false; } tokens.push( token ); return true; }); if ( value !== "" ) { valid = false; } return valid ? tokens : []; }; var dateParserFn = function( numberParser, parseProperties, tokenizerProperties ) { return function dateParser( value ) { var tokens; validateParameterPresence( value, "value" ); validateParameterTypeString( value, "value" ); tokens = dateTokenizer( value, numberParser, tokenizerProperties ); return dateParse( value, tokens, parseProperties ) || null; }; }; var objectFilter = function( object, testRe ) { var key, copy = {}; for ( key in object ) { if ( testRe.test( key ) ) { copy[ key ] = object[ key ]; } } return copy; }; /** * tokenizerProperties( pattern, cldr ) * * @pattern [String] raw pattern. * * @cldr [Cldr instance]. * * Return Object with data that will be used by tokenizer. */ var dateTokenizerProperties = function( pattern, cldr, timeZone ) { var digitsReSource, properties = { pattern: looseMatching( pattern ) }, timeSeparator = numberSymbol( "timeSeparator", cldr ), widths = [ "abbreviated", "wide", "narrow" ]; digitsReSource = numberNumberingSystemDigitsMap( cldr ); digitsReSource = digitsReSource ? "[" + digitsReSource + "]" : "\\d"; properties.digitsRe = new RegExp( digitsReSource ); // Transform: // - "+H;-H" -> /\+(\d\d?)|-(\d\d?)/ // - "+HH;-HH" -> /\+(\d\d)|-(\d\d)/ // - "+HHmm;-HHmm" -> /\+(\d\d)(\d\d)|-(\d\d)(\d\d)/ // - "+HH:mm;-HH:mm" -> /\+(\d\d):(\d\d)|-(\d\d):(\d\d)/ // // If gmtFormat is GMT{0}, the regexp must fill {0} in each side, e.g.: // - "+H;-H" -> /GMT\+(\d\d?)|GMT-(\d\d?)/ function hourFormatRe( hourFormat, gmtFormat, digitsReSource, timeSeparator ) { var re; if ( !digitsReSource ) { digitsReSource = "\\d"; } if ( !gmtFormat ) { gmtFormat = "{0}"; } re = hourFormat .replace( "+", "\\+" ) // Unicode equivalent to (\\d\\d) .replace( /HH|mm|ss/g, "((" + digitsReSource + "){2})" ) // Unicode equivalent to (\\d\\d?) .replace( /H|m/g, "((" + digitsReSource + "){1,2})" ); if ( timeSeparator ) { re = re.replace( /:/g, timeSeparator ); } re = re.split( ";" ).map(function( part ) { return gmtFormat.replace( "{0}", part ); }).join( "|" ); return new RegExp( "^" + re ); } function populateProperties( path, value ) { // Skip var skipRe = /(timeZoneNames\/zone|supplemental\/metaZones|timeZoneNames\/metazone|timeZoneNames\/regionFormat|timeZoneNames\/gmtFormat)/; if ( skipRe.test( path ) ) { return; } if ( !value ) { return; } // The `dates` and `calendars` trim's purpose is to reduce properties' key size only. path = path.replace( /^.*\/dates\//, "" ).replace( /calendars\//, "" ); // Specific filter for "gregorian/dayPeriods/format/wide". if ( path === "gregorian/dayPeriods/format/wide" ) { value = objectFilter( value, /^am|^pm/ ); } // Transform object into array of pairs [key, /value/], sort by desc value length. if ( isPlainObject( value ) ) { value = Object.keys( value ).map(function( key ) { return [ key, new RegExp( "^" + regexpEscape( looseMatching( value[ key ] ) ) ) ]; }).sort(function( a, b ) { return b[ 1 ].source.length - a[ 1 ].source.length; }); // If typeof value === "string". } else { value = looseMatching( value ); } properties[ path ] = value; } function regexpSourceSomeTerm( terms ) { return "(" + terms.filter(function( item ) { return item; }).reduce(function( memo, item ) { return memo + "|" + item; }) + ")"; } cldr.on( "get", populateProperties ); pattern.match( datePatternRe ).forEach(function( current ) { var aux, chr, daylightTzName, gmtFormat, length, standardTzName; chr = current.charAt( 0 ); length = current.length; if ( chr === "Z" ) { if ( length < 5 ) { chr = "O"; length = 4; } else { chr = "X"; length = 5; } } // z...zzz: "{shortRegion}", eg. "PST" or "PDT". // zzzz: "{regionName} {Standard Time}" or "{regionName} {Daylight Time}", // e.g., "Pacific Standard Time" or "Pacific Daylight Time". // http://unicode.org/reports/tr35/tr35-dates.html#Date_Format_Patterns if ( chr === "z" ) { standardTzName = dateGetTimeZoneName( length, "standard", timeZone, cldr ); daylightTzName = dateGetTimeZoneName( length, "daylight", timeZone, cldr ); if ( standardTzName ) { standardTzName = regexpEscape( looseMatching( standardTzName ) ); } if ( daylightTzName ) { daylightTzName = regexpEscape( looseMatching( daylightTzName ) ); } if ( standardTzName || daylightTzName ) { properties.standardOrDaylightTzName = new RegExp( "^" + regexpSourceSomeTerm([ standardTzName, daylightTzName ]) ); } // Fall through the "O" format in case one name is missing. if ( !standardTzName || !daylightTzName ) { chr = "O"; if ( length < 4 ) { length = 1; } } } // v...vvv: "{shortRegion}", eg. "PT". // vvvv: "{regionName} {Time}" or "{regionName} {Time}", // e.g., "Pacific Time" // http://unicode.org/reports/tr35/tr35-dates.html#Date_Format_Patterns if ( chr === "v" ) { if ( length !== 1 && length !== 4 ) { throw createErrorUnsupportedFeature({ feature: "timezone pattern `" + pattern + "`" }); } var genericTzName = dateGetTimeZoneName( length, "generic", timeZone, cldr ); if ( genericTzName ) { properties.genericTzName = new RegExp( "^" + regexpEscape( looseMatching( genericTzName ) ) ); chr = "O"; // Fall back to "V" format. } else { chr = "V"; length = 4; } } switch ( chr ) { // Era case "G": cldr.main([ "dates/calendars/gregorian/eras", length <= 3 ? "eraAbbr" : ( length === 4 ? "eraNames" : "eraNarrow" ) ]); break; // Year case "u": // Extended year. Need to be implemented. case "U": // Cyclic year name. Need to be implemented. throw createErrorUnsupportedFeature({ feature: "year pattern `" + chr + "`" }); // Quarter case "Q": case "q": if ( length > 2 ) { cldr.main([ "dates/calendars/gregorian/quarters", chr === "Q" ? "format" : "stand-alone", widths[ length - 3 ] ]); } break; // Month case "M": case "L": // number l=1:{1,2}, l=2:{2}. // lookup l=3... if ( length > 2 ) { cldr.main([ "dates/calendars/gregorian/months", chr === "M" ? "format" : "stand-alone", widths[ length - 3 ] ]); } break; // Day case "g": // Modified Julian day. Need to be implemented. throw createErrorUnsupportedFeature({ feature: "Julian day pattern `g`" }); // Week day case "e": case "c": // lookup for length >=3. if ( length <= 2 ) { break; } /* falls through */ case "E": if ( length === 6 ) { // Note: if short day names are not explicitly specified, abbreviated day // names are used instead http://www.unicode.org/reports/tr35/tr35-dates.html#months_days_quarters_eras cldr.main([ "dates/calendars/gregorian/days", [ chr === "c" ? "stand-alone" : "format" ], "short" ]) || cldr.main([ "dates/calendars/gregorian/days", [ chr === "c" ? "stand-alone" : "format" ], "abbreviated" ]); } else { cldr.main([ "dates/calendars/gregorian/days", [ chr === "c" ? "stand-alone" : "format" ], widths[ length < 3 ? 0 : length - 3 ] ]); } break; // Period (AM or PM) case "a": cldr.main( "dates/calendars/gregorian/dayPeriods/format/wide" ); break; // Zone case "V": if ( length === 1 ) { throw createErrorUnsupportedFeature({ feature: "timezone pattern `" + pattern + "`" }); } if ( timeZone ) { if ( length === 2 ) { // Skip looseMatching processing since timeZone is a canonical posix value. properties.timeZoneName = timeZone; properties.timeZoneNameRe = new RegExp( "^" + regexpEscape( timeZone ) ); break; } var timeZoneName, exemplarCity = cldr.main([ "dates/timeZoneNames/zone", timeZone, "exemplarCity" ]); if ( length === 3 ) { if ( !exemplarCity ) { exemplarCity = cldr.main([ "dates/timeZoneNames/zone/Etc/Unknown/exemplarCity" ]); } timeZoneName = exemplarCity; } if ( exemplarCity && length === 4 ) { timeZoneName = formatMessage( cldr.main( "dates/timeZoneNames/regionFormat" ), [ exemplarCity ] ); } if ( timeZoneName ) { timeZoneName = looseMatching( timeZoneName ); properties.timeZoneName = timeZoneName; properties.timeZoneNameRe = new RegExp( "^" + regexpEscape( timeZoneName ) ); } } if ( current === "v" ) { length = 1; } /* falls through */ case "z": case "O": gmtFormat = cldr.main( "dates/timeZoneNames/gmtFormat" ); cldr.main( "dates/timeZoneNames/gmtZeroFormat" ); cldr.main( "dates/timeZoneNames/hourFormat" ); properties[ "timeZoneNames/gmtZeroFormatRe" ] = new RegExp( "^" + regexpEscape( properties[ "timeZoneNames/gmtZeroFormat" ] ) ); aux = properties[ "timeZoneNames/hourFormat" ]; properties[ "timeZoneNames/hourFormat" ] = ( length < 4 ? [ dateTimezoneHourFormatHm( aux, "H" ), dateTimezoneHourFormatH( aux ) ] : [ dateTimezoneHourFormatHm( aux, "HH" ) ] ).map(function( hourFormat ) { return hourFormatRe( hourFormat, gmtFormat, digitsReSource, timeSeparator ); }); /* falls through */ case "X": case "x": // x: hourFormat("+HH[mm];-HH[mm]") // xx: hourFormat("+HHmm;-HHmm") // xxx: hourFormat("+HH:mm;-HH:mm") // xxxx: hourFormat("+HHmm[ss];-HHmm[ss]") // xxxxx: hourFormat("+HH:mm[:ss];-HH:mm[:ss]") properties.x = [ [ "+HHmm;-HHmm", "+HH;-HH" ], [ "+HHmm;-HHmm" ], [ "+HH:mm;-HH:mm" ], [ "+HHmmss;-HHmmss", "+HHmm;-HHmm" ], [ "+HH:mm:ss;-HH:mm:ss", "+HH:mm;-HH:mm" ] ][ length - 1 ].map(function( hourFormat ) { return hourFormatRe( hourFormat ); }); } }); cldr.off( "get", populateProperties ); return properties; }; /** * dayOfWeek( date, firstDay ) * * @date * * @firstDay the result of `dateFirstDayOfWeek( cldr )` * * Return the day of the week normalized by the territory's firstDay [0-6]. * Eg for "mon": * - return 0 if territory is GB, or BR, or DE, or FR (week starts on "mon"); * - return 1 if territory is US (week starts on "sun"); * - return 2 if territory is EG (week starts on "sat"); */ var dateDayOfWeek = function( date, firstDay ) { return ( date.getDay() - firstDay + 7 ) % 7; }; /** * distanceInDays( from, to ) * * Return the distance in days between from and to Dates. */ var dateDistanceInDays = function( from, to ) { var inDays = 864e5; return ( to.getTime() - from.getTime() ) / inDays; }; /** * dayOfYear * * Return the distance in days of the date to the begin of the year [0-d]. */ var dateDayOfYear = function( date ) { return Math.floor( dateDistanceInDays( dateStartOf( date, "year" ), date ) ); }; // Invert key and values, e.g., {"year": "yY"} ==> {"y": "year", "Y": "year"} var dateFieldsMap = objectInvert({ "era": "G", "year": "yY", "quarter": "qQ", "month": "ML", "week": "wW", "day": "dDF", "weekday": "ecE", "dayperiod": "a", "hour": "hHkK", "minute": "m", "second": "sSA", "zone": "zvVOxX" }, function( object, key, value ) { value.split( "" ).forEach(function( symbol ) { object[ symbol ] = key; }); return object; }); /** * millisecondsInDay */ var dateMillisecondsInDay = function( date ) { // TODO Handle daylight savings discontinuities return date - dateStartOf( date, "day" ); }; /** * hourFormat( date, format, timeSeparator, formatNumber ) * * Return date's timezone offset according to the format passed. * Eg for format when timezone offset is 180: * - "+H;-H": -3 * - "+HHmm;-HHmm": -0300 * - "+HH:mm;-HH:mm": -03:00 * - "+HH:mm:ss;-HH:mm:ss": -03:00:00 */ var dateTimezoneHourFormat = function( date, format, timeSeparator, formatNumber ) { var absOffset, offset = date.getTimezoneOffset(); absOffset = Math.abs( offset ); formatNumber = formatNumber || { 1: function( value ) { return stringPad( value, 1 ); }, 2: function( value ) { return stringPad( value, 2 ); } }; return format // Pick the correct sign side (+ or -). .split( ";" )[ offset > 0 ? 1 : 0 ] // Localize time separator .replace( ":", timeSeparator ) // Update hours offset. .replace( /HH?/, function( match ) { return formatNumber[ match.length ]( Math.floor( absOffset / 60 ) ); }) // Update minutes offset and return. .replace( /mm/, function() { return formatNumber[ 2 ]( Math.floor( absOffset % 60 ) ); }) // Update minutes offset and return. .replace( /ss/, function() { return formatNumber[ 2 ]( Math.floor( absOffset % 1 * 60 ) ); }); }; /** * format( date, properties ) * * @date [Date instance]. * * @properties * * TODO Support other calendar types. * * Disclosure: this function borrows excerpts of dojo/date/locale. */ var dateFormat = function( date, numberFormatters, properties ) { var parts = []; var timeSeparator = properties.timeSeparator; // create globalize date with given timezone data if ( properties.timeZoneData ) { date = new ZonedDateTime( date, properties.timeZoneData() ); } properties.pattern.replace( datePatternRe, function( current ) { var aux, dateField, type, value, chr = current.charAt( 0 ), length = current.length; if ( chr === "j" ) { // Locale preferred hHKk. // http://www.unicode.org/reports/tr35/tr35-dates.html#Time_Data chr = properties.preferredTime; } if ( chr === "Z" ) { // Z..ZZZ: same as "xxxx". if ( length < 4 ) { chr = "x"; length = 4; // ZZZZ: same as "OOOO". } else if ( length < 5 ) { chr = "O"; length = 4; // ZZZZZ: same as "XXXXX" } else { chr = "X"; length = 5; } } // z...zzz: "{shortRegion}", e.g., "PST" or "PDT". // zzzz: "{regionName} {Standard Time}" or "{regionName} {Daylight Time}", // e.g., "Pacific Standard Time" or "Pacific Daylight Time". if ( chr === "z" ) { if ( date.isDST ) { value = date.isDST() ? properties.daylightTzName : properties.standardTzName; } // Fall back to "O" format. if ( !value ) { chr = "O"; if ( length < 4 ) { length = 1; } } } switch ( chr ) { // Era case "G": value = properties.eras[ date.getFullYear() < 0 ? 0 : 1 ]; break; // Year case "y": // Plain year. // The length specifies the padding, but for two letters it also specifies the // maximum length. value = date.getFullYear(); if ( length === 2 ) { value = String( value ); value = +value.substr( value.length - 2 ); } break; case "Y": // Year in "Week of Year" // The length specifies the padding, but for two letters it also specifies the // maximum length. // yearInWeekofYear = date + DaysInAWeek - (dayOfWeek - firstDay) - minDays value = new Date( date.getTime() ); value.setDate( value.getDate() + 7 - dateDayOfWeek( date, properties.firstDay ) - properties.firstDay - properties.minDays ); value = value.getFullYear(); if ( length === 2 ) { value = String( value ); value = +value.substr( value.length - 2 ); } break; // Quarter case "Q": case "q": value = Math.ceil( ( date.getMonth() + 1 ) / 3 ); if ( length > 2 ) { value = properties.quarters[ chr ][ length ][ value ]; } break; // Month case "M": case "L": value = date.getMonth() + 1; if ( length > 2 ) { value = properties.months[ chr ][ length ][ value ]; } break; // Week case "w": // Week of Year. // woy = ceil( ( doy + dow of 1/1 ) / 7 ) - minDaysStuff ? 1 : 0. // TODO should pad on ww? Not documented, but I guess so. value = dateDayOfWeek( dateStartOf( date, "year" ), properties.firstDay ); value = Math.ceil( ( dateDayOfYear( date ) + value ) / 7 ) - ( 7 - value >= properties.minDays ? 0 : 1 ); break; case "W": // Week of Month. // wom = ceil( ( dom + dow of `1/month` ) / 7 ) - minDaysStuff ? 1 : 0. value = dateDayOfWeek( dateStartOf( date, "month" ), properties.firstDay ); value = Math.ceil( ( date.getDate() + value ) / 7 ) - ( 7 - value >= properties.minDays ? 0 : 1 ); break; // Day case "d": value = date.getDate(); break; case "D": value = dateDayOfYear( date ) + 1; break; case "F": // Day of Week in month. eg. 2nd Wed in July. value = Math.floor( date.getDate() / 7 ) + 1; break; // Week day case "e": case "c": if ( length <= 2 ) { // Range is [1-7] (deduced by example provided on documentation) // TODO Should pad with zeros (not specified in the docs)? value = dateDayOfWeek( date, properties.firstDay ) + 1; break; } /* falls through */ case "E": value = dateWeekDays[ date.getDay() ]; value = properties.days[ chr ][ length ][ value ]; break; // Period (AM or PM) case "a": value = properties.dayPeriods[ date.getHours() < 12 ? "am" : "pm" ]; break; // Hour case "h": // 1-12 value = ( date.getHours() % 12 ) || 12; break; case "H": // 0-23 value = date.getHours(); break; case "K": // 0-11 value = date.getHours() % 12; break; case "k": // 1-24 value = date.getHours() || 24; break; // Minute case "m": value = date.getMinutes(); break; // Second case "s": value = date.getSeconds(); break; case "S": value = Math.round( date.getMilliseconds() * Math.pow( 10, length - 3 ) ); break; case "A": value = Math.round( dateMillisecondsInDay( date ) * Math.pow( 10, length - 3 ) ); break; // Zone case "z": break; case "v": // v...vvv: "{shortRegion}", eg. "PT". // vvvv: "{regionName} {Time}", // e.g., "Pacific Time". if ( properties.genericTzName ) { value = properties.genericTzName; break; } /* falls through */ case "V": //VVVV: "{explarCity} {Time}", e.g., "Los Angeles Time" if ( properties.timeZoneName ) { value = properties.timeZoneName; break; } if ( current === "v" ) { length = 1; } /* falls through */ case "O": // O: "{gmtFormat}+H;{gmtFormat}-H" or "{gmtZeroFormat}", eg. "GMT-8" or "GMT". // OOOO: "{gmtFormat}{hourFormat}" or "{gmtZeroFormat}", eg. "GMT-08:00" or "GMT". if ( date.getTimezoneOffset() === 0 ) { value = properties.gmtZeroFormat; } else { // If O..OOO and timezone offset has non-zero minutes, show minutes. if ( length < 4 ) { aux = date.getTimezoneOffset(); aux = properties.hourFormat[ aux % 60 - aux % 1 === 0 ? 0 : 1 ]; } else { aux = properties.hourFormat; } value = dateTimezoneHourFormat( date, aux, timeSeparator, numberFormatters ); value = properties.gmtFormat.replace( /\{0\}/, value ); } break; case "X": // Same as x*, except it uses "Z" for zero offset. if ( date.getTimezoneOffset() === 0 ) { value = "Z"; break; } /* falls through */ case "x": // x: hourFormat("+HH[mm];-HH[mm]") // xx: hourFormat("+HHmm;-HHmm") // xxx: hourFormat("+HH:mm;-HH:mm") // xxxx: hourFormat("+HHmm[ss];-HHmm[ss]") // xxxxx: hourFormat("+HH:mm[:ss];-HH:mm[:ss]") aux = date.getTimezoneOffset(); // If x and timezone offset has non-zero minutes, use xx (i.e., show minutes). if ( length === 1 && aux % 60 - aux % 1 !== 0 ) { length += 1; } // If (xxxx or xxxxx) and timezone offset has zero seconds, use xx or xxx // respectively (i.e., don't show optional seconds). if ( ( length === 4 || length === 5 ) && aux % 1 === 0 ) { length -= 2; } value = [ "+HH;-HH", "+HHmm;-HHmm", "+HH:mm;-HH:mm", "+HHmmss;-HHmmss", "+HH:mm:ss;-HH:mm:ss" ][ length - 1 ]; value = dateTimezoneHourFormat( date, value, ":" ); break; // timeSeparator case ":": value = timeSeparator; break; // ' literals. case "'": value = removeLiteralQuotes( current ); break; // Anything else is considered a literal, including [ ,:/.@#], chinese, japonese, and // arabic characters. default: value = current; } if ( typeof value === "number" ) { value = numberFormatters[ length ]( value ); } dateField = dateFieldsMap[ chr ]; type = dateField ? dateField : "literal"; // Concat two consecutive literals if ( type === "literal" && parts.length && parts[ parts.length - 1 ].type === "literal" ) { parts[ parts.length - 1 ].value += value; return; } parts.push( { type: type, value: value } ); }); return parts; }; var dateToPartsFormatterFn = function( numberFormatters, properties ) { return function dateToPartsFormatter( value ) { validateParameterPresence( value, "value" ); validateParameterTypeDate( value, "value" ); return dateFormat( value, numberFormatters, properties ); }; }; function optionsHasStyle( options ) { return options.skeleton !== undefined || options.date !== undefined || options.time !== undefined || options.datetime !== undefined || options.raw !== undefined; } function validateRequiredCldr( path, value ) { validateCldr( path, value, { skip: [ /dates\/calendars\/gregorian\/dateTimeFormats\/availableFormats/, /dates\/calendars\/gregorian\/days\/.*\/short/, /dates\/timeZoneNames\/zone/, /dates\/timeZoneNames\/metazone/, /globalize-iana/, /supplemental\/metaZones/, /supplemental\/timeData\/(?!001)/, /supplemental\/weekData\/(?!001)/ ] }); } function validateOptionsPreset( options ) { validateOptionsPresetEach( "date", options ); validateOptionsPresetEach( "time", options ); validateOptionsPresetEach( "datetime", options ); } function validateOptionsPresetEach( type, options ) { var value = options[ type ]; validate( "E_INVALID_OPTIONS", "Invalid `{{type}: \"{value}\"}`.", value === undefined || [ "short", "medium", "long", "full" ].indexOf( value ) !== -1, { type: type, value: value } ); } function validateOptionsSkeleton( pattern, skeleton ) { validate( "E_INVALID_OPTIONS", "Invalid `{skeleton: \"{value}\"}` based on provided CLDR.", skeleton === undefined || ( typeof pattern === "string" && pattern ), { type: "skeleton", value: skeleton } ); } function validateRequiredIana( timeZone ) { return function( path, value ) { if ( !/globalize-iana/.test( path ) ) { return; } validate( "E_MISSING_IANA_TZ", "Missing required IANA timezone content for `{timeZone}`: `{path}`.", value, { path: path.replace( /globalize-iana\//, "" ), timeZone: timeZone } ); }; } /** * .loadTimeZone( json ) * * @json [JSON] * * Load IANA timezone data. */ Globalize.loadTimeZone = function( json ) { var customData = { "globalize-iana": json }; validateParameterPresence( json, "json" ); validateParameterTypePlainObject( json, "json" ); Cldr.load( customData ); }; /** * .dateFormatter( options ) * * @options [Object] see date/expand_pattern for more info. * * Return a date formatter function (of the form below) according to the given options and the * default/instance locale. * * fn( value ) * * @value [Date] * * Return a function that formats a date according to the given `format` and the default/instance * locale. */ Globalize.dateFormatter = Globalize.prototype.dateFormatter = function( options ) { var args, dateToPartsFormatter, returnFn; validateParameterTypePlainObject( options, "options" ); options = options || {}; if ( !optionsHasStyle( options ) ) { options.skeleton = "yMd"; } args = [ options ]; dateToPartsFormatter = this.dateToPartsFormatter( options ); returnFn = dateFormatterFn( dateToPartsFormatter ); runtimeBind( args, this.cldr, returnFn, [ dateToPartsFormatter ] ); return returnFn; }; /** * .dateToPartsFormatter( options ) * * @options [Object] see date/expand_pattern for more info. * * Return a date formatter function (of the form below) according to the given options and the * default/instance locale. * * fn( value ) * * @value [Date] * * Return a function that formats a date to parts according to the given `format` * and the default/instance * locale. */ Globalize.dateToPartsFormatter = Globalize.prototype.dateToPartsFormatter = function( options ) { var args, cldr, numberFormatters, pad, pattern, properties, returnFn, timeZone; validateParameterTypePlainObject( options, "options" ); cldr = this.cldr; options = options || {}; if ( !optionsHasStyle( options ) ) { options.skeleton = "yMd"; } validateOptionsPreset( options ); validateDefaultLocale( cldr ); timeZone = options.timeZone; validateParameterTypeString( timeZone, "options.timeZone" ); args = [ options ]; cldr.on( "get", validateRequiredCldr ); if ( timeZone ) { cldr.on( "get", validateRequiredIana( timeZone ) ); } pattern = dateExpandPattern( options, cldr ); validateOptionsSkeleton( pattern, options.skeleton ); properties = dateFormatProperties( pattern, cldr, timeZone ); cldr.off( "get", validateRequiredCldr ); if ( timeZone ) { cldr.off( "get", validateRequiredIana( timeZone ) ); } // Create needed number formatters. numberFormatters = properties.numberFormatters; delete properties.numberFormatters; for ( pad in numberFormatters ) { numberFormatters[ pad ] = this.numberFormatter({ raw: numberFormatters[ pad ] }); } returnFn = dateToPartsFormatterFn( numberFormatters, properties ); runtimeBind( args, cldr, returnFn, [ numberFormatters, properties ] ); return returnFn; }; /** * .dateParser( options ) * * @options [Object] see date/expand_pattern for more info. * * Return a function that parses a string date according to the given `formats` and the * default/instance locale. */ Globalize.dateParser = Globalize.prototype.dateParser = function( options ) { var args, cldr, numberParser, parseProperties, pattern, returnFn, timeZone, tokenizerProperties; validateParameterTypePlainObject( options, "options" ); cldr = this.cldr; options = options || {}; if ( !optionsHasStyle( options ) ) { options.skeleton = "yMd"; } validateOptionsPreset( options ); validateDefaultLocale( cldr ); timeZone = options.timeZone; validateParameterTypeString( timeZone, "options.timeZone" ); args = [ options ]; cldr.on( "get", validateRequiredCldr ); if ( timeZone ) { cldr.on( "get", validateRequiredIana( timeZone ) ); } pattern = dateExpandPattern( options, cldr ); validateOptionsSkeleton( pattern, options.skeleton ); tokenizerProperties = dateTokenizerProperties( pattern, cldr, timeZone ); parseProperties = dateParseProperties( cldr, timeZone ); cldr.off( "get", validateRequiredCldr ); if ( timeZone ) { cldr.off( "get", validateRequiredIana( timeZone ) ); } numberParser = this.numberParser({ raw: "0" }); returnFn = dateParserFn( numberParser, parseProperties, tokenizerProperties ); runtimeBind( args, cldr, returnFn, [ numberParser, parseProperties, tokenizerProperties ] ); return returnFn; }; /** * .formatDate( value, options ) * * @value [Date] * * @options [Object] see date/expand_pattern for more info. * * Formats a date or number according to the given options string and the default/instance locale. */ Globalize.formatDate = Globalize.prototype.formatDate = function( value, options ) { validateParameterPresence( value, "value" ); validateParameterTypeDate( value, "value" ); return this.dateFormatter( options )( value ); }; /** * .formatDateToParts( value, options ) * * @value [Date] * * @options [Object] see date/expand_pattern for more info. * * Formats a date or number to parts according to the given options and the default/instance locale. */ Globalize.formatDateToParts = Globalize.prototype.formatDateToParts = function( value, options ) { validateParameterPresence( value, "value" ); validateParameterTypeDate( value, "value" ); return this.dateToPartsFormatter( options )( value ); }; /** * .parseDate( value, options ) * * @value [String] * * @options [Object] see date/expand_pattern for more info. * * Return a Date instance or null. */ Globalize.parseDate = Globalize.prototype.parseDate = function( value, options ) { validateParameterPresence( value, "value" ); validateParameterTypeString( value, "value" ); return this.dateParser( options )( value ); }; return Globalize; })); /*! * Globalize v1.3.0 * * http://github.com/jquery/globalize * * Copyright jQuery Foundation and other contributors * Released under the MIT license * http://jquery.org/license * * Date: 2017-07-03T21:37Z */ (function( root, factory ) { // UMD returnExports if ( typeof define === "function" && define.amd ) { // AMD define([ "cldr", "../globalize", "./number", "cldr/event", "cldr/supplemental" ], factory ); } else if ( typeof exports === "object" ) { // Node, CommonJS module.exports = factory( require( "cldrjs" ), require( "../globalize" ) ); } else { // Global factory( root.Cldr, root.Globalize ); } }(this, function( Cldr, Globalize ) { var alwaysArray = Globalize._alwaysArray, formatMessage = Globalize._formatMessage, numberNumberingSystem = Globalize._numberNumberingSystem, numberPattern = Globalize._numberPattern, runtimeBind = Globalize._runtimeBind, stringPad = Globalize._stringPad, validateCldr = Globalize._validateCldr, validateDefaultLocale = Globalize._validateDefaultLocale, validateParameterPresence = Globalize._validateParameterPresence, validateParameterType = Globalize._validateParameterType, validateParameterTypeNumber = Globalize._validateParameterTypeNumber, validateParameterTypePlainObject = Globalize._validateParameterTypePlainObject; var validateParameterTypeCurrency = function( value, name ) { validateParameterType( value, name, value === undefined || typeof value === "string" && ( /^[A-Za-z]{3}$/ ).test( value ), "3-letter currency code string as defined by ISO 4217" ); }; /** * supplementalOverride( currency, pattern, cldr ) * * Return pattern with fraction digits overriden by supplemental currency data. */ var currencySupplementalOverride = function( currency, pattern, cldr ) { var digits, fraction = "", fractionData = cldr.supplemental([ "currencyData/fractions", currency ]) || cldr.supplemental( "currencyData/fractions/DEFAULT" ); digits = +fractionData._digits; if ( digits ) { fraction = "." + stringPad( "0", digits ).slice( 0, -1 ) + fractionData._rounding; } return pattern.replace( /\.(#+|0*[0-9]|0+[0-9]?)/g, fraction ); }; var objectFilter = function( object, testRe ) { var key, copy = {}; for ( key in object ) { if ( testRe.test( key ) ) { copy[ key ] = object[ key ]; } } return copy; }; var currencyUnitPatterns = function( cldr ) { return objectFilter( cldr.main([ "numbers", "currencyFormats-numberSystem-" + numberNumberingSystem( cldr ) ]), /^unitPattern/ ); }; /** * codeProperties( currency, cldr ) * * Return number pattern with the appropriate currency code in as literal. */ var currencyCodeProperties = function( currency, cldr ) { var pattern = numberPattern( "decimal", cldr ); // The number of decimal places and the rounding for each currency is not locale-specific. Those // values overridden by Supplemental Currency Data. pattern = currencySupplementalOverride( currency, pattern, cldr ); return { currency: currency, pattern: pattern, unitPatterns: currencyUnitPatterns( cldr ) }; }; /** * nameFormat( formattedNumber, pluralForm, properties ) * * Return the appropriate name form currency format. */ var currencyNameFormat = function( formattedNumber, pluralForm, properties ) { var displayName, unitPattern, displayNames = properties.displayNames || {}, unitPatterns = properties.unitPatterns; displayName = displayNames[ "displayName-count-" + pluralForm ] || displayNames[ "displayName-count-other" ] || displayNames.displayName || properties.currency; unitPattern = unitPatterns[ "unitPattern-count-" + pluralForm ] || unitPatterns[ "unitPattern-count-other" ]; return formatMessage( unitPattern, [ formattedNumber, displayName ]); }; var currencyFormatterFn = function( numberFormatter, pluralGenerator, properties ) { var fn; // Return formatter when style is "code" or "name". if ( pluralGenerator && properties ) { fn = function currencyFormatter( value ) { validateParameterPresence( value, "value" ); validateParameterTypeNumber( value, "value" ); return currencyNameFormat( numberFormatter( value ), pluralGenerator( value ), properties ); }; // Return formatter when style is "symbol" or "accounting". } else { fn = function currencyFormatter( value ) { return numberFormatter( value ); }; } return fn; }; /** * nameProperties( currency, cldr ) * * Return number pattern with the appropriate currency code in as literal. */ var currencyNameProperties = function( currency, cldr ) { var properties = currencyCodeProperties( currency, cldr ); properties.displayNames = objectFilter( cldr.main([ "numbers/currencies", currency ]), /^displayName/ ); return properties; }; /** * Unicode regular expression for: everything except math symbols, currency signs, dingbats, and * box-drawing characters. * * Generated by: * * regenerate() * .addRange( 0x0, 0x10FFFF ) * .remove( require( "unicode-7.0.0/categories/S/symbols" ) ).toString(); * * https://github.com/mathiasbynens/regenerate * https://github.com/mathiasbynens/unicode-7.0.0 */ var regexpNotS = /[\0-#%-\*,-;\?-\]_a-\{\}\x7F-\xA1\xA7\xAA\xAB\xAD\xB2\xB3\xB5-\xB7\xB9-\xD6\xD8-\xF6\xF8-\u02C1\u02C6-\u02D1\u02E0-\u02E4\u02EC\u02EE\u0300-\u0374\u0376-\u0383\u0386-\u03F5\u03F7-\u0481\u0483-\u058C\u0590-\u0605\u0609\u060A\u060C\u060D\u0610-\u06DD\u06DF-\u06E8\u06EA-\u06FC\u06FF-\u07F5\u07F7-\u09F1\u09F4-\u09F9\u09FC-\u0AF0\u0AF2-\u0B6F\u0B71-\u0BF2\u0BFB-\u0C7E\u0C80-\u0D78\u0D7A-\u0E3E\u0E40-\u0F00\u0F04-\u0F12\u0F14\u0F18\u0F19\u0F20-\u0F33\u0F35\u0F37\u0F39-\u0FBD\u0FC6\u0FCD\u0FD0-\u0FD4\u0FD9-\u109D\u10A0-\u138F\u139A-\u17DA\u17DC-\u193F\u1941-\u19DD\u1A00-\u1B60\u1B6B-\u1B73\u1B7D-\u1FBC\u1FBE\u1FC2-\u1FCC\u1FD0-\u1FDC\u1FE0-\u1FEC\u1FF0-\u1FFC\u1FFF-\u2043\u2045-\u2051\u2053-\u2079\u207D-\u2089\u208D-\u209F\u20BE-\u20FF\u2102\u2107\u210A-\u2113\u2115\u2119-\u211D\u2124\u2126\u2128\u212A-\u212D\u212F-\u2139\u213C-\u213F\u2145-\u2149\u214E\u2150-\u218F\u2308-\u230B\u2329\u232A\u23FB-\u23FF\u2427-\u243F\u244B-\u249B\u24EA-\u24FF\u2768-\u2793\u27C5\u27C6\u27E6-\u27EF\u2983-\u2998\u29D8-\u29DB\u29FC\u29FD\u2B74\u2B75\u2B96\u2B97\u2BBA-\u2BBC\u2BC9\u2BD2-\u2CE4\u2CEB-\u2E7F\u2E9A\u2EF4-\u2EFF\u2FD6-\u2FEF\u2FFC-\u3003\u3005-\u3011\u3014-\u301F\u3021-\u3035\u3038-\u303D\u3040-\u309A\u309D-\u318F\u3192-\u3195\u31A0-\u31BF\u31E4-\u31FF\u321F-\u3229\u3248-\u324F\u3251-\u325F\u3280-\u3289\u32B1-\u32BF\u32FF\u3400-\u4DBF\u4E00-\uA48F\uA4C7-\uA6FF\uA717-\uA71F\uA722-\uA788\uA78B-\uA827\uA82C-\uA835\uA83A-\uAA76\uAA7A-\uAB5A\uAB5C-\uD7FF\uDC00-\uFB28\uFB2A-\uFBB1\uFBC2-\uFDFB\uFDFE-\uFE61\uFE63\uFE67\uFE68\uFE6A-\uFF03\uFF05-\uFF0A\uFF0C-\uFF1B\uFF1F-\uFF3D\uFF3F\uFF41-\uFF5B\uFF5D\uFF5F-\uFFDF\uFFE7\uFFEF-\uFFFB\uFFFE\uFFFF]|\uD800[\uDC00-\uDD36\uDD40-\uDD78\uDD8A\uDD8B\uDD8D-\uDD8F\uDD9C-\uDD9F\uDDA1-\uDDCF\uDDFD-\uDFFF]|[\uD801\uD803-\uD819\uD81B-\uD82E\uD830-\uD833\uD836-\uD83A\uD83F-\uDBFF][\uDC00-\uDFFF]|\uD802[\uDC00-\uDC76\uDC79-\uDEC7\uDEC9-\uDFFF]|\uD81A[\uDC00-\uDF3B\uDF40-\uDF44\uDF46-\uDFFF]|\uD82F[\uDC00-\uDC9B\uDC9D-\uDFFF]|\uD834[\uDCF6-\uDCFF\uDD27\uDD28\uDD65-\uDD69\uDD6D-\uDD82\uDD85-\uDD8B\uDDAA-\uDDAD\uDDDE-\uDDFF\uDE42-\uDE44\uDE46-\uDEFF\uDF57-\uDFFF]|\uD835[\uDC00-\uDEC0\uDEC2-\uDEDA\uDEDC-\uDEFA\uDEFC-\uDF14\uDF16-\uDF34\uDF36-\uDF4E\uDF50-\uDF6E\uDF70-\uDF88\uDF8A-\uDFA8\uDFAA-\uDFC2\uDFC4-\uDFFF]|\uD83B[\uDC00-\uDEEF\uDEF2-\uDFFF]|\uD83C[\uDC2C-\uDC2F\uDC94-\uDC9F\uDCAF\uDCB0\uDCC0\uDCD0\uDCF6-\uDD0F\uDD2F\uDD6C-\uDD6F\uDD9B-\uDDE5\uDE03-\uDE0F\uDE3B-\uDE3F\uDE49-\uDE4F\uDE52-\uDEFF\uDF2D-\uDF2F\uDF7E\uDF7F\uDFCF-\uDFD3\uDFF8-\uDFFF]|\uD83D[\uDCFF\uDD4B-\uDD4F\uDD7A\uDDA4\uDE43\uDE44\uDED0-\uDEDF\uDEED-\uDEEF\uDEF4-\uDEFF\uDF74-\uDF7F\uDFD5-\uDFFF]|\uD83E[\uDC0C-\uDC0F\uDC48-\uDC4F\uDC5A-\uDC5F\uDC88-\uDC8F\uDCAE-\uDFFF]|[\uD800-\uDBFF]/; /** * symbolProperties( currency, cldr ) * * Return pattern replacing `¤` with the appropriate currency symbol literal. */ var currencySymbolProperties = function( currency, cldr, options ) { var currencySpacing, pattern, regexp = { "[:digit:]": /\d/, "[:^S:]": regexpNotS }, symbol = cldr.main([ "numbers/currencies", currency, "symbol" ]); currencySpacing = [ "beforeCurrency", "afterCurrency" ].map(function( position ) { return cldr.main([ "numbers", "currencyFormats-numberSystem-" + numberNumberingSystem( cldr ), "currencySpacing", position ]); }); pattern = cldr.main([ "numbers", "currencyFormats-numberSystem-" + numberNumberingSystem( cldr ), options.style === "accounting" ? "accounting" : "standard" ]); pattern = // The number of decimal places and the rounding for each currency is not locale-specific. // Those values are overridden by Supplemental Currency Data. currencySupplementalOverride( currency, pattern, cldr ) // Replace "¤" (\u00A4) with the appropriate symbol literal. .split( ";" ).map(function( pattern ) { return pattern.split( "\u00A4" ).map(function( part, i ) { var currencyMatch = regexp[ currencySpacing[ i ].currencyMatch ], surroundingMatch = regexp[ currencySpacing[ i ].surroundingMatch ], insertBetween = ""; // For currencyMatch and surroundingMatch definitions, read [1]. // When i === 0, beforeCurrency is being handled. Otherwise, afterCurrency. // 1: http://www.unicode.org/reports/tr35/tr35-numbers.html#Currencies currencyMatch = currencyMatch.test( symbol.charAt( i ? symbol.length - 1 : 0 ) ); surroundingMatch = surroundingMatch.test( part.charAt( i ? 0 : part.length - 1 ).replace( /[#@,.]/g, "0" ) ); if ( currencyMatch && part && surroundingMatch ) { insertBetween = currencySpacing[ i ].insertBetween; } return ( i ? insertBetween : "" ) + part + ( i ? "" : insertBetween ); }).join( "'" + symbol + "'" ); }).join( ";" ); return { pattern: pattern }; }; /** * objectOmit( object, keys ) * * Return a copy of the object, filtered to omit the blacklisted key or array of keys. */ var objectOmit = function( object, keys ) { var key, copy = {}; keys = alwaysArray( keys ); for ( key in object ) { if ( keys.indexOf( key ) === -1 ) { copy[ key ] = object[ key ]; } } return copy; }; function validateRequiredCldr( path, value ) { validateCldr( path, value, { skip: [ /supplemental\/currencyData\/fractions\/[A-Za-z]{3}$/ ] }); } /** * .currencyFormatter( currency [, options] ) * * @currency [String] 3-letter currency code as defined by ISO 4217. * * @options [Object]: * - style: [String] "symbol" (default), "accounting", "code" or "name". * - see also number/format options. * * Return a function that formats a currency according to the given options and default/instance * locale. */ Globalize.currencyFormatter = Globalize.prototype.currencyFormatter = function( currency, options ) { var args, cldr, numberFormatter, pluralGenerator, properties, returnFn, style; validateParameterPresence( currency, "currency" ); validateParameterTypeCurrency( currency, "currency" ); validateParameterTypePlainObject( options, "options" ); cldr = this.cldr; options = options || {}; args = [ currency, options ]; style = options.style || "symbol"; validateDefaultLocale( cldr ); // Get properties given style ("symbol" default, "code" or "name"). cldr.on( "get", validateRequiredCldr ); properties = ({ accounting: currencySymbolProperties, code: currencyCodeProperties, name: currencyNameProperties, symbol: currencySymbolProperties }[ style ] )( currency, cldr, options ); cldr.off( "get", validateRequiredCldr ); // options = options minus style, plus raw pattern. options = objectOmit( options, "style" ); options.raw = properties.pattern; // Return formatter when style is "symbol" or "accounting". if ( style === "symbol" || style === "accounting" ) { numberFormatter = this.numberFormatter( options ); returnFn = currencyFormatterFn( numberFormatter ); runtimeBind( args, cldr, returnFn, [ numberFormatter ] ); // Return formatter when style is "code" or "name". } else { numberFormatter = this.numberFormatter( options ); pluralGenerator = this.pluralGenerator(); returnFn = currencyFormatterFn( numberFormatter, pluralGenerator, properties ); runtimeBind( args, cldr, returnFn, [ numberFormatter, pluralGenerator, properties ] ); } return returnFn; }; /** * .currencyParser( currency [, options] ) * * @currency [String] 3-letter currency code as defined by ISO 4217. * * @options [Object] see currencyFormatter. * * Return the currency parser according to the given options and the default/instance locale. */ Globalize.currencyParser = Globalize.prototype.currencyParser = function( /* currency, options */ ) { // TODO implement parser. }; /** * .formatCurrency( value, currency [, options] ) * * @value [Number] number to be formatted. * * @currency [String] 3-letter currency code as defined by ISO 4217. * * @options [Object] see currencyFormatter. * * Format a currency according to the given options and the default/instance locale. */ Globalize.formatCurrency = Globalize.prototype.formatCurrency = function( value, currency, options ) { validateParameterPresence( value, "value" ); validateParameterTypeNumber( value, "value" ); return this.currencyFormatter( currency, options )( value ); }; /** * .parseCurrency( value, currency [, options] ) * * @value [String] * * @currency [String] 3-letter currency code as defined by ISO 4217. * * @options [Object]: See currencyFormatter. * * Return the parsed currency or NaN when value is invalid. */ Globalize.parseCurrency = Globalize.prototype.parseCurrency = function( /* value, currency, options */ ) { }; return Globalize; })); (function () { 'use strict'; var haas = window.haas || {}; haas.cookies = { _cookies: Cookies.noConflict(), getCookie: function(name) { return this._cookies.get(name); }, setCookie: function (name, value, expires) { this._cookies.set(name, value, { expires: expires || 7 }); }, removeCookie: function (name) { this._cookies.remove(name, {}); } }; })(); /* global haas, _, LZString */ (function () { 'use strict'; var ONE_HOUR = 1000 * 60 * 60; haas.utils.PersistedCache = PersistedCache; var logger = haas.LOGGER; function PersistedCache (ns, ttl, skipEncoding) { this.ttl = ttl || ONE_HOUR; this.skipEncoding = skipEncoding == null ? false : skipEncoding; this.ns = ns; this.store = new Storage(LocalStorageAdapter).getStore(); this.fallback = null; this.get = function (key) { key = key ? this.ns + ':' + key : this.ns; var isAlive = this.store.isAlive(key); if (!isAlive) { if (!this.fallback) return; return this.fallback(); } var item = this.store.get(key); return this.skipEncoding ? item : JSON.parse(item); }; this.set = function (value, key) { key = key ? this.ns + ':' + key : this.ns; value = this.skipEncoding ? value : JSON.stringify(value); this.store.set(key, value, this.ttl); return this; }; this.remove = function (key) { key = key ? this.ns + ':' + key : this.ns; this.store.remove(key); return this; }; this.failingWith = function (func) { this.fallback = func; return this; }; } function Storage (Adapter) { this.Adapter = Adapter; this.store = new this.Adapter(); this.getStore = function () { return this.store; }; } var instanceCount = 0; function LocalStorageAdapter () { this._id = instanceCount++; this.get = function (key) { if (!this.isAlive(key)) { logger.debug('Cache expired for', key); return; } var item = localStorage.getItem(key); if (item) { logger.debug('Cache hit for', key); } else { logger.debug('Cache miss for', key); } item = LZString.decompressFromUTF16(item); return item; }; this.set = function (key, value, ttl) { ttl = ttl || LocalStorageAdapter.DEFAULT_TTL; LocalStorageAdapter.setTTL(key, ttl); logger.debug('Caching', key, 'for', ttl, 'milliseconds'); value = LZString.compressToUTF16(value); return localStorage.setItem(key, value); }; this.remove = function (key) { this.invalidate(key); logger.debug('Removed', key, 'from cache'); return localStorage.removeItem(key); }; this.isAlive = function (key) { var ttl = LocalStorageAdapter.getTTL(key); var isAlive = Date.now() < ttl; if (!isAlive) { this.invalidate(key); } return isAlive; }; this.invalidate = function (key) { var ttlReg = LocalStorageAdapter.getTTLRegistry(); delete ttlReg[key]; logger.debug('Invalidated', key, 'from cache'); return LocalStorageAdapter.setTTLRegistry(ttlReg); }; } LocalStorageAdapter.DEFAULT_TTL = ONE_HOUR; LocalStorageAdapter.__TTL_REGISTRY_KEY__ = '__TTL_REGISTRY__'; LocalStorageAdapter.__APP_VERSION_KEY__ = '__APP_VERSION__'; LocalStorageAdapter.getAppVersion = function () { return localStorage.getItem(LocalStorageAdapter.__APP_VERSION_KEY__); }; LocalStorageAdapter.clean = function () { var cacheVersion = LocalStorageAdapter.getAppVersion(); if (cacheVersion === haas.VERSION) { logger.debug('Cache is up to date. Version:', cacheVersion); return; } var ttlReg = LocalStorageAdapter.getTTLRegistry(); logger.debug('Cache version (' + cacheVersion + ') does not match app version (' + haas.VERSION + '). Cleaning ' + Object.keys(ttlReg).length + ' items.'); _.forEach(ttlReg, function (ttl, key) { localStorage.removeItem(key); logger.debug('Cleaned ' + key); }); localStorage.setItem(LocalStorageAdapter.__TTL_REGISTRY_KEY__, '{}'); localStorage.setItem(LocalStorageAdapter.__APP_VERSION_KEY__, haas.VERSION); }; LocalStorageAdapter.setTTL = function (key, ttl) { var ttlReg = this.getTTLRegistry(); ttlReg[key] = Date.now() + ttl; return this.setTTLRegistry(ttlReg); }; LocalStorageAdapter.getTTL = function (key) { var ttlReg = this.getTTLRegistry(); return +ttlReg[key] || 0; }; LocalStorageAdapter.getTTLRegistry = function () { var ttlReg = localStorage.getItem(LocalStorageAdapter.__TTL_REGISTRY_KEY__); if (!ttlReg) { ttlReg = {}; localStorage.setItem(LocalStorageAdapter.__TTL_REGISTRY_KEY__, '{}'); return ttlReg; } ttlReg = JSON.parse(ttlReg); return ttlReg; }; LocalStorageAdapter.setTTLRegistry = function (ttlReg) { localStorage.setItem(LocalStorageAdapter.__TTL_REGISTRY_KEY__, JSON.stringify(ttlReg)); return this; }; LocalStorageAdapter.clean(); })(); (function () { 'use strict'; /* var getEcommerceEndpoint = function () { // TODO: Update once implemented beyond aemdev if (location.hostname === 'www.haascnc.com') { return ''; } if (location.hostname === 'aemqas.haascnc.com') { return ''; } return 'https://ecommpartsdev.haascnc.com/haascommercewebservices/v2/ecommparts/' }; */ var haasConstants = { tokens: { TEMPLATE_TAG: 'template', TEMPLATE_ID: 'id', COMPONENT: 'component', REF: 'ref', MODEL: 'model', DATA_COMPONENT: '[data-component]', DATA_REF: '[data-ref]', DATA_MODEL: '[data-model]' }, api: { dealerInfo: '/bin/haascnc/dealer.json', modelList: '/bin/haascnc/model/list.lang={{=language}}.json', modelDetail: '/bin/haascnc/model/detail.lang={{=language}}.model={{=model}}.json', modelDetailWithSpecs: '/bin/haascnc/model/detail.lang={{=language}}.model={{=model}}.specs={{=specs}}.json', optionPackages: '/bin/haascnc/package/list.lang={{=language}}.json', createPackage: '/bin/haascnc/createPackage', createQuote: '/bin/haascnc/createQuote', updateQuote: '/bin/haascnc/updateQuote', getQuoteDetails: '/bin/haascnc/getQuoteDetails', getAllQuotes: '/bin/haascnc/getAllQuotes', getComparableQuotes: '/bin/haascnc/getComparableQuotes', getSerialNumberConfig: '/bin/haascnc/getSerialNumberConfig', getSerialNumberOptions: '/bin/haascnc/getSerialNumberOptions', rules: '/bin/haascnc/rule/list.json', promotions: '/bin/haascnc/promotion/list.json', searchTag: '/bin/haascnc/search/tag/test.json', alarmList: '/bin/haascnc/alarm/list.json', alarm: '/bin/haascnc/alarm/list.{{=alarmcode}}.json', search: '/bin/haascnc/search.json', countryRegionList: '/bin/haascnc/countryregion/list.json', jwToken: '/bin/haascnc/fleet/auth', fleetRegister: '/bin/haascnc/fleet/register', fleetLogin: '/bin/haascnc/fleet/login', dealerFinancing: '/bin/haascnc/dealer/financing.hfo={{=hfo}}.json', dealerFinancingAll: '/bin/haascnc/dealer/financing.json', ecommerce: '/haascommercewebservices/v2/ecommparts/', eatcookies: (lang) => '/ecommpartsstorefront/ecommparts/'+lang+'/eatcookies', eatUTMCookie: (lang) => '/ecommpartsstorefront/ecommparts/'+lang+'/eatUTMCookie', hybrisLogout: (lang) => '/ecommpartsstorefront/ecommparts/'+lang+'/logout', setEcommCurrency: (lang, currency) => '/ecommpartsstorefront/ecommparts/'+lang+'/_s/session/currency?code='+currency+'&aem=true', oneTrustCollectionPoint: 'https://privacyportaluat.onetrust.com/request/v1/consentreceipts', servicePartsSerialSearch: (pl, sn) => '/bin/haascnc/serialsearch?pricelist='+pl+'&serial='+sn, modelYearSearch: (type, year) => '/bin/haascnc/modelyearsearch?type='+type+'&year='+year, machineInfoSearch: (pl, year, model) => '/bin/haascnc/materialsearch?pricelist='+pl+'&year='+year+'&model='+model, secondaryPLP: (category) => '/bin/haascnc/secondaryplp?category='+category, toolingBNP: '/bin/haascnc/toolingbnp', getPackageWithURL: (path) => '/bin/haascnc/getPackage.json?package_url='+path }, contactUsCollectionPointToken: 'eyJhbGciOiJSUzUxMiJ9.eyJvdEp3dFZlcnNpb24iOjEsInByb2Nlc3NJZCI6IjFhNGZlZDJlLWI0Y2QtNDFkOS05NjAzLTA3MTYzMjMzZGMwNSIsInByb2Nlc3NWZXJzaW9uIjoxLCJpYXQiOiIyMDIxLTEwLTA4VDIwOjQ0OjEyLjI1IiwibW9jIjoiQVBJIiwic3ViIjoiRW1haWwiLCJpc3MiOm51bGwsInRlbmFudElkIjoiMTk0M2ZjZGMtMDdiMS00Y2JkLWExMjctMjk1YmZjN2JmNDAzIiwiZGVzY3JpcHRpb24iOiJOZXdzbGV0dGVyIHNpZ251cCBmb3IgbWFya2V0aW5nIGVtYWlscyIsImNvbnNlbnRUeXBlIjoiQ09ORElUSU9OQUxUUklHR0VSIiwiZG91YmxlT3B0SW4iOmZhbHNlLCJyZWNvbmZpcm1BY3RpdmVQdXJwb3NlIjpmYWxzZSwiZHluYW1pY0NvbGxlY3Rpb25Qb2ludCI6ZmFsc2UsImF1dGhlbnRpY2F0aW9uUmVxdWlyZWQiOmZhbHNlLCJwb2xpY3lfdXJpIjpudWxsLCJhbGxvd05vdEdpdmVuQ29uc2VudHMiOmZhbHNlLCJwdXJwb3NlcyI6W3siaWQiOiI0ZmMyYzdhNi0wNjI0LTQ3NjMtYTkxYS1kODU2NmU1ZWIzMzAiLCJ2ZXJzaW9uIjoxLCJwYXJlbnRJZCI6bnVsbCwidG9waWNzIjpbXSwiY3VzdG9tUHJlZmVyZW5jZXMiOltdfV0sIm5vdGljZXMiOltdLCJkc0RhdGFFbGVtZW50cyI6WyJGaXJzdE5hbWUiLCJMYXN0TmFtZSJdfQ.FL_TlBrUpMJld0GfXRL6avPrEdeRfNJwhcGX-ofzVr_STxGfvl9M87ZHeY3W9xSd9G3fx2iyiBAZMopxjNJRs66R13uY1HlPUfqhU7spVmGz03GoOhJDkIk7pH4rTUiMi8XH9OEfX-5hQLKpb614qOLydXnyuTEcnIpQixrwW0d2JXHM7fbkyNfMhbbHs7n2ggEbjVEgDdo5cIEny59yDkgu3uPpUOjtOv29qMbnwsfflQRqEKHvg3dS7wmS8tAj12ae7kK409Ot6a3mHOGvPSdRMTHckduilJSNytvoUUEDpTIsdqe2t50nB_GmARwVYBD17TdcLFwAbICND7Xfc13TI2MSQnF0yoyNcAfTCI3p8Sz8t8LVe3dYQoBLKEJzFEAzx0KdyQBoE6O_CVvirObDn1TTKq4dfK4VflX0NwdhmzHDA3nZ8OHj3z2FHaevDyyM2V3yj6MnHwz-HPFM0R2bSMpDcA-FB5_C7vkrJJ1pydfxTf1AFHhzVZFt_1c-HluwQq0DtorGGaXQ61Bp7Yl3tNrcfGMm6IuDIZHngxvrMQdQQrQatm-jao1JDmHUttqnYwWdltXyPGTxyx4bcbbqw3PoYVmDO2Hdn144GSXL1Ha94BsDW0Hrhjj-4cewVpeM6Md4LtkYQPcWpo58FRSFgklupwMIcbgROOzAb-Y', buildAndPriceCollectionPointToken: 'eyJhbGciOiJSUzUxMiJ9.eyJvdEp3dFZlcnNpb24iOjEsInByb2Nlc3NJZCI6ImFjNDQxMTQwLTg2YWUtNGQyNy04MGJlLTU3Yjk2MGQ1NDc5ZSIsInByb2Nlc3NWZXJzaW9uIjoxLCJpYXQiOiIyMDIxLTEwLTE0VDE4OjQwOjUxLjY1NyIsIm1vYyI6IkFQSSIsInN1YiI6IkVtYWlsIiwiaXNzIjpudWxsLCJ0ZW5hbnRJZCI6IjE5NDNmY2RjLTA3YjEtNGNiZC1hMTI3LTI5NWJmYzdiZjQwMyIsImRlc2NyaXB0aW9uIjoiQnVpbGQgYW5kIFByaWNlIEZyb20iLCJjb25zZW50VHlwZSI6IkNPTkRJVElPTkFMVFJJR0dFUiIsImRvdWJsZU9wdEluIjpmYWxzZSwicmVjb25maXJtQWN0aXZlUHVycG9zZSI6ZmFsc2UsImF1dGhlbnRpY2F0aW9uUmVxdWlyZWQiOmZhbHNlLCJkeW5hbWljQ29sbGVjdGlvblBvaW50IjpmYWxzZSwicG9saWN5X3VyaSI6bnVsbCwiYWxsb3dOb3RHaXZlbkNvbnNlbnRzIjpmYWxzZSwicHVycG9zZXMiOlt7ImlkIjoiNGZjMmM3YTYtMDYyNC00NzYzLWE5MWEtZDg1NjZlNWViMzMwIiwidmVyc2lvbiI6MSwicGFyZW50SWQiOm51bGwsInRvcGljcyI6W10sImN1c3RvbVByZWZlcmVuY2VzIjpbXX1dLCJub3RpY2VzIjpbeyJ1cmwiOiJodHRwczovL3d3dy5oYWFzY25jLmNvbS9hYm91dC90ZXJtcy9wcml2YWN5Lmh0bWwiLCJwcml2YWN5Tm90aWNlR3VpZCI6bnVsbH1dLCJkc0RhdGFFbGVtZW50cyI6W119.lP0QrkcyWLWoJpamcOrYVo-TZ7xDyhStyp8Rq0t6Y4G2HhdWEVidQfNhLWjSzQyb2b5qar5-bdAsL6XYpKX2woqJyGtnpTA8Bq7ND1ddYWSd1EdHIL5isShffapkVr6N08HIXWAG951V-I5JZN_d2W21xkVlTXrHoOxWM5_bWp_FMJqdyVMNuMXRd0sYm3fXca2iwKjnB4vvfBZSRn_sCqpTZVvFQl7fJ_945eOvuAfAQJPIiAtEMl-jk-wXdpBM08QGk-sPOMIJWZt2zBlG6ey5yiuktZqHV7BSM-Nk2Uhch79yq0z7qaOZrDHk3cOGFgX8CHH8jS2VTIH-HlB1JUxEN4ywp3bv8vt-Tmq-yax7I9tbve8mxBoOgKaV9onk4_bwpPCZsBrirVr5TRi7FKtgKNh3nC4QO9G8uUSKaleNId6JbofmqO0qEkzf7pzMx_sKlK-6DosUTxurspTKtFdtkfRTjOpqMob1I2TrATaPwBqhqlWGzogtXlh2-sJpiNHQ8TTRKQ0k8x82MfXKGMgImXu1J7tcaM8ZfKVSOL5OZAUIo2KVegcyDclVGqTihoBVNtSZhVzNLkCtY37RnU3XN1NaFrKvq5xWdCnjVIfFhUQZkFaBxN3N7wKCliSZuXlYUA-GX_sWuAgm2HP2GKW9qqFluKwjZ4HTWLW91FE', oneTrustCollectionPointPOST: (token, userData) => { return fetch(haas.constants.api.oneTrustCollectionPoint, { method: 'POST', headers: { 'Accept': 'application/json', 'Content-Type': 'application/json' }, body: JSON.stringify({ 'identifier': userData.email, 'requestInformation': token, 'purposes': [ { 'Id': '4fc2c7a6-0624-4763-a91a-d8566e5eb330', 'TransactionType': 'CONFIRMED' } ], 'dsDataElements': { 'FirstName': userData.firstName, 'LastName': userData.lastName } }) }); }, slingSelectors: { QUOTE: "quote", DUPLICATE: "duplicate", SERIAL: "serial" }, google: { AUTOCOMPLETE_API_KEY: 'AIzaSyA5iia4PKQCAwbKJAQ4EkdFknbLuIynATg' }, content: { midpointURL: '/content/haascnc/{{=language}}/build-and-price/your-machine.{{=model}}.html', configureOptionsURL: '/content/haascnc/{{=language}}/build-and-price/choose-options.{{=model}}.html' }, modelUtils: { TURNING: 'Turning', MILLING: 'Milling' }, loadingTmpl: '
Loading
', loadingSpinner: '
Loading
', EMAIL_RE: /^[^@\s]+@[^@\s]+$/, INCH_AS_MM: 0.0393701, MM_AS_INCH: 25.4, AMORTIZATION_SCHEDULES: [{ months: 12, apr: 5.9, defaultValue: false }, { months: 24, apr: 5.9, defaultValue: false }, { months: 36, apr: 5.9, defaultValue: false }, { months: 48, apr: 5.9, defaultValue: true }, { months: 60, apr: 5.9, defaultValue: false }], DECIMAL_SEPARATORS: [{ region: 'US', character: '.' }], DEFAULT_DOWN_PAYMENT: 0.10, DEFAULT_LANGUAGE: 'en', /** @const */ promotions: { /** @const */ type: { /** @const */ MACHINE: "machine", /** @const */ CONFIGURED: "configured", /** @const */ OPTION: "option", /** @const */ OPTION_MACHINE: "option-machine", /** @const */ OPTION_PRICE: "option-price", /** @const */ ORDER: "order", /** @const */ FINANCE: "finance", /** @const */ TOOLING: "tooling", /** @const */ TOOLING_PACKAGE: "toolingPackage" }, /** @const */ specificity: { /** @const */ HFO: "hfo", /** @const */ REGION: "region" }, /** @const */ discounts: { type: { /** @const */ PERCENT: "percent", /** @const */ FLAT: "flat" } } } }; Object.assign(haas.constants, haasConstants); _.templateSettings = { escape: /\{\{~(.+?)\}\}/g, interpolate: /\{\{=(.+?)\}\}/g, evaluate: /\{\{(.+?)\}\}/g }; })(); /* global haas, _, $, Cookies, LZString, priceGroupPromise */ (function () { 'use strict'; var nextTick = haas.utils.nextTick = function nextTick (func) { if (typeof func !== 'function') throw new TypeError('Type of ' + typeof func + ' is not a function'); setTimeout(func, 0); }; /** * * @param url {String} * @param obj {JSON} * @param {Object} [headers] * @returns {*|PromiseLike} */ haas.utils.postJSON = function (url, obj, headers) { var settings = { type: 'POST', url: url, data: JSON.stringify(obj), contentType: 'application/json; charset=utf-8' }; if (!_.isEmpty(headers)) { settings.headers = headers; } return $.ajax(settings); }; /** * * @param url {String} * @param {Object} [headers] * @returns {*|PromiseLike} */ haas.utils.getJSON = function (url, headers) { var settings = { type: 'GET', url: url, contentType: 'application/json; charset=utf-8' }; if (!_.isEmpty(headers)) { settings.headers = headers; } return $.ajax(settings); }; var isDeepCopy = haas.utils.isDeepCopy = function isDeepCopy (a, b) { return JSON.stringify(a) === JSON.stringify(b); }; var update = haas.utils.update = function update (obj, config) { return Object.assign({}, obj, config); }; var formatNumber = haas.utils.formatNumber = function (num) { if (!num) return num; return num.toString().replace(/\B(?=(\d{3})+(?!\d))/g, ','); }; var validateEmail = haas.utils.validateEmail = function (str) { return haas.constants.EMAIL_RE.test(str) }; var validators = haas.utils.validators = { required: function ($input, value) { if ($input.attr('type') === 'checkbox') { value = $input.is(':checked'); } else if (value) { value = value.trim(); } return !!value; }, number: function ($input, value) { if (value === '') return true; return !_.isNaN(Number(value)); }, numberNoZero: function ($input, value) { if (value === '0'){ return false; } return true; }, max: function ($input, value, maxValue) { if (value === '') return true; return Number(value) <= Number(maxValue); }, machinemax: function ($input, value, maxValue) { if (haas.tmp.unitsContext === 'metric') { maxValue = haas.utils.inchesToMM(maxValue); } return validators.max($input, value, maxValue); }, email: function ($input, value) { if (value === '') return true; return validateEmail(value); }, phone: function ($input, value) { if (value === '') return true; return this.number(value); } }; haas.utils.validatorMessages = function(type, value, maxValue) { // translated error messages are stored in a element with id 'validation-error-container' var $errorMsgContainer = $('#validation-error-container'); var message = ''; switch(type) { case 'required': message = $errorMsgContainer.attr('data-error-required'); break; case 'number': message = 'Input must be a number'; break; case 'numberNoZero': message = 'Please enter a dimension greater than zero'; break; case 'max': message = 'Input must not exceed ' + maxValue; break; case 'machinemax': message = 'Dimensions are too large for any machine'; break; case 'email': message = $errorMsgContainer.attr('data-error-email'); break case 'phone': message = $errorMsgContainer.attr('data-error-phone'); break; } return message; }; haas.utils.validateInput = function validateInput ($input) { var defaultRet = { isValid: true, messages: [], $element: $input }; var validatorsData = $input.data('validators') || ''; if (!validatorsData) return defaultRet; var validators = validatorsData.split(','); if (!validators.length) return defaultRet; var val = $input.val(); var isValid = true; var primaryType = null; var messages = validators.map(function (validatorName) { var validatorParam; var validator = haas.utils.validators[validatorName]; primaryType = validator; if (validatorName.indexOf('=') !== -1) { var validatorTmp = validatorName.split('='); validatorName = validatorTmp[0]; validatorParam = validatorTmp[1]; validator = haas.utils.validators[validatorName]; } if (typeof validator !== 'function') { haas.LOGGER.warn(validatorName + ' is not a registered validator function.'); return true; } var valid = validator($input, val, validatorParam); $input.data('valid', valid); if (!valid) { isValid = false; return haas.utils.validatorMessages(validatorName, val, validatorParam); } return ''; }); return { isValid: isValid, messages: messages || [], primaryType: primaryType, $element: $input }; }; haas.utils.showValidationState = function showValidationState (validation) { var $errorOut = validation.$element.parent().find('.error-output'); if (!validation.isValid) { var errorMessages = validation.messages.filter(function (message) { return !!message; }); $errorOut.html(errorMessages[0]); return false; } $errorOut.html(''); return true; }; if (Cookies && typeof Cookies.noConflict === 'function') { haas.utils.Cookies = Cookies.noConflict(); } else { var cookieFallback = function () { throw new Error('Cookies library is unavailable'); }; haas.utils.Cookies = { get: cookieFallback, set: cookieFallback, remove: cookieFallback, getJSON: cookieFallback }; } haas.utils.Channel = Channel; /** * Channels are a pub/sub system that allow components/models/services to communicate with one another * They also implement state transition tracking to help with debugging * @param initialState {object} * @constructor */ function Channel (initialState) { initialState = initialState || {}; constructChannelInstance(this); this.state = Object.assign({}, initialState); this.initialState = Object.assign({}, initialState); } function constructChannelInstance (instance) { Object.assign(instance, { subscriptions: {}, state: {}, proxies: {}, initialState: {}, plugins: {}, deltas: [], getInstance: function () { return Channel.create(this.state); }, publish: function (delta) { this.updateState(delta); }, subscribe: function (onNext) { var channel = this; var id = _.uniqueId(); this.subscriptions[id] = {onNext: onNext, state: this.state}; nextTick(function () { if (!_.isEmpty(this.state)) onNext(this.state); }); return function unsubscribe () { delete channel.subscriptions[id]; }; }, connect: function (component, paths) { // TODO: wire up to components haas.LOGGER.warn('not yet implemented'); }, // updates child states with out calling .render() softPublish: function (delta) { this.state = update(this.state, delta); this.runPlugins(); this.syncSubscriptions(true); return this; }, refresh: function () { this.state = Object.assign({}, this.initialState); this.deltas = []; this.syncSubscriptions(); return this; }, proxy: function (proxyConfig) { var channel = this; Object.assign(this.proxies, proxyConfig); _.forEach(proxyConfig, function (proxyChannel, key) { channel.state[key] = proxyChannel.state; proxyChannel.subscribe(function (subState) { var delta = {}; delta[key] = subState; channel.publish(delta); }); }); this.syncSubscriptions(); return this; }, updateState: function (delta, soft) { soft = soft || false; this.deltas.push(delta); this.state = update(this.state, delta); this.runPlugins(); this.syncSubscriptions(soft); return this; }, replaceState: function (nextState, deltas) { deltas = deltas || []; this.deltas = deltas; this.state = nextState; this.runPlugins(); this.syncSubscriptions(); return this; }, syncSubscriptions: function (skipNotify) { skipNotify = skipNotify || false; var channel = this; // var unsynced = _.filter(this.subscriptions, function (subscriber) { // return !isDeepCopy(subscriber.state, channel.state); // }); _.forEach(this.subscriptions, function (subscriber) { subscriber.state = Object.assign({}, channel.state); if (skipNotify) return; subscriber.onNext(Object.assign({}, subscriber.state)); }); return this; }, /** * plugin allows middleware to be added to perform * additional transformations based on what path has changed * @param config {object} */ plugin: function (config) { var channel = this; _.forEach(config, function (plugin, path) { if (typeof plugin !== 'function') { haas.LOGGER.warn('Plugin for path ' + path + ' must be a function.'); return; } // if plugin exists, wrap with existing plugin var existingPlugin = channel.plugins[path]; if (existingPlugin) { plugin = _.flow(existingPlugin, plugin); } channel.plugins[path] = plugin; }); return this; }, runPlugins: function () { var channel = this; _.forEach(channel.plugins, function (plugin, path) { _.set(channel.state, path, plugin(_.get(channel.state, path))); }); return this; }, getDeltas: function () { return this.deltas; }, runDeltas: function (deltas, soft) { var channel = this; deltas = deltas || this.deltas; soft = soft || false; channel.refresh(); deltas.forEach(function (delta) { channel.updateState(delta, soft); }); return this.state; }, popState: function () { this.deltas.pop(); this.runDeltas(this.deltas, true); this.runPlugins(); this.syncSubscriptions(); return this; } }); } Channel.create = function (initialState) { return new Channel(initialState); }; haas.utils.eqHeight = function ($elems) { if (haas.device.display.isMobile()) { return; } var heights = $elems.map(function () { return $(this).outerHeight(); }); var uniq = _.uniq(heights); if (uniq.length === 1) { return; } var maxHeight = Math.max.apply(null, heights); $elems.each(function () { $(this).css('height', maxHeight); }); return $elems; }; haas.utils.getLanguage = function () { //TODO: remove the 2? - this is to temporarily allow region english access /** old implementation var re = /(\/content\/haascnc)?\/(\w{2}2?)(\/.*)?\.html/; var reArray = re.exec(window.location.pathname); return reArray ? reArray[2] : haas.constants.DEFAULT_LANGUAGE; */ return $('html').attr('lang'); }; haas.utils.getSlingSelectors = function (index) { var pathName = window.location.pathname; if (pathName[pathName.length - 1] === '/') { pathName = pathName.substr(0, pathName.length - 2); } var pageSegments = pathName.substr(pathName.lastIndexOf('/')).split('.'); // remove first (page name) and last (.html) segment var selectors = pageSegments.slice(1, pageSegments.length - 1).map(function (seg) { // double decode since encoding has to also double encode return haas.utils.decodeSlingSelector(seg); }); if (index != null && index >= 0) { return selectors[index]; } return selectors; }; haas.utils.getSlingSelectorMap = function () { var selectorList = haas.utils.getSlingSelectors(); var selectorMap = {}; _.forEach(selectorList, function(selector) { var pieces = selector.split("="); selectorMap[pieces[0]] = pieces.length > 1 ? pieces[1] : null; }); return selectorMap; }; haas.utils.parseURIParams = function (str) { var ret = {}; var segments = str.split('&'); segments.forEach(function (segment) { var keyValArr = segment.split('='); ret[keyValArr[0]] = keyValArr[1]; }); return ret; }; haas.utils.decodeSlingSelector = function (str) { return decodeURIComponent(decodeURIComponent(str)); }; haas.utils.encodeSlingSelector = function (str) { // double encode to prevent sling from trying to parse return encodeURIComponent(encodeURIComponent(str)); }; haas.utils.formatCurrency = function (num) { num = _.isNaN(Number(num)) ? 0 : num; if(num === 0) { return ''; } // trim trailing zeroes var formatOptions = { minimumFractionDigits: (num % 1 === 0) ? 0 : 2 }; if(haas.region.localization && haas.region.props.region && haas.region.props.currency){ return haas.region.localization.formatCurrency(num, haas.region.props.currency, formatOptions); } else { $.when(haas.region.priceGroupPromise).then(function(price_group){ return price_group.localization.formatCurrency(num, price_group.currency, formatOptions); }); } }; haas.utils.formatCurrencyZero = function (num) { // trim trailing zeroes var formatOptions = { minimumFractionDigits:0 }; if(haas.region.localization && haas.region.props.region && haas.region.props.currency){ return haas.region.localization.formatCurrency(num, haas.region.props.currency, formatOptions); } else { $.when(haas.region.priceGroupPromise).then(function(price_group){ return price_group.localization.formatCurrency(num, price_group.currency, formatOptions); }); } }; haas.utils.isServiceError = function (payload) { var ERROR_RE = /error\:/i; return ERROR_RE.test(payload); }; haas.utils.__tmp_cache__ = {}; var CLASS_FULLSCREEN = 'fullscreen'; var CLASS_HIDDEN = 'hidden'; var SELECTOR_BODY = 'body'; var SELECTOR_PAGECHROME = '#navibar, #footer'; haas.utils.enableFullscreen = function () { $(SELECTOR_BODY).addClass(CLASS_FULLSCREEN); }; haas.utils.disableFullscreen = function () { $(SELECTOR_BODY).removeClass(CLASS_FULLSCREEN); }; haas.utils.toggleFullscreen = function () { $(SELECTOR_BODY).toggleClass(CLASS_FULLSCREEN); }; haas.utils.hidePageChrome = function () { $(SELECTOR_PAGECHROME).addClass(CLASS_HIDDEN); }; haas.utils.showPageChrome = function () { $(SELECTOR_PAGECHROME).removeClass(CLASS_HIDDEN); }; haas.utils.inchesToMM = function (inches) { return Math.floor(inches * haas.constants.MM_AS_INCH); }; haas.utils.mmToInches = function (mm) { return Math.floor(mm * haas.constants.INCH_AS_MM); }; haas.utils.genUID = function (prefix) { prefix = prefix || ''; return 'haas_' + prefix + '_' + (+_.uniqueId(Math.ceil(Math.random() * 1000))).toString(32); }; var getDecimalSeparator = haas.utils.getDecimalSeparator = function () { var decimalSeparatorDef = _.find(haas.constants.DECIMAL_SEPARATORS, {region: "US"}); if (!decimalSeparatorDef) { throw new Error('No decimal separator definition defined for region ' + "US"); } return decimalSeparatorDef.character; }; haas.utils.getMonthlyPaymentPrice = function (finalPrice, months) { var amortizationSchedule = {}; if (haas.bus.configuratorOptionsHeader.state.amortizationSchedules) { var selectedSchedule = _.find(haas.bus.configuratorOptionsHeader.state.amortizationSchedules, {months: months}); var defaultSchedule = _.find(haas.bus.configuratorOptionsHeader.state.amortizationSchedules, {defaultValue: true}); // Ensure that the months exist for the HFO Rates, else return the default amortizationSchedule = selectedSchedule || defaultSchedule; } else { // if hfo months and rates not set, return default hardcoded amortizationSchedule = _.find(haas.constants.AMORTIZATION_SCHEDULES, {months: months}); } if (!amortizationSchedule) { throw new Error('Unable to find amortization schedule for given term: ' + months + ' months'); } var downPayment = haas.bus.configuratorOptionsHeader.state.downPaymentPercentage ? finalPrice * haas.bus.configuratorOptionsHeader.state.downPaymentPercentage : finalPrice * haas.constants.DEFAULT_DOWN_PAYMENT; return calcMonthlyAmortization(finalPrice, downPayment, months, amortizationSchedule.apr / 100); }; var roundToPennies = haas.utils.roundToPennies = function (n) { n = Math.round(n); var decimalSeparator = getDecimalSeparator(); var pennies = n * 100; var penniesStr = pennies.toString(); var len = penniesStr.length; return penniesStr.substring(0, len - 2) + decimalSeparator + penniesStr.substring(len - 2, len); }; var calcMonthlyAmortization = haas.utils.calcMonthlyAmortization = function (finalPrice, downPayment, months, apr) { var principal = finalPrice - downPayment; var dealerFinancingService = haas.services.dealerFinancingService.cache.get(); var rate = apr / 12; var monthlyPayment = rate ? +roundToPennies(principal * rate / (1 - (1 / Math.pow(1 + rate, months)))) : +roundToPennies(principal / months); // if the financing service is populated, just use the "factors" attribute to calculate monthly rate if (dealerFinancingService && dealerFinancingService.length && dealerFinancingService[0].factors) { if (haas.region.props.region === 'HE') { var currentRateObj = _.find(dealerFinancingService[0].monthAndRateOptions, {months: months}); var currentFactorIndex = dealerFinancingService[0].monthAndRateOptions.indexOf(currentRateObj); var currentFactor = dealerFinancingService[0].factors[currentFactorIndex]; return +roundToPennies(finalPrice * currentFactor); } } return monthlyPayment; }; haas.utils.arrayToText = function (arr) { if (arr.length > 1) { arr[arr.length - 1] = 'and ' + arr[arr.length - 1]; } if (arr.length > 2) { arr = arr.join(', '); } else { arr = arr.join(' '); } return arr; }; haas.utils.isTruthy = function (x) { return !!x === true; }; haas.utils.isFalsy = function (x) { return !!x === false; }; haas.utils.resetScroll = function () { window.scrollTo(0, 0); }; haas.utils.resetCurrentMenuScroll = function () { if (haas.tmp.currentMenuOffset){ window.scrollTo(0, haas.tmp.currentMenuOffset); } }; haas.utils.scrollToTarget = function ($target, offset, speed) { $('html, body').animate({ scrollTop: Math.round($target.offset().top + offset) }, speed); }; haas.utils.sticky = function(wrapperID, targetID){ var $wrapper = document.getElementById(wrapperID); if(!$wrapper.classList.contains('has-sticky-waypoint')){ $wrapper.classList.add('has-sticky-waypoint'); $wrapper.style.height = $wrapper.clientHeight + 'px'; // Dom class assignment seems to work // more consistently than using jQuery // and for some reason assigning targetID to a var // didn't work consistently, so using two redundant calls. var waypoint = new Waypoint({ element: document.getElementById(targetID), handler: function(direction) { if(direction === 'down'){ document.getElementById(targetID).classList.add("is-stuck"); } else { document.getElementById(targetID).classList.remove("is-stuck"); } } }); } }; haas.utils.targetSticky = function(wrapperID, targetID, itemID){ var $wrapper = document.getElementById(wrapperID); if(!$wrapper.classList.contains('has-sticky-waypoint')){ $wrapper.classList.add('has-sticky-waypoint'); $wrapper.style.height = $wrapper.clientHeight + 'px'; // Dom class assignment seems to work // more consistently than using jQuery // and for some reason assigning targetID to a var // didn't work consistently, so using two redundant calls. var waypoint = new Waypoint({ element: document.getElementById(targetID), handler: function(direction) { if(direction === 'down'){ document.getElementById(itemID).classList.add("is-stuck"); } else { document.getElementById(itemID).classList.remove("is-stuck"); } } }); } }; haas.utils.bindDynamicLinks = function () { var $link = $('.dynamic-link'); var href = $link.data('href'); $link.attr('href', href); }; haas.utils.normalizeModelName = function (name) { if (name.indexOf('/') || name.indexOf('%2F')) { return haas.utils.encodeSlingSelector(name); } }; haas.utils.applyPromotionalDiscount = function (promotionModel, basePrice) { var discountedPrice = basePrice; promotionModel.discounts.forEach(function (discount) { var maxValue = promotionModel.maxValue; if (maxValue <= 0) maxValue = Infinity; if (discount.type === 'percent') { var discValue = discountedPrice * (discount.value / 100); if (!!promotionModel.maxValue) { discValue = discValue < maxValue ? discValue : maxValue; } discountedPrice = discountedPrice - discValue; } else if (discount.type === 'flat') { var minValue = discount.min_value || 0; if (minValue <= basePrice) { discountedPrice = discountedPrice - discount.value; } } }); if (discountedPrice < 0) discountedPrice = 0; return discountedPrice; }; haas.utils.getPromotionalDiscountAmount = function (promotionModel, basePrice) { var discountedPrice = haas.utils.applyPromotionalDiscount(promotionModel, basePrice); return basePrice - discountedPrice; }; haas.utils.catchAll = function (func) { if (typeof func !== 'function') { return _.noop; } return function () { var ret; try { ret = func.apply(this, arguments); } catch (e) {} return ret; }; }; haas.utils.isInViewPort = function ($element, offsetTop) { if (!$element) return; offsetTop = offsetTop || 0; var $container = $(window); var elementTop = $element.offset().top; var elementBottom = elementTop + $element.outerHeight(); var viewportTop = $container.scrollTop() + offsetTop; var viewportBottom = viewportTop + $container.height(); return elementBottom > viewportTop && elementTop < viewportBottom; }; var formatQueryParams = haas.utils.formatQueryParams = function (obj) { var querySegments = []; _.forEach(obj, function (value, key) { querySegments.push(key.toString() + '=' + value.toString()); }); return querySegments.join('&'); }; haas.utils.formatURI = function (extConfig) { var DOT = '.'; var SLASH = '/'; var Q = '?'; var HASH = '#'; var baseConfig = { path: '', selectors: [], extension: 'html', query: '', hash: '', hashQuery: '' }; var config = Object.assign({}, baseConfig, extConfig); var uri = config.path; if (config.selectors) { uri += DOT + config.selectors.join(DOT); } if (config.extension) { uri += DOT + config.extension + SLASH; } if (config.query) { uri += Q + formatQueryParams(config.query) } if (config.hash) { uri += HASH + config.hash; } if (config.hashQuery) { uri += Q + formatQueryParams(config.hashQuery); } return uri; }; haas.utils.hasParentQuerySelector = function(element, selector) { let currentParent = element.parentElement; let selectorType = selector[0] === '#' ? 'id' : 'class'; let selectorValue = selector.slice(1); while (currentParent) { if (selectorType === 'id' && currentParent.id === selectorValue) return true; if (selectorType === 'class' && currentParent.classList.contains(selectorValue)) return true; currentParent = currentParent.parentElement; } return false; }; haas.utils.clearElementChildren = (elem) => { while (elem.firstChild) elem.firstChild.remove(); } haas.utils.repositionModal = (resizeHeight, resizeWidth) => { const padding = 30; const $modal = $('.haas-modal-body'); const childWidths = $modal.children().map(function () { return $(this).outerWidth(); }); const maxChildWidth = Math.max.apply(null, childWidths) + padding; const height = $modal.outerHeight() + padding; if (resizeWidth) $modal.css({ 'width': maxChildWidth, 'margin-left': - maxChildWidth / 2 }); if (resizeHeight) $modal.css('margin-top', - height / 2); } /* backup for IE not supporting Array.find(); added by Sam Nau */ if (!Array.prototype.find) { Object.defineProperty(Array.prototype, "find", { value: function(predicate) { if (this === null) { throw new TypeError('Array.prototype.find called on null or undefined'); } if (typeof predicate !== 'function') { throw new TypeError('predicate must be a function'); } var list = Object(this); var length = list.length >>> 0; var thisArg = arguments[1]; var value; for (var i = 0; i < length; i++) { value = list[i]; if (predicate.call(thisArg, value, i, list)) { return value; } } return undefined; } }); } })(); /* global haas, _, $, Cookies, LZString, priceGroupPromise */ (function () { 'use strict'; haas.ecommUtils.logoutHybris = () => fetch(haas.constants.api.hybrisLogout(localStorage.storedSiteLang)); haas.ecommUtils.miniCartClickHandler = function() { // always force a new jsession on mini-cart click if(localStorage.access_token) { window.location = '/ecommpartsstorefront/ecommparts/en/cart'; } else { return fetch(haas.constants.api.hybrisLogout(localStorage.storedSiteLang)).then(logoutData => { return fetch(haas.constants.api.eatcookies(localStorage.storedSiteLang)); }).then(eatCookiesData => { let plStatus = eatCookiesData.status; if (plStatus === 200) return eatCookiesData.body; return new Error('Call Failed'); }) .then(rb => { const reader = rb.getReader(); return new ReadableStream({ start(controller) { // The following function handles each data chunk function push() { // "done" is a Boolean and value a "Uint8Array" reader.read().then( ({done, value}) => { // If there is no more data to read if (done) { console.log('done', done); controller.close(); return; } // Get the data and send it to the browser via the controller controller.enqueue(value); // Check chunks by logging to the console console.log(done, value); push(); }) } push(); } }); }) .then(stream => new Response(stream, { headers: { "Content-Type": "text/html" } }).text()) .then(result => { if (!result.length) { haas.cookies.setCookie('ecommparts-cart', localStorage.guid); haas.LOGGER.debug('CART COOKIE SET: ', haas.cookies.getCookie('ecommparts-cart')); haas.LOGGER.debug('redirecting'); window.location = '/ecommpartsstorefront/ecommparts/'+localStorage.storedSiteLang+'/cart'; } return new Error('Call Failed'); }) .catch(e => { // if there is a modal open, close it haas.components.Modal.close(); const cartErrorMsg = document.querySelector('#cart-navigation-error-msg-container').dataset.cartErrorTl; haas.components.Modal.open('
'+cartErrorMsg+'
'); $('#ecommerce-nav').removeClass('disabled').removeClass('loading'); setTimeout(function() { haas.components.Modal.close(); }, 2500); }); } } haas.ecommUtils.bindMiniCartOnClick = function() { var $miniCart = $('#ecommerce-nav a'); $miniCart.off().on('click', _.debounce(function(e) { e.preventDefault(); var $target = $(e.target); var isDisabled = $target.parents('#ecommerce-nav').is('.disabled'); if (!isDisabled) { haas.LOGGER.debug('STARTING REDIRECT'); $('#ecommerce-nav').addClass('disabled').addClass('loading'); localStorage.needCartUpdate = "true"; if(localStorage.access_token) { haas.ecommUtils.miniCartClickHandler(); } else { var endpoint = haas.constants.api.ecommerce + 'users/anonymous/carts/' + localStorage.guid + '?fields=FULL'; haas.LOGGER.debug('Checking cart uid status'); $.get(endpoint).then(function(payload) { if (localStorage.guid) { if (payload.user.uid !== 'anonymous') { $.when(haas.ecommUtils.cloneCart(localStorage.guid)).then(function() { haas.ecommUtils.miniCartClickHandler(); }); } else { haas.ecommUtils.miniCartClickHandler(); } } }).fail(function(error) { haas.components.Modal.open('
Session Timed Out! Please sign in again
'); haas.fleet.myHaasDropdown.logout(); haas.ecommUtils.nukeSession(); haas.ecommUtils.renderCartQuantity(); }); } } }, 250, { leading: true })); } haas.ecommUtils.buildReqBody = function(quantity, partCode) { return '{"quantity": ' + quantity + ', "product":{"code": "' + partCode + '"}}'; } haas.ecommUtils.nukeSession = function() { localStorage.cartQuantity = 0; delete(localStorage.access_token); delete(localStorage.needCartUpdate); delete(localStorage.guid); } haas.ecommUtils.createCartPromise = function(authenticated) { var ecommerceCartEndpoint = haas.constants.api.ecommerce; var eatCookiesEndpoint = haas.constants.api.eatcookies(localStorage.storedSiteLang); var self = this; ecommerceCartEndpoint = ecommerceCartEndpoint + 'users/anonymous/carts'; return $.get(eatCookiesEndpoint).then(function() { return $.post({ url: ecommerceCartEndpoint + '?curr=' + haas.cookies.getCookie('tooling-currency') + '&lang=' + localStorage.storedSiteLang, headers: { 'salesOrg': haas.cookies.getCookie('salesOrg'), 'language': localStorage.storedSiteLang, 'currency': haas.cookies.getCookie('tooling-currency') } }).then(function(payload) { return payload; }); }); } haas.ecommUtils.renderCartQuantity = function() { // fail safe for NaN cart quantity if (localStorage.cartQuantity === 'NaN') { haas.ecommUtils.nukeSession(); haas.components.Modal.open('
Your session expired. Please try again.
'); setTimeout(function() { if ($('.haas-modal-wrapper').is('.open')) haas.components.Modal.close(); }, 3000); } if (!localStorage.cartQuantity) localStorage.cartQuantity = 0; // Apply different styling when cart is over 9 items if (localStorage.cartQuantity > 9 && localStorage.cartQuantity <= 99 && window.innerWidth > 800) { document.querySelector('#ecommerce-nav #cart-quantity').style.right = '-35%'; } else { document.querySelector('#ecommerce-nav #cart-quantity').style.right = ''; } // Apply different styling when cart is over 99 items if (localStorage.cartQuantity > 99) { Array.from(document.querySelectorAll('#ecommerce-nav')) .forEach(ecommNav => ecommNav.classList.add('qty-overflow')); Array.from(document.querySelectorAll('#ecommerce-nav #cart-quantity')) .forEach(cartQty => cartQty.innerHTML = '99+'); } else { Array.from(document.querySelectorAll('#ecommerce-nav')) .forEach(ecommNav => ecommNav.classList.remove('qty-overflow')); Array.from(document.querySelectorAll('#ecommerce-nav #cart-quantity')) .forEach(cartQty => cartQty.innerHTML =localStorage.cartQuantity); } // Disable cart if quantity is 0 if (Number(localStorage.cartQuantity)) { Array.from(document.querySelectorAll('#ecommerce-nav')) .forEach(cartIcon => cartIcon.classList.remove('disabled')); } else { Array.from(document.querySelectorAll('#ecommerce-nav')) .forEach(cartIcon => cartIcon.classList.add('disabled')); } } haas.ecommUtils.updateCartQuantity = function(guid) { if(localStorage.access_token) { var email; var bearer; var cartTotal = 0; return $.when(haas.jwToken.getUserInfo()).then(function(userPayload) { bearer = userPayload['ecomm_bearer_token_access_token']; if (userPayload.userInfo) { email = userPayload.userInfo.uid; } else { email = userPayload.email; } $.get({ url: '/ecommpartsstorefront/ecommparts/en/hybris-cart', cache: false }).then(function(currentCart) { $.get({ url: haas.constants.api.ecommerce + 'users/current/carts/' + currentCart.cartId+ '?curr=' + haas.cookies.getCookie('tooling-currency') + '&lang=' + localStorage.storedSiteLang, headers: { 'salesOrg': haas.cookies.getCookie('salesOrg'), 'Authorization': 'Bearer ' + bearer }, cache: false }).then(function(cart) { if (cart.entries) { cart.entries.forEach(function(entry) { cartTotal += Number(entry.quantity) }); } localStorage.cartQuantity = cartTotal; console.log('CART UPDATED HERE', localStorage.cartQuantity); localStorage.needCartUpdate = "false"; haas.ecommUtils.renderCartQuantity(); return cart; }).fail(function(err){ localStorage.cartQuantity = 0; haas.ecommUtils.renderCartQuantity(); }); }).fail({ }); }).fail(function(err){ console.log("Error: Couldn't load user data."); }); } else { var cartTotal = 0; var endpoint = haas.constants.api.ecommerce + 'users/anonymous/carts/' + guid + '?fields=FULL'; return $.get(endpoint).then(function(payload) { if (payload.entries) { payload.entries.forEach(function(entry) { cartTotal += Number(entry.quantity) }); } localStorage.cartQuantity = cartTotal; localStorage.needCartUpdate = "false"; return payload; }); } } haas.ecommUtils.cloneCart = function(guid) { var endpoint = haas.constants.api.ecommerce + 'users/anonymous/carts/' + guid + '?fields=FULL'; return $.get(endpoint).then(function(payload) { return haas.ecommUtils.createCartPromiseWithEntries(false, payload.entries); }); } haas.ecommUtils.processCloning = function(guid, entries, deferred) { if (entries.length) { var entry = entries.shift(); haas.ecommUtils.postPartToCartAPI(entry.quantity, entry.product.code, guid).then(function(payload) { haas.ecommUtils.processCloning(guid, entries, deferred); }); } else { deferred.resolve(); } } haas.ecommUtils.createCartPromiseWithEntries = function(authenticated, entries) { var ecommerceCartEndpoint = haas.constants.api.ecommerce; // TO-DO: Update when authentication is implemented if (localStorage.access_token) { } else { ecommerceCartEndpoint = ecommerceCartEndpoint + 'users/anonymous/carts'; return $.post({ url: ecommerceCartEndpoint + '?curr=' + haas.cookies.getCookie('tooling-currency') + '&lang=' + localStorage.storedSiteLang, headers: { 'salesOrg': haas.cookies.getCookie('salesOrg'), 'language': localStorage.storedSiteLang, 'currency': haas.cookies.getCookie('tooling-currency') } }).then(function(payload) { var cloningDone = $.Deferred(); haas.ecommUtils.processCloning(payload.guid, entries, cloningDone); return $.when(cloningDone).then(function(res) { haas.LOGGER.debug('old guid: ', localStorage.guid); localStorage.guid = payload.guid; haas.LOGGER.debug('new guid: ', localStorage.guid); return res; }); }); } } haas.ecommUtils.postPartToCartAPI = function(quantity, partid, guid) { var endpoint = haas.constants.api.ecommerce + 'users/anonymous/carts/' + guid + '/entries'; var quantity = quantity; var reqBody = haas.ecommUtils.buildReqBody(quantity, partid); haas.LOGGER.debug('Clone Cart Post', endpoint, reqBody); return $.post({ contentType: 'application/json', url: endpoint + '?curr=' + haas.cookies.getCookie('tooling-currency') + '&lang=' + localStorage.storedSiteLang, data: reqBody, headers: { 'salesOrg': haas.cookies.getCookie('salesOrg'), 'language': localStorage.storedSiteLang, 'currency': haas.cookies.getCookie('tooling-currency') } }).done(function(payload){ return payload; }); } haas.ecommUtils.setEcommercePermissions = function() { localStorage.showEcommerce = true; //$('body').addClass('show-ecommerce'); haas.ecommUtils.renderCartQuantity(); haas.ecommUtils.bindMiniCartOnClick(); } haas.ecommUtils.formatPrice = (inputPrice) => { let currencyList = { 'DE': '€', 'CH': '€', 'NO': '€', 'AL': '€', 'AD': '€', 'AM': '€', 'AZ': '€', 'BY': '€', 'BA': '€', 'GE': '€', 'IS': '€', 'KS': '€', 'LI': '€', 'MD': '€', 'MC': '€', 'ME': '€', 'MK': '€', 'SM': '€', 'RS': '€', 'TR': '€', 'UA': '€', 'GB': '€', 'AT': '€', 'FR': '€', 'PL': 'PLN', 'IT': '€', 'ES': '€', 'SE': 'SEK', 'CZ': 'CZK', 'RO': '€', 'RO': '€', 'NL': '€', 'BE': '€', 'PT': '€', 'HR': '€', 'BG': '€', 'SI': '€', 'DK': 'DKK', 'HU': '€', 'AU': '€', 'SK': '€', 'FI': '€', 'GR': '€', 'EE': '€', 'LT': '€', 'LV': '€', 'LU': '€', 'CY': '€', 'IE': '€', 'MT': '€', 'US': '$', 'CA': '$', 'IN': '$', 'LK': '$', 'SV': '$', 'NI': '$', 'PA': '$', 'CO': '$', 'CR': '$', 'MX': '$', 'EC': '$', 'HN': '$', 'GT': '$', 'CL': '$', 'AU': '$', 'BZ': '$', 'DO': '$', 'KY': '$', 'KR': '$', 'GU': '$', 'IL': '$', 'JP': '$', 'KE': '$', 'KH': '$', 'PE': '$', 'SD': '$', 'NG': '$', 'NP': '$', 'NZ': '$', 'PY': '$', 'VE': '$', 'UY': '$', 'TW': '$', 'BO': '$', 'ZA': '$', 'ZM': '$', 'ZW': '$', 'VN': '$', 'SG': '$', 'TH': '$', 'TR': '$', 'PH': '$', 'ID': '$', 'MY': '$', 'AR': '$', 'BR': '$' }; if (currencyList[haas.cookies.getCookie('pldata5.2')] === '€' || currencyList[haas.cookies.getCookie('pldata5.2')] === '$') { if (inputPrice) inputPrice = inputPrice.replace(/\B(?=(\d{3})+(?!\d))/g, ","); return currencyList[haas.cookies.getCookie('pldata5.2')] + inputPrice; } else { return inputPrice + currencyList[haas.cookies.getCookie('pldata5.2')]; } } haas.ecommUtils.handleLangaugeChange = function(lang) { let endpoint = '/ecommpartsstorefront/ecommparts/en/_s/language'; let qParams = '?code=' + lang; let postUrl = endpoint + qParams; return fetch(postUrl, { method: 'POST' }).then(res => res.json() ).then(data => data); } })(); (function () { 'use strict'; var ASIA_REDIRECT_REGIONS = ['TW', 'CN', 'HK', 'MO']; // TAIWAN, CHINA, HONG KONG, MACAO; var COUNTRY_REDIRECT_LIST = { "AR": "es", "BR": "pt", "CO": "es", "CR": "es", "EC": "es", "HN": "es", "MX": "es", "PE": "es", "RU": "ru", "TR": "tr", "TW": "zh", "AT": "de", "DE": "de", "ES": "es", "FR": "fr", "IT": "it", "NL": "nl", "NO": "nb", "PL": "pl", "PT": "pt", "SE": "sv", "CN": "zh", "BG": "bg", "GR": "el", "SK": "sk", "RO": "ro", "HR": "hr", "KR": "ko", "JP": "ja", "RE": "fr" }; var haas = window.haas || {}; var default_country = 'US'; var default_currency = 'USD'; var default_region = 'US'; var default_locale = 'en'; var regionBus = haas.bus.region = haas.utils.Channel.create({ currency: default_currency, region: default_region }); haas.region = { events: { COOKIES_ACCEPTED: 'haas-cookies-accepted', COUNTRY_CHANGED: 'haas-country-changed', CURRENCY_CHANGED: 'haas-currency-changed', HFO_CHANGED: 'haas-hfo-changed', HFO_ID_CHANGED: 'haas-hfo-id-changed', REGION_CHANGED: 'haas-region-changed', STATE_CHANGED: 'haas-state-changed' }, props: { cookie_name_currency: 'pldata1.2', cookie_name_hfo: 'pldata2.2', cookie_name_hfoid: 'pldata2.3', cookie_name_region: 'pldata.2', cookie_name_state: 'state', cookie_name_locale: 'pldata3.2', cookie_name_cookiesAccepted: 'pldata4.1', cookie_name_country: 'pldata5.2', cookie_region_property: 'pricelist', default_country: default_country, default_currency: default_currency, default_region: default_region, default_locale: default_locale, ip_service: 'https://data.haascnc.com/test/aem_pl.asp' }, cookieModalTemplate: _.template($('#acceptCookieModalTemplate').html()), init: function(enable_region_redirect, page_regions, page_region_redirect) { this.props.enable_region_redirect = enable_region_redirect; this.mapCookiesToProps(); this.props.page = { 'regions': page_regions, 'redirect': page_region_redirect }; this.setCookiesAccepted(true); localStorage.setItem('allowTrackingCookies', true); this.priceGroupPromise = haas.region.getPriceGroup(); var self = this; $.when(this.priceGroupPromise).then(function(price_group){ var country = price_group.country; var currency = price_group.currency; var hfo = price_group.hfo || {}; var region = price_group.region; var localization = price_group.localization; var country = haas.cookies.getCookie('ipIsoCountry') || price_group.country; // on initial load, all props may not be loaded in before pricegrouppromise is returned, remap props self.mapCookiesToProps(); haas.LOGGER.log('priceGroupPromise ready. Region: ' + region + " Country: " + country + " Currency: " + currency + " localization locale: " + localization.cldr.locale); haas.region.setRegionCSSClass(haas.utils.getLanguage().toLowerCase(), price_group.localization.cldr.locale, price_group.region); haas.region.handleRegionRedirect(region, country); haas.region.updateStoredSiteLang(); haas.region.configureBlockedCountries(country); haas.region.handleRegionPageRedirect(self.props.region, self.props.page.regions, self.props.page.redirect); haas.region.configurePrices(self.props.region, self.props.currency, self.props.hfoid); haas.region.hideNonRegionData(self.props.region, self.props.currency); }); $(window).on(self.events.COUNTRY_CHANGED, function(event, country) { console.log("## COUNTRY_CHANGED event: ", country); haas.region.configureBlockedCountries(country); }); $(window).on(self.events.CURRENCY_CHANGED, function(event, currency) { console.log("## CURRENCY_CHANGED event: ", currency); haas.region.configurePrices(haas.region.props.region, currency, haas.region.props.hfoid); }); // Set HFO and state (if applicable) properties on `haas.region.props` object $(window).on(this.events.HFO_CHANGED, function(event, hfo) { console.log("## HFO_CHANGED event: ", hfo); haas.region.props.hfo = hfo; if (hfo) { if (hfo.id) { haas.region.props.hfoid = hfo.id; } if (hfo.address && hfo.address.state) { haas.region.props.state = hfo.address.state; } } haas.region.configurePrices(haas.region.props.region, haas.region.props.currency, haas.region.props.hfoid); }); $(window).on(this.events.HFO_ID_CHANGED, function(event, hfoid) { console.log("## HFO_ID_CHANGED event: ", hfoid); haas.region.props.hfoid = hfoid; haas.region.configurePrices(haas.region.props.region, haas.region.props.currency, hfoid); }); $(window).on(this.events.STATE_CHANGED, function(event, state) { console.log("## STATE_CHANGED event: ", state); haas.region.props.state = state; }); $(window).on(this.events.REGION_CHANGED, function(event, region) { console.log("## REGION_CHANGED event: ", region); haas.region.configurePrices(region, haas.region.props.currency, haas.region.props.hfoid); haas.region.hideNonRegionData(region); }); }, initCookieModal: function() { var self = this; var $acceptCookieModal = $('#acceptCookieModalTemplate'); var modalEmitter = new haas.events.EventEmitter(); var padding = 30; var $modal = $('.haas-modal-body.cookie-modal-body'); // allow essential cookies & remove any tracking cookies self.setCookiesAccepted(true); delete(localStorage.allowTrackingCookies); haas.cookies.removeCookie('allowTrackingCookies'); $acceptCookieModal.find('#settings-btn').on('click', function() { $acceptCookieModal.find('#cookie-settings').show(); $acceptCookieModal.find('.accept-all-row').hide(); $acceptCookieModal.find('#tracking-cookie-switch').prop('checked', false); $acceptCookieModal.find('.haas-modal-wrapper').addClass('open'); var childWidths = $modal.children().map(function () { return $(this).outerWidth(); }); var maxChildWidth = Math.max.apply(null, childWidths) + padding; $modal.css('width', maxChildWidth); var height = $modal.outerHeight() + padding; $modal.css({ 'margin-top': - height / 2, 'margin-left': - maxChildWidth / 2 }); modalEmitter.emit('resize', {height: height, width: maxChildWidth}); document.querySelector('#acceptCookieModalTemplate .modal-closer').onclick = (e) => { let cookieModalElement = document.querySelector('#acceptCookieModalTemplate .haas-modal-wrapper'); if (e.currentTarget === e.target && cookieModalElement.classList.contains('open')) { cookieModalElement.classList.remove('open'); } } document.querySelector('#acceptCookieModalTemplate .close-cookie-modal-btn-container').onclick = (e) => { let cookieModalElement = document.querySelector('#acceptCookieModalTemplate .haas-modal-wrapper'); if (cookieModalElement.classList.contains('open')) cookieModalElement.classList.remove('open'); } }); $acceptCookieModal.find('.acceptCookies').on('click', function() { $acceptCookieModal.find('.haas-modal-wrapper').removeClass('open'); if ($('#tracking-cookie-switch').prop('checked')) { localStorage.setItem('allowTrackingCookies', true); haas.cookies.setCookie('allowTrackingCookies', 'true'); } else { delete(localStorage.allowTrackingCookies); haas.cookies.removeCookie('allowTrackingCookies'); } document.querySelector('#acceptCookieModalTemplate .cookie-footer').classList.add('hidden'); localStorage.cookiesAcknowledged = true; location.reload(); }); document.querySelector('#acceptCookieModalTemplate .close-cookie-footer-btn-container').onclick = (e) => { document.querySelector('#acceptCookieModalTemplate .cookie-footer').classList.add('hidden'); } /* if (document.cookie.indexOf('cq-authoring-mode') !== -1) { self.setCookiesAccepted(true); localStorage.setItem('allowTrackingCookies', true); } else { $acceptCookieModal.find('.haas-modal-wrapper').addClass('open'); var childWidths = $modal.children().map(function () { return $(this).outerWidth(); }); var maxChildWidth = Math.max.apply(null, childWidths) + padding; $modal.css('width', maxChildWidth); var height = $modal.outerHeight() + padding; $modal.css({ 'margin-top': - height / 2, 'margin-left': - maxChildWidth / 2 }); modalEmitter.emit('resize', {height: height, width: maxChildWidth}); $acceptCookieModal.find('#acceptCookies').on('click', function() { self.setCookiesAccepted(true); $acceptCookieModal.find('.haas-modal-wrapper').removeClass('open'); if ($('#tracking-cookie-switch').prop('checked')) { localStorage.setItem('allowTrackingCookies', true); } location.reload(); }); } */ }, mapCookiesToProps: function() { this.props.cookiesAccepted = haas.cookies.getCookie(this.props.cookie_name_cookiesAccepted); this.props.currency = haas.cookies.getCookie(this.props.cookie_name_currency); try { this.props.hfo = JSON.parse(haas.cookies.getCookie(this.props.cookie_name_hfo)); } catch(e) { this.props.hfo = haas.cookies.getCookie(this.props.cookie_name_hfo); } this.props.hfoid = haas.cookies.getCookie(this.props.cookie_name_hfoid); this.props.state = haas.cookies.getCookie(this.props.cookie_name_state); this.props.region = haas.cookies.getCookie(this.props.cookie_name_region); this.props.country = haas.cookies.getCookie(this.props.cookie_name_country); this.props.locale = haas.cookies.getCookie(this.props.cookie_name_locale); }, configureBlockedCountries: function(country) { switch(country) { case 'GB': case 'UK': case 'AR': case 'BR': case 'IE': //remove currency data, so region logic returns blank data. haas.region.props.currency = ''; //Disable access to build and price. if(this.props.enable_region_redirect && window.location.pathname.includes('build-and-price')) { window.location.replace('/content/haascnc/' + haas.utils.getLanguage() + '.html'); } //Hide all price details. $('.price').hide(); //adjust dynamic PDP Tab links. $('.tabs .button.baq').hide(); $('.tabs .button.compare').addClass('contact'); $('.tabs .button.contact').show(); //Hide pricelist details. $('.priceList th.header-price').hide(); $('.priceList td.header-price').hide(); break; } }, /** * Get promotion price (if any) applicable user, prioritizing any HFO-specific promotion over region-specific promotion * @param properties {object} * @param $promotion_regions {jquery} * @param current_region {string} * @param current_currency {string} * @param current_hfo_id {string} * @returns {jquery} */ getPromotionPrice: function(properties, $promotion_regions, current_region, current_currency, current_hfo_id) { var $regions = $promotion_regions.children('.region'); var hfo_specific_promotion_price; if (!!current_hfo_id) { hfo_specific_promotion_price = $regions.filter(function () { var hfo_id = $(this).data(properties.data_hfo_id); if (!hfo_id) { return false; } return $(this).data(properties.data_currency) === current_currency && $(this).data(properties.data_region) === current_region && hfo_id === current_hfo_id; }); } if (hfo_specific_promotion_price.val()) { // We have an HFO-specific promotion applicable to the user's HFO, region, and currency return hfo_specific_promotion_price; } // Otherwise, look for Region-specific promotion applicable to the user's region and currency return $regions.filter(function() { return !$(this).data(properties.data_hfo_id) && $(this).data(properties.data_currency) === current_currency && $(this).data(properties.data_region) === current_region; }); }, configurePrices: function (current_region, current_currency, current_hfo_id) { var self = this; var properties = { class_has_promotion: 'has-promotion', data_currency: 'currency', data_prefix: 'prefix', data_region: 'region', data_standard: 'standard', data_zero_copy: 'zero-copy', data_hfo_id: 'hfo' }; $('.price').each(function() { var current_price = $(this).find('.regions').children('.region').filter(function() { return $(this).data(properties.data_currency) === current_currency && $(this).data(properties.data_region) === current_region; }); var promotion_price = self.getPromotionPrice(properties, $(this).find('.promotion-regions'), current_region, current_currency, current_hfo_id); if(current_price.val()) { var is_standard = $(current_price).data(properties.data_standard); var prefix = $(this).data(properties.data_prefix) || ''; var prefix_string = is_standard ? $(this).data(properties.data_zero_copy) : prefix; $(this).find('.price_prefix').first().text(prefix_string); if($(this).find('.current_price').first().text()){ $(this).find('.current_price').first().text(" "); } if (!is_standard) { var formatted_price = haas.utils.formatCurrency(Number(current_price.val())); $(this).find('.current_price').first().text(formatted_price); if($(this).find('.price_prefix').first().text() === properties.data_zero_copy){ $(this).find('.price_prefix').first().text(""); } } } if(promotion_price.val()) { $(this).addClass(properties.class_has_promotion); var formatted_promotion_price = haas.utils.formatCurrency(Number(promotion_price.val())); $(this).find('.promotion_price').first().text(formatted_promotion_price); $(this).find('.promotion_price').show(); $(this).find('.sale-off-tag').show(); } else { $(this).removeClass(properties.class_has_promotion); $(this).find('.promotion_price').hide(); $(this).find('.sale-off-tag').hide(); } }); // CN Specific check for V-Models in USD Pricelist if (current_region === 'CN' && current_currency === 'USD') { $('.header-price a').each(function() { var disclaimer_text = $(this).attr('data-vModelDisclaimer'); if (_.endsWith($(this).attr('href'), '-V.html')) { $(this).find('.current_price').text(disclaimer_text); $(this).find('.current_price').addClass('vModel-pricelist-price'); $(this).find('.promotion-container').hide(); } }); } if (current_region === 'CN' && current_currency === 'CNY') { $('.header-price a').each(function() { if (_.endsWith($(this).attr('href'), '-V.html')) { $(this).find('.current_price').removeClass('vModel-pricelist-price'); $(this).find('.promotion-container').show(); } }); } }, getPriceGroup: function() { var props = this.props; // Remove for OneTrust testing /*if (props.cookiesAccepted !== 'true' || localStorage.cookiesAcknowledged !== 'true') { document.querySelector('.cookie-footer').classList.remove('hidden'); haas.region.initCookieModal(); }*/ if (props.currency && props.region && props.country && props.hfo && props.hfoid && props.region !== 'NA') { // Set Ecomm Info, expedite testing time when changing cookies haas.region.setEcommerceCurrency(props.country); // if everything is already set, return existing values if(this.localization){ return new Promise(function(resolve, reject) { resolve({ 'currency': props.currency, 'hfo': props.hfo, 'hfoid':props.hfoid, 'region': props.region, 'country': props.country, 'localization': haas.region.localization }); }); } else{ // if localization isn't set, do so return haas.region.getLocalization(haas.region.getLocale(props.region)).then(function(localization){ haas.region.setCurrentLocale(localization); return new Promise(function(resolve, reject) { resolve({ 'currency': props.currency, 'hfo': props.hfo, 'hfoid': props.hfoid, 'region': props.region, 'country': props.country, 'localization': localization }); }); }); } } else { var isInitial = true; var publishBus = false; return $.ajax({ // get user's IP crossDomain: true, data: { 'format': 'json' }, dataType: 'json', type: 'GET', url: haas.region.props.ip_service }).then(function(data) { // use IP to get dealer Info return $.ajax({ data: { 'ip': data[0].ip }, dataType: 'json', type: 'GET', url: haas.constants.api.dealerInfo }); }).then(function (data) { // get localization var country; var currency; var hfo; var hfoid; var region; haas.LOGGER.debug('initializing data:', data); if (data.result.experianData) { haas.cookies.setCookie('ipLatitude', data.result.experianData.Iplatitude ? data.result.experianData.Iplatitude : ''); haas.cookies.setCookie('ipLongitude', data.result.experianData.Iplongitude ? data.result.experianData.Iplongitude : ''); haas.cookies.setCookie('ipIsoCountry', data.result.experianData.Ipisocountry ? data.result.experianData.Ipisocountry : ''); } try { var hfoCountry; try { hfoCountry = data.result.hfo.address.country; } catch (e) { hfoCountry = null; } country = hfoCountry ? hfoCountry : data.result.priceGroup.country; currency = data.result.priceGroup.currency; hfo = data.result.hfo; hfoid = data.result.hfo.id; region = data.result.priceGroup.region; // Set Ecomm Info haas.region.setEcommerceCurrency(country); return haas.region.setRegionValues(currency, hfo, region, country, isInitial, publishBus); } catch (err) { country = data.result.priceGroup.country || props.default_country; currency = data.result.priceGroup.currency || props.default_currency; hfo = data.result.hfo || null; hfoid = data.result.hfo ? data.result.hfo.id || 0 : 0; region = data.result.priceGroup.region || props.default_region; // Set Ecomm Info haas.region.setEcommerceCurrency(country); haas.LOGGER.warn('Caught error in region logic: "' + err + '". Using ' + region + " region, " + currency + " currency, and " + hfo + " hfo"); return haas.region.setRegionValues(currency, hfo, region, country, isInitial, publishBus); } }).done(function (priceGroupPromise) { // deliver promise return priceGroupPromise; }).fail(function (data) { // fallback with all defaults return haas.region.getLocalization(haas.region.props.default_locale).then(function (localization) { haas.region.setCurrentCurrency(haas.region.props.default_currency, isInitial, publishBus); haas.region.setCurrentRegion(haas.region.props.default_region, haas.region.props.default_country, localization, isInitial); haas.region.handleRegionRedirect(haas.region.props.default_region, haas.region.props.default_country); haas.region.configureBlockedCountries(haas.region.props.default_country); haas.LOGGER.warn('Failure in IP retrieval: returning priceGroupPromise using default values'); return new Promise(function (resolve, reject) { resolve({ 'country': haas.region.props.default_country, 'currency': haas.region.props.default_currency, 'region': haas.region.props.default_region, 'localization': localization }); }); }); }); } }, handleRegionPageRedirect: function(region, regions, redirect) { if(this.props.enable_region_redirect) { if (regions) { var regionsArray = regions.toLowerCase().split(','); if (!regionsArray.includes(region.toLowerCase())) { window.location.replace(redirect); } } } }, onExceptionPage: function() { return window.location.pathname.match(/\/about\/vendor\.html/) != null; }, updateStoredSiteLang: function() { localStorage.storedSiteLang = document.querySelector('html').lang.substring(0, 2); }, handleRegionRedirect: function(region, country) { // Don't redirect if region redirect is disabled or the user is on an exception page that shouldn't redirect if(this.props.enable_region_redirect && !this.onExceptionPage()) { if (ASIA_REDIRECT_REGIONS.indexOf(region) >= 0) { window.location.replace('http://asia.haascnc.com'); } } // If going to home page ('/index.html' or '/'), redirect to language site user was previously on var redirectLang = window.localStorage.storedSiteLang ? window.localStorage.storedSiteLang : COUNTRY_REDIRECT_LIST[country]; if (redirectLang && (redirectLang !== 'en')) { if (_.endsWith(window.location.pathname, '/index.html') || window.location.pathname === '/') { window.location = '/'+redirectLang+'.html'; } } // Block Build-And-Price for 'CE' Region if(region === 'CE' && window.location.pathname.includes('build-and-price')) { window.location.replace('/content/haascnc/' + haas.utils.getLanguage() + '/about/contact.html'); } }, getLocale: function(current_region){ // get appropriate Globalize CLDR region for current_region value switch(current_region){ // Region: Currencies, Formatting style case "CN" : return 'zh'; // China: CNY || CNH || USD, Chinese case "CE" : return 'en-GB'; // UK/GB: Pounds, British English case "CH" : return 'it-CH'; // Switzerland: Swiss Francs, Italian case "GL" : return 'en'; // Global: USD, US English case "HE" : return 'de'; // Haas Europe: Euros, German case "IN" : return 'en'; // India: USD, US English case "ME" : return 'en'; // Middle East: USD, US English case "MX" : return 'en'; // Mexico: USD, US English case "NA" : return 'de'; // North Africa: Euros, German case "RU" : return 'en'; // Russia: USD, US English case "SE" : return 'en'; // Southeast: USD, US English case "US" : return 'en'; // US: USD, US English default: return "en"; } }, getLocalization: function (locale) { var cldrPath = '/content/dam/haascnc/globalize/cldr-json/'; // if localization exists or hasn't changed, return stored localization if(haas.region.localization && haas.region.localization.cldr.locale === locale ){ return new Promise(function(resolve, reject) { resolve( Globalize(locale)); }); } // if localization has already been initialized but has changed, // load in new localization and return it else if (haas.region.localization && haas.region.localization.cldr.locale !== locale){ return $.when( // Country-specific currency and number files $.get(cldrPath + locale + "/currencies.json"), $.get(cldrPath + locale + "/numbers.json") ).then(function () { // Normalize $.get results, we only need the JSON, not the request statuses. return [].slice.apply(arguments, [0]).map(function (result) { return result[0]; }); }).then(Globalize.load).then(function () { return new Promise(function(resolve, reject) { resolve( Globalize(locale)); }); }); } else { // otherwise initialize localization and return it return $.when( // default files $.get(cldrPath + "supplemental/currencyData.json"), $.get(cldrPath + "supplemental/likelySubtags.json"), $.get(cldrPath + "supplemental/numberingSystems.json"), $.get(cldrPath + "supplemental/ordinals.json"), $.get(cldrPath + "supplemental/plurals.json"), // Country-specific currency and number files $.get(cldrPath + locale + "/currencies.json"), $.get(cldrPath + locale + "/numbers.json") ).then(function () { // Normalize $.get results, we only need the JSON, not the request statuses. return [].slice.apply(arguments, [0]).map(function (result) { try { return JSON.parse(result[0]); } catch(e) { if (typeof(result[0]) !== 'object') { haas.LOGGER.error("Error parsing result JSON: ", result[0]); } return result[0]; } }); }).then(Globalize.load).then(function () { return new Promise(function(resolve, reject) { resolve( Globalize(locale)); }); }); } }, hideNonRegionData: function (current_region) { var $charGroup = $('.char-group'); var $availCharGroup = $('.avail-char-group'); var $rowSeries = $('.row.series'); var $availCharGroup = $('.avail-char-group'); var $modelClassification = $('.model-classification'); // price list if($rowSeries){ $rowSeries.show(); } // product cards if($modelClassification){ $modelClassification.show(); } $('.region-data').each(function() { var $regionData = $(this); var delimiter = $regionData.data('delimiter'); var regions = $regionData.data('regions') ? $regionData.data('regions').split(delimiter) : null; if(!_.includes(regions, current_region)) { $regionData.remove(); // haas.LOGGER.log('hid a region-data item', $regionData[0].innerHTML); } }); var collapseGroupIfAllHidden = function($group) { $group.each(function(){ var $thisGroup = $(this); var $totalItemsInGroup = $thisGroup.find('.region-data').length ? $thisGroup.find('.region-data') : $thisGroup.find('.avail-region-data'); var $hiddenItemsInGroup = $totalItemsInGroup.filter(function(){ return this.style.display === 'none'}); if($totalItemsInGroup.length === $hiddenItemsInGroup.length) { haas.LOGGER.log('hid a group: ' + $thisGroup.find('h2').text()); $thisGroup.remove(); } }); }; //standard features if($charGroup){ collapseGroupIfAllHidden($charGroup); } if($availCharGroup){ collapseGroupIfAllHidden($availCharGroup); } // price list if($rowSeries){ collapseGroupIfAllHidden($rowSeries); } // product cards if($modelClassification){ collapseGroupIfAllHidden($modelClassification); } // China Region, Hide first two sentences of product disclaimer on PDPs // Pages Affected: Machine & Option PDPs, Price List if (current_region === 'CN') { if ($('.page.product-page').length > 0 || $('.page.option-page').length > 0 || _.endsWith(window.location.pathname, '/pricelist.html')) { var pdpDisclaimer = $('.reference').last().find('i').text(); var pdpDisclaimerSentences = []; var newPdpDisclaimer = ''; // Split sentences by periods, Remove first two sentences and concatenate if ($('.page.lang-zh') > 0) { pdpDisclaimerSentences = pdpDisclaimer.split('。'); newPdpDisclaimer = pdpDisclaimerSentences.splice(2).join('。'); } else { pdpDisclaimerSentences = pdpDisclaimer.split('.'); newPdpDisclaimer = pdpDisclaimerSentences.splice(2).join('.'); } $('.reference').last().find('i').text(newPdpDisclaimer); } } }, setEcommerceCurrency: function(userCountry) { // HAAS Tooling Specific Currency Settings let currencyList = { 'DE': 'EUR', 'CH': 'EUR', 'AL': 'EUR', 'AD': 'EUR', 'AM': 'EUR', 'AZ': 'EUR', 'BY': 'EUR', 'BA': 'EUR', 'GE': 'EUR', 'IS': 'EUR', 'KS': 'EUR', 'LI': 'EUR', 'MD': 'EUR', 'MC': 'EUR', 'ME': 'EUR', 'MK': 'EUR', 'SM': 'EUR', 'RS': 'EUR', 'TR': 'EUR', 'UA': 'EUR', 'GB': 'EUR', 'NO': 'EUR', 'AT': 'EUR', 'FR': 'EUR', 'PL': 'PLN', 'IT': 'EUR', 'ES': 'EUR', 'SE': 'SEK', 'CZ': 'CZK', 'RO': 'EUR', 'RO': 'EUR', 'NL': 'EUR', 'BE': 'EUR', 'PT': 'EUR', 'HR': 'EUR', 'BG': 'EUR', 'SI': 'EUR', 'DK': 'DKK', 'HU': 'EUR', 'AU': 'EUR', 'SK': 'EUR', 'FI': 'EUR', 'GR': 'EUR', 'EE': 'EUR', 'LT': 'EUR', 'LV': 'EUR', 'LU': 'EUR', 'CY': 'EUR', 'IE': 'EUR', 'MT': 'EUR', 'US': 'USD', 'CA': 'USD', 'IN': 'USD', 'LK': 'USD', 'SV': 'USD', 'NI': 'USD', 'PA': 'USD', 'CO': 'USD', 'CR': 'USD', 'MX': 'USD', 'EC': 'USD', 'HN': 'USD', 'GT': 'USD', 'CL': 'USD', 'AU': 'USD', 'BZ': 'USD', 'DO': 'USD', 'KY': 'USD', 'KR': 'USD', 'GU': 'USD', 'IL': 'USD', 'JP': 'USD', 'KE': 'USD', 'KH': 'USD', 'PE': 'USD', 'SD': 'USD', 'NG': 'USD', 'NP': 'USD', 'NZ': 'USD', 'PY': 'USD', 'VE': 'USD', 'UY': 'USD', 'TW': 'USD', 'BO': 'USD', 'ZA': 'USD', 'ZM': 'USD', 'ZW': 'USD', 'VN': 'USD', 'SG': 'USD', 'TH': 'USD', 'TR': 'USD', 'PH': 'USD', 'ID': 'USD', 'MY': 'USD', 'AR': 'USD', 'BR': 'USD' }; let toolingCurrency = currencyList[userCountry]; if (toolingCurrency && toolingCurrency === 'USD') { haas.cookies.setCookie('salesOrg', '1000'); } else if (toolingCurrency && toolingCurrency !== 'USD') { haas.cookies.setCookie('salesOrg', '2000'); } else { haas.cookies.setCookie('salesOrg', '1000'); } haas.cookies.setCookie('tooling-currency', toolingCurrency); if (userCountry === 'USA' || userCountry === 'US') { $('body').addClass('show-ecommerce'); $('body').addClass('show-ecommerce-us'); haas.ecommUtils.setEcommercePermissions(); } else if (toolingCurrency) { $('body').addClass('show-ecommerce'); $('body').removeClass('show-ecommerce-us'); haas.ecommUtils.setEcommercePermissions(); } else { $('body').removeClass('show-ecommerce'); } if (toolingCurrency && haas.cookies.getCookie('currencySet') !== toolingCurrency) { let userSiteLang = window.location.pathname.match('/[a-z]{2}/|/[a-z]{2}.html') && window.location.pathname.match('/[a-z]{2}/|/[a-z]{2}.html').length ? window.location.pathname.match('/[a-z]{2}/|/[a-z]{2}.html')[0].substring(1, 3) : 'en'; let ecommLanguages = ['en', 'es', 'it', 'fr', 'pl', 'nl', 'de']; userSiteLang = ecommLanguages.includes(userSiteLang) ? userSiteLang : 'en'; haas.cookies.setCookie('currencySet', toolingCurrency); fetch(haas.constants.api.setEcommCurrency(userSiteLang, toolingCurrency), {method: 'POST'}); } }, promptCookieModal: function() { // cookieAlertModal may not yet be initialized when region.init() is called, // so wait for it to be ready before invoking the GDPR modal return $.when(haas.components.CookieAlertModal.cookiePromise).then(function(promise_ready){ if(promise_ready.cookieAlertModalReady){ haas.region.acceptCookies(region); } }); }, setRegionValues: function(currency, hfo, region, country, isInitial, publishBus){ console.log("## region.js setRegionValues: ", currency, hfo, region, country, isInitial, publishBus); return haas.region.getLocalization(haas.region.getLocale(region)).then(function(localization){ haas.region.setCurrentCurrency(currency, isInitial, publishBus); if (hfo !== null){ haas.region.setCurrentHfo(hfo, isInitial); } haas.region.setCurrentRegion(region, country, localization, isInitial); haas.region.handleRegionRedirect(region, country); haas.region.configureBlockedCountries(country); if (hfo !== null && hfo.id !== null) { return new Promise(function(resolve, reject) { resolve({ 'country': country, 'currency': currency, 'region': region, 'localization': localization, 'hfo': hfo, 'hfoid': hfo.id }); }); } else if (hfo !== null) { return new Promise(function(resolve, reject) { resolve({ 'country': country, 'currency': currency, 'region': region, 'localization': localization, 'hfo': hfo }); }); } else { return new Promise(function(resolve, reject) { resolve({ 'country': country, 'currency': currency, 'region': region, 'localization': localization }); }); } }); }, setCurrentCurrency: function(currency, initial, publishBus) { haas.region.props.currency = currency; if (initial){ if (document.cookie.indexOf('pldata4.1') !== -1) { haas.cookies.setCookie(haas.region.props.cookie_name_currency, currency); } else { $(window).on(this.events.COOKIES_ACCEPTED, function (event, cookiesAccepted) { if (cookiesAccepted) { haas.cookies.setCookie(haas.region.props.cookie_name_currency, currency); } }); } } else{ $(window).trigger(this.events.CURRENCY_CHANGED, [currency]); if(publishBus){ regionBus.publish({region: haas.region.props.region, currency: currency}); } if (haas.cookies.getCookie(haas.region.props.cookie_name_cookiesAccepted) === "true") { haas.cookies.setCookie(haas.region.props.cookie_name_currency, currency); } } }, /** * Set HFO and state (if applicable) cookies and trigger HFO changed event * @param {JSON} hfo: * {String} id * {String} name * {String} telephone * {String} fax * {JSON} address: * {String} addressLine1 * {String} addressLine2 * {String} country * {String} city * {String} state OR region * {String} postal * @param {boolean} initial on initial load or not */ setCurrentHfo: function(hfo, initial) { console.log("## setCurrentHfo: ", hfo); if (initial){ if (document.cookie.indexOf('pldata4.1') !== -1) { console.log("## set hfo cookie ('pldata2.2'): ", hfo); haas.cookies.setCookie(haas.region.props.cookie_name_hfo, hfo); if (hfo) { if (hfo.id) { console.log("## set hfo ID cookie ('pldata2.3'): ", hfo.id); haas.cookies.setCookie(haas.region.props.cookie_name_hfoid, hfo.id); } if (hfo.address && hfo.address.state) { console.log("## set state cookie: ", hfo.address.state); haas.cookies.setCookie(haas.region.props.cookie_name_state, hfo.address.state); } } } else { $(window).on(this.events.COOKIES_ACCEPTED, function(event, cookiesAccepted) { if (cookiesAccepted) { console.log("## set hfo cookie ('pldata2.2'): ", hfo); haas.cookies.setCookie(haas.region.props.cookie_name_hfo, hfo); if (hfo) { if (hfo.id) { console.log("## set hfo ID cookie ('pldata2.3'): ", hfo.id); haas.cookies.setCookie(haas.region.props.cookie_name_hfoid, hfo.id); } if (hfo.address && hfo.address.state) { console.log("## set state cookie: ", hfo.address.state); haas.cookies.setCookie(haas.region.props.cookie_name_state, hfo.address.state); } } } }); } } else { if (hfo) { if (hfo.id) { $(window).trigger(this.events.HFO_ID_CHANGED, [hfo.id]); } if (hfo.address && hfo.address.state) { $(window).trigger(this.events.STATE_CHANGED, [hfo.address.state]); } } if (haas.cookies.getCookie(haas.region.props.cookie_name_cookiesAccepted) === "true") { haas.cookies.setCookie(haas.region.props.cookie_name_hfo, hfo); if (hfo) { if (hfo.id) { haas.cookies.setCookie(haas.region.props.cookie_name_hfoid, hfo.id); } if (hfo.address && hfo.address.state) { haas.cookies.setCookie(haas.region.props.cookie_name_state, hfo.address.state); } } } $(window).trigger(this.events.HFO_CHANGED, [hfo]); } }, setCurrentRegion: function(region, country, localization, initial) { console.log("## setCurrentRegion: ", region, country, localization, initial); haas.region.props.region = region; haas.region.props.country = country; haas.region.setCurrentLocale(localization); if (initial) { if (document.cookie.indexOf('pldata4.1') !== -1) { var initLang = COUNTRY_REDIRECT_LIST[country] ? COUNTRY_REDIRECT_LIST[country] : 'en'; // initialize the site language in localStorage window.localStorage.storedSiteLang = initLang; haas.cookies.setCookie(haas.region.props.cookie_name_country, country); haas.cookies.setCookie(haas.region.props.cookie_name_region, region); } else { $(window).on(this.events.COOKIES_ACCEPTED, function (event, cookiesAccepted) { if (cookiesAccepted) { var initLang = COUNTRY_REDIRECT_LIST[country] ? COUNTRY_REDIRECT_LIST[country] : 'en'; // initialize the site language in localStorage window.localStorage.storedSiteLang = initLang; haas.cookies.setCookie(haas.region.props.cookie_name_country, country); haas.cookies.setCookie(haas.region.props.cookie_name_region, region); } }); } // On initial website visit, redirect user to their appropriate language site (unless already on it) if (COUNTRY_REDIRECT_LIST[country] && COUNTRY_REDIRECT_LIST[country] !== $('html').attr('lang')) { var page_path = ''; // replace language in page path, // all base language sites will have 8 character paths '/en.html', etc if (window.location.pathname === '/' || window.location.pathname === '/index.html' || window.location.pathname.length === 8) { page_path = '/'+COUNTRY_REDIRECT_LIST[country]+'.html'; window.location = page_path; } } } else { $(window).trigger(this.events.REGION_CHANGED, [region]); regionBus.publish({region: region, currency: haas.region.props.currency}); if (haas.cookies.getCookie(haas.region.props.cookie_name_cookiesAccepted) === "true") { haas.cookies.setCookie(haas.region.props.cookie_name_country, country); haas.cookies.setCookie(haas.region.props.cookie_name_region, region); } } }, setCurrentLocale:function(localization){ var locale = localization.cldr.locale; haas.region.props.locale = locale; haas.region.localization = localization; if (document.cookie.indexOf('pldata4.1') !== -1) { haas.cookies.setCookie(haas.region.props.cookie_name_locale, locale); } else { $(window).on(this.events.COOKIES_ACCEPTED, function(event, cookiesAccepted) { if (cookiesAccepted) { haas.cookies.setCookie(haas.region.props.cookie_name_locale, locale); } }); } }, setLocalization:function(localization){ haas.region.localization = localization; }, setRegionCSSClass: function(language, locale, region){ $('body').addClass("lang-" + language).addClass(locale + "-" + region).addClass("pl-" + region); // Arabic specific, set direction of page title to right to left by adding Right-to-Left unicode character before title if (language === 'ar') { document.getElementsByTagName('title')[0].text= '\u202b' + document.getElementsByTagName('title')[0].text; } }, setCookiesAccepted:function(value){ haas.region.props.cookiesAccepted = value; haas.cookies.setCookie(haas.region.props.cookie_name_cookiesAccepted, value, 365); $(window).trigger(this.events.COOKIES_ACCEPTED, [value]); }, acceptCookies: function(region){ // Require all users to accept cookies haas.components.CookieAlertModal.acceptCookieModal(); }, changeRegionForTesting:function(region){ var isInitial = false; haas.region.getLocalization(haas.region.getLocale(region)).then(function(localization){ haas.region.setCurrentRegion(region, haas.region.props.country, localization, isInitial); }); }, changeRegionAndCountryForTesting:function(region, country){ var isInitial = false; haas.region.getLocalization(haas.region.getLocale(region)).then(function(localization){ haas.region.setCurrentRegion(region, country, localization, isInitial); }); }, changeCurrencyForTesting:function(currency){ var isInitial = false; var publishBus = true; haas.region.setCurrentCurrency(currency, isInitial, publishBus); }, changeRegionAndCurrencyForTesting:function(region, currency){ var isInitial = false; var publishCurrencyBus = false; haas.region.getLocalization(haas.region.getLocale(region)).then(function(localization){ haas.region.setCurrentCurrency(currency, isInitial, publishCurrencyBus); haas.region.setCurrentRegion(region, haas.region.props.country, localization, isInitial); }); }, changeRegionCountryAndCurrencyForTesting:function(region, country, currency){ var isInitial = false; var publishCurrencyBus = false; haas.region.getLocalization(haas.region.getLocale(region)).then(function(localization){ haas.region.setCurrentCurrency(currency, isInitial, publishCurrencyBus); haas.region.setCurrentRegion(region, country, localization, isInitial); }); }, /** * @param hfo {string | JSON} */ changeHFOForTesting:function(hfo){ var isInitial = false; if (typeof hfo === "string") { var json = { "id": hfo, "name": "", "telephone": "", "fax": "", "address": { "addressLine1": "", "addressLine2": "", "country": haas.region.props.country, "city": "" } }; if (haas.region.props.country === "US") { json.address["state"] = haas.region.props.region; } else { json.address["region"] = haas.region.props.region; } haas.region.setCurrentHfo(json, isInitial); } else if (typeof hfo === "object") { haas.region.setCurrentHfo(hfo, isInitial); } else { console.warn("Unable to change HFO to: ", hfo); } }, /** * @param region {string} * @param country {string} * @param currency {string} * @param hfo {string | JSON} */ changeRegionCountryCurrencyAndHFOForTesting:function(region, country, currency, hfo){ var isInitial = false; var publishCurrencyBus = false; haas.region.getLocalization(haas.region.getLocale(region)).then(function(localization){ haas.region.setCurrentCurrency(currency, isInitial, publishCurrencyBus); haas.region.setCurrentRegion(region, country, localization, isInitial); if (typeof hfo === "string") { var json = { "id": hfo, "name": "", "telephone": "", "fax": "", "address": { "addressLine1": "", "addressLine2": "", "country": country, "city": "" } }; if (country === "US") { json.address["state"] = region; } else { json.address["region"] = region; } haas.region.setCurrentHfo(json, isInitial); } else if (typeof hfo === "object") { haas.region.setCurrentHfo(hfo, isInitial); } else { console.warn("Unable to change HFO to: ", hfo); } }); }, testCookieModal:function(){ // region.js gets initialized before cookieModal, // so wait to make sure it's ready before calling it.ok $.when(haas.components.CookieAlertModal.cookiePromise).then(function(promise_ready){ // wipe out cookies to simulate a fresh visit haas.cookies.setCookie(haas.region.props.cookie_name_currency, ""); haas.cookies.setCookie(haas.region.props.cookie_name_region, ""); haas.cookies.setCookie(haas.region.props.cookie_name_locale, ""); haas.cookies.setCookie(haas.region.props.cookie_name_hfo, ""); haas.cookies.setCookie(haas.region.props.cookie_name_hfoid, ""); haas.cookies.setCookie(haas.region.props.cookie_name_cookiesAccepted, false); if(haas.analytics.props.campaignCookie_name){ haas.cookies.setCookie(haas.analytics.props.campaignCookie_name, ""); } // change region to europe haas.region.changeRegionForTesting("HE"); // fire cookie modal haas.region.acceptCookies("HE"); }); } }; })(); /* global haas, _ */ (function () { 'use strict'; function Router () { this.location = window.location; this.isDestroyed = false; this.routes = []; this._baseHashChangeHandler = window.onhashchange || function(){}; this.currentRoute = null; this.currentState = null; this.hasOtherwiseRoute = false; } Router.isInitialized = false; // static API Router.create = function () { return new Router(); }; Router.getHash = function () { return window.location.hash.replace('#', ''); }; Router.getPath = function () { var hash = Router.getHash(); var queryStartIndex = hash.indexOf('?'); return hash.substr(0, queryStartIndex); }; Router.getQuery = function () { var qs = Router.getQueryString(); var res = {}; qs.split('&').forEach(function (querySegment) { var keyValuePair = querySegment.split('='); res[keyValuePair[0]] = decodeURIComponent(decodeURIComponent(keyValuePair[1])); }); return res; }; Router.getQueryString = function () { var hash = Router.getHash(); var queryStartIndex = hash.indexOf('?'); return hash.substr(queryStartIndex + 1); }; Router.prototype.init = function () { haas.LOGGER.debug('Initializing', this.routes.length, 'routes'); var self = this; if (Router.isInitialized) { throw new Error('An instance of Router has already been constructed'); } Router.isInitialized = true; window.onhashchange = function (e) { self._handleHashChange(); self._baseHashChangeHandler(e); }; self._handleHashChange(); return this; }; Router.prototype.getHash = function () { return Router.getHash(); }; Router.prototype.getPath = function () { return Router.getPath(); }; Router.prototype.getQuery = function () { return Router.getQuery(); }; Router.prototype.getCoercedQuery = function (ConstructorMap) { var query = this.getQuery(); var ret = {}; _.forEach(ConstructorMap, function (constructor, key) { var value = query[key]; if (!value) return; ret[key] = constructor(query[key]); }); return ret; }; // public API Router.prototype.when = function (path, handler) { if (typeof handler !== 'function') { throw new Error('Routes must have a handler'); } this.routes.push(Route.create({ path: path, handler: handler })); return this; }; Router.prototype.otherwise = function (handler) { if (typeof handler !== 'function') { throw new Error('Routes must have a handler'); } if (this.hasOtherwiseRoute) return this; this.routes.push(Route.create({ path: '*', handler: handler })); this.hasOtherwiseRoute = true; return this; }; Router.prototype.navigate = function navigate (path) { window.location.hash = '#' + path; return this; }; Router.prototype.destroy = function () { this.isDestroyed = true; window.onhashchange = this._baseHashChangeHandler; }; // private API Router.prototype._handleHashChange = function () { var route = _.find(this.routes, function (route) { return route.isMatch(Router.getPath()); }); if (!route) { var otherwiseRoute = _.find(this.routes, {path: '*'}); if (!otherwiseRoute) { this.currentState = null; return; } this.currentRoute = otherwiseRoute; this.currentState = RouterState.create(Router.getPath(), otherwiseRoute); otherwiseRoute.handler(this.currentState); return; } this.currentRoute = route; this.currentState = RouterState.create(Router.getPath(), route); route.handler(this.currentState); }; function RouterState (path, route) { this.path = path; this.route = route; } RouterState.prototype.getParams = function () { return this.route.getParams(this.path); }; RouterState.prototype.getQuery = function () { return Router.getQuery(); }; RouterState.prototype.getRoute = function () { return this.route; }; RouterState.create = function (path, route) { return new RouterState(path, route); }; function Route (config) { var self = this; this.path = config.path; this.handler = config.handler; this.segments = this.path.split('/'); this.params = []; this.segments.forEach(function (segment, index) { if (!Route.isSegmentParam(segment)) return; self.params.push({ name: segment.replace(':', ''), index: index }); }); } Route.prototype.isMatch = function (path) { var testSegments = path.split('/'); var matches = []; var testSegment; var i = 0; if (testSegments.length !== this.segments.length) { return false; } while (testSegments.length) { testSegment = testSegments.shift(); if (testSegment === this.segments[i] || Route.isSegmentParam(this.segments[i])) { matches.push(true); } else { matches.push(false); break; } i++; } return _.every(matches); }; Route.prototype.getParams = function (path) { if (!this.isMatch(path)) return {}; var res = {}; var pathSegments = path.split('/'); this.params.forEach(function (paramMeta) { res[paramMeta.name] = pathSegments[paramMeta.index]; }); return res; }; Route.create = function (config) { return new Route(config); }; // return new RE so that internal index is always new for global matching/testing Route.getSegmentParamRegex = function () { return /:\w+/g; }; Route.isSegmentParam = function (segment) { return Route.getSegmentParamRegex().test(segment); }; haas.Router = Router; haas.router = Router.create(); })(); (function () { 'use strict'; var device = haas.device = { breakpoints: { mobile: 0, tablet: 768, desktop: 1024, largeDesktop: 1224, xlarge: 1440 }, display: { isMobile: function () { return window.innerWidth >= device.breakpoints.mobile && window.innerWidth < device.breakpoints.tablet; }, isTablet: function () { return window.innerWidth >= device.breakpoints.tablet && window.innerWidth < device.breakpoints.desktop; }, isDesktop: function () { return window.innerWidth >= device.breakpoints.desktop; }, isLargeDesktop: function () { return window.innerWidth >= device.breakpoints.largeDesktop; }, isXLarge: function () { return window.innerWidth >= device.breakpoints.xlarge; } } }; })(); (function () { 'use strict'; var DOT_HTML = ".html"; var haas = window.haas || {}; var alarmSelector = null; haas.search = { fetchResults: function(searchUri) { return $.ajax({ crossDomain: true, data: { 'format': 'json' }, dataType: 'json', type: 'GET', url: searchUri }).done(function(data) { return data; }).fail(function (err, res) { if (err) { haas.LOGGER.warn(err); if (res) haas.LOGGER.info(res); return err; } return 'A search error occurred'; }); }, /** * @returns {string} alarm selector (if present), otherwise null */ getAlarmSelector: function() { return alarmSelector; }, /** * If alarm selector is present in current page URL, then replace ".html" with "." plus alarm selector plus ".html" * @param uri * @returns {string} modified URI, with alarm selector inserted before ".html" if alarm selector present */ insertAlarmSelectorInHTMLURI: function(uri) { if (uri == null || this.getAlarmSelector() == null || this.getAlarmSelector().length === 0) { return uri; } return uri.replace(DOT_HTML, "." + alarmSelector + DOT_HTML); } }; (function() { var alarmSelectorMatch = location.href.match(/\.(alarm=.+?)\.html$/); if (alarmSelectorMatch != null && alarmSelectorMatch.length > 1) { alarmSelector = alarmSelectorMatch[1]; } })(); //%20 = + | %22 = ! | %26 = & // Custom AEM DIY search engine: // // [http://linux-aemdauth.haasauto.local:4502/bin/haascnc/search.json?type=diy&q=e%20%26%26%20[search.contentType:%20%22Troubleshooting%20Guide%22]&offset=0&count=2] // // [http://linux-aemdauth.haasauto.local:4502/bin/haascnc/search.json?type=diy&q=test%20%26%26%20[search.contentType:%20%22Instruction%20Manual%22]%20%26%26%20[search.keywords:%20%222017%22]&offset=0&count=2] // // [http://linux-aemdauth.haasauto.local:4502/bin/haascnc/search.json?type=diy&q=your%20%26%26%20[search.contentType:%20%22Video%20Detail%20Page%22]%20%26%26%20[search.videoTags:%20%22Tip%20Of%20The%20Day%22]&offset=5&count=10] // // http://linux-aemdauth.haasauto.local:4502/bin/haascnc/search.json?type=diy&q=test // // Bing Search engine: // // http://linux-aemdauth.haasauto.local:4502/bin/haascnc/search.json?type=bing&q=test // // http://linux-aemdauth.haasauto.local:4502/bin/haascnc/search.json?type=bing&q=e%20%26%26%20[search.contentType:%20%22Troubleshooting%20Guide%22]&offset=0&count=2 // })(); /* global haas, $, _ */ (function () { 'use strict'; var Cache = haas.utils.PersistedCache; var TTL = 1000 * 60 * 60 * 4; // 4 hours haas.data.Store = Store; function Store (ns, initialState) { this.ns = ns; this.cache = new Cache(ns, TTL); this.state = null; this.deltas = []; this.shouldPersist = false; this.transition = function (handler) { var initialNextState = _.cloneDeep(this.state); var nextState = handler(initialNextState); if (!nextState) { nextState = initialNextState; } this.setState(nextState); return nextState; }; this.undo = function (steps) { steps = steps || 1; var self = this; _.times(steps, function () { self.state = self.deltas.pop(); }); return self.state; }; this.clear = function () { this.state = {}; this.deltas = []; if (this.shouldPersist) { this.cache.remove(); } }; this.setState = function (nextState) { this.state = _.cloneDeep(nextState); this.deltas.push(this.state); if (this.shouldPersist) { this.cache.set(this.state); } return this.state; }; this.getState = function () { return this.state; }; this.hydrate = function () { var self = this; var agents = haas.data.hydrationAgents[this.ns]; if (!agents || !agents.length) { haas.LOGGER.debug(this.ns, 'hydration called with no enqueued agents'); return this; } agents.forEach(function (agent) { self.transition(agent); }); return this; }; this.persist = function () { this.shouldPersist = true; }; this.setState(this.shouldPersist ? this.cache.get() : initialState || {}); } Store.create = function (ns, initialState) { return new Store(ns, initialState); }; })(); /* global haas, $, _ */ (function () { 'use strict'; var Store = haas.data.Store; haas.data.configuratorStore = Store.create('configurator_store', { functionality: null, category: null, series: null, model: null, x: null, y: null, z: null, yAxis: null, machinesContext: null, seriesSelectPath: null, modelSelectPath: null, recommendations: null, midpointPath: null, additionalDimensionsPath: null, showMultiplePieceSelector: false, showProvideAdditionalDimensions: false }); })(); /* global haas, _ */ (function () { 'use strict'; function Component (proto) { Object.assign(this, proto); } Component.create = componentFactory; function componentFactory (proto, SuperConstructor) { function HaasComponent (config) { this.initialize = _.noop; this.render = _.noop; Object.assign(this, config); Object.assign(this, proto); } var defaultProto = { $: function (selector) { return this.$element.find(selector); } }; // if another component is provided as a super, extend it // else use the base HaasComponent if (typeof SuperConstructor === 'function') { HaasComponent.prototype = Object.create(SuperConstructor.prototype); Object.assign(HaasComponent.prototype, proto); } else { Object.assign(HaasComponent.prototype, defaultProto); } return HaasComponent; } haas.Component = Component; })(); /* global haas, $ */ (function () { 'use strict'; var tokens = haas.constants.tokens; var initQueue = haas.components.initQueue = []; haas.components.initialize = initializeComponents; haas.components.run = runComponents; haas.components.registerTransientComponentElement = registerTransientComponentElement; haas.components.registerComponent = registerComponent; function initializeComponents () { $(tokens.DATA_COMPONENT).each(function () { initQueue.push(buildInitConfig(this)); }); haas.LOGGER.debug('Initializing', initQueue.length, 'components'); return this; } function buildInitConfig (element, componentId) { var $element = $(element); componentId = componentId || $element.data(tokens.COMPONENT); var $templates = $element.find(tokens.TEMPLATE_TAG); var $refs = $element.find(tokens.DATA_REF).filter(function () { // filter out child component refs from parent component to prevent conflicts return $(this).parents('[data-component]')[0] === $element[0]; }); var dataAttrs = Object.assign({}, $element.data()); var initConfig = { $element: $element, elementNode: element, componentId: componentId, data: dataAttrs }; if ($refs.length) initConfig.refs = buildRefs($refs); if ($templates.length) initConfig.templates = buildTemplates($templates); return initConfig; } function runComponents () { var renderQueue = haas.components.renderQueue = initQueue.map(bootstrapComponent); renderQueue.forEach(function (component) { component.render(); }); return this; } function bootstrapComponent (config) { var Component = haas.components[config.componentId]; if (!Component || typeof Component !== 'function') { haas.LOGGER.error('Cannot initialize haas.components.' + config.componentId + '. It is not a constructor.'); } var component = constructComponent(Component, config); if (!component) { haas.LOGGER.error('Unable to construct ' + config.componentId); return; } component.initialize(); return component; } function registerTransientComponentElement (element) { var initConfig = buildInitConfig(element); var bootstrappedComponent = bootstrapComponent(initConfig); haas.LOGGER.debug('Initializing transient component'); bootstrappedComponent.render(); return bootstrappedComponent; } function registerComponent (componentId, element) { var initConfig = buildInitConfig(element, componentId); var bootstrappedComponent = bootstrapComponent(initConfig); haas.LOGGER.debug('Initializing transient component'); bootstrappedComponent.render(); return bootstrappedComponent; } function buildRefs ($refs) { var refs = {}; $refs.each(function () { var $element = $(this); var refName = $element.data(tokens.REF); var existing = refs[refName]; if (existing) { $element = existing.add($element); } refs[refName] = $element; }); return refs; } function buildTemplates ($templates) { var templates = {}; $templates.each(function () { var $this = $(this); templates[$this.data(tokens.TEMPLATE_ID)] = _.template($this.html().trim()); }); return templates; } function constructComponent (Component, config) { if (typeof Component !== 'function') { haas.LOGGER.error(config.componentId + ' is not a registered component'); return haas.Component.create({}); } return new Component({ $element: config.$element, elementNode: config.elementNode, refs: config.refs || {}, templates: config.templates || {}, data: config.data || {} }); } })(); /* global $, haas */ $(function () { haas.components.initialize().run(); // prevents browser auto scroll on page load // $(window).on('beforeunload', function() { // $(window).scrollTop(0); // }); }); (function () { 'use strict'; var EVENT_CLICK = 'click'; var SELECTOR_CLOSER = '.modal-closer'; var SELECTOR_MODAL = '.haas-modal-body'; var SELECTOR_CLOSE = '.modal-close-btn'; var CLASS_PENDING = 'pending'; var MODAL_PADDING = 15; var modalBus = haas.bus.modal = haas.utils.Channel.create({ isOpen: false, loading: false, content: '', loadingSpinner: haas.constants.loadingSpinner, extraClass: '', forceFullWidth: false }); var modalEmitter = new haas.events.EventEmitter(); // modal can be triggered from anywhere with // haas.bus.modal.publish({isOpen: true, content: '

HTML GOES HERE

'}); // or with the static component helpers // haas.components.Modal.open(html) // haas.components.Modal.close() // haas.components.Modal.toggle(/* optional */ html) var Modal = haas.components.Modal = haas.Component.create({ initialize: function () { modalBus.subscribe(this.onBusUpdate.bind(this)); }, onBusUpdate: function (nextState) { this.renderModal(); }, onWrapperClick: function () { Modal.close(); }, setModalPosition: function () { var padding = MODAL_PADDING * 2; var $modal = this.$(SELECTOR_MODAL); var childWidths = $modal.children().map(function () { return $(this).outerWidth(); }); var maxChildWidth = Math.max.apply(null, childWidths) + padding; // if forcing full width, set width to respective max-widths if (haas.bus.modal.state.forceFullWidth) { if (window.innerWidth < 800) { maxChildWidth = window.innerWidth * .8; } else { maxChildWidth = window.innerWidth > 1440 ? 1440 * .9 : window.innerWidth * .9; } $modal.css('max-width', maxChildWidth); } else { $modal.css('max-width', ''); } $modal.css('width', maxChildWidth); var height = $modal.outerHeight() + padding; $modal.css({ 'margin-top': - height / 2, 'margin-left': - maxChildWidth / 2 }); modalEmitter.emit('resize', {height: height, width: maxChildWidth}); }, preOpen: function () { this.refs.$output.addClass(CLASS_PENDING); }, postOpen: function () { this.setModalPosition(); this.refs.$output.removeClass(CLASS_PENDING); this.bindPostOpenEvents(); }, bindPostOpenEvents: function () { var self = this; this.$('img').on('load', function () { self.setModalPosition(); modalEmitter.emit('load'); }); }, bindEvents: function () { this.$(SELECTOR_CLOSER).off(EVENT_CLICK).on(EVENT_CLICK, this.onWrapperClick.bind(this)); this.$(SELECTOR_CLOSE).off(EVENT_CLICK).on(EVENT_CLICK, this.onWrapperClick.bind(this)); this.$(SELECTOR_MODAL).off(EVENT_CLICK).on(EVENT_CLICK, function (e) { if (e.target !== document.querySelector(SELECTOR_CLOSE)) { e.stopPropagation(); } }); }, renderModal: function () { this.preOpen(); this.refs.$output.html(this.templates.modal(modalBus.state)); this.bindEvents(); this.postOpen(); } }); Modal.emitter = modalEmitter; Modal.open = function (content, extraClass, forceFullWidth) { modalBus.publish({loading: false, isOpen: true, content: content, extraClass: extraClass, forceFullWidth: !!forceFullWidth}); }; Modal.close = function () { modalBus.publish({loading: false, isOpen: false, content: ''}); }; Modal.toggle = function (content) { var state = Object.assign({}, modalBus.state); state.isOpen = !state.isOpen; state.content = content || state.content; modalBus.publish(state); return state; }; Modal.prompt = function (content, eventBinder) { Modal.open(content); eventBinder(); }; Modal.load = function () { modalBus.publish({loading: true, content: '', isOpen: true}); }; Modal.unload = function () { modalBus.publish({loading: false, content: '', isOpen: false}); }; Modal.resize = function() { modalBus.publish({resize: true}); }; Modal.initComponents = function() { $('.haas-modal [data-component]').each(function() { haas.components.registerTransientComponentElement(this); }); } })(); (function () { 'use strict'; var EVENT_CLICK = 'click'; var SELECTOR_CLOSER = '.modal-closer'; var SELECTOR_MODAL = '.haas-modal-body'; var SELECTOR_CLOSE = '.modal-close-btn'; var CLASS_PENDING = 'pending'; var MODAL_PADDING = 15; var modalBus = haas.bus.linkModal = haas.utils.Channel.create({ isOpen: false, loading: false, content: '', loadingSpinner: haas.constants.loadingSpinner }); var modalEmitter = new haas.events.EventEmitter(); // modal can be triggered from anywhere with // haas.bus.modal.publish({isOpen: true, content: '

HTML GOES HERE

'}); // or with the static component helpers // haas.components.LinkModal.open(html) // haas.components.LinkModal.close() // haas.components.LinkModal.toggle(/* optional */ html) var Modal = haas.components.LinkModal = haas.Component.create({ initialize: function () { modalBus.subscribe(this.onBusUpdate.bind(this)); }, onBusUpdate: function (nextState) { this.renderModal(); }, onWrapperClick: function () { Modal.close(); }, setModalPosition: function () { var padding = MODAL_PADDING * 2; var $modal = this.$(SELECTOR_MODAL); var $logo = this.$(".logo"); var childWidths = $modal.children().map(function () { return $(this).outerWidth(); }); var maxChildWidth = Math.max.apply(null, childWidths) + padding; if(maxChildWidth >= (this.getWidth*80/100)) { $modal.css('width', maxChildWidth); } else { $modal.css('width', this.getWidth); } $modal.css({ 'position': 'absolute', 'top': '50%', 'left': '50%', 'margin-right': '-50%', 'transform': 'translate(-50%, -50%)' }); $logo.css('display', 'none'); }, getWidth: function() { return Math.max( document.body.scrollWidth, document.documentElement.scrollWidth, document.body.offsetWidth, document.documentElement.offsetWidth, document.documentElement.clientWidth ); }, preOpen: function () { this.refs.$output.addClass(CLASS_PENDING); }, postOpen: function () { this.setModalPosition(); this.refs.$output.removeClass(CLASS_PENDING); this.bindPostOpenEvents(); }, bindPostOpenEvents: function () { var self = this; this.$('img').on('load', function () { self.setModalPosition(); modalEmitter.emit('load'); }); }, bindEvents: function () { this.$(SELECTOR_CLOSER).off(EVENT_CLICK).on(EVENT_CLICK, this.onWrapperClick.bind(this)); this.$(SELECTOR_CLOSE).off(EVENT_CLICK).on(EVENT_CLICK, this.onWrapperClick.bind(this)); this.$(SELECTOR_MODAL).off(EVENT_CLICK).on(EVENT_CLICK, function (e) { if (e.target !== document.querySelector(SELECTOR_CLOSE)) { e.stopPropagation(); } }); }, renderModal: function () { this.preOpen(); this.refs.$output.html(this.templates.modal(modalBus.state)); this.bindEvents(); this.postOpen(); } }); Modal.emitter = modalEmitter; Modal.open = function (content) { modalBus.publish({loading: false, isOpen: true, content: content}); }; Modal.close = function () { modalBus.publish({loading: false, isOpen: false, content: ''}); }; Modal.toggle = function (content) { var state = Object.assign({}, modalBus.state); state.isOpen = !state.isOpen; state.content = content || state.content; modalBus.publish(state); return state; }; Modal.prompt = function (content, eventBinder) { Modal.open(content); eventBinder(); }; Modal.load = function () { modalBus.publish({loading: true, content: '', isOpen: true}); }; Modal.unload = function () { modalBus.publish({loading: false, content: '', isOpen: false}); }; })(); (function () { 'use strict'; var display = haas.device.display; haas.components.CardCarousel = haas.Component.create({ config: { adaptiveHeight: true, infinite: true, slidesToShow: 1, slidesToScroll: 1, dots: true, draggable: true }, carousel: function () { haas.LOGGER.debug('Initializing mobile card carousel'); this.$element.slick(this.config); this.$element.slick('goTo', 0); }, render: function () { let _self = this; if ((display.isMobile() && !haas.utils.hasParentQuerySelector(_self.elementNode, '.tabgroup')) && (_self.elementNode.querySelector('.card-wrapper') || _self.elementNode.querySelector('.details') || _self.elementNode.querySelectorAll('.horizontal-details').length > 1)) { _self.carousel(); } } }); })(); window.FontAwesomeCdnConfig = { autoA11y: { enabled: false }, asyncLoading: { enabled: false }, reporting: { enabled: false }, useUrl: "use.fontawesome.com", faCdnUrl: "https://cdn.fontawesome.com:443", code: "95f7b4eb48" }; !function(){function a(a){var b,c=[],d=document,e=d.documentElement.doScroll,f="DOMContentLoaded",g=(e?/^loaded|^c/:/^loaded|^i|^c/).test(d.readyState);g||d.addEventListener(f,b=function(){for(d.removeEventListener(f,b),g=1;b=c.shift();)b()}),g?setTimeout(a,0):c.push(a)}function b(a,b){var c=!1;return a.split(",").forEach(function(a){var d=new RegExp(a.trim().replace(".","\\.").replace("*","(.*)"));b.match(d)&&(c=!0)}),c}function c(a){"undefined"!=typeof MutationObserver&&new MutationObserver(a).observe(document,{childList:!0,subtree:!0})}function d(a){var b,c,d,e;a=a||"fa",b=document.querySelectorAll("."+a),Array.prototype.forEach.call(b,function(a){c=a.getAttribute("title"),a.setAttribute("aria-hidden","true"),d=a.nextElementSibling?!a.nextElementSibling.classList.contains("sr-only"):!0,c&&d&&(e=document.createElement("span"),e.innerHTML=c,e.classList.add("sr-only"),a.parentNode.insertBefore(e,a.nextSibling))})}!function(){"use strict";function a(a){l.push(a),1==l.length&&k()}function b(){for(;l.length;)l[0](),l.shift()}function c(a){this.a=m,this.b=void 0,this.f=[];var b=this;try{a(function(a){f(b,a)},function(a){g(b,a)})}catch(c){g(b,c)}}function d(a){return new c(function(b,c){c(a)})}function e(a){return new c(function(b){b(a)})}function f(a,b){if(a.a==m){if(b==a)throw new TypeError;var c=!1;try{var d=b&&b.then;if(null!=b&&"object"==typeof b&&"function"==typeof d)return void d.call(b,function(b){c||f(a,b),c=!0},function(b){c||g(a,b),c=!0})}catch(e){return void(c||g(a,e))}a.a=0,a.b=b,h(a)}}function g(a,b){if(a.a==m){if(b==a)throw new TypeError;a.a=1,a.b=b,h(a)}}function h(b){a(function(){if(b.a!=m)for(;b.f.length;){var a=b.f.shift(),c=a[0],d=a[1],e=a[2],a=a[3];try{0==b.a?e("function"==typeof c?c.call(void 0,b.b):b.b):1==b.a&&("function"==typeof d?e(d.call(void 0,b.b)):a(b.b))}catch(f){a(f)}}})}function i(a){return new c(function(b,c){function d(c){return function(d){g[c]=d,f+=1,f==a.length&&b(g)}}var f=0,g=[];0==a.length&&b(g);for(var h=0;h=i?b():document.fonts.load(j(f,f.family),h).then(function(b){1<=b.length?a():setTimeout(c,25)},function(){b()})}c()}),o=new Promise(function(a,b){setTimeout(b,i)});Promise.race([o,n]).then(function(){a(f)},function(){e(f)})}else b(function(){function b(){var b;(b=-1!=q&&-1!=r||-1!=q&&-1!=s||-1!=r&&-1!=s)&&((b=q!=r&&q!=s&&r!=s)||(null===k&&(b=/AppleWebKit\/([0-9]+)(?:\.([0-9]+))/.exec(window.navigator.userAgent),k=!!b&&(536>parseInt(b[1],10)||536===parseInt(b[1],10)&&11>=parseInt(b[2],10))),b=k&&(q==t&&r==t&&s==t||q==u&&r==u&&s==u||q==v&&r==v&&s==v)),b=!b),b&&(w.parentNode&&w.parentNode.removeChild(w),clearTimeout(x),a(f))}function m(){if((new Date).getTime()-l>=i)w.parentNode&&w.parentNode.removeChild(w),e(f);else{var a=document.hidden;!0!==a&&void 0!==a||(q=n.a.offsetWidth,r=o.a.offsetWidth,s=p.a.offsetWidth,b()),x=setTimeout(m,50)}}var n=new c(h),o=new c(h),p=new c(h),q=-1,r=-1,s=-1,t=-1,u=-1,v=-1,w=document.createElement("div"),x=0;w.dir="ltr",d(n,j(f,"sans-serif")),d(o,j(f,"serif")),d(p,j(f,"monospace")),w.appendChild(n.a),w.appendChild(o.a),w.appendChild(p.a),document.body.appendChild(w),t=n.a.offsetWidth,u=o.a.offsetWidth,v=p.a.offsetWidth,m(),g(n,function(a){q=a,b()}),d(n,j(f,'"'+f.family+'",sans-serif')),g(o,function(a){r=a,b()}),d(o,j(f,'"'+f.family+'",serif')),g(p,function(a){s=a,b()}),d(p,j(f,'"'+f.family+'",monospace'))})})},f=h}();var g={observe:function(a,b){for(var c=b.prefix,d=function(a){var b=a.weight?"-"+a.weight:"",d=a.style?"-"+a.style:"",e=a.className?"-"+a.className:"",g=a.className?"-"+a.className+b+d:"",h=document.getElementsByTagName("html")[0].classList,i=function(a){h.add(c+e+"-"+a),h.add(c+g+"-"+a)},j=function(a){h.remove(c+e+"-"+a),h.remove(c+g+"-"+a)};i("loading"),new f(a.familyName).load(a.testString).then(function(){i("ready"),j("loading")},function(){i("failed"),j("loading")})},e=0;e
',image:'',iframe:'",error:'

The requested content cannot be loaded.
Please try again later.

',closeBtn:'',next:'',prev:''},openEffect:"fade",openSpeed:250,openEasing:"swing",openOpacity:!0, openMethod:"zoomIn",closeEffect:"fade",closeSpeed:250,closeEasing:"swing",closeOpacity:!0,closeMethod:"zoomOut",nextEffect:"elastic",nextSpeed:250,nextEasing:"swing",nextMethod:"changeIn",prevEffect:"elastic",prevSpeed:250,prevEasing:"swing",prevMethod:"changeOut",helpers:{overlay:!0,title:!0},onCancel:f.noop,beforeLoad:f.noop,afterLoad:f.noop,beforeShow:f.noop,afterShow:f.noop,beforeChange:f.noop,beforeClose:f.noop,afterClose:f.noop},group:{},opts:{},previous:null,coming:null,current:null,isActive:!1, isOpen:!1,isOpened:!1,wrap:null,skin:null,outer:null,inner:null,player:{timer:null,isActive:!1},ajaxLoad:null,imgPreload:null,transitions:{},helpers:{},open:function(a,d){if(a&&(f.isPlainObject(d)||(d={}),!1!==b.close(!0)))return f.isArray(a)||(a=t(a)?f(a).get():[a]),f.each(a,function(e,c){var k={},g,h,j,m,l;"object"===f.type(c)&&(c.nodeType&&(c=f(c)),t(c)?(k={href:c.data("fancybox-href")||c.attr("href"),title:c.data("fancybox-title")||c.attr("title"),isDom:!0,element:c},f.metadata&&f.extend(!0,k, c.metadata())):k=c);g=d.href||k.href||(q(c)?c:null);h=d.title!==v?d.title:k.title||"";m=(j=d.content||k.content)?"html":d.type||k.type;!m&&k.isDom&&(m=c.data("fancybox-type"),m||(m=(m=c.prop("class").match(/fancybox\.(\w+)/))?m[1]:null));q(g)&&(m||(b.isImage(g)?m="image":b.isSWF(g)?m="swf":"#"===g.charAt(0)?m="inline":q(c)&&(m="html",j=c)),"ajax"===m&&(l=g.split(/\s+/,2),g=l.shift(),l=l.shift()));j||("inline"===m?g?j=f(q(g)?g.replace(/.*(?=#[^\s]+$)/,""):g):k.isDom&&(j=c):"html"===m?j=g:!m&&(!g&& k.isDom)&&(m="inline",j=c));f.extend(k,{href:g,type:m,content:j,title:h,selector:l});a[e]=k}),b.opts=f.extend(!0,{},b.defaults,d),d.keys!==v&&(b.opts.keys=d.keys?f.extend({},b.defaults.keys,d.keys):!1),b.group=a,b._start(b.opts.index)},cancel:function(){var a=b.coming;a&&!1!==b.trigger("onCancel")&&(b.hideLoading(),b.ajaxLoad&&b.ajaxLoad.abort(),b.ajaxLoad=null,b.imgPreload&&(b.imgPreload.onload=b.imgPreload.onerror=null),a.wrap&&a.wrap.stop(!0,!0).trigger("onReset").remove(),b.coming=null,b.current|| b._afterZoomOut(a))},close:function(a){b.cancel();!1!==b.trigger("beforeClose")&&(b.unbindEvents(),b.isActive&&(!b.isOpen||!0===a?(f(".fancybox-wrap").stop(!0).trigger("onReset").remove(),b._afterZoomOut()):(b.isOpen=b.isOpened=!1,b.isClosing=!0,f(".fancybox-item, .fancybox-nav").remove(),b.wrap.stop(!0,!0).removeClass("fancybox-opened"),b.transitions[b.current.closeMethod]())))},play:function(a){var d=function(){clearTimeout(b.player.timer)},e=function(){d();b.current&&b.player.isActive&&(b.player.timer= setTimeout(b.next,b.current.playSpeed))},c=function(){d();p.unbind(".player");b.player.isActive=!1;b.trigger("onPlayEnd")};if(!0===a||!b.player.isActive&&!1!==a){if(b.current&&(b.current.loop||b.current.index=c.index?"next":"prev"],b.router=e||"jumpto",c.loop&&(0>a&&(a=c.group.length+a%c.group.length),a%=c.group.length),c.group[a]!==v&&(b.cancel(),b._start(a)))},reposition:function(a,d){var e=b.current,c=e?e.wrap:null,k;c&&(k=b._getPosition(d),a&&"scroll"===a.type?(delete k.position,c.stop(!0,!0).animate(k,200)):(c.css(k),e.pos=f.extend({},e.dim,k)))},update:function(a){var d= a&&a.type,e=!d||"orientationchange"===d;e&&(clearTimeout(B),B=null);b.isOpen&&!B&&(B=setTimeout(function(){var c=b.current;c&&!b.isClosing&&(b.wrap.removeClass("fancybox-tmp"),(e||"load"===d||"resize"===d&&c.autoResize)&&b._setDimension(),"scroll"===d&&c.canShrink||b.reposition(a),b.trigger("onUpdate"),B=null)},e&&!s?0:300))},toggle:function(a){b.isOpen&&(b.current.fitToView="boolean"===f.type(a)?a:!b.current.fitToView,s&&(b.wrap.removeAttr("style").addClass("fancybox-tmp"),b.trigger("onUpdate")), b.update())},hideLoading:function(){p.unbind(".loading");f("#fancybox-loading").remove()},showLoading:function(){var a,d;b.hideLoading();a=f('
').click(b.cancel).appendTo("body");p.bind("keydown.loading",function(a){if(27===(a.which||a.keyCode))a.preventDefault(),b.cancel()});b.defaults.fixed||(d=b.getViewport(),a.css({position:"absolute",top:0.5*d.h+d.y,left:0.5*d.w+d.x}))},getViewport:function(){var a=b.current&&b.current.locked||!1,d={x:n.scrollLeft(), y:n.scrollTop()};a?(d.w=a[0].clientWidth,d.h=a[0].clientHeight):(d.w=s&&r.innerWidth?r.innerWidth:n.width(),d.h=s&&r.innerHeight?r.innerHeight:n.height());return d},unbindEvents:function(){b.wrap&&t(b.wrap)&&b.wrap.unbind(".fb");p.unbind(".fb");n.unbind(".fb")},bindEvents:function(){var a=b.current,d;a&&(n.bind("orientationchange.fb"+(s?"":" resize.fb")+(a.autoCenter&&!a.locked?" scroll.fb":""),b.update),(d=a.keys)&&p.bind("keydown.fb",function(e){var c=e.which||e.keyCode,k=e.target||e.srcElement; if(27===c&&b.coming)return!1;!e.ctrlKey&&(!e.altKey&&!e.shiftKey&&!e.metaKey&&(!k||!k.type&&!f(k).is("[contenteditable]")))&&f.each(d,function(d,k){if(1h[0].clientWidth||h[0].clientHeight&&h[0].scrollHeight>h[0].clientHeight),h=f(h).parent();if(0!==c&&!j&&1g||0>k)b.next(0>g?"up":"right");d.preventDefault()}}))},trigger:function(a,d){var e,c=d||b.coming||b.current;if(c){f.isFunction(c[a])&&(e=c[a].apply(c,Array.prototype.slice.call(arguments,1)));if(!1===e)return!1;c.helpers&&f.each(c.helpers,function(d,e){if(e&&b.helpers[d]&&f.isFunction(b.helpers[d][a]))b.helpers[d][a](f.extend(!0, {},b.helpers[d].defaults,e),c)});p.trigger(a)}},isImage:function(a){return q(a)&&a.match(/(^data:image\/.*,)|(\.(jp(e|g|eg)|gif|png|bmp|webp|svg)((\?|#).*)?$)/i)},isSWF:function(a){return q(a)&&a.match(/\.(swf)((\?|#).*)?$/i)},_start:function(a){var d={},e,c;a=l(a);e=b.group[a]||null;if(!e)return!1;d=f.extend(!0,{},b.opts,e);e=d.margin;c=d.padding;"number"===f.type(e)&&(d.margin=[e,e,e,e]);"number"===f.type(c)&&(d.padding=[c,c,c,c]);d.modal&&f.extend(!0,d,{closeBtn:!1,closeClick:!1,nextClick:!1,arrows:!1, mouseWheel:!1,keys:null,helpers:{overlay:{closeClick:!1}}});d.autoSize&&(d.autoWidth=d.autoHeight=!0);"auto"===d.width&&(d.autoWidth=!0);"auto"===d.height&&(d.autoHeight=!0);d.group=b.group;d.index=a;b.coming=d;if(!1===b.trigger("beforeLoad"))b.coming=null;else{c=d.type;e=d.href;if(!c)return b.coming=null,b.current&&b.router&&"jumpto"!==b.router?(b.current.index=a,b[b.router](b.direction)):!1;b.isActive=!0;if("image"===c||"swf"===c)d.autoHeight=d.autoWidth=!1,d.scrolling="visible";"image"===c&&(d.aspectRatio= !0);"iframe"===c&&s&&(d.scrolling="scroll");d.wrap=f(d.tpl.wrap).addClass("fancybox-"+(s?"mobile":"desktop")+" fancybox-type-"+c+" fancybox-tmp "+d.wrapCSS).appendTo(d.parent||"body");f.extend(d,{skin:f(".fancybox-skin",d.wrap),outer:f(".fancybox-outer",d.wrap),inner:f(".fancybox-inner",d.wrap)});f.each(["Top","Right","Bottom","Left"],function(a,b){d.skin.css("padding"+b,w(d.padding[a]))});b.trigger("onReady");if("inline"===c||"html"===c){if(!d.content||!d.content.length)return b._error("content")}else if(!e)return b._error("href"); "image"===c?b._loadImage():"ajax"===c?b._loadAjax():"iframe"===c?b._loadIframe():b._afterLoad()}},_error:function(a){f.extend(b.coming,{type:"html",autoWidth:!0,autoHeight:!0,minWidth:0,minHeight:0,scrolling:"no",hasError:a,content:b.coming.tpl.error});b._afterLoad()},_loadImage:function(){var a=b.imgPreload=new Image;a.onload=function(){this.onload=this.onerror=null;b.coming.width=this.width/b.opts.pixelRatio;b.coming.height=this.height/b.opts.pixelRatio;b._afterLoad()};a.onerror=function(){this.onload= this.onerror=null;b._error("image")};a.src=b.coming.href;!0!==a.complete&&b.showLoading()},_loadAjax:function(){var a=b.coming;b.showLoading();b.ajaxLoad=f.ajax(f.extend({},a.ajax,{url:a.href,error:function(a,e){b.coming&&"abort"!==e?b._error("ajax",a):b.hideLoading()},success:function(d,e){"success"===e&&(a.content=d,b._afterLoad())}}))},_loadIframe:function(){var a=b.coming,d=f(a.tpl.iframe.replace(/\{rnd\}/g,(new Date).getTime())).attr("scrolling",s?"auto":a.iframe.scrolling).attr("src",a.href); f(a.wrap).bind("onReset",function(){try{f(this).find("iframe").hide().attr("src","//about:blank").end().empty()}catch(a){}});a.iframe.preload&&(b.showLoading(),d.one("load",function(){f(this).data("ready",1);s||f(this).bind("load.fb",b.update);f(this).parents(".fancybox-wrap").width("100%").removeClass("fancybox-tmp").show();b._afterLoad()}));a.content=d.appendTo(a.inner);a.iframe.preload||b._afterLoad()},_preloadImages:function(){var a=b.group,d=b.current,e=a.length,c=d.preload?Math.min(d.preload, e-1):0,f,g;for(g=1;g<=c;g+=1)f=a[(d.index+g)%e],"image"===f.type&&f.href&&((new Image).src=f.href)},_afterLoad:function(){var a=b.coming,d=b.current,e,c,k,g,h;b.hideLoading();if(a&&!1!==b.isActive)if(!1===b.trigger("afterLoad",a,d))a.wrap.stop(!0).trigger("onReset").remove(),b.coming=null;else{d&&(b.trigger("beforeChange",d),d.wrap.stop(!0).removeClass("fancybox-opened").find(".fancybox-item, .fancybox-nav").remove());b.unbindEvents();e=a.content;c=a.type;k=a.scrolling;f.extend(b,{wrap:a.wrap,skin:a.skin, outer:a.outer,inner:a.inner,current:a,previous:d});g=a.href;switch(c){case "inline":case "ajax":case "html":a.selector?e=f("
").html(e).find(a.selector):t(e)&&(e.data("fancybox-placeholder")||e.data("fancybox-placeholder",f('
').insertAfter(e).hide()),e=e.show().detach(),a.wrap.bind("onReset",function(){f(this).find(e).length&&e.hide().replaceAll(e.data("fancybox-placeholder")).data("fancybox-placeholder",!1)}));break;case "image":e=a.tpl.image.replace("{href}", g);break;case "swf":e='',h="",f.each(a.swf,function(a,b){e+='';h+=" "+a+'="'+b+'"'}),e+='"}(!t(e)||!e.parent().is(a.inner))&&a.inner.append(e);b.trigger("beforeShow");a.inner.css("overflow","yes"===k?"scroll": "no"===k?"hidden":k);b._setDimension();b.reposition();b.isOpen=!1;b.coming=null;b.bindEvents();if(b.isOpened){if(d.prevMethod)b.transitions[d.prevMethod]()}else f(".fancybox-wrap").not(a.wrap).stop(!0).trigger("onReset").remove();b.transitions[b.isOpened?a.nextMethod:a.openMethod]();b._preloadImages()}},_setDimension:function(){var a=b.getViewport(),d=0,e=!1,c=!1,e=b.wrap,k=b.skin,g=b.inner,h=b.current,c=h.width,j=h.height,m=h.minWidth,u=h.minHeight,n=h.maxWidth,p=h.maxHeight,s=h.scrolling,q=h.scrollOutside? h.scrollbarWidth:0,x=h.margin,y=l(x[1]+x[3]),r=l(x[0]+x[2]),v,z,t,C,A,F,B,D,H;e.add(k).add(g).width("auto").height("auto").removeClass("fancybox-tmp");x=l(k.outerWidth(!0)-k.width());v=l(k.outerHeight(!0)-k.height());z=y+x;t=r+v;C=E(c)?(a.w-z)*l(c)/100:c;A=E(j)?(a.h-t)*l(j)/100:j;if("iframe"===h.type){if(H=h.content,h.autoHeight&&1===H.data("ready"))try{H[0].contentWindow.document.location&&(g.width(C).height(9999),F=H.contents().find("body"),q&&F.css("overflow-x","hidden"),A=F.outerHeight(!0))}catch(G){}}else if(h.autoWidth|| h.autoHeight)g.addClass("fancybox-tmp"),h.autoWidth||g.width(C),h.autoHeight||g.height(A),h.autoWidth&&(C=g.width()),h.autoHeight&&(A=g.height()),g.removeClass("fancybox-tmp");c=l(C);j=l(A);D=C/A;m=l(E(m)?l(m,"w")-z:m);n=l(E(n)?l(n,"w")-z:n);u=l(E(u)?l(u,"h")-t:u);p=l(E(p)?l(p,"h")-t:p);F=n;B=p;h.fitToView&&(n=Math.min(a.w-z,n),p=Math.min(a.h-t,p));z=a.w-y;r=a.h-r;h.aspectRatio?(c>n&&(c=n,j=l(c/D)),j>p&&(j=p,c=l(j*D)),cz||y>r)&&(c>m&&j>u)&&!(19n&&(c=n,j=l(c/D)),g.width(c).height(j),e.width(c+x),a=e.width(),y=e.height();else c=Math.max(m,Math.min(c,c-(a-z))),j=Math.max(u,Math.min(j,j-(y-r)));q&&("auto"===s&&jz||y>r)&&c>m&&j>u;c=h.aspectRatio?cu&&j
').appendTo(b.coming?b.coming.parent:a.parent);this.fixed=!1;a.fixed&&b.defaults.fixed&&(this.overlay.addClass("fancybox-overlay-fixed"),this.fixed=!0)},open:function(a){var d=this;a=f.extend({},this.defaults,a);this.overlay?this.overlay.unbind(".overlay").width("auto").height("auto"):this.create(a);this.fixed||(n.bind("resize.overlay",f.proxy(this.update,this)),this.update());a.closeClick&&this.overlay.bind("click.overlay",function(a){if(f(a.target).hasClass("fancybox-overlay"))return b.isActive? b.close():d.close(),!1});this.overlay.css(a.css).show()},close:function(){var a,b;n.unbind("resize.overlay");this.el.hasClass("fancybox-lock")&&(f(".fancybox-margin").removeClass("fancybox-margin"),a=n.scrollTop(),b=n.scrollLeft(),this.el.removeClass("fancybox-lock"),n.scrollTop(a).scrollLeft(b));f(".fancybox-overlay").remove().hide();f.extend(this,{overlay:null,fixed:!1})},update:function(){var a="100%",b;this.overlay.width(a).height("100%");I?(b=Math.max(G.documentElement.offsetWidth,G.body.offsetWidth), p.width()>b&&(a=p.width())):p.width()>n.width()&&(a=p.width());this.overlay.width(a).height(p.height())},onReady:function(a,b){var e=this.overlay;f(".fancybox-overlay").stop(!0,!0);e||this.create(a);a.locked&&(this.fixed&&b.fixed)&&(e||(this.margin=p.height()>n.height()?f("html").css("margin-right").replace("px",""):!1),b.locked=this.overlay.append(b.wrap),b.fixed=!1);!0===a.showEarly&&this.beforeShow.apply(this,arguments)},beforeShow:function(a,b){var e,c;b.locked&&(!1!==this.margin&&(f("*").filter(function(){return"fixed"=== f(this).css("position")&&!f(this).hasClass("fancybox-overlay")&&!f(this).hasClass("fancybox-wrap")}).addClass("fancybox-margin"),this.el.addClass("fancybox-margin")),e=n.scrollTop(),c=n.scrollLeft(),this.el.addClass("fancybox-lock"),n.scrollTop(e).scrollLeft(c));this.open(a)},onUpdate:function(){this.fixed||this.update()},afterClose:function(a){this.overlay&&!b.coming&&this.overlay.fadeOut(a.speedOut,f.proxy(this.close,this))}};b.helpers.title={defaults:{type:"float",position:"bottom"},beforeShow:function(a){var d= b.current,e=d.title,c=a.type;f.isFunction(e)&&(e=e.call(d.element,d));if(q(e)&&""!==f.trim(e)){d=f('
'+e+"
");switch(c){case "inside":c=b.skin;break;case "outside":c=b.wrap;break;case "over":c=b.inner;break;default:c=b.skin,d.appendTo("body"),I&&d.width(d.width()),d.wrapInner(''),b.current.margin[2]+=Math.abs(l(d.css("margin-bottom")))}d["top"===a.position?"prependTo":"appendTo"](c)}}};f.fn.fancybox=function(a){var d, e=f(this),c=this.selector||"",k=function(g){var h=f(this).blur(),j=d,k,l;!g.ctrlKey&&(!g.altKey&&!g.shiftKey&&!g.metaKey)&&!h.is(".fancybox-wrap")&&(k=a.groupAttr||"data-fancybox-group",l=h.attr(k),l||(k="rel",l=h.get(0)[k]),l&&(""!==l&&"nofollow"!==l)&&(h=c.length?f(c):e,h=h.filter("["+k+'="'+l+'"]'),j=h.index(this)),a.index=j,!1!==b.open(h,a)&&g.preventDefault())};a=a||{};d=a.index||0;!c||!1===a.live?e.unbind("click.fb-start").bind("click.fb-start",k):p.undelegate(c,"click.fb-start").delegate(c+ ":not('.fancybox-item, .fancybox-nav')","click.fb-start",k);this.filter("[data-fancybox-start=1]").trigger("click");return this};p.ready(function(){var a,d;f.scrollbarWidth===v&&(f.scrollbarWidth=function(){var a=f('
').appendTo("body"),b=a.children(),b=b.innerWidth()-b.height(99).innerWidth();a.remove();return b});if(f.support.fixedPosition===v){a=f.support;d=f('
').appendTo("body");var e=20=== d[0].offsetTop||15===d[0].offsetTop;d.remove();a.fixedPosition=e}f.extend(b.defaults,{scrollbarWidth:f.scrollbarWidth(),fixed:f.support.fixedPosition,parent:f("body")});a=f(r).width();J.addClass("fancybox-lock-test");d=f(r).width();J.removeClass("fancybox-lock-test");f("").appendTo("head")})})(window,document,jQuery); $(document).ready(function() { $(".fancybox-gallery").fancybox({ helpers : { title: { type: 'inside' } }, iframe : { scrolling : 'no' }, maxWidth: 1000, maxHeight: 600, fitToView: true, autoSize: false, width: '80%', height: '80%', closeClick: true, hideOnOverlayClick: true, openEffect: 'none', closeEffect: 'none', beforeShow : function () { this.title = (this.title ? '' + this.title + '' : '') + ' ' + (this.index + 1) + ' of ' + this.group.length + ' '; }, afterShow: function () { $('.fancybox-wrap').swipe({ swipe : function(event, direction) { if (direction === 'left' || direction === 'up') { $.fancybox.prev( direction ); } else { $.fancybox.next( direction ); } } }); }, onComplete: function () { $.fancybox.resize(); $.fancybox.center(); } }); $(".fancybox-newsletter").fancybox({ maxWidth: 800, maxHeight: 700, minHeight:460, autoscale: false, autoDimensions: false, width: '100%', height: '100%', closeClick: true, hideOnOverlayClick: true, openEffect: 'none', closeEffect: 'none', 'type' : 'iframe', 'hideOnContentClick': false, 'title' : null, autoSize : true, // so the size will be 800x1200 autoCenter: false, // so fancybox will scroll down if needed fitToView : false, // so fancybox won't try to scale the content to the size of the browser window scrolling : 'no' // so no scroll bars inside fancybox }); $("a#fancybox-inline").fancybox({ 'hideOnContentClick': true, maxWidth: 500 }); }); $(document).ready(function(){ //smooth scroll to anchor tag function $("a.navigation_link").click(function(event) { if (location.pathname.replace(/^\//,"") === this.pathname.replace(/^\//,"") && location.hostname === this.hostname) { event.preventDefault(); var target = $(this.hash); target = target.length ? target : $("[name=" + this.hash.slice(1) +"]"); if (target.length) { $("html,body").animate({ scrollTop: target.offset().top - 90 }, 1200); return false; } } }); }); $(document).ready(function(){ //open external links in new tab with exceptions. $('a').each(function(linkcheck) { var $this = $(this); var thisHref = $this.attr("href"); if (thisHref){ if ($this.is('[href^="/"]')) { //alert ("internal"); } else if (thisHref.match(/(aemdev|aemqas|aemprodtest|www).haascnc.com/i)) { //alert ("internal dev"); } else if ($this.is('[href$="youtube"]') || $this.is('[href$="mailchimp"]') ) { } // need to preserve js only links (ie: href="#") // added support for anchor links (i.e., href="#pageid") else if (thisHref.indexOf('#') === 0) { //console.log('page anchor href: ' + thisHref); } else { //alert ("external"); $this.attr("target", "_blank"); } } }); }); (function () { 'use strict'; var haas = window.haas || {}; var KEY_ACCESS_TOKEN = "access_token"; var COOKIE_AUTHENTICATED = "authenticated"; var LOGGED_OUT = "LOGGED_OUT"; var SUCCESS = "SUCCESS"; /** * Get JWT payload JSON object decoded from access_token String * @param access_token {string} * @returns {Object} */ var getJWTPayload = function(access_token) { var regexp = /.+\.(.+?)\..+$/; // pattern to select the payload from the JWT token (header.payload.signature) var match = regexp.exec(access_token); if (match && match.length > 1) { try { var decodedPayload = atob(match[1]); try { return JSON.parse(decodedPayload); } catch(e) { haas.LOGGER.error("Exception thrown while parsing decoding JWT payload JSON string", e); return {}; } } catch (e) { haas.LOGGER.error("Exception thrown while decoding JWT payload", e); return {}; } } return {}; }; haas.jwToken = { access_token: '', userData : { 'loginResult': LOGGED_OUT }, /** * Check if JWT payload login result is successful * @param payload {Object} token payload JSON * @returns {boolean} */ isValid: function(payload) { return payload ? localStorage.access_token : false; }, /** * Set JWT access token in local storage, reset jwtPromise, and refresh components affected by authentication * @param token {String} */ setToken: function(token) { this.userData = { 'loginResult': LOGGED_OUT }; // set full encoded JWT token from local storage, key "access_token" localStorage.setItem(KEY_ACCESS_TOKEN, token); // remove "authenticated" cookie, if it exists haas.cookies.removeCookie(COOKIE_AUTHENTICATED); this.jwtPromise = this.getUserInfo(); if (haas.fleet && haas.fleet.myHaasDropdown) { haas.fleet.myHaasDropdown.refresh(); } }, /** * Get full encoded JWT token from local storage, key "access_token" * @returns {string} */ getToken: function () { this.access_token = localStorage.getItem(KEY_ACCESS_TOKEN); return this.access_token; }, /** * Returns promise containing the JWT payload JSON (user data) * @returns {*|PromiseLike|Promise} */ getUserInfo: function () { var self = this; self.getToken(); if(self.access_token === null){ // if the angular app hasn't delivered the token, // remove "authenticated" cookie, if it exists haas.cookies.removeCookie(COOKIE_AUTHENTICATED); // return an unsuccessful result return new Promise(function(resolve, reject) { resolve(self.userData); }); } else if (haas.cookies.getCookie(COOKIE_AUTHENTICATED)) { // if access token is already in localStorage AND authenticated cookie is set and not yet expired: // set local var with token data self.userData = getJWTPayload(self.access_token); if (self.userData && self.isValid(self.userData)){ $('body').addClass('authenticated'); } else { haas.LOGGER.log('JWT Token decoded and parsed from local storage is invalid, logging user out.'); $('body').removeClass('authenticated'); // remove the "access_token" item from local storage, if they exist localStorage.removeItem(KEY_ACCESS_TOKEN); // remove "authenticated" cookie, if it exists haas.cookies.removeCookie(COOKIE_AUTHENTICATED); } return new Promise(function(resolve, reject) { resolve(self.userData); }); } else{ // Otherwise, if MyHaas app has delivered the access token, but the authenticated cookie isn't set, // then verify the JWT token and store an authenticated cookie that expires at the same time as the JWT token return $.ajax({ "type": "GET", "url": haas.constants.api.jwToken, "headers": { "Authorization": "Bearer " + self.access_token } }).then(function (data) { var customer = data.result; if (data.success && customer) { // if the info exists and is not expired, update with new information var now = $.now(); if (customer.exp && (now < (Number(customer.exp) * 1000))) { // if cookies have been accepted, if (haas.cookies.getCookie(haas.region.props.cookie_name_cookiesAccepted) === "true") { // set cookie that expires with JWT token expires so we can check to see if user should still be logged in var expiresDate = new Date(Number(customer.exp) * 1000); haas.cookies.setCookie(COOKIE_AUTHENTICATED, true, expiresDate); } else { // remove the "access_token" item from local storage, if they exist localStorage.removeItem(KEY_ACCESS_TOKEN); // remove "authenticated" cookie, if it exists haas.cookies.removeCookie(COOKIE_AUTHENTICATED); } // regardless of cookies, set the data in the global data variable so we can access it self.userData = data.result; // example decoded and parsed JWT payload: // { // "success":true, // "result":{ // "loginResult":"SUCCESS", // "firstName":"Sudheer", // "middleName2":"", // "lastName":"Boora", // "jsessionid":"745701B15E9D69A4927778837F3FCADC", // "contactId":"0000550650", // "name":"Sudheer Boora", // "customerId":"0000121825", // "middleName":"", // "title":"0002", // "acceleratorSecureGUID":"0cc02ecc9223c79b1c3d4e81d6290981697acc4d", // "email":"sudheer_boora@yahoo.com", // "iat":1543422184, // "exp":1544026984 // } // } } else{ haas.LOGGER.log('JWT Token expired, or expiration date not given.'); // remove the "access_token" item from local storage, if they exist localStorage.removeItem(KEY_ACCESS_TOKEN); // remove "authenticated" cookie, if it exists haas.cookies.removeCookie(COOKIE_AUTHENTICATED); } } return new Promise(function(resolve, reject) { resolve(self.userData); }); }).done(function (jwtPromise) { // add class to body $('body').addClass('authenticated'); // deliver promise return jwtPromise; }).fail(function(response){ haas.LOGGER.log('JWT Token could not be verified.'); // remove the "access_token" item from local storage, if they exist localStorage.removeItem(KEY_ACCESS_TOKEN); // remove "authenticated" cookie, if it exists haas.cookies.removeCookie(COOKIE_AUTHENTICATED); return new Promise(function(resolve, reject) { resolve(self.userData); }); } ) } } }; /** * Returns promise containing the JWT payload JSON (user data) * @returns {*|PromiseLike|Promise} */ haas.jwToken.jwtPromise = haas.jwToken.getUserInfo(); // to access from other pages: // $.when(haas.jwToken.jwtPromise).then(function (payload) { // if (haas.jwToken.isValid(payload)) { // // Do something, e.g., send the access token with an AJAX request // var headers = { // "Authorization": "Bearer " + haas.jwToken.getToken(), // "Cache-Control": "no-cache" // }; // return getJSON(url, headers); // } else { // return {"success": false}; // } // }); // // $.when(haas.jwToken.jwtPromise).then(function (payload) { // if (haas.jwToken.isValid(payload)) { // // Do something // } // } })(); /*! * Select2 4.0.6-rc.1 * https://select2.github.io * * Released under the MIT license * https://github.com/select2/select2/blob/master/LICENSE.md */ ;(function (factory) { if (typeof define === 'function' && define.amd) { // AMD. Register as an anonymous module. define(['jquery'], factory); } else if (typeof module === 'object' && module.exports) { // Node/CommonJS module.exports = function (root, jQuery) { if (jQuery === undefined) { // require('jQuery') returns a factory that requires window to // build a jQuery instance, we normalize how we use modules // that require this pattern but the window provided is a noop // if it's defined (how jquery works) if (typeof window !== 'undefined') { jQuery = require('jquery'); } else { jQuery = require('jquery')(root); } } factory(jQuery); return jQuery; }; } else { // Browser globals factory(jQuery); } } (function (jQuery) { // This is needed so we can catch the AMD loader configuration and use it // The inner file should be wrapped (by `banner.start.js`) in a function that // returns the AMD loader references. var S2 =(function () { // Restore the Select2 AMD loader so it can be used // Needed mostly in the language files, where the loader is not inserted if (jQuery && jQuery.fn && jQuery.fn.select2 && jQuery.fn.select2.amd) { var S2 = jQuery.fn.select2.amd; } var S2;(function () { if (!S2 || !S2.requirejs) { if (!S2) { S2 = {}; } else { require = S2; } /** * @license almond 0.3.3 Copyright jQuery Foundation and other contributors. * Released under MIT license, http://github.com/requirejs/almond/LICENSE */ //Going sloppy to avoid 'use strict' string cost, but strict practices should //be followed. /*global setTimeout: false */ var requirejs, require, define; (function (undef) { var main, req, makeMap, handlers, defined = {}, waiting = {}, config = {}, defining = {}, hasOwn = Object.prototype.hasOwnProperty, aps = [].slice, jsSuffixRegExp = /\.js$/; function hasProp(obj, prop) { return hasOwn.call(obj, prop); } /** * Given a relative module name, like ./something, normalize it to * a real name that can be mapped to a path. * @param {String} name the relative name * @param {String} baseName a real name that the name arg is relative * to. * @returns {String} normalized name */ function normalize(name, baseName) { var nameParts, nameSegment, mapValue, foundMap, lastIndex, foundI, foundStarMap, starI, i, j, part, normalizedBaseParts, baseParts = baseName && baseName.split("/"), map = config.map, starMap = (map && map['*']) || {}; //Adjust any relative paths. if (name) { name = name.split('/'); lastIndex = name.length - 1; // If wanting node ID compatibility, strip .js from end // of IDs. Have to do this here, and not in nameToUrl // because node allows either .js or non .js to map // to same file. if (config.nodeIdCompat && jsSuffixRegExp.test(name[lastIndex])) { name[lastIndex] = name[lastIndex].replace(jsSuffixRegExp, ''); } // Starts with a '.' so need the baseName if (name[0].charAt(0) === '.' && baseParts) { //Convert baseName to array, and lop off the last part, //so that . matches that 'directory' and not name of the baseName's //module. For instance, baseName of 'one/two/three', maps to //'one/two/three.js', but we want the directory, 'one/two' for //this normalization. normalizedBaseParts = baseParts.slice(0, baseParts.length - 1); name = normalizedBaseParts.concat(name); } //start trimDots for (i = 0; i < name.length; i++) { part = name[i]; if (part === '.') { name.splice(i, 1); i -= 1; } else if (part === '..') { // If at the start, or previous value is still .., // keep them so that when converted to a path it may // still work when converted to a path, even though // as an ID it is less than ideal. In larger point // releases, may be better to just kick out an error. if (i === 0 || (i === 1 && name[2] === '..') || name[i - 1] === '..') { continue; } else if (i > 0) { name.splice(i - 1, 2); i -= 2; } } } //end trimDots name = name.join('/'); } //Apply map config if available. if ((baseParts || starMap) && map) { nameParts = name.split('/'); for (i = nameParts.length; i > 0; i -= 1) { nameSegment = nameParts.slice(0, i).join("/"); if (baseParts) { //Find the longest baseName segment match in the config. //So, do joins on the biggest to smallest lengths of baseParts. for (j = baseParts.length; j > 0; j -= 1) { mapValue = map[baseParts.slice(0, j).join('/')]; //baseName segment has config, find if it has one for //this name. if (mapValue) { mapValue = mapValue[nameSegment]; if (mapValue) { //Match, update name to the new value. foundMap = mapValue; foundI = i; break; } } } } if (foundMap) { break; } //Check for a star map match, but just hold on to it, //if there is a shorter segment match later in a matching //config, then favor over this star map. if (!foundStarMap && starMap && starMap[nameSegment]) { foundStarMap = starMap[nameSegment]; starI = i; } } if (!foundMap && foundStarMap) { foundMap = foundStarMap; foundI = starI; } if (foundMap) { nameParts.splice(0, foundI, foundMap); name = nameParts.join('/'); } } return name; } function makeRequire(relName, forceSync) { return function () { //A version of a require function that passes a moduleName //value for items that may need to //look up paths relative to the moduleName var args = aps.call(arguments, 0); //If first arg is not require('string'), and there is only //one arg, it is the array form without a callback. Insert //a null so that the following concat is correct. if (typeof args[0] !== 'string' && args.length === 1) { args.push(null); } return req.apply(undef, args.concat([relName, forceSync])); }; } function makeNormalize(relName) { return function (name) { return normalize(name, relName); }; } function makeLoad(depName) { return function (value) { defined[depName] = value; }; } function callDep(name) { if (hasProp(waiting, name)) { var args = waiting[name]; delete waiting[name]; defining[name] = true; main.apply(undef, args); } if (!hasProp(defined, name) && !hasProp(defining, name)) { throw new Error('No ' + name); } return defined[name]; } //Turns a plugin!resource to [plugin, resource] //with the plugin being undefined if the name //did not have a plugin prefix. function splitPrefix(name) { var prefix, index = name ? name.indexOf('!') : -1; if (index > -1) { prefix = name.substring(0, index); name = name.substring(index + 1, name.length); } return [prefix, name]; } //Creates a parts array for a relName where first part is plugin ID, //second part is resource ID. Assumes relName has already been normalized. function makeRelParts(relName) { return relName ? splitPrefix(relName) : []; } /** * Makes a name map, normalizing the name, and using a plugin * for normalization if necessary. Grabs a ref to plugin * too, as an optimization. */ makeMap = function (name, relParts) { var plugin, parts = splitPrefix(name), prefix = parts[0], relResourceName = relParts[1]; name = parts[1]; if (prefix) { prefix = normalize(prefix, relResourceName); plugin = callDep(prefix); } //Normalize according if (prefix) { if (plugin && plugin.normalize) { name = plugin.normalize(name, makeNormalize(relResourceName)); } else { name = normalize(name, relResourceName); } } else { name = normalize(name, relResourceName); parts = splitPrefix(name); prefix = parts[0]; name = parts[1]; if (prefix) { plugin = callDep(prefix); } } //Using ridiculous property names for space reasons return { f: prefix ? prefix + '!' + name : name, //fullName n: name, pr: prefix, p: plugin }; }; function makeConfig(name) { return function () { return (config && config.config && config.config[name]) || {}; }; } handlers = { require: function (name) { return makeRequire(name); }, exports: function (name) { var e = defined[name]; if (typeof e !== 'undefined') { return e; } else { return (defined[name] = {}); } }, module: function (name) { return { id: name, uri: '', exports: defined[name], config: makeConfig(name) }; } }; main = function (name, deps, callback, relName) { var cjsModule, depName, ret, map, i, relParts, args = [], callbackType = typeof callback, usingExports; //Use name if no relName relName = relName || name; relParts = makeRelParts(relName); //Call the callback to define the module, if necessary. if (callbackType === 'undefined' || callbackType === 'function') { //Pull out the defined dependencies and pass the ordered //values to the callback. //Default to [require, exports, module] if no deps deps = !deps.length && callback.length ? ['require', 'exports', 'module'] : deps; for (i = 0; i < deps.length; i += 1) { map = makeMap(deps[i], relParts); depName = map.f; //Fast path CommonJS standard dependencies. if (depName === "require") { args[i] = handlers.require(name); } else if (depName === "exports") { //CommonJS module spec 1.1 args[i] = handlers.exports(name); usingExports = true; } else if (depName === "module") { //CommonJS module spec 1.1 cjsModule = args[i] = handlers.module(name); } else if (hasProp(defined, depName) || hasProp(waiting, depName) || hasProp(defining, depName)) { args[i] = callDep(depName); } else if (map.p) { map.p.load(map.n, makeRequire(relName, true), makeLoad(depName), {}); args[i] = defined[depName]; } else { throw new Error(name + ' missing ' + depName); } } ret = callback ? callback.apply(defined[name], args) : undefined; if (name) { //If setting exports via "module" is in play, //favor that over return value and exports. After that, //favor a non-undefined return value over exports use. if (cjsModule && cjsModule.exports !== undef && cjsModule.exports !== defined[name]) { defined[name] = cjsModule.exports; } else if (ret !== undef || !usingExports) { //Use the return value from the function. defined[name] = ret; } } } else if (name) { //May just be an object definition for the module. Only //worry about defining if have a module name. defined[name] = callback; } }; requirejs = require = req = function (deps, callback, relName, forceSync, alt) { if (typeof deps === "string") { if (handlers[deps]) { //callback in this case is really relName return handlers[deps](callback); } //Just return the module wanted. In this scenario, the //deps arg is the module name, and second arg (if passed) //is just the relName. //Normalize module name, if it contains . or .. return callDep(makeMap(deps, makeRelParts(callback)).f); } else if (!deps.splice) { //deps is a config object, not an array. config = deps; if (config.deps) { req(config.deps, config.callback); } if (!callback) { return; } if (callback.splice) { //callback is an array, which means it is a dependency list. //Adjust args if there are dependencies deps = callback; callback = relName; relName = null; } else { deps = undef; } } //Support require(['a']) callback = callback || function () {}; //If relName is a function, it is an errback handler, //so remove it. if (typeof relName === 'function') { relName = forceSync; forceSync = alt; } //Simulate async callback; if (forceSync) { main(undef, deps, callback, relName); } else { //Using a non-zero value because of concern for what old browsers //do, and latest browsers "upgrade" to 4 if lower value is used: //http://www.whatwg.org/specs/web-apps/current-work/multipage/timers.html#dom-windowtimers-settimeout: //If want a value immediately, use require('id') instead -- something //that works in almond on the global level, but not guaranteed and //unlikely to work in other AMD implementations. setTimeout(function () { main(undef, deps, callback, relName); }, 4); } return req; }; /** * Just drops the config on the floor, but returns req in case * the config return value is used. */ req.config = function (cfg) { return req(cfg); }; /** * Expose module registry for debugging and tooling */ requirejs._defined = defined; define = function (name, deps, callback) { if (typeof name !== 'string') { throw new Error('See almond README: incorrect module build, no module name'); } //This module may not have dependencies if (!deps.splice) { //deps is not an array, so probably means //an object literal or factory function for //the value. Adjust args. callback = deps; deps = []; } if (!hasProp(defined, name) && !hasProp(waiting, name)) { waiting[name] = [name, deps, callback]; } }; define.amd = { jQuery: true }; }()); S2.requirejs = requirejs;S2.require = require;S2.define = define; } }()); S2.define("almond", function(){}); /* global jQuery:false, $:false */ S2.define('jquery',[],function () { var _$ = jQuery || $; if (_$ == null && console && console.error) { console.error( 'Select2: An instance of jQuery or a jQuery-compatible library was not ' + 'found. Make sure that you are including jQuery before Select2 on your ' + 'web page.' ); } return _$; }); S2.define('select2/utils',[ 'jquery' ], function ($) { var Utils = {}; Utils.Extend = function (ChildClass, SuperClass) { var __hasProp = {}.hasOwnProperty; function BaseConstructor () { this.constructor = ChildClass; } for (var key in SuperClass) { if (__hasProp.call(SuperClass, key)) { ChildClass[key] = SuperClass[key]; } } BaseConstructor.prototype = SuperClass.prototype; ChildClass.prototype = new BaseConstructor(); ChildClass.__super__ = SuperClass.prototype; return ChildClass; }; function getMethods (theClass) { var proto = theClass.prototype; var methods = []; for (var methodName in proto) { var m = proto[methodName]; if (typeof m !== 'function') { continue; } if (methodName === 'constructor') { continue; } methods.push(methodName); } return methods; } Utils.Decorate = function (SuperClass, DecoratorClass) { var decoratedMethods = getMethods(DecoratorClass); var superMethods = getMethods(SuperClass); function DecoratedClass () { var unshift = Array.prototype.unshift; var argCount = DecoratorClass.prototype.constructor.length; var calledConstructor = SuperClass.prototype.constructor; if (argCount > 0) { unshift.call(arguments, SuperClass.prototype.constructor); calledConstructor = DecoratorClass.prototype.constructor; } calledConstructor.apply(this, arguments); } DecoratorClass.displayName = SuperClass.displayName; function ctr () { this.constructor = DecoratedClass; } DecoratedClass.prototype = new ctr(); for (var m = 0; m < superMethods.length; m++) { var superMethod = superMethods[m]; DecoratedClass.prototype[superMethod] = SuperClass.prototype[superMethod]; } var calledMethod = function (methodName) { // Stub out the original method if it's not decorating an actual method var originalMethod = function () {}; if (methodName in DecoratedClass.prototype) { originalMethod = DecoratedClass.prototype[methodName]; } var decoratedMethod = DecoratorClass.prototype[methodName]; return function () { var unshift = Array.prototype.unshift; unshift.call(arguments, originalMethod); return decoratedMethod.apply(this, arguments); }; }; for (var d = 0; d < decoratedMethods.length; d++) { var decoratedMethod = decoratedMethods[d]; DecoratedClass.prototype[decoratedMethod] = calledMethod(decoratedMethod); } return DecoratedClass; }; var Observable = function () { this.listeners = {}; }; Observable.prototype.on = function (event, callback) { this.listeners = this.listeners || {}; if (event in this.listeners) { this.listeners[event].push(callback); } else { this.listeners[event] = [callback]; } }; Observable.prototype.trigger = function (event) { var slice = Array.prototype.slice; var params = slice.call(arguments, 1); this.listeners = this.listeners || {}; // Params should always come in as an array if (params == null) { params = []; } // If there are no arguments to the event, use a temporary object if (params.length === 0) { params.push({}); } // Set the `_type` of the first object to the event params[0]._type = event; if (event in this.listeners) { this.invoke(this.listeners[event], slice.call(arguments, 1)); } if ('*' in this.listeners) { this.invoke(this.listeners['*'], arguments); } }; Observable.prototype.invoke = function (listeners, params) { for (var i = 0, len = listeners.length; i < len; i++) { listeners[i].apply(this, params); } }; Utils.Observable = Observable; Utils.generateChars = function (length) { var chars = ''; for (var i = 0; i < length; i++) { var randomChar = Math.floor(Math.random() * 36); chars += randomChar.toString(36); } return chars; }; Utils.bind = function (func, context) { return function () { func.apply(context, arguments); }; }; Utils._convertData = function (data) { for (var originalKey in data) { var keys = originalKey.split('-'); var dataLevel = data; if (keys.length === 1) { continue; } for (var k = 0; k < keys.length; k++) { var key = keys[k]; // Lowercase the first letter // By default, dash-separated becomes camelCase key = key.substring(0, 1).toLowerCase() + key.substring(1); if (!(key in dataLevel)) { dataLevel[key] = {}; } if (k == keys.length - 1) { dataLevel[key] = data[originalKey]; } dataLevel = dataLevel[key]; } delete data[originalKey]; } return data; }; Utils.hasScroll = function (index, el) { // Adapted from the function created by @ShadowScripter // and adapted by @BillBarry on the Stack Exchange Code Review website. // The original code can be found at // http://codereview.stackexchange.com/q/13338 // and was designed to be used with the Sizzle selector engine. var $el = $(el); var overflowX = el.style.overflowX; var overflowY = el.style.overflowY; //Check both x and y declarations if (overflowX === overflowY && (overflowY === 'hidden' || overflowY === 'visible')) { return false; } if (overflowX === 'scroll' || overflowY === 'scroll') { return true; } return ($el.innerHeight() < el.scrollHeight || $el.innerWidth() < el.scrollWidth); }; Utils.escapeMarkup = function (markup) { var replaceMap = { '\\': '\', '&': '&', '<': '<', '>': '>', '"': '"', '\'': ''', '/': '/' }; // Do not try to escape the markup if it's not a string if (typeof markup !== 'string') { return markup; } return String(markup).replace(/[&<>"'\/\\]/g, function (match) { return replaceMap[match]; }); }; // Append an array of jQuery nodes to a given element. Utils.appendMany = function ($element, $nodes) { // jQuery 1.7.x does not support $.fn.append() with an array // Fall back to a jQuery object collection using $.fn.add() if ($.fn.jquery.substr(0, 3) === '1.7') { var $jqNodes = $(); $.map($nodes, function (node) { $jqNodes = $jqNodes.add(node); }); $nodes = $jqNodes; } $element.append($nodes); }; // Cache objects in Utils.__cache instead of $.data (see #4346) Utils.__cache = {}; var id = 0; Utils.GetUniqueElementId = function (element) { // Get a unique element Id. If element has no id, // creates a new unique number, stores it in the id // attribute and returns the new id. // If an id already exists, it simply returns it. var select2Id = element.getAttribute('data-select2-id'); if (select2Id == null) { // If element has id, use it. if (element.id) { select2Id = element.id; element.setAttribute('data-select2-id', select2Id); } else { element.setAttribute('data-select2-id', ++id); select2Id = id.toString(); } } return select2Id; }; Utils.StoreData = function (element, name, value) { // Stores an item in the cache for a specified element. // name is the cache key. var id = Utils.GetUniqueElementId(element); if (!Utils.__cache[id]) { Utils.__cache[id] = {}; } Utils.__cache[id][name] = value; }; Utils.GetData = function (element, name) { // Retrieves a value from the cache by its key (name) // name is optional. If no name specified, return // all cache items for the specified element. // and for a specified element. var id = Utils.GetUniqueElementId(element); if (name) { if (Utils.__cache[id]) { return Utils.__cache[id][name] != null ? Utils.__cache[id][name]: $(element).data(name); // Fallback to HTML5 data attribs. } return $(element).data(name); // Fallback to HTML5 data attribs. } else { return Utils.__cache[id]; } }; Utils.RemoveData = function (element) { // Removes all cached items for a specified element. var id = Utils.GetUniqueElementId(element); if (Utils.__cache[id] != null) { delete Utils.__cache[id]; } }; return Utils; }); S2.define('select2/results',[ 'jquery', './utils' ], function ($, Utils) { function Results ($element, options, dataAdapter) { this.$element = $element; this.data = dataAdapter; this.options = options; Results.__super__.constructor.call(this); } Utils.Extend(Results, Utils.Observable); Results.prototype.render = function () { var $results = $( '
    ' ); if (this.options.get('multiple')) { $results.attr('aria-multiselectable', 'true'); } this.$results = $results; return $results; }; Results.prototype.clear = function () { this.$results.empty(); }; Results.prototype.displayMessage = function (params) { var escapeMarkup = this.options.get('escapeMarkup'); this.clear(); this.hideLoading(); var $message = $( '
  • ' ); var message = this.options.get('translations').get(params.message); $message.append( escapeMarkup( message(params.args) ) ); $message[0].className += ' select2-results__message'; this.$results.append($message); }; Results.prototype.hideMessages = function () { this.$results.find('.select2-results__message').remove(); }; Results.prototype.append = function (data) { this.hideLoading(); var $options = []; if (data.results == null || data.results.length === 0) { if (this.$results.children().length === 0) { this.trigger('results:message', { message: 'noResults' }); } return; } data.results = this.sort(data.results); for (var d = 0; d < data.results.length; d++) { var item = data.results[d]; var $option = this.option(item); $options.push($option); } this.$results.append($options); }; Results.prototype.position = function ($results, $dropdown) { var $resultsContainer = $dropdown.find('.select2-results'); $resultsContainer.append($results); }; Results.prototype.sort = function (data) { var sorter = this.options.get('sorter'); return sorter(data); }; Results.prototype.highlightFirstItem = function () { var $options = this.$results .find('.select2-results__option[aria-selected]'); var $selected = $options.filter('[aria-selected=true]'); // Check if there are any selected options if ($selected.length > 0) { // If there are selected options, highlight the first $selected.first().trigger('mouseenter'); } else { // If there are no selected options, highlight the first option // in the dropdown $options.first().trigger('mouseenter'); } this.ensureHighlightVisible(); }; Results.prototype.setClasses = function () { var self = this; this.data.current(function (selected) { var selectedIds = $.map(selected, function (s) { return s.id.toString(); }); var $options = self.$results .find('.select2-results__option[aria-selected]'); $options.each(function () { var $option = $(this); var item = Utils.GetData(this, 'data'); // id needs to be converted to a string when comparing var id = '' + item.id; if ((item.element != null && item.element.selected) || (item.element == null && $.inArray(id, selectedIds) > -1)) { $option.attr('aria-selected', 'true'); } else { $option.attr('aria-selected', 'false'); } }); }); }; Results.prototype.showLoading = function (params) { this.hideLoading(); var loadingMore = this.options.get('translations').get('searching'); var loading = { disabled: true, loading: true, text: loadingMore(params) }; var $loading = this.option(loading); $loading.className += ' loading-results'; this.$results.prepend($loading); }; Results.prototype.hideLoading = function () { this.$results.find('.loading-results').remove(); }; Results.prototype.option = function (data) { var option = document.createElement('li'); option.className = 'select2-results__option'; var attrs = { 'role': 'treeitem', 'aria-selected': 'false' }; if (data.disabled) { delete attrs['aria-selected']; attrs['aria-disabled'] = 'true'; } if (data.id == null) { delete attrs['aria-selected']; } if (data._resultId != null) { option.id = data._resultId; } if (data.title) { option.title = data.title; } if (data.children) { attrs.role = 'group'; attrs['aria-label'] = data.text; delete attrs['aria-selected']; } for (var attr in attrs) { var val = attrs[attr]; option.setAttribute(attr, val); } if (data.children) { var $option = $(option); var label = document.createElement('strong'); label.className = 'select2-results__group'; var $label = $(label); this.template(data, label); var $children = []; for (var c = 0; c < data.children.length; c++) { var child = data.children[c]; var $child = this.option(child); $children.push($child); } var $childrenContainer = $('
      ', { 'class': 'select2-results__options select2-results__options--nested' }); $childrenContainer.append($children); $option.append(label); $option.append($childrenContainer); } else { this.template(data, option); } Utils.StoreData(option, 'data', data); return option; }; Results.prototype.bind = function (container, $container) { var self = this; var id = container.id + '-results'; this.$results.attr('id', id); container.on('results:all', function (params) { self.clear(); self.append(params.data); if (container.isOpen()) { self.setClasses(); self.highlightFirstItem(); } }); container.on('results:append', function (params) { self.append(params.data); if (container.isOpen()) { self.setClasses(); } }); container.on('query', function (params) { self.hideMessages(); self.showLoading(params); }); container.on('select', function () { if (!container.isOpen()) { return; } self.setClasses(); self.highlightFirstItem(); }); container.on('unselect', function () { if (!container.isOpen()) { return; } self.setClasses(); self.highlightFirstItem(); }); container.on('open', function () { // When the dropdown is open, aria-expended="true" self.$results.attr('aria-expanded', 'true'); self.$results.attr('aria-hidden', 'false'); self.setClasses(); self.ensureHighlightVisible(); }); container.on('close', function () { // When the dropdown is closed, aria-expended="false" self.$results.attr('aria-expanded', 'false'); self.$results.attr('aria-hidden', 'true'); self.$results.removeAttr('aria-activedescendant'); }); container.on('results:toggle', function () { var $highlighted = self.getHighlightedResults(); if ($highlighted.length === 0) { return; } $highlighted.trigger('mouseup'); }); container.on('results:select', function () { var $highlighted = self.getHighlightedResults(); if ($highlighted.length === 0) { return; } var data = Utils.GetData($highlighted[0], 'data'); if ($highlighted.attr('aria-selected') == 'true') { self.trigger('close', {}); } else { self.trigger('select', { data: data }); } }); container.on('results:previous', function () { var $highlighted = self.getHighlightedResults(); var $options = self.$results.find('[aria-selected]'); var currentIndex = $options.index($highlighted); // If we are already at te top, don't move further // If no options, currentIndex will be -1 if (currentIndex <= 0) { return; } var nextIndex = currentIndex - 1; // If none are highlighted, highlight the first if ($highlighted.length === 0) { nextIndex = 0; } var $next = $options.eq(nextIndex); $next.trigger('mouseenter'); var currentOffset = self.$results.offset().top; var nextTop = $next.offset().top; var nextOffset = self.$results.scrollTop() + (nextTop - currentOffset); if (nextIndex === 0) { self.$results.scrollTop(0); } else if (nextTop - currentOffset < 0) { self.$results.scrollTop(nextOffset); } }); container.on('results:next', function () { var $highlighted = self.getHighlightedResults(); var $options = self.$results.find('[aria-selected]'); var currentIndex = $options.index($highlighted); var nextIndex = currentIndex + 1; // If we are at the last option, stay there if (nextIndex >= $options.length) { return; } var $next = $options.eq(nextIndex); $next.trigger('mouseenter'); var currentOffset = self.$results.offset().top + self.$results.outerHeight(false); var nextBottom = $next.offset().top + $next.outerHeight(false); var nextOffset = self.$results.scrollTop() + nextBottom - currentOffset; if (nextIndex === 0) { self.$results.scrollTop(0); } else if (nextBottom > currentOffset) { self.$results.scrollTop(nextOffset); } }); container.on('results:focus', function (params) { params.element.addClass('select2-results__option--highlighted'); }); container.on('results:message', function (params) { self.displayMessage(params); }); if ($.fn.mousewheel) { this.$results.on('mousewheel', function (e) { var top = self.$results.scrollTop(); var bottom = self.$results.get(0).scrollHeight - top + e.deltaY; var isAtTop = e.deltaY > 0 && top - e.deltaY <= 0; var isAtBottom = e.deltaY < 0 && bottom <= self.$results.height(); if (isAtTop) { self.$results.scrollTop(0); e.preventDefault(); e.stopPropagation(); } else if (isAtBottom) { self.$results.scrollTop( self.$results.get(0).scrollHeight - self.$results.height() ); e.preventDefault(); e.stopPropagation(); } }); } this.$results.on('mouseup', '.select2-results__option[aria-selected]', function (evt) { var $this = $(this); var data = Utils.GetData(this, 'data'); if ($this.attr('aria-selected') === 'true') { if (self.options.get('multiple')) { self.trigger('unselect', { originalEvent: evt, data: data }); } else { self.trigger('close', {}); } return; } self.trigger('select', { originalEvent: evt, data: data }); }); this.$results.on('mouseenter', '.select2-results__option[aria-selected]', function (evt) { var data = Utils.GetData(this, 'data'); self.getHighlightedResults() .removeClass('select2-results__option--highlighted'); self.trigger('results:focus', { data: data, element: $(this) }); }); }; Results.prototype.getHighlightedResults = function () { var $highlighted = this.$results .find('.select2-results__option--highlighted'); return $highlighted; }; Results.prototype.destroy = function () { this.$results.remove(); }; Results.prototype.ensureHighlightVisible = function () { var $highlighted = this.getHighlightedResults(); if ($highlighted.length === 0) { return; } var $options = this.$results.find('[aria-selected]'); var currentIndex = $options.index($highlighted); var currentOffset = this.$results.offset().top; var nextTop = $highlighted.offset().top; var nextOffset = this.$results.scrollTop() + (nextTop - currentOffset); var offsetDelta = nextTop - currentOffset; nextOffset -= $highlighted.outerHeight(false) * 2; if (currentIndex <= 2) { this.$results.scrollTop(0); } else if (offsetDelta > this.$results.outerHeight() || offsetDelta < 0) { this.$results.scrollTop(nextOffset); } }; Results.prototype.template = function (result, container) { var template = this.options.get('templateResult'); var escapeMarkup = this.options.get('escapeMarkup'); var content = template(result, container); if (content == null) { container.style.display = 'none'; } else if (typeof content === 'string') { container.innerHTML = escapeMarkup(content); } else { $(container).append(content); } }; return Results; }); S2.define('select2/keys',[ ], function () { var KEYS = { BACKSPACE: 8, TAB: 9, ENTER: 13, SHIFT: 16, CTRL: 17, ALT: 18, ESC: 27, SPACE: 32, PAGE_UP: 33, PAGE_DOWN: 34, END: 35, HOME: 36, LEFT: 37, UP: 38, RIGHT: 39, DOWN: 40, DELETE: 46 }; return KEYS; }); S2.define('select2/selection/base',[ 'jquery', '../utils', '../keys' ], function ($, Utils, KEYS) { function BaseSelection ($element, options) { this.$element = $element; this.options = options; BaseSelection.__super__.constructor.call(this); } Utils.Extend(BaseSelection, Utils.Observable); BaseSelection.prototype.render = function () { var $selection = $( '' ); this._tabindex = 0; if (Utils.GetData(this.$element[0], 'old-tabindex') != null) { this._tabindex = Utils.GetData(this.$element[0], 'old-tabindex'); } else if (this.$element.attr('tabindex') != null) { this._tabindex = this.$element.attr('tabindex'); } $selection.attr('title', this.$element.attr('title')); $selection.attr('tabindex', this._tabindex); this.$selection = $selection; return $selection; }; BaseSelection.prototype.bind = function (container, $container) { var self = this; var id = container.id + '-container'; var resultsId = container.id + '-results'; this.container = container; this.$selection.on('focus', function (evt) { self.trigger('focus', evt); }); this.$selection.on('blur', function (evt) { self._handleBlur(evt); }); this.$selection.on('keydown', function (evt) { self.trigger('keypress', evt); if (evt.which === KEYS.SPACE) { evt.preventDefault(); } }); container.on('results:focus', function (params) { self.$selection.attr('aria-activedescendant', params.data._resultId); }); container.on('selection:update', function (params) { self.update(params.data); }); container.on('open', function () { // When the dropdown is open, aria-expanded="true" self.$selection.attr('aria-expanded', 'true'); self.$selection.attr('aria-owns', resultsId); self._attachCloseHandler(container); }); container.on('close', function () { // When the dropdown is closed, aria-expanded="false" self.$selection.attr('aria-expanded', 'false'); self.$selection.removeAttr('aria-activedescendant'); self.$selection.removeAttr('aria-owns'); self.$selection.focus(); window.setTimeout(function () { self.$selection.focus(); }, 0); self._detachCloseHandler(container); }); container.on('enable', function () { self.$selection.attr('tabindex', self._tabindex); }); container.on('disable', function () { self.$selection.attr('tabindex', '-1'); }); }; BaseSelection.prototype._handleBlur = function (evt) { var self = this; // This needs to be delayed as the active element is the body when the tab // key is pressed, possibly along with others. window.setTimeout(function () { // Don't trigger `blur` if the focus is still in the selection if ( (document.activeElement == self.$selection[0]) || ($.contains(self.$selection[0], document.activeElement)) ) { return; } self.trigger('blur', evt); }, 1); }; BaseSelection.prototype._attachCloseHandler = function (container) { var self = this; $(document.body).on('mousedown.select2.' + container.id, function (e) { var $target = $(e.target); var $select = $target.closest('.select2'); var $all = $('.select2.select2-container--open'); $all.each(function () { var $this = $(this); if (this == $select[0]) { return; } var $element = Utils.GetData(this, 'element'); $element.select2('close'); }); }); }; BaseSelection.prototype._detachCloseHandler = function (container) { $(document.body).off('mousedown.select2.' + container.id); }; BaseSelection.prototype.position = function ($selection, $container) { var $selectionContainer = $container.find('.selection'); $selectionContainer.append($selection); }; BaseSelection.prototype.destroy = function () { this._detachCloseHandler(this.container); }; BaseSelection.prototype.update = function (data) { throw new Error('The `update` method must be defined in child classes.'); }; return BaseSelection; }); S2.define('select2/selection/single',[ 'jquery', './base', '../utils', '../keys' ], function ($, BaseSelection, Utils, KEYS) { function SingleSelection () { SingleSelection.__super__.constructor.apply(this, arguments); } Utils.Extend(SingleSelection, BaseSelection); SingleSelection.prototype.render = function () { var $selection = SingleSelection.__super__.render.call(this); $selection.addClass('select2-selection--single'); $selection.html( '' + '' + '' + '' ); return $selection; }; SingleSelection.prototype.bind = function (container, $container) { var self = this; SingleSelection.__super__.bind.apply(this, arguments); var id = container.id + '-container'; this.$selection.find('.select2-selection__rendered') .attr('id', id) .attr('role', 'textbox') .attr('aria-readonly', 'true'); this.$selection.attr('aria-labelledby', id); this.$selection.on('mousedown', function (evt) { // Only respond to left clicks if (evt.which !== 1) { return; } self.trigger('toggle', { originalEvent: evt }); }); this.$selection.on('focus', function (evt) { // User focuses on the container }); this.$selection.on('blur', function (evt) { // User exits the container }); container.on('focus', function (evt) { if (!container.isOpen()) { self.$selection.focus(); } }); }; SingleSelection.prototype.clear = function () { var $rendered = this.$selection.find('.select2-selection__rendered'); $rendered.empty(); $rendered.removeAttr('title'); // clear tooltip on empty }; SingleSelection.prototype.display = function (data, container) { var template = this.options.get('templateSelection'); var escapeMarkup = this.options.get('escapeMarkup'); return escapeMarkup(template(data, container)); }; SingleSelection.prototype.selectionContainer = function () { return $(''); }; SingleSelection.prototype.update = function (data) { if (data.length === 0) { this.clear(); return; } var selection = data[0]; var $rendered = this.$selection.find('.select2-selection__rendered'); var formatted = this.display(selection, $rendered); $rendered.empty().append(formatted); $rendered.attr('title', selection.title || selection.text); }; return SingleSelection; }); S2.define('select2/selection/multiple',[ 'jquery', './base', '../utils' ], function ($, BaseSelection, Utils) { function MultipleSelection ($element, options) { MultipleSelection.__super__.constructor.apply(this, arguments); } Utils.Extend(MultipleSelection, BaseSelection); MultipleSelection.prototype.render = function () { var $selection = MultipleSelection.__super__.render.call(this); $selection.addClass('select2-selection--multiple'); $selection.html( '
        ' ); return $selection; }; MultipleSelection.prototype.bind = function (container, $container) { var self = this; MultipleSelection.__super__.bind.apply(this, arguments); this.$selection.on('click', function (evt) { self.trigger('toggle', { originalEvent: evt }); }); this.$selection.on( 'click', '.select2-selection__choice__remove', function (evt) { // Ignore the event if it is disabled if (self.options.get('disabled')) { return; } var $remove = $(this); var $selection = $remove.parent(); var data = Utils.GetData($selection[0], 'data'); self.trigger('unselect', { originalEvent: evt, data: data }); } ); }; MultipleSelection.prototype.clear = function () { var $rendered = this.$selection.find('.select2-selection__rendered'); $rendered.empty(); $rendered.removeAttr('title'); }; MultipleSelection.prototype.display = function (data, container) { var template = this.options.get('templateSelection'); var escapeMarkup = this.options.get('escapeMarkup'); return escapeMarkup(template(data, container)); }; MultipleSelection.prototype.selectionContainer = function () { var $container = $( '
      • ' + '' + '×' + '' + '
      • ' ); return $container; }; MultipleSelection.prototype.update = function (data) { this.clear(); if (data.length === 0) { return; } var $selections = []; for (var d = 0; d < data.length; d++) { var selection = data[d]; var $selection = this.selectionContainer(); var formatted = this.display(selection, $selection); $selection.append(formatted); $selection.attr('title', selection.title || selection.text); Utils.StoreData($selection[0], 'data', selection); $selections.push($selection); } var $rendered = this.$selection.find('.select2-selection__rendered'); Utils.appendMany($rendered, $selections); }; return MultipleSelection; }); S2.define('select2/selection/placeholder',[ '../utils' ], function (Utils) { function Placeholder (decorated, $element, options) { this.placeholder = this.normalizePlaceholder(options.get('placeholder')); decorated.call(this, $element, options); } Placeholder.prototype.normalizePlaceholder = function (_, placeholder) { if (typeof placeholder === 'string') { placeholder = { id: '', text: placeholder }; } return placeholder; }; Placeholder.prototype.createPlaceholder = function (decorated, placeholder) { var $placeholder = this.selectionContainer(); $placeholder.html(this.display(placeholder)); $placeholder.addClass('select2-selection__placeholder') .removeClass('select2-selection__choice'); return $placeholder; }; Placeholder.prototype.update = function (decorated, data) { var singlePlaceholder = ( data.length == 1 && data[0].id != this.placeholder.id ); var multipleSelections = data.length > 1; if (multipleSelections || singlePlaceholder) { return decorated.call(this, data); } this.clear(); var $placeholder = this.createPlaceholder(this.placeholder); this.$selection.find('.select2-selection__rendered').append($placeholder); }; return Placeholder; }); S2.define('select2/selection/allowClear',[ 'jquery', '../keys', '../utils' ], function ($, KEYS, Utils) { function AllowClear () { } AllowClear.prototype.bind = function (decorated, container, $container) { var self = this; decorated.call(this, container, $container); if (this.placeholder == null) { if (this.options.get('debug') && window.console && console.error) { console.error( 'Select2: The `allowClear` option should be used in combination ' + 'with the `placeholder` option.' ); } } this.$selection.on('mousedown', '.select2-selection__clear', function (evt) { self._handleClear(evt); }); container.on('keypress', function (evt) { self._handleKeyboardClear(evt, container); }); }; AllowClear.prototype._handleClear = function (_, evt) { // Ignore the event if it is disabled if (this.options.get('disabled')) { return; } var $clear = this.$selection.find('.select2-selection__clear'); // Ignore the event if nothing has been selected if ($clear.length === 0) { return; } evt.stopPropagation(); var data = Utils.GetData($clear[0], 'data'); var previousVal = this.$element.val(); this.$element.val(this.placeholder.id); var unselectData = { data: data }; this.trigger('clear', unselectData); if (unselectData.prevented) { this.$element.val(previousVal); return; } for (var d = 0; d < data.length; d++) { unselectData = { data: data[d] }; // Trigger the `unselect` event, so people can prevent it from being // cleared. this.trigger('unselect', unselectData); // If the event was prevented, don't clear it out. if (unselectData.prevented) { this.$element.val(previousVal); return; } } this.$element.trigger('change'); this.trigger('toggle', {}); }; AllowClear.prototype._handleKeyboardClear = function (_, evt, container) { if (container.isOpen()) { return; } if (evt.which == KEYS.DELETE || evt.which == KEYS.BACKSPACE) { this._handleClear(evt); } }; AllowClear.prototype.update = function (decorated, data) { decorated.call(this, data); if (this.$selection.find('.select2-selection__placeholder').length > 0 || data.length === 0) { return; } var $remove = $( '' + '×' + '' ); Utils.StoreData($remove[0], 'data', data); this.$selection.find('.select2-selection__rendered').prepend($remove); }; return AllowClear; }); S2.define('select2/selection/search',[ 'jquery', '../utils', '../keys' ], function ($, Utils, KEYS) { function Search (decorated, $element, options) { decorated.call(this, $element, options); } Search.prototype.render = function (decorated) { var $search = $( '' ); this.$searchContainer = $search; this.$search = $search.find('input'); var $rendered = decorated.call(this); this._transferTabIndex(); return $rendered; }; Search.prototype.bind = function (decorated, container, $container) { var self = this; decorated.call(this, container, $container); container.on('open', function () { self.$search.trigger('focus'); }); container.on('close', function () { self.$search.val(''); self.$search.removeAttr('aria-activedescendant'); self.$search.trigger('focus'); }); container.on('enable', function () { self.$search.prop('disabled', false); self._transferTabIndex(); }); container.on('disable', function () { self.$search.prop('disabled', true); }); container.on('focus', function (evt) { self.$search.trigger('focus'); }); container.on('results:focus', function (params) { self.$search.attr('aria-activedescendant', params.id); }); this.$selection.on('focusin', '.select2-search--inline', function (evt) { self.trigger('focus', evt); }); this.$selection.on('focusout', '.select2-search--inline', function (evt) { self._handleBlur(evt); }); this.$selection.on('keydown', '.select2-search--inline', function (evt) { evt.stopPropagation(); self.trigger('keypress', evt); self._keyUpPrevented = evt.isDefaultPrevented(); var key = evt.which; if (key === KEYS.BACKSPACE && self.$search.val() === '') { var $previousChoice = self.$searchContainer .prev('.select2-selection__choice'); if ($previousChoice.length > 0) { var item = Utils.GetData($previousChoice[0], 'data'); self.searchRemoveChoice(item); evt.preventDefault(); } } }); // Try to detect the IE version should the `documentMode` property that // is stored on the document. This is only implemented in IE and is // slightly cleaner than doing a user agent check. // This property is not available in Edge, but Edge also doesn't have // this bug. var msie = document.documentMode; var disableInputEvents = msie && msie <= 11; // Workaround for browsers which do not support the `input` event // This will prevent double-triggering of events for browsers which support // both the `keyup` and `input` events. this.$selection.on( 'input.searchcheck', '.select2-search--inline', function (evt) { // IE will trigger the `input` event when a placeholder is used on a // search box. To get around this issue, we are forced to ignore all // `input` events in IE and keep using `keyup`. if (disableInputEvents) { self.$selection.off('input.search input.searchcheck'); return; } // Unbind the duplicated `keyup` event self.$selection.off('keyup.search'); } ); this.$selection.on( 'keyup.search input.search', '.select2-search--inline', function (evt) { // IE will trigger the `input` event when a placeholder is used on a // search box. To get around this issue, we are forced to ignore all // `input` events in IE and keep using `keyup`. if (disableInputEvents && evt.type === 'input') { self.$selection.off('input.search input.searchcheck'); return; } var key = evt.which; // We can freely ignore events from modifier keys if (key == KEYS.SHIFT || key == KEYS.CTRL || key == KEYS.ALT) { return; } // Tabbing will be handled during the `keydown` phase if (key == KEYS.TAB) { return; } self.handleSearch(evt); } ); }; /** * This method will transfer the tabindex attribute from the rendered * selection to the search box. This allows for the search box to be used as * the primary focus instead of the selection container. * * @private */ Search.prototype._transferTabIndex = function (decorated) { this.$search.attr('tabindex', this.$selection.attr('tabindex')); this.$selection.attr('tabindex', '-1'); }; Search.prototype.createPlaceholder = function (decorated, placeholder) { this.$search.attr('placeholder', placeholder.text); }; Search.prototype.update = function (decorated, data) { var searchHadFocus = this.$search[0] == document.activeElement; this.$search.attr('placeholder', ''); decorated.call(this, data); this.$selection.find('.select2-selection__rendered') .append(this.$searchContainer); this.resizeSearch(); if (searchHadFocus) { var isTagInput = this.$element.find('[data-select2-tag]').length; if (isTagInput) { // fix IE11 bug where tag input lost focus this.$element.focus(); } else { this.$search.focus(); } } }; Search.prototype.handleSearch = function () { this.resizeSearch(); if (!this._keyUpPrevented) { var input = this.$search.val(); this.trigger('query', { term: input }); } this._keyUpPrevented = false; }; Search.prototype.searchRemoveChoice = function (decorated, item) { this.trigger('unselect', { data: item }); this.$search.val(item.text); this.handleSearch(); }; Search.prototype.resizeSearch = function () { this.$search.css('width', '25px'); var width = ''; if (this.$search.attr('placeholder') !== '') { width = this.$selection.find('.select2-selection__rendered').innerWidth(); } else { var minimumWidth = this.$search.val().length + 1; width = (minimumWidth * 0.75) + 'em'; } this.$search.css('width', width); }; return Search; }); S2.define('select2/selection/eventRelay',[ 'jquery' ], function ($) { function EventRelay () { } EventRelay.prototype.bind = function (decorated, container, $container) { var self = this; var relayEvents = [ 'open', 'opening', 'close', 'closing', 'select', 'selecting', 'unselect', 'unselecting', 'clear', 'clearing' ]; var preventableEvents = [ 'opening', 'closing', 'selecting', 'unselecting', 'clearing' ]; decorated.call(this, container, $container); container.on('*', function (name, params) { // Ignore events that should not be relayed if ($.inArray(name, relayEvents) === -1) { return; } // The parameters should always be an object params = params || {}; // Generate the jQuery event for the Select2 event var evt = $.Event('select2:' + name, { params: params }); self.$element.trigger(evt); // Only handle preventable events if it was one if ($.inArray(name, preventableEvents) === -1) { return; } params.prevented = evt.isDefaultPrevented(); }); }; return EventRelay; }); S2.define('select2/translation',[ 'jquery', 'require' ], function ($, require) { function Translation (dict) { this.dict = dict || {}; } Translation.prototype.all = function () { return this.dict; }; Translation.prototype.get = function (key) { return this.dict[key]; }; Translation.prototype.extend = function (translation) { this.dict = $.extend({}, translation.all(), this.dict); }; // Static functions Translation._cache = {}; Translation.loadPath = function (path) { if (!(path in Translation._cache)) { var translations = require(path); Translation._cache[path] = translations; } return new Translation(Translation._cache[path]); }; return Translation; }); S2.define('select2/diacritics',[ ], function () { var diacritics = { '\u24B6': 'A', '\uFF21': 'A', '\u00C0': 'A', '\u00C1': 'A', '\u00C2': 'A', '\u1EA6': 'A', '\u1EA4': 'A', '\u1EAA': 'A', '\u1EA8': 'A', '\u00C3': 'A', '\u0100': 'A', '\u0102': 'A', '\u1EB0': 'A', '\u1EAE': 'A', '\u1EB4': 'A', '\u1EB2': 'A', '\u0226': 'A', '\u01E0': 'A', '\u00C4': 'A', '\u01DE': 'A', '\u1EA2': 'A', '\u00C5': 'A', '\u01FA': 'A', '\u01CD': 'A', '\u0200': 'A', '\u0202': 'A', '\u1EA0': 'A', '\u1EAC': 'A', '\u1EB6': 'A', '\u1E00': 'A', '\u0104': 'A', '\u023A': 'A', '\u2C6F': 'A', '\uA732': 'AA', '\u00C6': 'AE', '\u01FC': 'AE', '\u01E2': 'AE', '\uA734': 'AO', '\uA736': 'AU', '\uA738': 'AV', '\uA73A': 'AV', '\uA73C': 'AY', '\u24B7': 'B', '\uFF22': 'B', '\u1E02': 'B', '\u1E04': 'B', '\u1E06': 'B', '\u0243': 'B', '\u0182': 'B', '\u0181': 'B', '\u24B8': 'C', '\uFF23': 'C', '\u0106': 'C', '\u0108': 'C', '\u010A': 'C', '\u010C': 'C', '\u00C7': 'C', '\u1E08': 'C', '\u0187': 'C', '\u023B': 'C', '\uA73E': 'C', '\u24B9': 'D', '\uFF24': 'D', '\u1E0A': 'D', '\u010E': 'D', '\u1E0C': 'D', '\u1E10': 'D', '\u1E12': 'D', '\u1E0E': 'D', '\u0110': 'D', '\u018B': 'D', '\u018A': 'D', '\u0189': 'D', '\uA779': 'D', '\u01F1': 'DZ', '\u01C4': 'DZ', '\u01F2': 'Dz', '\u01C5': 'Dz', '\u24BA': 'E', '\uFF25': 'E', '\u00C8': 'E', '\u00C9': 'E', '\u00CA': 'E', '\u1EC0': 'E', '\u1EBE': 'E', '\u1EC4': 'E', '\u1EC2': 'E', '\u1EBC': 'E', '\u0112': 'E', '\u1E14': 'E', '\u1E16': 'E', '\u0114': 'E', '\u0116': 'E', '\u00CB': 'E', '\u1EBA': 'E', '\u011A': 'E', '\u0204': 'E', '\u0206': 'E', '\u1EB8': 'E', '\u1EC6': 'E', '\u0228': 'E', '\u1E1C': 'E', '\u0118': 'E', '\u1E18': 'E', '\u1E1A': 'E', '\u0190': 'E', '\u018E': 'E', '\u24BB': 'F', '\uFF26': 'F', '\u1E1E': 'F', '\u0191': 'F', '\uA77B': 'F', '\u24BC': 'G', '\uFF27': 'G', '\u01F4': 'G', '\u011C': 'G', '\u1E20': 'G', '\u011E': 'G', '\u0120': 'G', '\u01E6': 'G', '\u0122': 'G', '\u01E4': 'G', '\u0193': 'G', '\uA7A0': 'G', '\uA77D': 'G', '\uA77E': 'G', '\u24BD': 'H', '\uFF28': 'H', '\u0124': 'H', '\u1E22': 'H', '\u1E26': 'H', '\u021E': 'H', '\u1E24': 'H', '\u1E28': 'H', '\u1E2A': 'H', '\u0126': 'H', '\u2C67': 'H', '\u2C75': 'H', '\uA78D': 'H', '\u24BE': 'I', '\uFF29': 'I', '\u00CC': 'I', '\u00CD': 'I', '\u00CE': 'I', '\u0128': 'I', '\u012A': 'I', '\u012C': 'I', '\u0130': 'I', '\u00CF': 'I', '\u1E2E': 'I', '\u1EC8': 'I', '\u01CF': 'I', '\u0208': 'I', '\u020A': 'I', '\u1ECA': 'I', '\u012E': 'I', '\u1E2C': 'I', '\u0197': 'I', '\u24BF': 'J', '\uFF2A': 'J', '\u0134': 'J', '\u0248': 'J', '\u24C0': 'K', '\uFF2B': 'K', '\u1E30': 'K', '\u01E8': 'K', '\u1E32': 'K', '\u0136': 'K', '\u1E34': 'K', '\u0198': 'K', '\u2C69': 'K', '\uA740': 'K', '\uA742': 'K', '\uA744': 'K', '\uA7A2': 'K', '\u24C1': 'L', '\uFF2C': 'L', '\u013F': 'L', '\u0139': 'L', '\u013D': 'L', '\u1E36': 'L', '\u1E38': 'L', '\u013B': 'L', '\u1E3C': 'L', '\u1E3A': 'L', '\u0141': 'L', '\u023D': 'L', '\u2C62': 'L', '\u2C60': 'L', '\uA748': 'L', '\uA746': 'L', '\uA780': 'L', '\u01C7': 'LJ', '\u01C8': 'Lj', '\u24C2': 'M', '\uFF2D': 'M', '\u1E3E': 'M', '\u1E40': 'M', '\u1E42': 'M', '\u2C6E': 'M', '\u019C': 'M', '\u24C3': 'N', '\uFF2E': 'N', '\u01F8': 'N', '\u0143': 'N', '\u00D1': 'N', '\u1E44': 'N', '\u0147': 'N', '\u1E46': 'N', '\u0145': 'N', '\u1E4A': 'N', '\u1E48': 'N', '\u0220': 'N', '\u019D': 'N', '\uA790': 'N', '\uA7A4': 'N', '\u01CA': 'NJ', '\u01CB': 'Nj', '\u24C4': 'O', '\uFF2F': 'O', '\u00D2': 'O', '\u00D3': 'O', '\u00D4': 'O', '\u1ED2': 'O', '\u1ED0': 'O', '\u1ED6': 'O', '\u1ED4': 'O', '\u00D5': 'O', '\u1E4C': 'O', '\u022C': 'O', '\u1E4E': 'O', '\u014C': 'O', '\u1E50': 'O', '\u1E52': 'O', '\u014E': 'O', '\u022E': 'O', '\u0230': 'O', '\u00D6': 'O', '\u022A': 'O', '\u1ECE': 'O', '\u0150': 'O', '\u01D1': 'O', '\u020C': 'O', '\u020E': 'O', '\u01A0': 'O', '\u1EDC': 'O', '\u1EDA': 'O', '\u1EE0': 'O', '\u1EDE': 'O', '\u1EE2': 'O', '\u1ECC': 'O', '\u1ED8': 'O', '\u01EA': 'O', '\u01EC': 'O', '\u00D8': 'O', '\u01FE': 'O', '\u0186': 'O', '\u019F': 'O', '\uA74A': 'O', '\uA74C': 'O', '\u01A2': 'OI', '\uA74E': 'OO', '\u0222': 'OU', '\u24C5': 'P', '\uFF30': 'P', '\u1E54': 'P', '\u1E56': 'P', '\u01A4': 'P', '\u2C63': 'P', '\uA750': 'P', '\uA752': 'P', '\uA754': 'P', '\u24C6': 'Q', '\uFF31': 'Q', '\uA756': 'Q', '\uA758': 'Q', '\u024A': 'Q', '\u24C7': 'R', '\uFF32': 'R', '\u0154': 'R', '\u1E58': 'R', '\u0158': 'R', '\u0210': 'R', '\u0212': 'R', '\u1E5A': 'R', '\u1E5C': 'R', '\u0156': 'R', '\u1E5E': 'R', '\u024C': 'R', '\u2C64': 'R', '\uA75A': 'R', '\uA7A6': 'R', '\uA782': 'R', '\u24C8': 'S', '\uFF33': 'S', '\u1E9E': 'S', '\u015A': 'S', '\u1E64': 'S', '\u015C': 'S', '\u1E60': 'S', '\u0160': 'S', '\u1E66': 'S', '\u1E62': 'S', '\u1E68': 'S', '\u0218': 'S', '\u015E': 'S', '\u2C7E': 'S', '\uA7A8': 'S', '\uA784': 'S', '\u24C9': 'T', '\uFF34': 'T', '\u1E6A': 'T', '\u0164': 'T', '\u1E6C': 'T', '\u021A': 'T', '\u0162': 'T', '\u1E70': 'T', '\u1E6E': 'T', '\u0166': 'T', '\u01AC': 'T', '\u01AE': 'T', '\u023E': 'T', '\uA786': 'T', '\uA728': 'TZ', '\u24CA': 'U', '\uFF35': 'U', '\u00D9': 'U', '\u00DA': 'U', '\u00DB': 'U', '\u0168': 'U', '\u1E78': 'U', '\u016A': 'U', '\u1E7A': 'U', '\u016C': 'U', '\u00DC': 'U', '\u01DB': 'U', '\u01D7': 'U', '\u01D5': 'U', '\u01D9': 'U', '\u1EE6': 'U', '\u016E': 'U', '\u0170': 'U', '\u01D3': 'U', '\u0214': 'U', '\u0216': 'U', '\u01AF': 'U', '\u1EEA': 'U', '\u1EE8': 'U', '\u1EEE': 'U', '\u1EEC': 'U', '\u1EF0': 'U', '\u1EE4': 'U', '\u1E72': 'U', '\u0172': 'U', '\u1E76': 'U', '\u1E74': 'U', '\u0244': 'U', '\u24CB': 'V', '\uFF36': 'V', '\u1E7C': 'V', '\u1E7E': 'V', '\u01B2': 'V', '\uA75E': 'V', '\u0245': 'V', '\uA760': 'VY', '\u24CC': 'W', '\uFF37': 'W', '\u1E80': 'W', '\u1E82': 'W', '\u0174': 'W', '\u1E86': 'W', '\u1E84': 'W', '\u1E88': 'W', '\u2C72': 'W', '\u24CD': 'X', '\uFF38': 'X', '\u1E8A': 'X', '\u1E8C': 'X', '\u24CE': 'Y', '\uFF39': 'Y', '\u1EF2': 'Y', '\u00DD': 'Y', '\u0176': 'Y', '\u1EF8': 'Y', '\u0232': 'Y', '\u1E8E': 'Y', '\u0178': 'Y', '\u1EF6': 'Y', '\u1EF4': 'Y', '\u01B3': 'Y', '\u024E': 'Y', '\u1EFE': 'Y', '\u24CF': 'Z', '\uFF3A': 'Z', '\u0179': 'Z', '\u1E90': 'Z', '\u017B': 'Z', '\u017D': 'Z', '\u1E92': 'Z', '\u1E94': 'Z', '\u01B5': 'Z', '\u0224': 'Z', '\u2C7F': 'Z', '\u2C6B': 'Z', '\uA762': 'Z', '\u24D0': 'a', '\uFF41': 'a', '\u1E9A': 'a', '\u00E0': 'a', '\u00E1': 'a', '\u00E2': 'a', '\u1EA7': 'a', '\u1EA5': 'a', '\u1EAB': 'a', '\u1EA9': 'a', '\u00E3': 'a', '\u0101': 'a', '\u0103': 'a', '\u1EB1': 'a', '\u1EAF': 'a', '\u1EB5': 'a', '\u1EB3': 'a', '\u0227': 'a', '\u01E1': 'a', '\u00E4': 'a', '\u01DF': 'a', '\u1EA3': 'a', '\u00E5': 'a', '\u01FB': 'a', '\u01CE': 'a', '\u0201': 'a', '\u0203': 'a', '\u1EA1': 'a', '\u1EAD': 'a', '\u1EB7': 'a', '\u1E01': 'a', '\u0105': 'a', '\u2C65': 'a', '\u0250': 'a', '\uA733': 'aa', '\u00E6': 'ae', '\u01FD': 'ae', '\u01E3': 'ae', '\uA735': 'ao', '\uA737': 'au', '\uA739': 'av', '\uA73B': 'av', '\uA73D': 'ay', '\u24D1': 'b', '\uFF42': 'b', '\u1E03': 'b', '\u1E05': 'b', '\u1E07': 'b', '\u0180': 'b', '\u0183': 'b', '\u0253': 'b', '\u24D2': 'c', '\uFF43': 'c', '\u0107': 'c', '\u0109': 'c', '\u010B': 'c', '\u010D': 'c', '\u00E7': 'c', '\u1E09': 'c', '\u0188': 'c', '\u023C': 'c', '\uA73F': 'c', '\u2184': 'c', '\u24D3': 'd', '\uFF44': 'd', '\u1E0B': 'd', '\u010F': 'd', '\u1E0D': 'd', '\u1E11': 'd', '\u1E13': 'd', '\u1E0F': 'd', '\u0111': 'd', '\u018C': 'd', '\u0256': 'd', '\u0257': 'd', '\uA77A': 'd', '\u01F3': 'dz', '\u01C6': 'dz', '\u24D4': 'e', '\uFF45': 'e', '\u00E8': 'e', '\u00E9': 'e', '\u00EA': 'e', '\u1EC1': 'e', '\u1EBF': 'e', '\u1EC5': 'e', '\u1EC3': 'e', '\u1EBD': 'e', '\u0113': 'e', '\u1E15': 'e', '\u1E17': 'e', '\u0115': 'e', '\u0117': 'e', '\u00EB': 'e', '\u1EBB': 'e', '\u011B': 'e', '\u0205': 'e', '\u0207': 'e', '\u1EB9': 'e', '\u1EC7': 'e', '\u0229': 'e', '\u1E1D': 'e', '\u0119': 'e', '\u1E19': 'e', '\u1E1B': 'e', '\u0247': 'e', '\u025B': 'e', '\u01DD': 'e', '\u24D5': 'f', '\uFF46': 'f', '\u1E1F': 'f', '\u0192': 'f', '\uA77C': 'f', '\u24D6': 'g', '\uFF47': 'g', '\u01F5': 'g', '\u011D': 'g', '\u1E21': 'g', '\u011F': 'g', '\u0121': 'g', '\u01E7': 'g', '\u0123': 'g', '\u01E5': 'g', '\u0260': 'g', '\uA7A1': 'g', '\u1D79': 'g', '\uA77F': 'g', '\u24D7': 'h', '\uFF48': 'h', '\u0125': 'h', '\u1E23': 'h', '\u1E27': 'h', '\u021F': 'h', '\u1E25': 'h', '\u1E29': 'h', '\u1E2B': 'h', '\u1E96': 'h', '\u0127': 'h', '\u2C68': 'h', '\u2C76': 'h', '\u0265': 'h', '\u0195': 'hv', '\u24D8': 'i', '\uFF49': 'i', '\u00EC': 'i', '\u00ED': 'i', '\u00EE': 'i', '\u0129': 'i', '\u012B': 'i', '\u012D': 'i', '\u00EF': 'i', '\u1E2F': 'i', '\u1EC9': 'i', '\u01D0': 'i', '\u0209': 'i', '\u020B': 'i', '\u1ECB': 'i', '\u012F': 'i', '\u1E2D': 'i', '\u0268': 'i', '\u0131': 'i', '\u24D9': 'j', '\uFF4A': 'j', '\u0135': 'j', '\u01F0': 'j', '\u0249': 'j', '\u24DA': 'k', '\uFF4B': 'k', '\u1E31': 'k', '\u01E9': 'k', '\u1E33': 'k', '\u0137': 'k', '\u1E35': 'k', '\u0199': 'k', '\u2C6A': 'k', '\uA741': 'k', '\uA743': 'k', '\uA745': 'k', '\uA7A3': 'k', '\u24DB': 'l', '\uFF4C': 'l', '\u0140': 'l', '\u013A': 'l', '\u013E': 'l', '\u1E37': 'l', '\u1E39': 'l', '\u013C': 'l', '\u1E3D': 'l', '\u1E3B': 'l', '\u017F': 'l', '\u0142': 'l', '\u019A': 'l', '\u026B': 'l', '\u2C61': 'l', '\uA749': 'l', '\uA781': 'l', '\uA747': 'l', '\u01C9': 'lj', '\u24DC': 'm', '\uFF4D': 'm', '\u1E3F': 'm', '\u1E41': 'm', '\u1E43': 'm', '\u0271': 'm', '\u026F': 'm', '\u24DD': 'n', '\uFF4E': 'n', '\u01F9': 'n', '\u0144': 'n', '\u00F1': 'n', '\u1E45': 'n', '\u0148': 'n', '\u1E47': 'n', '\u0146': 'n', '\u1E4B': 'n', '\u1E49': 'n', '\u019E': 'n', '\u0272': 'n', '\u0149': 'n', '\uA791': 'n', '\uA7A5': 'n', '\u01CC': 'nj', '\u24DE': 'o', '\uFF4F': 'o', '\u00F2': 'o', '\u00F3': 'o', '\u00F4': 'o', '\u1ED3': 'o', '\u1ED1': 'o', '\u1ED7': 'o', '\u1ED5': 'o', '\u00F5': 'o', '\u1E4D': 'o', '\u022D': 'o', '\u1E4F': 'o', '\u014D': 'o', '\u1E51': 'o', '\u1E53': 'o', '\u014F': 'o', '\u022F': 'o', '\u0231': 'o', '\u00F6': 'o', '\u022B': 'o', '\u1ECF': 'o', '\u0151': 'o', '\u01D2': 'o', '\u020D': 'o', '\u020F': 'o', '\u01A1': 'o', '\u1EDD': 'o', '\u1EDB': 'o', '\u1EE1': 'o', '\u1EDF': 'o', '\u1EE3': 'o', '\u1ECD': 'o', '\u1ED9': 'o', '\u01EB': 'o', '\u01ED': 'o', '\u00F8': 'o', '\u01FF': 'o', '\u0254': 'o', '\uA74B': 'o', '\uA74D': 'o', '\u0275': 'o', '\u01A3': 'oi', '\u0223': 'ou', '\uA74F': 'oo', '\u24DF': 'p', '\uFF50': 'p', '\u1E55': 'p', '\u1E57': 'p', '\u01A5': 'p', '\u1D7D': 'p', '\uA751': 'p', '\uA753': 'p', '\uA755': 'p', '\u24E0': 'q', '\uFF51': 'q', '\u024B': 'q', '\uA757': 'q', '\uA759': 'q', '\u24E1': 'r', '\uFF52': 'r', '\u0155': 'r', '\u1E59': 'r', '\u0159': 'r', '\u0211': 'r', '\u0213': 'r', '\u1E5B': 'r', '\u1E5D': 'r', '\u0157': 'r', '\u1E5F': 'r', '\u024D': 'r', '\u027D': 'r', '\uA75B': 'r', '\uA7A7': 'r', '\uA783': 'r', '\u24E2': 's', '\uFF53': 's', '\u00DF': 's', '\u015B': 's', '\u1E65': 's', '\u015D': 's', '\u1E61': 's', '\u0161': 's', '\u1E67': 's', '\u1E63': 's', '\u1E69': 's', '\u0219': 's', '\u015F': 's', '\u023F': 's', '\uA7A9': 's', '\uA785': 's', '\u1E9B': 's', '\u24E3': 't', '\uFF54': 't', '\u1E6B': 't', '\u1E97': 't', '\u0165': 't', '\u1E6D': 't', '\u021B': 't', '\u0163': 't', '\u1E71': 't', '\u1E6F': 't', '\u0167': 't', '\u01AD': 't', '\u0288': 't', '\u2C66': 't', '\uA787': 't', '\uA729': 'tz', '\u24E4': 'u', '\uFF55': 'u', '\u00F9': 'u', '\u00FA': 'u', '\u00FB': 'u', '\u0169': 'u', '\u1E79': 'u', '\u016B': 'u', '\u1E7B': 'u', '\u016D': 'u', '\u00FC': 'u', '\u01DC': 'u', '\u01D8': 'u', '\u01D6': 'u', '\u01DA': 'u', '\u1EE7': 'u', '\u016F': 'u', '\u0171': 'u', '\u01D4': 'u', '\u0215': 'u', '\u0217': 'u', '\u01B0': 'u', '\u1EEB': 'u', '\u1EE9': 'u', '\u1EEF': 'u', '\u1EED': 'u', '\u1EF1': 'u', '\u1EE5': 'u', '\u1E73': 'u', '\u0173': 'u', '\u1E77': 'u', '\u1E75': 'u', '\u0289': 'u', '\u24E5': 'v', '\uFF56': 'v', '\u1E7D': 'v', '\u1E7F': 'v', '\u028B': 'v', '\uA75F': 'v', '\u028C': 'v', '\uA761': 'vy', '\u24E6': 'w', '\uFF57': 'w', '\u1E81': 'w', '\u1E83': 'w', '\u0175': 'w', '\u1E87': 'w', '\u1E85': 'w', '\u1E98': 'w', '\u1E89': 'w', '\u2C73': 'w', '\u24E7': 'x', '\uFF58': 'x', '\u1E8B': 'x', '\u1E8D': 'x', '\u24E8': 'y', '\uFF59': 'y', '\u1EF3': 'y', '\u00FD': 'y', '\u0177': 'y', '\u1EF9': 'y', '\u0233': 'y', '\u1E8F': 'y', '\u00FF': 'y', '\u1EF7': 'y', '\u1E99': 'y', '\u1EF5': 'y', '\u01B4': 'y', '\u024F': 'y', '\u1EFF': 'y', '\u24E9': 'z', '\uFF5A': 'z', '\u017A': 'z', '\u1E91': 'z', '\u017C': 'z', '\u017E': 'z', '\u1E93': 'z', '\u1E95': 'z', '\u01B6': 'z', '\u0225': 'z', '\u0240': 'z', '\u2C6C': 'z', '\uA763': 'z', '\u0386': '\u0391', '\u0388': '\u0395', '\u0389': '\u0397', '\u038A': '\u0399', '\u03AA': '\u0399', '\u038C': '\u039F', '\u038E': '\u03A5', '\u03AB': '\u03A5', '\u038F': '\u03A9', '\u03AC': '\u03B1', '\u03AD': '\u03B5', '\u03AE': '\u03B7', '\u03AF': '\u03B9', '\u03CA': '\u03B9', '\u0390': '\u03B9', '\u03CC': '\u03BF', '\u03CD': '\u03C5', '\u03CB': '\u03C5', '\u03B0': '\u03C5', '\u03C9': '\u03C9', '\u03C2': '\u03C3' }; return diacritics; }); S2.define('select2/data/base',[ '../utils' ], function (Utils) { function BaseAdapter ($element, options) { BaseAdapter.__super__.constructor.call(this); } Utils.Extend(BaseAdapter, Utils.Observable); BaseAdapter.prototype.current = function (callback) { throw new Error('The `current` method must be defined in child classes.'); }; BaseAdapter.prototype.query = function (params, callback) { throw new Error('The `query` method must be defined in child classes.'); }; BaseAdapter.prototype.bind = function (container, $container) { // Can be implemented in subclasses }; BaseAdapter.prototype.destroy = function () { // Can be implemented in subclasses }; BaseAdapter.prototype.generateResultId = function (container, data) { var id = container.id + '-result-'; id += Utils.generateChars(4); if (data.id != null) { id += '-' + data.id.toString(); } else { id += '-' + Utils.generateChars(4); } return id; }; return BaseAdapter; }); S2.define('select2/data/select',[ './base', '../utils', 'jquery' ], function (BaseAdapter, Utils, $) { function SelectAdapter ($element, options) { this.$element = $element; this.options = options; SelectAdapter.__super__.constructor.call(this); } Utils.Extend(SelectAdapter, BaseAdapter); SelectAdapter.prototype.current = function (callback) { var data = []; var self = this; this.$element.find(':selected').each(function () { var $option = $(this); var option = self.item($option); data.push(option); }); callback(data); }; SelectAdapter.prototype.select = function (data) { var self = this; data.selected = true; // If data.element is a DOM node, use it instead if ($(data.element).is('option')) { data.element.selected = true; this.$element.trigger('change'); return; } if (this.$element.prop('multiple')) { this.current(function (currentData) { var val = []; data = [data]; data.push.apply(data, currentData); for (var d = 0; d < data.length; d++) { var id = data[d].id; if ($.inArray(id, val) === -1) { val.push(id); } } self.$element.val(val); self.$element.trigger('change'); }); } else { var val = data.id; this.$element.val(val); this.$element.trigger('change'); } }; SelectAdapter.prototype.unselect = function (data) { var self = this; if (!this.$element.prop('multiple')) { return; } data.selected = false; if ($(data.element).is('option')) { data.element.selected = false; this.$element.trigger('change'); return; } this.current(function (currentData) { var val = []; for (var d = 0; d < currentData.length; d++) { var id = currentData[d].id; if (id !== data.id && $.inArray(id, val) === -1) { val.push(id); } } self.$element.val(val); self.$element.trigger('change'); }); }; SelectAdapter.prototype.bind = function (container, $container) { var self = this; this.container = container; container.on('select', function (params) { self.select(params.data); }); container.on('unselect', function (params) { self.unselect(params.data); }); }; SelectAdapter.prototype.destroy = function () { // Remove anything added to child elements this.$element.find('*').each(function () { // Remove any custom data set by Select2 Utils.RemoveData(this); }); }; SelectAdapter.prototype.query = function (params, callback) { var data = []; var self = this; var $options = this.$element.children(); $options.each(function () { var $option = $(this); if (!$option.is('option') && !$option.is('optgroup')) { return; } var option = self.item($option); var matches = self.matches(params, option); if (matches !== null) { data.push(matches); } }); callback({ results: data }); }; SelectAdapter.prototype.addOptions = function ($options) { Utils.appendMany(this.$element, $options); }; SelectAdapter.prototype.option = function (data) { var option; if (data.children) { option = document.createElement('optgroup'); option.label = data.text; } else { option = document.createElement('option'); if (option.textContent !== undefined) { option.textContent = data.text; } else { option.innerText = data.text; } } if (data.id !== undefined) { option.value = data.id; } if (data.disabled) { option.disabled = true; } if (data.selected) { option.selected = true; } if (data.title) { option.title = data.title; } var $option = $(option); var normalizedData = this._normalizeItem(data); normalizedData.element = option; // Override the option's data with the combined data Utils.StoreData(option, 'data', normalizedData); return $option; }; SelectAdapter.prototype.item = function ($option) { var data = {}; data = Utils.GetData($option[0], 'data'); if (data != null) { return data; } if ($option.is('option')) { data = { id: $option.val(), text: $option.text(), disabled: $option.prop('disabled'), selected: $option.prop('selected'), title: $option.prop('title') }; } else if ($option.is('optgroup')) { data = { text: $option.prop('label'), children: [], title: $option.prop('title') }; var $children = $option.children('option'); var children = []; for (var c = 0; c < $children.length; c++) { var $child = $($children[c]); var child = this.item($child); children.push(child); } data.children = children; } data = this._normalizeItem(data); data.element = $option[0]; Utils.StoreData($option[0], 'data', data); return data; }; SelectAdapter.prototype._normalizeItem = function (item) { if (item !== Object(item)) { item = { id: item, text: item }; } item = $.extend({}, { text: '' }, item); var defaults = { selected: false, disabled: false }; if (item.id != null) { item.id = item.id.toString(); } if (item.text != null) { item.text = item.text.toString(); } if (item._resultId == null && item.id && this.container != null) { item._resultId = this.generateResultId(this.container, item); } return $.extend({}, defaults, item); }; SelectAdapter.prototype.matches = function (params, data) { var matcher = this.options.get('matcher'); return matcher(params, data); }; return SelectAdapter; }); S2.define('select2/data/array',[ './select', '../utils', 'jquery' ], function (SelectAdapter, Utils, $) { function ArrayAdapter ($element, options) { var data = options.get('data') || []; ArrayAdapter.__super__.constructor.call(this, $element, options); this.addOptions(this.convertToOptions(data)); } Utils.Extend(ArrayAdapter, SelectAdapter); ArrayAdapter.prototype.select = function (data) { var $option = this.$element.find('option').filter(function (i, elm) { return elm.value == data.id.toString(); }); if ($option.length === 0) { $option = this.option(data); this.addOptions($option); } ArrayAdapter.__super__.select.call(this, data); }; ArrayAdapter.prototype.convertToOptions = function (data) { var self = this; var $existing = this.$element.find('option'); var existingIds = $existing.map(function () { return self.item($(this)).id; }).get(); var $options = []; // Filter out all items except for the one passed in the argument function onlyItem (item) { return function () { return $(this).val() == item.id; }; } for (var d = 0; d < data.length; d++) { var item = this._normalizeItem(data[d]); // Skip items which were pre-loaded, only merge the data if ($.inArray(item.id, existingIds) >= 0) { var $existingOption = $existing.filter(onlyItem(item)); var existingData = this.item($existingOption); var newData = $.extend(true, {}, item, existingData); var $newOption = this.option(newData); $existingOption.replaceWith($newOption); continue; } var $option = this.option(item); if (item.children) { var $children = this.convertToOptions(item.children); Utils.appendMany($option, $children); } $options.push($option); } return $options; }; return ArrayAdapter; }); S2.define('select2/data/ajax',[ './array', '../utils', 'jquery' ], function (ArrayAdapter, Utils, $) { function AjaxAdapter ($element, options) { this.ajaxOptions = this._applyDefaults(options.get('ajax')); if (this.ajaxOptions.processResults != null) { this.processResults = this.ajaxOptions.processResults; } AjaxAdapter.__super__.constructor.call(this, $element, options); } Utils.Extend(AjaxAdapter, ArrayAdapter); AjaxAdapter.prototype._applyDefaults = function (options) { var defaults = { data: function (params) { return $.extend({}, params, { q: params.term }); }, transport: function (params, success, failure) { var $request = $.ajax(params); $request.then(success); $request.fail(failure); return $request; } }; return $.extend({}, defaults, options, true); }; AjaxAdapter.prototype.processResults = function (results) { return results; }; AjaxAdapter.prototype.query = function (params, callback) { var matches = []; var self = this; if (this._request != null) { // JSONP requests cannot always be aborted if ($.isFunction(this._request.abort)) { this._request.abort(); } this._request = null; } var options = $.extend({ type: 'GET' }, this.ajaxOptions); if (typeof options.url === 'function') { options.url = options.url.call(this.$element, params); } if (typeof options.data === 'function') { options.data = options.data.call(this.$element, params); } function request () { var $request = options.transport(options, function (data) { var results = self.processResults(data, params); if (self.options.get('debug') && window.console && console.error) { // Check to make sure that the response included a `results` key. if (!results || !results.results || !$.isArray(results.results)) { console.error( 'Select2: The AJAX results did not return an array in the ' + '`results` key of the response.' ); } } callback(results); }, function () { // Attempt to detect if a request was aborted // Only works if the transport exposes a status property if ('status' in $request && ($request.status === 0 || $request.status === '0')) { return; } self.trigger('results:message', { message: 'errorLoading' }); }); self._request = $request; } if (this.ajaxOptions.delay && params.term != null) { if (this._queryTimeout) { window.clearTimeout(this._queryTimeout); } this._queryTimeout = window.setTimeout(request, this.ajaxOptions.delay); } else { request(); } }; return AjaxAdapter; }); S2.define('select2/data/tags',[ 'jquery' ], function ($) { function Tags (decorated, $element, options) { var tags = options.get('tags'); var createTag = options.get('createTag'); if (createTag !== undefined) { this.createTag = createTag; } var insertTag = options.get('insertTag'); if (insertTag !== undefined) { this.insertTag = insertTag; } decorated.call(this, $element, options); if ($.isArray(tags)) { for (var t = 0; t < tags.length; t++) { var tag = tags[t]; var item = this._normalizeItem(tag); var $option = this.option(item); this.$element.append($option); } } } Tags.prototype.query = function (decorated, params, callback) { var self = this; this._removeOldTags(); if (params.term == null || params.page != null) { decorated.call(this, params, callback); return; } function wrapper (obj, child) { var data = obj.results; for (var i = 0; i < data.length; i++) { var option = data[i]; var checkChildren = ( option.children != null && !wrapper({ results: option.children }, true) ); var optionText = (option.text || '').toUpperCase(); var paramsTerm = (params.term || '').toUpperCase(); var checkText = optionText === paramsTerm; if (checkText || checkChildren) { if (child) { return false; } obj.data = data; callback(obj); return; } } if (child) { return true; } var tag = self.createTag(params); if (tag != null) { var $option = self.option(tag); $option.attr('data-select2-tag', true); self.addOptions([$option]); self.insertTag(data, tag); } obj.results = data; callback(obj); } decorated.call(this, params, wrapper); }; Tags.prototype.createTag = function (decorated, params) { var term = $.trim(params.term); if (term === '') { return null; } return { id: term, text: term }; }; Tags.prototype.insertTag = function (_, data, tag) { data.unshift(tag); }; Tags.prototype._removeOldTags = function (_) { var tag = this._lastTag; var $options = this.$element.find('option[data-select2-tag]'); $options.each(function () { if (this.selected) { return; } $(this).remove(); }); }; return Tags; }); S2.define('select2/data/tokenizer',[ 'jquery' ], function ($) { function Tokenizer (decorated, $element, options) { var tokenizer = options.get('tokenizer'); if (tokenizer !== undefined) { this.tokenizer = tokenizer; } decorated.call(this, $element, options); } Tokenizer.prototype.bind = function (decorated, container, $container) { decorated.call(this, container, $container); this.$search = container.dropdown.$search || container.selection.$search || $container.find('.select2-search__field'); }; Tokenizer.prototype.query = function (decorated, params, callback) { var self = this; function createAndSelect (data) { // Normalize the data object so we can use it for checks var item = self._normalizeItem(data); // Check if the data object already exists as a tag // Select it if it doesn't var $existingOptions = self.$element.find('option').filter(function () { return $(this).val() === item.id; }); // If an existing option wasn't found for it, create the option if (!$existingOptions.length) { var $option = self.option(item); $option.attr('data-select2-tag', true); self._removeOldTags(); self.addOptions([$option]); } // Select the item, now that we know there is an option for it select(item); } function select (data) { self.trigger('select', { data: data }); } params.term = params.term || ''; var tokenData = this.tokenizer(params, this.options, createAndSelect); if (tokenData.term !== params.term) { // Replace the search term if we have the search box if (this.$search.length) { this.$search.val(tokenData.term); this.$search.focus(); } params.term = tokenData.term; } decorated.call(this, params, callback); }; Tokenizer.prototype.tokenizer = function (_, params, options, callback) { var separators = options.get('tokenSeparators') || []; var term = params.term; var i = 0; var createTag = this.createTag || function (params) { return { id: params.term, text: params.term }; }; while (i < term.length) { var termChar = term[i]; if ($.inArray(termChar, separators) === -1) { i++; continue; } var part = term.substr(0, i); var partParams = $.extend({}, params, { term: part }); var data = createTag(partParams); if (data == null) { i++; continue; } callback(data); // Reset the term to not include the tokenized portion term = term.substr(i + 1) || ''; i = 0; } return { term: term }; }; return Tokenizer; }); S2.define('select2/data/minimumInputLength',[ ], function () { function MinimumInputLength (decorated, $e, options) { this.minimumInputLength = options.get('minimumInputLength'); decorated.call(this, $e, options); } MinimumInputLength.prototype.query = function (decorated, params, callback) { params.term = params.term || ''; if (params.term.length < this.minimumInputLength) { this.trigger('results:message', { message: 'inputTooShort', args: { minimum: this.minimumInputLength, input: params.term, params: params } }); return; } decorated.call(this, params, callback); }; return MinimumInputLength; }); S2.define('select2/data/maximumInputLength',[ ], function () { function MaximumInputLength (decorated, $e, options) { this.maximumInputLength = options.get('maximumInputLength'); decorated.call(this, $e, options); } MaximumInputLength.prototype.query = function (decorated, params, callback) { params.term = params.term || ''; if (this.maximumInputLength > 0 && params.term.length > this.maximumInputLength) { this.trigger('results:message', { message: 'inputTooLong', args: { maximum: this.maximumInputLength, input: params.term, params: params } }); return; } decorated.call(this, params, callback); }; return MaximumInputLength; }); S2.define('select2/data/maximumSelectionLength',[ ], function (){ function MaximumSelectionLength (decorated, $e, options) { this.maximumSelectionLength = options.get('maximumSelectionLength'); decorated.call(this, $e, options); } MaximumSelectionLength.prototype.query = function (decorated, params, callback) { var self = this; this.current(function (currentData) { var count = currentData != null ? currentData.length : 0; if (self.maximumSelectionLength > 0 && count >= self.maximumSelectionLength) { self.trigger('results:message', { message: 'maximumSelected', args: { maximum: self.maximumSelectionLength } }); return; } decorated.call(self, params, callback); }); }; return MaximumSelectionLength; }); S2.define('select2/dropdown',[ 'jquery', './utils' ], function ($, Utils) { function Dropdown ($element, options) { this.$element = $element; this.options = options; Dropdown.__super__.constructor.call(this); } Utils.Extend(Dropdown, Utils.Observable); Dropdown.prototype.render = function () { var $dropdown = $( '' + '' + '' ); $dropdown.attr('dir', this.options.get('dir')); this.$dropdown = $dropdown; return $dropdown; }; Dropdown.prototype.bind = function () { // Should be implemented in subclasses }; Dropdown.prototype.position = function ($dropdown, $container) { // Should be implmented in subclasses }; Dropdown.prototype.destroy = function () { // Remove the dropdown from the DOM this.$dropdown.remove(); }; return Dropdown; }); S2.define('select2/dropdown/search',[ 'jquery', '../utils' ], function ($, Utils) { function Search () { } Search.prototype.render = function (decorated) { var $rendered = decorated.call(this); var $search = $( '' + '' + '' ); this.$searchContainer = $search; this.$search = $search.find('input'); $rendered.prepend($search); return $rendered; }; Search.prototype.bind = function (decorated, container, $container) { var self = this; decorated.call(this, container, $container); this.$search.on('keydown', function (evt) { self.trigger('keypress', evt); self._keyUpPrevented = evt.isDefaultPrevented(); }); // Workaround for browsers which do not support the `input` event // This will prevent double-triggering of events for browsers which support // both the `keyup` and `input` events. this.$search.on('input', function (evt) { // Unbind the duplicated `keyup` event $(this).off('keyup'); }); this.$search.on('keyup input', function (evt) { self.handleSearch(evt); }); container.on('open', function () { self.$search.attr('tabindex', 0); self.$search.focus(); window.setTimeout(function () { self.$search.focus(); }, 0); }); container.on('close', function () { self.$search.attr('tabindex', -1); self.$search.val(''); self.$search.blur(); }); container.on('focus', function () { if (!container.isOpen()) { self.$search.focus(); } }); container.on('results:all', function (params) { if (params.query.term == null || params.query.term === '') { var showSearch = self.showSearch(params); if (showSearch) { self.$searchContainer.removeClass('select2-search--hide'); } else { self.$searchContainer.addClass('select2-search--hide'); } } }); }; Search.prototype.handleSearch = function (evt) { if (!this._keyUpPrevented) { var input = this.$search.val(); this.trigger('query', { term: input }); } this._keyUpPrevented = false; }; Search.prototype.showSearch = function (_, params) { return true; }; return Search; }); S2.define('select2/dropdown/hidePlaceholder',[ ], function () { function HidePlaceholder (decorated, $element, options, dataAdapter) { this.placeholder = this.normalizePlaceholder(options.get('placeholder')); decorated.call(this, $element, options, dataAdapter); } HidePlaceholder.prototype.append = function (decorated, data) { data.results = this.removePlaceholder(data.results); decorated.call(this, data); }; HidePlaceholder.prototype.normalizePlaceholder = function (_, placeholder) { if (typeof placeholder === 'string') { placeholder = { id: '', text: placeholder }; } return placeholder; }; HidePlaceholder.prototype.removePlaceholder = function (_, data) { var modifiedData = data.slice(0); for (var d = data.length - 1; d >= 0; d--) { var item = data[d]; if (this.placeholder.id === item.id) { modifiedData.splice(d, 1); } } return modifiedData; }; return HidePlaceholder; }); S2.define('select2/dropdown/infiniteScroll',[ 'jquery' ], function ($) { function InfiniteScroll (decorated, $element, options, dataAdapter) { this.lastParams = {}; decorated.call(this, $element, options, dataAdapter); this.$loadingMore = this.createLoadingMore(); this.loading = false; } InfiniteScroll.prototype.append = function (decorated, data) { this.$loadingMore.remove(); this.loading = false; decorated.call(this, data); if (this.showLoadingMore(data)) { this.$results.append(this.$loadingMore); } }; InfiniteScroll.prototype.bind = function (decorated, container, $container) { var self = this; decorated.call(this, container, $container); container.on('query', function (params) { self.lastParams = params; self.loading = true; }); container.on('query:append', function (params) { self.lastParams = params; self.loading = true; }); this.$results.on('scroll', function () { var isLoadMoreVisible = $.contains( document.documentElement, self.$loadingMore[0] ); if (self.loading || !isLoadMoreVisible) { return; } var currentOffset = self.$results.offset().top + self.$results.outerHeight(false); var loadingMoreOffset = self.$loadingMore.offset().top + self.$loadingMore.outerHeight(false); if (currentOffset + 50 >= loadingMoreOffset) { self.loadMore(); } }); }; InfiniteScroll.prototype.loadMore = function () { this.loading = true; var params = $.extend({}, {page: 1}, this.lastParams); params.page++; this.trigger('query:append', params); }; InfiniteScroll.prototype.showLoadingMore = function (_, data) { return data.pagination && data.pagination.more; }; InfiniteScroll.prototype.createLoadingMore = function () { var $option = $( '
      • ' ); var message = this.options.get('translations').get('loadingMore'); $option.html(message(this.lastParams)); return $option; }; return InfiniteScroll; }); S2.define('select2/dropdown/attachBody',[ 'jquery', '../utils' ], function ($, Utils) { function AttachBody (decorated, $element, options) { this.$dropdownParent = options.get('dropdownParent') || $(document.body); decorated.call(this, $element, options); } AttachBody.prototype.bind = function (decorated, container, $container) { var self = this; var setupResultsEvents = false; decorated.call(this, container, $container); container.on('open', function () { self._showDropdown(); self._attachPositioningHandler(container); if (!setupResultsEvents) { setupResultsEvents = true; container.on('results:all', function () { self._positionDropdown(); self._resizeDropdown(); }); container.on('results:append', function () { self._positionDropdown(); self._resizeDropdown(); }); } }); container.on('close', function () { self._hideDropdown(); self._detachPositioningHandler(container); }); this.$dropdownContainer.on('mousedown', function (evt) { evt.stopPropagation(); }); }; AttachBody.prototype.destroy = function (decorated) { decorated.call(this); this.$dropdownContainer.remove(); }; AttachBody.prototype.position = function (decorated, $dropdown, $container) { // Clone all of the container classes $dropdown.attr('class', $container.attr('class')); $dropdown.removeClass('select2'); $dropdown.addClass('select2-container--open'); $dropdown.css({ position: 'absolute', top: -999999 }); this.$container = $container; }; AttachBody.prototype.render = function (decorated) { var $container = $(''); var $dropdown = decorated.call(this); $container.append($dropdown); this.$dropdownContainer = $container; return $container; }; AttachBody.prototype._hideDropdown = function (decorated) { this.$dropdownContainer.detach(); }; AttachBody.prototype._attachPositioningHandler = function (decorated, container) { var self = this; var scrollEvent = 'scroll.select2.' + container.id; var resizeEvent = 'resize.select2.' + container.id; var orientationEvent = 'orientationchange.select2.' + container.id; var $watchers = this.$container.parents().filter(Utils.hasScroll); $watchers.each(function () { Utils.StoreData(this, 'select2-scroll-position', { x: $(this).scrollLeft(), y: $(this).scrollTop() }); }); $watchers.on(scrollEvent, function (ev) { var position = Utils.GetData(this, 'select2-scroll-position'); $(this).scrollTop(position.y); }); $(window).on(scrollEvent + ' ' + resizeEvent + ' ' + orientationEvent, function (e) { self._positionDropdown(); self._resizeDropdown(); }); }; AttachBody.prototype._detachPositioningHandler = function (decorated, container) { var scrollEvent = 'scroll.select2.' + container.id; var resizeEvent = 'resize.select2.' + container.id; var orientationEvent = 'orientationchange.select2.' + container.id; var $watchers = this.$container.parents().filter(Utils.hasScroll); $watchers.off(scrollEvent); $(window).off(scrollEvent + ' ' + resizeEvent + ' ' + orientationEvent); }; AttachBody.prototype._positionDropdown = function () { var $window = $(window); var isCurrentlyAbove = this.$dropdown.hasClass('select2-dropdown--above'); var isCurrentlyBelow = this.$dropdown.hasClass('select2-dropdown--below'); var newDirection = null; var offset = this.$container.offset(); offset.bottom = offset.top + this.$container.outerHeight(false); var container = { height: this.$container.outerHeight(false) }; container.top = offset.top; container.bottom = offset.top + container.height; var dropdown = { height: this.$dropdown.outerHeight(false) }; var viewport = { top: $window.scrollTop(), bottom: $window.scrollTop() + $window.height() }; var enoughRoomAbove = viewport.top < (offset.top - dropdown.height); var enoughRoomBelow = viewport.bottom > (offset.bottom + dropdown.height); var css = { left: offset.left, top: container.bottom }; // Determine what the parent element is to use for calciulating the offset var $offsetParent = this.$dropdownParent; // For statically positoned elements, we need to get the element // that is determining the offset if ($offsetParent.css('position') === 'static') { $offsetParent = $offsetParent.offsetParent(); } var parentOffset = $offsetParent.offset(); css.top -= parentOffset.top; css.left -= parentOffset.left; if (!isCurrentlyAbove && !isCurrentlyBelow) { newDirection = 'below'; } if (!enoughRoomBelow && enoughRoomAbove && !isCurrentlyAbove) { newDirection = 'above'; } else if (!enoughRoomAbove && enoughRoomBelow && isCurrentlyAbove) { newDirection = 'below'; } if (newDirection == 'above' || (isCurrentlyAbove && newDirection !== 'below')) { css.top = container.top - parentOffset.top - dropdown.height; } if (newDirection != null) { this.$dropdown .removeClass('select2-dropdown--below select2-dropdown--above') .addClass('select2-dropdown--' + newDirection); this.$container .removeClass('select2-container--below select2-container--above') .addClass('select2-container--' + newDirection); } this.$dropdownContainer.css(css); }; AttachBody.prototype._resizeDropdown = function () { var css = { width: this.$container.outerWidth(false) + 'px' }; if (this.options.get('dropdownAutoWidth')) { css.minWidth = css.width; css.position = 'relative'; css.width = 'auto'; } this.$dropdown.css(css); }; AttachBody.prototype._showDropdown = function (decorated) { this.$dropdownContainer.appendTo(this.$dropdownParent); this._positionDropdown(); this._resizeDropdown(); }; return AttachBody; }); S2.define('select2/dropdown/minimumResultsForSearch',[ ], function () { function countResults (data) { var count = 0; for (var d = 0; d < data.length; d++) { var item = data[d]; if (item.children) { count += countResults(item.children); } else { count++; } } return count; } function MinimumResultsForSearch (decorated, $element, options, dataAdapter) { this.minimumResultsForSearch = options.get('minimumResultsForSearch'); if (this.minimumResultsForSearch < 0) { this.minimumResultsForSearch = Infinity; } decorated.call(this, $element, options, dataAdapter); } MinimumResultsForSearch.prototype.showSearch = function (decorated, params) { if (countResults(params.data.results) < this.minimumResultsForSearch) { return false; } return decorated.call(this, params); }; return MinimumResultsForSearch; }); S2.define('select2/dropdown/selectOnClose',[ '../utils' ], function (Utils) { function SelectOnClose () { } SelectOnClose.prototype.bind = function (decorated, container, $container) { var self = this; decorated.call(this, container, $container); container.on('close', function (params) { self._handleSelectOnClose(params); }); }; SelectOnClose.prototype._handleSelectOnClose = function (_, params) { if (params && params.originalSelect2Event != null) { var event = params.originalSelect2Event; // Don't select an item if the close event was triggered from a select or // unselect event if (event._type === 'select' || event._type === 'unselect') { return; } } var $highlightedResults = this.getHighlightedResults(); // Only select highlighted results if ($highlightedResults.length < 1) { return; } var data = Utils.GetData($highlightedResults[0], 'data'); // Don't re-select already selected resulte if ( (data.element != null && data.element.selected) || (data.element == null && data.selected) ) { return; } this.trigger('select', { data: data }); }; return SelectOnClose; }); S2.define('select2/dropdown/closeOnSelect',[ ], function () { function CloseOnSelect () { } CloseOnSelect.prototype.bind = function (decorated, container, $container) { var self = this; decorated.call(this, container, $container); container.on('select', function (evt) { self._selectTriggered(evt); }); container.on('unselect', function (evt) { self._selectTriggered(evt); }); }; CloseOnSelect.prototype._selectTriggered = function (_, evt) { var originalEvent = evt.originalEvent; // Don't close if the control key is being held if (originalEvent && originalEvent.ctrlKey) { return; } this.trigger('close', { originalEvent: originalEvent, originalSelect2Event: evt }); }; return CloseOnSelect; }); S2.define('select2/i18n/en',[],function () { // English return { errorLoading: function () { return 'The results could not be loaded.'; }, inputTooLong: function (args) { var overChars = args.input.length - args.maximum; var message = 'Please delete ' + overChars + ' character'; if (overChars != 1) { message += 's'; } return message; }, inputTooShort: function (args) { var remainingChars = args.minimum - args.input.length; var message = 'Please enter ' + remainingChars + ' or more characters'; return message; }, loadingMore: function () { return 'Loading more results…'; }, maximumSelected: function (args) { var message = 'You can only select ' + args.maximum + ' item'; if (args.maximum != 1) { message += 's'; } return message; }, noResults: function () { return 'No results found'; }, searching: function () { return 'Searching…'; } }; }); S2.define('select2/defaults',[ 'jquery', 'require', './results', './selection/single', './selection/multiple', './selection/placeholder', './selection/allowClear', './selection/search', './selection/eventRelay', './utils', './translation', './diacritics', './data/select', './data/array', './data/ajax', './data/tags', './data/tokenizer', './data/minimumInputLength', './data/maximumInputLength', './data/maximumSelectionLength', './dropdown', './dropdown/search', './dropdown/hidePlaceholder', './dropdown/infiniteScroll', './dropdown/attachBody', './dropdown/minimumResultsForSearch', './dropdown/selectOnClose', './dropdown/closeOnSelect', './i18n/en' ], function ($, require, ResultsList, SingleSelection, MultipleSelection, Placeholder, AllowClear, SelectionSearch, EventRelay, Utils, Translation, DIACRITICS, SelectData, ArrayData, AjaxData, Tags, Tokenizer, MinimumInputLength, MaximumInputLength, MaximumSelectionLength, Dropdown, DropdownSearch, HidePlaceholder, InfiniteScroll, AttachBody, MinimumResultsForSearch, SelectOnClose, CloseOnSelect, EnglishTranslation) { function Defaults () { this.reset(); } Defaults.prototype.apply = function (options) { options = $.extend(true, {}, this.defaults, options); if (options.dataAdapter == null) { if (options.ajax != null) { options.dataAdapter = AjaxData; } else if (options.data != null) { options.dataAdapter = ArrayData; } else { options.dataAdapter = SelectData; } if (options.minimumInputLength > 0) { options.dataAdapter = Utils.Decorate( options.dataAdapter, MinimumInputLength ); } if (options.maximumInputLength > 0) { options.dataAdapter = Utils.Decorate( options.dataAdapter, MaximumInputLength ); } if (options.maximumSelectionLength > 0) { options.dataAdapter = Utils.Decorate( options.dataAdapter, MaximumSelectionLength ); } if (options.tags) { options.dataAdapter = Utils.Decorate(options.dataAdapter, Tags); } if (options.tokenSeparators != null || options.tokenizer != null) { options.dataAdapter = Utils.Decorate( options.dataAdapter, Tokenizer ); } if (options.query != null) { var Query = require(options.amdBase + 'compat/query'); options.dataAdapter = Utils.Decorate( options.dataAdapter, Query ); } if (options.initSelection != null) { var InitSelection = require(options.amdBase + 'compat/initSelection'); options.dataAdapter = Utils.Decorate( options.dataAdapter, InitSelection ); } } if (options.resultsAdapter == null) { options.resultsAdapter = ResultsList; if (options.ajax != null) { options.resultsAdapter = Utils.Decorate( options.resultsAdapter, InfiniteScroll ); } if (options.placeholder != null) { options.resultsAdapter = Utils.Decorate( options.resultsAdapter, HidePlaceholder ); } if (options.selectOnClose) { options.resultsAdapter = Utils.Decorate( options.resultsAdapter, SelectOnClose ); } } if (options.dropdownAdapter == null) { if (options.multiple) { options.dropdownAdapter = Dropdown; } else { var SearchableDropdown = Utils.Decorate(Dropdown, DropdownSearch); options.dropdownAdapter = SearchableDropdown; } if (options.minimumResultsForSearch !== 0) { options.dropdownAdapter = Utils.Decorate( options.dropdownAdapter, MinimumResultsForSearch ); } if (options.closeOnSelect) { options.dropdownAdapter = Utils.Decorate( options.dropdownAdapter, CloseOnSelect ); } if ( options.dropdownCssClass != null || options.dropdownCss != null || options.adaptDropdownCssClass != null ) { var DropdownCSS = require(options.amdBase + 'compat/dropdownCss'); options.dropdownAdapter = Utils.Decorate( options.dropdownAdapter, DropdownCSS ); } options.dropdownAdapter = Utils.Decorate( options.dropdownAdapter, AttachBody ); } if (options.selectionAdapter == null) { if (options.multiple) { options.selectionAdapter = MultipleSelection; } else { options.selectionAdapter = SingleSelection; } // Add the placeholder mixin if a placeholder was specified if (options.placeholder != null) { options.selectionAdapter = Utils.Decorate( options.selectionAdapter, Placeholder ); } if (options.allowClear) { options.selectionAdapter = Utils.Decorate( options.selectionAdapter, AllowClear ); } if (options.multiple) { options.selectionAdapter = Utils.Decorate( options.selectionAdapter, SelectionSearch ); } if ( options.containerCssClass != null || options.containerCss != null || options.adaptContainerCssClass != null ) { var ContainerCSS = require(options.amdBase + 'compat/containerCss'); options.selectionAdapter = Utils.Decorate( options.selectionAdapter, ContainerCSS ); } options.selectionAdapter = Utils.Decorate( options.selectionAdapter, EventRelay ); } if (typeof options.language === 'string') { // Check if the language is specified with a region if (options.language.indexOf('-') > 0) { // Extract the region information if it is included var languageParts = options.language.split('-'); var baseLanguage = languageParts[0]; options.language = [options.language, baseLanguage]; } else { options.language = [options.language]; } } if ($.isArray(options.language)) { var languages = new Translation(); options.language.push('en'); var languageNames = options.language; for (var l = 0; l < languageNames.length; l++) { var name = languageNames[l]; var language = {}; try { // Try to load it with the original name language = Translation.loadPath(name); } catch (e) { try { // If we couldn't load it, check if it wasn't the full path name = this.defaults.amdLanguageBase + name; language = Translation.loadPath(name); } catch (ex) { // The translation could not be loaded at all. Sometimes this is // because of a configuration problem, other times this can be // because of how Select2 helps load all possible translation files. if (options.debug && window.console && console.warn) { console.warn( 'Select2: The language file for "' + name + '" could not be ' + 'automatically loaded. A fallback will be used instead.' ); } continue; } } languages.extend(language); } options.translations = languages; } else { var baseTranslation = Translation.loadPath( this.defaults.amdLanguageBase + 'en' ); var customTranslation = new Translation(options.language); customTranslation.extend(baseTranslation); options.translations = customTranslation; } return options; }; Defaults.prototype.reset = function () { function stripDiacritics (text) { // Used 'uni range + named function' from http://jsperf.com/diacritics/18 function match(a) { return DIACRITICS[a] || a; } return text.replace(/[^\u0000-\u007E]/g, match); } function matcher (params, data) { // Always return the object if there is nothing to compare if ($.trim(params.term) === '') { return data; } // Do a recursive check for options with children if (data.children && data.children.length > 0) { // Clone the data object if there are children // This is required as we modify the object to remove any non-matches var match = $.extend(true, {}, data); // Check each child of the option for (var c = data.children.length - 1; c >= 0; c--) { var child = data.children[c]; var matches = matcher(params, child); // If there wasn't a match, remove the object in the array if (matches == null) { match.children.splice(c, 1); } } // If any children matched, return the new object if (match.children.length > 0) { return match; } // If there were no matching children, check just the plain object return matcher(params, match); } var original = stripDiacritics(data.text).toUpperCase(); var term = stripDiacritics(params.term).toUpperCase(); // Check if the text contains the term if (original.indexOf(term) > -1) { return data; } // If it doesn't contain the term, don't return anything return null; } this.defaults = { amdBase: './', amdLanguageBase: './i18n/', closeOnSelect: true, debug: false, dropdownAutoWidth: false, escapeMarkup: Utils.escapeMarkup, language: EnglishTranslation, matcher: matcher, minimumInputLength: 0, maximumInputLength: 0, maximumSelectionLength: 0, minimumResultsForSearch: 0, selectOnClose: false, sorter: function (data) { return data; }, templateResult: function (result) { return result.text; }, templateSelection: function (selection) { return selection.text; }, theme: 'default', width: 'resolve' }; }; Defaults.prototype.set = function (key, value) { var camelKey = $.camelCase(key); var data = {}; data[camelKey] = value; var convertedData = Utils._convertData(data); $.extend(true, this.defaults, convertedData); }; var defaults = new Defaults(); return defaults; }); S2.define('select2/options',[ 'require', 'jquery', './defaults', './utils' ], function (require, $, Defaults, Utils) { function Options (options, $element) { this.options = options; if ($element != null) { this.fromElement($element); } this.options = Defaults.apply(this.options); if ($element && $element.is('input')) { var InputCompat = require(this.get('amdBase') + 'compat/inputData'); this.options.dataAdapter = Utils.Decorate( this.options.dataAdapter, InputCompat ); } } Options.prototype.fromElement = function ($e) { var excludedData = ['select2']; if (this.options.multiple == null) { this.options.multiple = $e.prop('multiple'); } if (this.options.disabled == null) { this.options.disabled = $e.prop('disabled'); } if (this.options.language == null) { if ($e.prop('lang')) { this.options.language = $e.prop('lang').toLowerCase(); } else if ($e.closest('[lang]').prop('lang')) { this.options.language = $e.closest('[lang]').prop('lang'); } } if (this.options.dir == null) { if ($e.prop('dir')) { this.options.dir = $e.prop('dir'); } else if ($e.closest('[dir]').prop('dir')) { this.options.dir = $e.closest('[dir]').prop('dir'); } else { this.options.dir = 'ltr'; } } $e.prop('disabled', this.options.disabled); $e.prop('multiple', this.options.multiple); if (Utils.GetData($e[0], 'select2Tags')) { if (this.options.debug && window.console && console.warn) { console.warn( 'Select2: The `data-select2-tags` attribute has been changed to ' + 'use the `data-data` and `data-tags="true"` attributes and will be ' + 'removed in future versions of Select2.' ); } Utils.StoreData($e[0], 'data', Utils.GetData($e[0], 'select2Tags')); Utils.StoreData($e[0], 'tags', true); } if (Utils.GetData($e[0], 'ajaxUrl')) { if (this.options.debug && window.console && console.warn) { console.warn( 'Select2: The `data-ajax-url` attribute has been changed to ' + '`data-ajax--url` and support for the old attribute will be removed' + ' in future versions of Select2.' ); } $e.attr('ajax--url', Utils.GetData($e[0], 'ajaxUrl')); Utils.StoreData($e[0], 'ajax-Url', Utils.GetData($e[0], 'ajaxUrl')); } var dataset = {}; // Prefer the element's `dataset` attribute if it exists // jQuery 1.x does not correctly handle data attributes with multiple dashes if ($.fn.jquery && $.fn.jquery.substr(0, 2) == '1.' && $e[0].dataset) { dataset = $.extend(true, {}, $e[0].dataset, Utils.GetData($e[0])); } else { dataset = Utils.GetData($e[0]); } var data = $.extend(true, {}, dataset); data = Utils._convertData(data); for (var key in data) { if ($.inArray(key, excludedData) > -1) { continue; } if ($.isPlainObject(this.options[key])) { $.extend(this.options[key], data[key]); } else { this.options[key] = data[key]; } } return this; }; Options.prototype.get = function (key) { return this.options[key]; }; Options.prototype.set = function (key, val) { this.options[key] = val; }; return Options; }); S2.define('select2/core',[ 'jquery', './options', './utils', './keys' ], function ($, Options, Utils, KEYS) { var Select2 = function ($element, options) { if (Utils.GetData($element[0], 'select2') != null) { Utils.GetData($element[0], 'select2').destroy(); } this.$element = $element; this.id = this._generateId($element); options = options || {}; this.options = new Options(options, $element); Select2.__super__.constructor.call(this); // Set up the tabindex var tabindex = $element.attr('tabindex') || 0; Utils.StoreData($element[0], 'old-tabindex', tabindex); $element.attr('tabindex', '-1'); // Set up containers and adapters var DataAdapter = this.options.get('dataAdapter'); this.dataAdapter = new DataAdapter($element, this.options); var $container = this.render(); this._placeContainer($container); var SelectionAdapter = this.options.get('selectionAdapter'); this.selection = new SelectionAdapter($element, this.options); this.$selection = this.selection.render(); this.selection.position(this.$selection, $container); var DropdownAdapter = this.options.get('dropdownAdapter'); this.dropdown = new DropdownAdapter($element, this.options); this.$dropdown = this.dropdown.render(); this.dropdown.position(this.$dropdown, $container); var ResultsAdapter = this.options.get('resultsAdapter'); this.results = new ResultsAdapter($element, this.options, this.dataAdapter); this.$results = this.results.render(); this.results.position(this.$results, this.$dropdown); // Bind events var self = this; // Bind the container to all of the adapters this._bindAdapters(); // Register any DOM event handlers this._registerDomEvents(); // Register any internal event handlers this._registerDataEvents(); this._registerSelectionEvents(); this._registerDropdownEvents(); this._registerResultsEvents(); this._registerEvents(); // Set the initial state this.dataAdapter.current(function (initialData) { self.trigger('selection:update', { data: initialData }); }); // Hide the original select $element.addClass('select2-hidden-accessible'); $element.attr('aria-hidden', 'true'); // Synchronize any monitored attributes this._syncAttributes(); Utils.StoreData($element[0], 'select2', this); // Ensure backwards compatibility with $element.data('select2'). $element.data('select2', this); }; Utils.Extend(Select2, Utils.Observable); Select2.prototype._generateId = function ($element) { var id = ''; if ($element.attr('id') != null) { id = $element.attr('id'); } else if ($element.attr('name') != null) { id = $element.attr('name') + '-' + Utils.generateChars(2); } else { id = Utils.generateChars(4); } id = id.replace(/(:|\.|\[|\]|,)/g, ''); id = 'select2-' + id; return id; }; Select2.prototype._placeContainer = function ($container) { $container.insertAfter(this.$element); var width = this._resolveWidth(this.$element, this.options.get('width')); if (width != null) { $container.css('width', width); } }; Select2.prototype._resolveWidth = function ($element, method) { var WIDTH = /^width:(([-+]?([0-9]*\.)?[0-9]+)(px|em|ex|%|in|cm|mm|pt|pc))/i; if (method == 'resolve') { var styleWidth = this._resolveWidth($element, 'style'); if (styleWidth != null) { return styleWidth; } return this._resolveWidth($element, 'element'); } if (method == 'element') { var elementWidth = $element.outerWidth(false); if (elementWidth <= 0) { return 'auto'; } return elementWidth + 'px'; } if (method == 'style') { var style = $element.attr('style'); if (typeof(style) !== 'string') { return null; } var attrs = style.split(';'); for (var i = 0, l = attrs.length; i < l; i = i + 1) { var attr = attrs[i].replace(/\s/g, ''); var matches = attr.match(WIDTH); if (matches !== null && matches.length >= 1) { return matches[1]; } } return null; } return method; }; Select2.prototype._bindAdapters = function () { this.dataAdapter.bind(this, this.$container); this.selection.bind(this, this.$container); this.dropdown.bind(this, this.$container); this.results.bind(this, this.$container); }; Select2.prototype._registerDomEvents = function () { var self = this; this.$element.on('change.select2', function () { self.dataAdapter.current(function (data) { self.trigger('selection:update', { data: data }); }); }); this.$element.on('focus.select2', function (evt) { self.trigger('focus', evt); }); this._syncA = Utils.bind(this._syncAttributes, this); this._syncS = Utils.bind(this._syncSubtree, this); if (this.$element[0].attachEvent) { this.$element[0].attachEvent('onpropertychange', this._syncA); } var observer = window.MutationObserver || window.WebKitMutationObserver || window.MozMutationObserver ; if (observer != null) { this._observer = new observer(function (mutations) { $.each(mutations, self._syncA); $.each(mutations, self._syncS); }); this._observer.observe(this.$element[0], { attributes: true, childList: true, subtree: false }); } else if (this.$element[0].addEventListener) { this.$element[0].addEventListener( 'DOMAttrModified', self._syncA, false ); this.$element[0].addEventListener( 'DOMNodeInserted', self._syncS, false ); this.$element[0].addEventListener( 'DOMNodeRemoved', self._syncS, false ); } }; Select2.prototype._registerDataEvents = function () { var self = this; this.dataAdapter.on('*', function (name, params) { self.trigger(name, params); }); }; Select2.prototype._registerSelectionEvents = function () { var self = this; var nonRelayEvents = ['toggle', 'focus']; this.selection.on('toggle', function () { self.toggleDropdown(); }); this.selection.on('focus', function (params) { self.focus(params); }); this.selection.on('*', function (name, params) { if ($.inArray(name, nonRelayEvents) !== -1) { return; } self.trigger(name, params); }); }; Select2.prototype._registerDropdownEvents = function () { var self = this; this.dropdown.on('*', function (name, params) { self.trigger(name, params); }); }; Select2.prototype._registerResultsEvents = function () { var self = this; this.results.on('*', function (name, params) { self.trigger(name, params); }); }; Select2.prototype._registerEvents = function () { var self = this; this.on('open', function () { self.$container.addClass('select2-container--open'); }); this.on('close', function () { self.$container.removeClass('select2-container--open'); }); this.on('enable', function () { self.$container.removeClass('select2-container--disabled'); }); this.on('disable', function () { self.$container.addClass('select2-container--disabled'); }); this.on('blur', function () { self.$container.removeClass('select2-container--focus'); }); this.on('query', function (params) { if (!self.isOpen()) { self.trigger('open', {}); } this.dataAdapter.query(params, function (data) { self.trigger('results:all', { data: data, query: params }); }); }); this.on('query:append', function (params) { this.dataAdapter.query(params, function (data) { self.trigger('results:append', { data: data, query: params }); }); }); this.on('keypress', function (evt) { var key = evt.which; if (self.isOpen()) { if (key === KEYS.ESC || key === KEYS.TAB || (key === KEYS.UP && evt.altKey)) { self.close(); evt.preventDefault(); } else if (key === KEYS.ENTER) { self.trigger('results:select', {}); evt.preventDefault(); } else if ((key === KEYS.SPACE && evt.ctrlKey)) { self.trigger('results:toggle', {}); evt.preventDefault(); } else if (key === KEYS.UP) { self.trigger('results:previous', {}); evt.preventDefault(); } else if (key === KEYS.DOWN) { self.trigger('results:next', {}); evt.preventDefault(); } } else { if (key === KEYS.ENTER || key === KEYS.SPACE || (key === KEYS.DOWN && evt.altKey)) { self.open(); evt.preventDefault(); } } }); }; Select2.prototype._syncAttributes = function () { this.options.set('disabled', this.$element.prop('disabled')); if (this.options.get('disabled')) { if (this.isOpen()) { this.close(); } this.trigger('disable', {}); } else { this.trigger('enable', {}); } }; Select2.prototype._syncSubtree = function (evt, mutations) { var changed = false; var self = this; // Ignore any mutation events raised for elements that aren't options or // optgroups. This handles the case when the select element is destroyed if ( evt && evt.target && ( evt.target.nodeName !== 'OPTION' && evt.target.nodeName !== 'OPTGROUP' ) ) { return; } if (!mutations) { // If mutation events aren't supported, then we can only assume that the // change affected the selections changed = true; } else if (mutations.addedNodes && mutations.addedNodes.length > 0) { for (var n = 0; n < mutations.addedNodes.length; n++) { var node = mutations.addedNodes[n]; if (node.selected) { changed = true; } } } else if (mutations.removedNodes && mutations.removedNodes.length > 0) { changed = true; } // Only re-pull the data if we think there is a change if (changed) { this.dataAdapter.current(function (currentData) { self.trigger('selection:update', { data: currentData }); }); } }; /** * Override the trigger method to automatically trigger pre-events when * there are events that can be prevented. */ Select2.prototype.trigger = function (name, args) { var actualTrigger = Select2.__super__.trigger; var preTriggerMap = { 'open': 'opening', 'close': 'closing', 'select': 'selecting', 'unselect': 'unselecting', 'clear': 'clearing' }; if (args === undefined) { args = {}; } if (name in preTriggerMap) { var preTriggerName = preTriggerMap[name]; var preTriggerArgs = { prevented: false, name: name, args: args }; actualTrigger.call(this, preTriggerName, preTriggerArgs); if (preTriggerArgs.prevented) { args.prevented = true; return; } } actualTrigger.call(this, name, args); }; Select2.prototype.toggleDropdown = function () { if (this.options.get('disabled')) { return; } if (this.isOpen()) { this.close(); } else { this.open(); } }; Select2.prototype.open = function () { if (this.isOpen()) { return; } this.trigger('query', {}); }; Select2.prototype.close = function () { if (!this.isOpen()) { return; } this.trigger('close', {}); }; Select2.prototype.isOpen = function () { return this.$container.hasClass('select2-container--open'); }; Select2.prototype.hasFocus = function () { return this.$container.hasClass('select2-container--focus'); }; Select2.prototype.focus = function (data) { // No need to re-trigger focus events if we are already focused if (this.hasFocus()) { return; } this.$container.addClass('select2-container--focus'); this.trigger('focus', {}); }; Select2.prototype.enable = function (args) { if (this.options.get('debug') && window.console && console.warn) { console.warn( 'Select2: The `select2("enable")` method has been deprecated and will' + ' be removed in later Select2 versions. Use $element.prop("disabled")' + ' instead.' ); } if (args == null || args.length === 0) { args = [true]; } var disabled = !args[0]; this.$element.prop('disabled', disabled); }; Select2.prototype.data = function () { if (this.options.get('debug') && arguments.length > 0 && window.console && console.warn) { console.warn( 'Select2: Data can no longer be set using `select2("data")`. You ' + 'should consider setting the value instead using `$element.val()`.' ); } var data = []; this.dataAdapter.current(function (currentData) { data = currentData; }); return data; }; Select2.prototype.val = function (args) { if (this.options.get('debug') && window.console && console.warn) { console.warn( 'Select2: The `select2("val")` method has been deprecated and will be' + ' removed in later Select2 versions. Use $element.val() instead.' ); } if (args == null || args.length === 0) { return this.$element.val(); } var newVal = args[0]; if ($.isArray(newVal)) { newVal = $.map(newVal, function (obj) { return obj.toString(); }); } this.$element.val(newVal).trigger('change'); }; Select2.prototype.destroy = function () { this.$container.remove(); if (this.$element[0].detachEvent) { this.$element[0].detachEvent('onpropertychange', this._syncA); } if (this._observer != null) { this._observer.disconnect(); this._observer = null; } else if (this.$element[0].removeEventListener) { this.$element[0] .removeEventListener('DOMAttrModified', this._syncA, false); this.$element[0] .removeEventListener('DOMNodeInserted', this._syncS, false); this.$element[0] .removeEventListener('DOMNodeRemoved', this._syncS, false); } this._syncA = null; this._syncS = null; this.$element.off('.select2'); this.$element.attr('tabindex', Utils.GetData(this.$element[0], 'old-tabindex')); this.$element.removeClass('select2-hidden-accessible'); this.$element.attr('aria-hidden', 'false'); Utils.RemoveData(this.$element[0]); this.$element.removeData('select2'); this.dataAdapter.destroy(); this.selection.destroy(); this.dropdown.destroy(); this.results.destroy(); this.dataAdapter = null; this.selection = null; this.dropdown = null; this.results = null; }; Select2.prototype.render = function () { var $container = $( '' + '' + '' + '' ); $container.attr('dir', this.options.get('dir')); this.$container = $container; this.$container.addClass('select2-container--' + this.options.get('theme')); Utils.StoreData($container[0], 'element', this.$element); return $container; }; return Select2; }); S2.define('select2/compat/utils',[ 'jquery' ], function ($) { function syncCssClasses ($dest, $src, adapter) { var classes, replacements = [], adapted; classes = $.trim($dest.attr('class')); if (classes) { classes = '' + classes; // for IE which returns object $(classes.split(/\s+/)).each(function () { // Save all Select2 classes if (this.indexOf('select2-') === 0) { replacements.push(this); } }); } classes = $.trim($src.attr('class')); if (classes) { classes = '' + classes; // for IE which returns object $(classes.split(/\s+/)).each(function () { // Only adapt non-Select2 classes if (this.indexOf('select2-') !== 0) { adapted = adapter(this); if (adapted != null) { replacements.push(adapted); } } }); } $dest.attr('class', replacements.join(' ')); } return { syncCssClasses: syncCssClasses }; }); S2.define('select2/compat/containerCss',[ 'jquery', './utils' ], function ($, CompatUtils) { // No-op CSS adapter that discards all classes by default function _containerAdapter (clazz) { return null; } function ContainerCSS () { } ContainerCSS.prototype.render = function (decorated) { var $container = decorated.call(this); var containerCssClass = this.options.get('containerCssClass') || ''; if ($.isFunction(containerCssClass)) { containerCssClass = containerCssClass(this.$element); } var containerCssAdapter = this.options.get('adaptContainerCssClass'); containerCssAdapter = containerCssAdapter || _containerAdapter; if (containerCssClass.indexOf(':all:') !== -1) { containerCssClass = containerCssClass.replace(':all:', ''); var _cssAdapter = containerCssAdapter; containerCssAdapter = function (clazz) { var adapted = _cssAdapter(clazz); if (adapted != null) { // Append the old one along with the adapted one return adapted + ' ' + clazz; } return clazz; }; } var containerCss = this.options.get('containerCss') || {}; if ($.isFunction(containerCss)) { containerCss = containerCss(this.$element); } CompatUtils.syncCssClasses($container, this.$element, containerCssAdapter); $container.css(containerCss); $container.addClass(containerCssClass); return $container; }; return ContainerCSS; }); S2.define('select2/compat/dropdownCss',[ 'jquery', './utils' ], function ($, CompatUtils) { // No-op CSS adapter that discards all classes by default function _dropdownAdapter (clazz) { return null; } function DropdownCSS () { } DropdownCSS.prototype.render = function (decorated) { var $dropdown = decorated.call(this); var dropdownCssClass = this.options.get('dropdownCssClass') || ''; if ($.isFunction(dropdownCssClass)) { dropdownCssClass = dropdownCssClass(this.$element); } var dropdownCssAdapter = this.options.get('adaptDropdownCssClass'); dropdownCssAdapter = dropdownCssAdapter || _dropdownAdapter; if (dropdownCssClass.indexOf(':all:') !== -1) { dropdownCssClass = dropdownCssClass.replace(':all:', ''); var _cssAdapter = dropdownCssAdapter; dropdownCssAdapter = function (clazz) { var adapted = _cssAdapter(clazz); if (adapted != null) { // Append the old one along with the adapted one return adapted + ' ' + clazz; } return clazz; }; } var dropdownCss = this.options.get('dropdownCss') || {}; if ($.isFunction(dropdownCss)) { dropdownCss = dropdownCss(this.$element); } CompatUtils.syncCssClasses($dropdown, this.$element, dropdownCssAdapter); $dropdown.css(dropdownCss); $dropdown.addClass(dropdownCssClass); return $dropdown; }; return DropdownCSS; }); S2.define('select2/compat/initSelection',[ 'jquery' ], function ($) { function InitSelection (decorated, $element, options) { if (options.get('debug') && window.console && console.warn) { console.warn( 'Select2: The `initSelection` option has been deprecated in favor' + ' of a custom data adapter that overrides the `current` method. ' + 'This method is now called multiple times instead of a single ' + 'time when the instance is initialized. Support will be removed ' + 'for the `initSelection` option in future versions of Select2' ); } this.initSelection = options.get('initSelection'); this._isInitialized = false; decorated.call(this, $element, options); } InitSelection.prototype.current = function (decorated, callback) { var self = this; if (this._isInitialized) { decorated.call(this, callback); return; } this.initSelection.call(null, this.$element, function (data) { self._isInitialized = true; if (!$.isArray(data)) { data = [data]; } callback(data); }); }; return InitSelection; }); S2.define('select2/compat/inputData',[ 'jquery', '../utils' ], function ($, Utils) { function InputData (decorated, $element, options) { this._currentData = []; this._valueSeparator = options.get('valueSeparator') || ','; if ($element.prop('type') === 'hidden') { if (options.get('debug') && console && console.warn) { console.warn( 'Select2: Using a hidden input with Select2 is no longer ' + 'supported and may stop working in the future. It is recommended ' + 'to use a `