Huge News!Announcing our $40M Series B led by Abstract Ventures.Learn More
Socket
Sign inDemoInstall
Socket

finbars

Package Overview
Dependencies
Maintainers
1
Versions
13
Alerts
File Explorer

Advanced tools

Socket logo

Install Socket

Detect and block malicious and high-risk dependencies

Install

finbars - npm Package Compare versions

Comparing version 1.2.0 to 1.4.0

1410

index.js

@@ -5,110 +5,105 @@ 'use strict';

(function (module) { // eslint-disable-line no-unused-expressions
var cssInjector = require('css-injector');
// This closure supports NodeJS-less client side includes with <script> tags. See https://github.com/joneit/mnm.
/**
* @constructor FinBar
* @summary Create a scrollbar object.
* @desc Creating a scrollbar is a three-step process:
*
* 1. Instantiate the scrollbar object by calling this constructor function. Upon instantiation, the DOM element for the scrollbar (with a single child element for the scrollbar "thumb") is created but is not insert it into the DOM.
* 2. After instantiation, it is the caller's responsibility to insert the scrollbar, {@link FinBar#bar|this.bar}, into the DOM.
* 3. After insertion, the caller must call {@link FinBar#resize|resize()} at least once to size and position the scrollbar and its thumb. After that, `resize()` should also be called repeatedly on resize events (as the content element is being resized).
*
* Suggested configurations:
* * _**Unbound**_<br/>
* The scrollbar serves merely as a simple range (slider) control. Omit both `options.onchange` and `options.content`.
* * _**Bound to virtual content element**_<br/>
* Virtual content is projected into the element using a custom event handler supplied by the programmer in `options.onchange`. A typical use case would be to handle scrolling of the virtual content. Other use cases include data transformations, graphics transformations, _etc._
* * _**Bound to real content**_<br/>
* Set `options.content` to the "real" content element but omit `options.onchange`. This will cause the scrollbar to use the built-in event handler (`this.scrollRealContent`) which implements smooth scrolling of the content element within the container.
*
* @param {finbarOptions} [options={}] - Options object. See the type definition for member details.
*/
function FinBar(options) {
// make bound versions of all the mouse event handler
var bound = this._bound = {};
for (key in handlersToBeBound) {
bound[key] = handlersToBeBound[key].bind(this);
}
/**
* @constructor FinBar
* @summary Create a scrollbar object.
* @desc Creating a scrollbar is a three-step process:
* @name thumb
* @summary The generated scrollbar thumb element.
* @desc The thumb element's parent element is always the {@link FinBar#bar|bar} element.
*
* 1. Instantiate the scrollbar object by calling this constructor function. Upon instantiation, the DOM element for the scrollbar (with a single child element for the scrollbar "thumb") is created but is not insert it into the DOM.
* 2. After instantiation, it is the caller's responsibility to insert the scrollbar, {@link FinBar#bar|this.bar}, into the DOM.
* 3. After insertion, the caller must call {@link FinBar#resize|resize()} at least once to size and position the scrollbar and its thumb. After that, `resize()` should also be called repeatedly on resize events (as the content element is being resized).
* This property is typically referenced internally only. The size and position of the thumb element is maintained by `_calcThumb()`.
* @type {Element}
* @memberOf FinBar.prototype
*/
var thumb = document.createElement('div');
thumb.classList.add('thumb');
thumb.onclick = bound.shortStop;
thumb.onmouseover = bound.onmouseover;
this.thumb = thumb;
/**
* @name bar
* @summary The generated scrollbar element.
* @desc The caller inserts this element into the DOM (typically into the content container) and then calls its {@link FinBar#resize|resize()} method.
*
* Suggested configurations:
* * _**Unbound**_<br/>
* The scrollbar serves merely as a simple range (slider) control. Omit both `options.onchange` and `options.content`.
* * _**Bound to virtual content element**_<br/>
* Virtual content is projected into the element using a custom event handler supplied by the programmer in `options.onchange`. A typical use case would be to handle scrolling of the virtual content. Other use cases include data transformations, graphics transformations, _etc._
* * _**Bound to real content**_<br/>
* Set `options.content` to the "real" content element but omit `options.onchange`. This will cause the scrollbar to use the built-in event handler (`this.scrollRealContent`) which implements smooth scrolling of the content element within the container.
* Thus the node tree is typically:
* * A **content container** element, which contains:
* * The content element(s)
* * This **scrollbar element**, which in turn contains:
* * The **thumb element**
*
* @param {finbarOptions} [options={}] - Options object. See the type definition for member details.
* @type {Element}
* @memberOf FinBar.prototype
*/
function FinBar(options) {
var bar = document.createElement('div');
// make bound versions of all the mouse event handler
var bound = this._bound = {};
for (key in handlersToBeBound) {
bound[key] = handlersToBeBound[key].bind(this);
}
bar.classList.add('finbar-vertical');
/**
* @name thumb
* @summary The generated scrollbar thumb element.
* @desc The thumb element's parent element is always the {@link FinBar#bar|bar} element.
*
* This property is typically referenced internally only. The size and position of the thumb element is maintained by `_calcThumb()`.
* @type {Element}
* @memberOf FinBar.prototype
*/
var thumb = document.createElement('div');
thumb.classList.add('thumb');
thumb.onclick = bound.shortStop;
thumb.onmouseover = bound.onmouseover;
this.thumb = thumb;
bar.appendChild(thumb);
if (this.paging) {
bar.onclick = bound.onclick;
}
this.bar = bar;
/**
* @name bar
* @summary The generated scrollbar element.
* @desc The caller inserts this element into the DOM (typically into the content container) and then calls its {@link FinBar#resize|resize()} method.
*
* Thus the node tree is typically:
* * A **content container** element, which contains:
* * The content element(s)
* * This **scrollbar element**, which in turn contains:
* * The **thumb element**
*
* @type {Element}
* @memberOf FinBar.prototype
*/
var bar = document.createElement('div');
options = options || {};
bar.classList.add('finbar-vertical');
// presets
this.orientation = 'vertical';
this._min = this._index = 0;
this._max = 100;
bar.appendChild(thumb);
if (this.paging) {
bar.onclick = bound.onclick;
}
this.bar = bar;
// options
for (var key in options) {
if (options.hasOwnProperty(key)) {
var option = options[key];
switch (key) {
options = options || {};
case 'index':
this._index = option;
break;
// presets
this.orientation = 'vertical';
this._min = this._index = 0;
this._max = 100;
case 'range':
validRange(option);
this._min = option.min;
this._max = option.max;
this.contentSize = option.max - option.min + 1;
break;
// options
for (var key in options) {
if (options.hasOwnProperty(key)) {
var option = options[key];
switch (key) {
case 'cssStylesheetReferenceElement':
cssInjector(option);
break;
default:
if (
key.charAt(0) !== '_' &&
typeof FinBar.prototype[key] !== 'function'
) {
// override prototype defaults for standard ;
// extend with additional properties (for use in onchange event handlers)
this[key] = option;
}
break;
case 'index':
this._index = option;
break;
case 'range':
validRange(option);
this._min = option.min;
this._max = option.max;
this.contentSize = option.max - option.min + 1;
break;
default:
if (
key.charAt(0) !== '_' &&
typeof FinBar.prototype[key] !== 'function'
) {
// override prototype defaults for standard ;
// extend with additional properties (for use in onchange event handlers)
this[key] = option;
}
break;
}
}

@@ -118,758 +113,689 @@ }

FinBar.prototype = {
cssInjector(cssFinBars, 'finbar-base', options.cssStylesheetReferenceElement);
}
/**
* @summary The scrollbar orientation.
* @desc Set by the constructor to either `'vertical'` or `'horizontal'`. See the similarly named property in the {@link finbarOptions} object.
*
* Useful values are `'vertical'` (the default) or `'horizontal'`.
*
* Setting this property resets `this.oh` and `this.deltaProp` and changes the class names so as to reposition the scrollbar as per the CSS rules for the new orientation.
* @default 'vertical'
* @type {string}
* @memberOf FinBar.prototype
*/
set orientation(orientation) {
if (orientation === this._orientation) {
return;
}
FinBar.prototype = {
this._orientation = orientation;
/**
* @summary The scrollbar orientation.
* @desc Set by the constructor to either `'vertical'` or `'horizontal'`. See the similarly named property in the {@link finbarOptions} object.
*
* Useful values are `'vertical'` (the default) or `'horizontal'`.
*
* Setting this property resets `this.oh` and `this.deltaProp` and changes the class names so as to reposition the scrollbar as per the CSS rules for the new orientation.
* @default 'vertical'
* @type {string}
* @memberOf FinBar.prototype
*/
set orientation(orientation) {
if (orientation === this._orientation) {
return;
}
/**
* @readonly
* @name oh
* @summary <u>O</u>rientation <u>h</u>ash for this scrollbar.
* @desc Set by the `orientation` setter to either the vertical or the horizontal orientation hash. The property should always be synchronized with `orientation`; do not update directly!
*
* This object is used internally to access scrollbars' DOM element properties in a generalized way without needing to constantly query the scrollbar orientation. For example, instead of explicitly coding `this.bar.top` for a vertical scrollbar and `this.bar.left` for a horizontal scrollbar, simply code `this.bar[this.oh.leading]` instead. See the {@link orientationHashType} definition for details.
*
* This object is useful externally for coding generalized {@link finbarOnChange} event handler functions that serve both horizontal and vertical scrollbars.
* @type {orientationHashType}
* @memberOf FinBar.prototype
*/
this.oh = orientationHashes[this._orientation];
this._orientation = orientation;
if (!this.oh) {
error('Invalid value for `options._orientation.');
}
/**
* @name deltaProp
* @summary The name of the `WheelEvent` property this scrollbar should listen to.
* @desc Set by the constructor. See the similarly named property in the {@link finbarOptions} object.
*
* Useful values are `'deltaX'`, `'deltaY'`, or `'deltaZ'`. A value of `null` means to ignore mouse wheel events entirely.
*
* The mouse wheel is one-dimensional and only emits events with `deltaY` data. This property is provided so that you can override the default of `'deltaX'` with a value of `'deltaY'` on your horizontal scrollbar primarily to accommodate certain "panoramic" interface designs where the mouse wheel should control horizontal rather than vertical scrolling. Just give `{ deltaProp: 'deltaY' }` in your horizontal scrollbar instantiation.
*
* Caveat: Note that a 2-finger drag on an Apple trackpad emits events with _both_ `deltaX ` and `deltaY` data so you might want to delay making the above adjustment until you can determine that you are getting Y data only with no X data at all (which is a sure bet you on a mouse wheel rather than a trackpad).
* @type {object|null}
* @memberOf FinBar.prototype
*/
this.deltaProp = this.oh.delta;
this.bar.className = this.bar.className.replace(/(vertical|horizontal)/g, orientation);
if (this.bar.style.cssText || this.thumb.style.cssText) {
this.bar.removeAttribute('style');
this.thumb.removeAttribute('style');
this.resize();
}
},
get orientation() {
return this._orientation;
},
/**
* @summary Callback for scroll events.
* @desc Set by the constructor via the similarly named property in the {@link finbarOptions} object. After instantiation, `this.onchange` may be updated directly.
* @readonly
* @name oh
* @summary <u>O</u>rientation <u>h</u>ash for this scrollbar.
* @desc Set by the `orientation` setter to either the vertical or the horizontal orientation hash. The property should always be synchronized with `orientation`; do not update directly!
*
* This event handler is called whenever the value of the scrollbar is changed through user interaction. The typical use case is when the content is scrolled. It is called with the `FinBar` object as its context and the current value of the scrollbar (its index, rounded) as the only parameter.
* This object is used internally to access scrollbars' DOM element properties in a generalized way without needing to constantly query the scrollbar orientation. For example, instead of explicitly coding `this.bar.top` for a vertical scrollbar and `this.bar.left` for a horizontal scrollbar, simply code `this.bar[this.oh.leading]` instead. See the {@link orientationHashType} definition for details.
*
* Set this property to `null` to stop emitting such events.
* @type {function(number)|null}
* This object is useful externally for coding generalized {@link finbarOnChange} event handler functions that serve both horizontal and vertical scrollbars.
* @type {orientationHashType}
* @memberOf FinBar.prototype
*/
onchange: null,
this.oh = orientationHashes[this._orientation];
if (!this.oh) {
error('Invalid value for `options._orientation.');
}
/**
* @summary Add a CSS class name to the bar element's class list.
* @name deltaProp
* @summary The name of the `WheelEvent` property this scrollbar should listen to.
* @desc Set by the constructor. See the similarly named property in the {@link finbarOptions} object.
*
* The bar element's class list will always include `finbar-vertical` (or `finbar-horizontal` based on the current orientation). Whenever this property is set to some value, first the old prefix+orientation is removed from the bar element's class list; then the new prefix+orientation is added to the bar element's class list. This property causes _an additional_ class name to be added to the bar element's class list. Therefore, this property will only add at most one additional class name to the list.
* Useful values are `'deltaX'`, `'deltaY'`, or `'deltaZ'`. A value of `null` means to ignore mouse wheel events entirely.
*
* To remove _classname-orientation_ from the bar element's class list, set this property to a falsy value, such as `null`.
* The mouse wheel is one-dimensional and only emits events with `deltaY` data. This property is provided so that you can override the default of `'deltaX'` with a value of `'deltaY'` on your horizontal scrollbar primarily to accommodate certain "panoramic" interface designs where the mouse wheel should control horizontal rather than vertical scrolling. Just give `{ deltaProp: 'deltaY' }` in your horizontal scrollbar instantiation.
*
* > NOTE: You only need to specify an additional class name when you need to have mulltiple different styles of scrollbars on the same page. If this is not a requirement, then you don't need to make a new class; you would just create some additional rules using the same selectors in the built-in stylesheet (../css/finbars.css):
* *`div.finbar-vertical` (or `div.finbar-horizontal`) for the scrollbar
* *`div.finbar-vertical > div` (or `div.finbar-horizontal > div`) for the "thumb."
*
* Of course, your rules should come after the built-ins.
* @type {string}
* Caveat: Note that a 2-finger drag on an Apple trackpad emits events with _both_ `deltaX ` and `deltaY` data so you might want to delay making the above adjustment until you can determine that you are getting Y data only with no X data at all (which is a sure bet you on a mouse wheel rather than a trackpad).
* @type {object|null}
* @memberOf FinBar.prototype
*/
set classPrefix(prefix) {
if (this._classPrefix) {
this.bar.classList.remove(this._classPrefix + this.orientation);
}
this.deltaProp = this.oh.delta;
this._classPrefix = prefix;
this.bar.className = this.bar.className.replace(/(vertical|horizontal)/g, orientation);
if (prefix) {
this.bar.classList.add(prefix + '-' + this.orientation);
}
},
get classPrefix() {
return this._classPrefix;
},
if (this.bar.style.cssText || this.thumb.style.cssText) {
this.bar.removeAttribute('style');
this.thumb.removeAttribute('style');
this.resize();
}
},
get orientation() {
return this._orientation;
},
/**
* @name increment
* @summary Number of scrollbar index units representing a pageful. Used exclusively for paging up and down and for setting thumb size relative to content size.
* @desc Set by the constructor. See the similarly named property in the {@link finbarOptions} object.
*
* Can also be given as a parameter to the {@link FinBar#resize|resize} method, which is pertinent because content area size changes affect the definition of a "pageful." However, you only need to do this if this value is being used. It not used when:
* * you define `paging.up` and `paging.down`
* * your scrollbar is using `scrollRealContent`
* @type {number}
* @memberOf FinBar.prototype
*/
increment: 1,
/**
* @summary Callback for scroll events.
* @desc Set by the constructor via the similarly named property in the {@link finbarOptions} object. After instantiation, `this.onchange` may be updated directly.
*
* This event handler is called whenever the value of the scrollbar is changed through user interaction. The typical use case is when the content is scrolled. It is called with the `FinBar` object as its context and the current value of the scrollbar (its index, rounded) as the only parameter.
*
* Set this property to `null` to stop emitting such events.
* @type {function(number)|null}
* @memberOf FinBar.prototype
*/
onchange: null,
/**
* @name barStyles
* @summary Scrollbar styles to be applied by {@link FinBar#resize|resize()}.
* @desc Set by the constructor. See the similarly named property in the {@link finbarOptions} object.
*
* This is a value to be assigned to {@link FinBar#styles|styles} on each call to {@link FinBar#resize|resize()}. That is, a hash of values to be copied to the scrollbar element's style object on resize; or `null` for none.
*
* @see {@link FinBar#style|style}
* @type {finbarStyles|null}
* @memberOf FinBar.prototype
*/
barStyles: null,
/**
* @summary Add a CSS class name to the bar element's class list.
* @desc Set by the constructor. See the similarly named property in the {@link finbarOptions} object.
*
* The bar element's class list will always include `finbar-vertical` (or `finbar-horizontal` based on the current orientation). Whenever this property is set to some value, first the old prefix+orientation is removed from the bar element's class list; then the new prefix+orientation is added to the bar element's class list. This property causes _an additional_ class name to be added to the bar element's class list. Therefore, this property will only add at most one additional class name to the list.
*
* To remove _classname-orientation_ from the bar element's class list, set this property to a falsy value, such as `null`.
*
* > NOTE: You only need to specify an additional class name when you need to have mulltiple different styles of scrollbars on the same page. If this is not a requirement, then you don't need to make a new class; you would just create some additional rules using the same selectors in the built-in stylesheet (../css/finbars.css):
* *`div.finbar-vertical` (or `div.finbar-horizontal`) for the scrollbar
* *`div.finbar-vertical > div` (or `div.finbar-horizontal > div`) for the "thumb."
*
* Of course, your rules should come after the built-ins.
* @type {string}
* @memberOf FinBar.prototype
*/
set classPrefix(prefix) {
if (this._classPrefix) {
this.bar.classList.remove(this._classPrefix + this.orientation);
}
/**
* @name style
* @summary Additional scrollbar styles.
* @desc See type definition for more details. These styles are applied directly to the scrollbar's `bar` element.
*
* Values are adjusted as follows before being applied to the element:
* 1. Included "pseudo-property" names from the scrollbar's orientation hash, {@link FinBar#oh|oh}, are translated to actual property names before being applied.
* 2. When there are margins, percentages are translated to absolute pixel values because CSS ignores margins in its percentage calculations.
* 3. If you give a value without a unit (a raw number), "px" unit is appended.
*
* General notes:
* 1. It is always preferable to specify styles via a stylesheet. Only set this property when you need to specifically override (a) stylesheet value(s).
* 2. Can be set directly or via calls to the {@link FinBar#resize|resize} method.
* 3. Should only be set after the scrollbar has been inserted into the DOM.
* 4. Before applying these new values to the element, _all_ in-line style values are reset (by removing the element's `style` attribute), exposing inherited values (from stylesheets).
* 5. Empty object has no effect.
* 6. Falsey value in place of object has no effect.
*
* > CAVEAT: Do not attempt to treat the object you assign to this property as if it were `this.bar.style`. Specifically, changing this object after assigning it will have no effect on the scrollbar. You must assign it again if you want it to have an effect.
*
* @see {@link FinBar#barStyles|barStyles}
* @type {finbarStyles}
* @memberOf FinBar.prototype
*/
set style(styles) {
var keys = Object.keys(styles = extend({}, styles, this._auxStyles));
this._classPrefix = prefix;
if (keys.length) {
var bar = this.bar,
barRect = bar.getBoundingClientRect(),
container = this.container || bar.parentElement,
containerRect = container.getBoundingClientRect(),
oh = this.oh;
if (prefix) {
this.bar.classList.add(prefix + '-' + this.orientation);
}
},
get classPrefix() {
return this._classPrefix;
},
// Before applying new styles, revert all styles to values inherited from stylesheets
bar.removeAttribute('style');
/**
* @name increment
* @summary Number of scrollbar index units representing a pageful. Used exclusively for paging up and down and for setting thumb size relative to content size.
* @desc Set by the constructor. See the similarly named property in the {@link finbarOptions} object.
*
* Can also be given as a parameter to the {@link FinBar#resize|resize} method, which is pertinent because content area size changes affect the definition of a "pageful." However, you only need to do this if this value is being used. It not used when:
* * you define `paging.up` and `paging.down`
* * your scrollbar is using `scrollRealContent`
* @type {number}
* @memberOf FinBar.prototype
*/
increment: 1,
keys.forEach(function (key) {
var val = styles[key];
/**
* @name barStyles
* @summary Scrollbar styles to be applied by {@link FinBar#resize|resize()}.
* @desc Set by the constructor. See the similarly named property in the {@link finbarOptions} object.
*
* This is a value to be assigned to {@link FinBar#styles|styles} on each call to {@link FinBar#resize|resize()}. That is, a hash of values to be copied to the scrollbar element's style object on resize; or `null` for none.
*
* @see {@link FinBar#style|style}
* @type {finbarStyles|null}
* @memberOf FinBar.prototype
*/
barStyles: null,
if (key in oh) {
key = oh[key];
}
/**
* @name style
* @summary Additional scrollbar styles.
* @desc See type definition for more details. These styles are applied directly to the scrollbar's `bar` element.
*
* Values are adjusted as follows before being applied to the element:
* 1. Included "pseudo-property" names from the scrollbar's orientation hash, {@link FinBar#oh|oh}, are translated to actual property names before being applied.
* 2. When there are margins, percentages are translated to absolute pixel values because CSS ignores margins in its percentage calculations.
* 3. If you give a value without a unit (a raw number), "px" unit is appended.
*
* General notes:
* 1. It is always preferable to specify styles via a stylesheet. Only set this property when you need to specifically override (a) stylesheet value(s).
* 2. Can be set directly or via calls to the {@link FinBar#resize|resize} method.
* 3. Should only be set after the scrollbar has been inserted into the DOM.
* 4. Before applying these new values to the element, _all_ in-line style values are reset (by removing the element's `style` attribute), exposing inherited values (from stylesheets).
* 5. Empty object has no effect.
* 6. Falsey value in place of object has no effect.
*
* > CAVEAT: Do not attempt to treat the object you assign to this property as if it were `this.bar.style`. Specifically, changing this object after assigning it will have no effect on the scrollbar. You must assign it again if you want it to have an effect.
*
* @see {@link FinBar#barStyles|barStyles}
* @type {finbarStyles}
* @memberOf FinBar.prototype
*/
set style(styles) {
var keys = Object.keys(styles = extend({}, styles, this._auxStyles));
if (!isNaN(Number(val))) {
val = (val || 0) + 'px';
} else if (/%$/.test(val)) {
// When bar size given as percentage of container, if bar has margins, restate size in pixels less margins.
// (If left as percentage, CSS's calculation will not exclude margins.)
var oriented = axis[key],
margins = barRect[oriented.marginLeading] + barRect[oriented.marginTrailing];
if (margins) {
val = parseInt(val, 10) / 100 * containerRect[oriented.size] - margins + 'px';
}
}
if (keys.length) {
var bar = this.bar,
barRect = bar.getBoundingClientRect(),
container = this.container || bar.parentElement,
containerRect = container.getBoundingClientRect(),
oh = this.oh;
bar.style[key] = val;
});
}
},
// Before applying new styles, revert all styles to values inherited from stylesheets
bar.removeAttribute('style');
/**
* @readonly
* @name paging
* @summary Enable page up/dn clicks.
* @desc Set by the constructor. See the similarly named property in the {@link finbarOptions} object.
*
* If truthy, listen for clicks in page-up and page-down regions of scrollbar.
*
* If an object, call `.paging.up()` on page-up clicks and `.paging.down()` will be called on page-down clicks.
*
* Changing the truthiness of this value after instantiation currently has no effect.
* @type {boolean|object}
* @memberOf FinBar.prototype
*/
paging: true,
keys.forEach(function (key) {
var val = styles[key];
/**
* @name range
* @summary Setter for the minimum and maximum scroll values.
* @desc Set by the constructor. These values are the limits for {@link FooBar#index|index}.
*
* The setter accepts an object with exactly two numeric properties: `.min` which must be less than `.max`. The values are extracted and the object is discarded.
*
* The getter returns a new object with `.min` and '.max`.
*
* @type {rangeType}
* @memberOf FinBar.prototype
*/
set range(range) {
validRange(range);
this._min = range.min;
this._max = range.max;
this.contentSize = range.max - range.min + 1;
this.index = this.index; // re-clamp
},
get range() {
return {
min: this._min,
max: this._max
};
},
if (key in oh) {
key = oh[key];
}
/**
* @summary Index value of the scrollbar.
* @desc This is the position of the scroll thumb.
*
* Setting this value clamps it to {@link FinBar#min|min}..{@link FinBar#max|max}, scroll the content, and moves thumb.
*
* Getting this value returns the current index. The returned value will be in the range `min`..`max`. It is intentionally not rounded.
*
* Use this value as an alternative to (or in addition to) using the {@link FinBar#onchange|onchange} callback function.
*
* @see {@link FinBar#_setScroll|_setScroll}
* @type {number}
* @memberOf FinBar.prototype
*/
set index(idx) {
idx = Math.min(this._max, Math.max(this._min, idx)); // clamp it
this._setScroll(idx);
// this._setThumbSize();
},
get index() {
return this._index;
},
if (!isNaN(Number(val))) {
val = (val || 0) + 'px';
} else if (/%$/.test(val)) {
// When bar size given as percentage of container, if bar has margins, restate size in pixels less margins.
// (If left as percentage, CSS's calculation will not exclude margins.)
var oriented = axis[key],
margins = barRect[oriented.marginLeading] + barRect[oriented.marginTrailing];
if (margins) {
val = parseInt(val, 10) / 100 * containerRect[oriented.size] - margins + 'px';
}
}
/**
* @private
* @summary Move the thumb.
* @desc Also displays the index value in the test panel and invokes the callback.
* @param idx - The new scroll index, a value in the range `min`..`max`.
* @param [scaled=f(idx)] - The new thumb position in pixels and scaled relative to the containing {@link FinBar#bar|bar} element, i.e., a proportional number in the range `0`..`thumbMax`. When omitted, a function of `idx` is used.
* @memberOf FinBar.prototype
*/
_setScroll: function (idx, scaled) {
this._index = idx;
bar.style[key] = val;
});
}
},
// Display the index value in the test panel
if (this.testPanelItem && this.testPanelItem.index instanceof Element) {
this.testPanelItem.index.innerHTML = Math.round(idx);
}
/**
* @readonly
* @name paging
* @summary Enable page up/dn clicks.
* @desc Set by the constructor. See the similarly named property in the {@link finbarOptions} object.
*
* If truthy, listen for clicks in page-up and page-down regions of scrollbar.
*
* If an object, call `.paging.up()` on page-up clicks and `.paging.down()` will be called on page-down clicks.
*
* Changing the truthiness of this value after instantiation currently has no effect.
* @type {boolean|object}
* @memberOf FinBar.prototype
*/
paging: true,
// Call the callback
if (this.onchange) {
this.onchange.call(this, Math.round(idx));
}
/**
* @name range
* @summary Setter for the minimum and maximum scroll values.
* @desc Set by the constructor. These values are the limits for {@link FooBar#index|index}.
*
* The setter accepts an object with exactly two numeric properties: `.min` which must be less than `.max`. The values are extracted and the object is discarded.
*
* The getter returns a new object with `.min` and '.max`.
*
* @type {rangeType}
* @memberOf FinBar.prototype
*/
set range(range) {
validRange(range);
this._min = range.min;
this._max = range.max;
this.contentSize = range.max - range.min + 1;
this.index = this.index; // re-clamp
},
get range() {
return {
min: this._min,
max: this._max
};
},
// Move the thumb
if (scaled === undefined) {
scaled = (idx - this._min) / (this._max - this._min) * this._thumbMax;
}
this.thumb.style[this.oh.leading] = scaled + 'px';
},
/**
* @summary Index value of the scrollbar.
* @desc This is the position of the scroll thumb.
*
* Setting this value clamps it to {@link FinBar#min|min}..{@link FinBar#max|max}, scroll the content, and moves thumb.
*
* Getting this value returns the current index. The returned value will be in the range `min`..`max`. It is intentionally not rounded.
*
* Use this value as an alternative to (or in addition to) using the {@link FinBar#onchange|onchange} callback function.
*
* @see {@link FinBar#_setScroll|_setScroll}
* @type {number}
* @memberOf FinBar.prototype
*/
set index(idx) {
idx = Math.min(this._max, Math.max(this._min, idx)); // clamp it
this._setScroll(idx);
// this._setThumbSize();
},
get index() {
return this._index;
},
scrollRealContent: function (idx) {
var containerRect = this.content.parentElement.getBoundingClientRect(),
sizeProp = this.oh.size,
maxScroll = Math.max(0, this.content[sizeProp] - containerRect[sizeProp]),
//scroll = Math.min(idx, maxScroll);
scroll = (idx - this._min) / (this._max - this._min) * maxScroll;
//console.log('scroll: ' + scroll);
this.content.style[this.oh.leading] = -scroll + 'px';
},
/**
* @private
* @summary Move the thumb.
* @desc Also displays the index value in the test panel and invokes the callback.
* @param idx - The new scroll index, a value in the range `min`..`max`.
* @param [scaled=f(idx)] - The new thumb position in pixels and scaled relative to the containing {@link FinBar#bar|bar} element, i.e., a proportional number in the range `0`..`thumbMax`. When omitted, a function of `idx` is used.
* @memberOf FinBar.prototype
*/
_setScroll: function (idx, scaled) {
this._index = idx;
/**
* @summary Recalculate thumb position.
*
* @desc This method recalculates the thumb size and position. Call it once after inserting your scrollbar into the DOM, and repeatedly while resizing the scrollbar (which typically happens when the scrollbar's parent is resized by user.
*
* > This function shifts args if first arg omitted.
*
* @param {number} [increment=this.increment] - Resets {@link FooBar#increment|increment} (see).
*
* @param {finbarStyles} [barStyles=this.barStyles] - (See type definition for details.) Scrollbar styles to be applied to the bar element.
*
* Only specify a `barStyles` object when you need to override stylesheet values. If provided, becomes the new default (`this.barStyles`), for use as a default on subsequent calls.
*
* It is generally the case that the scrollbar's new position is sufficiently described by the current styles. Therefore, it is unusual to need to provide a `barStyles` object on every call to `resize`.
*
* @returns {FinBar} Self for chaining.
* @memberOf FinBar.prototype
*/
resize: function (increment, barStyles) {
var bar = this.bar;
// Display the index value in the test panel
if (this.testPanelItem && this.testPanelItem.index instanceof Element) {
this.testPanelItem.index.innerHTML = Math.round(idx);
}
if (!bar.parentNode) {
return; // not in DOM yet so nothing to do
}
// Call the callback
if (this.onchange) {
this.onchange.call(this, Math.round(idx));
}
var container = this.container || bar.parentElement,
containerRect = container.getBoundingClientRect();
// Move the thumb
if (scaled === undefined) {
scaled = (idx - this._min) / (this._max - this._min) * this._thumbMax;
}
this.thumb.style[this.oh.leading] = scaled + 'px';
},
// shift args if if 1st arg omitted
if (typeof increment === 'object') {
barStyles = increment;
increment = undefined;
}
scrollRealContent: function (idx) {
var containerRect = this.content.parentElement.getBoundingClientRect(),
sizeProp = this.oh.size,
maxScroll = Math.max(0, this.content[sizeProp] - containerRect[sizeProp]),
//scroll = Math.min(idx, maxScroll);
scroll = (idx - this._min) / (this._max - this._min) * maxScroll;
//console.log('scroll: ' + scroll);
this.content.style[this.oh.leading] = -scroll + 'px';
},
this.style = this.barStyles = barStyles || this.barStyles;
/**
* @summary Recalculate thumb position.
*
* @desc This method recalculates the thumb size and position. Call it once after inserting your scrollbar into the DOM, and repeatedly while resizing the scrollbar (which typically happens when the scrollbar's parent is resized by user.
*
* > This function shifts args if first arg omitted.
*
* @param {number} [increment=this.increment] - Resets {@link FooBar#increment|increment} (see).
*
* @param {finbarStyles} [barStyles=this.barStyles] - (See type definition for details.) Scrollbar styles to be applied to the bar element.
*
* Only specify a `barStyles` object when you need to override stylesheet values. If provided, becomes the new default (`this.barStyles`), for use as a default on subsequent calls.
*
* It is generally the case that the scrollbar's new position is sufficiently described by the current styles. Therefore, it is unusual to need to provide a `barStyles` object on every call to `resize`.
*
* @returns {FinBar} Self for chaining.
* @memberOf FinBar.prototype
*/
resize: function (increment, barStyles) {
var bar = this.bar;
// Bound to real content: Content was given but no onchange handler.
// Set up .onchange, .containerSize, and .increment.
// Note this only makes sense if your index unit is pixels.
if (this.content) {
if (!this.onchange) {
this.onchange = this.scrollRealContent;
this.contentSize = this.content[this.oh.size];
this._min = 0;
this._max = this.contentSize - 1;
}
}
if (this.onchange === this.scrollRealContent) {
this.containerSize = containerRect[this.oh.size];
this.increment = this.containerSize / (this.contentSize - this.containerSize) * (this._max - this._min);
} else {
this.containerSize = 1;
this.increment = increment || this.increment;
}
if (!bar.parentNode) {
return; // not in DOM yet so nothing to do
}
var index = this.index;
this.testPanelItem = this.testPanelItem || this._addTestPanelItem();
this._setThumbSize();
this.index = index;
var container = this.container || bar.parentElement,
containerRect = container.getBoundingClientRect();
if (this.deltaProp !== null) {
container.addEventListener('wheel', this._bound.onwheel);
}
// shift args if if 1st arg omitted
if (typeof increment === 'object') {
barStyles = increment;
increment = undefined;
}
return this;
},
this.style = this.barStyles = barStyles || this.barStyles;
/**
* @summary Shorten trailing end of scrollbar by thickness of some other scrollbar.
* @desc In the "classical" scenario where vertical scroll bar is on the right and horizontal scrollbar is on the bottom, you want to shorten the "trailing end" (bottom and right ends, respectively) of at least one of them so they don't overlay.
*
* This convenience function is an programmatic alternative to hardcoding the correct style with the correct value in your stylesheet; or setting the correct style with the correct value in the {@link FinBar#barStyles|barStyles} object.
*
* @see {@link FinBar#foreshortenBy|foreshortenBy}.
*
* @param {FinBar|null} otherFinBar - Other scrollbar to avoid by shortening this one; `null` removes the trailing space
* @returns {FinBar} For chaining
*/
shortenBy: function (otherFinBar) { return this.shortenEndBy('trailing', otherFinBar); },
/**
* @summary Shorten leading end of scrollbar by thickness of some other scrollbar.
* @desc Supports non-classical scrollbar scenarios where vertical scroll bar may be on left and horizontal scrollbar may be on top, in which case you want to shorten the "leading end" rather than the trailing end.
* @see {@link FinBar#shortenBy|shortenBy}.
* @param {FinBar|null} otherFinBar - Other scrollbar to avoid by shortening this one; `null` removes the trailing space
* @returns {FinBar} For chaining
*/
foreshortenBy: function (otherFinBar) { return this.shortenEndBy('leading', otherFinBar); },
/**
* @summary Generalized shortening function.
* @see {@link FinBar#shortenBy|shortenBy}.
* @see {@link FinBar#foreshortenBy|foreshortenBy}.
* @param {string} whichEnd - a CSS style property name or an orientation hash name that translates to a CSS style property name.
* @param {FinBar|null} otherFinBar - Other scrollbar to avoid by shortening this one; `null` removes the trailing space
* @returns {FinBar} For chaining
*/
shortenEndBy: function (whichEnd, otherFinBar) {
if (!otherFinBar) {
delete this._auxStyles;
} else if (otherFinBar instanceof FinBar && otherFinBar.orientation !== this.orientation) {
var otherStyle = window.getComputedStyle(otherFinBar.bar),
ooh = orientationHashes[otherFinBar.orientation];
this._auxStyles = {};
this._auxStyles[whichEnd] = otherStyle[ooh.thickness];
// Bound to real content: Content was given but no onchange handler.
// Set up .onchange, .containerSize, and .increment.
// Note this only makes sense if your index unit is pixels.
if (this.content) {
if (!this.onchange) {
this.onchange = this.scrollRealContent;
this.contentSize = this.content[this.oh.size];
this._min = 0;
this._max = this.contentSize - 1;
}
return this; // for chaining
},
}
if (this.onchange === this.scrollRealContent) {
this.containerSize = containerRect[this.oh.size];
this.increment = this.containerSize / (this.contentSize - this.containerSize) * (this._max - this._min);
} else {
this.containerSize = 1;
this.increment = increment || this.increment;
}
/**
* @private
* @summary Sets the proportional thumb size and hides thumb when 100%.
* @desc The thumb size has an absolute minimum of 20 (pixels).
* @memberOf FinBar.prototype
*/
_setThumbSize: function () {
var oh = this.oh,
thumbComp = window.getComputedStyle(this.thumb),
thumbMarginLeading = parseInt(thumbComp[oh.marginLeading]),
thumbMarginTrailing = parseInt(thumbComp[oh.marginTrailing]),
thumbMargins = thumbMarginLeading + thumbMarginTrailing,
barSize = this.bar.getBoundingClientRect()[oh.size],
thumbSize = Math.max(20, barSize * this.containerSize / this.contentSize);
var index = this.index;
this.testPanelItem = this.testPanelItem || this._addTestPanelItem();
this._setThumbSize();
this.index = index;
if (this.containerSize < this.contentSize) {
this.bar.style.visibility = 'visible';
this.thumb.style[oh.size] = thumbSize + 'px';
} else {
this.bar.style.visibility = 'hidden';
}
if (this.deltaProp !== null) {
container.addEventListener('wheel', this._bound.onwheel);
}
/**
* @private
* @name _thumbMax
* @summary Maximum offset of thumb's leading edge.
* @desc This is the pixel offset within the scrollbar of the thumb when it is at its maximum position at the extreme end of its range.
*
* This value takes into account the newly calculated size of the thumb element (including its margins) and the inner size of the scrollbar (the thumb's containing element, including _its_ margins).
*
* NOTE: Scrollbar padding is not taken into account and assumed to be 0 in the current implementation and is assumed to be `0`; use thumb margins in place of scrollbar padding.
* @type {number}
* @memberOf FinBar.prototype
*/
this._thumbMax = barSize - thumbSize - thumbMargins;
return this;
},
this._thumbMarginLeading = thumbMarginLeading; // used in mousedown
},
/**
* @summary Shorten trailing end of scrollbar by thickness of some other scrollbar.
* @desc In the "classical" scenario where vertical scroll bar is on the right and horizontal scrollbar is on the bottom, you want to shorten the "trailing end" (bottom and right ends, respectively) of at least one of them so they don't overlay.
*
* This convenience function is an programmatic alternative to hardcoding the correct style with the correct value in your stylesheet; or setting the correct style with the correct value in the {@link FinBar#barStyles|barStyles} object.
*
* @see {@link FinBar#foreshortenBy|foreshortenBy}.
*
* @param {FinBar|null} otherFinBar - Other scrollbar to avoid by shortening this one; `null` removes the trailing space
* @returns {FinBar} For chaining
*/
shortenBy: function (otherFinBar) { return this.shortenEndBy('trailing', otherFinBar); },
/**
* @summary Remove the scrollbar.
* @desc Unhooks all the event handlers and then removes the element from the DOM. Always call this method prior to disposing of the scrollbar object.
* @memberOf FinBar.prototype
*/
remove: function () {
this._removeEvt('mousedown');
this._removeEvt('mousemove');
this._removeEvt('mouseup');
/**
* @summary Shorten leading end of scrollbar by thickness of some other scrollbar.
* @desc Supports non-classical scrollbar scenarios where vertical scroll bar may be on left and horizontal scrollbar may be on top, in which case you want to shorten the "leading end" rather than the trailing end.
* @see {@link FinBar#shortenBy|shortenBy}.
* @param {FinBar|null} otherFinBar - Other scrollbar to avoid by shortening this one; `null` removes the trailing space
* @returns {FinBar} For chaining
*/
foreshortenBy: function (otherFinBar) { return this.shortenEndBy('leading', otherFinBar); },
(this.container || this.bar.parentElement)._removeEvt('wheel', this._bound.onwheel);
/**
* @summary Generalized shortening function.
* @see {@link FinBar#shortenBy|shortenBy}.
* @see {@link FinBar#foreshortenBy|foreshortenBy}.
* @param {string} whichEnd - a CSS style property name or an orientation hash name that translates to a CSS style property name.
* @param {FinBar|null} otherFinBar - Other scrollbar to avoid by shortening this one; `null` removes the trailing space
* @returns {FinBar} For chaining
*/
shortenEndBy: function (whichEnd, otherFinBar) {
if (!otherFinBar) {
delete this._auxStyles;
} else if (otherFinBar instanceof FinBar && otherFinBar.orientation !== this.orientation) {
var otherStyle = window.getComputedStyle(otherFinBar.bar),
ooh = orientationHashes[otherFinBar.orientation];
this._auxStyles = {};
this._auxStyles[whichEnd] = otherStyle[ooh.thickness];
}
return this; // for chaining
},
this.bar.onclick =
this.thumb.onclick =
this.thumb.onmouseover =
this.thumb.transitionend =
this.thumb.onmouseout = null;
/**
* @private
* @summary Sets the proportional thumb size and hides thumb when 100%.
* @desc The thumb size has an absolute minimum of 20 (pixels).
* @memberOf FinBar.prototype
*/
_setThumbSize: function () {
var oh = this.oh,
thumbComp = window.getComputedStyle(this.thumb),
thumbMarginLeading = parseInt(thumbComp[oh.marginLeading]),
thumbMarginTrailing = parseInt(thumbComp[oh.marginTrailing]),
thumbMargins = thumbMarginLeading + thumbMarginTrailing,
barSize = this.bar.getBoundingClientRect()[oh.size],
thumbSize = Math.max(20, barSize * this.containerSize / this.contentSize);
this.bar.remove();
},
if (this.containerSize < this.contentSize) {
this.bar.style.visibility = 'visible';
this.thumb.style[oh.size] = thumbSize + 'px';
} else {
this.bar.style.visibility = 'hidden';
}
/**
* @private
* @function _addTestPanelItem
* @summary Append a test panel element.
* @desc If there is a test panel in the DOM (typically an `<ol>...</ol>` element) with class names of both `this.classPrefix` and `'test-panel'` (or, barring that, any element with class name `'test-panel'`), an `<li>...</li>` element will be created and appended to it. This new element will contain a span for each class name given.
* @name _thumbMax
* @summary Maximum offset of thumb's leading edge.
* @desc This is the pixel offset within the scrollbar of the thumb when it is at its maximum position at the extreme end of its range.
*
* You should define a CSS selector `.listening` for these spans. This class will be added to the spans to alter their appearance when a listener is added with that class name (prefixed with 'on').
* This value takes into account the newly calculated size of the thumb element (including its margins) and the inner size of the scrollbar (the thumb's containing element, including _its_ margins).
*
* (This is an internal function that is called once by the constructor on every instantiation.)
* @returns {Element|undefined} The appended `<li>...</li>` element or `undefined` if there is no test panel.
* NOTE: Scrollbar padding is not taken into account and assumed to be 0 in the current implementation and is assumed to be `0`; use thumb margins in place of scrollbar padding.
* @type {number}
* @memberOf FinBar.prototype
*/
_addTestPanelItem: function () {
var testPanelItem,
testPanelElement = document.querySelector('.' + this._classPrefix + '.test-panel') || document.querySelector('.test-panel');
this._thumbMax = barSize - thumbSize - thumbMargins;
if (testPanelElement) {
var testPanelItemPartNames = [ 'mousedown', 'mousemove', 'mouseup', 'index' ],
item = document.createElement('li');
this._thumbMarginLeading = thumbMarginLeading; // used in mousedown
},
testPanelItemPartNames.forEach(function (partName) {
item.innerHTML += '<span class="' + partName + '">' + partName.replace('mouse', '') + '</span>';
});
/**
* @summary Remove the scrollbar.
* @desc Unhooks all the event handlers and then removes the element from the DOM. Always call this method prior to disposing of the scrollbar object.
* @memberOf FinBar.prototype
*/
remove: function () {
this._removeEvt('mousedown');
this._removeEvt('mousemove');
this._removeEvt('mouseup');
testPanelElement.appendChild(item);
(this.container || this.bar.parentElement)._removeEvt('wheel', this._bound.onwheel);
testPanelItem = {};
testPanelItemPartNames.forEach(function (partName) {
testPanelItem[partName] = item.getElementsByClassName(partName)[0];
});
}
this.bar.onclick =
this.thumb.onclick =
this.thumb.onmouseover =
this.thumb.transitionend =
this.thumb.onmouseout = null;
return testPanelItem;
},
this.bar.remove();
},
_addEvt: function (evtName) {
var spy = this.testPanelItem && this.testPanelItem[evtName];
if (spy) { spy.classList.add('listening'); }
window.addEventListener(evtName, this._bound['on' + evtName]);
},
/**
* @private
* @function _addTestPanelItem
* @summary Append a test panel element.
* @desc If there is a test panel in the DOM (typically an `<ol>...</ol>` element) with class names of both `this.classPrefix` and `'test-panel'` (or, barring that, any element with class name `'test-panel'`), an `<li>...</li>` element will be created and appended to it. This new element will contain a span for each class name given.
*
* You should define a CSS selector `.listening` for these spans. This class will be added to the spans to alter their appearance when a listener is added with that class name (prefixed with 'on').
*
* (This is an internal function that is called once by the constructor on every instantiation.)
* @returns {Element|undefined} The appended `<li>...</li>` element or `undefined` if there is no test panel.
* @memberOf FinBar.prototype
*/
_addTestPanelItem: function () {
var testPanelItem,
testPanelElement = document.querySelector('.' + this._classPrefix + '.test-panel') || document.querySelector('.test-panel');
_removeEvt: function (evtName) {
var spy = this.testPanelItem && this.testPanelItem[evtName];
if (spy) { spy.classList.remove('listening'); }
window.removeEventListener(evtName, this._bound['on' + evtName]);
}
};
if (testPanelElement) {
var testPanelItemPartNames = [ 'mousedown', 'mousemove', 'mouseup', 'index' ],
item = document.createElement('li');
function extend(obj) {
for (var i = 1; i < arguments.length; ++i) {
var objn = arguments[i];
if (objn) {
for (var key in objn) {
obj[key] = objn[key];
}
}
}
return obj;
}
testPanelItemPartNames.forEach(function (partName) {
item.innerHTML += '<span class="' + partName + '">' + partName.replace('mouse', '') + '</span>';
});
function validRange(range) {
var keys = Object.keys(range),
valid = keys.length === 2 &&
typeof range.min === 'number' &&
typeof range.max === 'number' &&
range.min <= range.max;
testPanelElement.appendChild(item);
if (!valid) {
error('Invalid .range object.');
testPanelItem = {};
testPanelItemPartNames.forEach(function (partName) {
testPanelItem[partName] = item.getElementsByClassName(partName)[0];
});
}
}
/**
* @private
* @name handlersToBeBound
* @type {object}
* @desc The functions defined in this object are all DOM event handlers that are bound by the FinBar constructor to each new instance. In other words, the `this` value of these handlers, once bound, refer to the FinBar object and not to the event emitter. "Do not consume raw."
*/
var handlersToBeBound = {
shortStop: function (evt) {
evt.stopPropagation();
},
return testPanelItem;
},
onwheel: function (evt) {
this.index += evt[this.deltaProp];
evt.stopPropagation();
evt.preventDefault();
},
_addEvt: function (evtName) {
var spy = this.testPanelItem && this.testPanelItem[evtName];
if (spy) { spy.classList.add('listening'); }
window.addEventListener(evtName, this._bound['on' + evtName]);
},
onclick: function (evt) {
var thumbBox = this.thumb.getBoundingClientRect(),
goingUp = evt[this.oh.coordinate] < thumbBox[this.oh.leading];
_removeEvt: function (evtName) {
var spy = this.testPanelItem && this.testPanelItem[evtName];
if (spy) { spy.classList.remove('listening'); }
window.removeEventListener(evtName, this._bound['on' + evtName]);
}
};
if (typeof this.paging === 'object') {
this.index = this.paging[goingUp ? 'up' : 'down'](Math.round(this.index));
} else {
this.index += goingUp ? -this.increment : this.increment;
function extend(obj) {
for (var i = 1; i < arguments.length; ++i) {
var objn = arguments[i];
if (objn) {
for (var key in objn) {
obj[key] = objn[key];
}
}
}
return obj;
}
// make the thumb glow momentarily
this.thumb.classList.add('hover');
var self = this;
this.thumb.addEventListener('transitionend', function waitForIt() {
this.removeEventListener('transitionend', waitForIt);
self._bound.onmouseup(evt);
});
function validRange(range) {
var keys = Object.keys(range),
valid = keys.length === 2 &&
typeof range.min === 'number' &&
typeof range.max === 'number' &&
range.min <= range.max;
evt.stopPropagation();
},
if (!valid) {
error('Invalid .range object.');
}
}
onmouseover: function () {
this.thumb.classList.add('hover');
this.thumb.onmouseout = this._bound.onmouseout;
this._addEvt('mousedown');
},
/**
* @private
* @name handlersToBeBound
* @type {object}
* @desc The functions defined in this object are all DOM event handlers that are bound by the FinBar constructor to each new instance. In other words, the `this` value of these handlers, once bound, refer to the FinBar object and not to the event emitter. "Do not consume raw."
*/
var handlersToBeBound = {
shortStop: function (evt) {
evt.stopPropagation();
},
onmouseout: function () {
this._removeEvt('mousedown');
this.thumb.onmouseover = this._bound.onmouseover;
this.thumb.classList.remove('hover');
},
onwheel: function (evt) {
this.index += evt[this.deltaProp];
evt.stopPropagation();
evt.preventDefault();
},
onmousedown: function (evt) {
this._removeEvt('mousedown');
this.thumb.onmouseover = this.thumb.onmouseout = null;
onclick: function (evt) {
var thumbBox = this.thumb.getBoundingClientRect(),
goingUp = evt[this.oh.coordinate] < thumbBox[this.oh.leading];
var thumbBox = this.thumb.getBoundingClientRect();
this.pinOffset = evt[this.oh.axis] - thumbBox[this.oh.leading] + this.bar.getBoundingClientRect()[this.oh.leading] + this._thumbMarginLeading;
document.documentElement.style.cursor = 'default';
if (typeof this.paging === 'object') {
this.index = this.paging[goingUp ? 'up' : 'down'](Math.round(this.index));
} else {
this.index += goingUp ? -this.increment : this.increment;
}
this._addEvt('mousemove');
this._addEvt('mouseup');
// make the thumb glow momentarily
this.thumb.classList.add('hover');
var self = this;
this.thumb.addEventListener('transitionend', function waitForIt() {
this.removeEventListener('transitionend', waitForIt);
self._bound.onmouseup(evt);
});
evt.stopPropagation();
evt.preventDefault();
},
evt.stopPropagation();
},
onmousemove: function (evt) {
var scaled = Math.min(this._thumbMax, Math.max(0, evt[this.oh.axis] - this.pinOffset));
var idx = scaled / this._thumbMax * (this._max - this._min) + this._min;
onmouseover: function () {
this.thumb.classList.add('hover');
this.thumb.onmouseout = this._bound.onmouseout;
this._addEvt('mousedown');
},
this._setScroll(idx, scaled);
onmouseout: function () {
this._removeEvt('mousedown');
this.thumb.onmouseover = this._bound.onmouseover;
this.thumb.classList.remove('hover');
},
evt.stopPropagation();
evt.preventDefault();
},
onmousedown: function (evt) {
this._removeEvt('mousedown');
this.thumb.onmouseover = this.thumb.onmouseout = null;
onmouseup: function (evt) {
this._removeEvt('mousemove');
this._removeEvt('mouseup');
var thumbBox = this.thumb.getBoundingClientRect();
this.pinOffset = evt[this.oh.axis] - thumbBox[this.oh.leading] + this.bar.getBoundingClientRect()[this.oh.leading] + this._thumbMarginLeading;
document.documentElement.style.cursor = 'default';
document.documentElement.style.cursor = 'auto';
this._addEvt('mousemove');
this._addEvt('mouseup');
var thumbBox = this.thumb.getBoundingClientRect();
if (
thumbBox.left <= evt.clientX && evt.clientX <= thumbBox.right &&
thumbBox.top <= evt.clientY && evt.clientY <= thumbBox.bottom
) {
this._bound.onmouseover(evt);
} else {
this._bound.onmouseout(evt);
}
evt.stopPropagation();
evt.preventDefault();
},
evt.stopPropagation();
evt.preventDefault();
}
};
onmousemove: function (evt) {
var scaled = Math.min(this._thumbMax, Math.max(0, evt[this.oh.axis] - this.pinOffset));
var idx = scaled / this._thumbMax * (this._max - this._min) + this._min;
var orientationHashes = {
vertical: {
coordinate: 'clientY',
axis: 'pageY',
size: 'height',
outside: 'right',
inside: 'left',
leading: 'top',
trailing: 'bottom',
marginLeading: 'marginTop',
marginTrailing: 'marginBottom',
thickness: 'width',
delta: 'deltaY'
},
horizontal: {
coordinate: 'clientX',
axis: 'pageX',
size: 'width',
outside: 'bottom',
inside: 'top',
leading: 'left',
trailing: 'right',
marginLeading: 'marginLeft',
marginTrailing: 'marginRight',
thickness: 'height',
delta: 'deltaX'
}
};
this._setScroll(idx, scaled);
var axis = {
top: 'vertical',
bottom: 'vertical',
height: 'vertical',
left: 'horizontal',
right: 'horizontal',
width: 'horizontal'
};
evt.stopPropagation();
evt.preventDefault();
},
/**
* @summary Insert base stylesheet into DOM
* @private
* @param {Element} [referenceElement]
* if `undefined` (or omitted) or `null`, injects stylesheet at top or bottom of <head>, respectively, but only once;
* otherwise, injects stylesheet immediately before given element
*/
function cssInjector(referenceElement) {
var container, style, ID = 'finbars-base-styles';
onmouseup: function (evt) {
this._removeEvt('mousemove');
this._removeEvt('mouseup');
document.documentElement.style.cursor = 'auto';
var thumbBox = this.thumb.getBoundingClientRect();
if (
!cssInjector.text || // no stylesheet data
document.getElementById(ID) // stylesheet already in DOM
thumbBox.left <= evt.clientX && evt.clientX <= thumbBox.right &&
thumbBox.top <= evt.clientY && evt.clientY <= thumbBox.bottom
) {
return;
}
if (typeof referenceElement === 'string') {
referenceElement = document.querySelector(referenceElement);
if (referenceElement) {
referenceElement = referenceElement[0];
} else {
error('Cannot find reference element for CSS injection.');
}
}
if (!(referenceElement instanceof Element)) {
referenceElement = undefined;
}
style = document.createElement('style');
style.type = 'text/css';
style.id = ID;
if (style.styleSheet) {
style.styleSheet.cssText = cssInjector.text;
this._bound.onmouseover(evt);
} else {
style.appendChild(document.createTextNode(cssInjector.text));
this._bound.onmouseout(evt);
}
container = referenceElement && referenceElement.parentNode || document.head || document.getElementsByTagName('head')[0];
if (referenceElement === undefined) {
referenceElement = container.firstChild;
}
container.insertBefore(style, referenceElement);
evt.stopPropagation();
evt.preventDefault();
}
/* inject:css */
cssInjector.text = 'div.finbar-horizontal,div.finbar-vertical{position:absolute;margin:3px}div.finbar-horizontal>.thumb,div.finbar-vertical>.thumb{position:absolute;background-color:#d3d3d3;-webkit-box-shadow:0 0 1px #000;-moz-box-shadow:0 0 1px #000;box-shadow:0 0 1px #000;border-radius:4px;margin:2px;opacity:.4;transition:opacity .5s}div.finbar-horizontal>.thumb.hover,div.finbar-vertical>.thumb.hover{opacity:1;transition:opacity .5s}div.finbar-vertical{top:0;bottom:0;right:0;width:11px}div.finbar-vertical>.thumb{top:0;right:0;width:7px}div.finbar-horizontal{left:0;right:0;bottom:0;height:11px}div.finbar-horizontal>.thumb{left:0;bottom:0;height:7px}';
/* endinject */
};
function error(msg) {
throw 'finbars: ' + msg;
var orientationHashes = {
vertical: {
coordinate: 'clientY',
axis: 'pageY',
size: 'height',
outside: 'right',
inside: 'left',
leading: 'top',
trailing: 'bottom',
marginLeading: 'marginTop',
marginTrailing: 'marginBottom',
thickness: 'width',
delta: 'deltaY'
},
horizontal: {
coordinate: 'clientX',
axis: 'pageX',
size: 'width',
outside: 'bottom',
inside: 'top',
leading: 'left',
trailing: 'right',
marginLeading: 'marginLeft',
marginTrailing: 'marginRight',
thickness: 'height',
delta: 'deltaX'
}
};
// Interface
module.exports = FinBar;
})(
typeof module === 'object' && module || (window.FinBar = {}),
typeof module === 'object' && module.exports || (window.FinBar.exports = {})
) || (
typeof module === 'object' || (window.FinBar = window.FinBar.exports)
);
var axis = {
top: 'vertical',
bottom: 'vertical',
height: 'vertical',
left: 'horizontal',
right: 'horizontal',
width: 'horizontal'
};
/* About the above IIFE:
* This file is a "modified node module." It functions as usual in Node.js *and* is also usable directly in the browser.
* 1. Node.js: The IIFE is superfluous but innocuous.
* 2. In the browser: The IIFE closure serves to keep internal declarations private.
* 2.a. In the browser as a global: The logic in the actual parameter expressions + the post-invocation expression
* will put your API in `window.FinBar`.
* 2.b. In the browser as a module: If you predefine a `window.module` object, the results will be in `module.exports`.
* The bower component `mnm` makes this easy and also provides a global `require()` function for referencing your module
* from other closures. In either case, this works with both NodeJs-style export mechanisms -- a single API assignment,
* `module.exports = yourAPI` *or* a series of individual property assignments, `module.exports.property = property`.
*
* Before the IIFE runs, the actual parameter expressions are executed:
* 1. If `module` object defined, we're in NodeJs so assume there is a `module` object with an `exports` object
* 2. If `module` object undefined, we're in browser so define a `window.FinBar` object with an `exports` object
*
* After the IIFE returns:
* Because it always returns undefined, the expression after the || will always execute:
* 1. If `module` object defined, then we're in NodeJs so we're done
* 2. If `module` object undefined, then we're in browser so redefine`window.FinBar` as its `exports` object
*/
var cssFinBars; // definition inserted by gulpfile between following comments
/* inject:css */
cssFinBars = 'div.finbar-horizontal,div.finbar-vertical{position:absolute;margin:3px}div.finbar-horizontal>.thumb,div.finbar-vertical>.thumb{position:absolute;background-color:#d3d3d3;-webkit-box-shadow:0 0 1px #000;-moz-box-shadow:0 0 1px #000;box-shadow:0 0 1px #000;border-radius:4px;margin:2px;opacity:.4;transition:opacity .5s}div.finbar-horizontal>.thumb.hover,div.finbar-vertical>.thumb.hover{opacity:1;transition:opacity .5s}div.finbar-vertical{top:0;bottom:0;right:0;width:11px}div.finbar-vertical>.thumb{top:0;right:0;width:7px}div.finbar-horizontal{left:0;right:0;bottom:0;height:11px}div.finbar-horizontal>.thumb{left:0;bottom:0;height:7px}';
/* endinject */
function error(msg) {
throw 'finbars: ' + msg;
}
// Interface
module.exports = FinBar;
{
"name": "finbars",
"version": "1.2.0",
"version": "1.4.0",
"main": "index.js",

@@ -8,6 +8,9 @@ "description": "Styleable scrollbars for real or virtual content",

"type": "git",
"url": "git://github.com/openfin/finbars.git"
"url": "https://github.com/openfin/finbars"
},
"author": "JEiten",
"license": "MIT",
"dependencies": {
"css-injector": "^1.0.2"
},
"devDependencies": {

@@ -17,2 +20,3 @@ "browser-sync": "^2.9.6",

"gulp": "^3.9.0",
"gulp-browserify": "^0.5.1",
"gulp-eslint": "^1.0.0",

@@ -24,2 +28,3 @@ "gulp-exclude-gitignore": "^1.0.0",

"gulp-rename": "^1.2.2",
"gulp-util": "^3.0.7",
"js-string-escape": "^1.0.0",

@@ -26,0 +31,0 @@ "jsdoc": "^3.3.2",

@@ -99,33 +99,1 @@ # FinBars

* IE 10 (IE 11, emulation mode = 10)
## What kind of module is this?
This is a modified Node module; its contents are inside a closure. Although this is an extra and unnecessary closure from Node's point of view, setting up the file this way also allows it to be included directly from the client HTML with a `<script>` tag, as follows:
```html
<script src="js/finbars.js"></script>
```
This will create a single top-level object `FinBar`, the constructor.
Alternatively, [mnm.js (bower component)](https://github.com/joneit/mnm) allows your modules to reference each other with a provided `require()` function. This is a lightweight alternative to using browserify (although there is not file concatenation involved). The setup might look something like this:
```html
<script src="bower_components/mnm/src/js/mnm.js"></script>
<script src="src/finbars.js"></script>
<script> module.cache('finbars'); </script>
```
and used as follows:
```javascript
window.onload = function () {
var FinBar = require('finbars');
var scrollbar = new FinBar({ ... });
// etc.
}):
</script>
```
Alternatively, you can use [mnm.js (bower component)](https://github.com/joneit/mnm) which does something similar but allows your modules to reference each other with a provided `require()` function. This is a lightweight alternative to using browserify (although there is not file concatenation involved).
SocketSocket SOC 2 Logo

Product

  • Package Alerts
  • Integrations
  • Docs
  • Pricing
  • FAQ
  • Roadmap
  • Changelog

Packages

npm

Stay in touch

Get open source security insights delivered straight into your inbox.


  • Terms
  • Privacy
  • Security

Made with ⚡️ by Socket Inc