split out IFrameTarp
[dygraphs.git] / src / dygraph-utils.js
1 /**
2 * @license
3 * Copyright 2011 Dan Vanderkam (danvdk@gmail.com)
4 * MIT-licensed (http://opensource.org/licenses/MIT)
5 */
6
7 /**
8 * @fileoverview This file contains utility functions used by dygraphs. These
9 * are typically static (i.e. not related to any particular dygraph). Examples
10 * include date/time formatting functions, basic algorithms (e.g. binary
11 * search) and generic DOM-manipulation functions.
12 */
13
14 /*global Dygraph:false, Node:false */
15 "use strict";
16
17 import * as DygraphTickers from './dygraph-tickers';
18
19 export var LOG_SCALE = 10;
20 export var LN_TEN = Math.log(LOG_SCALE);
21
22 /**
23 * @private
24 * @param {number} x
25 * @return {number}
26 */
27 export var log10 = function(x) {
28 return Math.log(x) / LN_TEN;
29 };
30
31 /** A dotted line stroke pattern. */
32 export var DOTTED_LINE = [2, 2];
33 /** A dashed line stroke pattern. */
34 export var DASHED_LINE = [7, 3];
35 /** A dot dash stroke pattern. */
36 export var DOT_DASH_LINE = [7, 2, 2, 2];
37
38 // Directions for panning and zooming. Use bit operations when combined
39 // values are possible.
40 export var HORIZONTAL = 1;
41 export var VERTICAL = 2;
42
43 /**
44 * Return the 2d context for a dygraph canvas.
45 *
46 * This method is only exposed for the sake of replacing the function in
47 * automated tests.
48 *
49 * @param {!HTMLCanvasElement} canvas
50 * @return {!CanvasRenderingContext2D}
51 * @private
52 */
53 export var getContext = function(canvas) {
54 return /** @type{!CanvasRenderingContext2D}*/(canvas.getContext("2d"));
55 };
56
57 /**
58 * Add an event handler.
59 * @param {!Node} elem The element to add the event to.
60 * @param {string} type The type of the event, e.g. 'click' or 'mousemove'.
61 * @param {function(Event):(boolean|undefined)} fn The function to call
62 * on the event. The function takes one parameter: the event object.
63 * @private
64 */
65 export var addEvent = function addEvent(elem, type, fn) {
66 elem.addEventListener(type, fn, false);
67 };
68
69 /**
70 * Remove an event handler.
71 * @param {!Node} elem The element to remove the event from.
72 * @param {string} type The type of the event, e.g. 'click' or 'mousemove'.
73 * @param {function(Event):(boolean|undefined)} fn The function to call
74 * on the event. The function takes one parameter: the event object.
75 */
76 export function removeEvent(elem, type, fn) {
77 elem.removeEventListener(type, fn, false);
78 };
79
80 /**
81 * Cancels further processing of an event. This is useful to prevent default
82 * browser actions, e.g. highlighting text on a double-click.
83 * Based on the article at
84 * http://www.switchonthecode.com/tutorials/javascript-tutorial-the-scroll-wheel
85 * @param {!Event} e The event whose normal behavior should be canceled.
86 * @private
87 */
88 export function cancelEvent(e) {
89 e = e ? e : window.event;
90 if (e.stopPropagation) {
91 e.stopPropagation();
92 }
93 if (e.preventDefault) {
94 e.preventDefault();
95 }
96 e.cancelBubble = true;
97 e.cancel = true;
98 e.returnValue = false;
99 return false;
100 };
101
102 /**
103 * Convert hsv values to an rgb(r,g,b) string. Taken from MochiKit.Color. This
104 * is used to generate default series colors which are evenly spaced on the
105 * color wheel.
106 * @param { number } hue Range is 0.0-1.0.
107 * @param { number } saturation Range is 0.0-1.0.
108 * @param { number } value Range is 0.0-1.0.
109 * @return { string } "rgb(r,g,b)" where r, g and b range from 0-255.
110 * @private
111 */
112 export function hsvToRGB(hue, saturation, value) {
113 var red;
114 var green;
115 var blue;
116 if (saturation === 0) {
117 red = value;
118 green = value;
119 blue = value;
120 } else {
121 var i = Math.floor(hue * 6);
122 var f = (hue * 6) - i;
123 var p = value * (1 - saturation);
124 var q = value * (1 - (saturation * f));
125 var t = value * (1 - (saturation * (1 - f)));
126 switch (i) {
127 case 1: red = q; green = value; blue = p; break;
128 case 2: red = p; green = value; blue = t; break;
129 case 3: red = p; green = q; blue = value; break;
130 case 4: red = t; green = p; blue = value; break;
131 case 5: red = value; green = p; blue = q; break;
132 case 6: // fall through
133 case 0: red = value; green = t; blue = p; break;
134 }
135 }
136 red = Math.floor(255 * red + 0.5);
137 green = Math.floor(255 * green + 0.5);
138 blue = Math.floor(255 * blue + 0.5);
139 return 'rgb(' + red + ',' + green + ',' + blue + ')';
140 };
141
142 /**
143 * Find the coordinates of an object relative to the top left of the page.
144 *
145 * @param {Node} obj
146 * @return {{x:number,y:number}}
147 * @private
148 */
149 export function findPos(obj) {
150 var p = obj.getBoundingClientRect(),
151 w = window,
152 d = document.documentElement;
153
154 return {
155 x: p.left + (w.pageXOffset || d.scrollLeft),
156 y: p.top + (w.pageYOffset || d.scrollTop)
157 }
158 };
159
160 /**
161 * Returns the x-coordinate of the event in a coordinate system where the
162 * top-left corner of the page (not the window) is (0,0).
163 * Taken from MochiKit.Signal
164 * @param {!Event} e
165 * @return {number}
166 * @private
167 */
168 export function pageX(e) {
169 return (!e.pageX || e.pageX < 0) ? 0 : e.pageX;
170 };
171
172 /**
173 * Returns the y-coordinate of the event in a coordinate system where the
174 * top-left corner of the page (not the window) is (0,0).
175 * Taken from MochiKit.Signal
176 * @param {!Event} e
177 * @return {number}
178 * @private
179 */
180 export function pageY(e) {
181 return (!e.pageY || e.pageY < 0) ? 0 : e.pageY;
182 };
183
184 /**
185 * Converts page the x-coordinate of the event to pixel x-coordinates on the
186 * canvas (i.e. DOM Coords).
187 * @param {!Event} e Drag event.
188 * @param {!DygraphInteractionContext} context Interaction context object.
189 * @return {number} The amount by which the drag has moved to the right.
190 */
191 export function dragGetX_(e, context) {
192 return pageX(e) - context.px;
193 };
194
195 /**
196 * Converts page the y-coordinate of the event to pixel y-coordinates on the
197 * canvas (i.e. DOM Coords).
198 * @param {!Event} e Drag event.
199 * @param {!DygraphInteractionContext} context Interaction context object.
200 * @return {number} The amount by which the drag has moved down.
201 */
202 export function dragGetY_(e, context) {
203 return pageY(e) - context.py;
204 };
205
206 /**
207 * This returns true unless the parameter is 0, null, undefined or NaN.
208 * TODO(danvk): rename this function to something like 'isNonZeroNan'.
209 *
210 * @param {number} x The number to consider.
211 * @return {boolean} Whether the number is zero or NaN.
212 * @private
213 */
214 export function isOK(x) {
215 return !!x && !isNaN(x);
216 };
217
218 /**
219 * @param {{x:?number,y:?number,yval:?number}} p The point to consider, valid
220 * points are {x, y} objects
221 * @param {boolean=} opt_allowNaNY Treat point with y=NaN as valid
222 * @return {boolean} Whether the point has numeric x and y.
223 * @private
224 */
225 export function isValidPoint(p, opt_allowNaNY) {
226 if (!p) return false; // null or undefined object
227 if (p.yval === null) return false; // missing point
228 if (p.x === null || p.x === undefined) return false;
229 if (p.y === null || p.y === undefined) return false;
230 if (isNaN(p.x) || (!opt_allowNaNY && isNaN(p.y))) return false;
231 return true;
232 };
233
234 /**
235 * Number formatting function which mimicks the behavior of %g in printf, i.e.
236 * either exponential or fixed format (without trailing 0s) is used depending on
237 * the length of the generated string. The advantage of this format is that
238 * there is a predictable upper bound on the resulting string length,
239 * significant figures are not dropped, and normal numbers are not displayed in
240 * exponential notation.
241 *
242 * NOTE: JavaScript's native toPrecision() is NOT a drop-in replacement for %g.
243 * It creates strings which are too long for absolute values between 10^-4 and
244 * 10^-6, e.g. '0.00001' instead of '1e-5'. See tests/number-format.html for
245 * output examples.
246 *
247 * @param {number} x The number to format
248 * @param {number=} opt_precision The precision to use, default 2.
249 * @return {string} A string formatted like %g in printf. The max generated
250 * string length should be precision + 6 (e.g 1.123e+300).
251 */
252 export function floatFormat(x, opt_precision) {
253 // Avoid invalid precision values; [1, 21] is the valid range.
254 var p = Math.min(Math.max(1, opt_precision || 2), 21);
255
256 // This is deceptively simple. The actual algorithm comes from:
257 //
258 // Max allowed length = p + 4
259 // where 4 comes from 'e+n' and '.'.
260 //
261 // Length of fixed format = 2 + y + p
262 // where 2 comes from '0.' and y = # of leading zeroes.
263 //
264 // Equating the two and solving for y yields y = 2, or 0.00xxxx which is
265 // 1.0e-3.
266 //
267 // Since the behavior of toPrecision() is identical for larger numbers, we
268 // don't have to worry about the other bound.
269 //
270 // Finally, the argument for toExponential() is the number of trailing digits,
271 // so we take off 1 for the value before the '.'.
272 return (Math.abs(x) < 1.0e-3 && x !== 0.0) ?
273 x.toExponential(p - 1) : x.toPrecision(p);
274 };
275
276 /**
277 * Converts '9' to '09' (useful for dates)
278 * @param {number} x
279 * @return {string}
280 * @private
281 */
282 export function zeropad(x) {
283 if (x < 10) return "0" + x; else return "" + x;
284 };
285
286 /**
287 * Date accessors to get the parts of a calendar date (year, month,
288 * day, hour, minute, second and millisecond) according to local time,
289 * and factory method to call the Date constructor with an array of arguments.
290 */
291 export var DateAccessorsLocal = {
292 getFullYear: d => d.getFullYear(),
293 getMonth: d => d.getMonth(),
294 getDate: d => d.getDate(),
295 getHours: d => d.getHours(),
296 getMinutes: d => d.getMinutes(),
297 getSeconds: d => d.getSeconds(),
298 getMilliseconds: d => d.getMilliseconds(),
299 getDay: d => d.getDay(),
300 makeDate: function(y, m, d, hh, mm, ss, ms) {
301 return new Date(y, m, d, hh, mm, ss, ms);
302 }
303 };
304
305 /**
306 * Date accessors to get the parts of a calendar date (year, month,
307 * day of month, hour, minute, second and millisecond) according to UTC time,
308 * and factory method to call the Date constructor with an array of arguments.
309 */
310 export var DateAccessorsUTC = {
311 getFullYear: d => d.getUTCFullYear(),
312 getMonth: d => d.getUTCMonth(),
313 getDate: d => d.getUTCDate(),
314 getHours: d => d.getUTCHours(),
315 getMinutes: d => d.getUTCMinutes(),
316 getSeconds: d => d.getUTCSeconds(),
317 getMilliseconds: d => d.getUTCMilliseconds(),
318 getDay: d => d.getUTCDay(),
319 makeDate: function(y, m, d, hh, mm, ss, ms) {
320 return new Date(Date.UTC(y, m, d, hh, mm, ss, ms));
321 }
322 };
323
324 /**
325 * Return a string version of the hours, minutes and seconds portion of a date.
326 * @param {number} hh The hours (from 0-23)
327 * @param {number} mm The minutes (from 0-59)
328 * @param {number} ss The seconds (from 0-59)
329 * @return {string} A time of the form "HH:MM" or "HH:MM:SS"
330 * @private
331 */
332 export function hmsString_(hh, mm, ss) {
333 var ret = zeropad(hh) + ":" + zeropad(mm);
334 if (ss) {
335 ret += ":" + zeropad(ss);
336 }
337 return ret;
338 };
339
340 /**
341 * Convert a JS date (millis since epoch) to a formatted string.
342 * @param {number} time The JavaScript time value (ms since epoch)
343 * @param {boolean} utc Wether output UTC or local time
344 * @return {string} A date of one of these forms:
345 * "YYYY/MM/DD", "YYYY/MM/DD HH:MM" or "YYYY/MM/DD HH:MM:SS"
346 * @private
347 */
348 export function dateString_(time, utc) {
349 var accessors = utc ? DateAccessorsUTC : DateAccessorsLocal;
350 var date = new Date(time);
351 var y = accessors.getFullYear(date);
352 var m = accessors.getMonth(date);
353 var d = accessors.getDate(date);
354 var hh = accessors.getHours(date);
355 var mm = accessors.getMinutes(date);
356 var ss = accessors.getSeconds(date);
357 // Get a year string:
358 var year = "" + y;
359 // Get a 0 padded month string
360 var month = zeropad(m + 1); //months are 0-offset, sigh
361 // Get a 0 padded day string
362 var day = zeropad(d);
363 var frac = hh * 3600 + mm * 60 + ss;
364 var ret = year + "/" + month + "/" + day;
365 if (frac) {
366 ret += " " + hmsString_(hh, mm, ss);
367 }
368 return ret;
369 };
370
371 /**
372 * Round a number to the specified number of digits past the decimal point.
373 * @param {number} num The number to round
374 * @param {number} places The number of decimals to which to round
375 * @return {number} The rounded number
376 * @private
377 */
378 export function round_(num, places) {
379 var shift = Math.pow(10, places);
380 return Math.round(num * shift)/shift;
381 };
382
383 /**
384 * Implementation of binary search over an array.
385 * Currently does not work when val is outside the range of arry's values.
386 * @param {number} val the value to search for
387 * @param {Array.<number>} arry is the value over which to search
388 * @param {number} abs If abs > 0, find the lowest entry greater than val
389 * If abs < 0, find the highest entry less than val.
390 * If abs == 0, find the entry that equals val.
391 * @param {number=} low The first index in arry to consider (optional)
392 * @param {number=} high The last index in arry to consider (optional)
393 * @return {number} Index of the element, or -1 if it isn't found.
394 * @private
395 */
396 export function binarySearch(val, arry, abs, low, high) {
397 if (low === null || low === undefined ||
398 high === null || high === undefined) {
399 low = 0;
400 high = arry.length - 1;
401 }
402 if (low > high) {
403 return -1;
404 }
405 if (abs === null || abs === undefined) {
406 abs = 0;
407 }
408 var validIndex = function(idx) {
409 return idx >= 0 && idx < arry.length;
410 };
411 var mid = parseInt((low + high) / 2, 10);
412 var element = arry[mid];
413 var idx;
414 if (element == val) {
415 return mid;
416 } else if (element > val) {
417 if (abs > 0) {
418 // Accept if element > val, but also if prior element < val.
419 idx = mid - 1;
420 if (validIndex(idx) && arry[idx] < val) {
421 return mid;
422 }
423 }
424 return binarySearch(val, arry, abs, low, mid - 1);
425 } else if (element < val) {
426 if (abs < 0) {
427 // Accept if element < val, but also if prior element > val.
428 idx = mid + 1;
429 if (validIndex(idx) && arry[idx] > val) {
430 return mid;
431 }
432 }
433 return binarySearch(val, arry, abs, mid + 1, high);
434 }
435 return -1; // can't actually happen, but makes closure compiler happy
436 };
437
438 /**
439 * Parses a date, returning the number of milliseconds since epoch. This can be
440 * passed in as an xValueParser in the Dygraph constructor.
441 * TODO(danvk): enumerate formats that this understands.
442 *
443 * @param {string} dateStr A date in a variety of possible string formats.
444 * @return {number} Milliseconds since epoch.
445 * @private
446 */
447 export function dateParser(dateStr) {
448 var dateStrSlashed;
449 var d;
450
451 // Let the system try the format first, with one caveat:
452 // YYYY-MM-DD[ HH:MM:SS] is interpreted as UTC by a variety of browsers.
453 // dygraphs displays dates in local time, so this will result in surprising
454 // inconsistencies. But if you specify "T" or "Z" (i.e. YYYY-MM-DDTHH:MM:SS),
455 // then you probably know what you're doing, so we'll let you go ahead.
456 // Issue: http://code.google.com/p/dygraphs/issues/detail?id=255
457 if (dateStr.search("-") == -1 ||
458 dateStr.search("T") != -1 || dateStr.search("Z") != -1) {
459 d = dateStrToMillis(dateStr);
460 if (d && !isNaN(d)) return d;
461 }
462
463 if (dateStr.search("-") != -1) { // e.g. '2009-7-12' or '2009-07-12'
464 dateStrSlashed = dateStr.replace("-", "/", "g");
465 while (dateStrSlashed.search("-") != -1) {
466 dateStrSlashed = dateStrSlashed.replace("-", "/");
467 }
468 d = dateStrToMillis(dateStrSlashed);
469 } else if (dateStr.length == 8) { // e.g. '20090712'
470 // TODO(danvk): remove support for this format. It's confusing.
471 dateStrSlashed = dateStr.substr(0,4) + "/" + dateStr.substr(4,2) + "/" +
472 dateStr.substr(6,2);
473 d = dateStrToMillis(dateStrSlashed);
474 } else {
475 // Any format that Date.parse will accept, e.g. "2009/07/12" or
476 // "2009/07/12 12:34:56"
477 d = dateStrToMillis(dateStr);
478 }
479
480 if (!d || isNaN(d)) {
481 console.error("Couldn't parse " + dateStr + " as a date");
482 }
483 return d;
484 };
485
486 /**
487 * This is identical to JavaScript's built-in Date.parse() method, except that
488 * it doesn't get replaced with an incompatible method by aggressive JS
489 * libraries like MooTools or Joomla.
490 * @param {string} str The date string, e.g. "2011/05/06"
491 * @return {number} millis since epoch
492 * @private
493 */
494 export function dateStrToMillis(str) {
495 return new Date(str).getTime();
496 };
497
498 // These functions are all based on MochiKit.
499 /**
500 * Copies all the properties from o to self.
501 *
502 * @param {!Object} self
503 * @param {!Object} o
504 * @return {!Object}
505 */
506 export function update(self, o) {
507 if (typeof(o) != 'undefined' && o !== null) {
508 for (var k in o) {
509 if (o.hasOwnProperty(k)) {
510 self[k] = o[k];
511 }
512 }
513 }
514 return self;
515 };
516
517 /**
518 * Copies all the properties from o to self.
519 *
520 * @param {!Object} self
521 * @param {!Object} o
522 * @return {!Object}
523 * @private
524 */
525 export function updateDeep(self, o) {
526 // Taken from http://stackoverflow.com/questions/384286/javascript-isdom-how-do-you-check-if-a-javascript-object-is-a-dom-object
527 function isNode(o) {
528 return (
529 typeof Node === "object" ? o instanceof Node :
530 typeof o === "object" && typeof o.nodeType === "number" && typeof o.nodeName==="string"
531 );
532 }
533
534 if (typeof(o) != 'undefined' && o !== null) {
535 for (var k in o) {
536 if (o.hasOwnProperty(k)) {
537 if (o[k] === null) {
538 self[k] = null;
539 } else if (isArrayLike(o[k])) {
540 self[k] = o[k].slice();
541 } else if (isNode(o[k])) {
542 // DOM objects are shallowly-copied.
543 self[k] = o[k];
544 } else if (typeof(o[k]) == 'object') {
545 if (typeof(self[k]) != 'object' || self[k] === null) {
546 self[k] = {};
547 }
548 updateDeep(self[k], o[k]);
549 } else {
550 self[k] = o[k];
551 }
552 }
553 }
554 }
555 return self;
556 };
557
558 /**
559 * @param {*} o
560 * @return {boolean}
561 * @private
562 */
563 export function isArrayLike(o) {
564 var typ = typeof(o);
565 if (
566 (typ != 'object' && !(typ == 'function' &&
567 typeof(o.item) == 'function')) ||
568 o === null ||
569 typeof(o.length) != 'number' ||
570 o.nodeType === 3
571 ) {
572 return false;
573 }
574 return true;
575 };
576
577 /**
578 * @param {Object} o
579 * @return {boolean}
580 * @private
581 */
582 export function isDateLike(o) {
583 if (typeof(o) != "object" || o === null ||
584 typeof(o.getTime) != 'function') {
585 return false;
586 }
587 return true;
588 };
589
590 /**
591 * Note: this only seems to work for arrays.
592 * @param {!Array} o
593 * @return {!Array}
594 * @private
595 */
596 export function clone(o) {
597 // TODO(danvk): figure out how MochiKit's version works
598 var r = [];
599 for (var i = 0; i < o.length; i++) {
600 if (isArrayLike(o[i])) {
601 r.push(clone(o[i]));
602 } else {
603 r.push(o[i]);
604 }
605 }
606 return r;
607 };
608
609 /**
610 * Create a new canvas element.
611 *
612 * @return {!HTMLCanvasElement}
613 * @private
614 */
615 export function createCanvas() {
616 return document.createElement('canvas');
617 };
618
619 /**
620 * Returns the context's pixel ratio, which is the ratio between the device
621 * pixel ratio and the backing store ratio. Typically this is 1 for conventional
622 * displays, and > 1 for HiDPI displays (such as the Retina MBP).
623 * See http://www.html5rocks.com/en/tutorials/canvas/hidpi/ for more details.
624 *
625 * @param {!CanvasRenderingContext2D} context The canvas's 2d context.
626 * @return {number} The ratio of the device pixel ratio and the backing store
627 * ratio for the specified context.
628 */
629 export function getContextPixelRatio(context) {
630 try {
631 var devicePixelRatio = window.devicePixelRatio;
632 var backingStoreRatio = context.webkitBackingStorePixelRatio ||
633 context.mozBackingStorePixelRatio ||
634 context.msBackingStorePixelRatio ||
635 context.oBackingStorePixelRatio ||
636 context.backingStorePixelRatio || 1;
637 if (devicePixelRatio !== undefined) {
638 return devicePixelRatio / backingStoreRatio;
639 } else {
640 // At least devicePixelRatio must be defined for this ratio to make sense.
641 // We default backingStoreRatio to 1: this does not exist on some browsers
642 // (i.e. desktop Chrome).
643 return 1;
644 }
645 } catch (e) {
646 return 1;
647 }
648 };
649
650 /**
651 * Checks whether the user is on an Android browser.
652 * Android does not fully support the <canvas> tag, e.g. w/r/t/ clipping.
653 * @return {boolean}
654 * @private
655 */
656 export function isAndroid() {
657 return (/Android/).test(navigator.userAgent);
658 };
659
660
661 /**
662 * TODO(danvk): use @template here when it's better supported for classes.
663 * @param {!Array} array
664 * @param {number} start
665 * @param {number} length
666 * @param {function(!Array,?):boolean=} predicate
667 * @constructor
668 */
669 export function Iterator(array, start, length, predicate) {
670 start = start || 0;
671 length = length || array.length;
672 this.hasNext = true; // Use to identify if there's another element.
673 this.peek = null; // Use for look-ahead
674 this.start_ = start;
675 this.array_ = array;
676 this.predicate_ = predicate;
677 this.end_ = Math.min(array.length, start + length);
678 this.nextIdx_ = start - 1; // use -1 so initial advance works.
679 this.next(); // ignoring result.
680 };
681
682 /**
683 * @return {Object}
684 */
685 Iterator.prototype.next = function() {
686 if (!this.hasNext) {
687 return null;
688 }
689 var obj = this.peek;
690
691 var nextIdx = this.nextIdx_ + 1;
692 var found = false;
693 while (nextIdx < this.end_) {
694 if (!this.predicate_ || this.predicate_(this.array_, nextIdx)) {
695 this.peek = this.array_[nextIdx];
696 found = true;
697 break;
698 }
699 nextIdx++;
700 }
701 this.nextIdx_ = nextIdx;
702 if (!found) {
703 this.hasNext = false;
704 this.peek = null;
705 }
706 return obj;
707 };
708
709 /**
710 * Returns a new iterator over array, between indexes start and
711 * start + length, and only returns entries that pass the accept function
712 *
713 * @param {!Array} array the array to iterate over.
714 * @param {number} start the first index to iterate over, 0 if absent.
715 * @param {number} length the number of elements in the array to iterate over.
716 * This, along with start, defines a slice of the array, and so length
717 * doesn't imply the number of elements in the iterator when accept doesn't
718 * always accept all values. array.length when absent.
719 * @param {function(?):boolean=} opt_predicate a function that takes
720 * parameters array and idx, which returns true when the element should be
721 * returned. If omitted, all elements are accepted.
722 * @private
723 */
724 export function createIterator(array, start, length, opt_predicate) {
725 return new Iterator(array, start, length, opt_predicate);
726 };
727
728 // Shim layer with setTimeout fallback.
729 // From: http://paulirish.com/2011/requestanimationframe-for-smart-animating/
730 // Should be called with the window context:
731 // Dygraph.requestAnimFrame.call(window, function() {})
732 export var requestAnimFrame = (function() {
733 return window.requestAnimationFrame ||
734 window.webkitRequestAnimationFrame ||
735 window.mozRequestAnimationFrame ||
736 window.oRequestAnimationFrame ||
737 window.msRequestAnimationFrame ||
738 function (callback) {
739 window.setTimeout(callback, 1000 / 60);
740 };
741 })();
742
743 /**
744 * Call a function at most maxFrames times at an attempted interval of
745 * framePeriodInMillis, then call a cleanup function once. repeatFn is called
746 * once immediately, then at most (maxFrames - 1) times asynchronously. If
747 * maxFrames==1, then cleanup_fn() is also called synchronously. This function
748 * is used to sequence animation.
749 * @param {function(number)} repeatFn Called repeatedly -- takes the frame
750 * number (from 0 to maxFrames-1) as an argument.
751 * @param {number} maxFrames The max number of times to call repeatFn
752 * @param {number} framePeriodInMillis Max requested time between frames.
753 * @param {function()} cleanupFn A function to call after all repeatFn calls.
754 * @private
755 */
756 export function repeatAndCleanup(repeatFn, maxFrames, framePeriodInMillis,
757 cleanupFn) {
758 var frameNumber = 0;
759 var previousFrameNumber;
760 var startTime = new Date().getTime();
761 repeatFn(frameNumber);
762 if (maxFrames == 1) {
763 cleanupFn();
764 return;
765 }
766 var maxFrameArg = maxFrames - 1;
767
768 (function loop() {
769 if (frameNumber >= maxFrames) return;
770 requestAnimFrame.call(window, function() {
771 // Determine which frame to draw based on the delay so far. Will skip
772 // frames if necessary.
773 var currentTime = new Date().getTime();
774 var delayInMillis = currentTime - startTime;
775 previousFrameNumber = frameNumber;
776 frameNumber = Math.floor(delayInMillis / framePeriodInMillis);
777 var frameDelta = frameNumber - previousFrameNumber;
778 // If we predict that the subsequent repeatFn call will overshoot our
779 // total frame target, so our last call will cause a stutter, then jump to
780 // the last call immediately. If we're going to cause a stutter, better
781 // to do it faster than slower.
782 var predictOvershootStutter = (frameNumber + frameDelta) > maxFrameArg;
783 if (predictOvershootStutter || (frameNumber >= maxFrameArg)) {
784 repeatFn(maxFrameArg); // Ensure final call with maxFrameArg.
785 cleanupFn();
786 } else {
787 if (frameDelta !== 0) { // Don't call repeatFn with duplicate frames.
788 repeatFn(frameNumber);
789 }
790 loop();
791 }
792 });
793 })();
794 };
795
796 // A whitelist of options that do not change pixel positions.
797 var pixelSafeOptions = {
798 'annotationClickHandler': true,
799 'annotationDblClickHandler': true,
800 'annotationMouseOutHandler': true,
801 'annotationMouseOverHandler': true,
802 'axisLabelColor': true,
803 'axisLineColor': true,
804 'axisLineWidth': true,
805 'clickCallback': true,
806 'drawCallback': true,
807 'drawHighlightPointCallback': true,
808 'drawPoints': true,
809 'drawPointCallback': true,
810 'drawGrid': true,
811 'fillAlpha': true,
812 'gridLineColor': true,
813 'gridLineWidth': true,
814 'hideOverlayOnMouseOut': true,
815 'highlightCallback': true,
816 'highlightCircleSize': true,
817 'interactionModel': true,
818 'isZoomedIgnoreProgrammaticZoom': true,
819 'labelsDiv': true,
820 'labelsDivStyles': true,
821 'labelsDivWidth': true,
822 'labelsKMB': true,
823 'labelsKMG2': true,
824 'labelsSeparateLines': true,
825 'labelsShowZeroValues': true,
826 'legend': true,
827 'panEdgeFraction': true,
828 'pixelsPerYLabel': true,
829 'pointClickCallback': true,
830 'pointSize': true,
831 'rangeSelectorPlotFillColor': true,
832 'rangeSelectorPlotFillGradientColor': true,
833 'rangeSelectorPlotStrokeColor': true,
834 'rangeSelectorBackgroundStrokeColor': true,
835 'rangeSelectorBackgroundLineWidth': true,
836 'rangeSelectorPlotLineWidth': true,
837 'rangeSelectorForegroundStrokeColor': true,
838 'rangeSelectorForegroundLineWidth': true,
839 'rangeSelectorAlpha': true,
840 'showLabelsOnHighlight': true,
841 'showRoller': true,
842 'strokeWidth': true,
843 'underlayCallback': true,
844 'unhighlightCallback': true,
845 'zoomCallback': true
846 };
847
848 /**
849 * This function will scan the option list and determine if they
850 * require us to recalculate the pixel positions of each point.
851 * TODO: move this into dygraph-options.js
852 * @param {!Array.<string>} labels a list of options to check.
853 * @param {!Object} attrs
854 * @return {boolean} true if the graph needs new points else false.
855 * @private
856 */
857 export function isPixelChangingOptionList(labels, attrs) {
858 // Assume that we do not require new points.
859 // This will change to true if we actually do need new points.
860
861 // Create a dictionary of series names for faster lookup.
862 // If there are no labels, then the dictionary stays empty.
863 var seriesNamesDictionary = { };
864 if (labels) {
865 for (var i = 1; i < labels.length; i++) {
866 seriesNamesDictionary[labels[i]] = true;
867 }
868 }
869
870 // Scan through a flat (i.e. non-nested) object of options.
871 // Returns true/false depending on whether new points are needed.
872 var scanFlatOptions = function(options) {
873 for (var property in options) {
874 if (options.hasOwnProperty(property) &&
875 !pixelSafeOptions[property]) {
876 return true;
877 }
878 }
879 return false;
880 };
881
882 // Iterate through the list of updated options.
883 for (var property in attrs) {
884 if (!attrs.hasOwnProperty(property)) continue;
885
886 // Find out of this field is actually a series specific options list.
887 if (property == 'highlightSeriesOpts' ||
888 (seriesNamesDictionary[property] && !attrs.series)) {
889 // This property value is a list of options for this series.
890 if (scanFlatOptions(attrs[property])) return true;
891 } else if (property == 'series' || property == 'axes') {
892 // This is twice-nested options list.
893 var perSeries = attrs[property];
894 for (var series in perSeries) {
895 if (perSeries.hasOwnProperty(series) &&
896 scanFlatOptions(perSeries[series])) {
897 return true;
898 }
899 }
900 } else {
901 // If this was not a series specific option list, check if it's a pixel
902 // changing property.
903 if (!pixelSafeOptions[property]) return true;
904 }
905 }
906
907 return false;
908 };
909
910 export var Circles = {
911 DEFAULT : function(g, name, ctx, canvasx, canvasy, color, radius) {
912 ctx.beginPath();
913 ctx.fillStyle = color;
914 ctx.arc(canvasx, canvasy, radius, 0, 2 * Math.PI, false);
915 ctx.fill();
916 }
917 // For more shapes, include extras/shapes.js
918 };
919
920 /**
921 * Determine whether |data| is delimited by CR, CRLF, LF, LFCR.
922 * @param {string} data
923 * @return {?string} the delimiter that was detected (or null on failure).
924 */
925 export function detectLineDelimiter(data) {
926 for (var i = 0; i < data.length; i++) {
927 var code = data.charAt(i);
928 if (code === '\r') {
929 // Might actually be "\r\n".
930 if (((i + 1) < data.length) && (data.charAt(i + 1) === '\n')) {
931 return '\r\n';
932 }
933 return code;
934 }
935 if (code === '\n') {
936 // Might actually be "\n\r".
937 if (((i + 1) < data.length) && (data.charAt(i + 1) === '\r')) {
938 return '\n\r';
939 }
940 return code;
941 }
942 }
943
944 return null;
945 };
946
947 /**
948 * Is one node contained by another?
949 * @param {Node} containee The contained node.
950 * @param {Node} container The container node.
951 * @return {boolean} Whether containee is inside (or equal to) container.
952 * @private
953 */
954 export function isNodeContainedBy(containee, container) {
955 if (container === null || containee === null) {
956 return false;
957 }
958 var containeeNode = /** @type {Node} */ (containee);
959 while (containeeNode && containeeNode !== container) {
960 containeeNode = containeeNode.parentNode;
961 }
962 return (containeeNode === container);
963 };
964
965 // This masks some numeric issues in older versions of Firefox,
966 // where 1.0/Math.pow(10,2) != Math.pow(10,-2).
967 /** @type {function(number,number):number} */
968 export function pow(base, exp) {
969 if (exp < 0) {
970 return 1.0 / Math.pow(base, -exp);
971 }
972 return Math.pow(base, exp);
973 };
974
975 var RGBA_RE = /^rgba?\((\d{1,3}),\s*(\d{1,3}),\s*(\d{1,3})(?:,\s*([01](?:\.\d+)?))?\)$/;
976
977 /**
978 * Helper for toRGB_ which parses strings of the form:
979 * rgb(123, 45, 67)
980 * rgba(123, 45, 67, 0.5)
981 * @return parsed {r,g,b,a?} tuple or null.
982 */
983 function parseRGBA(rgbStr) {
984 var bits = RGBA_RE.exec(rgbStr);
985 if (!bits) return null;
986 var r = parseInt(bits[1], 10),
987 g = parseInt(bits[2], 10),
988 b = parseInt(bits[3], 10);
989 if (bits[4]) {
990 return {r: r, g: g, b: b, a: parseFloat(bits[4])};
991 } else {
992 return {r: r, g: g, b: b};
993 }
994 }
995
996 /**
997 * Converts any valid CSS color (hex, rgb(), named color) to an RGB tuple.
998 *
999 * @param {!string} colorStr Any valid CSS color string.
1000 * @return {{r:number,g:number,b:number,a:number?}} Parsed RGB tuple.
1001 * @private
1002 */
1003 export function toRGB_(colorStr) {
1004 // Strategy: First try to parse colorStr directly. This is fast & avoids DOM
1005 // manipulation. If that fails (e.g. for named colors like 'red'), then
1006 // create a hidden DOM element and parse its computed color.
1007 var rgb = parseRGBA(colorStr);
1008 if (rgb) return rgb;
1009
1010 var div = document.createElement('div');
1011 div.style.backgroundColor = colorStr;
1012 div.style.visibility = 'hidden';
1013 document.body.appendChild(div);
1014 var rgbStr = window.getComputedStyle(div, null).backgroundColor;
1015 document.body.removeChild(div);
1016 return parseRGBA(rgbStr);
1017 };
1018
1019 /**
1020 * Checks whether the browser supports the &lt;canvas&gt; tag.
1021 * @param {HTMLCanvasElement=} opt_canvasElement Pass a canvas element as an
1022 * optimization if you have one.
1023 * @return {boolean} Whether the browser supports canvas.
1024 */
1025 export function isCanvasSupported(opt_canvasElement) {
1026 try {
1027 var canvas = opt_canvasElement || document.createElement("canvas");
1028 canvas.getContext("2d");
1029 } catch (e) {
1030 return false;
1031 }
1032 return true;
1033 };
1034
1035 /**
1036 * Parses the value as a floating point number. This is like the parseFloat()
1037 * built-in, but with a few differences:
1038 * - the empty string is parsed as null, rather than NaN.
1039 * - if the string cannot be parsed at all, an error is logged.
1040 * If the string can't be parsed, this method returns null.
1041 * @param {string} x The string to be parsed
1042 * @param {number=} opt_line_no The line number from which the string comes.
1043 * @param {string=} opt_line The text of the line from which the string comes.
1044 */
1045 export function parseFloat_(x, opt_line_no, opt_line) {
1046 var val = parseFloat(x);
1047 if (!isNaN(val)) return val;
1048
1049 // Try to figure out what happeend.
1050 // If the value is the empty string, parse it as null.
1051 if (/^ *$/.test(x)) return null;
1052
1053 // If it was actually "NaN", return it as NaN.
1054 if (/^ *nan *$/i.test(x)) return NaN;
1055
1056 // Looks like a parsing error.
1057 var msg = "Unable to parse '" + x + "' as a number";
1058 if (opt_line !== undefined && opt_line_no !== undefined) {
1059 msg += " on line " + (1+(opt_line_no||0)) + " ('" + opt_line + "') of CSV.";
1060 }
1061 console.error(msg);
1062
1063 return null;
1064 };
1065
1066
1067 // Label constants for the labelsKMB and labelsKMG2 options.
1068 // (i.e. '100000' -> '100K')
1069 var KMB_LABELS = [ 'K', 'M', 'B', 'T', 'Q' ];
1070 var KMG2_BIG_LABELS = [ 'k', 'M', 'G', 'T', 'P', 'E', 'Z', 'Y' ];
1071 var KMG2_SMALL_LABELS = [ 'm', 'u', 'n', 'p', 'f', 'a', 'z', 'y' ];
1072
1073 /**
1074 * @private
1075 * Return a string version of a number. This respects the digitsAfterDecimal
1076 * and maxNumberWidth options.
1077 * @param {number} x The number to be formatted
1078 * @param {Dygraph} opts An options view
1079 */
1080 export function numberValueFormatter(x, opts) {
1081 var sigFigs = opts('sigFigs');
1082
1083 if (sigFigs !== null) {
1084 // User has opted for a fixed number of significant figures.
1085 return floatFormat(x, sigFigs);
1086 }
1087
1088 var digits = opts('digitsAfterDecimal');
1089 var maxNumberWidth = opts('maxNumberWidth');
1090
1091 var kmb = opts('labelsKMB');
1092 var kmg2 = opts('labelsKMG2');
1093
1094 var label;
1095
1096 // switch to scientific notation if we underflow or overflow fixed display.
1097 if (x !== 0.0 &&
1098 (Math.abs(x) >= Math.pow(10, maxNumberWidth) ||
1099 Math.abs(x) < Math.pow(10, -digits))) {
1100 label = x.toExponential(digits);
1101 } else {
1102 label = '' + round_(x, digits);
1103 }
1104
1105 if (kmb || kmg2) {
1106 var k;
1107 var k_labels = [];
1108 var m_labels = [];
1109 if (kmb) {
1110 k = 1000;
1111 k_labels = KMB_LABELS;
1112 }
1113 if (kmg2) {
1114 if (kmb) console.warn("Setting both labelsKMB and labelsKMG2. Pick one!");
1115 k = 1024;
1116 k_labels = KMG2_BIG_LABELS;
1117 m_labels = KMG2_SMALL_LABELS;
1118 }
1119
1120 var absx = Math.abs(x);
1121 var n = pow(k, k_labels.length);
1122 for (var j = k_labels.length - 1; j >= 0; j--, n /= k) {
1123 if (absx >= n) {
1124 label = round_(x / n, digits) + k_labels[j];
1125 break;
1126 }
1127 }
1128 if (kmg2) {
1129 // TODO(danvk): clean up this logic. Why so different than kmb?
1130 var x_parts = String(x.toExponential()).split('e-');
1131 if (x_parts.length === 2 && x_parts[1] >= 3 && x_parts[1] <= 24) {
1132 if (x_parts[1] % 3 > 0) {
1133 label = round_(x_parts[0] /
1134 pow(10, (x_parts[1] % 3)),
1135 digits);
1136 } else {
1137 label = Number(x_parts[0]).toFixed(2);
1138 }
1139 label += m_labels[Math.floor(x_parts[1] / 3) - 1];
1140 }
1141 }
1142 }
1143
1144 return label;
1145 };
1146
1147 /**
1148 * variant for use as an axisLabelFormatter.
1149 * @private
1150 */
1151 export function numberAxisLabelFormatter(x, granularity, opts) {
1152 return numberValueFormatter.call(this, x, opts);
1153 };
1154
1155 /**
1156 * @type {!Array.<string>}
1157 * @private
1158 * @constant
1159 */
1160 var SHORT_MONTH_NAMES_ = ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'];
1161
1162
1163 /**
1164 * Convert a JS date to a string appropriate to display on an axis that
1165 * is displaying values at the stated granularity. This respects the
1166 * labelsUTC option.
1167 * @param {Date} date The date to format
1168 * @param {number} granularity One of the Dygraph granularity constants
1169 * @param {Dygraph} opts An options view
1170 * @return {string} The date formatted as local time
1171 * @private
1172 */
1173 export function dateAxisLabelFormatter(date, granularity, opts) {
1174 var utc = opts('labelsUTC');
1175 var accessors = utc ? DateAccessorsUTC : DateAccessorsLocal;
1176
1177 var year = accessors.getFullYear(date),
1178 month = accessors.getMonth(date),
1179 day = accessors.getDate(date),
1180 hours = accessors.getHours(date),
1181 mins = accessors.getMinutes(date),
1182 secs = accessors.getSeconds(date),
1183 millis = accessors.getSeconds(date);
1184
1185 if (granularity >= DygraphTickers.Granularity.DECADAL) {
1186 return '' + year;
1187 } else if (granularity >= DygraphTickers.Granularity.MONTHLY) {
1188 return SHORT_MONTH_NAMES_[month] + '&#160;' + year;
1189 } else {
1190 var frac = hours * 3600 + mins * 60 + secs + 1e-3 * millis;
1191 if (frac === 0 || granularity >= DygraphTickers.Granularity.DAILY) {
1192 // e.g. '21 Jan' (%d%b)
1193 return zeropad(day) + '&#160;' + SHORT_MONTH_NAMES_[month];
1194 } else {
1195 return hmsString_(hours, mins, secs);
1196 }
1197 }
1198 };
1199 // alias in case anyone is referencing the old method.
1200 // Dygraph.dateAxisFormatter = Dygraph.dateAxisLabelFormatter;
1201
1202 /**
1203 * Return a string version of a JS date for a value label. This respects the
1204 * labelsUTC option.
1205 * @param {Date} date The date to be formatted
1206 * @param {Dygraph} opts An options view
1207 * @private
1208 */
1209 export function dateValueFormatter(d, opts) {
1210 return dateString_(d, opts('labelsUTC'));
1211 };