vis.js is a dynamic, browser-based visualization library
You can not select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.

1063 lines
34 KiB

10 years ago
10 years ago
10 years ago
10 years ago
10 years ago
10 years ago
10 years ago
10 years ago
10 years ago
10 years ago
10 years ago
10 years ago
10 years ago
10 years ago
10 years ago
10 years ago
10 years ago
10 years ago
10 years ago
10 years ago
10 years ago
10 years ago
10 years ago
10 years ago
10 years ago
10 years ago
10 years ago
10 years ago
10 years ago
10 years ago
10 years ago
10 years ago
10 years ago
10 years ago
10 years ago
9 years ago
10 years ago
10 years ago
10 years ago
10 years ago
10 years ago
10 years ago
10 years ago
10 years ago
10 years ago
10 years ago
10 years ago
10 years ago
10 years ago
10 years ago
9 years ago
10 years ago
10 years ago
10 years ago
  1. var util = require('../../util');
  2. var DOMutil = require('../../DOMutil');
  3. var DataSet = require('../../DataSet');
  4. var DataView = require('../../DataView');
  5. var Component = require('./Component');
  6. var DataAxis = require('./DataAxis');
  7. var GraphGroup = require('./GraphGroup');
  8. var Legend = require('./Legend');
  9. var Bars = require('./graph2d_types/bar');
  10. var Lines = require('./graph2d_types/line');
  11. var Points = require('./graph2d_types/points');
  12. var UNGROUPED = '__ungrouped__'; // reserved group id for ungrouped items
  13. /**
  14. * This is the constructor of the LineGraph. It requires a Timeline body and options.
  15. *
  16. * @param body
  17. * @param options
  18. * @constructor
  19. */
  20. function LineGraph(body, options) {
  21. this.id = util.randomUUID();
  22. this.body = body;
  23. this.defaultOptions = {
  24. yAxisOrientation: 'left',
  25. defaultGroup: 'default',
  26. sort: true,
  27. sampling: true,
  28. stack: false,
  29. graphHeight: '400px',
  30. shaded: {
  31. enabled: false,
  32. orientation: 'bottom' // top, bottom, zero
  33. },
  34. style: 'line', // line, bar
  35. barChart: {
  36. width: 50,
  37. sideBySide: false,
  38. align: 'center' // left, center, right
  39. },
  40. interpolation: {
  41. enabled: true,
  42. parametrization: 'centripetal', // uniform (alpha = 0.0), chordal (alpha = 1.0), centripetal (alpha = 0.5)
  43. alpha: 0.5
  44. },
  45. drawPoints: {
  46. enabled: true,
  47. size: 6,
  48. style: 'square' // square, circle
  49. },
  50. dataAxis: {}, //Defaults are done on DataAxis level
  51. legend: {}, //Defaults are done on Legend level
  52. groups: {
  53. visibility: {}
  54. }
  55. };
  56. // options is shared by this lineGraph and all its items
  57. this.options = util.extend({}, this.defaultOptions);
  58. this.dom = {};
  59. this.props = {};
  60. this.hammer = null;
  61. this.groups = {};
  62. this.abortedGraphUpdate = false;
  63. this.updateSVGheight = false;
  64. this.updateSVGheightOnResize = false;
  65. this.forceGraphUpdate = true;
  66. var me = this;
  67. this.itemsData = null; // DataSet
  68. this.groupsData = null; // DataSet
  69. // listeners for the DataSet of the items
  70. this.itemListeners = {
  71. 'add': function (event, params, senderId) {
  72. me._onAdd(params.items);
  73. },
  74. 'update': function (event, params, senderId) {
  75. me._onUpdate(params.items);
  76. },
  77. 'remove': function (event, params, senderId) {
  78. me._onRemove(params.items);
  79. }
  80. };
  81. // listeners for the DataSet of the groups
  82. this.groupListeners = {
  83. 'add': function (event, params, senderId) {
  84. me._onAddGroups(params.items);
  85. },
  86. 'update': function (event, params, senderId) {
  87. me._onUpdateGroups(params.items);
  88. },
  89. 'remove': function (event, params, senderId) {
  90. me._onRemoveGroups(params.items);
  91. }
  92. };
  93. this.items = {}; // object with an Item for every data item
  94. this.selection = []; // list with the ids of all selected nodes
  95. this.lastStart = this.body.range.start;
  96. this.touchParams = {}; // stores properties while dragging
  97. this.svgElements = {};
  98. this.setOptions(options);
  99. this.groupsUsingDefaultStyles = [0];
  100. this.body.emitter.on('rangechanged', function () {
  101. me.lastStart = me.body.range.start;
  102. me.svg.style.left = util.option.asSize(-me.props.width);
  103. me.forceGraphUpdate = true;
  104. //Is this local redraw necessary? (Core also does a change event!)
  105. me.redraw.call(me);
  106. });
  107. // create the HTML DOM
  108. this._create();
  109. this.framework = {svg: this.svg, svgElements: this.svgElements, options: this.options, groups: this.groups};
  110. }
  111. LineGraph.prototype = new Component();
  112. /**
  113. * Create the HTML DOM for the ItemSet
  114. */
  115. LineGraph.prototype._create = function () {
  116. var frame = document.createElement('div');
  117. frame.className = 'vis-line-graph';
  118. this.dom.frame = frame;
  119. // create svg element for graph drawing.
  120. this.svg = document.createElementNS('http://www.w3.org/2000/svg', 'svg');
  121. this.svg.style.position = 'relative';
  122. this.svg.style.height = ('' + this.options.graphHeight).replace('px', '') + 'px';
  123. this.svg.style.display = 'block';
  124. frame.appendChild(this.svg);
  125. // data axis
  126. this.options.dataAxis.orientation = 'left';
  127. this.yAxisLeft = new DataAxis(this.body, this.options.dataAxis, this.svg, this.options.groups);
  128. this.options.dataAxis.orientation = 'right';
  129. this.yAxisRight = new DataAxis(this.body, this.options.dataAxis, this.svg, this.options.groups);
  130. delete this.options.dataAxis.orientation;
  131. // legends
  132. this.legendLeft = new Legend(this.body, this.options.legend, 'left', this.options.groups);
  133. this.legendRight = new Legend(this.body, this.options.legend, 'right', this.options.groups);
  134. this.show();
  135. };
  136. /**
  137. * set the options of the LineGraph. the mergeOptions is used for subObjects that have an enabled element.
  138. * @param {object} options
  139. */
  140. LineGraph.prototype.setOptions = function (options) {
  141. if (options) {
  142. var fields = ['sampling', 'defaultGroup', 'stack', 'height', 'graphHeight', 'yAxisOrientation', 'style', 'barChart', 'dataAxis', 'sort', 'groups'];
  143. if (options.graphHeight === undefined && options.height !== undefined) {
  144. this.updateSVGheight = true;
  145. this.updateSVGheightOnResize = true;
  146. }
  147. else if (this.body.domProps.centerContainer.height !== undefined && options.graphHeight !== undefined) {
  148. if (parseInt((options.graphHeight + '').replace("px", '')) < this.body.domProps.centerContainer.height) {
  149. this.updateSVGheight = true;
  150. }
  151. }
  152. util.selectiveDeepExtend(fields, this.options, options);
  153. util.mergeOptions(this.options, options, 'interpolation');
  154. util.mergeOptions(this.options, options, 'drawPoints');
  155. util.mergeOptions(this.options, options, 'shaded');
  156. util.mergeOptions(this.options, options, 'legend');
  157. if (options.interpolation) {
  158. if (typeof options.interpolation == 'object') {
  159. if (options.interpolation.parametrization) {
  160. if (options.interpolation.parametrization == 'uniform') {
  161. this.options.interpolation.alpha = 0;
  162. }
  163. else if (options.interpolation.parametrization == 'chordal') {
  164. this.options.interpolation.alpha = 1.0;
  165. }
  166. else {
  167. this.options.interpolation.parametrization = 'centripetal';
  168. this.options.interpolation.alpha = 0.5;
  169. }
  170. }
  171. }
  172. }
  173. if (this.yAxisLeft) {
  174. if (options.dataAxis !== undefined) {
  175. this.yAxisLeft.setOptions(this.options.dataAxis);
  176. this.yAxisRight.setOptions(this.options.dataAxis);
  177. }
  178. }
  179. if (this.legendLeft) {
  180. if (options.legend !== undefined) {
  181. this.legendLeft.setOptions(this.options.legend);
  182. this.legendRight.setOptions(this.options.legend);
  183. }
  184. }
  185. if (this.groups.hasOwnProperty(UNGROUPED)) {
  186. this.groups[UNGROUPED].setOptions(options);
  187. }
  188. }
  189. // this is used to redraw the graph if the visibility of the groups is changed.
  190. if (this.dom.frame) { //not on initial run?
  191. this.forceGraphUpdate=true;
  192. this.body.emitter.emit("_change",{queue: true});
  193. }
  194. };
  195. /**
  196. * Hide the component from the DOM
  197. */
  198. LineGraph.prototype.hide = function () {
  199. // remove the frame containing the items
  200. if (this.dom.frame.parentNode) {
  201. this.dom.frame.parentNode.removeChild(this.dom.frame);
  202. }
  203. };
  204. /**
  205. * Show the component in the DOM (when not already visible).
  206. * @return {Boolean} changed
  207. */
  208. LineGraph.prototype.show = function () {
  209. // show frame containing the items
  210. if (!this.dom.frame.parentNode) {
  211. this.body.dom.center.appendChild(this.dom.frame);
  212. }
  213. };
  214. /**
  215. * Set items
  216. * @param {vis.DataSet | null} items
  217. */
  218. LineGraph.prototype.setItems = function (items) {
  219. var me = this,
  220. ids,
  221. oldItemsData = this.itemsData;
  222. // replace the dataset
  223. if (!items) {
  224. this.itemsData = null;
  225. }
  226. else if (items instanceof DataSet || items instanceof DataView) {
  227. this.itemsData = items;
  228. }
  229. else {
  230. throw new TypeError('Data must be an instance of DataSet or DataView');
  231. }
  232. if (oldItemsData) {
  233. // unsubscribe from old dataset
  234. util.forEach(this.itemListeners, function (callback, event) {
  235. oldItemsData.off(event, callback);
  236. });
  237. // remove all drawn items
  238. ids = oldItemsData.getIds();
  239. this._onRemove(ids);
  240. }
  241. if (this.itemsData) {
  242. // subscribe to new dataset
  243. var id = this.id;
  244. util.forEach(this.itemListeners, function (callback, event) {
  245. me.itemsData.on(event, callback, id);
  246. });
  247. // add all new items
  248. ids = this.itemsData.getIds();
  249. this._onAdd(ids);
  250. }
  251. };
  252. /**
  253. * Set groups
  254. * @param {vis.DataSet} groups
  255. */
  256. LineGraph.prototype.setGroups = function (groups) {
  257. var me = this;
  258. var ids;
  259. // unsubscribe from current dataset
  260. if (this.groupsData) {
  261. util.forEach(this.groupListeners, function (callback, event) {
  262. me.groupsData.off(event, callback);
  263. });
  264. // remove all drawn groups
  265. ids = this.groupsData.getIds();
  266. this.groupsData = null;
  267. for (var i = 0; i < ids.length; i++) {
  268. this._removeGroup(ids[i]);
  269. }
  270. }
  271. // replace the dataset
  272. if (!groups) {
  273. this.groupsData = null;
  274. }
  275. else if (groups instanceof DataSet || groups instanceof DataView) {
  276. this.groupsData = groups;
  277. }
  278. else {
  279. throw new TypeError('Data must be an instance of DataSet or DataView');
  280. }
  281. if (this.groupsData) {
  282. // subscribe to new dataset
  283. var id = this.id;
  284. util.forEach(this.groupListeners, function (callback, event) {
  285. me.groupsData.on(event, callback, id);
  286. });
  287. // draw all ms
  288. ids = this.groupsData.getIds();
  289. this._onAddGroups(ids);
  290. }
  291. };
  292. LineGraph.prototype._onUpdate = function (ids) {
  293. this._updateAllGroupData();
  294. };
  295. LineGraph.prototype._onAdd = function (ids) {
  296. this._onUpdate(ids);
  297. };
  298. LineGraph.prototype._onRemove = function (ids) {
  299. this._onUpdate(ids);
  300. };
  301. LineGraph.prototype._onUpdateGroups = function (groupIds) {
  302. this._updateAllGroupData();
  303. };
  304. LineGraph.prototype._onAddGroups = function (groupIds) {
  305. this._onUpdateGroups(groupIds);
  306. };
  307. /**
  308. * this cleans the group out off the legends and the dataaxis, updates the ungrouped and updates the graph
  309. * @param {Array} groupIds
  310. * @private
  311. */
  312. LineGraph.prototype._onRemoveGroups = function (groupIds) {
  313. for (var i = 0; i < groupIds.length; i++) {
  314. this._removeGroup(groupIds[i]);
  315. }
  316. this.forceGraphUpdate = true;
  317. this.body.emitter.emit("_change",{queue: true});
  318. };
  319. /**
  320. * this cleans the group out off the legends and the dataaxis
  321. * @param groupId
  322. * @private
  323. */
  324. LineGraph.prototype._removeGroup = function (groupId) {
  325. if (this.groups.hasOwnProperty(groupId)) {
  326. if (this.groups[groupId].options.yAxisOrientation == 'right') {
  327. this.yAxisRight.removeGroup(groupId);
  328. this.legendRight.removeGroup(groupId);
  329. this.legendRight.redraw();
  330. }
  331. else {
  332. this.yAxisLeft.removeGroup(groupId);
  333. this.legendLeft.removeGroup(groupId);
  334. this.legendLeft.redraw();
  335. }
  336. delete this.groups[groupId];
  337. }
  338. }
  339. /**
  340. * update a group object with the group dataset entree
  341. *
  342. * @param group
  343. * @param groupId
  344. * @private
  345. */
  346. LineGraph.prototype._updateGroup = function (group, groupId) {
  347. if (!this.groups.hasOwnProperty(groupId)) {
  348. this.groups[groupId] = new GraphGroup(group, groupId, this.options, this.groupsUsingDefaultStyles);
  349. if (this.groups[groupId].options.yAxisOrientation == 'right') {
  350. this.yAxisRight.addGroup(groupId, this.groups[groupId]);
  351. this.legendRight.addGroup(groupId, this.groups[groupId]);
  352. }
  353. else {
  354. this.yAxisLeft.addGroup(groupId, this.groups[groupId]);
  355. this.legendLeft.addGroup(groupId, this.groups[groupId]);
  356. }
  357. }
  358. else {
  359. this.groups[groupId].update(group);
  360. if (this.groups[groupId].options.yAxisOrientation == 'right') {
  361. this.yAxisRight.updateGroup(groupId, this.groups[groupId]);
  362. this.legendRight.updateGroup(groupId, this.groups[groupId]);
  363. //If yAxisOrientation changed, clean out the group from the other axis.
  364. this.yAxisLeft.removeGroup(groupId);
  365. this.legendLeft.removeGroup(groupId);
  366. }
  367. else {
  368. this.yAxisLeft.updateGroup(groupId, this.groups[groupId]);
  369. this.legendLeft.updateGroup(groupId, this.groups[groupId]);
  370. //If yAxisOrientation changed, clean out the group from the other axis.
  371. this.yAxisRight.removeGroup(groupId);
  372. this.legendRight.removeGroup(groupId);
  373. }
  374. }
  375. this.legendLeft.redraw();
  376. this.legendRight.redraw();
  377. };
  378. /**
  379. * this updates all groups, it is used when there is an update the the itemset.
  380. *
  381. * @private
  382. */
  383. LineGraph.prototype._updateAllGroupData = function () {
  384. if (this.itemsData != null) {
  385. var groupsContent = {};
  386. var items = this.itemsData.get();
  387. //pre-Determine array sizes, for more efficient memory claim
  388. var groupCounts = {};
  389. for (var i = 0; i < items.length; i++) {
  390. var item = items[i];
  391. var groupId = item.group;
  392. if (groupId === null || groupId === undefined) {
  393. groupId = UNGROUPED;
  394. }
  395. groupCounts.hasOwnProperty(groupId) ? groupCounts[groupId]++ : groupCounts[groupId] = 1;
  396. }
  397. //Now insert data into the arrays.
  398. for (var i = 0; i < items.length; i++) {
  399. var item = items[i];
  400. var groupId = item.group;
  401. if (groupId === null || groupId === undefined) {
  402. groupId = UNGROUPED;
  403. }
  404. if (!groupsContent.hasOwnProperty(groupId)) {
  405. groupsContent[groupId] = new Array(groupCounts[groupId]);
  406. }
  407. //Copy data (because of unmodifiable DataView input.
  408. var extended = util.bridgeObject(item);
  409. extended.x = util.convert(item.x, 'Date');
  410. extended.orginalY = item.y; //real Y
  411. // typecast all items to numbers. Takes around 10ms for 500.000 items
  412. extended.y = Number(item.y);
  413. var index= groupsContent[groupId].length - groupCounts[groupId]--;
  414. groupsContent[groupId][index] = extended;
  415. }
  416. //Make sure all groups are present, to allow removal of old groups
  417. for (var groupId in this.groups){
  418. if (this.groups.hasOwnProperty(groupId)){
  419. if (!groupsContent.hasOwnProperty(groupId)) {
  420. groupsContent[groupId] = new Array(0);
  421. }
  422. }
  423. }
  424. //Update legendas, style and axis
  425. for (var groupId in groupsContent) {
  426. if (groupsContent.hasOwnProperty(groupId)) {
  427. if (groupsContent[groupId].length == 0) {
  428. if (this.groups.hasOwnProperty(groupId)) {
  429. this._removeGroup(groupId);
  430. }
  431. } else {
  432. var group = undefined;
  433. if (this.groupsData != undefined) {
  434. group = this.groupsData.get(groupId);
  435. }
  436. if (group == undefined) {
  437. group = {id: groupId, content: this.options.defaultGroup + groupId};
  438. }
  439. this._updateGroup(group, groupId);
  440. this.groups[groupId].setItems(groupsContent[groupId]);
  441. }
  442. }
  443. }
  444. this.forceGraphUpdate = true;
  445. this.body.emitter.emit("_change",{queue: true});
  446. }
  447. };
  448. /**
  449. * Redraw the component, mandatory function
  450. * @return {boolean} Returns true if the component is resized
  451. */
  452. LineGraph.prototype.redraw = function () {
  453. var resized = false;
  454. // calculate actual size and position
  455. this.props.width = this.dom.frame.offsetWidth;
  456. this.props.height = this.body.domProps.centerContainer.height
  457. - this.body.domProps.border.top
  458. - this.body.domProps.border.bottom;
  459. // update the graph if there is no lastWidth or width, used for the initial draw
  460. if (this.lastWidth === undefined && this.props.width) {
  461. this.forceGraphUpdate = true;
  462. }
  463. // check if this component is resized
  464. resized = this._isResized() || resized;
  465. // check whether zoomed (in that case we need to re-stack everything)
  466. var visibleInterval = this.body.range.end - this.body.range.start;
  467. var zoomed = (visibleInterval != this.lastVisibleInterval);
  468. this.lastVisibleInterval = visibleInterval;
  469. // the svg element is three times as big as the width, this allows for fully dragging left and right
  470. // without reloading the graph. the controls for this are bound to events in the constructor
  471. if (resized == true) {
  472. this.svg.style.width = util.option.asSize(3 * this.props.width);
  473. this.svg.style.left = util.option.asSize(-this.props.width);
  474. // if the height of the graph is set as proportional, change the height of the svg
  475. if ((this.options.height + '').indexOf("%") != -1 || this.updateSVGheightOnResize == true) {
  476. this.updateSVGheight = true;
  477. }
  478. }
  479. // update the height of the graph on each redraw of the graph.
  480. if (this.updateSVGheight == true) {
  481. if (this.options.graphHeight != this.props.height + 'px') {
  482. this.options.graphHeight = this.props.height + 'px';
  483. this.svg.style.height = this.props.height + 'px';
  484. }
  485. this.updateSVGheight = false;
  486. }
  487. else {
  488. this.svg.style.height = ('' + this.options.graphHeight).replace('px', '') + 'px';
  489. }
  490. // zoomed is here to ensure that animations are shown correctly.
  491. if (resized == true || zoomed == true || this.abortedGraphUpdate == true || this.forceGraphUpdate == true) {
  492. resized = this._updateGraph() || resized;
  493. this.forceGraphUpdate = false;
  494. }
  495. else {
  496. // move the whole svg while dragging
  497. if (this.lastStart != 0) {
  498. var offset = this.body.range.start - this.lastStart;
  499. var range = this.body.range.end - this.body.range.start;
  500. if (this.props.width != 0) {
  501. var rangePerPixelInv = this.props.width / range;
  502. var xOffset = offset * rangePerPixelInv;
  503. this.svg.style.left = (-this.props.width - xOffset) + 'px';
  504. }
  505. }
  506. }
  507. this.legendLeft.redraw();
  508. this.legendRight.redraw();
  509. return resized;
  510. };
  511. LineGraph.prototype._getSortedGroupIds = function(){
  512. // getting group Ids
  513. var grouplist = [];
  514. for (var groupId in this.groups) {
  515. if (this.groups.hasOwnProperty(groupId)) {
  516. var group = this.groups[groupId];
  517. if (group.visible == true && (this.options.groups.visibility[groupId] === undefined || this.options.groups.visibility[groupId] == true)) {
  518. grouplist.push({id:groupId,zIndex:group.options.zIndex});
  519. }
  520. }
  521. }
  522. util.insertSort(grouplist,function(a,b){
  523. var az = a.zIndex;
  524. var bz = b.zIndex;
  525. if (az === undefined) az=0;
  526. if (bz === undefined) bz=0;
  527. return az==bz? 0: (az<bz ? -1: 1);
  528. });
  529. var groupIds = new Array(grouplist.length);
  530. for (var i=0; i< grouplist.length; i++){
  531. groupIds[i] = grouplist[i].id;
  532. }
  533. return groupIds;
  534. }
  535. /**
  536. * Update and redraw the graph.
  537. *
  538. */
  539. LineGraph.prototype._updateGraph = function () {
  540. // reset the svg elements
  541. DOMutil.prepareElements(this.svgElements);
  542. if (this.props.width != 0 && this.itemsData != null) {
  543. var group, i;
  544. var groupRanges = {};
  545. var changeCalled = false;
  546. // this is the range of the SVG canvas
  547. var minDate = this.body.util.toGlobalTime(-this.body.domProps.root.width);
  548. var maxDate = this.body.util.toGlobalTime(2 * this.body.domProps.root.width);
  549. // getting group Ids
  550. var groupIds = this._getSortedGroupIds();
  551. if (groupIds.length > 0) {
  552. var groupsData = {};
  553. // fill groups data, this only loads the data we require based on the timewindow
  554. this._getRelevantData(groupIds, groupsData, minDate, maxDate);
  555. // apply sampling, if disabled, it will pass through this function.
  556. this._applySampling(groupIds, groupsData);
  557. // we transform the X coordinates to detect collisions
  558. for (i = 0; i < groupIds.length; i++) {
  559. this._convertXcoordinates(groupsData[groupIds[i]]);
  560. }
  561. // now all needed data has been collected we start the processing.
  562. this._getYRanges(groupIds, groupsData, groupRanges);
  563. // update the Y axis first, we use this data to draw at the correct Y points
  564. changeCalled = this._updateYAxis(groupIds, groupRanges);
  565. // at changeCalled, abort this update cycle as the graph needs another update with new Width input from the Redraw container.
  566. // Cleanup SVG elements on abort.
  567. if (changeCalled == true) {
  568. DOMutil.cleanupElements(this.svgElements);
  569. this.abortedGraphUpdate = true;
  570. return true;
  571. }
  572. this.abortedGraphUpdate = false;
  573. // With the yAxis scaled correctly, use this to get the Y values of the points.
  574. var below = undefined;
  575. for (i = 0; i < groupIds.length; i++) {
  576. group = this.groups[groupIds[i]];
  577. if (this.options.stack === true && this.options.style === 'line') {
  578. if (group.options.excludeFromStacking == undefined || !group.options.excludeFromStacking) {
  579. if (below != undefined) {
  580. this._stack(groupsData[group.id], groupsData[below.id]);
  581. if (group.options.shaded.enabled == true && group.options.shaded.orientation !== "group"){
  582. if (group.options.shaded.orientation == "top" && below.options.shaded.orientation !== "group"){
  583. below.options.shaded.orientation="group";
  584. below.options.shaded.groupId=group.id;
  585. } else {
  586. group.options.shaded.orientation="group";
  587. group.options.shaded.groupId=below.id;
  588. }
  589. }
  590. }
  591. below = group;
  592. }
  593. }
  594. this._convertYcoordinates(groupsData[groupIds[i]], group);
  595. }
  596. //Precalculate paths and draw shading if appropriate. This will make sure the shading is always behind any lines.
  597. var paths = {};
  598. for (i = 0; i < groupIds.length; i++) {
  599. group = this.groups[groupIds[i]];
  600. if (group.options.style === 'line' && group.options.shaded.enabled == true) {
  601. var dataset = groupsData[groupIds[i]];
  602. if (dataset == null || dataset.length == 0) {
  603. continue;
  604. }
  605. if (!paths.hasOwnProperty(groupIds[i])) {
  606. paths[groupIds[i]] = Lines.calcPath(dataset, group);
  607. }
  608. if (group.options.shaded.orientation === "group") {
  609. var subGroupId = group.options.shaded.groupId;
  610. if (groupIds.indexOf(subGroupId) === -1) {
  611. console.log(group.id + ": Unknown shading group target given:" + subGroupId);
  612. continue;
  613. }
  614. if (!paths.hasOwnProperty(subGroupId)) {
  615. paths[subGroupId] = Lines.calcPath(groupsData[subGroupId], this.groups[subGroupId]);
  616. }
  617. Lines.drawShading(paths[groupIds[i]], group, paths[subGroupId], this.framework);
  618. }
  619. else {
  620. Lines.drawShading(paths[groupIds[i]], group, undefined, this.framework);
  621. }
  622. }
  623. }
  624. // draw the groups, calculating paths if still necessary.
  625. Bars.draw(groupIds, groupsData, this.framework);
  626. for (i = 0; i < groupIds.length; i++) {
  627. group = this.groups[groupIds[i]];
  628. if (groupsData[groupIds[i]].length > 0) {
  629. switch (group.options.style) {
  630. case "line":
  631. if (!paths.hasOwnProperty(groupIds[i])) {
  632. paths[groupIds[i]] = Lines.calcPath(groupsData[groupIds[i]], group);
  633. }
  634. Lines.draw(paths[groupIds[i]], group, this.framework);
  635. //explicit no break;
  636. case "point":
  637. //explicit no break;
  638. case "points":
  639. if (group.options.style == "point" || group.options.style == "points" || group.options.drawPoints.enabled == true) {
  640. Points.draw(groupsData[groupIds[i]], group, this.framework);
  641. }
  642. break;
  643. case "bar":
  644. // bar needs to be drawn enmasse
  645. //explicit no break
  646. default:
  647. //do nothing...
  648. }
  649. }
  650. }
  651. }
  652. }
  653. // cleanup unused svg elements
  654. DOMutil.cleanupElements(this.svgElements);
  655. return false;
  656. };
  657. LineGraph.prototype._stack = function (data, subData) {
  658. var index, dx, dy, subPrevPoint, subNextPoint;
  659. index = 0;
  660. // for each data point we look for a matching on in the set below
  661. for (var j = 0; j < data.length; j++) {
  662. subPrevPoint = undefined;
  663. subNextPoint = undefined;
  664. // we look for time matches or a before-after point
  665. for (var k = index; k < subData.length; k++) {
  666. // if times match exactly
  667. if (subData[k].x === data[j].x) {
  668. subPrevPoint = subData[k];
  669. subNextPoint = subData[k];
  670. index = k;
  671. break;
  672. }
  673. else if (subData[k].x > data[j].x) { // overshoot
  674. subNextPoint = subData[k];
  675. if (k == 0) {
  676. subPrevPoint = subNextPoint;
  677. }
  678. else {
  679. subPrevPoint = subData[k - 1];
  680. }
  681. index = k;
  682. break;
  683. }
  684. }
  685. // in case the last data point has been used, we assume it stays like this.
  686. if (subNextPoint === undefined) {
  687. subPrevPoint = subData[subData.length - 1];
  688. subNextPoint = subData[subData.length - 1];
  689. }
  690. // linear interpolation
  691. dx = subNextPoint.x - subPrevPoint.x;
  692. dy = subNextPoint.y - subPrevPoint.y;
  693. if (dx == 0) {
  694. data[j].y = data[j].orginalY + subNextPoint.y;
  695. }
  696. else {
  697. data[j].y = data[j].orginalY + (dy / dx) * (data[j].x - subPrevPoint.x) + subPrevPoint.y; // ax + b where b is data[j].y
  698. }
  699. }
  700. }
  701. /**
  702. * first select and preprocess the data from the datasets.
  703. * the groups have their preselection of data, we now loop over this data to see
  704. * what data we need to draw. Sorted data is much faster.
  705. * more optimization is possible by doing the sampling before and using the binary search
  706. * to find the end date to determine the increment.
  707. *
  708. * @param {array} groupIds
  709. * @param {object} groupsData
  710. * @param {date} minDate
  711. * @param {date} maxDate
  712. * @private
  713. */
  714. LineGraph.prototype._getRelevantData = function (groupIds, groupsData, minDate, maxDate) {
  715. var group, i, j, item;
  716. if (groupIds.length > 0) {
  717. for (i = 0; i < groupIds.length; i++) {
  718. group = this.groups[groupIds[i]];
  719. var itemsData = group.getItems();
  720. // optimization for sorted data
  721. if (group.options.sort == true) {
  722. var first = Math.max(0, util.binarySearchValue(itemsData, minDate, 'x', 'before'));
  723. var last = Math.min(itemsData.length, util.binarySearchValue(itemsData, maxDate, 'x', 'after')+1);
  724. if (last <= 0) {
  725. last = itemsData.length;
  726. }
  727. var dataContainer = new Array(last-first);
  728. for (j = first; j < last; j++) {
  729. item = group.itemsData[j];
  730. dataContainer[j-first] = item;
  731. }
  732. groupsData[groupIds[i]] = dataContainer;
  733. }
  734. else {
  735. // If unsorted data, all data is relevant, just returning entire structure
  736. groupsData[groupIds[i]] = group.itemsData;
  737. }
  738. }
  739. }
  740. };
  741. /**
  742. *
  743. * @param groupIds
  744. * @param groupsData
  745. * @private
  746. */
  747. LineGraph.prototype._applySampling = function (groupIds, groupsData) {
  748. var group;
  749. if (groupIds.length > 0) {
  750. for (var i = 0; i < groupIds.length; i++) {
  751. group = this.groups[groupIds[i]];
  752. if (group.options.sampling == true) {
  753. var dataContainer = groupsData[groupIds[i]];
  754. if (dataContainer.length > 0) {
  755. var increment = 1;
  756. var amountOfPoints = dataContainer.length;
  757. // the global screen is used because changing the width of the yAxis may affect the increment, resulting in an endless loop
  758. // of width changing of the yAxis.
  759. var xDistance = this.body.util.toGlobalScreen(dataContainer[dataContainer.length - 1].x) - this.body.util.toGlobalScreen(dataContainer[0].x);
  760. var pointsPerPixel = amountOfPoints / xDistance;
  761. increment = Math.min(Math.ceil(0.2 * amountOfPoints), Math.max(1, Math.round(pointsPerPixel)));
  762. var sampledData = new Array(amountOfPoints);
  763. for (var j = 0; j < amountOfPoints; j += increment) {
  764. var idx = Math.round(j/increment);
  765. sampledData[idx]=dataContainer[j];
  766. }
  767. groupsData[groupIds[i]] = sampledData.splice(0,Math.round(amountOfPoints/increment));
  768. }
  769. }
  770. }
  771. }
  772. };
  773. /**
  774. *
  775. *
  776. * @param {array} groupIds
  777. * @param {object} groupsData
  778. * @param {object} groupRanges | this is being filled here
  779. * @private
  780. */
  781. LineGraph.prototype._getYRanges = function (groupIds, groupsData, groupRanges) {
  782. var groupData, group, i;
  783. var combinedDataLeft = [];
  784. var combinedDataRight = [];
  785. var options;
  786. if (groupIds.length > 0) {
  787. for (i = 0; i < groupIds.length; i++) {
  788. groupData = groupsData[groupIds[i]];
  789. options = this.groups[groupIds[i]].options;
  790. if (groupData.length > 0) {
  791. group = this.groups[groupIds[i]];
  792. // if bar graphs are stacked, their range need to be handled differently and accumulated over all groups.
  793. if (options.stack === true && options.style === 'bar') {
  794. if (options.yAxisOrientation === 'left') {
  795. combinedDataLeft = combinedDataLeft.concat(group.getItems());
  796. }
  797. else {
  798. combinedDataRight = combinedDataRight.concat(group.getItems());
  799. }
  800. }
  801. else {
  802. groupRanges[groupIds[i]] = group.getYRange(groupData, groupIds[i]);
  803. }
  804. }
  805. }
  806. // if bar graphs are stacked, their range need to be handled differently and accumulated over all groups.
  807. Bars.getStackedYRange(combinedDataLeft, groupRanges, groupIds, '__barStackLeft', 'left');
  808. Bars.getStackedYRange(combinedDataRight, groupRanges, groupIds, '__barStackRight', 'right');
  809. }
  810. };
  811. /**
  812. * this sets the Y ranges for the Y axis. It also determines which of the axis should be shown or hidden.
  813. * @param {Array} groupIds
  814. * @param {Object} groupRanges
  815. * @private
  816. */
  817. LineGraph.prototype._updateYAxis = function (groupIds, groupRanges) {
  818. var resized = false;
  819. var yAxisLeftUsed = false;
  820. var yAxisRightUsed = false;
  821. var minLeft = 1e9, minRight = 1e9, maxLeft = -1e9, maxRight = -1e9, minVal, maxVal;
  822. // if groups are present
  823. if (groupIds.length > 0) {
  824. // this is here to make sure that if there are no items in the axis but there are groups, that there is no infinite draw/redraw loop.
  825. for (var i = 0; i < groupIds.length; i++) {
  826. var group = this.groups[groupIds[i]];
  827. if (group && group.options.yAxisOrientation != 'right') {
  828. yAxisLeftUsed = true;
  829. minLeft = 1e9;
  830. maxLeft = -1e9;
  831. }
  832. else if (group && group.options.yAxisOrientation) {
  833. yAxisRightUsed = true;
  834. minRight = 1e9;
  835. maxRight = -1e9;
  836. }
  837. }
  838. // if there are items:
  839. for (var i = 0; i < groupIds.length; i++) {
  840. if (groupRanges.hasOwnProperty(groupIds[i])) {
  841. if (groupRanges[groupIds[i]].ignore !== true) {
  842. minVal = groupRanges[groupIds[i]].min;
  843. maxVal = groupRanges[groupIds[i]].max;
  844. if (groupRanges[groupIds[i]].yAxisOrientation != 'right') {
  845. yAxisLeftUsed = true;
  846. minLeft = minLeft > minVal ? minVal : minLeft;
  847. maxLeft = maxLeft < maxVal ? maxVal : maxLeft;
  848. }
  849. else {
  850. yAxisRightUsed = true;
  851. minRight = minRight > minVal ? minVal : minRight;
  852. maxRight = maxRight < maxVal ? maxVal : maxRight;
  853. }
  854. }
  855. }
  856. }
  857. if (yAxisLeftUsed == true) {
  858. this.yAxisLeft.setRange(minLeft, maxLeft);
  859. }
  860. if (yAxisRightUsed == true) {
  861. this.yAxisRight.setRange(minRight, maxRight);
  862. }
  863. }
  864. resized = this._toggleAxisVisiblity(yAxisLeftUsed, this.yAxisLeft) || resized;
  865. resized = this._toggleAxisVisiblity(yAxisRightUsed, this.yAxisRight) || resized;
  866. if (yAxisRightUsed == true && yAxisLeftUsed == true) {
  867. this.yAxisLeft.drawIcons = true;
  868. this.yAxisRight.drawIcons = true;
  869. }
  870. else {
  871. this.yAxisLeft.drawIcons = false;
  872. this.yAxisRight.drawIcons = false;
  873. }
  874. this.yAxisRight.master = !yAxisLeftUsed;
  875. if (this.yAxisRight.master == false) {
  876. if (yAxisRightUsed == true) {
  877. this.yAxisLeft.lineOffset = this.yAxisRight.width;
  878. }
  879. else {
  880. this.yAxisLeft.lineOffset = 0;
  881. }
  882. resized = this.yAxisLeft.redraw() || resized;
  883. this.yAxisRight.stepPixels = this.yAxisLeft.stepPixels;
  884. this.yAxisRight.zeroCrossing = this.yAxisLeft.zeroCrossing;
  885. this.yAxisRight.amountOfSteps = this.yAxisLeft.amountOfSteps;
  886. resized = this.yAxisRight.redraw() || resized;
  887. }
  888. else {
  889. resized = this.yAxisRight.redraw() || resized;
  890. }
  891. // clean the accumulated lists
  892. var tempGroups = ['__barStackLeft', '__barStackRight', '__lineStackLeft', '__lineStackRight'];
  893. for (var i = 0; i < tempGroups.length; i++) {
  894. if (groupIds.indexOf(tempGroups[i]) != -1) {
  895. groupIds.splice(groupIds.indexOf(tempGroups[i]), 1);
  896. }
  897. }
  898. return resized;
  899. };
  900. /**
  901. * This shows or hides the Y axis if needed. If there is a change, the changed event is emitted by the updateYAxis function
  902. *
  903. * @param {boolean} axisUsed
  904. * @returns {boolean}
  905. * @private
  906. * @param axis
  907. */
  908. LineGraph.prototype._toggleAxisVisiblity = function (axisUsed, axis) {
  909. var changed = false;
  910. if (axisUsed == false) {
  911. if (axis.dom.frame.parentNode && axis.hidden == false) {
  912. axis.hide();
  913. changed = true;
  914. }
  915. }
  916. else {
  917. if (!axis.dom.frame.parentNode && axis.hidden == true) {
  918. axis.show();
  919. changed = true;
  920. }
  921. }
  922. return changed;
  923. };
  924. /**
  925. * This uses the DataAxis object to generate the correct X coordinate on the SVG window. It uses the
  926. * util function toScreen to get the x coordinate from the timestamp. It also pre-filters the data and get the minMax ranges for
  927. * the yAxis.
  928. *
  929. * @param datapoints
  930. * @returns {Array}
  931. * @private
  932. */
  933. LineGraph.prototype._convertXcoordinates = function (datapoints) {
  934. var toScreen = this.body.util.toScreen;
  935. for (var i = 0; i < datapoints.length; i++) {
  936. datapoints[i].screen_x = toScreen(datapoints[i].x) + this.props.width;
  937. datapoints[i].screen_y = datapoints[i].y; //starting point for range calculations
  938. }
  939. };
  940. /**
  941. * This uses the DataAxis object to generate the correct X coordinate on the SVG window. It uses the
  942. * util function toScreen to get the x coordinate from the timestamp. It also pre-filters the data and get the minMax ranges for
  943. * the yAxis.
  944. *
  945. * @param datapoints
  946. * @param group
  947. * @returns {Array}
  948. * @private
  949. */
  950. LineGraph.prototype._convertYcoordinates = function (datapoints, group) {
  951. var axis = this.yAxisLeft;
  952. var svgHeight = Number(this.svg.style.height.replace('px', ''));
  953. if (group.options.yAxisOrientation == 'right') {
  954. axis = this.yAxisRight;
  955. }
  956. for (var i = 0; i < datapoints.length; i++) {
  957. datapoints[i].screen_y = Math.round(axis.convertValue(datapoints[i].y));
  958. }
  959. group.setZeroPosition(Math.min(svgHeight, axis.convertValue(0)));
  960. };
  961. module.exports = LineGraph;