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