Rev 13695 | Blame | Compare with Previous | Last modification | View Log | RSS feed
/*! =========================================================* bootstrap-slider.js** Maintainers:* Kyle Kemp* - Twitter: @seiyria* - Github: seiyria* Rohit Kalkur* - Twitter: @Rovolutionary* - Github: rovolution** =========================================================** Licensed under the Apache License, Version 2.0 (the "License");* you may not use this file except in compliance with the License.* You may obtain a copy of the License at** http://www.apache.org/licenses/LICENSE-2.0** Unless required by applicable law or agreed to in writing, software* distributed under the License is distributed on an "AS IS" BASIS,* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.* See the License for the specific language governing permissions and* limitations under the License.* ========================================================= *//*** Bridget makes jQuery widgets* v1.0.1* MIT license*/(function(root, factory) {if(typeof define === "function" && define.amd) {define(["jquery"], factory);} else if(typeof module === "object" && module.exports) {var jQuery;try {jQuery = require("jquery");} catch (err) {jQuery = null;}module.exports = factory(jQuery);} else {root.Slider = factory(root.jQuery);}}(this, function($) {// Reference to Slider constructorvar Slider;(function( $ ) {'use strict';// -------------------------- utils -------------------------- //var slice = Array.prototype.slice;function noop() {}// -------------------------- definition -------------------------- //function defineBridget( $ ) {// bail if no jQueryif ( !$ ) {return;}// -------------------------- addOptionMethod -------------------------- ///*** adds option method -> $().plugin('option', {...})* @param {Function} PluginClass - constructor class*/function addOptionMethod( PluginClass ) {// don't overwrite original option methodif ( PluginClass.prototype.option ) {return;}// option setterPluginClass.prototype.option = function( opts ) {// bail out if not an objectif ( !$.isPlainObject( opts ) ){return;}this.options = $.extend( true, this.options, opts );};}// -------------------------- plugin bridge -------------------------- //// helper function for logging errors// $.error breaks jQuery chainingvar logError = typeof console === 'undefined' ? noop :function( message ) {console.error( message );};/*** jQuery plugin bridge, access methods like $elem.plugin('method')* @param {String} namespace - plugin name* @param {Function} PluginClass - constructor class*/function bridge( namespace, PluginClass ) {// add to jQuery fn namespace$.fn[ namespace ] = function( options ) {if ( typeof options === 'string' ) {// call plugin method when first argument is a string// get arguments for methodvar args = slice.call( arguments, 1 );for ( var i=0, len = this.length; i < len; i++ ) {var elem = this[i];var instance = $.data( elem, namespace );if ( !instance ) {logError( "cannot call methods on " + namespace + " prior to initialization; " +"attempted to call '" + options + "'" );continue;}if ( !$.isFunction( instance[options] ) || options.charAt(0) === '_' ) {logError( "no such method '" + options + "' for " + namespace + " instance" );continue;}// trigger method with argumentsvar returnValue = instance[ options ].apply( instance, args);// break look and return first value if providedif ( returnValue !== undefined && returnValue !== instance) {return returnValue;}}// return this if no return valuereturn this;} else {var objects = this.map( function() {var instance = $.data( this, namespace );if ( instance ) {// apply options & initinstance.option( options );instance._init();} else {// initialize new instanceinstance = new PluginClass( this, options );$.data( this, namespace, instance );}return $(this);});if(!objects || objects.length > 1) {return objects;} else {return objects[0];}}};}// -------------------------- bridget -------------------------- ///*** converts a Prototypical class into a proper jQuery plugin* the class must have a ._init method* @param {String} namespace - plugin name, used in $().pluginName* @param {Function} PluginClass - constructor class*/$.bridget = function( namespace, PluginClass ) {addOptionMethod( PluginClass );bridge( namespace, PluginClass );};return $.bridget;}// get jquery from browser globaldefineBridget( $ );})( $ );/*************************************************BOOTSTRAP-SLIDER SOURCE CODE**************************************************/(function($) {var ErrorMsgs = {formatInvalidInputErrorMsg : function(input) {return "Invalid input value '" + input + "' passed in";},callingContextNotSliderInstance : "Calling context element does not have instance of Slider bound to it. Check your code to make sure the JQuery object returned from the call to the slider() initializer is calling the method"};/*************************************************CONSTRUCTOR**************************************************/Slider = function(element, options) {createNewSlider.call(this, element, options);return this;};function createNewSlider(element, options) {if(typeof element === "string") {this.element = document.querySelector(element);} else if(element instanceof HTMLElement) {this.element = element;}/*************************************************Process Options**************************************************/options = options ? options : {};var optionTypes = Object.keys(this.defaultOptions);for(var i = 0; i < optionTypes.length; i++) {var optName = optionTypes[i];// First check if an option was passed in via the constructorvar val = options[optName];// If no data attrib, then check data atrributesval = (typeof val !== 'undefined') ? val : getDataAttrib(this.element, optName);// Finally, if nothing was specified, use the defaultsval = (val !== null) ? val : this.defaultOptions[optName];// Set all options on the instance of the Sliderif(!this.options) {this.options = {};}this.options[optName] = val;}function getDataAttrib(element, optName) {var dataName = "data-slider-" + optName;var dataValString = element.getAttribute(dataName);try {return JSON.parse(dataValString);}catch(err) {return dataValString;}}/*************************************************Create Markup**************************************************/var origWidth = this.element.style.width;var updateSlider = false;var parent = this.element.parentNode;var sliderTrackSelection;var sliderTrackLeft, sliderTrackRight;var sliderMinHandle;var sliderMaxHandle;if (this.sliderElem) {updateSlider = true;} else {/* Create elements needed for slider */this.sliderElem = document.createElement("div");this.sliderElem.className = "slider";/* Create slider track elements */var sliderTrack = document.createElement("div");sliderTrack.className = "slider-track";sliderTrackLeft = document.createElement("div");sliderTrackLeft.className = "slider-track-left";sliderTrackSelection = document.createElement("div");sliderTrackSelection.className = "slider-selection";sliderTrackRight = document.createElement("div");sliderTrackRight.className = "slider-track-right";sliderMinHandle = document.createElement("div");sliderMinHandle.className = "slider-handle min-slider-handle";sliderMaxHandle = document.createElement("div");sliderMaxHandle.className = "slider-handle max-slider-handle";sliderTrack.appendChild(sliderTrackLeft);sliderTrack.appendChild(sliderTrackSelection);sliderTrack.appendChild(sliderTrackRight);/* Create ticks */this.ticks = [];if (this.options.ticks instanceof Array && this.options.ticks.length > 0) {for (i = 0; i < this.options.ticks.length; i++) {var tick = document.createElement('div');tick.className = 'slider-tick';this.ticks.push(tick);sliderTrack.appendChild(tick);}}sliderTrack.appendChild(sliderMinHandle);sliderTrack.appendChild(sliderMaxHandle);this.tickLabels = [];if (this.options.ticks_labels instanceof Array && this.options.ticks_labels.length > 0) {this.tickLabelContainer = document.createElement('div');this.tickLabelContainer.className = 'slider-tick-label-container';for (i = 0; i < this.options.ticks_labels.length; i++) {var label = document.createElement('div');label.className = 'slider-tick-label';label.innerHTML = this.options.ticks_labels[i];this.tickLabels.push(label);this.tickLabelContainer.appendChild(label);}}var createAndAppendTooltipSubElements = function(tooltipElem) {var arrow = document.createElement("div");arrow.className = "tooltip-arrow";var inner = document.createElement("div");inner.className = "tooltip-inner";tooltipElem.appendChild(arrow);tooltipElem.appendChild(inner);};/* Create tooltip elements */var sliderTooltip = document.createElement("div");sliderTooltip.className = "tooltip tooltip-main";createAndAppendTooltipSubElements(sliderTooltip);var sliderTooltipMin = document.createElement("div");sliderTooltipMin.className = "tooltip tooltip-min";createAndAppendTooltipSubElements(sliderTooltipMin);var sliderTooltipMax = document.createElement("div");sliderTooltipMax.className = "tooltip tooltip-max";createAndAppendTooltipSubElements(sliderTooltipMax);/* Append components to sliderElem */this.sliderElem.appendChild(sliderTrack);this.sliderElem.appendChild(sliderTooltip);this.sliderElem.appendChild(sliderTooltipMin);this.sliderElem.appendChild(sliderTooltipMax);if (this.tickLabelContainer) {this.sliderElem.appendChild(this.tickLabelContainer);}/* Append slider element to parent container, right before the original <input> element */parent.insertBefore(this.sliderElem, this.element);/* Hide original <input> element */this.element.style.display = "none";}/* If JQuery exists, cache JQ references */if($) {this.$element = $(this.element);this.$sliderElem = $(this.sliderElem);}/*************************************************Setup**************************************************/this.eventToCallbackMap = {};this.sliderElem.id = this.options.id;this.touchCapable = 'ontouchstart' in window || (window.DocumentTouch && document instanceof window.DocumentTouch);this.tooltip = this.sliderElem.querySelector('.tooltip-main');this.tooltipInner = this.tooltip.querySelector('.tooltip-inner');this.tooltip_min = this.sliderElem.querySelector('.tooltip-min');this.tooltipInner_min = this.tooltip_min.querySelector('.tooltip-inner');this.tooltip_max = this.sliderElem.querySelector('.tooltip-max');this.tooltipInner_max= this.tooltip_max.querySelector('.tooltip-inner');if (updateSlider === true) {// Reset classesthis._removeClass(this.sliderElem, 'slider-horizontal');this._removeClass(this.sliderElem, 'slider-vertical');this._removeClass(this.tooltip, 'hide');this._removeClass(this.tooltip_min, 'hide');this._removeClass(this.tooltip_max, 'hide');// Undo existing inline styles for track["left", "top", "width", "height"].forEach(function(prop) {this._removeProperty(this.trackLeft, prop);this._removeProperty(this.trackSelection, prop);this._removeProperty(this.trackRight, prop);}, this);// Undo inline styles on handles[this.handle1, this.handle2].forEach(function(handle) {this._removeProperty(handle, 'left');this._removeProperty(handle, 'top');}, this);// Undo inline styles and classes on tooltips[this.tooltip, this.tooltip_min, this.tooltip_max].forEach(function(tooltip) {this._removeProperty(tooltip, 'left');this._removeProperty(tooltip, 'top');this._removeProperty(tooltip, 'margin-left');this._removeProperty(tooltip, 'margin-top');this._removeClass(tooltip, 'right');this._removeClass(tooltip, 'top');}, this);}if(this.options.orientation === 'vertical') {this._addClass(this.sliderElem,'slider-vertical');this.stylePos = 'top';this.mousePos = 'pageY';this.sizePos = 'offsetHeight';this._addClass(this.tooltip, 'right');this.tooltip.style.left = '100%';this._addClass(this.tooltip_min, 'right');this.tooltip_min.style.left = '100%';this._addClass(this.tooltip_max, 'right');this.tooltip_max.style.left = '100%';} else {this._addClass(this.sliderElem, 'slider-horizontal');this.sliderElem.style.width = origWidth;this.options.orientation = 'horizontal';this.stylePos = 'left';this.mousePos = 'pageX';this.sizePos = 'offsetWidth';this._addClass(this.tooltip, 'top');this.tooltip.style.top = -this.tooltip.outerHeight - 14 + 'px';this._addClass(this.tooltip_min, 'top');this.tooltip_min.style.top = -this.tooltip_min.outerHeight - 14 + 'px';this._addClass(this.tooltip_max, 'top');this.tooltip_max.style.top = -this.tooltip_max.outerHeight - 14 + 'px';}/* In case ticks are specified, overwrite the min and max bounds */if (this.options.ticks instanceof Array && this.options.ticks.length > 0) {this.options.max = Math.max.apply(Math, this.options.ticks);this.options.min = Math.min.apply(Math, this.options.ticks);}if (this.options.value instanceof Array) {this.options.range = true;} else if (this.options.range) {// User wants a range, but value is not an arraythis.options.value = [this.options.value, this.options.max];}this.trackLeft = sliderTrackLeft || this.trackLeft;this.trackSelection = sliderTrackSelection || this.trackSelection;this.trackRight = sliderTrackRight || this.trackRight;if (this.options.selection === 'none') {this._addClass(this.trackLeft, 'hide');this._addClass(this.trackSelection, 'hide');this._addClass(this.trackRight, 'hide');}this.handle1 = sliderMinHandle || this.handle1;this.handle2 = sliderMaxHandle || this.handle2;if (updateSlider === true) {// Reset classesthis._removeClass(this.handle1, 'round triangle');this._removeClass(this.handle2, 'round triangle hide');for (i = 0; i < this.ticks.length; i++) {this._removeClass(this.ticks[i], 'round triangle hide');}}var availableHandleModifiers = ['round', 'triangle', 'custom'];var isValidHandleType = availableHandleModifiers.indexOf(this.options.handle) !== -1;if (isValidHandleType) {this._addClass(this.handle1, this.options.handle);this._addClass(this.handle2, this.options.handle);for (i = 0; i < this.ticks.length; i++) {this._addClass(this.ticks[i], this.options.handle);}}this.offset = this._offset(this.sliderElem);this.size = this.sliderElem[this.sizePos];this.setValue(this.options.value);/******************************************Bind Event Listeners******************************************/// Bind keyboard handlersthis.handle1Keydown = this._keydown.bind(this, 0);this.handle1.addEventListener("keydown", this.handle1Keydown, false);this.handle2Keydown = this._keydown.bind(this, 1);this.handle2.addEventListener("keydown", this.handle2Keydown, false);if (this.touchCapable) {// Bind touch handlersthis.mousedown = this._mousedown.bind(this);this.sliderElem.addEventListener("touchstart", this.mousedown, false);} else {// Bind mouse handlersthis.mousedown = this._mousedown.bind(this);this.sliderElem.addEventListener("mousedown", this.mousedown, false);}// Bind tooltip-related handlersif(this.options.tooltip === 'hide') {this._addClass(this.tooltip, 'hide');this._addClass(this.tooltip_min, 'hide');this._addClass(this.tooltip_max, 'hide');} else if(this.options.tooltip === 'always') {this._showTooltip();this._alwaysShowTooltip = true;} else {this.showTooltip = this._showTooltip.bind(this);this.hideTooltip = this._hideTooltip.bind(this);this.sliderElem.addEventListener("mouseenter", this.showTooltip, false);this.sliderElem.addEventListener("mouseleave", this.hideTooltip, false);this.handle1.addEventListener("focus", this.showTooltip, false);this.handle1.addEventListener("blur", this.hideTooltip, false);this.handle2.addEventListener("focus", this.showTooltip, false);this.handle2.addEventListener("blur", this.hideTooltip, false);}if(this.options.enabled) {this.enable();} else {this.disable();}}/*************************************************INSTANCE PROPERTIES/METHODS- Any methods bound to the prototype are consideredpart of the plugin's `public` interface**************************************************/Slider.prototype = {_init: function() {}, // NOTE: Must exist to support bridgetconstructor: Slider,defaultOptions: {id: "",min: 0,max: 10,step: 1,precision: 0,orientation: 'horizontal',value: 5,range: false,selection: 'before',tooltip: 'show',tooltip_split: false,handle: 'round',reversed: false,enabled: true,formatter: function(val) {if(val instanceof Array) {return val[0] + " : " + val[1];} else {return val;}},natural_arrow_keys: false,ticks: [],ticks_labels: [],ticks_snap_bounds: 0},over: false,inDrag: false,getValue: function() {if (this.options.range) {return this.options.value;}return this.options.value[0];},setValue: function(val, triggerSlideEvent) {if (!val) {val = 0;}var oldValue = this.getValue();this.options.value = this._validateInputValue(val);var applyPrecision = this._applyPrecision.bind(this);if (this.options.range) {this.options.value[0] = applyPrecision(this.options.value[0]);this.options.value[1] = applyPrecision(this.options.value[1]);this.options.value[0] = Math.max(this.options.min, Math.min(this.options.max, this.options.value[0]));this.options.value[1] = Math.max(this.options.min, Math.min(this.options.max, this.options.value[1]));} else {this.options.value = applyPrecision(this.options.value);this.options.value = [ Math.max(this.options.min, Math.min(this.options.max, this.options.value))];this._addClass(this.handle2, 'hide');if (this.options.selection === 'after') {this.options.value[1] = this.options.max;} else {this.options.value[1] = this.options.min;}}this.diff = this.options.max - this.options.min;if (this.diff > 0) {this.percentage = [(this.options.value[0] - this.options.min) * 100 / this.diff,(this.options.value[1] - this.options.min) * 100 / this.diff,this.options.step * 100 / this.diff];} else {this.percentage = [0, 0, 100];}this._layout();var newValue = this.options.range ? this.options.value : this.options.value[0];if(triggerSlideEvent === true) {this._trigger('slide', newValue);}if(oldValue !== newValue) {this._trigger('change', {oldValue: oldValue,newValue: newValue});}this._setDataVal(newValue);return this;},destroy: function(){// Remove event handlers on slider elementsthis._removeSliderEventHandlers();// Remove the slider from the DOMthis.sliderElem.parentNode.removeChild(this.sliderElem);/* Show original <input> element */this.element.style.display = "";// Clear out custom event bindingsthis._cleanUpEventCallbacksMap();// Remove data valuesthis.element.removeAttribute("data");// Remove JQuery handlers/dataif($) {this._unbindJQueryEventHandlers();this.$element.removeData('slider');}},disable: function() {this.options.enabled = false;this.handle1.removeAttribute("tabindex");this.handle2.removeAttribute("tabindex");this._addClass(this.sliderElem, 'slider-disabled');this._trigger('slideDisabled');return this;},enable: function() {this.options.enabled = true;this.handle1.setAttribute("tabindex", 0);this.handle2.setAttribute("tabindex", 0);this._removeClass(this.sliderElem, 'slider-disabled');this._trigger('slideEnabled');return this;},toggle: function() {if(this.options.enabled) {this.disable();} else {this.enable();}return this;},isEnabled: function() {return this.options.enabled;},on: function(evt, callback) {if($) {this.$element.on(evt, callback);this.$sliderElem.on(evt, callback);} else {this._bindNonQueryEventHandler(evt, callback);}return this;},getAttribute: function(attribute) {if(attribute) {return this.options[attribute];} else {return this.options;}},setAttribute: function(attribute, value) {this.options[attribute] = value;return this;},refresh: function() {this._removeSliderEventHandlers();createNewSlider.call(this, this.element, this.options);if($) {// Bind new instance of slider to the element$.data(this.element, 'slider', this);}return this;},relayout: function() {this._layout();return this;},/******************************+HELPERS- Any method that is not part of the public interface.- Place it underneath this comment block and write its signature like so:_fnName : function() {...}********************************/_removeSliderEventHandlers: function() {// Remove event listeners from handle1this.handle1.removeEventListener("keydown", this.handle1Keydown, false);this.handle1.removeEventListener("focus", this.showTooltip, false);this.handle1.removeEventListener("blur", this.hideTooltip, false);// Remove event listeners from handle2this.handle2.removeEventListener("keydown", this.handle2Keydown, false);this.handle2.removeEventListener("focus", this.handle2Keydown, false);this.handle2.removeEventListener("blur", this.handle2Keydown, false);// Remove event listeners from sliderElemthis.sliderElem.removeEventListener("mouseenter", this.showTooltip, false);this.sliderElem.removeEventListener("mouseleave", this.hideTooltip, false);this.sliderElem.removeEventListener("touchstart", this.mousedown, false);this.sliderElem.removeEventListener("mousedown", this.mousedown, false);},_bindNonQueryEventHandler: function(evt, callback) {if(this.eventToCallbackMap[evt]===undefined) {this.eventToCallbackMap[evt] = [];}this.eventToCallbackMap[evt].push(callback);},_cleanUpEventCallbacksMap: function() {var eventNames = Object.keys(this.eventToCallbackMap);for(var i = 0; i < eventNames.length; i++) {var eventName = eventNames[i];this.eventToCallbackMap[eventName] = null;}},_showTooltip: function() {if (this.options.tooltip_split === false ){this._addClass(this.tooltip, 'in');} else {this._addClass(this.tooltip_min, 'in');this._addClass(this.tooltip_max, 'in');}this.over = true;},_hideTooltip: function() {if (this.inDrag === false && this.alwaysShowTooltip !== true) {this._removeClass(this.tooltip, 'in');this._removeClass(this.tooltip_min, 'in');this._removeClass(this.tooltip_max, 'in');}this.over = false;},_layout: function() {var positionPercentages;if(this.options.reversed) {positionPercentages = [ 100 - this.percentage[0], this.percentage[1] ];} else {positionPercentages = [ this.percentage[0], this.percentage[1] ];}this.handle1.style[this.stylePos] = positionPercentages[0]+'%';this.handle2.style[this.stylePos] = positionPercentages[1]+'%';/* Position ticks and labels */if (this.options.ticks instanceof Array && this.options.ticks.length > 0) {var maxTickValue = Math.max.apply(Math, this.options.ticks);var minTickValue = Math.min.apply(Math, this.options.ticks);var styleSize = this.options.orientation === 'vertical' ? 'height' : 'width';var styleMargin = this.options.orientation === 'vertical' ? 'margin-top' : 'margin-left';var labelSize = this.size / (this.options.ticks.length - 1);if (this.tickLabelContainer) {this.tickLabelContainer.style[styleMargin] = -labelSize/2 + 'px';if (this.options.orientation === 'horizontal') {var extraHeight = this.tickLabelContainer.offsetHeight - this.sliderElem.offsetHeight;this.sliderElem.style.marginBottom = extraHeight + 'px';}}for (var i = 0; i < this.options.ticks.length; i++) {var percentage = 100 * (this.options.ticks[i] - minTickValue) / (maxTickValue - minTickValue);this.ticks[i].style[this.stylePos] = percentage + '%';/* Set class labels to denote whether ticks are in the selection */this._removeClass(this.ticks[i], 'in-selection');if (percentage <= positionPercentages[0] && !this.options.range) {this._addClass(this.ticks[i], 'in-selection');} else if (percentage >= positionPercentages[0] && percentage <= positionPercentages[1]) {this._addClass(this.ticks[i], 'in-selection');}if (this.tickLabels[i]) {this.tickLabels[i].style[styleSize] = labelSize + 'px';}}}if (this.options.orientation === 'vertical') {this.trackLeft.style.top = '0';this.trackLeft.style.height = Math.min(positionPercentages[0], positionPercentages[1]) +'%';this.trackSelection.style.top = Math.min(positionPercentages[0], positionPercentages[1]) +'%';this.trackSelection.style.height = Math.abs(positionPercentages[0] - positionPercentages[1]) +'%';this.trackRight.style.bottom = '0';this.trackRight.style.height = (100 - Math.min(positionPercentages[0], positionPercentages[1]) - Math.abs(positionPercentages[0] - positionPercentages[1])) +'%';} else {this.trackLeft.style.left = '0';this.trackLeft.style.width = Math.min(positionPercentages[0], positionPercentages[1]) +'%';this.trackSelection.style.left = Math.min(positionPercentages[0], positionPercentages[1]) +'%';this.trackSelection.style.width = Math.abs(positionPercentages[0] - positionPercentages[1]) +'%';this.trackRight.style.right = '0';this.trackRight.style.width = (100 - Math.min(positionPercentages[0], positionPercentages[1]) - Math.abs(positionPercentages[0] - positionPercentages[1])) +'%';var offset_min = this.tooltip_min.getBoundingClientRect();var offset_max = this.tooltip_max.getBoundingClientRect();if (offset_min.right > offset_max.left) {this._removeClass(this.tooltip_max, 'top');this._addClass(this.tooltip_max, 'bottom');this.tooltip_max.style.top = 18 + 'px';} else {this._removeClass(this.tooltip_max, 'bottom');this._addClass(this.tooltip_max, 'top');this.tooltip_max.style.top = this.tooltip_min.style.top;}}var formattedTooltipVal;if (this.options.range) {formattedTooltipVal = this.options.formatter(this.options.value);this._setText(this.tooltipInner, formattedTooltipVal);this.tooltip.style[this.stylePos] = (positionPercentages[1] + positionPercentages[0])/2 + '%';if (this.options.orientation === 'vertical') {this._css(this.tooltip, 'margin-top', -this.tooltip.offsetHeight / 2 + 'px');} else {this._css(this.tooltip, 'margin-left', -this.tooltip.offsetWidth / 2 + 'px');}if (this.options.orientation === 'vertical') {this._css(this.tooltip, 'margin-top', -this.tooltip.offsetHeight / 2 + 'px');} else {this._css(this.tooltip, 'margin-left', -this.tooltip.offsetWidth / 2 + 'px');}var innerTooltipMinText = this.options.formatter(this.options.value[0]);this._setText(this.tooltipInner_min, innerTooltipMinText);var innerTooltipMaxText = this.options.formatter(this.options.value[1]);this._setText(this.tooltipInner_max, innerTooltipMaxText);this.tooltip_min.style[this.stylePos] = positionPercentages[0] + '%';if (this.options.orientation === 'vertical') {this._css(this.tooltip_min, 'margin-top', -this.tooltip_min.offsetHeight / 2 + 'px');} else {this._css(this.tooltip_min, 'margin-left', -this.tooltip_min.offsetWidth / 2 + 'px');}this.tooltip_max.style[this.stylePos] = positionPercentages[1] + '%';if (this.options.orientation === 'vertical') {this._css(this.tooltip_max, 'margin-top', -this.tooltip_max.offsetHeight / 2 + 'px');} else {this._css(this.tooltip_max, 'margin-left', -this.tooltip_max.offsetWidth / 2 + 'px');}} else {formattedTooltipVal = this.options.formatter(this.options.value[0]);this._setText(this.tooltipInner, formattedTooltipVal);this.tooltip.style[this.stylePos] = positionPercentages[0] + '%';if (this.options.orientation === 'vertical') {this._css(this.tooltip, 'margin-top', -this.tooltip.offsetHeight / 2 + 'px');} else {this._css(this.tooltip, 'margin-left', -this.tooltip.offsetWidth / 2 + 'px');}}},_removeProperty: function(element, prop) {if (element.style.removeProperty) {element.style.removeProperty(prop);} else {element.style.removeAttribute(prop);}},_mousedown: function(ev) {if(!this.options.enabled) {return false;}this._triggerFocusOnHandle();this.offset = this._offset(this.sliderElem);this.size = this.sliderElem[this.sizePos];var percentage = this._getPercentage(ev);if (this.options.range) {var diff1 = Math.abs(this.percentage[0] - percentage);var diff2 = Math.abs(this.percentage[1] - percentage);this.dragged = (diff1 < diff2) ? 0 : 1;} else {this.dragged = 0;}this.percentage[this.dragged] = this.options.reversed ? 100 - percentage : percentage;this._layout();if (this.touchCapable) {document.removeEventListener("touchmove", this.mousemove, false);document.removeEventListener("touchend", this.mouseup, false);}if(this.mousemove){document.removeEventListener("mousemove", this.mousemove, false);}if(this.mouseup){document.removeEventListener("mouseup", this.mouseup, false);}this.mousemove = this._mousemove.bind(this);this.mouseup = this._mouseup.bind(this);if (this.touchCapable) {// Touch: Bind touch events:document.addEventListener("touchmove", this.mousemove, false);document.addEventListener("touchend", this.mouseup, false);}// Bind mouse events:document.addEventListener("mousemove", this.mousemove, false);document.addEventListener("mouseup", this.mouseup, false);this.inDrag = true;var newValue = this._calculateValue();this._trigger('slideStart', newValue);this._setDataVal(newValue);this.setValue(newValue);this._pauseEvent(ev);return true;},_triggerFocusOnHandle: function(handleIdx) {if(handleIdx === 0) {this.handle1.focus();}if(handleIdx === 1) {this.handle2.focus();}},_keydown: function(handleIdx, ev) {if(!this.options.enabled) {return false;}var dir;switch (ev.keyCode) {case 37: // leftcase 40: // downdir = -1;break;case 39: // rightcase 38: // updir = 1;break;}if (!dir) {return;}// use natural arrow keys instead of from min to maxif (this.options.natural_arrow_keys) {var ifVerticalAndNotReversed = (this.options.orientation === 'vertical' && !this.options.reversed);var ifHorizontalAndReversed = (this.options.orientation === 'horizontal' && this.options.reversed);if (ifVerticalAndNotReversed || ifHorizontalAndReversed) {dir = dir * -1;}}var oneStepValuePercentageChange = dir * this.percentage[2];var percentage = this.percentage[handleIdx] + oneStepValuePercentageChange;if (percentage > 100) {percentage = 100;} else if (percentage < 0) {percentage = 0;}this.dragged = handleIdx;this._adjustPercentageForRangeSliders(percentage);this.percentage[this.dragged] = percentage;this._layout();var val = this._calculateValue(false);this._trigger('slideStart', val);this._setDataVal(val);this.setValue(val, true);this._trigger('slideStop', val);this._setDataVal(val);this._pauseEvent(ev);return false;},_pauseEvent: function(ev) {if(ev.stopPropagation) {ev.stopPropagation();}if(ev.preventDefault) {ev.preventDefault();}ev.cancelBubble=true;ev.returnValue=false;},_mousemove: function(ev) {if(!this.options.enabled) {return false;}var percentage = this._getPercentage(ev);this._adjustPercentageForRangeSliders(percentage);this.percentage[this.dragged] = this.options.reversed ? 100 - percentage : percentage;this._layout();var val = this._calculateValue(true);this.setValue(val, true);return false;},_adjustPercentageForRangeSliders: function(percentage) {if (this.options.range) {if (this.dragged === 0 && this.percentage[1] < percentage) {this.percentage[0] = this.percentage[1];this.dragged = 1;} else if (this.dragged === 1 && this.percentage[0] > percentage) {this.percentage[1] = this.percentage[0];this.dragged = 0;}}},_mouseup: function() {if(!this.options.enabled) {return false;}if (this.touchCapable) {// Touch: Unbind touch event handlers:document.removeEventListener("touchmove", this.mousemove, false);document.removeEventListener("touchend", this.mouseup, false);}// Unbind mouse event handlers:document.removeEventListener("mousemove", this.mousemove, false);document.removeEventListener("mouseup", this.mouseup, false);this.inDrag = false;if (this.over === false) {this._hideTooltip();}var val = this._calculateValue(true);this._layout();this._trigger('slideStop', val);this._setDataVal(val);return false;},_calculateValue: function(snapToClosestTick) {var val;if (this.options.range) {val = [this.options.min,this.options.max];if (this.percentage[0] !== 0){val[0] = (Math.max(this.options.min, this.options.min + Math.round((this.diff * this.percentage[0]/100)/this.options.step)*this.options.step));val[0] = this._applyPrecision(val[0]);}if (this.percentage[1] !== 100){val[1] = (Math.min(this.options.max, this.options.min + Math.round((this.diff * this.percentage[1]/100)/this.options.step)*this.options.step));val[1] = this._applyPrecision(val[1]);}} else {val = (this.options.min + Math.round((this.diff * this.percentage[0]/100)/this.options.step)*this.options.step);if (val < this.options.min) {val = this.options.min;}else if (val > this.options.max) {val = this.options.max;}val = parseFloat(val);val = this._applyPrecision(val);}if (snapToClosestTick) {var min = [val, Infinity];for (var i = 0; i < this.options.ticks.length; i++) {var diff = Math.abs(this.options.ticks[i] - val);if (diff <= min[1]) {min = [this.options.ticks[i], diff];}}if (min[1] <= this.options.ticks_snap_bounds) {return min[0];}}return val;},_applyPrecision: function(val) {var precision = this.options.precision || this._getNumDigitsAfterDecimalPlace(this.options.step);return this._applyToFixedAndParseFloat(val, precision);},_getNumDigitsAfterDecimalPlace: function(num) {var match = (''+num).match(/(?:\.(\d+))?(?:[eE]([+-]?\d+))?$/);if (!match) { return 0; }return Math.max(0, (match[1] ? match[1].length : 0) - (match[2] ? +match[2] : 0));},_applyToFixedAndParseFloat: function(num, toFixedInput) {var truncatedNum = num.toFixed(toFixedInput);return parseFloat(truncatedNum);},/*Credits to Mike Samuel for the following method!Source: http://stackoverflow.com/questions/10454518/javascript-how-to-retrieve-the-number-of-decimals-of-a-string-number*/_getPercentage: function(ev) {if (this.touchCapable && (ev.type === 'touchstart' || ev.type === 'touchmove')) {ev = ev.touches[0];}var percentage = (ev[this.mousePos] - this.offset[this.stylePos])*100/this.size;percentage = Math.round(percentage/this.percentage[2])*this.percentage[2];return Math.max(0, Math.min(100, percentage));},_validateInputValue: function(val) {if(typeof val === 'number') {return val;} else if(val instanceof Array) {this._validateArray(val);return val;} else {throw new Error( ErrorMsgs.formatInvalidInputErrorMsg(val) );}},_validateArray: function(val) {for(var i = 0; i < val.length; i++) {var input = val[i];if (typeof input !== 'number') { throw new Error( ErrorMsgs.formatInvalidInputErrorMsg(input) ); }}},_setDataVal: function(val) {var value = "value: '" + val + "'";this.element.setAttribute('data', value);this.element.setAttribute('value', val);},_trigger: function(evt, val) {val = (val || val === 0) ? val : undefined;var callbackFnArray = this.eventToCallbackMap[evt];if(callbackFnArray && callbackFnArray.length) {for(var i = 0; i < callbackFnArray.length; i++) {var callbackFn = callbackFnArray[i];callbackFn(val);}}/* If JQuery exists, trigger JQuery events */if($) {this._triggerJQueryEvent(evt, val);}},_triggerJQueryEvent: function(evt, val) {var eventData = {type: evt,value: val};this.$element.trigger(eventData);this.$sliderElem.trigger(eventData);},_unbindJQueryEventHandlers: function() {this.$element.off();this.$sliderElem.off();},_setText: function(element, text) {if(typeof element.innerText !== "undefined") {element.innerText = text;} else if(typeof element.textContent !== "undefined") {element.textContent = text;}},_removeClass: function(element, classString) {var classes = classString.split(" ");var newClasses = element.className;for(var i = 0; i < classes.length; i++) {var classTag = classes[i];var regex = new RegExp("(?:\\s|^)" + classTag + "(?:\\s|$)");newClasses = newClasses.replace(regex, " ");}element.className = newClasses.trim();},_addClass: function(element, classString) {var classes = classString.split(" ");var newClasses = element.className;for(var i = 0; i < classes.length; i++) {var classTag = classes[i];var regex = new RegExp("(?:\\s|^)" + classTag + "(?:\\s|$)");var ifClassExists = regex.test(newClasses);if(!ifClassExists) {newClasses += " " + classTag;}}element.className = newClasses.trim();},_offset: function (obj) {var ol = 0;var ot = 0;if (obj.offsetParent) {do {ol += obj.offsetLeft;ot += obj.offsetTop;} while (obj = obj.offsetParent);}return {left: ol,top: ot};},_css: function(elementRef, styleName, value) {if ($) {$.style(elementRef, styleName, value);} else {var style = styleName.replace(/^-ms-/, "ms-").replace(/-([\da-z])/gi, function (all, letter) {return letter.toUpperCase();});elementRef.style[style] = value;}}};/*********************************Attach to global namespace*********************************/if($) {var namespace = $.fn.slider ? 'bootstrapSlider' : 'slider';$.bridget(namespace, Slider);}})( $ );return Slider;}));