1 window.App = Ember.Application.create();
3 App.Router.map(function () {
4 this.resource('charts', {path: 'charts'});
7 App.DashboardRow = Ember.Object.extend({
15 var cellsInfo = this.get('cellsInfo') || [];
16 var columnCount = this.get('columnCount');
17 while (cellsInfo.length < columnCount)
20 this.set('cells', cellsInfo.map(this._createPane.bind(this)));
22 addPane: function (paneInfo)
24 var pane = this._createPane(paneInfo);
25 this.get('cells').pushObject(pane);
26 this.set('columnCount', this.get('columnCount') + 1);
28 _createPane: function (paneInfo)
30 if (!paneInfo || !paneInfo.length || (!paneInfo[0] && !paneInfo[1]))
33 var pane = App.Pane.create({
34 platformId: paneInfo ? paneInfo[0] : null,
35 metricId: paneInfo ? paneInfo[1] : null,
38 return App.DashboardPaneProxyForPicker.create({content: pane});
42 App.DashboardPaneProxyForPicker = Ember.ObjectProxy.extend({
43 _platformOrMetricIdChanged: function ()
46 App.BuildPopup('choosePane', this)
47 .then(function (platforms) { self.set('pickerData', platforms); });
48 }.observes('platformId', 'metricId').on('init'),
49 paneList: function () {
50 return App.encodePrettifiedJSON([[this.get('platformId'), this.get('metricId'), null, null, false]]);
51 }.property('platformId', 'metricId'),
54 App.IndexController = Ember.Controller.extend({
55 queryParams: ['grid', 'numberOfDays'],
63 gridChanged: function ()
65 var grid = this.get('grid');
66 if (grid === this._previousGrid)
72 table = JSON.parse(grid);
74 console.log("Failed to parse the grid:", error, grid);
77 if (!table || !table.length) // FIXME: We should fetch this from the manifest.
78 table = this.get('defaultTable');
80 table = this._normalizeTable(table);
81 var columnCount = table[0].length;
82 this.set('columnCount', columnCount);
84 this.set('headerColumns', table[0].map(function (name, index) {
85 return {label:name, index: index};
88 this.set('rows', table.slice(1).map(function (rowParam) {
89 return App.DashboardRow.create({
91 cellsInfo: rowParam.slice(1),
92 columnCount: columnCount,
96 this.set('emptyRow', new Array(columnCount));
97 }.observes('grid').on('init'),
99 _normalizeTable: function (table)
101 var maxColumnCount = Math.max(table.map(function (column) { return column.length; }));
102 for (var i = 1; i < table.length; i++) {
104 for (var j = 1; j < row.length; j++) {
105 if (row[j] && !(row[j] instanceof Array)) {
106 console.log('Unrecognized (platform, metric) pair at column ' + i + ' row ' + j + ':' + row[j]);
114 updateGrid: function()
116 var headers = this.get('headerColumns').map(function (header) { return header.label; });
117 var table = [headers].concat(this.get('rows').map(function (row) {
118 return [row.get('header')].concat(row.get('cells').map(function (pane) {
119 var platformAndMetric = [pane.get('platformId'), pane.get('metricId')];
120 return platformAndMetric[0] || platformAndMetric[1] ? platformAndMetric : [];
123 this._previousGrid = JSON.stringify(table);
124 this.set('grid', this._previousGrid);
127 _sharedDomainChanged: function ()
129 var numberOfDays = this.get('numberOfDays');
133 numberOfDays = parseInt(numberOfDays);
134 var present = Date.now();
135 var past = present - numberOfDays * 24 * 3600 * 1000;
136 this.set('sharedDomain', [past, present]);
137 }.observes('numberOfDays').on('init'),
140 setNumberOfDays: function (numberOfDays)
142 this.set('numberOfDays', numberOfDays);
144 choosePane: function (param)
146 var pane = param.position;
147 pane.set('platformId', param.platform.get('id'));
148 pane.set('metricId', param.metric.get('id'));
150 addColumn: function ()
152 this.get('headerColumns').pushObject({
153 label: this.get('newColumnHeader'),
154 index: this.get('headerColumns').length,
156 this.get('rows').forEach(function (row) {
159 this.set('newColumnHeader', null);
161 removeColumn: function (index)
163 this.get('headerColumns').removeAt(index);
164 this.get('rows').forEach(function (row) {
165 row.get('cells').removeAt(index);
170 this.get('rows').pushObject(App.DashboardRow.create({
171 header: this.get('newRowHeader'),
172 columnCount: this.get('columnCount'),
174 this.set('newRowHeader', null);
176 removeRow: function (row)
178 this.get('rows').removeObject(row);
180 resetPane: function (pane)
182 pane.set('platformId', null);
183 pane.set('metricId', null);
185 toggleEditMode: function ()
187 this.toggleProperty('editMode');
188 if (!this.get('editMode'))
196 App.Manifest.fetch();
200 App.NumberOfDaysControlView = Ember.View.extend({
201 classNames: ['controls'],
202 templateName: 'number-of-days-controls',
203 didInsertElement: function ()
205 this._matchingElements(this._previousNumberOfDaysClass).addClass('active');
207 _numberOfDaysChanged: function ()
209 this._matchingElements(this._previousNumberOfDaysClass).removeClass('active');
211 var newNumberOfDaysClass = 'numberOfDaysIs' + this.get('numberOfDays');
212 this._matchingElements(this._previousNumberOfDaysClass).addClass('active');
213 this._previousNumberOfDaysClass = newNumberOfDaysClass;
214 }.observes('numberOfDays').on('init'),
215 _matchingElements: function (className)
217 var element = this.get('element');
220 return $(element.getElementsByClassName(className));
224 App.StartTimeSliderView = Ember.View.extend({
225 templateName: 'start-time-slider',
226 classNames: ['start-time-slider'],
227 startTime: Date.now() - 7 * 24 * 3600 * 1000,
228 oldestStartTime: null,
229 _numberOfDaysView: null,
231 _startTimeInSlider: null,
232 _currentNumberOfDays: null,
233 _MILLISECONDS_PER_DAY: 24 * 3600 * 1000,
235 didInsertElement: function ()
237 this.oldestStartTime = Date.now() - 365 * 24 * 3600 * 1000;
238 this._slider = $(this.get('element')).find('input');
239 this._numberOfDaysView = $(this.get('element')).find('.numberOfDays');
240 this._sliderRangeChanged();
241 this._slider.change(this._sliderMoved.bind(this));
243 _sliderRangeChanged: function ()
245 var minimumNumberOfDays = 1;
246 var maximumNumberOfDays = this._timeInPastToNumberOfDays(this.get('oldestStartTime'));
247 var precision = 1000; // FIXME: Compute this from maximumNumberOfDays.
248 var slider = this._slider;
249 slider.attr('min', Math.floor(Math.log(Math.max(1, minimumNumberOfDays)) * precision) / precision);
250 slider.attr('max', Math.ceil(Math.log(maximumNumberOfDays) * precision) / precision);
251 slider.attr('step', 1 / precision);
252 this._startTimeChanged();
253 }.observes('oldestStartTime'),
254 _sliderMoved: function ()
256 this._currentNumberOfDays = Math.round(Math.exp(this._slider.val()));
257 this._numberOfDaysView.text(this._currentNumberOfDays);
258 this._startTimeInSlider = this._numberOfDaysToTimeInPast(this._currentNumberOfDays);
259 this.set('startTime', this._startTimeInSlider);
261 _startTimeChanged: function ()
263 var startTime = this.get('startTime');
264 if (startTime == this._startTimeSetBySlider)
266 this._currentNumberOfDays = this._timeInPastToNumberOfDays(startTime);
269 this._numberOfDaysView.text(this._currentNumberOfDays);
270 this._slider.val(Math.log(this._currentNumberOfDays));
271 this._startTimeInSlider = startTime;
273 }.observes('startTime').on('init'),
274 _timeInPastToNumberOfDays: function (timeInPast)
276 return Math.max(1, Math.round((Date.now() - timeInPast) / this._MILLISECONDS_PER_DAY));
278 _numberOfDaysToTimeInPast: function (numberOfDays)
280 return Date.now() - numberOfDays * this._MILLISECONDS_PER_DAY;
284 App.Pane = Ember.Object.extend({
290 searchCommit: function (repository, keyword) {
292 var repositoryName = repository.get('id');
293 CommitLogs.fetchForTimeRange(repositoryName, null, null, keyword).then(function (commits) {
294 if (self.isDestroyed || !self.get('chartData') || !commits.length)
296 var currentRuns = self.get('chartData').current.timeSeriesByCommitTime().series();
297 if (!currentRuns.length)
300 var highlightedItems = {};
302 for (var runIndex = 0; runIndex < currentRuns.length && commitIndex < commits.length; runIndex++) {
303 var measurement = currentRuns[runIndex].measurement;
304 var commitTime = measurement.commitTimeForRepository(repositoryName);
307 if (commits[commitIndex].time <= commitTime) {
308 highlightedItems[measurement.id()] = true;
311 } while (commitIndex < commits.length && commits[commitIndex].time <= commitTime);
315 self.set('highlightedItems', highlightedItems);
317 // FIXME: Report errors
318 this.set('highlightedItems', {});
321 _fetch: function () {
322 var platformId = this.get('platformId');
323 var metricId = this.get('metricId');
324 if (!platformId && !metricId) {
325 this.set('empty', true);
328 this.set('empty', false);
329 this.set('platform', null);
330 this.set('chartData', null);
331 this.set('metric', null);
332 this.set('failure', null);
334 if (!this._isValidId(platformId))
335 this.set('failure', platformId ? 'Invalid platform id:' + platformId : 'Platform id was not specified');
336 else if (!this._isValidId(metricId))
337 this.set('failure', metricId ? 'Invalid metric id:' + metricId : 'Metric id was not specified');
342 var manifestPromise = App.Manifest.fetch(this.store).then(function () {
343 return new Ember.RSVP.Promise(function (resolve, reject) {
344 var platform = App.Manifest.platform(platformId);
345 metric = App.Manifest.metric(metricId);
347 reject('Could not find the platform "' + platformId + '"');
349 reject('Could not find the metric "' + metricId + '"');
351 self.set('platform', platform);
352 self.set('metric', metric);
359 RunsData.fetchRuns(platformId, metricId),
361 ]).then(function (values) {
362 var runs = values[0];
364 // FIXME: Include this information in JSON and process it in RunsData.fetchRuns
365 var unit = {'Combined': '', // Assume smaller is better for now.
371 'Allocations': 'bytes',
372 'EndAllocations': 'bytes',
373 'MaxAllocations': 'bytes',
374 'MeanAllocations': 'bytes'}[metric.get('name')];
377 self.set('chartData', runs);
378 }, function (status) {
379 self.set('failure', 'Failed to fetch the JSON with an error: ' + status);
382 }.observes('platformId', 'metricId').on('init'),
383 _isValidId: function (id)
385 if (typeof(id) == "number")
387 if (typeof(id) == "string")
388 return !!id.match(/^[A-Za-z0-9_]+$/);
393 App.encodePrettifiedJSON = function (plain)
395 function numberIfPossible(string) {
396 return string == parseInt(string) ? parseInt(string) : string;
399 function recursivelyConvertNumberIfPossible(input) {
400 if (input instanceof Array) {
401 return input.map(recursivelyConvertNumberIfPossible);
403 return numberIfPossible(input);
406 return JSON.stringify(recursivelyConvertNumberIfPossible(plain))
407 .replace(/\[/g, '(').replace(/\]/g, ')').replace(/\,/g, '-');
410 App.decodePrettifiedJSON = function (encoded)
412 var parsed = encoded.replace(/\(/g, '[').replace(/\)/g, ']').replace(/\-/g, ',');
414 return JSON.parse(parsed);
415 } catch (exception) {
420 App.ChartsController = Ember.Controller.extend({
421 queryParams: ['paneList', 'zoom', 'since'],
423 _currentEncodedPaneList: null,
428 defaultSince: Date.now() - 7 * 24 * 3600 * 1000,
430 addPane: function (pane)
432 this.panes.unshiftObject(pane);
435 removePane: function (pane)
437 this.panes.removeObject(pane);
440 refreshPanes: function()
442 var paneList = this.get('paneList');
443 if (paneList === this._currentEncodedPaneList)
446 var panes = this._parsePaneList(paneList || '[]');
448 console.log('Failed to parse', jsonPaneList, exception);
451 this.set('panes', panes);
452 this._currentEncodedPaneList = paneList;
453 }.observes('paneList').on('init'),
455 refreshZoom: function()
457 var zoom = this.get('zoom');
459 this.set('sharedZoom', null);
463 zoom = zoom.split('-');
464 var selection = new Array(2);
466 selection[0] = new Date(parseFloat(zoom[0]));
467 selection[1] = new Date(parseFloat(zoom[1]));
469 console.log('Failed to parse the zoom', zoom);
471 this.set('sharedZoom', selection);
473 var startTime = this.get('startTime');
474 if (startTime && startTime > selection[0])
475 this.set('startTime', selection[0]);
477 }.observes('zoom').on('init'),
479 updateSharedDomain: function ()
481 var panes = this.get('panes');
485 var union = [undefined, undefined];
486 for (var i = 0; i < panes.length; i++) {
487 var domain = panes[i].intrinsicDomain;
490 if (!union[0] || domain[0] < union[0])
491 union[0] = domain[0];
492 if (!union[1] || domain[1] > union[1])
493 union[1] = domain[1];
495 if (union[0] === undefined)
498 var startTime = this.get('startTime');
499 var zoom = this.get('sharedZoom');
501 union[0] = zoom ? Math.min(zoom[0], startTime) : startTime;
503 this.set('sharedDomain', union);
504 }.observes('panes.@each'),
506 _startTimeChanged: function () {
507 this.updateSharedDomain();
508 this._scheduleQueryStringUpdate();
509 }.observes('startTime'),
511 _sinceChanged: function () {
512 var since = parseInt(this.get('since'));
514 since = this.defaultSince;
515 this.set('startTime', new Date(since));
516 }.observes('since').on('init'),
518 _parsePaneList: function (encodedPaneList)
520 var parsedPaneList = App.decodePrettifiedJSON(encodedPaneList);
524 // Don't re-create all panes.
526 return parsedPaneList.map(function (paneInfo) {
527 var timeRange = null;
528 if (paneInfo[3] && paneInfo[3] instanceof Array) {
529 var timeRange = paneInfo[3];
531 timeRange = [new Date(timeRange[0]), new Date(timeRange[1])];
533 console.log("Failed to parse the time range:", timeRange, error);
536 return App.Pane.create({
538 platformId: paneInfo[0],
539 metricId: paneInfo[1],
540 selectedItem: paneInfo[2],
541 timeRange: timeRange,
542 timeRangeIsLocked: !!paneInfo[4],
547 _serializePaneList: function (panes)
551 return App.encodePrettifiedJSON(panes.map(function (pane) {
553 pane.get('platformId'),
554 pane.get('metricId'),
555 pane.get('selectedItem'),
556 pane.get('timeRange') ? pane.get('timeRange').map(function (date) { return date.getTime() }) : null,
557 !!pane.get('timeRangeIsLocked'),
562 _scheduleQueryStringUpdate: function ()
564 Ember.run.debounce(this, '_updateQueryString', 500);
565 }.observes('sharedZoom')
566 .observes('panes.@each.platform', 'panes.@each.metric', 'panes.@each.selectedItem',
567 'panes.@each.timeRange', 'panes.@each.timeRangeIsLocked'),
569 _updateQueryString: function ()
571 this._currentEncodedPaneList = this._serializePaneList(this.get('panes'));
572 this.set('paneList', this._currentEncodedPaneList);
574 var zoom = undefined;
575 var selection = this.get('sharedZoom');
577 zoom = (selection[0] - 0) + '-' + (selection[1] - 0);
578 this.set('zoom', zoom);
580 if (this.get('startTime') - this.defaultSince)
581 this.set('since', this.get('startTime') - 0);
585 addPaneByMetricAndPlatform: function (param)
587 this.addPane(App.Pane.create({
588 platformId: param.platform.get('id'),
589 metricId: param.metric.get('id'),
590 showingDetails: false
599 App.BuildPopup('addPaneByMetricAndPlatform').then(function (platforms) {
600 self.set('platforms', platforms);
605 App.BuildPopup = function(action, position)
607 return App.Manifest.fetch().then(function () {
608 return App.Manifest.get('platforms').map(function (platform) {
609 return App.PlatformProxyForPopup.create({content: platform,
610 action: action, position: position});
615 App.PlatformProxyForPopup = Ember.ObjectProxy.extend({
616 children: function ()
618 var platform = this.content;
619 var containsTest = this.content.containsTest.bind(this.content);
620 var action = this.get('action');
621 var position = this.get('position');
622 return App.Manifest.get('topLevelTests')
623 .filter(containsTest)
624 .map(function (test) {
625 return App.TestProxyForPopup.create({content: test, platform: platform, action: action, position: position});
627 }.property('App.Manifest.topLevelTests'),
630 App.TestProxyForPopup = Ember.ObjectProxy.extend({
632 children: function ()
634 var platform = this.get('platform');
635 var action = this.get('action');
636 var position = this.get('position');
638 var childTests = this.get('childTests')
639 .filter(function (test) { return platform.containsTest(test); })
640 .map(function (test) {
641 return App.TestProxyForPopup.create({content: test, platform: platform, action: action, position: position});
644 var metrics = this.get('metrics')
645 .filter(function (metric) { return platform.containsMetric(metric); })
646 .map(function (metric) {
647 var aggregator = metric.get('aggregator');
650 actionArgument: {platform: platform, metric: metric, position:position},
651 label: metric.get('label')
655 if (childTests.length && metrics.length)
656 metrics.push({isSeparator: true});
658 return metrics.concat(childTests);
659 }.property('childTests', 'metrics'),
662 App.PaneController = Ember.ObjectController.extend({
664 sharedTime: Ember.computed.alias('parentController.sharedTime'),
665 sharedSelection: Ember.computed.alias('parentController.sharedSelection'),
667 bugsChangeCount: 0, // Dirty hack. Used to call InteractiveChartComponent's _updateDotsWithBugs.
669 toggleDetails: function()
671 this.toggleProperty('showingDetails');
675 this.parentController.removePane(this.get('model'));
677 toggleBugsPane: function ()
679 if (!App.Manifest.bugTrackers || !this.get('singlySelectedPoint'))
681 if (this.toggleProperty('showingBugsPane'))
682 this.set('showingSearchPane', false);
684 associateBug: function (bugTracker, bugNumber)
686 var point = this.get('singlySelectedPoint');
690 point.measurement.associateBug(bugTracker.get('id'), bugNumber).then(function () {
692 self.set('bugsChangeCount', self.get('bugsChangeCount') + 1);
695 toggleSearchPane: function ()
697 if (!App.Manifest.repositoriesWithReportedCommits)
699 var model = this.get('model');
700 if (!model.get('commitSearchRepository'))
701 model.set('commitSearchRepository', App.Manifest.repositoriesWithReportedCommits[0]);
702 if (this.toggleProperty('showingSearchPane'))
703 this.set('showingBugsPane', false);
705 searchCommit: function () {
706 var model = this.get('model');
707 model.searchCommit(model.get('commitSearchRepository'), model.get('commitSearchKeyword'));
709 zoomed: function (selection)
711 this.set('mainPlotDomain', selection ? selection : this.get('overviewDomain'));
712 Ember.run.debounce(this, 'propagateZoom', 100);
714 overviewDomainChanged: function (domain, intrinsicDomain)
716 this.set('overviewDomain', domain);
717 this.set('intrinsicDomain', intrinsicDomain);
718 this.get('parentController').updateSharedDomain();
720 rangeChanged: function (extent, points)
723 this._hasRange = false;
724 this.set('details', null);
725 this.set('timeRange', null);
728 this._hasRange = true;
729 this._showDetails(points);
730 this.set('timeRange', extent);
733 _detailsChanged: function ()
735 this.set('showingBugsPane', false);
736 this.set('singlySelectedPoint', !this._hasRange && this._selectedPoints ? this._selectedPoints[0] : null);
737 }.observes('details'),
738 _overviewSelectionChanged: function ()
740 var overviewSelection = this.get('overviewSelection');
741 this.set('mainPlotDomain', overviewSelection);
742 Ember.run.debounce(this, 'propagateZoom', 100);
743 }.observes('overviewSelection'),
744 _sharedDomainChanged: function ()
746 var newDomain = this.get('parentController').get('sharedDomain');
747 if (newDomain == this.get('overviewDomain'))
749 this.set('overviewDomain', newDomain);
750 if (!this.get('overviewSelection'))
751 this.set('mainPlotDomain', newDomain);
752 }.observes('parentController.sharedDomain').on('init'),
753 propagateZoom: function ()
755 this.get('parentController').set('sharedZoom', this.get('mainPlotDomain'));
757 _sharedZoomChanged: function ()
759 var newSelection = this.get('parentController').get('sharedZoom');
760 if (newSelection == this.get('mainPlotDomain'))
762 this.set('overviewSelection', newSelection);
763 this.set('mainPlotDomain', newSelection);
764 }.observes('parentController.sharedZoom').on('init'),
765 _currentItemChanged: function ()
769 var point = this.get('currentItem');
770 if (!point || !point.measurement)
771 this.set('details', null);
773 var previousPoint = point.series.previousPoint(point);
774 this._showDetails(previousPoint ? [previousPoint, point] : [point]);
776 }.observes('currentItem'),
777 _showDetails: function (points)
779 var isShowingEndPoint = !this._hasRange;
780 var currentMeasurement = points[points.length - 1].measurement;
781 var oldMeasurement = points[0].measurement;
782 var formattedRevisions = currentMeasurement.formattedRevisions(oldMeasurement);
783 var revisions = App.Manifest.get('repositories')
784 .filter(function (repository) { return formattedRevisions[repository.get('id')]; })
785 .map(function (repository) {
786 var repositoryName = repository.get('id');
787 var revision = Ember.Object.create(formattedRevisions[repositoryName]);
788 revision['url'] = revision.previousRevision
789 ? repository.urlForRevisionRange(revision.previousRevision, revision.currentRevision)
790 : repository.urlForRevision(revision.currentRevision);
791 revision['name'] = repositoryName;
792 revision['repository'] = repository;
796 var buildNumber = null;
798 if (isShowingEndPoint) {
799 buildNumber = currentMeasurement.buildNumber();
800 var builder = App.Manifest.builder(currentMeasurement.builderId());
802 buildURL = builder.urlFromBuildNumber(buildNumber);
805 this._selectedPoints = points;
806 this.set('details', Ember.Object.create({
807 currentValue: currentMeasurement.mean().toFixed(2),
808 oldValue: oldMeasurement && !isShowingEndPoint ? oldMeasurement.mean().toFixed(2) : null,
809 buildNumber: buildNumber,
811 buildTime: currentMeasurement.formattedBuildTime(),
812 revisions: revisions,
816 _updateBugs: function ()
818 if (!this._selectedPoints)
821 var bugTrackers = App.Manifest.get('bugTrackers');
822 var trackerToBugNumbers = {};
823 bugTrackers.forEach(function (tracker) { trackerToBugNumbers[tracker.get('id')] = new Array(); });
824 this._selectedPoints.map(function (point) {
825 var bugs = point.measurement.bugs();
826 bugTrackers.forEach(function (tracker) {
827 var bugNumber = bugs[tracker.get('id')];
829 trackerToBugNumbers[tracker.get('id')].push(bugNumber);
833 this.set('details.bugTrackers', App.Manifest.get('bugTrackers').map(function (tracker) {
834 var bugNumbers = trackerToBugNumbers[tracker.get('id')];
835 return Ember.ObjectProxy.create({
837 bugs: bugNumbers.map(function (bugNumber) {
839 bugNumber: bugNumber,
840 bugUrl: bugNumber && tracker.get('bugUrl') ? tracker.get('bugUrl').replace(/\$number/g, bugNumber) : null
843 editedBugNumber: this._hasRange ? null : bugNumbers[0],
844 }); // FIXME: Create urls for new bugs.
849 App.InteractiveChartComponent = Ember.Component.extend({
854 enableSelection: true,
855 classNames: ['chart'],
859 this._needsConstruction = true;
860 this._eventHandlers = [];
861 $(window).resize(this._updateDimensionsIfNeeded.bind(this));
863 chartDataDidChange: function ()
865 var chartData = this.get('chartData');
868 this._needsConstruction = true;
869 this._constructGraphIfPossible(chartData);
870 }.observes('chartData').on('init'),
871 didInsertElement: function ()
873 var chartData = this.get('chartData');
875 this._constructGraphIfPossible(chartData);
877 willClearRender: function ()
879 this._eventHandlers.forEach(function (item) {
880 $(item[0]).off(item[1], item[2]);
883 _attachEventListener: function(target, eventName, listener)
885 this._eventHandlers.push([target, eventName, listener]);
886 $(target).on(eventName, listener);
888 _constructGraphIfPossible: function (chartData)
890 if (!this._needsConstruction || !this.get('element'))
893 var element = this.get('element');
895 this._x = d3.time.scale();
896 this._y = d3.scale.linear();
898 // FIXME: Tear down the old SVG element.
899 this._svgElement = d3.select(element).append("svg")
900 .attr("width", "100%")
901 .attr("height", "100%");
903 var svg = this._svg = this._svgElement.append("g");
905 var clipId = element.id + "-clip";
906 this._clipPath = svg.append("defs").append("clipPath")
910 if (this.get('showXAxis')) {
911 this._xAxis = d3.svg.axis().scale(this._x).orient("bottom").ticks(6);
912 this._xAxisLabels = svg.append("g")
913 .attr("class", "x axis");
916 if (this.get('showYAxis')) {
917 this._yAxis = d3.svg.axis().scale(this._y).orient("left").ticks(6).tickFormat(d3.format("s"));
918 this._yAxisLabels = svg.append("g")
919 .attr("class", "y axis");
922 this._clippedContainer = svg.append("g")
923 .attr("clip-path", "url(#" + clipId + ")");
925 var xScale = this._x;
926 var yScale = this._y;
927 this._timeLine = d3.svg.line()
928 .x(function(point) { return xScale(point.time); })
929 .y(function(point) { return yScale(point.value); });
931 this._confidenceArea = d3.svg.area()
932 // .interpolate("cardinal")
933 .x(function(point) { return xScale(point.time); })
934 .y0(function(point) { return point.interval ? yScale(point.interval[0]) : null; })
935 .y1(function(point) { return point.interval ? yScale(point.interval[1]) : null; });
938 this._paths.forEach(function (path) { path.remove(); });
941 this._areas.forEach(function (area) { area.remove(); });
944 this._dots.forEach(function (dot) { dots.remove(); });
946 if (this._highlights)
947 this._highlights.forEach(function (highlight) { _highlights.remove(); });
948 this._highlights = [];
950 this._currentTimeSeries = chartData.current.timeSeriesByCommitTime();
951 this._currentTimeSeriesData = this._currentTimeSeries.series();
952 this._baselineTimeSeries = chartData.baseline ? chartData.baseline.timeSeriesByCommitTime() : null;
953 this._targetTimeSeries = chartData.target ? chartData.target.timeSeriesByCommitTime() : null;
955 this._yAxisUnit = chartData.unit;
957 var minMax = this._minMaxForAllTimeSeries();
958 var smallEnoughValue = minMax[0] - (minMax[1] - minMax[0]) * 10;
959 var largeEnoughValue = minMax[1] + (minMax[1] - minMax[0]) * 10;
961 // FIXME: Flip the sides based on smallerIsBetter-ness.
962 if (this._baselineTimeSeries) {
963 var data = this._baselineTimeSeries.series();
964 this._areas.push(this._clippedContainer
966 .datum(data.map(function (point) { return {time: point.time, value: point.value, interval: point.interval ? point.interval : [point.value, largeEnoughValue]}; }))
967 .attr("class", "area baseline"));
969 if (this._targetTimeSeries) {
970 var data = this._targetTimeSeries.series();
971 this._areas.push(this._clippedContainer
973 .datum(data.map(function (point) { return {time: point.time, value: point.value, interval: point.interval ? point.interval : [smallEnoughValue, point.value]}; }))
974 .attr("class", "area target"));
977 this._areas.push(this._clippedContainer
979 .datum(this._currentTimeSeriesData)
980 .attr("class", "area"));
982 this._paths.push(this._clippedContainer
984 .datum(this._currentTimeSeriesData)
985 .attr("class", "commit-time-line"));
987 this._dots.push(this._clippedContainer
989 .data(this._currentTimeSeriesData)
990 .enter().append("circle")
991 .attr("class", "dot")
992 .attr("r", this.get('interactive') ? 2 : 1));
994 if (this.get('interactive')) {
995 this._attachEventListener(element, "mousemove", this._mouseMoved.bind(this));
996 this._attachEventListener(element, "mouseleave", this._mouseLeft.bind(this));
997 this._attachEventListener(element, "mousedown", this._mouseDown.bind(this));
998 this._attachEventListener($(element).parents("[tabindex]"), "keydown", this._keyPressed.bind(this));
1000 this._currentItemLine = this._clippedContainer
1002 .attr("class", "current-item");
1004 this._currentItemCircle = this._clippedContainer
1006 .attr("class", "dot current-item")
1011 if (this.get('enableSelection')) {
1012 this._brush = d3.svg.brush()
1014 .on("brush", this._brushChanged.bind(this));
1016 this._brushRect = this._clippedContainer
1018 .attr("class", "x brush");
1021 this._updateDomain();
1022 this._updateDimensionsIfNeeded();
1024 // Work around the fact the brush isn't set if we updated it synchronously here.
1025 setTimeout(this._selectionChanged.bind(this), 0);
1027 setTimeout(this._selectedItemChanged.bind(this), 0);
1029 this._needsConstruction = false;
1031 _updateDomain: function ()
1033 var xDomain = this.get('domain');
1034 var intrinsicXDomain = this._computeXAxisDomain(this._currentTimeSeriesData);
1036 xDomain = intrinsicXDomain;
1037 var currentDomain = this._x.domain();
1038 if (currentDomain && this._xDomainsAreSame(currentDomain, xDomain))
1039 return currentDomain;
1041 var yDomain = this._computeYAxisDomain(xDomain[0], xDomain[1]);
1042 this._x.domain(xDomain);
1043 this._y.domain(yDomain);
1044 this.sendAction('domainChanged', xDomain, intrinsicXDomain);
1047 _updateDimensionsIfNeeded: function (newSelection)
1049 var element = $(this.get('element'));
1051 var newTotalWidth = element.width();
1052 var newTotalHeight = element.height();
1053 if (this._totalWidth == newTotalWidth && this._totalHeight == newTotalHeight)
1056 this._totalWidth = newTotalWidth;
1057 this._totalHeight = newTotalHeight;
1060 this._rem = parseFloat(getComputedStyle(document.documentElement).fontSize);
1061 var rem = this._rem;
1063 var padding = 0.5 * rem;
1064 var margin = {top: padding, right: padding, bottom: padding, left: padding};
1066 margin.bottom += rem;
1068 margin.left += 3 * rem;
1070 this._margin = margin;
1071 this._contentWidth = this._totalWidth - margin.left - margin.right;
1072 this._contentHeight = this._totalHeight - margin.top - margin.bottom;
1074 this._svg.attr("transform", "translate(" + margin.left + "," + margin.top + ")");
1077 .attr("width", this._contentWidth)
1078 .attr("height", this._contentHeight);
1080 this._x.range([0, this._contentWidth]);
1081 this._y.range([this._contentHeight, 0]);
1084 this._xAxis.tickSize(-this._contentHeight);
1085 this._xAxisLabels.attr("transform", "translate(0," + this._contentHeight + ")");
1089 this._yAxis.tickSize(-this._contentWidth);
1091 if (this._currentItemLine) {
1092 this._currentItemLine
1094 .attr("y2", margin.top + this._contentHeight);
1097 this._relayoutDataAndAxes(this._currentSelection());
1099 _updateBrush: function ()
1105 .attr("height", this._contentHeight - 2);
1106 this._updateSelectionToolbar();
1108 _relayoutDataAndAxes: function (selection)
1110 var timeline = this._timeLine;
1111 this._paths.forEach(function (path) { path.attr("d", timeline); });
1113 var confidenceArea = this._confidenceArea;
1114 this._areas.forEach(function (path) { path.attr("d", confidenceArea); });
1116 var xScale = this._x;
1117 var yScale = this._y;
1118 this._dots.forEach(function (dot) {
1120 .attr("cx", function(measurement) { return xScale(measurement.time); })
1121 .attr("cy", function(measurement) { return yScale(measurement.value); });
1123 this._updateDotsWithBugs();
1124 this._updateHighlightPositions();
1128 this._brush.extent(selection);
1130 this._brush.clear();
1131 this._updateBrush();
1134 this._updateCurrentItemIndicators();
1137 this._xAxisLabels.call(this._xAxis);
1141 this._yAxisLabels.call(this._yAxis);
1142 if (this._yAxisUnitContainer)
1143 this._yAxisUnitContainer.remove();
1144 this._yAxisUnitContainer = this._yAxisLabels.append("text")
1145 .attr("x", 0.5 * this._rem)
1146 .attr("y", this._rem)
1147 .attr("dy", '0.8rem')
1148 .style("text-anchor", "start")
1149 .style("z-index", "100")
1150 .text(this._yAxisUnit);
1152 _updateDotsWithBugs: function () {
1153 if (!this.get('interactive'))
1155 this._dots.forEach(function (dot) {
1156 dot.classed('hasBugs', function (point) { return !!point.measurement.hasBugs(); });
1158 }.observes('bugsChangeCount'), // Never used for anything but to call this method :(
1159 _updateHighlightPositions: function () {
1160 var xScale = this._x;
1161 var yScale = this._y;
1162 var y2 = this._margin.top + this._contentHeight;
1163 this._highlights.forEach(function (highlight) {
1167 .attr("y", function(measurement) { return yScale(measurement.value); })
1168 .attr("x1", function(measurement) { return xScale(measurement.time); })
1169 .attr("x2", function(measurement) { return xScale(measurement.time); });
1172 _computeXAxisDomain: function (timeSeries)
1174 var extent = d3.extent(timeSeries, function(point) { return point.time; });
1175 var margin = 3600 * 1000; // Use x.inverse to compute the right amount from a margin.
1176 return [+extent[0] - margin, +extent[1] + margin];
1178 _computeYAxisDomain: function (startTime, endTime)
1180 var range = this._minMaxForAllTimeSeries(startTime, endTime);
1185 var diff = max - min;
1186 var margin = diff * 0.05;
1188 yExtent = [min - margin, max + margin];
1189 // if (yMin !== undefined)
1190 // yExtent[0] = parseInt(yMin);
1193 _minMaxForAllTimeSeries: function (startTime, endTime)
1195 var currentRange = this._currentTimeSeries.minMaxForTimeRange(startTime, endTime);
1196 var baselineRange = this._baselineTimeSeries ? this._baselineTimeSeries.minMaxForTimeRange(startTime, endTime) : [Number.MAX_VALUE, Number.MIN_VALUE];
1197 var targetRange = this._targetTimeSeries ? this._targetTimeSeries.minMaxForTimeRange(startTime, endTime) : [Number.MAX_VALUE, Number.MIN_VALUE];
1199 Math.min(currentRange[0], baselineRange[0], targetRange[0]),
1200 Math.max(currentRange[1], baselineRange[1], targetRange[1]),
1203 _currentSelection: function ()
1205 return this._brush && !this._brush.empty() ? this._brush.extent() : null;
1207 _domainChanged: function ()
1209 var selection = this._currentSelection() || this.get('sharedSelection');
1210 var newXDomain = this._updateDomain();
1212 if (selection && newXDomain && selection[0] <= newXDomain[0] && newXDomain[1] <= selection[1])
1213 selection = null; // Otherwise the user has no way of clearing the selection.
1215 this._relayoutDataAndAxes(selection);
1216 }.observes('domain'),
1217 _selectionChanged: function ()
1219 this._updateSelection(this.get('selection'));
1220 }.observes('selection'),
1221 _sharedSelectionChanged: function ()
1223 if (this.get('selectionIsLocked'))
1225 this._updateSelection(this.get('sharedSelection'));
1226 }.observes('sharedSelection'),
1227 _updateSelection: function (newSelection)
1232 var currentSelection = this._currentSelection();
1233 if (newSelection && currentSelection && this._xDomainsAreSame(newSelection, currentSelection))
1236 var domain = this._x.domain();
1237 if (!newSelection || this._xDomainsAreSame(domain, newSelection))
1238 this._brush.clear();
1240 this._brush.extent(newSelection);
1241 this._updateBrush();
1243 this._setCurrentSelection(newSelection);
1245 _xDomainsAreSame: function (domain1, domain2)
1247 return !(domain1[0] - domain2[0]) && !(domain1[1] - domain2[1]);
1249 _brushChanged: function ()
1251 if (this._brush.empty()) {
1252 if (!this._brushExtent)
1255 this.set('selectionIsLocked', false);
1256 this._setCurrentSelection(undefined);
1258 // Avoid locking the indicator in _mouseDown when the brush was cleared in the same mousedown event.
1259 this._brushJustChanged = true;
1261 setTimeout(function () {
1262 self._brushJustChanged = false;
1268 this.set('selectionIsLocked', true);
1269 this._setCurrentSelection(this._brush.extent());
1271 _keyPressed: function (event)
1273 if (!this._currentItemIndex || this._currentSelection())
1277 switch (event.keyCode) {
1279 newIndex = this._currentItemIndex - 1;
1282 newIndex = this._currentItemIndex + 1;
1290 // Unlike mousemove, keydown shouldn't move off the edge.
1291 if (this._currentTimeSeriesData[newIndex])
1292 this._setCurrentItem(newIndex);
1294 _mouseMoved: function (event)
1296 if (!this._margin || this._currentSelection() || this._currentItemLocked)
1299 var point = this._mousePointInGraph(event);
1301 this._selectClosestPointToMouseAsCurrentItem(point);
1303 _mouseLeft: function (event)
1305 if (!this._margin || this._currentItemLocked)
1308 this._selectClosestPointToMouseAsCurrentItem(null);
1310 _mouseDown: function (event)
1312 if (!this._margin || this._currentSelection() || this._brushJustChanged)
1315 var point = this._mousePointInGraph(event);
1319 if (this._currentItemLocked) {
1320 this._currentItemLocked = false;
1321 this.set('selectedItem', null);
1325 this._currentItemLocked = true;
1326 this._selectClosestPointToMouseAsCurrentItem(point);
1328 _mousePointInGraph: function (event)
1330 var offset = $(this.get('element')).offset();
1335 x: event.pageX - offset.left - this._margin.left,
1336 y: event.pageY - offset.top - this._margin.top
1339 var xScale = this._x;
1340 var yScale = this._y;
1341 var xDomain = xScale.domain();
1342 var yDomain = yScale.domain();
1343 if (point.x >= xScale(xDomain[0]) && point.x <= xScale(xDomain[1])
1344 && point.y <= yScale(yDomain[0]) && point.y >= yScale(yDomain[1]))
1349 _selectClosestPointToMouseAsCurrentItem: function (point)
1351 var xScale = this._x;
1352 var yScale = this._y;
1353 var distanceHeuristics = function (m) {
1354 var mX = xScale(m.time);
1355 var mY = yScale(m.value);
1356 var xDiff = mX - point.x;
1357 var yDiff = mY - point.y;
1358 return xDiff * xDiff + yDiff * yDiff / 16; // Favor horizontal affinity.
1360 distanceHeuristics = function (m) {
1361 return Math.abs(xScale(m.time) - point.x);
1365 if (point && !this._currentSelection()) {
1366 var distances = this._currentTimeSeriesData.map(distanceHeuristics);
1367 var minDistance = Number.MAX_VALUE;
1368 for (var i = 0; i < distances.length; i++) {
1369 if (distances[i] < minDistance) {
1371 minDistance = distances[i];
1376 this._setCurrentItem(newItemIndex);
1377 this._updateSelectionToolbar();
1379 _currentTimeChanged: function ()
1381 if (!this._margin || this._currentSelection() || this._currentItemLocked)
1384 var currentTime = this.get('currentTime');
1386 for (var i = 0; i < this._currentTimeSeriesData.length; i++) {
1387 var point = this._currentTimeSeriesData[i];
1388 if (point.time >= currentTime) {
1389 this._setCurrentItem(i, /* doNotNotify */ true);
1394 this._setCurrentItem(undefined, /* doNotNotify */ true);
1395 }.observes('currentTime'),
1396 _setCurrentItem: function (newItemIndex, doNotNotify)
1398 if (newItemIndex === this._currentItemIndex) {
1399 if (this._currentItemLocked)
1400 this.set('selectedItem', this.get('currentItem') ? this.get('currentItem').measurement.id() : null);
1404 var newItem = this._currentTimeSeriesData[newItemIndex];
1405 this._brushExtent = undefined;
1406 this._currentItemIndex = newItemIndex;
1409 this._currentItemLocked = false;
1410 this.set('selectedItem', null);
1413 this._updateCurrentItemIndicators();
1416 this.set('currentTime', newItem ? newItem.time : undefined);
1418 this.set('currentItem', newItem);
1419 if (this._currentItemLocked)
1420 this.set('selectedItem', newItem ? newItem.measurement.id() : null);
1422 _selectedItemChanged: function ()
1427 var selectedId = this.get('selectedItem');
1428 var currentItem = this.get('currentItem');
1429 if (currentItem && currentItem.measurement.id() == selectedId)
1432 var series = this._currentTimeSeriesData;
1433 var selectedItemIndex = undefined;
1434 for (var i = 0; i < series.length; i++) {
1435 if (series[i].measurement.id() == selectedId) {
1436 this._updateSelection(null);
1437 this._currentItemLocked = true;
1438 this._setCurrentItem(i);
1439 this._updateSelectionToolbar();
1443 }.observes('selectedItem').on('init'),
1444 _highlightedItemsChanged: function () {
1448 var highlightedItems = this.get('highlightedItems');
1450 var data = this._currentTimeSeriesData.filter(function (item) { return highlightedItems[item.measurement.id()]; });
1452 if (this._highlights)
1453 this._highlights.forEach(function (highlight) { highlight.remove(); });
1455 this._highlights.push(this._clippedContainer
1456 .selectAll(".highlight")
1458 .enter().append("line")
1459 .attr("class", "highlight"));
1461 this._updateHighlightPositions();
1463 }.observes('highlightedItems'),
1464 _updateCurrentItemIndicators: function ()
1466 if (!this._currentItemLine)
1469 var item = this._currentTimeSeriesData[this._currentItemIndex];
1471 this._currentItemLine.attr("x1", -1000).attr("x2", -1000);
1472 this._currentItemCircle.attr("cx", -1000);
1476 var x = this._x(item.time);
1477 var y = this._y(item.value);
1479 this._currentItemLine
1483 this._currentItemCircle
1487 _setCurrentSelection: function (newSelection)
1489 if (this._brushExtent === newSelection)
1494 points = this._currentTimeSeriesData
1495 .filter(function (point) { return point.time >= newSelection[0] && point.time <= newSelection[1]; });
1500 this._brushExtent = newSelection;
1501 this._setCurrentItem(undefined);
1502 this._updateSelectionToolbar();
1504 this.set('sharedSelection', newSelection);
1505 this.sendAction('selectionChanged', newSelection, points);
1507 _updateSelectionToolbar: function ()
1509 if (!this.get('interactive'))
1512 var selection = this._currentSelection();
1513 var selectionToolbar = $(this.get('element')).children('.selection-toolbar');
1515 var left = this._x(selection[0]);
1516 var right = this._x(selection[1]);
1518 .css({left: this._margin.left + right, top: this._margin.top + this._contentHeight})
1521 selectionToolbar.hide();
1526 this.sendAction('zoom', this._currentSelection());
1527 this.set('selection', null);
1534 App.CommitsViewerComponent = Ember.Component.extend({
1538 commitsChanged: function ()
1540 var revisionInfo = this.get('revisionInfo');
1542 var to = revisionInfo.get('currentRevision');
1543 var from = revisionInfo.get('previousRevision');
1544 var repository = this.get('repository');
1545 if (!from || !repository || !repository.get('hasReportedCommits'))
1549 CommitLogs.fetchForTimeRange(repository.get('id'), from, to).then(function (commits) {
1550 if (self.isDestroyed)
1552 self.set('commits', commits.map(function (commit) {
1553 return Ember.Object.create({
1554 repository: repository,
1555 revision: commit.revision,
1556 url: repository.urlForRevision(commit.revision),
1557 author: commit.authorName || commit.authorEmail,
1558 message: commit.message ? commit.message.substr(0, 75) : null,
1562 if (!self.isDestroyed)
1563 self.set('commits', []);
1565 }.observes('repository').observes('revisionInfo').on('init'),